What is the difference between this initialization methods?
Wha开发者_如何学编程t is the difference between this two codes?
class SomeClass
{
SomeType val = new SomeType();
}
and
class SomeClass
{
SomeType val;
SomeClass()
{
val = new SomeType();
}
}
Which method is preferd?
There is almost not difference between them. The assignment of the field will happen within the constructor in both cases. There is a difference in how this happpens in relation to base class constructors though. Take the following code:
class Base
{
public Base()
{
}
}
class One : Base
{
string test = "text";
}
class Two : Base
{
string test;
public Two()
{
test = "text";
}
}
In this case the base class constructor will be invoked after the field assignment in the class One
, but before the assignment in class Two
.
The first version allows you to define multiple constructors without having to remember to put the = new SomeType()
in each one.
精彩评论