8

我是redigo从 Go 连接到 redis 数据库。如何将类型转换[]interface {}{[]byte{} []byte{}}为一组字符串?在这种情况下,我想获得两个字符串HelloWorld.

package main

import (
    "fmt"
    "github.com/garyburd/redigo/redis"
)

func main() {
    c, err := redis.Dial("tcp", ":6379")
    defer c.Close()
    if err != nil {
        fmt.Println(err)
    }
    c.Send("SADD", "myset", "Hello")
    c.Send("SADD", "myset", "World")
    c.Flush()
    c.Receive()
    c.Receive()

    err = c.Send("SMEMBERS", "myset")
    if err != nil {
        fmt.Println(err)
    }
    c.Flush()
    // both give the same return value!?!?
    // reply, err := c.Receive()
    reply, err := redis.MultiBulk(c.Receive())
    if err != nil {
        fmt.Println(err)
    }
    fmt.Printf("%#v\n", reply)
    // $ go run main.go
    // []interface {}{[]byte{0x57, 0x6f, 0x72, 0x6c, 0x64}, []byte{0x48, 0x65, 0x6c, 0x6c, 0x6f}}
    // How do I get 'Hello' and 'World' from this data?
}
4

3 回答 3

8

查看模块源代码

// String is a helper that converts a Redis reply to a string. 
//
//  Reply type      Result
//  integer         format as decimal string
//  bulk            return reply as string
//  string          return as is
//  nil             return error ErrNil
//  other           return error
func String(v interface{}, err error) (string, error) {

redis.String将转换(v interface{}, err error)(string, error)

reply, err := redis.MultiBulk(c.Receive())

用。。。来代替

s, err := redis.String(redis.MultiBulk(c.Receive()))
于 2012-09-27T22:23:35.697 回答
4

查看模块的源代码,您可以看到从 Receive 返回的类型签名将是:

func (c *conn) Receive() (reply interface{}, err error)

在您的情况下,您正在使用MultiBulk

func MultiBulk(v interface{}, err error) ([]interface{}, error)

interface{}这给出了一个切片中多个 's 的回复:[]interface{}

在无类型之前,interface{}您必须像这样断言其类型

x.(T)

类型在哪里T(例如intstring等)

在您的情况下,您有一片接口(类型:),[]interface{}因此,如果您想要一个string,您需要首先断言每个接口都具有 []bytes 类型,然后将它们转换为字符串,例如:

for _, x := range reply {
    var v, ok = x.([]byte)
    if ok {
        fmt.Println(string(v))
    }
}

这是一个例子:http ://play.golang.org/p/ZifbbZxEeJ

您还可以使用类型开关来检查您返回的数据类型:

http://golang.org/ref/spec#Type_switches

for _, y := range reply {
    switch i := y.(type) {
    case nil:
        printString("x is nil")
    case int:
        printInt(i)  // i is an int
    etc...
    }
}

或者,正如有人提到的,使用内置的redis.Stringetc. 方法将为您检查和转换它们。

我认为关键是,每个都需要转换,你不能把它们作为一个块来做(除非你写了一个方法来这样做!)。

于 2012-09-28T06:14:42.780 回答
1

由于redis.MultiBulk()now 已被弃用,它可能是使用redis.Values()并将结果转换为的好方法String

import "github.com/gomodule/redigo/redis"

type RedisClient struct {
    Conn      redis.Conn
}

func (r *RedisClient) SMEMBERS(key string) interface{} {
    tmp, err := redis.Values(r.Conn.Do("smembers", key))
    if err != nil {
        fmt.Println(err)
        return nil
    }
    res := make([]string, 0)
    for _, v := range tmp {
        res = append(res, string(v.([]byte)))
    }
    return res
}
于 2020-05-24T07:59:58.713 回答