/** * Calls the specified function [block] and returns its result. */ @kotlin.internal.InlineOnly public inline fun <R> run(block: () -> R): R { contract { callsInPlace(block, InvocationKind.EXACTLY_ONCE) } return block() }
示例
1 2 3 4 5 6 7 8
fun runTest1() { varname="AA" run { valname="BB" Log.e(TAG, name) // BB } Log.d(TAG, name) // AA }
fun runTest2() { varsuccess=true varresult= run { if (success) { "200" } else { "404" } } Log.d(TAG, result) // 200 }
run() 返回作用域中的最后一个对象。
T.run()
定义
1 2 3 4 5 6 7 8 9 10
/** * Calls the specified function [block] with `this` value as its receiver and returns its result. */ @kotlin.internal.InlineOnly public inline fun <T, R> T.run(block: T.() -> R): R { contract { callsInPlace(block, InvocationKind.EXACTLY_ONCE) } return block() }
T.run() 中通过 this 来获取 “ABCDEF” 对象,然后输出 length . T.run() 返回作用域中的最后一个对象。
with()
定义
1 2 3 4 5 6 7 8 9 10
/** * Calls the specified function [block] with the given [receiver] as its receiver and returns its result. */ @kotlin.internal.InlineOnly public inline fun <T, R> with(receiver: T, block: T.() -> R): R { contract { callsInPlace(block, InvocationKind.EXACTLY_ONCE) } return receiver.block() }
/** * Calls the specified function [block] with `this` value as its argument and returns its result. */ @kotlin.internal.InlineOnly public inline fun <T, R> T.let(block: (T) -> R): R { contract { callsInPlace(block, InvocationKind.EXACTLY_ONCE) } return block(this) }
示例
1 2 3 4 5 6
fun letTest() { valresult="ABCDEF".let { it.substring(2) // it 代表 "ABCDEF" } Log.d(TAG, result) // CDEF }
T.let() 返回作用域中的最后一个对象。
T.also()
定义
1 2 3 4 5 6 7 8 9 10 11 12
/** * Calls the specified function [block] with `this` value as its argument and returns `this` value. */ @kotlin.internal.InlineOnly @SinceKotlin("1.1") public inline fun <T> T.also(block: (T) -> Unit): T { contract { callsInPlace(block, InvocationKind.EXACTLY_ONCE) } block(this) returnthis }
示例
1 2 3 4 5 6
fun alsoTest() { valresult="ABCDEF".also { it.substring(2) // it 代表 "ABCDEF" } Log.d(TAG, result) // ABCDEF }
T.also() 返回原来的对象不变。
T.apply()
定义
1 2 3 4 5 6 7 8 9 10 11
/** * Calls the specified function [block] with `this` value as its receiver and returns `this` value. */ @kotlin.internal.InlineOnly public inline fun <T> T.apply(block: T.() -> Unit): T { contract { callsInPlace(block, InvocationKind.EXACTLY_ONCE) } block() returnthis }
示例
1 2 3 4 5 6
fun applyTest() { valresult="ABCDEF".apply { this.substring(2) // this 代表 "ABCDEF" } Log.d(TAG, result) // ABCDEF }