在我可以安全地应用ToUpper(), StartWith()等方法之前,测试我所有的字符串为空是非常烦人的…

如果字符串的默认值是空字符串,我就不必测试,而且我觉得它与其他值类型(例如int或double)更一致。 此外,Nullable<String>也有意义。

那么为什么c#的设计者选择使用null作为字符串的默认值呢?

注意:这与这个问题有关,但更关注的是为什么,而不是如何处理它。


当前回答

因为字符串变量是引用,而不是实例。

在默认情况下将其初始化为Empty是可能的,但这将在整个板上引入许多不一致。

其他回答

为什么c#的设计者选择使用null作为的默认值 字符串?

因为字符串是引用类型,引用类型的默认值是null。引用类型的变量存储对实际数据的引用。

在这种情况下,让我们使用default关键字;

string str = default(string); 

STR是一个字符串,所以它是一个引用类型,所以默认值是null。

int str = (default)(int);

STR是int型,所以它是一个值类型,所以默认值是0。

空字符串和空字符串是完全不同的。null是指没有值,空字符串是指空值。

编程语言对变量的“值”(在这种情况下是空字符串)进行假设,与使用任何其他不会导致空引用问题的值初始化字符串一样好。

同样,如果您将该字符串变量的句柄传递给应用程序的其他部分,那么该代码将无法验证您是故意传递了一个空白值,还是忘记填充该变量的值。

Another occasion where this would be a problem is when the string is a return value from some function. Since string is a reference type and can technically have a value as null and empty both, therefore the function can also technically return a null or empty (there is nothing to stop it from doing so). Now, since there are 2 notions of the "absence of a value", i.e an empty string and a null, all the code that consumes this function will have to do 2 checks. One for empty and the other for null.

简而言之,一个状态只有一种表示总是好的。有关empty和nulls的更广泛讨论,请参阅下面的链接。

https://softwareengineering.stackexchange.com/questions/32578/sql-empty-string-vs-null-value

在处理用户输入时,NULL vs Empty

因为字符串变量是引用,而不是实例。

在默认情况下将其初始化为Empty是可能的,但这将在整个板上引入许多不一致。

也许你可以用??运算符赋值字符串变量时,它可能会有帮助。

string str = SomeMethodThatReturnsaString() ?? "";
// if SomeMethodThatReturnsaString() returns a null value, "" is assigned to str.

既然你提到了ToUpper(),这种用法是我如何找到这个线程的,我将分享这个快捷方式(字符串??" ") .ToUpper ():

    private string _city;
    public string City
    {
        get
        {
            return (this._city ?? "").ToUpper();
        }
        set
        {
            this._city = value;
        }
    }

似乎比:

        if(null != this._city)
        { this._city = this._city.ToUpper(); }