9

with使用iff a varis not的最简洁方法是什么null

我能想到的最好的是:

arg?.let { with(it) {

}}
4

2 回答 2

21

您可以使用 Kotlin 扩展函数apply(),或者run()取决于您是否希望它流畅在 end 时返回this)或转换在 end 时返回新值):

用途apply

something?.apply {
    // this is now the non-null arg
} 

和流利的例子:

user?.apply {
   name = "Fred"
   age = 31
}?.updateUserInfo()

使用以下转换示例run

val companyName = user?.run {
   saveUser()
   fetchUserCompany()
}?.name ?: "unknown company"

或者,如果您不喜欢该命名并且真的想要调用一个函数,with() 您可以轻松创建自己的可重用函数

// returning the same value fluently
inline fun <T: Any> T.with(func: T.() -> Unit): T = this.apply(func)
// or returning a new value
inline fun <T: Any, R: Any> T.with(func: T.() -> R): R = this.func()

示例用法:

something?.with {
    // this is now the non-null arg
}

如果你想在函数中嵌入空检查,也许是一个withNotNull函数?

// version returning `this` or `null` fluently
inline fun <T: Any> T?.withNotNull(func: T.() -> Unit): T? = 
    this?.apply(func)
// version returning new value or `null`
inline fun <T: Any, R: Any> T?.withNotNull(thenDo: T.() -> R?): R? =
    this?.thenDo()

示例用法:

something.withNotNull {
    // this is now the non-null arg
}

也可以看看:

于 2016-11-04T10:04:24.957 回答
2

看起来替代方法是使用:

arg?.run {

}
于 2016-11-04T03:31:55.947 回答