3

给定一个简单的数据类,例如:

data class TestSimple(
    val country: String,
    var city: String? = null,
    var number: Int? = null,
    var code: Long? = null,
    var amount: Float? = null,
    var balance: Double? = null
)

有什么方法可以kotlin-reflect用来查找属性的数据类型吗?我通过以下方式获得了所有属性:

val allFields = this::class.declaredMemberProperties.map {
    it.name to it
}.toMap()

我只知道allFields["number"].returnType 返回 a KType。我想不出一种方法来检查 aKTypeInt还是Long.

我试图避免我目前用来将传入的 JSON 数字数据转换为适当的数据类型的代码:

fun castToLong(value: Any): Long {
    val number = try {
        value as Number
    } catch (e: Exception) {
        throw Exception("Failed to cast $value to a Number")
    }
    return number.toLong()
}
4

1 回答 1

2

首先,您可以使用一些库将 JSON 解析为实际类型。Jackson 有很好的 Kotlin 支持。如果您不想使用库,可以使用以下代码段来确定参数类型:

import java.time.OffsetDateTime
import kotlin.reflect.KClass
import kotlin.reflect.full.declaredMemberProperties

data class UpdateTaskDto(
        val taskListId: Long,
        val name: String,
        val description: String? = null,
        val parentTaskId: Long? = null,
        val previousTaskId: Long? = null,
        val dateFrom: OffsetDateTime? = null,
        val dateTo: OffsetDateTime? = null,
        val dateOnlyMode: Boolean? = false
) {
    fun test() {
        this::class.declaredMemberProperties.forEach { type ->
            println("${type.name} ${type.returnType.classifier as KClass<*>}")
        }
    }
}

作为调用测试方法的结果,我得到:

dateFrom class java.time.OffsetDateTime
dateOnlyMode class kotlin.Boolean
dateTo class java.time.OffsetDateTime
description class kotlin.String
name class kotlin.String
parentTaskId class kotlin.Long
previousTaskId class kotlin.Long
taskListId class kotlin.Long
于 2019-02-01T11:19:14.740 回答