Reputation: 3497
How do I use the @JsonProperty() to get a json object within another json object? The example json I want to get is:
"location" : {
"needs_recoding" : false,
"longitude" : "-94.35281245682333",
"latitude" : "35.35363522126198",
"human_address" : "{\"address\":\"7301 ROGERS AVE\",\"city\":\"FORT SMITH\",\"state\":\"AR\",\"zip\":\"\"}"
}
Upvotes: 4
Views: 12123
Reputation: 80603
A helpful reference for using @JsonProperty
annotations in a constructor is provided by StaxMan. A simple example shown below:
public class Address {
private String address;
private String city;
private String state;
private String zip;
// Constructors, getters/setters
}
public class Location {
private boolean needsRecoding;
private Double longitude;
private Double latitude;
private Address humanAddress;
public Location() {
super();
}
@JsonCreator
public Location(
@JsonProperty("needs_recoding") boolean needsRecoding,
@JsonProperty("longitude") Double longitude,
@JsonProperty("latitude") Double latitude,
@JsonProperty("human_address") Address humanAddress) {
super();
this.needsRecoding = needsRecoding;
this.longitude = longitude;
this.latitude = latitude;
this.humanAddress = humanAddress;
}
// getters/setters
}
Alternately, you may deserialize content directly into a JSON object tree. Illustrated below with a slight modification of the Location
class example:
public class Location {
private boolean needsRecoding;
private Double longitude;
private Double latitude;
// Note the use of JsonNode, as opposed to an explicitly created POJO
private JsonNode humanAddress;
public Location() {
super();
}
@JsonCreator
public Location(
@JsonProperty("needs_recoding") boolean needsRecoding,
@JsonProperty("longitude") Double longitude,
@JsonProperty("latitude") Double latitude,
@JsonProperty("human_address") JsonNode humanAddress) {
super();
this.needsRecoding = needsRecoding;
this.longitude = longitude;
this.latitude = latitude;
this.humanAddress = humanAddress;
}
// getters/setters
}
Upvotes: 4