如何使用 GSON 从 JSON 构建协议缓冲区消息?

问题描述 投票:0回答:2

我一直在尝试使用 GSON 从 JSON 字符串生成协议缓冲区消息。可以做到吗?

我已经尝试过:

Gson gson = new Gson();
Type type = new TypeToken<List<PROTOBUFFMESSAGE.Builder>>() {}.getType();
List<PROTOBUFFMESSAGE.Builder> list = (List<PROTOBUFFMESSAGE.Builder>) gson.fromJson(aJsonString, type);

Gson gson = new Gson();
Type type = new TypeToken<List<PROTOBUFFMESSAGE>>() {}.getType();
List<PROTOBUFFMESSAGE> list = (List<PROTOBUFFMESSAGE>) gson.fromJson(aJsonString, type);

JSON 中的消息使用与协议缓冲区中相同的名称,即:

message PROTOBUFFMESSAGE {
   optional string this_is_a_message = 1;
   repeated string this_is_a_list = 2;
}

将生成 json:

[
    {
        "this_is_a_message": "abc",
        "this_is_a_list": [
            "123",
            "qwe"
        ]
    },
    {
        "this_is_a_message": "aaaa",
        "this_is_a_list": [
            "foo",
            "bar"
        ]
    }
]

虽然生成了包含正确数量的 PROTOBUFFMESSAGE 的列表,但它们的所有字段都为空,所以我不确定这是否是映射问题、反射系统未检测到 protobuffs 字段或其他问题。顺便说一句,我在这里谈论的是 Java。

编辑

将 JSON 中的名称更改为:

        {
            "thisIsAMessage_": "abc",
            "thisIsAList_": [
                "123",
                "qwe"
            ]
        }

使反序列化发生。除了抛出的列表之外,它确实有效:

java.lang.IllegalArgumentException: Can not set com.google.protobuf.LazyStringList field Helper$...etc big path here...$PROTOBUFFMESSAGE$Builder.thisIsAList_ to java.util.ArrayList
java json gson protocol-buffers
2个回答
0
投票

听起来你必须使用

GsonBuilder
来构建
Gson
对象,并为
com.google.protobuf.LazyStringList
对象编写并注册一个类型适配器。


0
投票

不要通过构造函数启动

Gson
对象,而是使用以下代码片段:

GsonBuilder builder = new GsonBuilder();
builder.registerTypeAdapter(LazyStringList.class, new TypeAdapter<LazyStringList>() {

  @Override
  public void write(JsonWriter jsonWriter, LazyStringList strings) throws IOException {

  }

  @Override
  public LazyStringList read(JsonReader in) throws IOException {
    LazyStringList lazyStringList = new LazyStringArrayList();

    in.beginArray();

    while (in.hasNext()) {
      lazyStringList.add(in.nextString());
    }

    in.endArray();

    return lazyStringList;
  }
});
© www.soinside.com 2019 - 2024. All rights reserved.