4

如果我尝试反序列化我的 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"

4

1 回答 1

9

你的 JSON 首先是坏的。您根本不应该将数字表示为字符串。您基本上应该String在 Java bean 对象表示中也具有所有属性ViewLineaAsiento,或者从表示数字的 JSON 属性中删除那些双引号(并将分数分隔符固定为.而不是,)。

如果您绝对肯定要继续使用这个糟糕的 JSON 并通过解决方法/hack 来解决问题,而不是从根源上解决问题,那么您需要创建一个自定义 Gson 反序列化器。这是一个启动示例:

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);
于 2012-11-06T14:59:34.963 回答