go.mdx 13.1 KB
Newer Older
D
dingbo 已提交
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17
---
toc_max_heading_level: 4
sidebar_position: 4
sidebar_label: Go
title: TDengine Go Connector
---

import Tabs from '@theme/Tabs';
import TabItem from '@theme/TabItem';

import Preparition from "./_preparition.mdx"
import GoInsert from "../../04-develop/03-insert-data/_go_sql.mdx"
import GoInfluxLine from "../../04-develop/03-insert-data/_go_line.mdx"
import GoOpenTSDBTelnet from "../../04-develop/03-insert-data/_go_opts_telnet.mdx"
import GoOpenTSDBJson from "../../04-develop/03-insert-data/_go_opts_json.mdx"
import GoQuery from "../../04-develop/04-query-data/_go.mdx"

18
`driver-go` is the official Go language connector for TDengine, which implements the interface to the Go language [ database/sql ](https://golang.org/pkg/database/sql/) package. Go developers can use it to develop applications that access TDengine cluster data.
D
dingbo 已提交
19

20
`driver-go` provides two ways to establish connections. One is **native connection**, which connects to TDengine runtime instances natively through the TDengine client driver (taosc), supporting data writing, querying, subscriptions, schemaless interface, and parameter binding interface. The other is the **REST connection**, which connects to TDengine runtime instances via the REST interface provided by taosAdapter. The set of features implemented by the REST connection differs slightly from the native connection.
D
dingbo 已提交
21

22
This article describes how to install `driver-go` and connect to TDengine clusters and perform basic operations such as data query and data writing through `driver-go`.
D
dingbo 已提交
23

24
The source code of `driver-go` is hosted on [GitHub](https://github.com/taosdata/driver-go).
D
dingbo 已提交
25

26
## Supported Platforms
D
dingbo 已提交
27

28 29
Native connections are supported on the same platforms as the TDengine client driver.
REST connections are supported on all platforms that can run Go.
D
dingbo 已提交
30

31
## Version support
D
dingbo 已提交
32

33
Please refer to [version support list](/reference/connector#version support)
D
dingbo 已提交
34

35
## Supported features
D
dingbo 已提交
36

37
### Native connections
D
dingbo 已提交
38

39
A "native connection" is established by the connector directly to the TDengine runtime instance via the TDengine client driver (taosc). The supported functional features are
D
dingbo 已提交
40

41 42 43 44 45
* Normal queries
* Continuous queries
* Subscriptions
* schemaless interface
* parameter binding interface
D
dingbo 已提交
46

47
### REST connection
D
dingbo 已提交
48

49
A "REST connection" is a connection between a connector and a TDengine runtime instance via the REST API provided by the taosAdapter component. The following features are supported.
D
dingbo 已提交
50

51 52
* General queries
* Continuous queries
D
dingbo 已提交
53

54
## Installation steps
D
dingbo 已提交
55

56
### Pre-installation
D
dingbo 已提交
57

58 59
* Install Go development environment (Go 1.14 and above, GCC 4.8.5 and above)
* If you use the native connector, please install the TDengine client driver. Please refer to [Install Client Driver](/reference/connector#Install Client Driver) for specific steps
D
dingbo 已提交
60

61
Configure the environment variables and check the command.
D
dingbo 已提交
62

63 64
* ```go env``
* ```gcc -v``
D
dingbo 已提交
65

66
### Use go get to install
D
dingbo 已提交
67

68
``go get -u github.com/taosdata/driver-go/v2@develop``
D
dingbo 已提交
69

70
### Manage with go mod
D
dingbo 已提交
71

72
1. Initialize the project with the `go mod` command.
D
dingbo 已提交
73

74
  ``text
D
dingbo 已提交
75
  go mod init taos-demo
76
  ``` text
D
dingbo 已提交
77

78
2. Introduce taosSql: ``text
D
dingbo 已提交
79 80 81 82 83 84 85 86

  ```go
  import (
    "database/sql"
    _ "github.com/taosdata/driver-go/v2/taosSql"
  )
  ```

87
3. Update the dependency packages with `go mod tidy`.
D
dingbo 已提交
88 89 90

  ```text
  go mod tidy
91
  ``` 4.
D
dingbo 已提交
92

93
4. Run the program with `go run taos-demo` or compile the binary with the `go build` command.
D
dingbo 已提交
94 95 96 97 98 99

  ```text
  go run taos-demo
  go build
  ```

100
## Create a connection
D
dingbo 已提交
101

102
### Data source name (DSN)
D
dingbo 已提交
103

104
Data source names have a standard format, e.g. [PEAR DB](http://pear.php.net/manual/en/package.database.db.intro-dsn.php), but no type prefix (square brackets indicate optionally): the
D
dingbo 已提交
105 106

``` text
107
[username[:password]@][protocol[(address)]]/[dbname][?param1=value1&... &paramN=valueN]
D
dingbo 已提交
108 109
```

110
DSN in full form.
D
dingbo 已提交
111 112 113 114

```text
username:password@protocol(address)/dbname?param=value
```
115
### Connecting using connectors
D
dingbo 已提交
116 117

<Tabs defaultValue="native">
118
<TabItem value="native" label="native connection">
D
dingbo 已提交
119

120
_taosSql_ implements Go's `database/sql/driver` interface via cgo. You can use the [`database/sql`](https://golang.org/pkg/database/sql/) interface by simply introducing the driver.
D
dingbo 已提交
121

122
Use `taosSql` as `driverName` and use a correct [DSN](#DSN) as `dataSourceName`, DSN supports the following parameters.
D
dingbo 已提交
123

124
* configPath specifies the taos.cfg directory
D
dingbo 已提交
125

126
Example.
D
dingbo 已提交
127 128 129 130 131 132 133 134 135 136 137 138

```go
package main

import (
    "database/sql"
    "fmt"

    _ "github.com/taosdata/driver-go/v2/taosSql"
)

func main() {
139
    var taosUri = "root:taosdata@tcp(localhost:6030)/"
D
dingbo 已提交
140
    taos, err := sql.Open("taosSql", taosUri)
141
    if err ! = nil {
D
dingbo 已提交
142 143 144 145 146 147
        fmt.Println("failed to connect TDengine, err:", err)
        return
    }
}
```

148 149
</TabItem
<TabItem value="rest" label="REST connection">
D
dingbo 已提交
150

151
_taosRestful_ implements Go's `database/sql/driver` interface via `http client`. You can use the [`database/sql`](https://golang.org/pkg/database/sql/) interface by simply introducing the driver.
D
dingbo 已提交
152

153
Use `taosRestful` as `driverName` and use a correct [DSN](#DSN) as `dataSourceName` with the following parameters supported by the DSN.
D
dingbo 已提交
154

155 156
* `disableCompression` whether to accept compressed data, default is true do not accept compressed data, set to false if transferring data using gzip compression.
* `readBufferSize` The default size of the buffer for reading data is 4K (4096), which can be adjusted upwards when the query result has a lot of data.
D
dingbo 已提交
157

158
Example.
D
dingbo 已提交
159 160 161 162 163 164 165 166 167 168 169 170

```go
package main

import (
    "database/sql"
    "fmt"

    _ "github.com/taosdata/driver-go/v2/taosRestful"
)

func main() {
171
    var taosUri = "root:taosdata@http(localhost:6041)/"
D
dingbo 已提交
172
    taos, err := sql.Open("taosRestful", taosUri)
173
    if err ! = nil {
D
dingbo 已提交
174 175 176 177 178 179 180 181
        fmt.Println("failed to connect TDengine, err:", err)
        return
    }
}
```
</TabItem>
</Tabs>

182
## Usage examples
D
dingbo 已提交
183

184
### Write data
D
dingbo 已提交
185

186
#### SQL Write
D
dingbo 已提交
187 188 189

<GoInsert />

190
#### InfluxDB line protocol write
D
dingbo 已提交
191 192 193

<GoInfluxLine />

194
#### OpenTSDB Telnet line protocol write
D
dingbo 已提交
195 196 197

<GoOpenTSDBTelnet />

198
#### OpenTSDB JSON line protocol write
D
dingbo 已提交
199 200 201

<GoOpenTSDBJson />

202
### Query data
D
dingbo 已提交
203 204 205

<GoQuery />

206
### More sample programs
D
dingbo 已提交
207

208 209
* [sample program](https://github.com/taosdata/TDengine/tree/develop/examples/go)
* [Video tutorial](https://www.taosdata.com/blog/2020/11/11/1951.html).
D
dingbo 已提交
210

211
## Usage limitations
D
dingbo 已提交
212

213
Since the REST interface is stateless, the `use db` syntax will not work. You need to put the db name into the SQL statement, e.g. `create table if not exists tb1 (ts timestamp, a int)` to `create table if not exists test.tb1 (ts timestamp, a int)` otherwise it will report the error `[0x217] Database not specified or available`.
D
dingbo 已提交
214

215
You can also put the db name in the DSN by changing `root:taosdata@http(localhost:6041)/` to `root:taosdata@http(localhost:6041)/test`. This method is supported by taosAdapter in TDengine 2.4.0.5. is supported since TDengine 2.4.0.5. Executing the `create database` statement when the specified db does not exist will not report an error while executing other queries or writing against that db will report an error.
D
dingbo 已提交
216

217
The complete example is as follows.
D
dingbo 已提交
218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266

```go
package main

import (
    "database/sql"
    "fmt"
    "time"

    _ "github.com/taosdata/driver-go/v2/taosRestful"
)

func main() {
    var taosDSN = "root:taosdata@http(localhost:6041)/test"
    taos, err := sql.Open("taosRestful", taosDSN)
    if err != nil {
        fmt.Println("failed to connect TDengine, err:", err)
        return
    }
    defer taos.Close()
    taos.Exec("create database if not exists test")
    taos.Exec("create table if not exists tb1 (ts timestamp, a int)")
    _, err = taos.Exec("insert into tb1 values(now, 0)(now+1s,1)(now+2s,2)(now+3s,3)")
    if err != nil {
        fmt.Println("failed to insert, err:", err)
        return
    }
    rows, err := taos.Query("select * from tb1")
    if err != nil {
        fmt.Println("failed to select from table, err:", err)
        return
    }

    defer rows.Close()
    for rows.Next() {
        var r struct {
            ts time.Time
            a  int
        }
        err := rows.Scan(&r.ts, &r.a)
        if err != nil {
            fmt.Println("scan error:\n", err)
            return
        }
        fmt.Println(r.ts, r.a)
    }
}
```

267
## Frequently Asked Questions
D
dingbo 已提交
268

269
1. Cannot find the package `github.com/taosdata/driver-go/v2/taosRestful`
D
dingbo 已提交
270

271
  Change the reference to `github.com/taosdata/driver-go/v2` in the require block in `go.mod` to `github.com/taosdata/driver-go/v2 develop`, then execute `go mod tidy`.
D
dingbo 已提交
272

273
2. stmt (parameter binding) related interface in database/sql crashes
D
dingbo 已提交
274

275
  REST does not support parameter binding related interface. It is recommended to use `db.Exec` and `db.Query`.
D
dingbo 已提交
276

277
3. error `[0x217] Database not specified or available` after executing other statements with `use db` statement
D
dingbo 已提交
278

279
  The execution of SQL statements in the REST interface is not contextual, so using `use db` statement will not work, see the usage restrictions section above.
D
dingbo 已提交
280

281
4. use taosSql without error use taosRestful with error `[0x217] Database not specified or available`
D
dingbo 已提交
282

283
  Because the REST interface is stateless, using the `use db` statement will not take effect. See the usage restrictions section above.
D
dingbo 已提交
284

285
5. Upgrade `github.com/taosdata/driver-go/v2/taosRestful`
D
dingbo 已提交
286

287
  Change the reference to `github.com/taosdata/driver-go/v2` in the `go.mod` file to `github.com/taosdata/driver-go/v2 develop`, then execute `go mod tidy`.
D
dingbo 已提交
288

289
6. `readBufferSize` parameter has no significant effect after being increased
D
dingbo 已提交
290

291
  If you increase `readBufferSize` will reduce the number of `syscall` calls when fetching results. If the query result is more petite, modifying this parameter will not improve significantly. If you increase the parameter too much, the bottleneck will be parsing JSON data. If you need to optimize the query speed, you must adjust the value according to the actual situation to achieve the best query result.
D
dingbo 已提交
292

293
7. `disableCompression` parameter is set to `false` when the query efficiency is reduced
D
dingbo 已提交
294

295
  When set `disableCompression` parameter to `false`, the query result will be compressed by `gzip` and then transmitted, so you have to decompress the data by `gzip` after getting it.
D
dingbo 已提交
296

297
8. `go get` command can't get the package, or timeout to get the package
D
dingbo 已提交
298

299
  Set Go proxy `go env -w GOPROXY=https://goproxy.cn,direct`.
D
dingbo 已提交
300

301
## Common APIs
D
dingbo 已提交
302 303 304 305 306

### database/sql API

* `sql.Open(DRIVER_NAME string, dataSourceName string) *DB`

307
  Use This API to open a DB, returning an object of type \*DB.
D
dingbo 已提交
308 309

:::info
310
This API is created successfully without checking permissions, but only when you execute a Query or Exec, and check if user/password/host/port is legal.
D
dingbo 已提交
311 312
:::

313
* `func (db *DB) Exec(query string, args . .interface{}) (Result, error)`
D
dingbo 已提交
314

315
  `sql.Open` built-in method to execute non-query related SQL.
D
dingbo 已提交
316

317
* `func (db *DB) Query(query string, args ... . interface{}) (*Rows, error)`
D
dingbo 已提交
318

319
  `sql.Open` Built-in method to execute query statements.
D
dingbo 已提交
320

321
### Advanced functions (af) API
D
dingbo 已提交
322

323
The `af` package encapsulates TDengine advanced functions such as connection management, subscriptions, schemaless, parameter binding, etc.
D
dingbo 已提交
324

325
#### Connection management
D
dingbo 已提交
326 327 328

* `af.Open(host, user, pass, db string, port int) (*Connector, error)`

329
  This API creates a connection to taosd via cgo.
D
dingbo 已提交
330 331 332

* `func (conn *Connector) Close() error`

333
  Closes the connection.
D
dingbo 已提交
334

335
#### Subscribe to
D
dingbo 已提交
336 337 338

* `func (conn *Connector) Subscribe(restart bool, topic string, sql string, interval time.Duration) (Subscriber, error)`

339
  Subscribe to data.
D
dingbo 已提交
340 341 342

* `func (s *taosSubscriber) Consume() (driver.Rows, error)`

343
  Consume the subscription data, returning the `Rows` structure of the `database/sql/driver` package.
D
dingbo 已提交
344 345 346

* `func (s *taosSubscriber) Unsubscribe(keepProgress bool)`

347
  Unsubscribe from data.
D
dingbo 已提交
348 349 350 351 352

#### schemaless

* `func (conn *Connector) InfluxDBInsertLines(lines []string, precision string) error`

353
  Write to influxDB line protocol.
D
dingbo 已提交
354 355 356

* `func (conn *Connector) OpenTSDBInsertTelnetLines(lines []string) error`

357
  Write OpenTDSB telnet protocol data.
D
dingbo 已提交
358 359 360

* `func (conn *Connector) OpenTSDBInsertJsonPayload(payload string) error`

361
  Writes OpenTSDB JSON protocol data.
D
dingbo 已提交
362

363
#### parameter binding
D
dingbo 已提交
364 365 366

* `func (conn *Connector) StmtExecute(sql string, params *param.Param) (res driver.Result, err error)`

367
  Parameter bound single row insert.
D
dingbo 已提交
368 369 370

* `func (conn *Connector) StmtQuery(sql string, params *param.Param) (rows driver.Rows, err error)`

371
  Parameter bound query that returns the `Rows` structure of the `database/sql/driver` package.
D
dingbo 已提交
372

373
* `func (conn *Connector) InsertStmt() *insertstmt.
D
dingbo 已提交
374

375
  Initialize the parameters.
D
dingbo 已提交
376 377 378

* `func (stmt *InsertStmt) Prepare(sql string) error`

379
  Parameter binding preprocessing SQL statement.
D
dingbo 已提交
380 381 382

* `func (stmt *InsertStmt) SetTableName(name string) error`

383
  Bind the set table name parameter.
D
dingbo 已提交
384 385 386

* `func (stmt *InsertStmt) SetSubTableName(name string) error`

387
  Parameter binding to set the sub table name.
D
dingbo 已提交
388 389 390

* `func (stmt *InsertStmt) BindParam(params []*param.Param, bindType *param.ColumnType) error`

391
  Parameter bind multiple rows of data.
D
dingbo 已提交
392 393 394

* `func (stmt *InsertStmt) AddBatch() error`

395
  Add to a parameter-bound batch.
D
dingbo 已提交
396 397 398

* `func (stmt *InsertStmt) Execute() error`

399
  Execute a parameter binding.
D
dingbo 已提交
400 401 402

* `func (stmt *InsertStmt) GetAffectedRows() int`

403
  Gets the number of affected rows inserted by the parameter binding.
D
dingbo 已提交
404 405 406

* `func (stmt *InsertStmt) Close() error`

407
  Closes the parameter binding.
D
dingbo 已提交
408

409
## API Reference
D
dingbo 已提交
410

411
Full API see [driver-go documentation](https://pkg.go.dev/github.com/taosdata/driver-go/v2)