我想返回一个类的副本,该类的副本具有分配给val
属性的不同值。
data class Person(val name: String, val age: Int)
fun main() {
val person = Person("Morné", 25)
val property = person::class.declaredMemberProperties.first { it.name == "age" }
person.copyWithValue(property.name, 22)
}
如果age
是var
,那么我可以这样做:
fun main() {
val person = Person("Morné", 25)
val property = person::class.declaredMemberProperties.first { it.name == "age" }
if (property is KMutableProperty<*>)
property.setter.call(person, 22)
}
答案 0 :(得分:2)
如果您确实只想返回对象的副本,则可以使用copy
,例如:
fun main() {
val person = Person("Morné", 25)
val newPerson = person.copy(age = 22)
}
否则,如果您真的必须编辑age
,则一开始一定不能是val
。使用反射,您仍然可以调整值,但如果到目前为止的答案已经足够,那么它们便是解决方法...
以一种更加动态的方式,您可以使用以下命令(我仍将以copy
方法为目标,因为那样您就不会意外地更新当前对象):
val person = Person("Morné", 25)
val updates = mapOf("lastname" to "N/A", "age" to 22)
val copiedPerson = with(person::class.memberFunctions.first { it.name == "copy" }) {
callBy(mapOf(instanceParameter!! to person)
.plus(updates.mapNotNull { (property, newValue) ->
parameters.firstOrNull { it.name == property }
?.let { it to newValue }
})
)
}
println(copiedPerson)
打印:
Person(name=Morné, age=22)
如果要继续使用实际类型,也可以在.let { person::class.cast(it }
之后使用callBy
之类的内容。如果只希望它与Person
类型一起使用,则还可以将person
与Person
交换,并将其直接转换为as Person
。