Scala匿名函式語法
阿新 • • 發佈:2018-12-25
Scala提供了相對輕量級的語法來定義匿名函式。下面表示式建立了一個整數加1函式。
(x: Int) => x + 1
這是下面匿名類定義的簡寫:
new Function1[Int, Int] {
def apply(x: Int): Int = x + 1
}
也可以定義帶多個引數的函式:
(x: Int, y: Int) => "(" + x + ", " + y + ")"
或者不帶引數:
() => { System.getProperty("user.dir") }
還有一種非常輕量級的方式來寫函式型別。下面是上面定義的三個函式的型別:
Int => Int
(Int, Int) => String
() => String
這個語法是下面型別的簡寫:
Function1[Int, Int]
Function2[Int, Int, String]
Function0[String]
下面展示瞭如何使用開始那個匿名函式。
object AnonymousFunction {
/**
* Method to increment an integer by one.
*/
val plusOne = (x: Int) => x + 1
/**
* Main method
* @param args application arguments
*/
def main(args: Array[String]) {
println(plusOne(0)) // Prints: 1
}
}