c#正则表达式匹配字符串比较(找到最小值)

时间:2013-07-04 18:49:26

标签: c# regex

我完全不知道如何实现这一目标。基本上,我想在METAR报告中找到上限。天花板是最小的破碎或阴天层。

我目前有这个(这无论多少):

MatchCollection matches = Regex.Matches(modify, @"(BKN|OVC)([0-9]{3})");
foreach (Match match in matches)
{
    foreach (Capture capture in match.Captures)
    {
        // compare broken and overcast layers to find smallest value and set as the ceiling
        Console.WriteLine(capture.Value);
    }
}

基本上,这会在METAR字符串中搜索BKN或OVC图层并将其吐出。以METAR阅读为例:

PANC 040553Z 17013G24KT 280V360 2SM FEW050 BKN019 BKN008 OVC005 14/M07 A2999 RMK AO2 SLP156 SH DSNT W-N T01390067 10167 20139 53002

我目前的代码将吐出BKN019,BKN008和OVC005。我需要做的是选择这些值中的最小值(在这种情况下,将是OVC005)。

如果有人可以帮助我,我会非常感激。

4 个答案:

答案 0 :(得分:3)

尝试使用捕获组:

// (?<number> names the group that captures the number value
var matches = Regex.Matches(modify, @"(BKN|OVC)(?<number>[0-9]{3})");

// cast to IEnumerable<Match>()
var smallest = matches.Cast<Match>()
    // order by the parsed number group
    // Added `.Value` to make this work
    .OrderBy(m => int.Parse(m.Groups["number"].Value))
    // Select the string value
    .Select(m => m.Value)
    // take the first (the smallest)
    .FirstOrDefault();

如果最小为null,则找不到匹配项

答案 1 :(得分:1)

基本上你想要做的是跟踪到目前为止找到的最低层,然后检查每个正则表达式匹配是否比以前更低:

int lowestLayer = int.MaxValue;
MatchCollection matches = Regex.Matches(modify, @"(BKN|OVC)([0-9]{3})");
foreach (Match match in matches)
{
    foreach (Capture capture in match.Captures)
    {
        int layer = int.Parse(capture.Value.Substring(3));
        if (layer < lowestLayer)
            lowestLayer = layer;
        Console.WriteLine(capture.Value);
    }
}

答案 2 :(得分:1)

如果我理解正确,你想对最小的第二组进行整个捕获。

matches.OfType<Match>()
       .Select(m => new { Capture = m.Groups[0], Number = Int32.Parse(m.Groups[2]) })
       .OrderBy(m =­> m.Number)
       .Select(m => m.Capture)
       .FirstOrDefault();

答案 3 :(得分:0)

Linq是你的朋友

记住using System.Linq

MatchCollection matches = Regex.Matches(modify, @"(BKN|OVC)([0-9]{3})");
var first = (
             from x in matches.OfType<Match>()
             orderby int.Parse(x.Groups[2].Value)
             select x.Value
            ).FirstOrDefault();