我需要将某个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)

当前回答

添加setter和getter解决了这个问题,我觉得实际的问题是如何解决它,而不是如何抑制/忽略错误。 我得到了错误“无法识别的领域..没有被标记为可忽略的…”

虽然我在类的顶部使用了下面的注释,但它无法解析json对象并给我输入

@JsonIgnoreProperties(ignoreUnknown = true)

然后我意识到我没有添加setter和getter,在添加setter和getter到“包装器”和“学生”后,它就像一个魅力。

其他回答

您的输入

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

表示它是一个对象,具有一个名为“wrapper”的字段,它是一个学生的集合。所以我的建议是,

Wrapper = mapper.readValue(jsonStr , Wrapper.class);

其中Wrapper定义为

class Wrapper {
    List<Student> wrapper;
}

问题是你的属性在你的JSON被称为“包装”和你的属性在wrapper .class被称为“学生”。

所以要么…

更正类或JSON中的属性名称。 根据StaxMan的注释注释您的属性变量。 注释setter(如果有的话)

没有setter/getter的最短解决方案是将@JsonProperty添加到类字段:

public class Wrapper {
    @JsonProperty
    private List<Student> wrapper;
}

public class Student {
    @JsonProperty
    private String name;
    @JsonProperty
    private String id;
}

此外,您在json中称学生列表为“wrapper”,因此Jackson希望类具有一个名为“wrapper”的字段。

POJO应该定义为

响应类

public class Response {
    private List<Wrapper> wrappers;
    // getter and setter
}

包装器类

public class Wrapper {
    private String id;
    private String name;
    // getters and setters
}

和mapper来读取值

Response response = mapper.readValue(jsonStr , Response.class);

如果你想将@JsonIgnoreProperties应用到应用程序中的所有类,那么最好的方法是重写Spring引导默认jackson对象。

在您的应用程序配置文件中定义一个bean来创建这样的杰克逊对象映射器。

@Bean
    public ObjectMapper getObjectMapper() {
        ObjectMapper mapper = new ObjectMapper();
        mapper.configure(DeserializationFeature.FAIL_ON_UNKNOWN_PROPERTIES, false);
        return mapper;
    }

现在,您不需要标记每个类,它将忽略所有未知属性。