- 字面函数被包在大括号里
- 参数在 -> 前面声明(参数类型可以省略)
- 函数体在 -> 之后
参数(T) -> R
/**
* map 函数把一个值映射为另一个值
* map 接受 一个函数,该函数有个参数T
*/
inline fun Array<T,R> .map(transform:(T)->R) : List <R>{
return mapTo( ArrayList<R>(size) , transform)
}
val list= listOf(1,2,3,4)
val newList = list.map{it->
it % 2 == 0
}
/**
* 结果:newlist = [false,true,false,true]
* 只有一个参数,括号可省略,默认it为参数
*/
map函数同样也是接受一个函数transform, transform将map中的T类型转换成R,最后交给mapto函数去轮询执行transform。最终将整个集合都转换成R的map.
参数 () -> T
/**
* () -> T:没有参数并返回 T 类型的函数
*/
fun <T>f(body:()->T){}
(T, T) -> Boolean
/**
* (T, T) -> Boolean: 接收两个T,T类型,返回Boolean值
*/
fun max<T>(collection: Collection<out T>, less: (T, T) -> Boolean): T? {
var max: T? = null
for (it in collection)
// less 是用作函数
if (max == null || less(max!!, it))
max = it
return max
}
,
匿名函数
- 没有名字,其他语法和常规函数类似
var test3= fun(x:Int,y:Int):Int=x+y
var test4= fun(x:Int,y:Int):Int{
return x+y
}