使用 GSON 来自 Json 的 Kotlin 数据类

问题描述 投票:0回答:3

我有这样的 Java POJO 类:

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

我有一个像这样的 Kotlin 数据类

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

如何像java变量中的

json key
注释一样为
kotlin data class
的任何变量提供
@SerializedName

java json gson kotlin data-class
3个回答
305
投票

数据类:

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)

来自 JSON:

val json = getJson()
val topic = gson.fromJson(json, Topic::class.java)

27
投票

基于Anton Golovin

的回答

详情

  • Gson版本:2.8.5
  • Android Studio 3.1.4
  • Kotlin 版本:1.2.60

解决方案

创建任意类数据并继承JSONConvertable接口

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

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

使用方法

数据类

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

来自 JSON

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

转JSON

val json = object.toJSON()

4
投票

您可以在 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
}

对于嵌套类,您可以使用相同的方法,就像存在嵌套对象一样。只需提供类的序列化名称即可。

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

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

}

因此,如果从服务器获得响应,每个键都将与 JSON 映射。

Alos,将 List 转换为 JSON:

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

android 从 JSON 转换为对象:

val json = getJson()
val topic = gson.fromJson(json, Topic::class.java)
© www.soinside.com 2019 - 2024. All rights reserved.