我正在尝试解析从Web API到Java对象的一些JSON,并遇到一些问题。
这是JSON:
{
"d":{
"results":[
{
"__metadata" { some metadata I'm not interested in },
"attribute1":"attribute id 1",
"attribute2:"attribute value 1"
},
{
"__metadata" { some metadata I'm not interested in },
"attribute1":"attribute id 2",
"attribute2:"attribute value 2"
}
]
}
}
现在我想将以下数据映射到Java类,以便结果是Catalog对象,结果数组中的值是CatalogEntry对象:
public class Catalog {
private final List<CatalogEntry> values;
public Catalog() {
values = null;
}
public Catalog(@JsonProperty("results") List<CatalogEntry> values) {
super();
this.values = values;
}
}
public class CatalogEntry {
private String attribute1;
private String attribute2;
public CatalogEntry() {}
public CatalogEntry(@JsonProperty("attribute1") String attribute1,
@JsonProperty("attribute2") String attribute2) {
this.attribute1 = attribute1;
this.attribute2 = attribute2;
}
}
使用以下行我尝试将JSON字符串反序列化为Catalog对象:
Catalog catalog = genson.deserialize(json, Catalog.class);
之后我尝试获取Catalog对象中的值,但得到NullPointerException,因为它似乎是空的。我认为反序列化在JSON中的“d”对象有问题,但我该如何解决这个问题呢?任何帮助将不胜感激。
答案 0 :(得分:0)
问题是你有2个构造函数,一个没有参数,另一个带参数。 Genson在这种情况下选择空构造函数。 由于属性不可见且没有setter,因此它不会填充值。
因此,如果您希望Genson使用特定的构造函数,则必须使用@JsonCreator对其进行注释。顺便说一句,如果使用此选项配置Genson,则可以删除参数上的JsonProperty(“...”):
Genson genson = new GensonBuilder()
.useConstructorWithArguments(true)
.create();
另一个选择是通过这样做告诉Genson使用私有属性:
Genson genson = new GensonBuilder()
.useFields(true, VisibilityFilter.PRIVATE)
.create();
在这种情况下,您不需要构造函数上的注释,因为Genson将使用no arg。我推荐你第一个选择。