This repository contains the reference Swift client for the InfluxDB 2.x.
This section contains links to the client library documentation.
InfluxDB 2.x client consists of two packages
InfluxDBSwift
InfluxDBSwiftApis
InfluxDBSwift
This package requires Swift 5 and Xcode 12+.
Add this line to your Package.swift
:
// swift-tools-version:5.3
import PackageDescription
let package = Package(
name: "MyPackage",
dependencies: [
.package(name: "influxdb-client-swift", url: "https://github.com/influxdata/influxdb-client-swift", from: "1.3.0"),
],
targets: [
.target(name: "MyModule", dependencies: [
.product(name: "InfluxDBSwift", package: "influxdb-client-swift"),
// or InfluxDBSwiftApis for management API
.product(name: "InfluxDBSwiftApis", package: "influxdb-client-swift")
])
]
)
Important: You should call
close()
at the end of your application to release allocated resources.
Specify url and token via parameters:
let client = InfluxDBClient(url: "http://localhost:8086", token: "my-token")
...
client.close()
Option | Description | Type | Default |
---|---|---|---|
bucket | Default destination bucket for writes | String | none |
org | Default organization bucket for writes | String | none |
precision | Default precision for the unix timestamps within the body line-protocol | TimestampPrecision | ns |
timeoutIntervalForRequest | The timeout interval to use when waiting for additional data. | TimeInterval | 60 sec |
timeoutIntervalForResource | The maximum amount of time that a resource request should be allowed to take. | TimeInterval | 5 min |
enableGzip | Enable Gzip compression for HTTP requests. | Bool | false |
debugging | Enable debugging for HTTP request/response. | Bool | false |
Bucket
, Organization
and Precision
let options: InfluxDBClient.InfluxDBOptions = InfluxDBClient.InfluxDBOptions(
bucket: "my-bucket",
org: "my-org",
precision: .ns)
let client = InfluxDBClient(url: "http://localhost:8086", token: "my-token", options: options)
...
client.close()
client = InfluxDBClient(
url: "http://localhost:8086",
username: "user",
password: "pass",
database: "my-db",
retentionPolicy: "autogen")
...
client.close()
The WriteApi supports asynchronous writes into InfluxDB 2.x.
The results of writes could be handled by (response, error)
, Swift.Result
or Combine
.
The data could be written as:
String
that is formatted as a InfluxDB's Line Protocolmeasurement
, tags
, fields
and time
The following example demonstrates how to write data with Data Point structure. For further information see docs and examples.
import ArgumentParser
import Foundation
import InfluxDBSwift
struct WriteData: ParsableCommand {
@Option(name: .shortAndLong, help: "The name or id of the bucket destination.")
private var bucket: String
@Option(name: .shortAndLong, help: "The name or id of the organization destination.")
private var org: String
@Option(name: .shortAndLong, help: "Authentication token.")
private var token: String
@Option(name: .shortAndLong, help: "HTTP address of InfluxDB.")
private var url: String
public func run() {
// Initialize Client with default Bucket and Organization
let client = InfluxDBClient(
url: url,
token: token,
options: InfluxDBClient.InfluxDBOptions(bucket: self.bucket, org: self.org))
//
// Record defined as Data Point
//
let recordPoint = InfluxDBClient
.Point("demo")
.addTag(key: "type", value: "point")
.addField(key: "value", value: .int(2))
//
// Record defined as Data Point with Timestamp
//
let recordPointDate = InfluxDBClient
.Point("demo")
.addTag(key: "type", value: "point-timestamp")
.addField(key: "value", value: .int(2))
.time(time: .date(Date()))
client.makeWriteAPI().write(points: [recordPoint, recordPointDate]) { result, error in
// For handle error
if let error = error {
self.atExit(client: client, error: error)
}
// For Success write
if result != nil {
print("Written data:\n\n\([recordPoint, recordPointDate].map { "\t- \($0)" }.joined(separator: "\n"))")
print("\nSuccess!")
}
self.atExit(client: client)
}
// Wait to end of script
RunLoop.current.run()
}
private func atExit(client: InfluxDBClient, error: InfluxDBClient.InfluxDBError? = nil) {
// Dispose the Client
client.close()
// Exit script
Self.exit(withError: error)
}
}
WriteData.main()
The result retrieved by QueryApi could be formatted as a:
Data
.import ArgumentParser
import Foundation
import InfluxDBSwift
struct QueryCpu: ParsableCommand {
@Option(name: .shortAndLong, help: "The bucket to query. The name or id of the bucket destination.")
private var bucket: String
@Option(name: .shortAndLong,
help: "The organization executing the query. Takes either the `ID` or `Name` interchangeably.")
private var org: String
@Option(name: .shortAndLong, help: "Authentication token.")
private var token: String
@Option(name: .shortAndLong, help: "HTTP address of InfluxDB.")
private var url: String
public func run() {
// Initialize Client with default Organization
let client = InfluxDBClient(
url: url,
token: token,
options: InfluxDBClient.InfluxDBOptions(org: self.org))
// Flux query
let query = """
from(bucket: "\(self.bucket)")
|> range(start: -10m)
|> filter(fn: (r) => r["_measurement"] == "cpu")
|> filter(fn: (r) => r["cpu"] == "cpu-total")
|> filter(fn: (r) => r["_field"] == "usage_user" or r["_field"] == "usage_system")
|> last()
"""
print("\nQuery to execute:\n\n\(query)")
client.queryAPI.query(query: query) { response, error in
// For handle error
if let error = error {
self.atExit(client: client, error: error)
}
// For Success response
if let response = response {
print("\nSuccess response...\n")
print("CPU usage:")
do {
try response.forEach { record in
print("\t\(record.values["_field"]!): \(record.values["_value"]!)")
}
} catch {
self.atExit(client: client, error: InfluxDBClient.InfluxDBError.cause(error))
}
}
self.atExit(client: client)
}
// Wait to end of script
RunLoop.current.run()
}
private func atExit(client: InfluxDBClient, error: InfluxDBClient.InfluxDBError? = nil) {
// Dispose the Client
client.close()
// Exit script
Self.exit(withError: error)
}
}
QueryCpu.main()
import ArgumentParser
import Foundation
import InfluxDBSwift
struct QueryCpuData: ParsableCommand {
@Option(name: .shortAndLong, help: "The bucket to query. The name or id of the bucket destination.")
private var bucket: String
@Option(name: .shortAndLong,
help: "The organization executing the query. Takes either the `ID` or `Name` interchangeably.")
private var org: String
@Option(name: .shortAndLong, help: "Authentication token.")
private var token: String
@Option(name: .shortAndLong, help: "HTTP address of InfluxDB.")
private var url: String
public func run() {
// Initialize Client with default Organization
let client = InfluxDBClient(
url: url,
token: token,
options: InfluxDBClient.InfluxDBOptions(org: self.org))
// Flux query
let query = """
from(bucket: "\(self.bucket)")
|> range(start: -10m)
|> filter(fn: (r) => r["_measurement"] == "cpu")
|> filter(fn: (r) => r["cpu"] == "cpu-total")
|> filter(fn: (r) => r["_field"] == "usage_user" or r["_field"] == "usage_system")
|> last()
"""
client.queryAPI.queryRaw(query: query) { response, error in
// For handle error
if let error = error {
self.atExit(client: client, error: error)
}
// For Success response
if let response = response {
let csv = String(decoding: response, as: UTF8.self)
print("InfluxDB response: \(csv)")
}
self.atExit(client: client)
}
// Wait to end of script
RunLoop.current.run()
}
private func atExit(client: InfluxDBClient, error: InfluxDBClient.InfluxDBError? = nil) {
// Dispose the Client
client.close()
// Exit script
Self.exit(withError: error)
}
}
QueryCpuData.main()
InfluxDB Cloud supports Parameterized Queries that let you dynamically change values in a query using the InfluxDB API. Parameterized queries make Flux queries more reusable and can also be used to help prevent injection attacks.
InfluxDB Cloud inserts the params object into the Flux query as a Flux record named params
. Use dot or bracket
notation to access parameters in the params
record in your Flux query. Parameterized Flux queries support only int
, float
, and string
data types. To convert the supported data types into
other Flux basic data types, use Flux type conversion functions.
Parameterized query example:
:warning: Parameterized Queries are supported only in InfluxDB Cloud, currently there is no support in InfluxDB OSS.
import ArgumentParser
import Foundation
import InfluxDBSwift
struct ParameterizedQuery: ParsableCommand {
@Option(name: .shortAndLong, help: "The bucket to query. The name or id of the bucket destination.")
private var bucket: String
@Option(name: .shortAndLong,
help: "The organization executing the query. Takes either the `ID` or `Name` interchangeably.")
private var org: String
@Option(name: .shortAndLong, help: "Authentication token.")
private var token: String
@Option(name: .shortAndLong, help: "HTTP address of InfluxDB.")
private var url: String
public func run() {
// Initialize Client with default Organization
let client = InfluxDBClient(
url: url,
token: token,
options: InfluxDBClient.InfluxDBOptions(org: self.org))
// Flux query
let query = """
from(bucket: params.bucketParam)
|> range(start: duration(v: params.startParam))
|> filter(fn: (r) => r["_measurement"] == "cpu")
|> filter(fn: (r) => r["cpu"] == "cpu-total")
|> filter(fn: (r) => r["_field"] == "usage_user" or r["_field"] == "usage_system")
|> last()
"""
// Query parameters [String:String]
let queryParams = [ "bucketParam":"\(self.bucket)", "startParam":"-10m" ]
print("\nQuery to execute:\n\n\(query)\n\n\(queryParams)")
client.queryAPI.query(query: query, params: queryParams) { response, error in
// For handle error
if let error = error {
self.atExit(client: client, error: error)
}
// For Success response
if let response = response {
print("\nSuccess response...\n")
print("CPU usage:")
do {
try response.forEach { record in
print("\t\(record.values["_field"]!): \(record.values["_value"]!)")
}
} catch {
self.atExit(client: client, error: InfluxDBClient.InfluxDBError.cause(error))
}
}
self.atExit(client: client)
}
// Wait to end of script
RunLoop.current.run()
}
private func atExit(client: InfluxDBClient, error: InfluxDBClient.InfluxDBError? = nil) {
// Dispose the Client
client.close()
// Exit script
Self.exit(withError: error)
}
}
ParameterizedQuery.main()
The DeleteAPI supports deletes points from an InfluxDB bucket. Use the DeletePredicateRequest identifies which points to delete.
import ArgumentParser
import Foundation
import InfluxDBSwift
struct DeleteData: ParsableCommand {
@Option(name: .shortAndLong, help: "Specifies the bucket name to delete data from.")
private var bucket: String
@Option(name: .shortAndLong,
help: "Specifies the organization name to delete data from.")
private var org: String
@Option(name: .shortAndLong, help: "Authentication token.")
private var token: String
@Option(name: .shortAndLong, help: "HTTP address of InfluxDB.")
private var url: String
@Option(name: .shortAndLong, help: "InfluxQL-like delete predicate statement.")
private var predicate: String
public func run() {
// Initialize Client with default Organization
let client = InfluxDBClient(
url: url,
token: token,
options: InfluxDBClient.InfluxDBOptions(org: self.org))
// Create DeletePredicateRequest
let predicateRequest = DeletePredicateRequest(
start: Date(timeIntervalSince1970: 0),
stop: Date(),
predicate: predicate)
client.deleteAPI.delete(predicate: predicateRequest, bucket: bucket, org: org) { result, error in
// For handle error
if let error = error {
self.atExit(client: client, error: error)
}
// For Success Delete
if result != nil {
print("\nDeleted data by predicate:\n\n\t\(predicateRequest)")
// Print date after Delete
queryData(client: client)
}
}
// Wait to end of script
RunLoop.current.run()
}
private func queryData(client: InfluxDBClient) {
let query = """
from(bucket: "\(self.bucket)")
|> range(start: 0)
|> filter(fn: (r) => r["_measurement"] == "server")
|> pivot(rowKey:["_time"], columnKey: ["_field"], valueColumn: "_value")
"""
client.queryAPI.query(query: query) { response, error in
// For handle error
if let error = error {
self.atExit(client: client, error: error)
}
// For Success response
if let response = response {
print("\nRemaining data after delete:\n")
do {
try response.forEach { record in
let provider = record.values["provider"]!
let production = record.values["production"]
let app = record.values["app"]
return print("\t\(provider),production=\(production!),app=\(app!)")
}
} catch {
self.atExit(client: client, error: InfluxDBClient.InfluxDBError.cause(error))
}
}
self.atExit(client: client)
}
}
private func atExit(client: InfluxDBClient, error: InfluxDBClient.InfluxDBError? = nil) {
// Dispose the Client
client.close()
// Exit script
Self.exit(withError: error)
}
}
DeleteData.main()
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 ArgumentParser
import Foundation
import InfluxDBSwift
import InfluxDBSwiftApis
struct CreateNewBucket: ParsableCommand {
@Option(name: .shortAndLong, help: "New bucket name.")
private var name: String
@Option(name: .shortAndLong, help: "Duration bucket will retain data.")
private var retention: Int = 3600
@Option(name: .shortAndLong, help: "The ID of the organization.")
private var orgId: String
@Option(name: .shortAndLong, help: "Authentication token.")
private var token: String
@Option(name: .shortAndLong, help: "HTTP address of InfluxDB.")
private var url: String
public func run() {
// Initialize Client and API
let client = InfluxDBClient(url: url, token: token)
let api = InfluxDB2API(client: client)
// Bucket configuration
let request = PostBucketRequest(
orgID: self.orgId,
name: self.name,
retentionRules: [RetentionRule(type: RetentionRule.ModelType.expire, everySeconds: self.retention)])
// Create Bucket
api.bucketsAPI.postBuckets(postBucketRequest: request) { bucket, error in
// For error exit
if let error = error {
self.atExit(client: client, error: error)
}
if let bucket = bucket {
// Create Authorization with permission to read/write created bucket
let bucketResource = Resource(
type: Resource.ModelType.buckets,
id: bucket.id!,
orgID: self.orgId
)
// Authorization configuration
let request = Authorization(
description: "Authorization to read/write bucket: \(self.name)",
orgID: self.orgId,
permissions: [
Permission(action: Permission.Action.read, resource: bucketResource),
Permission(action: Permission.Action.write, resource: bucketResource)
])
// Create Authorization
api.authorizationsAPI.postAuthorizations(authorization: request) { authorization, error in
// For error exit
if let error = error {
atExit(client: client, error: error)
}
// Print token
if let authorization = authorization {
let token = authorization.token!
print("The token: '\(token)' is authorized to read/write from/to bucket: '\(bucket.id!)'.")
atExit(client: client)
}
}
}
}
// Wait to end of script
RunLoop.current.run()
}
private func atExit(client: InfluxDBClient, error: InfluxDBError? = nil) {
// Dispose the Client
client.close()
// Exit script
Self.exit(withError: error)
}
}
CreateNewBucket.main()
Sometimes is useful to store same information in every measurement e.g. hostname
, location
, customer
.
The client is able to use static value or env variable as a tag value.
The expressions:
California Miner
- static value${env.HOST_NAME}
- environment propertyclient = InfluxDBClient(
url: "http://localhost:8086",
token: "my-token",
options: InfluxDBClient.InfluxDBOptions(bucket: "my-bucket", org: "my-org"))
let tuple: InfluxDBClient.Point.Tuple
= (measurement: "mem", tags: ["tag": "a"], fields: ["value": .int(3)], time: nil)
let records: [Any] = [
InfluxDBClient.Point("mining")
.addTag(key: "sensor_state", value: "normal")
.addField(key: "depth", value: .int(2)),
tuple
]
let defaultTags = InfluxDBClient.PointSettings()
.addDefaultTag(key: "customer", value: "California Miner")
.addDefaultTag(key: "sensor_id", value: "${env.SENSOR_ID}")
let writeAPI = client.makeWriteAPI(pointSettings: defaultTags)
writeAPI.writeRecords(records: records) { _, error in
if let error = error {
print("Error: \(error)")
return
}
print("Successfully written default tags")
}
mining,customer=California\ Miner,sensor_id=123-456-789,sensor_state=normal depth=2i
mining,customer=California\ Miner,sensor_id=123-456-789,sensor_state=normal pressure=3i
:warning: The
connectionProxyDictionary
cannot be defined on Linux. You have to setHTTPS_PROXY
orHTTP_PROXY
system environment.
You can configure the client to tunnel requests through an HTTP proxy by connectionProxyDictionary
option:
var connectionProxyDictionary = [AnyHashable: Any](https://raw.github.com/influxdata/influxdb-client-swift/master/)
connectionProxyDictionary[kCFNetworkProxiesHTTPEnable as String] = 1
connectionProxyDictionary[kCFNetworkProxiesHTTPProxy as String] = "localhost"
connectionProxyDictionary[kCFNetworkProxiesHTTPPort as String] = 3128
let options: InfluxDBClient.InfluxDBOptions = InfluxDBClient.InfluxDBOptions(
bucket: "my-bucket",
org: "my-org",
precision: .ns,
connectionProxyDictionary: connectionProxyDictionary)
client = InfluxDBClient(url: "http://localhost:8086", token: "my-token", options: options)
For more info see - URLSessionConfiguration.connectionProxyDictionary, Global Proxy Settings Constants.
Client automatically follows HTTP redirects. You can disable redirects by an urlSessionDelegate
configuration:
class DisableRedirect: NSObject, URLSessionTaskDelegate {
func urlSession(_ session: URLSession,
task: URLSessionTask,
willPerformHTTPRedirection response: HTTPURLResponse,
newRequest request: URLRequest,
completionHandler: @escaping (URLRequest?) -> Void) {
completionHandler(nil)
}
}
let options = InfluxDBClient.InfluxDBOptions(
bucket: "my-bucket",
org: "my-org",
urlSessionDelegate: DisableRedirect())
client = InfluxDBClient(url: "http://localhost:8086", token: "my-token", options: options)
For more info see - URLSessionDelegate.
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:
Build source and test targets:
swift build --build-tests
Run tests:
./Scripts/influxdb-restart.sh
swift test
Check code coverage:
./Scripts/influxdb-restart.sh
swift test --enable-code-coverage
You could also use a docker-cli
without installing the Swift SDK:
make docker-cli
swift build
The client is available as open source under the terms of the MIT License.
link |
Stars: 14 |
Last commit: 1 week ago |
Swiftpack is being maintained by Petr Pavlik | @ptrpavlik | @swiftpackco | API | Analytics