上一篇 - kotlin中 集合序列使用、操作符汇总
前言
本篇博客为本人学习Kotlin 中所遇到的问题,如果哪里写的不对,希望欧大佬帮忙指出,多谢。
一句话概括高阶函数:在Kotlin中,高阶函数即指:将函数用作一个函数的参数或者返回值的函数。
先看一段String.kt 文件中的扩展函数
/**
* Returns the sum of all values produced by [selector] function applied to each character in the char sequence.
*/
// inline 前边写过是内联函数 (一般都和 lambda结合使用 ,优化函数调用详情参考 学习笔记十)
// CharSequence. 则是扩展函数
public inline fun CharSequence.sumByDouble(selector: (Char) -> Double): Double {
// selector参数 也是一个fun ,传入char对象 输入 Double对象
var sum: Double = 0.0
for (element in this) {
sum += selector(element)
}
return sum
}
经过注释讲解,大概猜到该函数是将传入的字符串 遍历转换为 Double,并增加,最后返回Double 类型的总和。
这里使用官网上的一个例子
// 参数一接收 Lock类型 、接受一个无参且返回类型为T的函数作为参数二
fun <T> lock(lock: Lock, body:()->T):T{
lock.lock()
try {
// 函数返回值
return body()
}
finally {
lock.unlock()
}
}
我们通过一个伪代码,更直接的看一下
fun toBeSynchronized() = sharedResource.operation()
val result = lock(lock, ::toBeSynchronized)
//简写
val result = lock(lock, {sharedResource.operation()} )
都集中在 Standard.kt
源码 :
/**
* Always throws [NotImplementedError] stating that operation is not implemented.
*
* @param reason a string explaining why the implementation is missing.
*/
@kotlin.internal.InlineOnly
public inline fun TODO(reason: String): Nothing = throw NotImplementedError("An operation is not implemented: $reason")
// inline 添加上有利于调用的时候 不需要再跳转到改函数中使用,减少运行消耗时间
@kotlin.internal.InlineOnly
public inline fun run(block: () -> R): R {
//契约 (run also with apply also 标准函数库都用到了契约)
contract {
callsInPlace(block, InvocationKind.EXACTLY_ONCE)
}
return block()
}
该契约表示告诉编译器:调用run函数后产生效果是指定block lamba表达式参数在适当的位置被调用。适当位置就是block lambda表达式只能在自己函数(这里就是指外层apply函数)被调用期间被调用,当run函数被调用结束后,block表达式不能被执行,并且指定了InvocationKind.EXACTLY_ONCE表示block lambda表达式只能被调用一次,此外这个外层函数还必须是个inline内联函数。(契约更像告诉编译器自身上下文关系)
当我们需要执行一个代码块的时候就可以用到这个函数,并且这个代码块是独立的。即我可以在run()函数中写一些和项目无关的代码,因为它不会影响项目的正常运行。
举例:
private fun printString(index: Int) {
val str = "kotlin"
var l = kotlin.run {
when (index) {
1 -> {
"java"
}
2 -> {
"php"
}
else -> {
"lua"
}
}
}.length
print(str + l)
}
如上述代码,在print代码执行的时候,会等待 run方法块的执行结果返回。
大眼看过去 感觉 T.run() 和 run() 差别不大,但是在使用的时候会有不小的区别
源码:
@kotlin.internal.InlineOnly
public inline fun <T, R> T.run(block: T.() -> R): R {
contract {
callsInPlace(block, InvocationKind.EXACTLY_ONCE)
}
return block()
}
我们通过一段代码模拟一下使用环境
private var str = "java"
fun printStr(){
str.run {
print("${this.length}")
print("${this.last()}")
print("${first()}")
}
}
上述代码中 T.run方法块中可以使用this关键字 来代替本身,也可以省略,更适合多行代码使用同一对象的情况,如果通过源码查看,可以发现 block()就是个T类型的扩展函数。
关于更多的高阶函数 also with apply 等请移步 Kotlin中的库函数: run、with、let、also和apply
下一篇 - Kotlin 学习笔记(十四)浅读协程