Jacksonアノテーションを使用してネストされた値をプロパティにマップするにはどうすればよいですか?


90

製品に対して次のJSONで応答するAPIを呼び出しているとしましょう。

{
  "id": 123,
  "name": "The Best Product",
  "brand": {
     "id": 234,
     "name": "ACME Products"
  }
}

Jacksonアノテーションを使用して、製品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応答は非常に複雑であり、必要なフィールドは1つだけですが、サブノードごとにまったく新しいクラスを作成する必要はありません。


2
最終的にgithub.com/json-path/JsonPathを使用しました—Springも内部で使用しています。たとえば、org.springframework.data.webにあります。
非ヒューマナイザー2017年

回答:


89

あなたはそのようにこれを達成することができます:

String brandName;

@JsonProperty("brand")
private void unpackNameFromNestedObject(Map<String, String> brand) {
    brandName = brand.get("name");
}

23
3レベルの深さはどうですか?
ロビンカンターズ2017年

5
@ロビンそれはうまくいきませんか? this.abbreviation = ((Map<String, Object>)portalCharacteristics.get("icon")).get("ticker").toString();
Marcello de Sales

同じメソッドを使用して、複数の値を解凍することもできます... unpackValuesFromNestedBrand-ありがとう
msanjay 2018

13

これは私がこの問題を処理した方法です:

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インスタンスは。で注釈が付けられているため、Jacksonduringserializationとによって無視されます。deserialization@JsonIgnore

Jackson@JsonGetterfor serializationofjavaオブジェクトのアノテーションが付けられたメソッドをJSONフォーマットに使用します。したがって、はでbrandName設定されbrand.getName()ます。

同様に、Jacksonで注釈方法に使用する@JsonSetterためdeserializationJSONJavaオブジェクトにフォーマット。このシナリオでは、brandオブジェクトを自分でインスタンス化し、そのnameプロパティをから設定する必要がありますbrandName

永続性プロバイダーによって無視されるようにしたい場合@TransientbrandName、で永続性アノテーションを使用できます。



1

最良の方法は、セッターメソッドを使用することです。

JSON:

...
 "coordinates": {
               "lat": 34.018721,
               "lng": -118.489090
             }
...

latまたはlngのsetterメソッドは次のようになります。

 @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")));
}

-6

簡単にするために..私はコードを書きました...それのほとんどは自明です。

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]]

6
これは機能しますが、フィールドが1つだけ必要な場合でも、ノードごとに新しいクラスを作成する必要がない解決策を見つけようとしています。
kenske 2016年

-7

こんにちはここに完全な動作コードがあります。

// JUNITテストクラス

パブリッククラスsof {

@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


1
マップしようとしている実際のJSON応答は非常に複雑です。多くのノードとサブノードがあり、それぞれにクラスを作成するのは非常に面倒です。ほとんどの場合、トリプルネストノードのセットから1つのフィールドのみが必要な場合はさらに困難です。大量の新しいクラスを作成せずに、単一のフィールドを取得する方法はありませんか?
kenske 2016年

新しいsofチケットを開いて私と共有してください。これについてお手伝いします。マップしたいjson構造を共有してください。:)
jeorfevre 2016年
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.