scala:定义函数(val)中的默认参数vs使用方法(def)

时间:2012-10-07 18:05:17

标签: scala functional-programming

我有以下方法:

scala> def method_with_default(x: String = "default") = {x + "!"}
method_with_default: (x: String)java.lang.String

scala> method_with_default()
res5: java.lang.String = default!

scala> method_with_default("value")
res6: java.lang.String = value!

我正在尝试使用val实现相同的功能,但是我遇到了语法错误,如下所示:

(没有默认值,这个编译好了)

scala> val function_with_default = (x: String) => {x + "!"}
function_with_default: String => java.lang.String = <function1>

(但是我无法编译这个......)

scala> val function_with_default = (x: String = "default") => {x + "!"}
<console>:1: error: ')' expected but '=' found.
       val function_with_default = (x: String = "default") => {x + "!"}
                                              ^

任何想法?

1 个答案:

答案 0 :(得分:5)

没有办法做到这一点。您可以获得的最好的是一个扩展Function1Function0的对象,其中Function0的apply方法使用默认参数调用另一个apply方法。

val functionWithDefault = new Function1[String,String] with Function0[String] {
  override def apply = apply("default")
  override def apply(x:String) = x + "!"
}

如果您需要更频繁地使用此类函数,可以将默认的apply方法分解为抽象类DefaultFunction1,如下所示:

val functionWithDefault = new DefaultFunction1[String,String]("default") {
  override def apply(x:String) = x + "!"
}

abstract class DefaultFunction1[-A,+B](default:A)
               extends Function1[A,B] with Function0[B] {
  override def apply = apply(default)
}