我正在使用Robospice + Retrofit + Jackson。我没有普通 class 有另一个类对象作为字段。我需要解析json并使用field创建类。
这是我的课
@JsonIgnoreProperties(ignoreUnknown=true)
public class User implements UserInformationProvider {
@JsonProperty("customer_id")
public int id;
@JsonProperty("firstname")
public String firstName;
@JsonProperty("lastname")
public String lastName;
@JsonProperty("email")
public String email;
@JsonProperty("telephone")
public String phone;
@JsonProperty("token_api")
public String token;
@JsonProperty("token_expire")
public int tokenExpireTime;
public UserPreferences userPreferences;
@Override
public String getUserFirstName() {
return firstName;
}
@Override
public String getUserLastName() {
return lastName;
}
@Override
public String getUserEmail() {
return email;
}
@Override
public String getUserIconUrl() {
return null;
}
}
和偏好类
public class UserPreferences {
public boolean offersNotifications;
public boolean statusChangedNotifications;
public boolean subscriptionNotifications;
@JsonProperty("new_offers")
public boolean newOffersNotify;
@JsonProperty("order_status_changed")
public boolean orderStatusChangedNotify;
@JsonProperty("hot_offers")
public boolean hotOffersNotify;
}
请求我需要解析为POJO。
{
"customer_id": 84,
"token_api": "ef5d7d2cd5dfa27a",
"token_expire_unix": "1435113663",
"preferences": {
"new_offers": "1",
"order_status_changed": "1",
"hot_offers": "1"
}
}
请帮助,我如何使用 jackson 做到这一点。我将非常感谢您的帮助。提前致谢。
最佳答案
主要问题在于UserPreferences
内部。现在,您的代码正在尝试将"1"
反序列化为boolean
。 Java不会为您执行此转换,因此您将需要创建一个自定义反序列化器并将其应用于带有数字布尔值的字段。
创建一个自定义反序列化器
反序列化器允许您指定一个类,并将自定义操作应用于如何从JSON创建的类:
public class NumericBooleanDeserializer extends JsonDeserializer<Boolean> {
@Override
public Boolean deserialize(JsonParser p, DeserializationContext ctxt) throws IOException {
int intValue = p.getValueAsInt();
switch (intValue) {
case 0:
return Boolean.TRUE;
case 1:
return Boolean.FALSE;
default:
// throw exception or fail silently
}
return null; // can throw an exception if failure is desired
}
}
将自定义反序列化应用于字段
由于您可能不想在
ObjectMapper
上注册此代码并将其应用于所有反序列化,因此可以使用@JsonDeserialize
批注。您的UserPreferences
类最终将看起来像这样:public class UserPreferences {
public boolean offersNotifications;
public boolean statusChangedNotifications;
public boolean subscriptionNotifications;
@JsonProperty("new_offers")
@JsonDeserialize(using = NumericBooleanDeserializer.class)
public boolean newOffersNotify;
@JsonProperty("order_status_changed")
@JsonDeserialize(using = NumericBooleanDeserializer.class)
public boolean orderStatusChangedNotify;
@JsonProperty("hot_offers")
@JsonDeserialize(using = NumericBooleanDeserializer.class)
public boolean hotOffersNotify;
}
确保
@JsonProperty
匹配JSON键由于您的JSON具有
"preferences"
且Java属性的名称为userPreferences
,因此您需要在@JsonProperty("preferences")
内的属性上拍一个User