正则表达式是用来找出数据中的指定模式(或缺少该模式)的字符串。.r方法可使任意字符串变成一个正则表达式。

    1. import scala.util.matching.Regex
    2. val numberPattern: Regex = "[0-9]".r
    3. numberPattern.findFirstMatchIn("awesomepassword") match {
    4. case Some(_) => println("Password OK")
    5. case None => println("Password must contain a number")
    6. }

    上例中,numberPattern的类型是正则表达式类Regex,其作用是确保密码中包含一个数字。

    你还可以使用括号来同时匹配多组正则表达式。

    1. import scala.util.matching.Regex
    2. val keyValPattern: Regex = "([0-9a-zA-Z-#() ]+): ([0-9a-zA-Z-#() ]+)".r
    3. val input: String =
    4. """background-color: #A03300;
    5. |background-image: url(img/header100.png);
    6. |background-position: top center;
    7. |background-repeat: repeat-x;
    8. |background-size: 2160px 108px;
    9. |margin: 0;
    10. |height: 108px;
    11. |width: 100%;""".stripMargin
    12. for (patternMatch <- keyValPattern.findAllMatchIn(input))
    13. println(s"key: ${patternMatch.group(1)} value: ${patternMatch.group(2)}")

    上例解析出了一个字符串中的多个键和值,其中的每个匹配又有一组子匹配,结果如下:

    1. key: background-color value: #A03300
    2. key: background-image value: url(img
    3. key: background-position value: top center
    4. key: background-repeat value: repeat-x
    5. key: background-size value: 2160px 108px
    6. key: margin value: 0
    7. key: height value: 108px
    8. key: width value: 100