如何将变量 id 传递给 golang 中的 statement.Query()?

How to pass variable ids to statement.Query() in golang?

我在 postgres 中有这个查询,它根据传递的参数查询 1 个或 n 个用户:

select name, phone from clients where id in ('id1','id2')

现在,当我尝试在 golang 中使用它时,我遇到了如何将这种类型的变量参数传递给 statement.Query() 函数的问题:

ids := []string{"0aa6c0c5-e44e-4187-b128-6ae4b2258df0", "606b0182-269f-469a-bb29-26da4fa0302b"}
rows, err := stmt.Query(ids...)

这会引发错误:Cannot use 'ids' (type []string) as type []interface{}

当我签入源代码查询时,它可以接收到许多接口类型的变量:

func (s *Stmt) Query(args ...interface{}) (*Rows, error) {
    return s.QueryContext(context.Background(), args...)
}

如果我手动执行此操作,它会起作用:

rows, err := stmt.Query("0aa6c0c5-e44e-4187-b128-6ae4b2258df0", "606b0182-269f-469a-bb29-26da4fa0302b")

但我当然需要 args 为 1 或更多,并且动态生成。

我正在使用 Sqlx 库。

正如我们在 Query() 方法方案和错误消息中看到的那样,该方法需要一个 []interface{} 类型的参数。

func (s *Stmt) Query(args ...interface{}) (*Rows, error) {
    return s.QueryContext(context.Background(), args...)
}

在您的代码中,ids 变量保存 []string 数据。改成 []interface{} 这样就可以满足 Query() 的要求了,就可以了。

ids := []interface{}{
    "0aa6c0c5-e44e-4187-b128-6ae4b2258df0",
    "606b0182-269f-469a-bb29-26da4fa0302b",
}
rows, err := stmt.Query(ids...)