Kotlin 操作符:run、with、let、also、apply 的差異與選擇

DoubleThunder發表於2017-11-28

Kotlin 操作符:run、with、let、also、apply 的差異與選擇


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" )

而關於什麼時候我們應該用到什麼操作符,可以參考這個圖:

Function_selections
Function_selections

參考文章:

  1. Mastering Kotlin standard functions: run, with, let, also and apply
  2. The difference between Kotlin’s functions: ‘let’, ‘apply’, ‘with’, ‘run’ and ‘also’

相關文章