私はgrpc
を初めて使用し、Webサーバーからjson
応答をフェッチしようとしています。その後、スタブはjson
サーバーからrpc
を要求できます。
.proto
ファイルで、メッセージタイプを作成しました。
message Post {
int64 number = 1;
string now = 2;
string name = 3;
}
しかし、number
はprotoc
タグ付きのstructpb.go
ファイルを生成するため、number
フィールドをマーシャリングすることはできません。
{
"no": "23",
"now": "12:06:46",
"name": "bob"
}
メッセージフィールドの小文字の名前以外のタグを使用してMessage
を強制的に「変換」するにはどうすればよいですか? json
のフィールド名がno
であっても、Message
タグnumber
を使用するなど。
json_name
を使用して、protoメッセージ定義にproto3フィールドオプションを設定できます。
message Post {
int64 number = 1 [json_name="no"];
string now = 2;
string name = 3;
}
import "github.com/gogo/protobuf/gogoproto/gogo.proto";
// Result example:
// type Post struct {
// Number int64 `protobuf:"bytes,1,opt,name=number,json=no1,proto3" json:"no2"`
// }
message Post {
int64 number = 1 [json_name="no1", (gogoproto.jsontag) = "no2"];
}
、どこ:
jsonpbの例:
import (
"bytes"
"testing"
"encoding/json"
"github.com/golang/protobuf/jsonpb"
"github.com/stretchr/testify/require"
)
func TestJSON(t *testing.T) {
msg := &Post{
Number: 1,
}
buf := bytes.NewBuffer(nil)
require.NoError(t, (&jsonpb.Marshaler{}).Marshal(buf, msg))
require.Equal(t, `{"no1":1}`, buf.String())
buf.Truncate(0)
require.NoError(t, json.NewEncoder(buf).Encode(msg))
require.Equal(t, `{"no2":1}`, buf.String())
}
Protobufに関する詳細 extensions