我有一个以下格式的json
[
{
"id": "one",
"type": "Integer",
"value": "10"
},
{
"id": "two",
"type": "String",
"value": "StringValue"
},
{
"id": "three",
"type": "com.something.special",
"value": {
"splFiel1": "filedOne",
"splFiel2": "fielTwo",
"splFiel3": "fieldThree"
}
}
]
每个数组元素总是有三个字段id,type和value。 领域的结构"价值"将取决于领域"类型"并且可以根据这个改变。
我想将这个json转换为Java对象,这样我就可以轻松访问" value" obj及其子字段很容易。我不认为这是正常的json到java对象转换的原因是由于"值"的变化的字段结构。基于字段的字段" type"在同一个json。
可以这样做吗? 我试图用杰克逊杰森做这个,但如果你有更好的选择,请建议。
请提供任何想法,建议和参考链接。
答案 0 :(得分:1)
您可以使用以下POJO转换您给定的JSON
public class Example {
@SerializedName("id")
private String id;
@SerializedName("type")
private String type;
@SerializedName("value")
private String value;
}
对于第三个字段,您可以保持简单的字符串。然后,只要您希望将其内容解析为正确构造java类,就可以检查其中的类型并将json字符串解析为某个java对象
答案 1 :(得分:1)
使用Google GSON库读取JSON文件。
使DataStructure存储JSON数据。 dataStructure的value字段是字符串类型。如果它存储JSON字符串,则再次执行JSON解析。
class Data{
String id;
String type;
String value;
public String getId() {
return id;
}
public void setId(String id) {
this.id = id;
}
public String getType() {
return type;
}
public void setType(String type) {
this.type = type;
}
public String getValue() {
return value;
}
public void setValue(String value) {
this.value = value;
}
@Override
public String toString() {
return "Data [id=" + id + ", type=" + type + ", value=" + value + "]";
}
}
public class JSONData {
public static void main(String[] args) throws FileNotFoundException{
Gson gson = new Gson();
JsonParser parser = new JsonParser();
JsonReader reader = new JsonReader(new InputStreamReader(new FileInputStream("in.json")));
JsonArray jArray = parser.parse(reader).getAsJsonArray();
List<Data> datas = new ArrayList<>();
for (JsonElement object : jArray) {
Data data = new Data();
JsonObject jObject = gson.fromJson(object, JsonObject.class);
data.setId(jObject.get("id").toString());
data.setType(jObject.get("type").toString());
data.setValue(jObject.get("value").toString());
System.out.println(data);
datas.add(data);
}
}
}