2
public static void main(String[] args) {

    Gson g = new GsonBuilder()
            .setPrettyPrinting()
            .enableComplexMapKeySerialization()
            .serializeSpecialFloatingPointValues()
            .setLongSerializationPolicy(LongSerializationPolicy.DEFAULT)
            .setPrettyPrinting()
            //.registerTypeAdapter(HashMap.class, new HashMapDeserializer())
            .create();

    HashMap<Object, Object> h = new HashMap<Object, Object>();
    h.put("num1", 10);
    h.put("num2", 20);
    h.put("num3", 20.0);
    h.put("num4", "<>");
    h.put("num5", "~!@#$%^&*()_+=-`,.<>?/:;[]{}|");

    String jsonStr = g.toJson(h);
    System.out.println("JsonString::"+jsonStr);
    /*Output below ::
     * 
        JsonString::{
            "num4": "\u003c\u003e",
            "num5": "~!@#$%^\u0026*()_+\u003d-`,.\u003c\u003e?/:;[]{}|",
            "num2": 20,
            "num3": 20.0,
            "num1": 10
        }
     */

    h = g.fromJson(jsonStr, HashMap.class);

    System.out.println("convert from json String :>"+h);
    /*Output below:
      convert from json String :>{num4=<>, num5=~!@#$%^&*()_+=-`,.<>?/:;[]{}|, num2=20.0, num3=20.0, num1=10.0}
     */

    int num1= (Integer) h.get("num1");
    System.out.println(num1);
}

Exception in thread "main" java.lang.ClassCastException: java.lang.Double cannot be cast to java.lang.Integer
    at com.ps.multiupload.servlet.FileUploadUtil.main(FileUploadUtil.java:52)
4

3 回答 3

1

如果你告诉它你想要的类型,Gson 效果最好。否则它总是只使用它最喜欢的类型:Map、List、String、Double 和 Boolean。

要序列化您的混合类型哈希映射,请创建一个知道所需类型的 Java 类:

class NumNumNum {
  int num1;
  int num2;
  double num3;
  String num4;
  String num5;
}

将 JSON 反序列化为这样的类将为 Gson 提供所需的提示。只需 aMap<Object, Object>它就可以做最简单的事情。

于 2012-04-21T13:32:00.260 回答
0

Try this:

int num1=new Integer(h.get("num1").toString());

float num3=new Float(h.get("num3").toString());
于 2012-04-21T05:57:05.943 回答
0

不幸的是,这并不是那么简单。您需要创建自己的反序列化器。我建议您从源代码中复制粘贴以下类:ObjectTypeAdapter、MapTypeAdapterFactory 和辅助类 TypeAdapterRuntimeTypeWrapper。现在通过替换以下行来修复 MapTypeAdapterFactory.create 方法:

TypeAdapter<?> valueAdapter = gson.getAdapter(TypeToken.get(keyAndValueTypes[1]));

TypeAdapter<?> valueAdapter = MyObjectTypeAdapter.FACTORY.create(gson, TypeToken.get(keyAndValueTypes[1]));

现在通过替换以下行来修复 ObjectTypeAdapter.read 方法:

case NUMBER:
    return in.nextDouble();

case NUMBER:
    return in.nextLong();

最后一件事:在 gson 中注册您的自定义地图序列化程序:

Gson gson = new GsonBuilder()
        .setPrettyPrinting()
        .registerTypeAdapterFactory(new MyMapTypeAdapterFactory(new ConstructorConstructor(Collections.<Type, InstanceCreator<?>>emptyMap()), false))
        .create();

现在 JSON 中的任何“NUMBER”数据都将被反序列化为 long。

于 2015-01-26T22:56:38.017 回答