@JsonProperty注解解析

x33g5p2x  于2022-01-13 转载在 其他  
字(1.8k)|赞(0)|评价(0)|浏览(498)

1. 概述

  1. 来源:
  2. @JsonPrppertyjackson包下的一个注解,详细路径
  3. (com.fasterxml.jackson.annotation.JsonProperty;)
  4. 作用:
  5. @JsonProperty用在属性上,将属性名称序列化为另一个名称。
  6. 例子:
  7. public class Person{
  8. @JsonProperty(value = "name")
  9. private String realName;
  10. }

拓展:jackson可以理解为java对象和json对象进行转化的工具包。

2. 实例

解释:定义一个实体类,定义一个Controller层,通过post请求传入body,分别验证加和不加@JsonProperty注解的区别。

2.1 引入依赖

  1. <dependency>
  2. <groupId>com.fasterxml.jackson.core</groupId>
  3. <artifactId>jackson-annotations</artifactId>
  4. </dependency>

2.2 创建实体类

  1. package com.gxn.demo.domain;
  2. import com.fasterxml.jackson.annotation.JsonProperty;
  3. import java.util.Objects;
  4. public class Person {
  5. // 先将该注解注释掉
  6. // @JsonProperty(value = "name")
  7. private String realName;
  8. private Integer age;
  9. @Override
  10. public boolean equals(Object o) {
  11. if (this == o) return true;
  12. if (o == null || getClass() != o.getClass())
  13. return false;
  14. Person person = (Person) o;
  15. return Objects.equals(realName, person.realName) &&
  16. Objects.equals(age, person.age);
  17. }
  18. @Override
  19. public int hashCode() {
  20. return Objects.hash(realName, age);
  21. }
  22. public String getRealName() {
  23. return realName;
  24. }
  25. public void setRealName(String realName) {
  26. this.realName = realName;
  27. }
  28. public Integer getAge() {
  29. return age;
  30. }
  31. public void setAge(Integer age) {
  32. this.age = age;
  33. }
  34. }

2.3 定义Controller,返回结果是realName和age的值

  1. package com.gxn.demo.controller;
  2. import com.gxn.demo.domain.Person;
  3. import org.springframework.web.bind.annotation.PostMapping;
  4. import org.springframework.web.bind.annotation.RequestBody;
  5. import org.springframework.web.bind.annotation.RestController;
  6. @RestController
  7. public class PersonController {
  8. @PostMapping("/name")
  9. public String getName(@RequestBody Person person) {
  10. String name = person.getRealName();
  11. Integer age = person.getAge();
  12. String res = name + " : " + age;
  13. return res;
  14. }
  15. }

2.4 验证结果

  • 未加注解,body中json的key和实体属性一致:

  • 未加注解,body中json的key和实体属性不一致:

  • 加注解,body中json的key和实体属性一致:

  • 加注解,body中json的key与注解的value一致::

3. 总结

通过@JsonProperty注解可以改变实体对应属性名,一旦使用该注解我们在body中传参数的就需要按照注解中value的值来定义key。

相关文章