2

我正在尝试使用 gson 将 json 字符串转换为对象。

我在下面有一个非常简单的示例,它可以运行,但结果答案是空的,即:我的 Answer 对象的文本字段是空的。

import com.google.gson.*;

public class Meow {

    public static void main(String[] args) throws Exception{

        Gson gson = new Gson();
        String jsonOutput = "[{\"answer\":{\"text\":\"text1\"}},{\"answer\":{\"text\":\"text2\"}} ]";

        Answer[] a = gson.fromJson(jsonOutput, Answer[].class);

        for(Answer i:a) {
          System.out.println(i.text);
        }       
    }

    public class Answer {

        public String text;

        public Answer(String text) {
            super();
            this.text=text;
        }

        public String toString(){
            return text;
        }

        public void setText(String a){
            this.text=a;
        }
    }

}
4

1 回答 1

5

因为您的 JSON 与您的课程不匹配。

您现在的 JSON 是一个对象数组,每个对象都包含一个answer对象作为字段。

您的 JSON 您拥有事物的方式需要如下所示:

String jsonOutput = "[{\"text\":\"text1\"},{\"text\":\"text2\"}]";

编辑以从评论中添加:

如果你不能改变输出,你需要一个“包装器”。就像是:

public class AnswerWrapper {
    public Answer answer;

    // etc
}

并使用其中的一个数组。这就是 JSON 将映射到的内容。它不能将它们视为Answer对象,因为……它们不是。

要添加的另一个编辑:您的另一种选择是为您的类编写自定义反序列化器。我对你是否应该这样做有点困惑,但它会起作用。我这么说的原因是您拥有的 JSON不是对象数组Answer,但您希望它是。如果我在生产代码中遇到这个问题,我想我会很生气,因为如果不了解发生了什么,它可能会令人困惑。

有了这个警告,您可以创建一个自定义JsonDeserializer并使用GsonBuilder

class AnswerDeserializer implements JsonDeserializer<Answer> {

    public Answer deserialize(JsonElement je, Type type, 
                              JsonDeserializationContext jdc) 
                                   throws JsonParseException {

        return new Answer(je.getAsJsonObject().get("answer")
                            .getAsJsonObject().get("text").getAsString());
    }

}

然后您的代码将如下所示:

public static void main(String[] args) throws Exception{

    String jsonOutput = "[{\"answer\":{\"text\":\"text1\"}},{\"answer\":{\"text\":\"text2\"}} ]";

    GsonBuilder gsonBuilder = new GsonBuilder();
    gsonBuilder.registerTypeAdapter(Answer.class, new AnswerDeserializer());

    Gson gson = gsonBuilder.create();

    Answer[] a = gson.fromJson(jsonOutput, Answer[].class);

    for(Answer i:a) {
        System.out.println(i.text);
    }       
}

如果是我,并且我的 JSON 不是我需要的,但想使用 GSON 直接序列化/反序列化,我将创建Answer该类作为隐藏细节的包装器:

/**
 *  Due to how our JSON is being provided we created an inner
 *  class. 
 **/ 
public class Answer {

    private RealAnswer answer;

    private class RealAnswer {

        public String text;
    }

    ...
}

使用公共 getter/setterAnswer访问私有RealAnswer. 对于下一个人来说,这似乎更清晰,更容易理解。

于 2012-12-14T05:55:30.970 回答