如果我尝试反序列化我的json:
String myjson = "
{
"intIdfCuenta":"4720",
"intIdfSubcuenta":"0",
"floatImporte":"5,2",
"strSigno":"D",
"strIdfClave":"FT",
"strDocumento":"1",
"strDocumentoReferencia":"",
"strAmpliacion":"",
"strIdfTipoExtension":"IS",
"id":"3"
}";
viewLineaAsiento asiento = gson.fromJson(formpla.getViewlineaasiento(),viewLineaAsiento.class);
我收到此错误:
com.google.gson.JsonSyntaxException:java.lang.NumberFormatException:对于输入字符串:“5,2”
如何解析“5,2”到Double ???
我知道如果我使用"floatImporte":"5.2"
我可以毫无问题地解析它,但我要解析"floatImporte":"5,2"
答案 0 :(得分:7)
你的JSON位居第一。您根本不应将数字表示为字符串。您基本上应该在String
Java bean对象表示中包含所有ViewLineaAsiento
属性,或者从表示数字的JSON属性中删除那些双引号(并将分数分隔符固定为.
而不是,
)。
如果你想要继续使用这个糟糕的JSON并通过解决方法/黑客而不是从根本上修复问题来解决问题,那么你需要创建一个custom Gson deserializer。这是一个启动示例:
public static class BadDoubleDeserializer implements JsonDeserializer<Double> {
@Override
public Double deserialize(JsonElement element, Type type, JsonDeserializationContext context) throws JsonParseException {
try {
return Double.parseDouble(element.getAsString().replace(',', '.'));
} catch (NumberFormatException e) {
throw new JsonParseException(e);
}
}
}
您可以通过GsonBuilder#registerTypeAdapter()
注册,如下所示:
Gson gson = new GsonBuilder().registerTypeAdapter(Double.class, new BadDoubleDeserializer()).create();
ViewLineaAsiento asiento = gson.fromJson(myjson, ViewLineaAsiento.class);