我需要将某个JSON字符串转换为Java对象。我正在使用Jackson进行JSON处理。我无法控制输入JSON(我从web服务读取)。这是我的输入JSON:

{"wrapper":[{"id":"13","name":"Fred"}]}

下面是一个简化的用例:

private void tryReading() {
    String jsonStr = "{\"wrapper\"\:[{\"id\":\"13\",\"name\":\"Fred\"}]}";
    ObjectMapper mapper = new ObjectMapper();  
    Wrapper wrapper = null;
    try {
        wrapper = mapper.readValue(jsonStr , Wrapper.class);
    } catch (Exception e) {
        e.printStackTrace();
    }
    System.out.println("wrapper = " + wrapper);
}

我的实体类是:

public Class Student { 
    private String name;
    private String id;
    //getters & setters for name & id here
}

我的Wrapper类基本上是一个容器对象来获取我的学生列表:

public Class Wrapper {
    private List<Student> students;
    //getters & setters here
}

我一直得到这个错误和“包装器”返回null。我不知道少了什么。有人能帮帮我吗?

org.codehaus.jackson.map.exc.UnrecognizedPropertyException: 
    Unrecognized field "wrapper" (Class Wrapper), not marked as ignorable
 at [Source: java.io.StringReader@1198891; line: 1, column: 13] 
    (through reference chain: Wrapper["wrapper"])
 at org.codehaus.jackson.map.exc.UnrecognizedPropertyException
    .from(UnrecognizedPropertyException.java:53)

当前回答

将Wrapper类更改为

public Class Wrapper {

          @JsonProperty("wrapper")  // add this line
          private List<Student> students;
}

这样做的目的是将students字段识别为json对象的包装键。

此外,我个人更喜欢使用Lombok注解的getter和setter作为

@Getter
@Setter
public Class Wrapper {

          @JsonProperty("wrapper")  // add this line
          private List<Student> students;
}

因为我没有同时用Lombok和@JsonProperty测试上面的代码,所以我建议您也将下面的代码添加到Wrapper类中,以覆盖Lombok的默认getter和setter。

public List<Student> getWrapper(){
     return students;
}

public void setWrapper(List<Student> students){
     this.students = students;
}

还可以使用Jackson来反序列化列表。

其他回答

可以通过两种方式实现:

将POJO标记为忽略未知属性 @JsonIgnoreProperties(ignoreUnknown = true) 配置ObjectMapper序列化/反序列化POJO/json,如下所示: ObjectMapper mapper =new ObjectMapper(); // Jackson版本1。X mapper.configure (DeserializationConfig.Feature。FAIL_ON_UNKNOWN_PROPERTIES、假); // Jackson版本2。X mapper.configure (DeserializationFeature。FAIL_ON_UNKNOWN_PROPERTIES假)

这个解决方案在读取json流时是通用的,只需要获取一些字段,而在域类中没有正确映射的字段可以忽略:

import org.codehaus.jackson.annotate.JsonIgnoreProperties;
@JsonIgnoreProperties(ignoreUnknown = true)

一个详细的解决方案是使用jsonschema2pojo等工具来自动生成所需的域类,例如从json响应的Schema中生成Student。您可以通过任何在线json到模式转换器来实现后者。

这可能是一个非常晚的响应,但只是将POJO更改为这个应该解决问题中提供的json字符串(因为,输入字符串不像你说的那样在你的控制范围内):

public class Wrapper {
    private List<Student> wrapper;
    //getters & setters here
}

在我的情况下,错误是由于以下原因

最初它工作得很好,然后我重命名了一个变量,使 代码的变化,它给了我这个错误。 然后我申请杰克逊无知财产也,但它没有工作。 最后,在重新定义我的getter和setter方法根据 我的变量名称此错误已解决

所以一定要重定义getter和setter。

你可以使用Jackson的类级注释:

import com.fasterxml.jackson.annotation.JsonIgnoreProperties

@JsonIgnoreProperties
class { ... }

它将忽略POJO中未定义的所有属性。当您只是在JSON中寻找几个属性而不想编写整个映射时,这非常有用。更多信息请访问杰克逊的网站。如果你想忽略任何未声明的属性,你应该这样写:

@JsonIgnoreProperties(ignoreUnknown = true)