这个json数组我该怎么转成一个list
时间: 2023-07-07 14:33:49 浏览: 83
可以使用第三方库Jackson将Json数组转换为Java List。下面是一个简单的示例代码:
```java
import com.fasterxml.jackson.core.type.TypeReference;
import com.fasterxml.jackson.databind.ObjectMapper;
import java.util.List;
public class JsonToListExample {
public static void main(String[] args) throws Exception {
String jsonStr = "[{\"id\":1,\"name\":\"John\"},{\"id\":2,\"name\":\"Jane\"}]";
ObjectMapper mapper = new ObjectMapper();
List<Person> personList = mapper.readValue(jsonStr, new TypeReference<List<Person>>(){});
for (Person person : personList) {
System.out.println(person.getId() + " " + person.getName());
}
}
private static class Person {
private int id;
private String name;
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
}
}
```
在上面的示例中,我们使用了Jackson库的readValue方法来将Json字符串转换为List<Person>对象。需要注意的是,我们需要使用TypeReference类来指定转换的List类型。在这个示例中,我们将Json数组转换为一个包含Person对象的List,并打印List中的每个Person对象的id和name属性。
阅读全文