首页 > 解决方案 > 如何用 json 存储协议缓冲区的“oneof”字段

问题描述

我想将我的 protobuf 的消息对象转换为 json 以保存/加载到 redis。但 oneof 字段无法按预期工作。

一个简单的例子。

syntax = "proto3";

message example {
    oneof test {
        bool one = 1;
        bool two = 2;
    }
}

如何将 protobuf 代码构建到 golang 中。

.PHONY: proto

proto:
    protoc -Iproto/ -I/usr/local/include \
        -I$(GOPATH)/src \
        -I$(GOPATH)/src/github.com/grpc-ecosystem/grpc-gateway/third_party/googleapis/ \
        --go_out=plugins=grpc:proto \
        proto/test.proto 

我如何编组/解组我的示例对象。

package main

import (
    "encoding/json"
    "fmt"
    pb "test/proto"
)

func main() {
    fmt.Println()

    obj := pb.Example{Test: &pb.Example_One{true}}
    fmt.Println(obj)
    fmt.Println("before one: ", obj.GetOne())
    fmt.Println("before two: ", obj.GetTwo())

    jsonData, _ := json.Marshal(obj)
    fmt.Println(string(jsonData))
    fmt.Println("-----")

    obj2 := pb.Example{}
    _ = json.Unmarshal(jsonData, &obj2)
    fmt.Println(obj2)
    fmt.Println("after one: ", obj2.GetOne())
    fmt.Println("after two: ", obj2.GetTwo())
}

那么,结果是

$ go run main.go

{{{} [] [] <nil>} 0 [] 0xc0000141a0}
before one:  true
before two:  false
{"Test":{"One":true}}
-----
{{{} [] [] <nil>} 0 [] <nil>}
after one:  false
after two:  false

有人知道原因吗?

标签: jsongoprotocol-buffers

解决方案


感谢彼得,我可以将我的消息编码为 json。

protojson 文件

  • 我的协议环境
// versions:
//  protoc-gen-go v1.25.0-devel
//  protoc        v3.6.

我的答案代码

package main

import (
    "fmt"
    pb "test/proto"

    "google.golang.org/protobuf/encoding/protojson"
)

func main() {
    obj := pb.Example{Test: &pb.Example_One{true}}
    fmt.Println(obj)
    fmt.Println("before one: ", obj.GetOne())
    fmt.Println("before two: ", obj.GetTwo())

    jsonData, _ := protojson.Marshal(&obj)
    fmt.Println(string(jsonData))
    fmt.Println("-----")

    obj2 := pb.Example{}
    _ = protojson.Unmarshal(jsonData, &obj2)
    fmt.Println(obj2)
    fmt.Println("after one: ", obj2.GetOne())
    fmt.Println("after two: ", obj2.GetTwo())
}

和结果

$ go run main.go
{{{} [] [] <nil>} 0 [] 0xc0000141cc}
before one:  true
before two:  false
{"one":true}
-----
{{{} [] [] 0xc0001203c0} 0 [] 0xc000014253}
after one:  true
after two:  false

推荐阅读