TIL은 가벼운 개념정리 목적으로 작성되어 있습니다.
Kotlin의 Delegated Property는 프로퍼티의 getter와 setter 동작을 다른 객체에 위임(delegate)하는 기능입니다.
이 기능을 통해 코드의 재사용성과 간결성을 높이고, 여러 상황(예: lazy 초기화, 변경 감지, 캐싱 등)에서 부가적인 로직을 손쉽게 추가할 수 있습니다.
by
키워드를 사용하여 프로퍼티의 접근(읽기/쓰기) 동작을 다른 객체에 위임할 수 있습니다.by lazy
, by observable
, by vetoable
등의 내장 delegated property를 제공하여 반복되는 작업을 줄이고 생산성을 높입니다.Delegated Property를 사용하려면, 위임 객체가 다음 두 operator 함수를 구현해야 합니다.
operator fun getValue
thisRef
: 위임받은 프로퍼티가 속한 객체(또는 null).property
: 프로퍼티의 메타정보(KProperty<*>) 제공.
1
2
3
operator fun getValue(thisRef: Any?, property: KProperty<*>): Int {
return 42 // 항상 42를 반환하는 단순 예제
}
operator fun setValue
thisRef
: 위임받은 프로퍼티가 속한 객체.property
: 프로퍼티의 메타정보.value
: 새롭게 할당될 값.
1
2
3
operator fun setValue(thisRef: Any?, property: KProperty<*>, value: Int) {
println("New value is $value")
}
이 두 함수를 구현하면, 프로퍼티의 접근과 수정 작업이 모두 위임 객체에 의해 제어되므로 추가적인 로직(예: 로그 기록, 값 검증 등)을 쉽게 삽입할 수 있습니다.
다음은 기본적인 예제입니다.
Example
클래스의 number
프로퍼티는 내부적으로 Delegate
객체에 의해 관리됩니다.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
class Delegate {
operator fun getValue(thisRef: Any?, property: KProperty<*>): Int {
println("${property.name} is accessed")
return 42
}
operator fun setValue(thisRef: Any?, property: KProperty<*>, value: Int) {
println("Setting ${property.name} to $value")
}
}
class Example {
var number: Int by Delegate()
}
fun main() {
val example = Example()
println(example.number) // "number is accessed" 출력 후 42 반환
example.number = 100 // "Setting number to 100" 출력
}
이 예제를 통해 프로퍼티 접근 시마다 위임 객체의 getValue
와 setValue
가 호출됨을 확인할 수 있습니다.
Kotlin 표준 라이브러리는 이미 다양한 Delegated Property를 제공합니다.
val
과 함께 사용됩니다.
1
2
3
4
val lazyValue: String by lazy {
println("Computing value...")
"Hello, World!"
}
1
2
3
var observedValue: Int by Delegates.observable(0) { property, oldValue, newValue ->
println("${property.name} changed from $oldValue to $newValue")
}
1
2
3
var vetoableValue: Int by Delegates.vetoable(0) { _, old, new ->
new >= old // 새로운 값이 이전 값보다 크거나 같을 때만 변경 허용
}
Delegated Property는 여러 상황에서 매우 유용합니다. 아래는 몇 가지 사용 사례와 권장 상황입니다.
by lazy
를 사용하면 처음 접근할 때만 초기화되므로 불필요한 초기화를 방지할 수 있습니다.Kotlin Delegated Property는 프로퍼티의 get과 set 동작을 다른 객체에 위임하여,
또한,
by lazy
, by observable
, by vetoable
)를 사용하면 이미 검증된 패턴을 쉽게 적용할 수 있으며, 필요한 경우 커스텀 delegate로 확장하여 사용하면 됩니다.