Scala 模式匹配
scala 模式匹配
scala 提供了强大的模式匹配机制,应用也非常广泛。
一个模式匹配包含了一系列备选项,每个都开始于关键字 case。每个备选项都包含了一个模式及一到多个表达式。箭头符号 => 隔开了模式和表达式。
以下是一个简单的整型值模式匹配范例:
object test { def main(args: array[string]) { println(matchtest(3)) } def matchtest(x: int): string = x match { case 1 => "one" case 2 => "two" case _ => "many" } }
执行以上代码,输出结果为:
$ scalac test.scala $ scala test many
match 对应 java 里的 switch,但是写在选择器表达式之后。即: 选择器 match {备选项}。
match 表达式通过以代码编写的先后次序尝试每个模式来完成计算,只要发现有一个匹配的case,剩下的case不会继续匹配。
接下来我们来看一个不同数据类型的模式匹配:
object test { def main(args: array[string]) { println(matchtest("two")) println(matchtest("test")) println(matchtest(1)) println(matchtest(6)) } def matchtest(x: any): any = x match { case 1 => "one" case "two" => 2 case y: int => "scala.int" case _ => "many" } }
执行以上代码,输出结果为:
$ scalac test.scala $ scala test 2 many one scala.int
范例中第一个 case 对应整型数值 1,第二个 case 对应字符串值 two,第三个 case 对应类型模式,用于判断传入的值是否为整型,相比使用isinstanceof来判断类型,使用模式匹配更好。第四个 case 表示默认的全匹配备选项,即没有找到其他匹配时的匹配项,类似 switch 中的 default。
1. 使用样例类
使用了case关键字的类定义就是样例类(case classes),样例类是种特殊的类,经过优化以用于模式匹配。
以下是样例类的简单范例:
object test { def main(args: array[string]) { val alice = new person("alice", 25) val bob = new person("bob", 32) val charlie = new person("charlie", 32) for (person <- list(alice, bob, charlie)) { person match { case person("alice", 25) => println("hi alice!") case person("bob", 32) => println("hi bob!") case person(name, age) => println("age: " + age + " year, name: " + name + "?") } } } // 样例类 case class person(name: string, age: int) }
执行以上代码,输出结果为:
$ scalac test.scala $ scala test hi alice! hi bob! age: 32 year, name: charlie?
在声明样例类时,下面的过程自动发生了:
- 构造器的每个参数都成为val,除非显式被声明为var,但是并不推荐这么做;
- 在伴生对象中提供了apply方法,所以可以不使用new关键字就可构建对象;
- 提供unapply方法使模式匹配可以工作;
- 生成tostring、equals、hashcode和copy方法,除非显示给出这些方法的定义。