7

我需要创建一个 @JsonProperty 值到原始字段名称的映射。
有没有可能实现?

我的 POJO 课程:

public class Contact
{
  @JsonProperty( "first_name" )
  @JsonView( ContactViews.CommonFields.class )
  private String firstName;

  @JsonProperty( "last_name" )
  @JsonView( ContactViews.CommonFields.class )
  private String lastName;

  public String getFirstName()
    {
        return firstName;
    }

  public void setFirstName( String firstName )
    {       
        this.firstName = firstName;
    }

  public String getLastName()
    {
        return lastName;
    }

  public void setLastName( String lastName )
    {
        this.lastName = lastName;
    }
}

我需要一张像这样的地图:

{"first_name":"firstName","last_name":"lastName"}

提前致谢...

4

1 回答 1

12

这应该做你正在寻找的:

public static void main(String[] args) throws Exception {

    Map<String, String> map = new HashMap<>();

    Field[] fields = Contact.class.getDeclaredFields();

    for (Field field : fields) {
        if (field.isAnnotationPresent(JsonProperty.class)) {
            String annotationValue = field.getAnnotation(JsonProperty.class).value();
            map.put(annotationValue, field.getName());
        }
    }
}

以您的 Contact 类为例,输出映射将是:

{last_name=lastName, first_name=firstName}

请记住,上面的输出只是一个map.toString(). 要使其成为 JSON,只需将地图转换为您的需要。

于 2016-03-31T08:54:37.120 回答