GSON fromJson return LinkedHashMap instead of EnumMap

后端 未结 1 1677
生来不讨喜
生来不讨喜 2021-01-12 03:44

I want to make gson able to return an EnumMap object. I use the following code

package sandbox;

import com.google.gson.Gson;
import com.google.         


        
1条回答
  •  夕颜
    夕颜 (楼主)
    2021-01-12 04:09

    Even with a type token, Gson can only deserialize data into classes that have a default constructor. And EnumMap doesn't have one (it needs to be instantiated with the type of enum that its elements will match). The easiest way around this problem is to define and use an InstanceCreator:

    This interface is implemented to create instances of a class that does not define a no-args constructor. If you can modify the class, you should instead add a private, or public no-args constructor. However, that is not possible for library classes, such as JDK classes, or a third-party library that you do not have source-code of. In such cases, you should define an instance creator for the class. Implementations of this interface should be registered with GsonBuilder.registerTypeAdapter(Type, Object) method before Gson will be able to use them.

    Heres some example code:

    InstanceCreator:

    class EnumMapInstanceCreator, V> implements
            InstanceCreator> {
        private final Class enumClazz;
    
        public EnumMapInstanceCreator(final Class enumClazz) {
            super();
            this.enumClazz = enumClazz;
        }
    
        @Override
        public EnumMap createInstance(final Type type) {
            return new EnumMap(enumClazz);
        }
    }
    

    Test code:

    final Gson gson = new GsonBuilder().registerTypeAdapter(
            new TypeToken>() {
            }.getType(),
            new EnumMapInstanceCreator(Country.class))
            .create();
    
    final Map enumMap = new EnumMap(
            Country.class);
    enumMap.put(Country.Malaysia, "RM");
    enumMap.put(Country.UnitedStates, "USD");
    String string = gson.toJson(enumMap);
    System.out.println("toJSon : " + string);
    
    final Map reverseEnumMap = gson.fromJson(string,
            new TypeToken>() {
            }.getType());
    System.out.println("fromJSon (Class): " + reverseEnumMap.getClass());
    System.out.println("fromJSon : " + reverseEnumMap);
    

    0 讨论(0)
提交回复
热议问题