influxdb_client 1.0.0 influxdb_client: ^1.0.0 copied to clipboard
A InfluxDB 2.0 API Client Library
influxdb-client-dart #
!!! Disclaimer: This library is a work in progress and should not be considered production ready yet. !!!
This repository contains the reference Dart client for the InfluxDB 2.0. It works on all platforms including web, server, and Flutter. Please submit issues and pull requests, help out, or just give encouragement.
Documentation #
This section contains links to the client library documentation.
Features #
InfluxDB 2.0 client supports:
- Querying data using the Flux language
- Streaming result to
Stream<FluxRecord>
- Streaming result to
- Writing data
- batched in chunks on background
- automatic retries on write failures
- Management API
- provides all other InfluxDB 2.0 APIs for managing
- health check
- sources, buckets
- tasks
- authorizations
- ...
- provides all other InfluxDB 2.0 APIs for managing
Supported Platforms #
Library works in web, server, and Flutter.
Installation #
Dart developer can add it as a dependency in their pubspec.yaml:
dependencies:
influxdb_client: 0.1.0-dev.5
Import #
import 'package:influxdb_client/api.dart';
Usage #
Important: You should call
close()
at the end of your application to release allocated resources.
Creating a client #
Specify url and token via parameters:
var client = InfluxDBClient(
url: 'http://localhost:8086',
token: 'my-token',
org: 'my-org',
bucket: 'my-bucket',
debug: true);
Client Options
Option | Description | Type | Default |
---|---|---|---|
url | InfluxDB url | String | none |
bucket | Default destination bucket for writes | String | none |
org | Default organization bucket for writes | String | none |
debug | Enable verbose logging of underlying http client | bool | false |
InfluxDB 1.8 API compatibility
var client = InfluxDBClient(
url: 'http://localhost:8086',
username: '...',
password: '...',
org: 'my-org',
bucket: 'my-bucket',
debug: true);
Writes #
The WriteApi supports asynchronous writes into InfluxDB 2.0.
The data could be written as:
String
that is formatted as a InfluxDB's Line Protocol- Data Point structure
- Array of above items
The following example demonstrates how to write data with different type of records. For further information see docs and examples.
import 'package:influxdb_client/api.dart';
main() async {
var client = InfluxDBClient(
url: 'http://localhost:8086',
token: 'my-token',
org: 'my-org',
bucket: 'my-bucket',
debugEnabled: true);
var writeApi = WriteService(client);
var point = Point('h2o')
.addTag('location', 'Prague')
.addField('level', 1.12345)
.time(DateTime.now().toUtc());
await writeApi.write(point).then((value) {
print('Write completed 1');
}).catchError((exception) {
// error block
print("Handle write error here!");
print(exception);
});
}
WriteOptions
Settings for WriteService
like batching, default tags, retry strategy, precision,
can customized in `WriteOptions'.
Example how to modify default WriteOptions
:
var client = InfluxDBClient(
url: 'http://localhost:8086',
token: 'my-token',
org: 'my-org',
bucket: 'my-bucket',
debug: true);
var writeApi = client.getWriteService(WriteOptions().merge(
precision: WritePrecision.s,
batchSize: 100,
flushInterval: 5000,
gzip: true));
- sources - write_example
Queries #
The result retrieved by QueryService could be formatted as a:
Query to FluxRecord
import 'package:influxdb_client/api.dart';
void main() async {
var client = InfluxDBClient(
url: 'http://localhost:8086',
token: 'my-token',
org: 'my-org',
bucket: 'my-bucket',
);
var queryService = client.getQueryService();
var recordStream = await queryService.query('''
from(bucket: "my-bucket")
|> range(start: 0)
|> filter(fn: (r) => r["_measurement"] == "cpu")
|> filter(fn: (r) => r["cpu"] == "cpu-total")
|> aggregateWindow(every: 1m, fn: mean, createEmpty: false)
|> yield(name: "mean")
''');
var count = 0;
await recordStream.forEach((record) {
print(
'record: ${count++} ${record['_time']}: ${record['host']} ${record['cpu']} ${record['_value']}');
});
client.close();
}
Query to String
import 'package:influxdb_client/api.dart';
main() async {
var client = InfluxDBClient(url: 'http://localhost:8086',
token: 'my-token', org: 'my-org', bucket: 'my-bucket');
var queryService = client.getQueryService(client);
var rawCSV = await queryService.queryRaw('''
from(bucket: "my-bucket")
|> range(start: v.timeRangeStart, stop: v.timeRangeStop)
|> filter(fn: (r) => r["_measurement"] == "h2o")
|> aggregateWindow(every: v.windowPeriod, fn: mean, createEmpty: false)
|> yield(name: "mean")''');
print(rawCSV);
}
Delete points #
The DeleteService supports deletes points from an InfluxDB bucket.
InfluxDB uses an InfluxQL-like predicate syntax to determine what data points to delete.
import 'package:influxdb_client/api.dart';
void main() async {
var client = InfluxDBClient(
url: 'http://localhost:8086',
token: 'my-token',
org: 'my-org',
bucket: 'my-bucket',
debugEnabled: true);
await client
.getDeleteService()
.delete(
predicate: '_measurement="temperature"',
start: '1970-01-01T00:00:00.000000001Z',
stop: DateTime.now().toUtc().toIso8601String(),
bucket: 'my-bucket',
org: 'my-org')
.catchError((e) => print(e));
var queryService = client.getQueryService();
var fluxQuery = '''
from(bucket: "my-bucket")
|> range(start: -1d)
|> filter(fn: (r) => r["_measurement"] == "temperature")
''';
// should be empty
var records = await queryService.query(fluxQuery);
assert(await records.isEmpty);
client.close();
}
Management API #
The client supports following management API:
API docs |
---|
The client supports following management API:
The following example demonstrates how to use a InfluxDB 2.0 Management API to create new bucket. For further information see docs and examples.
import 'package:influxdb_client/api.dart';
void main() async {
// Initialize Client and API
var client = InfluxDBClient(
url: 'http://localhost:8086', token: 'my-token', org: 'my-org');
var healthCheck = await client.getHealthApi().getHealth();
print('Health check: ${healthCheck.name}/${healthCheck.version} - ${healthCheck.message}');
var ready = await client.getReadyApi().getReady();
print('Ready check: ${ready.status}');
var orgs = await client.getOrganizationsApi().getOrgs();
var myOrgId = orgs.orgs.first.id;
var bucketsApi = client.getBucketsApi();
var bucketName = 'bucket-my-org';
// find and delete bucket 'bucket-my-org'
var buckets = await bucketsApi.getBuckets(name: bucketName);
if (buckets.buckets.isNotEmpty) {
var bucketID = buckets.buckets.first.id;
await bucketsApi.deleteBucketsID(bucketID);
print('Bucket $bucketID was deleted.');
}
// Bucket configuration
var request = PostBucketRequest(
orgID: myOrgId,
name: bucketName,
retentionRules: [
RetentionRule(type: RetentionRuleTypeEnum.expire, everySeconds: 3600)
]);
var bucket = await bucketsApi.postBuckets(request);
// Create Authorization with permission to read/write created bucket
var bucketResource =
Resource(type: ResourceTypeEnum.buckets, id: bucket.id, orgID: myOrgId);
// Authorization configuration
var auth = AuthorizationPostRequest(
description: 'Authorization to read/write bucket:${bucket.name}',
orgID: myOrgId,
permissions: [
Permission(action: PermissionActionEnum.read, resource: bucketResource),
Permission(action: PermissionActionEnum.write, resource: bucketResource)
]);
// Create Authorization
var authorizationsApi = client.getAuthorizationsApi();
var authorization = await authorizationsApi.postAuthorizations(auth);
// Print token
var token = authorization.token;
print('The bucket: \'${bucket.name}\' is successfully created.');
print('The following token can be used to read/write: ${token}');
client.close();
}
Contributing #
If you would like to contribute code you can do through GitHub by forking the repository and sending a pull request into the master
branch.
Build Requirements:
- dart 2.X
Build source and test targets:
./scripts/influxdb-restart.sh
dart test
Check code coverage:
./scripts/influxdb-restart.sh
dart test --enable-code-coverage
License #
The client is available as open source under the terms of the MIT License.