잭슨 주석을 사용하여 중첩된 값을 속성에 매핑하려면 어떻게 해야 합니까?
제품에 대해 다음 JSON으로 응답하는 API에 전화를 걸고 있다고 가정해 보겠습니다.
{
"id": 123,
"name": "The Best Product",
"brand": {
"id": 234,
"name": "ACME Products"
}
}
잭슨 주석을 사용하여 제품 ID와 이름을 매핑할 수 있습니다.
public class ProductTest {
private int productId;
private String productName, brandName;
@JsonProperty("id")
public int getProductId() {
return productId;
}
public void setProductId(int productId) {
this.productId = productId;
}
@JsonProperty("name")
public String getProductName() {
return productName;
}
public void setProductName(String productName) {
this.productName = productName;
}
public String getBrandName() {
return brandName;
}
public void setBrandName(String brandName) {
this.brandName = brandName;
}
}
그런 다음 fromJson 메서드를 사용하여 제품을 만듭니다.
JsonNode apiResponse = api.getResponse();
Product product = Json.fromJson(apiResponse, Product.class);
하지만 지금은 네스트된 자산인 브랜드 이름을 얻는 방법을 찾고 있습니다.난 이런 게 먹히길 바랐어요
@JsonProperty("brand.name")
public String getBrandName() {
return brandName;
}
하지만 물론 그렇지 않았다.주석을 사용하여 원하는 것을 쉽게 달성할 수 있는 방법이 있습니까?
해석하려는 실제 JSON 응답은 매우 복잡하기 때문에 단일 필드만 필요하더라도 모든 하위 노드에 대해 완전히 새로운 클래스를 만들 필요가 없습니다.
다음과 같이 할 수 있습니다.
String brandName;
@JsonProperty("brand")
private void unpackNameFromNestedObject(Map<String, String> brand) {
brandName = brand.get("name");
}
이 문제에 대한 대처 방법은 다음과 같습니다.
Brand
클래스:
package org.answer.entity;
public class Brand {
private Long id;
private String name;
public Brand() {
}
//accessors and mutators
}
Product
클래스:
package org.answer.entity;
import com.fasterxml.jackson.annotation.JsonGetter;
import com.fasterxml.jackson.annotation.JsonIgnore;
import com.fasterxml.jackson.annotation.JsonSetter;
public class Product {
private Long id;
private String name;
@JsonIgnore
private Brand brand;
private String brandName;
public Product(){}
@JsonGetter("brandName")
protected String getBrandName() {
if (brand != null)
brandName = brand.getName();
return brandName;
}
@JsonSetter("brandName")
protected void setBrandName(String brandName) {
if (brandName != null) {
brand = new Brand();
brand.setName(brandName);
}
this.brandName = brandName;
}
//other accessors and mutators
}
여기, 그brand
인스턴스는 에 의해 무시됩니다.Jackson
동안serialization
그리고.deserialization
주석이 붙어있기 때문에@JsonIgnore
.
Jackson
주석이 달린 방법을 사용합니다.@JsonGetter
위해서serialization
자바 오브젝트의JSON
포맷합니다.그래서...brandName
로 설정되어 있다.brand.getName()
.
유사하게,Jackson
주석이 달린 방법을 사용합니다.@JsonSetter
위해서deserialization
의JSON
Java 객체로 포맷합니다.이 시나리오에서는 다음 명령어를 인스턴스화해야 합니다.brand
자기 자신을 공격하고 그것을 설정하다name
로부터의 재산.brandName
.
사용할 수 있습니다.@Transient
지속성 주석brandName
지속성 공급자에 의해 무시되는 경우.
JsonPath 식을 사용하여 중첩된 속성을 매핑할 수 있습니다.공식 지원은 없는 것 같습니다(이 호 참조).단, https://github.com/elasticpath/json-unmarshaller에 비공식적인 도입이 있습니다.
가장 좋은 방법은 setter 메서드를 사용하는 것입니다.
JSON:
...
"coordinates": {
"lat": 34.018721,
"lng": -118.489090
}
...
lat 또는 lg에 대한 세터 방법은 다음과 같습니다.
@JsonProperty("coordinates")
public void setLng(Map<String, String> coordinates) {
this.lng = (Float.parseFloat(coordinates.get("lng")));
}
(평소처럼) 둘 다 읽어야 하는 경우 사용자 지정 방법을 사용하십시오.
@JsonProperty("coordinates")
public void setLatLng(Map<String, String> coordinates){
this.lat = (Float.parseFloat(coordinates.get("lat")));
this.lng = (Float.parseFloat(coordinates.get("lng")));
}
이것은 JSON 네스트 매핑과 관련된 모든 문제를 해결하기 위한 저의 솔루션입니다.
먼저 응답을 맵으로 저장합니다.
ResponseEntity<Map<String, Object>> response =
restTemplate.exchange(
requestUri,
HttpMethod.GET,
buildAuthHeader(),
new ParameterizedTypeReference<>() {
});
이제 JSON 트리의 중첩된 값을 읽을 수 있습니다.예를 들어 다음과 같습니다.
response.getBody().get("content").get(0).get("terminal")
이 경우 JSON은 다음과 같습니다.
{
"page": 0,
"total_pages": 1,
"total_elements": 2,
"content": [
{
"merchant": "000405",
"terminal": "38010101",
"status": "Para ser instalada",
....
@JsonUnwraped 사용:
https://www.logicbig.com/tutorials/misc/jackson/json-unwrapped.html
그러면 하위 개체가 상위 개체에 배치됩니다.
간단히 말하면..내가 코드를 작성했어... 대부분 자기 설명이야.
Main Method
package com.test;
import java.io.IOException;
import com.fasterxml.jackson.core.JsonParseException;
import com.fasterxml.jackson.databind.JsonMappingException;
import com.fasterxml.jackson.databind.ObjectMapper;
public class LOGIC {
public static void main(String[] args) throws JsonParseException, JsonMappingException, IOException {
ObjectMapper objectMapper = new ObjectMapper();
String DATA = "{\r\n" +
" \"id\": 123,\r\n" +
" \"name\": \"The Best Product\",\r\n" +
" \"brand\": {\r\n" +
" \"id\": 234,\r\n" +
" \"name\": \"ACME Products\"\r\n" +
" }\r\n" +
"}";
ProductTest productTest = objectMapper.readValue(DATA, ProductTest.class);
System.out.println(productTest.toString());
}
}
Class ProductTest
package com.test;
import com.fasterxml.jackson.annotation.JsonProperty;
public class ProductTest {
private int productId;
private String productName;
private BrandName brandName;
@JsonProperty("id")
public int getProductId() {
return productId;
}
public void setProductId(int productId) {
this.productId = productId;
}
@JsonProperty("name")
public String getProductName() {
return productName;
}
public void setProductName(String productName) {
this.productName = productName;
}
@JsonProperty("brand")
public BrandName getBrandName() {
return brandName;
}
public void setBrandName(BrandName brandName) {
this.brandName = brandName;
}
@Override
public String toString() {
return "ProductTest [productId=" + productId + ", productName=" + productName + ", brandName=" + brandName
+ "]";
}
}
Class BrandName
package com.test;
public class BrandName {
private Integer id;
private String name;
public Integer getId() {
return id;
}
public void setId(Integer id) {
this.id = id;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
@Override
public String toString() {
return "BrandName [id=" + id + ", name=" + name + "]";
}
}
OUTPUT
ProductTest [productId=123, productName=The Best Product, brandName=BrandName [id=234, name=ACME Products]]
안녕하세요, 이것이 완전한 작업 코드입니다.
//JUNIT 테스트 클래스
퍼블릭 클래스 소프트웨어 {
@Test
public void test() {
Brand b = new Brand();
b.id=1;
b.name="RIZZE";
Product p = new Product();
p.brand=b;
p.id=12;
p.name="bigdata";
//mapper
ObjectMapper o = new ObjectMapper();
o.registerSubtypes(Brand.class);
o.registerSubtypes(Product.class);
o.setVisibility(PropertyAccessor.FIELD, Visibility.ANY);
String json=null;
try {
json = o.writeValueAsString(p);
assertTrue(json!=null);
logger.info(json);
Product p2;
try {
p2 = o.readValue(json, Product.class);
assertTrue(p2!=null);
assertTrue(p2.id== p.id);
assertTrue(p2.name.compareTo(p.name)==0);
assertTrue(p2.brand.id==p.brand.id);
logger.info("SUCCESS");
} catch (IOException e) {
e.printStackTrace();
fail(e.toString());
}
} catch (JsonProcessingException e) {
e.printStackTrace();
fail(e.toString());
}
}
}
**// Product.class**
public class Product {
protected int id;
protected String name;
@JsonProperty("brand") //not necessary ... but written
protected Brand brand;
}
**//Brand class**
public class Brand {
protected int id;
protected String name;
}
//junit 테스트 케이스의 Console.log
2016-05-03 15:21:42 396 INFO {"id":12,"name":"bigdata","brand":{"id":1,"name":"RIZZE"}} / MReloadDB:40
2016-05-03 15:21:42 397 INFO SUCCESS / MReloadDB:49
전체 요지: https://gist.github.com/jeorfevre/7c94d4b36a809d4acf2f188f204a8058
언급URL : https://stackoverflow.com/questions/37010891/how-to-map-a-nested-value-to-a-property-using-jackson-annotations
'source' 카테고리의 다른 글
정규 표현에서 중첩된 캡처 그룹의 번호는 어떻게 지정됩니까? (0) | 2022.09.15 |
---|---|
jQuery를 사용하여 HTML 요소가 비어 있는지 확인하려면 어떻게 해야 합니까? (0) | 2022.09.15 |
데이터베이스 수준에서 쿼리를 통해 직렬화 해제 (0) | 2022.09.15 |
.hprof 파일을 분석하려면 어떻게 해야 하나요? (0) | 2022.09.15 |
정수를 수천 개의 쉼표로 문자열로 변환 (0) | 2022.09.15 |