我想从给定文件中提取一些字符串数据。文件得到如下结构:
name, catg, {y:2006, v:1000, c:100, vt:1}, {y:2007, v:1000, c:100, vt:1},.. {..}..
。
我想提取下一个值:
y
,v
,c
,vt
标签后的数字; 我使用了下一个正则表达式:
@"(?<name>\w+), (?<cat>\w+)"
用于提取前两项; @"(?:\{y:(?<y>\d+), +v:(?<v>\d+), +c:(?<c>\d+), +vt:(?<vt>\d+)\}, ?)+"
用于提取用大括号括起来的其他值。我连接了这两个并在regex测试器中进行了测试。但正如预期的那样,我只得到一组提取的数字。我需要来自其他部分({y:2007, v:1000, c:100, vt:1}
)的结果。此外,可能有两个以上的部分。
如何修复我的正则表达式?然后我如何从相应的部分收集所有数字集。
答案 0 :(得分:1)
这是固定的正则表达式(您需要指定IgnorePatternWhitespace选项):
(?'name'\w+), \s*
(?'category'\w+), \s*
(?:
\{ \s*
y: (?'y'\d+), \s*
v: (?'v'\d+), \s*
c: (?'c'\d+), \s*
vt: (?'vt'\d+)
\} \s*
,? \s*
)*
这是用法:
String input = @"name, catg, {y:2006, v:1000, c:100, vt:1}, {y:2007, v:1000, c:100, vt:1}";
String pattern =
@"(?'name'\w+), \s*
(?'category'\w+), \s*
(?:
\{ \s*
y: (?'y'\d+), \s*
v: (?'v'\d+), \s*
c: (?'c'\d+), \s*
vt: (?'vt'\d+)
\} \s*
,? \s*
)* ";
RegexOptions options = RegexOptions.IgnoreCase | RegexOptions.IgnorePatternWhitespace | RegexOptions.Singleline;
Match match = Regex.Match(input, pattern, options);
if (match.Success)
{
String name = match.Groups["name"].Value;
String category = match.Groups["category"].Value;
Console.WriteLine("name = {0}, category = {1}", name, category);
for (Int32 i = 0; i < match.Groups["y"].Captures.Count; ++i)
{
Int32 y = Int32.Parse(match.Groups["y"].Captures[i].Value);
Int32 v = Int32.Parse(match.Groups["v"].Captures[i].Value);
Int32 c = Int32.Parse(match.Groups["c"].Captures[i].Value);
Int32 vt = Int32.Parse(match.Groups["vt"].Captures[i].Value);
Console.WriteLine("y = {0}, v = {1}, c = {2}, vt = {3}", y, v, c, vt);
}
}