2

我正在努力寻找正确的正则表达式来解析包含键/值对的字符串。当不被双引号包围时,字符串应该在空格上分割。

示例字符串:

2013-10-26    15:16:38:011+0200 name="twitter-message" from_user="MyUser" in_reply_to="null" start_time="Sat Oct 26 15:16:21 CEST 2013" event_id="394090123278974976" text="Some text" retweet_count="1393"

期望的输出应该是

2013-10-26
15:16:38:011+0200
name="twitter-message"
from_user="MyUser" 
in_reply_to="null" 
start_time="Sat Oct 26 15:16:21 CEST 2013" 
event_id="394090123278974976" 
text="Some text" 
retweet_count="1393"

我找到了这个答案,让我接近所需的结果 Regex 在没有被单引号或双引号包围时使用空格分割字符串

Matcher m = Pattern.compile("[^\\s\"']+|\"[^\"]*\"|'[^']*'").matcher(str);
        while (m.find())
            list.add(m.group());

这给出了一个列表:

2013-10-26
15:16:38:011+0200
name=
"twitter-message"
from_user=
"MyUser"
in_reply_to=
"null"
start_time=
"Sat Oct 26 15:16:21 CEST 2013"
event_id=
"394090123278974976"
text=
"Some text"
retweet_count=
"1393"

它在 = 符号上分裂,因此仍然缺少一些东西来获得所需的输出。

4

3 回答 3

0

试试这个

[^\\s=]+(=\"[^\"]+\")?
  • [^\\s=]+会找到所有不是空间的东西,=因为start_time="Sat Oct 26 15:16:21 CEST 2013"它会匹配start_time部分。
  • (=\"[^\"]+\")?是可选的,它将匹配="zzz"部分(z不能是"

例子

Matcher m = Pattern.compile("[^\\s=]+(=\"[^\"]+\")?").matcher(str);
while (m.find())
    System.out.println(m.group());

输出:

2013-10-26
15:16:38:011+0200
name="twitter-message"
from_user="MyUser"
in_reply_to="null"
start_time="Sat Oct 26 15:16:21 CEST 2013"
event_id="394090123278974976"
text="Some text"
retweet_count="1393"
于 2013-10-27T09:24:50.457 回答
0

这应该适合你:

// if your string is str

// split on space if followed by even number of quotes
String[] arr = str.split(" +(?=(?:([^\"]*\"){2})*[^\"]*$)");
for (String s: arr)
   System.out.printf("%s%n", s);

输出:

2013-10-26
15:16:38:011+0200
name="twitter-message"
from_user="MyUser" 
in_reply_to="null" 
start_time="Sat Oct 26 15:16:21 CEST 2013" 
event_id="394090123278974976" 
text="Some text" 
retweet_count="1393"
于 2013-10-27T09:33:36.650 回答
0

尝试:Matcher m = Pattern.compile("(?:[^\\s\"']|\"[^\"]*\"|'[^']*')+").matcher(str);

您的原始正则表达式可以理解为“匹配一系列非空白字符或带引号的字符串”。这是“匹配一系列非空白字符或带引号的字符串”。

于 2013-10-27T09:17:27.813 回答