4

我想提取以下字符串模式的 ID 列表:{(2),(4),(5),(100)}

注意:没有前导或尾随空格。

该列表最多可以有 1000 个 ID。

我想使用丰富的字符串模式匹配来做到这一点。但我沮丧地尝试了20分钟。

谁能帮我想出正确的模式?非常感激!

4

3 回答 3

4

这是蛮力字符串操作。

scala> "{(2),(4),(5),(100)}".replaceAll("\\(", "").replaceAll("\\)", "").replaceAll("\\{","").replaceAll("\\}","").split(",")

res0: Array[java.lang.String] = Array(2, 4, 5, 100)

这是@pst 在评论中指出的正则表达式。如果您不希望括号将正则表达式更改为"""\d+""".r.

val num = """\(\d+\)""".r
"{(2),(4),(5),(100)}" findAllIn res0
res33: scala.util.matching.Regex.MatchIterator = non-empty iterator

scala> res33.toList
res34: List[String] = List((2), (4), (5), (100))
于 2013-01-04T20:44:34.150 回答
2
"{(2),(4),(5),(100)}".split ("[^0-9]").filter(_.length > 0).map (_.toInt) 

拆分,其中 char 不是数字的一部分,并且只转换非空结果。

可以修改为包括点或减号。

于 2013-01-05T03:29:00.687 回答
0

使用提取器对象:

object MyList {
  def apply(l: List[String]): String =
    if (l != Nil) "{(" + l.mkString("),(") + ")}"
    else "{}"
  def unapply(str: String): Some[List[String]] = 
    Some(
      if (str.indexOf("(") > 0) 
        str.substring(str.indexOf("(") + 1, str.lastIndexOf(")")) split 
          "\\p{Space}*\\)\\p{Space}*,\\p{Space}*\\(\\p{Space}*" toList
      else Nil
    )
}

// test
"{(1),(2)}" match { case MyList(l) => l }
// res23: List[String] = List(1, 2)
于 2013-01-04T21:35:17.027 回答