Java - Сериализация Iterable <Map.Entry <>> с помощью Gson - PullRequest
1 голос
/ 24 марта 2019

Я пытаюсь сериализовать «Iterable» из типа Map.Entry с библиотекой google GSON - и я получил пустой вывод.

вот пример кода:

static private Iterable<Map.Entry<String, Integer>> getIterable(){
    HashMap<String, Integer> map = new HashMap<>();
    map.put("1", 1);
    map.put("2", 2);

    Iterable<Map.Entry<String, Integer>> iterable = map.entrySet();
    return  iterable;

}

public static void main(String[] args) {

    Iterable<Map.Entry<String, Integer>> myIterable = getIterable();
    GsonBuilder builder = new GsonBuilder();
    Gson gson = builder.enableComplexMapKeySerialization().create();
    String  a= gson.toJson(myIterable);
    System.out.println(a);

}

и это вывод:

[{}, {}]

Есть идеи, что я делаю не так?

спасибо :)

java версия: 1.8
gson версия: 2.6.2

1 Ответ

1 голос
/ 24 марта 2019

Более чистый подход может быть

final Iterable<Entry<String, Integer>> iterable = getIterable();
final Gson gson = new Gson();
final JsonArray jsonArray = new JsonArray();

for (final Entry<String, Integer> entry : iterable) {
    final JsonElement jsonElement = gson.toJsonTree(entry);
    jsonElement.getAsJsonObject().remove("hash");
    jsonArray.add(jsonElement);
}

Или Stream версия, которую я люблю

StreamSupport.stream(iterable.spliterator(), false)
             .map(gson::toJsonTree)
             .map(JsonElement::getAsJsonObject)
             .peek(obj -> obj.remove("hash"))
             .collect(of(
                     JsonArray::new,
                     (array, obj) -> array.add(obj),
                     (output, toMerge) -> {
                         output.addAll(toMerge);
                         return output;
                     }
             ));

вывод: [{"key":"1","value":1},{"key":"2","value":2}]


TL; DR : вам нужен пользовательский TypeAdapterFactory и пользовательский TypeAdapter.

См. Этот метод на TypeAdapters

public static <TT> TypeAdapterFactory newFactory(
    final TypeToken<TT> type, final TypeAdapter<TT> typeAdapter) {
  return new TypeAdapterFactory() {
    @SuppressWarnings("unchecked") // we use a runtime check to make sure the 'T's equal
    @Override public <T> TypeAdapter<T> create(Gson gson, TypeToken<T> typeToken) {
      return typeToken.equals(type) ? (TypeAdapter<T>) typeAdapter : null;
    }
  };
}

enter image description here

без кастомного TypeAdapterFactory

typeToken.equals(type)

возвращает false, и даже пользовательский TypeAdapter<Entry> не используется.


Проблема лежит здесь, на ReflectiveTypeAdapterFactory#write

@Override public void write(JsonWriter out, T value) throws IOException {
  if (value == null) {
    out.nullValue();
    return;
  }

  out.beginObject();
  try {
    for (BoundField boundField : boundFields.values()) {
      if (boundField.writeField(value)) {
        out.name(boundField.name);
        boundField.write(out, value);
      }
    }
  } catch (IllegalAccessException e) {
    throw new AssertionError(e);
  }
  out.endObject();
}

и ReflectiveTypeAdapterFactory#getBoundFields

private Map<String, BoundField> getBoundFields(Gson context, TypeToken<?> type, Class<?> raw) {
  Map<String, BoundField> result = new LinkedHashMap<String, BoundField>();

  if (raw.isInterface()) {
    return result;
  }

Gson распознает вход Entry (Class<?> raw параметр) как

interface Map.Entry<K, V> { ... }

* Поэтому +1051 *

if (raw.isInterface())

yield true, и возвращается пустое boundFields LinkedHashMap.
Таким образом, здесь

for (BoundField boundField : boundFields.values()) { ... }

цикл не выполняется, и никакие значения не извлекаются и не записываются с

boundField.write(...)
...