这个豆子“状态”:
public class State {
private boolean isSet;
@JsonProperty("isSet")
public boolean isSet() {
return isSet;
}
@JsonProperty("isSet")
public void setSet(boolean isSet) {
this.isSet = isSet;
}
}
通过ajax ' success'回调发送:
success : function(response) {
if(response.State.isSet){
alert('success called successfully)
}
这里需要@JsonProperty注释吗?使用它的好处是什么?
我认为我可以删除这个注释而不会引起任何副作用。
在https://github.com/FasterXML/jackson-annotations/wiki/Jackson-Annotations上阅读这个注释,我不知道什么时候需要使用这个?
除了上面所有的答案之外,不要忘记文档中说
标记注释,可用于将非静态方法定义为
"setter"或"getter"用于逻辑属性(取决于其
签名),或使用的非静态对象字段(序列化的,
反序列化)作为逻辑属性。
如果你的类中有一个非静态方法,它不是常规的getter或setter,那么你可以通过使用它上的注释使它像getter和setter一样。参见下面的示例
public class Testing {
private Integer id;
private String username;
public Integer getId() {
return id;
}
public void setId(Integer id) {
this.id = id;
}
public String getUsername() {
return username;
}
public void setUsername(String username) {
this.username = username;
}
public String getIdAndUsername() {
return id + "." + username;
}
public String concatenateIdAndUsername() {
return id + "." + username;
}
}
当上述对象被序列化时,则响应将包含
getUsername()中的用户名
id from getId()
来自getIdAndUsername*的idAndUsername
由于方法getIdAndUsername以get开头,那么它被视为普通的getter,因此,为什么你可以用@JsonIgnore注释。
如果你注意到concatenateIdAndUsername没有返回,那是因为它的名称不是以get开头的,如果你希望该方法的结果包含在响应中,那么你可以使用@JsonProperty(“…”),它将被视为上面突出显示的文档中提到的普通getter/setter。
不管怎样,现在……除了通常的序列化和反序列化之外,JsonProperty还用于为变量指定getter和setter方法。例如,假设你有一个这样的有效载荷:
{
"check": true
}
和一个反序列化类:
public class Check {
@JsonProperty("check") // It is needed else Jackson will look got getCheck method and will fail
private Boolean check;
public Boolean isCheck() {
return check;
}
}
在本例中,需要JsonProperty注释。但是,如果在类中也有一个方法
public class Check {
//@JsonProperty("check") Not needed anymore
private Boolean check;
public Boolean getCheck() {
return check;
}
}
也可以看看这个文档:
http://fasterxml.github.io/jackson-annotations/javadoc/2.13/com/fasterxml/jackson/annotation/JsonProperty.html