web-dev-qa-db-fra.com

Kotlin Data Class de Json utilisant GSON

J'ai Java classe POJO comme ceci:

class Topic {
    @SerializedName("id")
    long id;
    @SerializedName("name")
    String name;
}

et j'ai une classe de données Kotlin comme celle-ci

 data class Topic(val id: Long, val name: String)

Comment fournir le json key à toutes les variables de kotlin data class comme l'annotation @SerializedName dans les variables Java?

82
erluxman

Classe de données:

data class Topic(
  @SerializedName("id") val id: Long, 
  @SerializedName("name") val name: String, 
  @SerializedName("image") val image: String,
  @SerializedName("description") val description: String
)

à JSON:

val gson = Gson()
val json = gson.toJson(topic)

de JSON:

val json = getJson()
val topic = gson.fromJson(json, Topic::class.Java)
178
Anton Holovin

Basé sur la réponse de Anton Golovin

Détails

  • Version Gson: 2.8.5
  • Android Studio 3.1.4
  • Version Kotlin: 1.2.60

Solution

Créez des données de classe et héritez de l'interface JSONConvertable

interface JSONConvertable {
     fun toJSON(): String = Gson().toJson(this)
}

inline fun <reified T: JSONConvertable> String.toObject(): T = Gson().fromJson(this, T::class.Java)

Usage

Classe de données

data class User(
    @SerializedName("id") val id: Int,
    @SerializedName("email") val email: String,
    @SerializedName("authentication_token") val authenticationToken: String) : JSONConvertable

À partir de JSON

val json = "..."
val object = json.toObject<User>()

À JSON

val json = object.toJSON()
14
Vasily Bodnarchuk

Vous pouvez utiliser similaire dans la classe Kotlin

class InventoryMoveRequest {
    @SerializedName("userEntryStartDate")
    @Expose
    var userEntryStartDate: String? = null
    @SerializedName("userEntryEndDate")
    @Expose
    var userEntryEndDate: String? = null
    @SerializedName("location")
    @Expose
    var location: Location? = null
    @SerializedName("containers")
    @Expose
    var containers: Containers? = null
}

Et aussi pour la classe imbriquée, vous pouvez utiliser la même chose comme s'il y avait un objet imbriqué. Il suffit de fournir le nom de série pour la classe.

@Entity(tableName = "location")
class Location {

    @SerializedName("rows")
    var rows: List<Row>? = null
    @SerializedName("totalRows")
    var totalRows: Long? = null

}

par conséquent, si vous obtenez une réponse du serveur, chaque clé est mappée avec JOSN.

0
pawan soni