我刚看了Kotlin
standard library,发现了一些名为componentN
的奇怪扩展函数,其中N是1到5的索引。
所有类型的基元都有函数。例如:
/**
* Returns 1st *element* from the collection.
*/
@kotlin.internal.InlineOnly
public inline operator fun IntArray.component1(): Int {
return get(0)
}
对我来说好奇。我对开发者的动机很感兴趣。是否最好拨打array.component1()
而不是array[0]
?
答案 0 :(得分:8)
Kotlin有许多功能可按惯例启用特定功能。您可以使用operator
关键字来识别这些内容。例如委托,运算符重载,索引运算符以及解构声明。
函数componentX
允许在特定类上使用解构。您必须提供这些函数才能将该类的实例解构为其组件。很高兴知道data
类默认为每个属性提供这些属性。
获取数据类Person
:
data class Person(val name: String, val age: Int)
它将为每个属性提供componentX
函数,以便您可以像这样对其进行解构:
val p = Person("Paul", 43)
println("First component: ${p.component1()} and second component: ${p.component2()}")
val (n,a) = p
println("Descructured: $n and $a")
//First component: Paul and second component: 43
//Descructured: Paul and 43
另见我在另一个帖子中给出的答案:
答案 1 :(得分:4)
这些是Destructuring Declarations,在某些情况下它们非常方便。
val arr = arrayOf(1, 2, 3)
val (a1, a2, a3) = arr
print("$a1 $a2 $a3") // >> 1 2 3
val (a1, a2, a3) = arr
编译为
val a1 = arr.component1()
val a2 = arr.component2()
val a3 = arr.component3()