我对String.EndsWith的使用有什么问题?

时间:2019-03-07 14:30:06

标签: c# asp.net ends-with

我不知道为什么EndsWith返回false。

我有C#代码:

string heading = "yakobusho";
bool test = (heading == "yakobusho");
bool back = heading.EndsWith("​sho");
bool front = heading.StartsWith("yak");
bool other = "yakobusho".EndsWith("sho");
Debug.WriteLine("heading = " + heading);
Debug.WriteLine("test = " + test.ToString());
Debug.WriteLine("back = " + back.ToString());
Debug.WriteLine("front = " + front.ToString());
Debug.WriteLine("other = " + other.ToString());

输出为:

heading = yakobusho
test = True
back = False
front = True
other = True

EndsWith发生了什么事?

3 个答案:

答案 0 :(得分:4)

在“ sho”字符串之前包含一个不可见的字符:

bool back = heading.EndsWith("​sho");

更正的行:

bool back = heading.EndsWith("sho");

答案 1 :(得分:1)

第三行中的"​sho"字符串以zero length space开头。 "​sho".Length返回4,而((int)"​sho"[0])返回8203(零长度空间的Unicode值)。

您可以使用十六进制代码在字符串中键入它,例如:

"\x200Bsho"

令人讨厌的是,该字符不被视为空格,因此无法用String.Trim()删除。

答案 2 :(得分:0)

您的EndsWith参数中有一个特殊字符。

从此代码中可以看到:

  class Program
  {
    static void Main(string[] args)
    {
      string heading = "yakobusho";

      string yourText = "​sho";
      bool back = heading.EndsWith(yourText);

      Debug.WriteLine("back = " + back.ToString());
      Debug.WriteLine("yourText length = " + yourText.Length);

      string newText = "sho";
      bool backNew = heading.EndsWith(newText);

      Debug.WriteLine("backNew = " + backNew.ToString());
      Debug.WriteLine("newText length = " + newText.Length);

    }
  }

输出:

back = False
yourText length = 4
backNew = True
newText length = 3

yourText的长度为4,因此此字符串中有一些隐藏字符。

希望这会有所帮助。