如何处理从go代码查询influxdb数据库获得的结果

How to process result obtained from querying influxdb database from go code

我正在通过这样的 go 代码查询 influxdb 数据库。

q := fmt.Sprintf("select step,timeTaken from ZtpBoot where cvpVersion = 
                  2017.1.1 group by step,numberOfDevices"
res, _ := queryDB(clnt, q)
Result when executing query in influxdb is like:-
name: ZtpBoot
tags: numberOfDevices=2, step=Step3.verifyZtpViaPost
time                step                   timeTaken
----                ----                   ---------
1495540747000000000 Step3.verifyZtpViaPost 0.108520030975
1495541643000000000 Step3.verifyZtpViaPost 0.115226984024

name: ZtpBoot
tags: numberOfDevices=2, step=Step4.verifyZtpViaHttp
time                step                   timeTaken
----                ----                   ---------
1495540747000000000 Step4.verifyZtpViaHttp 0.100101947784
1495541643000000000 Step4.verifyZtpViaHttp 0.103901863098

如何处理从 res_ := queryDB(clnt, q) 获取的 res 以显示结果 table。

res 如果您仔细检查每种类型并了解如何在一般情况下很好地使用 Go 类型,driver documentation 中就有如何解析 res

如您在评论中所示,res 是类型 []client.Result,这意味着它是结果的一部分。结果在文档中定义。查看 Result 中的每个字段,并查找它们的每个类型。如果它们对您来说没有意义,请尝试阅读更多有关 Go 中类型的含义的信息。考虑更进一步,编写并 运行ning 一些以某种方式使用该类型的代码——创建它的文字并打印它,或者访问它的一部分,例如——直到你习惯了去使用它并更好地理解它。

文档中不明白的部分可以自己去查,比如[](slice/array)和*(指针)在Go中是什么意思,或者切片是怎么表示的和地图在 Go 中工作,如果你还不确定这些事情。 language specification 是一个很好的资源。如果某个文档没有意义并且您对它的工作有更具体的问题,您可以 post 向 Whosebug 提出有关它的问题。

我希望这个示例足以让您入门。如您所见,我使用不同类型的文字初始化了一些变量,然后 运行 与您在评论中 运行 相同的打印命令。请注意,它部分填充了您 post 编辑的结构。

package main

import(
    "fmt"
    "github.com/influxdata/influxdb/client/v2"
    "github.com/influxdata/influxdb/models"
)

func main() {
    tags := map[string]string{
        "numberOfDevices":"1",
        "step":"Step1.dhcpSetupTime",
    }
    cols := []string{"time", "step", "timeTaken"}
    row := models.Row{
        Name: "ZtpBoot",
        Tags: tags,
        Columns: cols,
        // add Values and Partial
    }
    rows := []models.Row{row}
    res := client.Result{
        Series: rows,
        // Add Messages and Err
    }
    fmt.Printf("Res: %v\nType: %T\n", res, res)
}

这个程序的输出是:

Res: {[{ZtpBoot map[numberOfDevices:1 step:Step1.dhcpSetupTime] [time step timeTaken] [] false}] [] }
Type: client.Result

我希望这足以让您朝着正确的方向开始。如果你研究它,看看我所做的并阅读更多 Go 文档,你可能能够填写其余部分,并了解如何访问此数据结构的部分内容。