Function literals with receiver 문서 정리를 공부한 이후 작성한 코틀린 receiver 이해를 위한 예시 정리
data class Foo(private val name: String) {
fun bar1(block: Foo.() -> Unit) {
block()
}
fun bar2(block: (Foo) -> Unit) {
block(this)
}
fun bar3(block: Foo.(s: String) -> Unit) {
block(name)
}
fun bar4(other: Foo, block: Foo.() -> Unit) {
other.block()
}
}
data class Foo(private val name: String) {
fun bar() {
println("bar() called")
}
fun bar1(block: Foo.() -> Unit) {
block() // == this.block()
}
}
val foo = Foo("baz")
foo.bar1 {
println("bar1() called: $this") // bar1() called: Foo(name=baz)
}
Foo
객체를 수신자로 하고 Unit
을 반환하는 함수 block
을 받는 bar1
메서드block
은 Foo
객체를 수신자로 하는 함수다. 위의 예제에서는 block()
을 호출할 때 암묵적으로 this(Foo 인스턴스)
가 리시버로 전달된다.block
은 Foo
객체를 수신자로 하고 있어 내부에서는 Foo
타입의 this
를 사용할 수 있다.
data class Foo(private val name: String) {
fun bar() {
println("bar() called")
}
fun bar2(block: (Foo) -> Unit) {
block(this)
}
}
val foo = Foo("baz")
foo.bar2 {
println("bar2() called: $it") // bar2() called: Foo(name=baz)
}
Foo
객체를 파라미터로 받고 Unit
을 반환하는 함수 block
을 받는 bar2
메서드block
은 Foo
객체를 파라미터로 받는 함수다. 위의 예제에서는 현재 객체(this
)를 block
에 인자로 전달하였다.block
은 Foo
객체를 파라미터로 받기에 내부에서는 Foo
타입의 it
을 사용할 수 있다.
data class Foo(private val name: String) {
fun bar() {
println("bar() called")
}
fun bar3(block: Foo.(s: String) -> Unit) {
block(name) // == this.block(name)
}
}
val foo = Foo("baz")
foo.bar3 {
println("bar3() called: $this, $it") // bar3() called: Foo(name=baz), baz
}
Foo
객체를 수신자로 하고 String
을 파라미터로 받으며 Unit
을 반환하는 함수 block
을 받는 bar3
메서드block
은 Foo
객체를 수신자로 하고 String
을 파라미터로 받는 함수다. 위의 예제에서는 Foo 객체 내부에서 this
를 사용하여 block
을 사용하였고 String
타입의 name
을 파라미터로 전달받았다.block
은 Foo
객체를 수신자로 하고 있어 bar3
메서드 내부에서 this
를 사용할 수 있다.block
은 String
을 파라미터로 받기에 내부에서는 String
타입의 it
을 사용할 수 있다.
data class Foo(private val name: String) {
fun bar() {
println("bar() called")
}
fun bar4(other: Foo, block: Foo.() -> Unit) {
other.block()
}
}
val foo = Foo("baz")
val foo2 = Foo("qux")
foo.bar4(foo2) {
println("bar4() called: $this") // bar4() called: Foo(name=qux)
}
Foo
타입의 객체 other
과 Foo
객체를 수신자로 하고 Unit
을 반환하는 함수 block
을 받는 bar4
메서드block
은 Foo
객체를 수신자로 하는 함수다. 위의 예제에서는 bar4
의 파라미터로 전달받은 other
가 block()
을 호출할 때 리시버로 전달된다.block
은 Foo
객체를 수신자로 하고 있어 내부에서는 Foo
타입의 this
를 사용할 수 있다.other
을 수신하고 있을 때 block
내부의 this
는 other
객체를 가리킨다.
'자바' 카테고리의 다른 글
Function literals with receiver 문서 정리 (0) | 2025.04.02 |
---|---|
Job (0) | 2025.04.01 |
SupervisorJob (0) | 2025.03.26 |
CoroutineScope (0) | 2025.03.25 |
스레드 비용 (1) | 2025.03.12 |