Tuple/case class/模式匹配
最后更新于:2022-04-01 23:05:34
### Tuple为编程提供许多便利
* 函数可以通过tuple返回多个值
* tuple可以存储在容器类中,代替java bean
* 可以一次为多个变量赋值
### 使用tuple的例子
~~~
val (one, two) = (1, 2)
one //res0: Int = 1
two //res1: Int = 2
def sellerAndItemId(orderId: Int): (Int, Int) =
orderId match {
case 0 => (1, 2)
}
val (sellerId, itemId) = sellerAndItemId(0)
sellerId // sellerId: Int = 1
itemId // itemId: Int = 2
val sellerItem = sellerAndItemId(0)
sellerItem._1 //res4: Int = 1
sellerItem._2 //res5: Int = 2
~~~
### 用模式匹配增加tuple可读性
~~~
val sampleList = List((1, 2, 3), (4, 5, 6), (7, 8, 9))
sampleList.map(x => s"${x._1}_${x._2}_${x._3}")
//res0: List[String] = List(1_2_3, 4_5_6, 7_8_9)
sampleList.map {
case (orderId, shopId, itemId) =>
s"${orderId}_${shopId}_$itemId"
}
//res1: List[String] = List(1_2_3, 4_5_6, 7_8_9)
~~~
上下两个map做了同样的事情,但下一个map为tuple中的三个值都给了名字,增加了代码的可读性.
### match和java和switch很像,但有区别
1. match是表达式,会返回值
2. match不需要”break”
3. 如果没有任何符合要求的case,match会抛异常,因为是表达式
4. match可以匹配任何东西,switch只能匹配数字或字符串常量
~~~
//case如果是常量,就在值相等时匹配.
//如果是变量,就匹配任何值.
def describe(x: Any) = x match {
case 5 => "five"
case true => "truth"
case "hello" => "hi!"
case Nil => "the empty list"
case somethingElse => "something else " + somethingElse
}
~~~
case class,tuple以及列表都可以在匹配的同时捕获内部的内容.
~~~
case class Sample(a:String,b:String,c:String,d:String,e:String)
def showContent(x: Any) =
x match {
case Sample(a,b,c,d,e) =>
s"Sample $a.$b.$c.$d.$e"
case (a,b,c,d,e) =>
s"tuple $a,$b,$c,$d,$e"
case head::second::rest =>
s"list head:$head second:$second rest:$rest"
}
~~~
### Case class
1. 模式匹配过程中其实调用了类的unapply方法
2. Case class 是为模式匹配(以及其他一些方面)提供了特别的便利的类
3. Case class 还是普通的class,但是它自动为你实现了apply,unapply,toString等方法
4. 其实tuple就是泛型的case class
';