概述
问题
在Java中使用 jackson 解析一个JSON字符到一个Java类。
这个Java类因为一些原因我不能修改它,例如添加注解或继承等。
现在我要将 JSON 串里面的 a 字段 映射到 类中的 b 字段怎么做?
是否可以通过配置 ObjectMapper 或者 ObjectReader 来完成?
我想这个问题的另一种问法为:
@JsonProperty(“xx”) 非注解 方式如何写?
解决方案
使用 注解混入
方式给类添加
注解。
Jackson 给我提供了一种方法来实现这个功能。那就是 setMixInAnnotation。
该方法的说明如下:
Method for specifying that annotations define by mixinClass should be "mixed in" with annotations that targetType has (as if they were directly included on it!).
Mix-in annotations are registered when module is registered for ObjectMapper.
大意是: 指定一个类作为目标类的注解声明类
, 将在 module 注册到 mapper 的时候进行 混入
. 这些标注在 注解声明类
的注解就像是直接标注在目标类上一样。
上面的问题说到我们无法修改类来添加 JsonProperty
注解,那么我们可以通过混入
来完成。
这种方式是在配置一个 ObjectMapper,并不会修改原有类,并且只有该 ObjectMapper 实例有效。
具体使用方法请参考下面的示例代码。
举一反三,记住 Mix-in 这个单词。以后遇到不能改的类缺失某些注解,我们就需要去找该框架或库是否提供类似于这种 混入 接口。
示例代码
import com.fasterxml.jackson.annotation.JsonProperty;
import com.fasterxml.jackson.databind.ObjectMapper;
import com.fasterxml.jackson.databind.ObjectReader;
import com.fasterxml.jackson.databind.module.SimpleModule;
import org.junit.Test;
/**
* @author Joel
*/
public class JacksonPropertyAliasTest {
public static class A {
private String phoneNumber;
private int age;
public A() { }
public A(String phoneNumber, int age) {
this.phoneNumber = phoneNumber;
this.age = age;
}
@Override
public String toString() {
return String.format("phone: %s, age:%d", phoneNumber, age);
}
public String getPhoneNumber() { return phoneNumber; }
public void setPhoneNumber(String phoneNumber) { this.phoneNumber = phoneNumber; }
public int getAge() { return age; }
public void setAge(int age) { this.age = age; }
}
private static class B {
@JsonProperty("username")
private String phoneNumber;
}
@Test
public void test() throws Exception {
ObjectMapper mapper = new ObjectMapper();
SimpleModule module = new SimpleModule();
module.setMixInAnnotation(A.class, B.class);
mapper.registerModule(module);
A a = new A("Joelcho", 24);
final String json = mapper.writeValueAsString(a);
System.out.println(json); // {"age":24,"username":"Joelcho"}
final ObjectReader reader = mapper.readerFor(A.class);
A a2 = reader.readValue(json);
System.out.println(a2); // phone: Joelcho, age:24
}
}
最后
以上就是自由项链为你收集整理的jackson 解析JSON 时不使用注解如何设置字段别名问题解决方案示例代码的全部内容,希望文章能够帮你解决jackson 解析JSON 时不使用注解如何设置字段别名问题解决方案示例代码所遇到的程序开发问题。
如果觉得靠谱客网站的内容还不错,欢迎将靠谱客网站推荐给程序员好友。
本图文内容来源于网友提供,作为学习参考使用,或来自网络收集整理,版权属于原作者所有。
发表评论 取消回复