Kotlin 的一些操作符非常相似,我们有时会不确定使用哪种功能。在这里我将介绍一个简单的方法来清楚地区分他们的差异,最后以及如何选择使用。
首先我们以下这个代码:
class MyClass {
fun test() {
val str: String = "Boss"
val result = str.let {
print(this) // 接收者
print(it) // 参数
69 //区间返回值
}
print(result)
}
}
在上面个例子中,我们使用了 let 操作符,当使用这个函数时,我们所需要问题的有三点:
- this 的含义(接收器)
- it 的含义(参数)
- result 最终得到的什么
因为我们使用的是 let,所以对应是:
- 『 this 』为『 this @ MyClass 』, this 是 MyClass 的实例,因为 test() 是 MyClass 的一个方法。而如果 test() 是一个空函数(Free function —— 不附加到任何类),将会出现一个编译错误。
- 『 it 』为原字符串本身『 Boss 』
- 『 result 』是数字 69,我们已经从区间返回赋值
我们用表格更直观的作显示:
操作符 | 接收者(this) | 传参(it) | 返回值(result) |
---|---|---|---|
let | this@Myclass | String( "Boss" ) | Int( 69 ) |
依此类推:我们可以这段代码为其余的功能做类似的事情。
以下是测试操作符通用的代码,你可以使用 let、run、apply、also 中任何的操作符替换 xxx。
class MyClass {
fun test() {
val str: String = "Boss"
val result = str.xxx {
print(this) // 接收者
print(it) // 参数
69 //区间返回值
}
print(result)
}
}
返回值为:
操作符 | 接收者(this) | 传参(it) | 赋值(result) |
---|---|---|---|
T.let() | this@Myclass | String( "Boss" ) | Int( 69 ) |
T.run() | String( "Boss" ) | 编译错误 | Int( 69 ) |
T.apply() | String( "Boss" ) | 编译错误 | String( "Boss" ) |
T.also() | this@Myclass | String( "Boss" ) | String( "Boss" ) |
with 与 also 操作符在使用上有一些细微的差异,例如:
class MyClass {
fun test() {
val str: String = "Boss"
val result = with(str) {
print(this) // 接收者
// print(it) // 参数
69 //区间返回值
}
print(result)
}
}
class MyClass {
fun test() {
val str: String = "Boss"
val result = run {
print(this) // 接收者
// print(it) // 参数
69 //区间返回值
}
print(result)
}
}
操作符 | 接收者(this) | 传参(it) | 返回值(result) |
---|---|---|---|
run() | this@Myclass | 编译错误 | Int( 69 ) |
with(T) | String("Boss") | 编译错误 | Int( 69 ) |
合二为一:
操作符 | 接收者(this) | 传参(it) | 返回值(result) |
---|---|---|---|
T.let() | this@Myclass | String( "Boss" ) | Int( 69 ) |
T.run() | String( "Boss" ) | 编译错误 | Int( 69 ) |
run() | this@Myclass | 编译错误 | Int( 69 ) |
with(T) | String( "Boss" ) | 编译错误 | Int( 69 ) |
T.apply() | String( "Boss" ) | 编译错误 | String( "Boss" ) |
T.also() | this@Myclass | String( "Boss" ) | String( "Boss" ) |
而关于什么时候我们应该用到什么操作符,可以参考这个图:
参考文章: