我在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{}
当我检查源代码查询时,它可以接收许多类型为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库。
答案 0 :(得分:3)
我们在Query()
方法方案中以及从错误消息中都可以看到,该方法需要[]interface{}
类型的参数( variadic ) 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...)