This 表达式

为了表示当前的 接收者 我们使用 this 表达式:

如果 this 没有限定符,它指的是最内层的包含它的作用域。要引用其他作用域中的 this,请使用 标签限定符

限定的 this

要访问来自外部作用域的this(一个 或者扩展函数, 或者带标签的带有接收者的函数字面值)我们使用[[email protected]](https://www.kotlincn.net/cdn-cgi/l/email-protection),其中 @label 是一个代指 this 来源的标签:

  1. class A { // 隐式标签 @A
  2. inner class B { // 隐式标签 @B
  3. fun Int.foo() { // 隐式标签 @foo
  4. val a = [email protected] // A 的 this
  5. val b = [email protected] // B 的 this
  6. val c = this // foo() 的接收者,一个 Int
  7. val c1 = [email protected] // foo() 的接收者,一个 Int
  8. val funLit = [email protected] fun String.() {
  9. val d = this // funLit 的接收者
  10. }
  11. val funLit2 = { s: String ->
  12. // foo() 的接收者,因为它包含的 lambda 表达式
  13. // 没有任何接收者
  14. val d1 = this
  15. }
  16. }
  17. }
  18. }

Implicit this

当对 this 调用成员函数时,可以省略 this. 部分。 但是如果有一个同名的非成员函数时,请谨慎使用,因为在某些情况下会调用同名的非成员:

  1. fun main() {
  2. //sampleStart
  3. fun printLine() { println("Top-level function") }
  4. class A {
  5. fun printLine() { println("Member function") }
  6. fun invokePrintLine(omitThis: Boolean = false) {
  7. if (omitThis) printLine()
  8. else this.printLine()
  9. }
  10. }
  11. A().invokePrintLine() // Member function
  12. A().invokePrintLine(omitThis = true) // Top-level function
  13. //sampleEnd()
  14. }