これは簡単なはずですが、実際には多くのコードが必要なものを分離するので、すばらしい質問です。
最初にTypeAdapterFactory
、発信データを変更するためのフックを提供する抽象を記述します。この例では、Gson 2.2の新しいAPI getDelegateAdapter()
を使用して、Gsonがデフォルトで使用するアダプターを検索できるようにしています。デリゲートアダプターは、標準の動作を微調整するだけの場合に非常に便利です。また、完全なカスタムタイプアダプターとは異なり、フィールドを追加および削除しても、アダプターは自動的に最新の状態に保たれます。
public abstract class CustomizedTypeAdapterFactory<C>
implements TypeAdapterFactory {
private final Class<C> customizedClass;
public CustomizedTypeAdapterFactory(Class<C> customizedClass) {
this.customizedClass = customizedClass;
}
@SuppressWarnings("unchecked") // we use a runtime check to guarantee that 'C' and 'T' are equal
public final <T> TypeAdapter<T> create(Gson gson, TypeToken<T> type) {
return type.getRawType() == customizedClass
? (TypeAdapter<T>) customizeMyClassAdapter(gson, (TypeToken<C>) type)
: null;
}
private TypeAdapter<C> customizeMyClassAdapter(Gson gson, TypeToken<C> type) {
final TypeAdapter<C> delegate = gson.getDelegateAdapter(this, type);
final TypeAdapter<JsonElement> elementAdapter = gson.getAdapter(JsonElement.class);
return new TypeAdapter<C>() {
@Override public void write(JsonWriter out, C value) throws IOException {
JsonElement tree = delegate.toJsonTree(value);
beforeWrite(value, tree);
elementAdapter.write(out, tree);
}
@Override public C read(JsonReader in) throws IOException {
JsonElement tree = elementAdapter.read(in);
afterRead(tree);
return delegate.fromJsonTree(tree);
}
};
}
/**
* Override this to muck with {@code toSerialize} before it is written to
* the outgoing JSON stream.
*/
protected void beforeWrite(C source, JsonElement toSerialize) {
}
/**
* Override this to muck with {@code deserialized} before it parsed into
* the application type.
*/
protected void afterRead(JsonElement deserialized) {
}
}
上記のクラスは、デフォルトのシリアル化を使用してJSONツリー(で表されるJsonElement
)を取得し、フックメソッドbeforeWrite()
を呼び出して、サブクラスがそのツリーをカスタマイズできるようにします。同様に、afterRead()
。
次に、特定のMyClass
例のためにこれをサブクラス化します。説明のために、シリアル化されたマップに「サイズ」という合成プロパティを追加します。対称性のために、逆シリアル化されたら削除します。実際には、これは任意のカスタマイズである可能性があります。
private class MyClassTypeAdapterFactory extends CustomizedTypeAdapterFactory<MyClass> {
private MyClassTypeAdapterFactory() {
super(MyClass.class);
}
@Override protected void beforeWrite(MyClass source, JsonElement toSerialize) {
JsonObject custom = toSerialize.getAsJsonObject().get("custom").getAsJsonObject();
custom.add("size", new JsonPrimitive(custom.entrySet().size()));
}
@Override protected void afterRead(JsonElement deserialized) {
JsonObject custom = deserialized.getAsJsonObject().get("custom").getAsJsonObject();
custom.remove("size");
}
}
最後にGson
、新しいタイプのアダプターを使用するカスタマイズされたインスタンスを作成して、すべてをまとめます。
Gson gson = new GsonBuilder()
.registerTypeAdapterFactory(new MyClassTypeAdapterFactory())
.create();
Gsonの新しいTypeAdapterおよびTypeAdapterFactory型は非常に強力ですが、これらは抽象的であり、効果的に使用するには練習が必要です。この例がお役に立てば幸いです。