我是scala的新手,拥有java背景。
有没有办法在类继承树中模式匹配超类(或特征),叶子作为案例类和节点抽象类或特征?据我所知,不允许使用案例类继承。
我认为在大型继承树中匹配抽象类的模式会非常有用
在下面的代码中,编译期间匹配语句错误的最后一种情况
sealed trait Person {
def name: String
}
case class Customer(name: String, email: String) extends Person
sealed trait Employee extends Person {
def id: Int
}
case class Worker(name: String, id: Int, skills: Array[String]) extends Employee
case class Manager(name: String, id: Int, title: String) extends Employee
def process(p: Person) = p match {
case Customer(_, email) => email
case Employee(name, _) => name + "@acme.com"
}
答案 0 :(得分:5)
您错过了name
中的Employee
字段和unapply
的配套对象中的Employee
方法:
sealed trait Employee extends Person {
def id: Int
def name: String
}
object Employee {
def unapply(e: Employee): Option[(String, Int)] =
Option(e) map { e =>
(e.name, e.id)
}
}
通过上述更改,处理方法没有问题:
def process(p: Person) = p match {
case Customer(_, email) => email
case Employee(name, _) => name + "@acme.com"
}
答案 1 :(得分:1)
这不是那种花哨(正如其他人可能对结构类型所暗示的那样),但我认为它非常实用:
def process(p: Person) = p match {
case Customer(_, email) => email
case e: Employee => e.name + "@acme.com"
}
如果你需要匹配一些特定的已知值,你可以使用警卫:
def process(p: Person) = p match {
case Customer(_, email) => email
case e: Employee if e.name == "Joe" => e.name + "@acme.com"
}