3

谁能告诉我,为什么它会编译?

namespace ManagedConsoleSketchbook
{
    public interface IMyInterface
    {
        int IntfProp
        {
            get;
            set;
        }
    }

    public class MyClass
    {
        private IMyInterface field = null;

        public IMyInterface Property
        {
            get
            {
                return field;
            }
        }
    }

    public class Program
    {
        public static void Method(MyClass @class)
        {
            Console.WriteLine(@class.Property.IntfProp.ToString());
        }

        public static void Main(string[] args)
        {
            // ************
            // *** Here ***
            // ************

            // Assignment to read-only property? wth?

            Method(new MyClass { Property = { IntfProp = 5 }});
        }
    }
}
4

3 回答 3

11

这是一个嵌套对象初始化器。它在 C# 4 规范中是这样描述的:

在等号之后指定对象初始化器的成员初始化器是嵌套对象初始化器——即嵌入对象的初始化。嵌套对象初始值设定项中的赋值不是为字段或属性分配新值,而是被视为对字段或属性成员的赋值。嵌套对象初始值设定项不能应用于具有值类型的属性或具有值类型的只读字段。

所以这段代码:

MyClass foo = new MyClass { Property = { IntfProp = 5 }};

相当于:

MyClass tmp = new MyClass();

// Call the *getter* of Property, but the *setter* of IntfProp
tmp.Property.IntfProp = 5;

MyClass foo = tmp;
于 2013-04-03T10:13:48.830 回答
2

因为您使用的是使用 setter 的初始化程序ItfProp而不是的 setter Property

所以它会NullReferenceException在运行时抛出一个,因为Property仍然是null.

于 2013-04-03T10:11:36.210 回答
0

因为

int IntfProp {
    get;
    set;
}

不是只读的。

你没有调用 setter MyClass.Property,只是 getter 。

于 2013-04-03T10:15:08.697 回答