2017-12-03 3 views
0

マッチング正規表現パターンは、私は次の入力文字列を持っているスカラ:

"/horses/[email protected]" 
"/Goats/[email protected]" 
"/CATS/[email protected]" 

私は、次の

StandardTokenParsers

を試みた出力

"horses", "c132", "[email protected]" 
"Goats", "b-01", "[email protected]" 
"CATS", "001", "[email protected]" 

として以下を取得したいのですが

import scala.util.parsing.combinator.syntactical._ 
val p = new StandardTokenParsers { 
lexical.reserved ++= List("/", "?", "XXX=") 
def p = "/" ~ opt(ident) ~ "/" ~ opt(ident) ~ "?" ~ "XXX=" ~ opt(ident) 
} 
p: scala.util.parsing.combinator.syntactical.StandardTokenParsers{def p: this.Parser[this.~[this.~[this.~[String,Option[String]],String],Option[String]]]} = [email protected] 

scala> p.p(new p.lexical.Scanner("/horses/[email protected]")) 
warning: there was one feature warning; re-run with -feature for details 
res3: p.ParseResult[p.~[p.~[p.~[String,Option[String]],String],Option[String]]] = 
[1.1] failure: ``/'' expected but ErrorToken(illegal character) found 

/horses/[email protected] 
^ 

正規表現

import scala.util.matching.regex 
val p1 = "(/)(.*)(/)(.*)(?)(XXX)(=)(.*)".r 
p1: scala.util.matching.Regex = (/)(.*)(/)(.*)(?)(XXX)(=)(.*) 

scala> val p1(_,animal,_,id,_,_,_,company) = "/horses/[email protected]" 
scala.MatchError: /horses/[email protected] (of class java.lang.String) 
    ... 32 elided 

誰かが助けてくださいことはできますか?ありがとう!

答えて

0

あなたのパターンは/(desired-group1)/(desired-group2)?XXX=(desired-group3)のように見えます。

ので、正規表現は

scala> val extractionPattern = """(/)(.*)(/)(.*)(\?XXX=)(.*)""".r 
extractionPattern: scala.util.matching.Regex = (/)(.*)(/)(.*)(\?XXX=)(.*) 

ノートだろう - ?文字をエスケープします。それが動作するように起こっているか

され、今

Full match `/horses/[email protected]` 
Group 1. `/` 
Group 2. `horses` 
Group 3. `/` 
Group 4. `c132` 
Group 5. `?XXX=` 
Group 6. `[email protected]` 

、あなただけの第二気を気にしているので、あなたにすべての一致

scala> extractionPattern.findAllIn("""/horses/[email protected]""") 
         .matchData.flatMap{m => m.subgroups}.toList 
res15: List[String] = List(/, horses, /, c132, ?XXX=, [email protected]) 

のグループを与える正規表現を適用し、第四と6試合、それらを集めるだけです。あなたの入力が正規表現に一致しない場合は

だから、解決策は次のようになりますが、

scala> extractionPattern.findAllIn("""/horses/[email protected]""") 
         .matchData.map(_.subgroups) 
         .flatMap(matches => Seq(matches(1), matches(3), matches(4))).toList 
res16: List[String] = List(horses, c132, ?XXX=) 

は、あなたがここに空の結果に

scala> extractionPattern.findAllIn("""/horses/c132""") 
         .matchData.map(_.subgroups) 
         .flatMap(matches => Seq(matches(1), matches(3), matches(4))).toList 
res17: List[String] = List() 

作業する正規表現を取得する - https://regex101.com/r/HuGRls/1/