Scala - 处理“方法的多个重载替代方案......定义默认参数”
Posted
技术标签:
【中文标题】Scala - 处理“方法的多个重载替代方案......定义默认参数”【英文标题】:Scala - handling "multiple overloaded alternatives of method ... define default arguments" 【发布时间】:2015-08-01 06:18:18 【问题描述】:假设我有这样的设置:
sealed trait Annotation
def notes : Seq[String]
trait Something extends Annotation
//do something funny
case class A(val i:Int)(val notes:Seq[String] = Nil) extends Something
object A
def apply(a:A)(notes:Seq[String] = Nil):A = A(a.i)(notes)
case class B(val b:Boolean)(val notes:Seq[String] = Nil) extends Something
object B
def apply(b:B)(notes:Seq[String] = Nil):B = B(b.b)(notes)
case class C(val s:String)(val notes:Seq[String] = Nil) extends Something
object C
def apply(c:C)(notes:Seq[String] = Nil) :C = C(c.s)(notes)
尝试compile这将导致
Main.scala:10: error: in object A, multiple overloaded alternatives of method apply define
default arguments.
object A
^
Main.scala:15: error: in object B, multiple overloaded alternatives of method apply define
default arguments.
object B
^
Main.scala:20: error: in object C, multiple overloaded alternatives of method apply define
default arguments.
object C
^
three errors found
我已经阅读了this,所以我至少知道为什么会发生这种情况,但是我不知道我应该如何解决这个问题。
当然,一种可能性是简单地省略默认值并在不存储任何笔记时强制客户端提供 Nil,但有更好的解决方案吗?
【问题讨论】:
是的,您对链接问题的看法是正确的。或者,您可以创建与应用不同的方法。例如def withNotes(notes:Seq[String] = Nil)
如果我们假设我应该使用 apply?
【参考方案1】:
我的第一个猜测是简单地明确默认参数:
case class A(i: Int)(val notes: Seq[String]) extends Something
object A
def apply(i: Int): A = new A(i)(Nil)
def apply(a: A)(notes: Seq[String]): A = new A(a.i)(notes)
def apply(a: A): A = new A(a.i)(Nil)
但是,现在,由于柯里化,您只有一个函数 Int => A
和 Int => Seq[String] => A
(与 A => A
类似)在范围内具有相同的名称。
如果你不使用currying,你可以手动定义重载方法:
case class B(b: Boolean, notes: Seq[String]) extends Something
object B
def apply(b: Boolean): B = B(b, Nil)
def apply(b: B, notes: Seq[String] = Nil): B = B(b.b, notes)
但是,由于 notes
现在是与 b
相同的参数列表的一部分,因此 toString
等案例类方法的行为发生了变化。
println(B(true)) // B(true,List())
println(B(true, List("hello"))) // B(true,List(hello))
println(B(B(false))) // B(false,List())
最后,为了更接近地模仿原始行为,您可以实现自己的 equals
、hashCode
、toString
和 unapply
方法:
class C(val s:String, val notes:Seq[String] = Nil) extends Something
override def toString = s"C($s)"
override def equals(o: Any) = o match
case C(`s`) => true
case _ => false
override def hashCode = s.hashCode
object C
def apply(s: String, notes: Seq[String]) = new C(s, notes)
def apply(s: String): C = C(s, Nil)
def apply(c:C, notes:Seq[String] = Nil): C = C(c.s, notes)
def unapply(c: C): Option[String] = Some(c.s)
例子:
val c1 = C("hello")
val c2 = C("hello", List("world"))
println(c1) // C(hello)
println(c2) // C(hello)
println(c1 == c2) // true
c1 match // hello
case C(n) => println(n)
case _ =>
【讨论】:
以上是关于Scala - 处理“方法的多个重载替代方案......定义默认参数”的主要内容,如果未能解决你的问题,请参考以下文章