一、apply:

例如在初始化paint时,可以用apply,作用在自己身上:

//apply返回值是它本身,谁调用他他就返回谁this
    var paint = Paint().apply {
        isAntiAlias = true
        isDither = true
        style = Paint.Style.FILL_AND_STROKE
        strokeWidth = 6.0f
    }

而这时要用let,则需要传入参数it,并且返回出去,代码就显得冗余:

//let使用场景:在空判断时
    var paint2 = Paint().let {
        it.isAntiAlias = true
        it.isDither = true
        it.style = Paint.Style.FILL_AND_STROKE
        it.strokeWidth = 6.0f
        return@let it
    }

二、run:

在有对一个对象有较多初始化工作时,可以用let进行一块一块的初始化操作,提高代码可读性

findViewById<GalaCompatFrameLayout>(R.id.detail_card_qr_code_show).run {
            setOnClickListener(this@DetailCardView)
            onFocusChangeListener = this@DetailCardView
        }
        mBannerImage = findViewById(R.id.detail_card_banner_img)
        mBannerImage.onFocusChangeListener = this
        mBannerImage.setOnClickListener(this)
        mQrCodeBtnLeft = findViewById(R.id.detail_card_qr_code_btn1)
        mQrCodeBtnLeft.onFocusChangeListener = this
        mQrCodeBtnLeft.setOnClickListener(this)
        mQrCodeBtnRight = findViewById(R.id.detail_card_qr_code_btn2)
        mQrCodeBtnRight.onFocusChangeListener = this
        mQrCodeBtnRight.setOnClickListener(this)

三、let:

if (mQrCodeBtnRight != null) {
            
        }

        mQrCodeBtnRight?.let { 
            
        }

将返回可能为空的改写为let,更为方便。

 

在实际写代码过程中,需要选择合适的作用域操作符,

如果需要返回自身的,就从apply或者also中选,使用this作为参数则选apply;作用域中使用it则选择also;

如果不需要返回自身的,就选择run或者let,如果使用this作为参数则选择run操作符;run,with,let返回值为函数块最后一行,或者指定return表达式。

run

用法1

函数定义:

public inline fun <R> run(block: () -> R): R = block()

功能:调用run函数块。返回值为函数块最后一行,或者指定return表达式。

示例:

val a = run {
	println("run")
	return@run 3
}
println(a)

运行结果:

run
3

用法2

函数定义:

public inline fun <T, R> T.run(block: T.() -> R): R = block()

功能:调用某对象的run函数,在函数块内可以通过 this 指代该对象。返回值为函数块的最后一行或指定return表达式。

示例:

val a = "string".run {
	println(this)
	3
}
println(a)

运行结果:

string
3

apply

函数定义:

public inline fun <T> T.apply(block: T.() -> Unit): T { block(); return this }

功能:调用某对象的apply函数,在函数块内可以通过 this 指代该对象。返回值为该对象自己。

示例:

val a = "string".apply {
	println(this)
}
println(a)

运行结果:

string
string

let

函数定义:

public inline fun <T, R> T.let(block: (T) -> R): R = block(this)

功能:调用某对象的let函数,则该对象为函数的参数。在函数块内可以通过 it 指代该对象。返回值为函数块的最后一行或指定return表达式。

示例:

val a = "string".let {
	println(it)
	3
}
println(a)

运行结果:

string
3

also

函数定义(Kotlin1.1新增的):

public inline fun <T> T.also(block: (T) -> Unit): T { block(this); return this }

功能:调用某对象的also函数,则该对象为函数的参数。在函数块内可以通过 it 指代该对象。返回值为该对象自己。

示例:

val a = "string".also {
	println(it)
}
println(a)

运行结果:

string
string

with

函数定义:

public inline fun <T, R> with(receiver: T, block: T.() -> R): R = receiver.block()

功能:with函数和前面的几个函数使用方式略有不同,因为它不是以扩展的形式存在的。它是将某对象作为函数的参数,在函数块内可以通过 this 指代该对象。返回值为函数块的最后一行或指定return表达式。

示例:

val a = with("string") {
	println(this)
	3
}
println(a)

运行结果:

string
3