GSONでJSONを解析する際の列挙型の使用


119

これは、以前にここで質問した前の質問に関連しています

Gsonを使用したJSON解析

同じJSONを解析しようとしていますが、クラスを少し変更しました。

{
    "lower": 20,
    "upper": 40,
    "delimiter": " ",
    "scope": ["${title}"]
}

私のクラスは次のようになります:

public class TruncateElement {

   private int lower;
   private int upper;
   private String delimiter;
   private List<AttributeScope> scope;

   // getters and setters
}


public enum AttributeScope {

    TITLE("${title}"),
    DESCRIPTION("${description}"),

    private String scope;

    AttributeScope(String scope) {
        this.scope = scope;
    }

    public String getScope() {
        return this.scope;
    }
}

このコードは例外をスローし、

com.google.gson.JsonParseException: The JsonDeserializer EnumTypeAdapter failed to deserialized json object "${title}" given the type class com.amazon.seo.attribute.template.parse.data.AttributeScope
at 

例外は理解できます。前の質問の解決策に従って、GSONはEnumオブジェクトが実際に次のように作成されることを期待しているためです

${title}("${title}"),
${description}("${description}");

しかし、これは構文的に不可能であるため、推奨される解決策、回避策は何ですか?

回答:


57

Gsonのドキュメントから:

GsonはEnumのデフォルトのシリアル化とデシリアライズを提供します...デフォルトの表現を変更したい場合は、GsonBuilder.registerTypeAdapter(Type、Object)を通じてタイプアダプターを登録することで変更できます。

以下はそのようなアプローチの1つです。

import java.io.FileReader;
import java.lang.reflect.Type;
import java.util.List;

import com.google.gson.Gson;
import com.google.gson.GsonBuilder;
import com.google.gson.JsonDeserializationContext;
import com.google.gson.JsonDeserializer;
import com.google.gson.JsonElement;
import com.google.gson.JsonParseException;

public class GsonFoo
{
  public static void main(String[] args) throws Exception
  {
    GsonBuilder gsonBuilder = new GsonBuilder();
    gsonBuilder.registerTypeAdapter(AttributeScope.class, new AttributeScopeDeserializer());
    Gson gson = gsonBuilder.create();

    TruncateElement element = gson.fromJson(new FileReader("input.json"), TruncateElement.class);

    System.out.println(element.lower);
    System.out.println(element.upper);
    System.out.println(element.delimiter);
    System.out.println(element.scope.get(0));
  }
}

class AttributeScopeDeserializer implements JsonDeserializer<AttributeScope>
{
  @Override
  public AttributeScope deserialize(JsonElement json, Type typeOfT, JsonDeserializationContext context)
      throws JsonParseException
  {
    AttributeScope[] scopes = AttributeScope.values();
    for (AttributeScope scope : scopes)
    {
      if (scope.scope.equals(json.getAsString()))
        return scope;
    }
    return null;
  }
}

class TruncateElement
{
  int lower;
  int upper;
  String delimiter;
  List<AttributeScope> scope;
}

enum AttributeScope
{
  TITLE("${title}"), DESCRIPTION("${description}");

  String scope;

  AttributeScope(String scope)
  {
    this.scope = scope;
  }
}

310

NAZIK / user2724653の回答を少し拡張したい(私の場合)。Javaコードは次のとおりです。

public class Item {
    @SerializedName("status")
    private Status currentState = null;

    // other fields, getters, setters, constructor and other code...

    public enum Status {
        @SerializedName("0")
        BUY,
        @SerializedName("1")
        DOWNLOAD,
        @SerializedName("2")
        DOWNLOADING,
        @SerializedName("3")
        OPEN
     }
}

jsonファイルにはフィールドのみ"status": "N",があり、N = 0,1,2,3-ステータス値に依存します。GSONネストされたenumクラスの値で問題なく動作します。私の場合Itemsjson配列のリストを解析しました:

List<Item> items = new Gson().<List<Item>>fromJson(json,
                                          new TypeToken<List<Item>>(){}.getType());

28
この答えはすべてを完全に解決します。タイプアダプターは必要ありません。
Lena Bru 2014年

4
Retrofit / Gsonを使用してこれを行うと、列挙値のSerializedNameに余分な引用符が追加されます。"1"たとえば、サーバーは実際には、単に受信するのではなく、たとえば1...
Matthew Housser '19 / 10/19

17
ステータス5のjsonが到着するとどうなりますか?デフォルト値を定義する方法はありますか?
DmitryBorodin 2015

8
@DmitryBorodin JSONの値がいずれにも一致しないSerializedName場合、列挙型はデフォルトでになりますnull。不明な状態のデフォルトの動作は、ラッパークラスで処理できます。ただし、「不明」以外の表現nullが必要な場合は、カスタムデシリアライザーまたはタイプアダプターを作成する必要があります。
Peter F

32

注釈を使用@SerializedName

@SerializedName("${title}")
TITLE,
@SerializedName("${description}")
DESCRIPTION

9

GSONバージョン2.2.2を使用すると、列挙型をマーシャリングおよびアンマーシャリングしやすくなります。

import com.google.gson.annotations.SerializedName;

enum AttributeScope
{
  @SerializedName("${title}")
  TITLE("${title}"),

  @SerializedName("${description}")
  DESCRIPTION("${description}");

  private String scope;

  AttributeScope(String scope)
  {
    this.scope = scope;
  }

  public String getScope() {
    return scope;
  }
}

8

次のスニペットは、Gson 2.3以降で使用可能なGson.registerTypeAdapter(...)@JsonAdapter(class)アノテーションを使用した明示的なの必要性を取り除きます(コメントpm_labsを参照)。

@JsonAdapter(Level.Serializer.class)
public enum Level {
    WTF(0),
    ERROR(1),
    WARNING(2),
    INFO(3),
    DEBUG(4),
    VERBOSE(5);

    int levelCode;

    Level(int levelCode) {
        this.levelCode = levelCode;
    }

    static Level getLevelByCode(int levelCode) {
        for (Level level : values())
            if (level.levelCode == levelCode) return level;
        return INFO;
    }

    static class Serializer implements JsonSerializer<Level>, JsonDeserializer<Level> {
        @Override
        public JsonElement serialize(Level src, Type typeOfSrc, JsonSerializationContext context) {
            return context.serialize(src.levelCode);
        }

        @Override
        public Level deserialize(JsonElement json, Type typeOfT, JsonDeserializationContext context) {
            try {
                return getLevelByCode(json.getAsNumber().intValue());
            } catch (JsonParseException e) {
                return INFO;
            }
        }
    }
}

1
このアノテーションはバージョン2.3以降でのみ利用可能であることに注意してください:google.github.io/gson/apidocs/index.html
com

3
シリアライザ/デシリアライザクラスが削除される可能性があるため、プロガード構成に追加するように注意してください(これは私のために起こりました)
TormundThunderfist 2018

2

Enumの序数値を本当に使用したい場合は、タイプアダプタファクトリを登録して、Gsonのデフォルトファクトリをオーバーライドできます。

public class EnumTypeAdapter <T extends Enum<T>> extends TypeAdapter<T> {
    private final Map<Integer, T> nameToConstant = new HashMap<>();
    private final Map<T, Integer> constantToName = new HashMap<>();

    public EnumTypeAdapter(Class<T> classOfT) {
        for (T constant : classOfT.getEnumConstants()) {
            Integer name = constant.ordinal();
            nameToConstant.put(name, constant);
            constantToName.put(constant, name);
        }
    }
    @Override public T read(JsonReader in) throws IOException {
        if (in.peek() == JsonToken.NULL) {
            in.nextNull();
            return null;
        }
        return nameToConstant.get(in.nextInt());
    }

    @Override public void write(JsonWriter out, T value) throws IOException {
        out.value(value == null ? null : constantToName.get(value));
    }

    public static final TypeAdapterFactory ENUM_FACTORY = new TypeAdapterFactory() {
        @SuppressWarnings({"rawtypes", "unchecked"})
        @Override public <T> TypeAdapter<T> create(Gson gson, TypeToken<T> typeToken) {
            Class<? super T> rawType = typeToken.getRawType();
            if (!Enum.class.isAssignableFrom(rawType) || rawType == Enum.class) {
                return null;
            }
            if (!rawType.isEnum()) {
                rawType = rawType.getSuperclass(); // handle anonymous subclasses
            }
            return (TypeAdapter<T>) new EnumTypeAdapter(rawType);
        }
    };
}

次に、工場を登録します。

Gson gson = new GsonBuilder()
               .registerTypeAdapterFactory(EnumTypeAdapter.ENUM_FACTORY)
               .create();

0

この方法を使用

GsonBuilder.enableComplexMapKeySerialization();

3
このコードは質問に答えることがありますが、問題を解決する方法や理由に関する追加のコンテキストを提供することで、回答の長期的な価値が向上します。
Nic3500 2018

gson 2.8.5以降、これは、キーとして使用する列挙型でSerializedNameアノテーションを使用するために必要です
vazor
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.