从字符串中删除单个空格

本文关键字:单个 空格 删除 字符串 | 更新日期: 2023-09-27 18:31:04

"How do I do this?              "

假设我有这个字符串。如何从末尾只删除一个空格?下面显示的代码给了我一个错误,指出计数超出范围。

string s = "How do I do this?              ";
s = s.Remove(s.Length, 1);

从字符串中删除单个空格

你只需要使用它:

string s = "How do I do this?              ";
s = s.Remove(s.Length-1, 1);

如下所述:

删除(Int32) 返回一个新字符串,其中当前实例,从指定位置开始并继续到最后一个位置,已被删除。

在数组中,位置范围从 0 到 Length-1,因此编译器错误。

C# 中的索引从零开始。

s = s.Remove(s.Length - 1, 1);

只需从第一个字符开始做一个子字符串(字符串中的字符从 0 开始),并获得字符数减去字符串长度 1

s = s.Substring(0, s.Length - 1);

这更安全一些,以防最后一个字符不是空格

string s = "How do I do this?              ";
s = Regex.Replace(s, @" $", "")

你必须在

string s = "How do I do this?
s = s.Remove(s.Length-1, 1);

原因是在 C# 中引用数组中的索引时,第一个元素始终位于位置 0,并以 Length - 1 结束。长度通常告诉您字符串有多长,但不映射到实际的数组索引。

另一种方法是;

string s = "How do I do this?              ";
s=s.SubString(0,s.Length-1);

附加:

如果您想对最后一个字符是空格或其他任何东西进行一些额外的检查,您可以通过这种方式进行;

    string s = "How do I do this?              a";//Just for example,i've added a 'a' at the end.
    int index = s.Length - 1;//Get last Char index.
    if (index > 0)//If index exists.
    {
        if (s[index] == ' ')//If the character at 'index' is a space.
        {
            MessageBox.Show("Its a space.");
        }
        else if (char.IsLetter(s[index]))//If the character at 'index' is a letter.
        {
            MessageBox.Show("Its a letter.");
        }
        else if(char.IsDigit(s[index]))//If the character at 'index' is a digit.
        {
            MessageBox.Show("Its a digit.");
        }
    }

这为您提供了一个消息框,其中包含消息"这是一封信"。

还有一件事可能会有所帮助,如果你想在每个单词之间创建一个空格相等的字符串,那么你可以试试这个。

    string s = "How do I do this?              ";
    string[] words = s.Split(new char[] {' '},StringSplitOptions.RemoveEmptyEntries);//Break the string into individual words.
    StringBuilder sb = new StringBuilder();
    foreach (string word in words)//Iterate through each word.
    {
        sb.Append(word);//Append the word.
        sb.Append(" ");//Append a single space.
    }
    MessageBox.Show(sb.ToString());//Resultant string 'sb.ToString()'.

这给了你"我该怎么做?(单词之间的空格相等)。