错误“binary.Write:无效类型”是什么意思?

下面显示的代码,我创建了一个结构类型并希望将其编码为二进制。但它显示binary.Write: invalid type main.Stu错误,我读过一些类似的代码,但我找不到为什么我的代码不起作用?


type Stu struct {
    Name string
    Age int
    Id int
}

func main()  {
    s := &Stu{
        Name: "Leo",
        Age: 21,
        Id: 1,
    }

    buf := new(bytes.Buffer)
    err := binary.Write(buf, binary.BigEndian, s)
    if err != nil{
        fmt.Println(err)
    }
    fmt.Printf("%qn", buf)
}

回答

简而言之:encoding/binary不能用于编码具有非固定大小的任意值。int并且string是这样的例子。引自binary.Write()

Write 将数据的二进制表示写入 w。数据必须是固定大小的值或固定大小值的切片,或指向此类数据的指针。

请注意,如果您删除该string字段并将int字段更改为int32,它将起作用:

type Stu struct {
    Age int32
    Id  int32
}

func main() {
    s := &Stu{
        Age: 21,
        Id:  1,
    }

    buf := new(bytes.Buffer)
    err := binary.Write(buf, binary.BigEndian, s)
    if err != nil {
        fmt.Println(err)
    }
    fmt.Printf("%qn", buf)
}

哪些输出(在Go Playground上试试):

"x00x00x00x15x00x00x00x01"

正如文档所建议的,要编码复杂的结构,请使用encoding/gob.

使用encoding/gob以下编码和解码的示例:

buf := new(bytes.Buffer)
enc := gob.NewEncoder(buf)
if err := enc.Encode(s); err != nil {
    fmt.Println(err)
}
fmt.Printf("%vn", buf.Bytes())

dec := gob.NewDecoder(buf)
var s2 *Stu
if err := dec.Decode(&s2); err != nil {
    fmt.Println(err)
}
fmt.Printf("%+vn", s2)

哪些输出(在Go Playground上试试):

[41 255 129 3 1 1 3 83 116 117 1 255 130 0 1 3 1 4 78 97 109 101 1 12 0 1 3 65 103 101 1 4 0 1 2 73 100 1 4 0 0 0 12 255 130 1 3 76 101 111 1 42 1 2 0]
&{Name:Leo Age:21 Id:1}

  • binary.Write can write structs. It can't write `string` or `int` because they're not fixed-size.

以上是错误“binary.Write:无效类型”是什么意思?的全部内容。
THE END
分享
二维码
< <上一篇
下一篇>>