Golang 序列化和反序列化

Golang serialize and deserialize back

Golang 中将结构序列化和反序列化为字符串以及反序列化的最佳方式(完整性和性能)是什么?

例如,如果我有这个结构:

struct Session {
   Properties map[string]interface{}
   Permissions []int64
}

我想将其存储在 Redis 上并取回。我试过save,int和string都可以,但是struct object怎么存?

conn := redisConnectors.Get()

// set example

_, err := conn.Do(`SETEX`, `uid_key`, EXPIRE_SEC, user_id)
_, err = conn.Do(`SETEX`, `email_key`, EXPIRE_SEC, login_email)

// get example

user_id, err := redis.Int64(conn.Do(`GET`, `uid_key`))
login_email, err := redis.String(conn.Do(`GET`, `email_key`))

结构的序列化通常使用 encoding package. However, that will work for public fields only. If you also need to serialize private fields, see this answer 作为替代。
您有多种编码选择(二进制、文本、json as in this example for a struct, xml, etc.). For example, the project cupcake/rdb uses encoding/binary to implement parsing and encoding of the Redis RDB file format(内存存储的二进制表示)。 另一个例子是guregu/rediscache,一个在Redis中缓存数据的小库

使用gob and base64可以解决问题,例如:

import (
    "encoding/base64"
    "encoding/gob"
    "bytes"
)

type SX map[string]interface{}

// go binary encoder
func ToGOB64(m SX) string {
    b := bytes.Buffer{}
    e := gob.NewEncoder(&b)
    err := e.Encode(m)
    if err != nil { fmt.Println(`failed gob Encode`, err) }
    return base64.StdEncoding.EncodeToString(b.Bytes())
}

// go binary decoder
func FromGOB64(str string) SX {
    m := SX{}
    by, err := base64.StdEncoding.DecodeString(str)
    if err != nil { fmt.Println(`failed base64 Decode`, err); }
    b := bytes.Buffer{}
    b.Write(by)
    d := gob.NewDecoder(&b)
    err = d.Decode(&m)
    if err != nil { fmt.Println(`failed gob Decode`, err); }
    return m
}

当您需要序列化自定义结构或类型(例如 Session 结构)时,只需添加以下行:

func init() {
    gob.Register(SX{})
    gob.Register(Session{}) 
}

如果你想使用other serialization format