(此== NULL)在C#!((this == null) in C#!)

2019-08-31 06:09发布

由于这是在固定C#4,下面的程序打印的错误true 。 (尝试在LINQPad)

void Main() { new Derived(); }

class Base {
    public Base(Func<string> valueMaker) { Console.WriteLine(valueMaker()); }
}
class Derived : Base {
    string CheckNull() { return "Am I null? " + (this == null); }
    public Derived() : base(() => CheckNull()) { }
}

在发行模式VS2008,它抛出一个InvalidProgramException。 (在调试模式下,它工作正常)

在VS2010 Beta 2中,它不会编译(我没有尝试测试版1); 我了解到硬盘的方式

是否有任何其他方法,使this == null纯C#?

Answer 1:

这一观察结果已被张贴在计算器上的另一个问题今天早些时候。

马克的大问题的答案表明,根据规范(第7.5.7),你不应该能够访问this在这方面和这样做的在C#3.0编译器是一个错误的能力。 C#4.0编译器根据该规范行为正确地(甚至在Beta 1中,这是一个编译时间错误):

§7.5.7此访问

A 这-access由保留字的this

此访问:

 this 

这个存取只能在实例构造函数,实例方法,或实例访问的被允许。



Answer 2:

调试模式二进制的原始反编译(反光不优化)是:

private class Derived : Program.Base
{
    // Methods
    public Derived()
    {
        base..ctor(new Func<string>(Program.Derived.<.ctor>b__0));
        return;
    }

    [CompilerGenerated]
    private static string <.ctor>b__0()
    {
        string CS$1$0000;
        CS$1$0000 = CS$1$0000.CheckNull();
    Label_0009:
        return CS$1$0000;
    }

    private string CheckNull()
    {
        string CS$1$0000;
        CS$1$0000 = "Am I null? " + ((bool) (this == null));
    Label_0017:
        return CS$1$0000;
    }
}

该编译器生成的方法是没有意义的; 如果你看一下IL(下图),它调用一个空字符串的方法(!)。

   .locals init (
        [0] string CS$1$0000)
    L_0000: ldloc.0 
    L_0001: call instance string CompilerBug.Program/Derived::CheckNull()
    L_0006: stloc.0 
    L_0007: br.s L_0009
    L_0009: ldloc.0 
    L_000a: ret 

在释放模式中,本地变量被优化了,所以它试图推到堆栈中的不存在的变量。

    L_0000: ldloc.0 
    L_0001: call instance string CompilerBug.Program/Derived::CheckNull()
    L_0006: ret 

(反射器将其转换成C#时崩溃)


编辑 :有没有人(?埃里克利珀)知道为什么编译器发出ldloc



Answer 3:

我不得不说! (和有证据太)



Answer 4:

这不是一个“错误”。 这是你滥用类型的系统。 你永远应该对当前实例(参考传this )给任何一个构造函数中。

我可以通过调用基类构造函数中的虚方法,以及创建一个类似的“错误”。

仅仅因为你可以做坏事,当你通过它得到位,并不意味着它的错误



Answer 5:

我可能是错的,但我敢肯定,如果你的对象是null那里永远不会是这样一个场景, this适用。

举例来说,你怎么会叫CheckNull

Derived derived = null;
Console.WriteLine(derived.CheckNull()); // this should throw a NullReferenceException


Answer 6:

不知道这是你在找什么

    public static T CheckForNull<T>(object primary, T Default)
    {
        try
        {
            if (primary != null && !(primary is DBNull))
                return (T)Convert.ChangeType(primary, typeof(T));
            else if (Default.GetType() == typeof(T))
                return Default;
        }
        catch (Exception e)
        {
            throw new Exception("C:CFN.1 - " + e.Message + "Unexpected object type of " + primary.GetType().ToString() + " instead of " + typeof(T).ToString());
        }
        return default(T);
    }

例如:用户ID = CheckForNull(的Request.QueryString [ “用户ID”],147);



文章来源: (this == null) in C#!