Scala模式匹配 - 匹配多个成功案例

时间:2015-09-14 08:25:21

标签: scala pattern-matching

我对Scala相当新,并且想知道match是否可以同时执行多个匹配的案例。在没有深入细节的情况下,我基本上致力于根据各种特征“评分”某段文字的功能;这些特征可以重叠,并且对于一个给定的字符串,多个特征可以为真。

为了说明我想要的代码,它看起来像这样:

假设我们有一个字符串str,其值为“Hello World”。我想要了解以下内容:

str match {
    case i if !i.isEmpty => 2
    case i if i.startsWith("world") => 5
    case i if i.contains("world") => 3
    case _ => 0
}

我希望上面的代码触发两个第一个和第三个条件,有效地返回2和3(作为元组或以任何其他方式)。

这可能吗?

编辑:我知道这可以用if的链来完成,这是我采用的方法。如果可能的话,我只是好奇。

2 个答案:

答案 0 :(得分:2)

您可以将case语句转换为函数

val isEmpty = (str: String) => if ( !str.isEmpty) 2 else 0
val startsWith = (str: String) => if ( str.startsWith("world"))  5  else 0
val isContains = (str: String) => if (str.toLowerCase.contains("world")) 3  else 0

val str = "Hello World"

val ret = List(isEmpty, startsWith, isContains).foldLeft(List.empty[Int])( ( a, b ) =>  a :+ b(str)   )

ret.foreach(println)
//2
//0
//3

您可以使用filter

过滤0值
 val ret0 = ret.filter( _ > 0)
 ret0.foreach(println)

答案 1 :(得分:1)

请考虑这个解决方案:

val matches = Map[Int, String => Boolean](2 -> {_.isEmpty}, 3 -> {_.contains("world")}, 5 -> {_.startsWith("world")})
val scores = matches.filter {case (k, v) => v(str)}.keys