构造函数和属性初始化
属性值的赋值应该在类的构造函数之前还是之后执行?
public class TestClass
{
public int TestProperty { get; set; } = 2;
public TestClass()
{
if (TestProperty == 1)
{
Console.WriteLine("Shall this be executed?");
}
if (TestProperty == 2)
{
Console.WriteLine("Or shall this be executed");
}
}
}
var testInstance = new TestClass() { TestProperty = 1 };
在上面的例子中,TestProperty
值应该是类’构造函数中的 1
还是类构造函数之后?
在实例创建中分配属性值,如下所示:
var testInstance = new TestClass() {TestProperty = 1};
将在构造函数运行后执行。但是,在 C#6.0 的类’属性中初始化属性值,如下所示:
public class TestClass
{
public int TestProperty { get; set; } = 2;
public TestClass()
{
}
}
将在构造函数运行之前完成。
将上述两个概念结合在一个示例中:
public class TestClass
{
public int TestProperty { get; set; } = 2;
public TestClass()
{
if (TestProperty == 1)
{
Console.WriteLine("Shall this be executed?");
}
if (TestProperty == 2)
{
Console.WriteLine("Or shall this be executed");
}
}
}
static void Main(string[] args)
{
var testInstance = new TestClass() { TestProperty = 1 };
Console.WriteLine(testInstance.TestProperty); //resulting in 1
}
最后结果:
"Or shall this be executed"
"1"
说明:
首先将 TestProperty
值指定为 2
,然后运行 TestClass
构造函数,从而打印出
"Or shall this be executed"
由于 new
TestClass() { TestProperty = 1 }
,TestProperty
将被指定为 1
,使 Console.WriteLine(testInstance.TestProperty)
打印的 TestProperty
的最终值为
"1"