有一个相对简单的(我认为)问题,但作为JSON的新手似乎无法找到一个简洁的解决方案。
我有一个Entity对象,其Id字段为Integer类型。但是,要映射的传入Json数据的id为字符串。
有了这个简单的地图似乎不可能。有没有办法在映射之前将JSON中的字符串数据更改为整数?
示例Json数据
{"Id": "021", "userAge": 99}
示例实体
@Entity
public class User{
@id
int userId;
int userAge;
}
非常感谢。
答案 0 :(得分:6)
你不需要。
如果目标字段是数字的话,杰克逊足够聪明,可以将JSON字符串转换为数字值。
领先的0
代表什么并不明显,但杰克逊只会忽略它。
此外,如果您的字段名称在Java中不同,则您需要@JsonProperty("theJsonName")
。
public class Jackson {
public static void main(String[] args) throws Exception {
String json = "{\"userId\": \"021\", \"userAge\": 99}";
ObjectMapper mapper = new ObjectMapper();
User user = mapper.readValue(json, User.class);
System.out.println(user.userId);
}
}
class User {
int userId;
int userAge;
public void setUserId(int userId) {
this.userId = userId;
}
public void setUserAge(int userAge) {
this.userAge = userAge;
}
}
打印
21
答案 1 :(得分:1)
您可以编写自定义jackson反序列化器来应对此行为。关于这个主题here有一篇很好的博客文章。
public class ItemDeserializer extends JsonDeserializer<Item> {
@Override
public Item deserialize(JsonParser jp, DeserializationContext ctxt)
throws IOException, JsonProcessingException {
JsonNode node = jp.getCodec().readTree(jp);
int id = Integer.parseInt(node.get("userId").asText());
int userAge = (Integer) ((IntNode) node.get("userAge")).numberValue();
return new Item(id, userAge);
}
}