scala之旅-核心语言特性【正则表达式模式】(十六)

正则表达式是一个用于查找模式的字符串。任何字符串都可以用一个 .r方法 转换成正则表达式。

import scala.util.matching.Regex

val numberPattern: Regex = "[0-9]".r

numberPattern.findFirstMatchIn("awesomepassword") match {
  case Some(_) => println("Password OK")
  case None => println("Password must contain a number")
}

在上面的例子中, numberPattern 是一个Regex (正则表达式),可以确保一段密码是由数字组成。

你也可以使用括号来搜索正则表达式组。

import scala.util.matching.Regex

val keyValPattern: Regex = "([0-9a-zA-Z- ]+): ([0-9a-zA-Z-#()/. ]+)".r

val input: String =
  """background-color: #A03300;
    |background-image: url(img/header100.png);
    |background-position: top center;
    |background-repeat: repeat-x;
    |background-size: 2160px 108px;
    |margin: 0;
    |height: 108px;
    | 100%;""".stripMargin

for (patternMatch <- keyValPattern.findAllMatchIn(input))
  println(s"key: ${patternMatch.group(1)} value: ${patternMatch.group(2)}")

这里我们解析成来一个键和值的字符串。每个匹配项都有一个子匹配项。下面是输出结果:

key: background-color value: #A03300
key: background-image value: url(img/header100.png)
key: background-position value: top center
key: background-repeat value: repeat-x
key: background-size value: 2160px 108px
key: margin value: 0
key: height value: 108px
key: width value: 100
原文地址:https://www.cnblogs.com/zhouwenyang/p/13896821.html