我能够读取具有键值对的简单json文件,并且代码为
import java.io.FileInputStream;
import java.io.FileReader;
import java.io.IOException;
import org.codehaus.jackson.JsonParseException;
import org.codehaus.jackson.map.JsonMappingException;
import org.codehaus.jackson.map.ObjectMapper;
public class readconfig {
public static void main(String Args[]) throws JsonParseException, JsonMappingException, IOException{
// String inputjson = "{\"key1\":\"value1\", \"key2\":\"value2\", \"key3\":\"value3\"}";
ObjectMapper mapper= new ObjectMapper();
// readjson mp =mapper.readValue(inputjson, readjson.class);
readjson mp =mapper.readValue(new FileInputStream("sam.json"), readjson.class );
System.out.println(mp.getKey1());
}
}
import java.io.*;
import java.io.File;
import java.util.ArrayList;
import java.util.List;
import org.codehaus.jackson.map.ObjectMapper;
public class readjson {
public String k1;
public String k2;
public String k3;
public key1 key;
public key1 getKey() {
return key;
}
public void setKey(key1 key) {
this.key = key;
}
public String getKey1() {
return k1;
}
public void setKey1(String key1) {
this.k1 = key1;
}
public String getKey2() {
return k2;
}
public void setKey2(String key2) {
this.k2 = key2;
}
public String getKey3() {
return k3;
}
public void setKey3(String key3) {
this.k3 = key3;
}
}
问题是我的json文件很复杂
这是我的json文件,它是map的地图,inner map的值是一个列表
{
"key1":
{ "value1":
["listele1",
"listele2"
]
},
"key2":
{ "value2":
["listele1",
"listele2"
]
},
"key3":
{ "value3":
["listele1",
"listele2"
]
}
}
您能帮我重做列表中内部地图的值吗,还反序列化json并将json作为对象获取
最佳答案
首先,您应该更多地遵循Java的命名约定……例如ReadJson
而不是readjson
或String[] args
而不是String Args[]
–它更加方便和易于阅读。
现在解决您的问题…请注意,您的ReadJson
必须反映与JSON数据相同的结构–因此,它必须是带有字符串键的映射以映射值。后者又带有字符串键和字符串值列表。
此设置可以使用以下代码反序列化:
Map<String, Map<String, List<String>>> readJson = MAPPER.readValue(inputjson, new TypeReference<Map<String, Map<String, List<String>>>>() {});
因此要完整:
public class LearningTest {
public static void main(String[] args) throws JsonParseException, JsonMappingException, IOException {
String inputJson = "{ \"key1\": { \"value1\": [\"listele1\", \"listele2\" ] }, \"key2\": { \"value2\": [\"listele1\", \"listele2\" ] } }";
Map<String, Map<String, List<String>>> readJson = new ObjectMapper().readValue(inputJson,
new TypeReference<Map<String, Map<String, List<String>>>>() {
});
System.out.println(readJson.get("key1").get("value1").get(0));
}
}
如您所见,此方法不再需要专用数据类(ReadJson.java)。
如果要将所有列表元素都放在一个列表中,则可以这样实现:
List<String> elements = readJson.values() // Collection<Map<String, List<String>>>
.stream() // Stream<Map<String, List<String>>>
.flatMap(value -> value.values().stream()) // Stream<List<String>>
.flatMap(listOfStrings -> listOfStrings.stream()) // Stream<String>
.collect(Collectors.toList()); // List<String>
System.out.println(elements);
或者您可以访问单个列表,例如:
List<String> listOfFirstInnerMap = readJson.get("key1").get("value1");
List<String> listOfSecondInnerMap = readJson.get("key2").get("value2");