check do string包含多个空格

时间:2013-03-11 09:44:24

标签: c# string

string mystring = "bbbccc  ";

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

2 个答案:

答案 0 :(得分:12)

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

Regex regex = new Regex(@"\s{2,}"); // matches at least 2 whitespaces
if (regex.IsMatch(inputString))
    // do something

答案 1 :(得分:5)

这可能是一个快速实施:

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;
}

但如果你真的不需要担心速度,只需使用前一个答案中给出的正则表达式解决方案。