如何在C#中终止字符串?

时间:2015-09-25 06:15:18

标签: c# .net string null-terminated

此程序抛出ArrayIndexOutOfBoundException

string name = "Naveen";
int c = 0;
while( name[ c ] != '\0' ) {
    c++;
}
Console.WriteLine("Length of string " + name + " is: " + c);

为什么会这样? 如果字符串不以空值终止。如何在C#中处理字符串? 如何在不使用string.Length属性的情况下获取长度? 我在这里很困惑。!

4 个答案:

答案 0 :(得分:4)

C#不像C和C ++那样使用NUL终止的字符串。您必须使用字符串的Length属性。

Console.WriteLine("Length of string " + name + " is: " + name.Length.ToString());

或使用格式化程序

Console.WriteLine("Length of string '{0}' is {1}.", name, name.Length);  

答案 1 :(得分:2)

 public static void Main()
 {
     unsafe
     {
         var s = "Naveen";
         fixed (char* cp = s)
         {
             for (int i = 0; cp[i] != '\0'; i++)
             {
                 Console.Write(cp[i]);
             }
         }
     }
 }

//打印Naveen

答案 2 :(得分:1)

您正在尝试访问根据name长度不可用的索引处的字符。你可以这样解决:

string name = "Naveen";    
int c = 0;
while (c < name.Length)
{
    c++;
}
  

但是不需要计算c#中字符串的长度   办法。您可以尝试简单地name.Length

编辑:根据@NaveenKumarV在评论中提供的内容,如果您要检查\0个字符,则其他人说您可以尝试使用ToCharArray方法。这是代码:

var result = name.ToCharArray().TakeWhile(i => i != '\0').ToList();

答案 3 :(得分:1)

在C / C ++中,字符串存储在一个没有智能和行为的char数组AFAIR中。因此,为了表明这样的数组在某处结束,必须在末尾添加\ 0。

另一方面,在C#中,string是一个容器(具有属性和方法的类);作为旁注,您可以为其实例化对象分配null。您不需要向其添加任何内容以指示其结束位置。容器控制着你的一切。因此,它也有迭代器(或C#中的枚举器)。这意味着您可以使用foreachLINQ表达式迭代它。

话虽如此,你可以在类似的代码中使用一个简单的计数器来获得一个字符串的长度:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;

namespace LengthOfString
{
    class Program
    {
        static void Main(string[] args)
        {
            string s = "abcde\0\0\0";
            Console.WriteLine(s);
            Console.WriteLine("s.Length = " + s.Length);
            Console.WriteLine();

            // Here I count the number of characters in s
            // using LINQ
            int counter = 0;
            s.ToList()
                .ForEach(ch => {
                    Console.Write(string.Format("{0} ", (int)ch));
                    counter++;
                });
            Console.WriteLine(); Console.WriteLine("LINQ: Length = " + counter);
            Console.WriteLine(); Console.WriteLine();

            //Or you could just use foreach for this
            counter = 0;
            foreach (int ch in s)
            {
                Console.Write(string.Format("{0} ", (int)ch));
                counter++;
            }
            Console.WriteLine(); Console.WriteLine("foreach: Length = " + counter);

            Console.WriteLine(); Console.WriteLine(); Console.WriteLine(); Console.WriteLine();
            Console.WriteLine("Press ENTER");
            Console.ReadKey();
        }
    }
}