映射嵌套的json字段

时间:2019-03-01 04:42:26

标签: java json fasterxml

我有这样的json:

{
  "name": "John",
  "address": {
    "city": "New York"
  }
}

我如何使用杰克逊将其反序列化为后续的dto?

final class PersonDto {
  private final String name; // name
  private final String city; // address.city

  public PersonDto(String name, String city) {
  this.name = name;
  this.city = city;
 }
}

基本上,我很有趣,是否可以仅使用构造函数和注释在json中映射嵌套字段“ city”,还是应该编写自定义反序列化器?谢谢。

2 个答案:

答案 0 :(得分:1)

您只能使用JSON库来实现此类代码。

public class AddressPojo {

private String city;
private long pincode;

public String getCity() {
    return city;
}

public void setCity(String city) {
    this.city = city;
}

public long getPincode() {
    return pincode;
}

public void setPincode(long pincode) {
    this.pincode = pincode;
}

}

现在是主层

public class MainLayer {

public static void main(String[] args) {
    JSONObject json = new JSONObject();
    AddressPojo addressPojo = new AddressPojo();
    addressPojo.setCity("NYC");
    addressPojo.setPincode(123343);
    json.put("name", "John");
    json.put("address", addressPojo);
    System.out.println(json.get("name")); // To Retrieve name
    JSONObject jsonObj = new JSONObject(json.get("address")); // To retrieve obj                                                                    // address                                                                  // obj
    System.out.println(jsonObj.get("city"));
}

}

就是这样。希望对您有所帮助:)

答案 1 :(得分:0)

我发现以适当方式解决问题的最佳方法是将@JsonCreator批注与@JsonProperty一起使用。因此,代码如下所示:

final class PersonDto {
  private final String name; // name
  private final String city; // address.city

  public PersonDto(String name, String city) {
    this.name = name;
    this.city = city;
  }

  @JsonCreator
  public PersonDto(@JsonProperty("name") String name, @JsonProperty("address") Map<String, Object> address) {
    this(name, address.get("city"))
  }
}

如果仅反序列化简单的POJO,那当然是最好的方法。如果反序列化逻辑比较复杂,则最好实现自己的自定义反序列化器。