2
string mystring = "bbbccc  ";

如何检查我的字符串是否包含多个连续的空格?

4

2 回答 2

14

我假设您正在寻找多个连续的空格。
我会用System.Text.RegularExpressions.Regex它。

Regex regex = new Regex(@"\s{2,}"); // matches at least 2 whitespaces
if (regex.IsMatch(inputString))
    // do something
于 2013-03-11T09:46:31.020 回答
6

这可能是一个快速的实现:

public static bool HasConsecutiveSpaces(string text)
{
    bool inSpace = false;

    foreach (char ch in text)
    {
        if (ch == ' ')
        {
            if (inSpace)
            {
                return true;
            }

            inSpace = true;
        }
        else
        {
            inSpace = false;
        }
    }

    return false;
}

但是,如果您真的不需要担心速度,只需使用先前答案中给出的正则表达式解决方案即可。

于 2013-03-11T09:51:57.587 回答