有没有办法使用 Jackson 库将给定的Json数组拆分为单独的Json元素?比方说,我有这个Json数组:
[
{
"key1":"value11",
"key2":"value12"
},
{
"key1":"value21",
"key2":"value22"
}
]
分裂之后我想要一个单独的元素列表,如:
{
"key1":"value11",
"key2":"value12"
}
和
{
"key1":"value21",
"key2":"value22"
}
答案 0 :(得分:8)
解决此问题的一个很好的解决方案就是使用Java 8 Streaming API进行迭代:s。 JsonNode
对象为Iterable
,其中spliterator
方法可用。因此,可以使用以下代码:
public List<String> split(final String jsonArray) throws IOException {
final JsonNode jsonNode = new ObjectMapper().readTree(jsonArray);
return StreamSupport.stream(jsonNode.spliterator(), false) // Stream
.map(JsonNode::toString) // map to a string
.collect(Collectors.toList()); and collect as a List
}
另一种方法是跳过重新映射(对toString
的调用)并返回List<JsonNode>
个元素。这样您就可以使用JsonNode
方法访问数据(get
,path
等等。
答案 1 :(得分:1)
最后,我找到了一个有效的解决方案:
public List<String> split(String jsonArray) throws Exception {
List<String> splittedJsonElements = new ArrayList<String>();
ObjectMapper jsonMapper = new ObjectMapper();
JsonNode jsonNode = jsonMapper.readTree(jsonArray);
if (jsonNode.isArray()) {
ArrayNode arrayNode = (ArrayNode) jsonNode;
for (int i = 0; i < arrayNode.size(); i++) {
JsonNode individualElement = arrayNode.get(i);
splittedJsonElements.add(individualElement.toString());
}
}
return splittedJsonElements;
}
答案 2 :(得分:0)
您可能需要查看此API
答案 3 :(得分:0)
这似乎正是作者所要求的。我使用Jackon库toString方法将JSON列表分为两个字符串。
import com.fasterxml.jackson.databind.JsonNode;
import com.fasterxml.jackson.databind.ObjectMapper;
...
...
String jsonText = "[{\"test\":1},{\"test2\":2}]";
int currentElement = 0;
int elementCount;
ObjectMapper mapper = new ObjectMapper();
JsonNode jsonObj = mapper.readTree(jsonText);
elementCount = jsonObj.size();
while (currentElement<elementCount) {
System.out.println(jsonObj.get(currentElement).toString()));
elementCount++;
}
答案 4 :(得分:0)
这里是一行:
new ObjectMapper().readTree(json).forEach(node -> System.out.println(node.toString()));