Сериализация класса с несколькими генериками с использованием GSON - PullRequest
0 голосов
/ 03 декабря 2018

У меня есть класс данных, содержащий два списка обобщенных типов:

data class Warehouse(
    val cars: MutableList<out Car>,
    val planes: MutableList<out Plane>,
)

На данный момент я попытался сериализовать свой объект, используя:

val warehouse = Warehouse(cars, planes)
val json = Gson().toJson(warehouse)

, что дает мне следующий json:

{
    "cars": [
    {}
  ],
    "planes": [
    {}
  ],
}

Если я сериализирую автомобили, используя

val cars: MutableList<Car> = getCars()
val json = Gson().toJson(cars)

, все работает так, как задумано, то есть json содержит правильную информацию.

Согласно документации, объектизвестного типа может содержать любое поле универсального типа:

 /**
   * This method serializes the specified object into its equivalent Json representation.
   * This method should be used when the specified object is not a generic type. This method uses
   * {@link Class#getClass()} to get the type for the specified object, but the
   * {@code getClass()} loses the generic type information because of the Type Erasure feature
   * of Java. Note that this method works fine if the any of the object fields are of generic type,
   * just the object itself should not be of a generic type. If the object is of generic type, use
   * {@link #toJson(Object, Type)} instead. If you want to write out the object to a
   * {@link Writer}, use {@link #toJson(Object, Appendable)} instead.
   *
   * @param src the object for which Json representation is to be created setting for Gson
   * @return Json representation of {@code src}.
   */

Что мне здесь не хватает?

1 Ответ

0 голосов
/ 04 декабря 2018

Решение состоит в том, чтобы зарегистрировать адаптер другого типа вручную:

val json = GsonBuilder()
            .registerTypeAdapter(Car::class.java, CarSerializer())
            .registerTypeAdapter(Plane::class.java, PlaneSerializer())
            .create()
            .toJson(data)

с CarSerializer, определяемым как:

class CarSerializer : JsonSerializer<Car> {

    override fun serialize(src: Car, typeOfSrc: Type, context: JsonSerializationContext): JsonElement {
        return when (src) {
            is Ferrari -> context.serialize(src, Ferrari::class.java)
            is Mercedes -> context.serialize(src, Mercedes::class.java)
            else -> throw IllegalArgumentException("Unspecified class serializer for ${src.javaClass.name}")
        }
    }
}

PlaneSerializer определяется таким же образом.

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...