0

我需要在另一个不同的 json 中转换 json,我使用 @JsonProperty 注释来更改名称字段 JSON 结果,但我不知道访问字段封装在不同的 json 级别中,例如:

{  "prop1" : "value1",
   "prop2" : "value2",
   "prop3" : {
     "prop4" : "value4",
     "prop5" : {
        "prop6" : "value6"
     } 
  }
}

json结果

  { 
    "prop1_new_name":"value1",
    "prop4_new_name":"value4",
    "prop6_new_name":"value6"  
  }
4

2 回答 2

1

这似乎是您之前问题的延续。因此,除了@JsonUnwrapped按照答案中的说明使用之外,您还需要@JsonProperty在声明它的类中添加字段。修改前面的答案@JsonProperty给你这个:

@RunWith(JUnit4.class)
public class Sample {

    @Test
    public void testName() throws Exception {
        SampleClass sample = new SampleClass("value1", "value2", new SubClass("value4", "value5", new SubSubClass("value7")));
        new ObjectMapper().writeValue(System.out, sample);
    }

    @JsonAutoDetect(fieldVisibility=Visibility.ANY)
    public static class SampleClass {
        private String prop1;
        private String prop2;
        @JsonUnwrapped
        private SubClass prop3;

        public SampleClass(String prop1, String prop2, SubClass prop3) {
            this.prop1 = prop1;
            this.prop2 = prop2;
            this.prop3 = prop3;
        }
    }
    @JsonAutoDetect(fieldVisibility=Visibility.ANY)
    public static class SubClass {
        @JsonProperty("prop4_new_name")
        private String prop4;
        private String prop5;
        @JsonUnwrapped
        private SubSubClass prop6;
        public SubClass(String prop4, String prop5, SubSubClass prop6) {
            this.prop4 = prop4;
            this.prop5 = prop5;
            this.prop6 = prop6;
        }

    }
    @JsonAutoDetect(fieldVisibility=Visibility.ANY)
    public static class SubSubClass{
        @JsonProperty("prop7_new_name")
        private String prop7;

        public SubSubClass(String prop7) {
            this.prop7 = prop7;
        }
    }
}

结果是:

{"prop2":"value2","prop5":"value5","prop7_new_name":"value7","prop4_new_name":"value4","prop1_new_name":"value1"}
于 2013-05-22T18:21:07.827 回答
0

反序列化时,“prop3”将是您的 Java 对象中的一个 Map(如果您对其进行了正确注释)。然后您可以创建一个自定义 JsonSerializer 来输出您的预期结果。

要创建自定义 JsonSerializer,您可以按照以下指南操作:http ://dev.sghill.net/2012/04/how-do-i-write-jackson-json-serializer.html

于 2013-05-22T17:18:08.457 回答