在scala中设置函数参数的默认值

时间:2013-09-30 08:53:29

标签: scala lambda

我正在尝试在scala中为匿名函数设置默认值,因此无法找到任何解决方案。希望有人能帮助我。

我有以下结构,

case class A(id:Int = 0)

case class B(a:A)

object B {
     def func1(f:Int = 0)={
      ........
     }
 def func2(f:A => B = (how to give default value ?))={
        case Nothing => {
         //do something....
        }
        case _ => {
         //do some other thing......
        }
 }
} 

基本上,我想将参数作为可选参数传递。我怎样才能做到这一点?

3 个答案:

答案 0 :(得分:15)

与任何其他默认参数一样:

scala> def test(f: Int => Int = _ + 1) = f
test: (f: Int => Int)Int => Int

scala> test()(1)
res3: Int = 2

或使用String:

scala> def test(f: String => String = identity) = f
test: (f: String => String)String => String

scala> test()
res1: String => String = <function1>

scala> test()("Hello")
res2: String = Hello

修改

如果您想使用默认提供的功能,则必须明确使用(),否则Scala不会粘贴默认参数。

如果您不想使用默认功能并提供明确功能,请自行提供:

scala> test(_.toUpperCase)("Hello")
res2: String = HELLO

答案 1 :(得分:1)

使用隐式参数。在参数中放置参数的隐式值。除非您提供显式参数或在调用范围中提供了另一个隐式值,否则将使用此方法。

case class A(id:Int = 0)

case class B(a:A)

object B {
  implicit val defFunc: A => B = {a: A =>  new B(a) }
  def func1(f:Int = 0)={
  }
  def func2(implicit func: A => B) = { ... }
} 

此方法与Alexlv方法的区别在于

  1. 这适用于独立功能和方法。
  2. 范围规则允许在适当的范围内提供适当的覆盖。 Alex的方法需要子类化或eta-expansion(使用部分应用程序)来更改默认值。
  3. 我提供此解决方案,因为您已经在使用对象。否则,Alexvlv的例子就更简单了。

答案 2 :(得分:0)

其他答案显示了如何提供一些现有的默认值,但是如果您希望默认值不做任何事情(如case Nothing的建议),则可以使用Option / None。

 def func2(f:Option[A => B] = None)={
    case Some(f) =>
      //do something....
    case None =>
      //do some other thing......
 }


 func2()
 func2( Some(_ + 1) )