我有以下具有默认参数的case类,我想知道如何编写一个unapply方法,以便我可以只提取前两个参数。
我希望下面的代码清楚。
case class Point(x: Double, y: Double, _key: Option[String] = None) {
def key: String = _key.getOrElse("")
}
object Point {
def unapply(p: Point) = (p.x, p.y)
}
// pSeq is Seq[Point]
pSeq.map { case Point(x,y) => x + y } // This causes a compiler error:
// wrong number of arguments for <none>:
// (x: Double, y: Double, _key: Option[String])
答案 0 :(得分:6)
我不确定这是否是您要找的,但它会为您提供您描述的API。
sealed abstract class Point(x: Double, y: Double)
case class PointKey(x: Double, y: Double, _key: String) extends Point(x,y)
case class PointNoKey(x: Double, y: Double) extends Point(x,y)
object Point {
def apply(x: Double, y: Double) = PointNoKey(x,y)
def apply(x: Double, y: Double, _key: String) = PointKey(x,y,_key)
def unapply(p: Point): Option[(Double,Double)] = p match {
case PointNoKey(x,y) => Some(x,y)
case PointKey(x,y,_) => Some(x,y)
}
}
我认为只在案例类中使用通配符是首选,如果这对您有用。
pSeq.map { case Point(x,y,_) => x + y }