1

我有以下输入:

void Main()
{
    string inputData = "37.7879\r\n-122.3874\r\n40.7805\r\n-111.9288\r\n36.0667\r\n-115.0927\r\n37.7879\r\n-122.3874";
    // string[] inputLines = Regex.Split(inputData, @"\r\n");
    string[] inputLines = Regex.Split(inputData, @"(\r)?\n");
    Console.WriteLine("The size of the list is: {0}", inputLines.Length);
    bool results = inputLines.All(IsValidNumber);

    foreach (string line in inputLines)
    {
        Console.WriteLine("{0} is: {1}", line, IsValidNumber(line));
    }
}

// Define other methods and classes here
public bool IsValidNumber(string input)
{
    Match match = Regex.Match(input, @"^-?\d+\.\d+$", RegexOptions.IgnoreCase);
    return match.Success;
}

我正在尝试Regex.Spliton @"\r\n",如果我使用注释行,那么我会得到预期的结果。如果我使用未注释的,我不会得到我期望的结果。如果"\r"不存在(可能是也可能不是),我几乎 100% 肯定我的正则表达式是正确的。

我期待来自 inputData 的 8 个值,我试图验证它们是否都是有效数字。

有没有可能我"(\r)?"的工作不正常?如果是这样,我错过了什么?

4

1 回答 1

3

如果您的模式包含捕获组Regex.Split,则会在拆分内容时捕获该组。这将为您提供 15 个项目,而不仅仅是 8 个。

如果您只是想使单个字符或字符类成为可选,则不需要组。尝试摆脱周围的群体\r

string[] inputLines = Regex.Split(inputData, @"\r?\n");

或者,是的,您可以将其设为非捕获组:

string[] inputLines = Regex.Split(inputData, @"(?:\r)?\n");
于 2013-10-16T00:46:48.207 回答