我知道这应该是一个超级简单的问题,但我已经在这个概念上挣扎了一段时间。
我的问题是,如何在c#中使用链构造函数?
我第一次上面向对象编程课,所以我还在学习。我不明白构造函数链接是如何工作的,如何实现它,甚至为什么它比没有链接的构造函数更好。
我希望你能给我一些解释的例子。
那么怎么把它们拴起来呢?
我知道这句话是:
public SomeClass this: {0}
public SomeClass
{
someVariable = 0
}
但是你怎么处理3个,4个等等?
再说一次,我知道这是一个初学者的问题,但我很难理解,我不知道为什么。
你可以使用标准语法(像使用方法一样)在类内部选择重载:
class Foo
{
private int id;
private string name;
public Foo() : this(0, "")
{
}
public Foo(int id, string name)
{
this.id = id;
this.name = name;
}
public Foo(int id) : this(id, "")
{
}
public Foo(string name) : this(0, name)
{
}
}
然后:
Foo a = new Foo(), b = new Foo(456,"def"), c = new Foo(123), d = new Foo("abc");
还请注意:
可以使用base(…)链接到基类型上的构造函数。
您可以在每个构造函数中放入额外的代码
默认值(如果你不指定任何东西)是base()
“为什么?”:
代码减少(总是一件好事)
必须调用非默认的基构造函数,例如:
SomeBaseType(int id): base(id){…}
注意,你也可以以类似的方式使用对象初始化器,尽管(不需要写任何东西):
SomeType x = new SomeType(), y = new SomeType { Key = "abc" },
z = new SomeType { DoB = DateTime.Today };
“构造函数链”的用途是什么?
可以使用它从另一个构造函数调用一个构造函数。
如何实现“构造函数链”?
在构造函数定义后使用":this (yourProperties)"关键字。例如:
Class MyBillClass
{
private DateTime requestDate;
private int requestCount;
public MyBillClass()
{
/// ===== we naming "a" constructor ===== ///
requestDate = DateTime.Now;
}
public MyBillClass(int inputCount) : this()
{
/// ===== we naming "b" constructor ===== ///
/// ===== This method is "Chained Method" ===== ///
this.requestCount= inputCount;
}
}
为什么它有用?
重要原因是减少编码,防止重复编码。例如用于初始化属性的重复代码
假设类中的某些属性必须用特定的值初始化(在我们的示例中为requestDate)。类有2个或更多的构造函数。如果没有“构造函数链”,你必须在类的所有构造函数中重复初始化代码。
它是如何工作的?(或者,“构造函数链”中的执行顺序是什么)?
在上面的例子中,方法“a”将首先执行,然后指令序列将返回到方法“b”。
换句话说,上面的代码和下面的代码是相等的:
Class MyBillClass
{
private DateTime requestDate;
private int requestCount;
public MyBillClass()
{
/// ===== we naming "a" constructor ===== ///
requestDate = DateTime.Now;
}
public MyBillClass(int inputCount) : this()
{
/// ===== we naming "b" constructor ===== ///
// ===== This method is "Chained Method" ===== ///
/// *** --- > Compiler execute "MyBillClass()" first, And then continue instruction sequence from here
this.requestCount= inputCount;
}
}
我有一个日记类,所以我没有写设置值一次又一次
public Diary() {
this.Like = defaultLike;
this.Dislike = defaultDislike;
}
public Diary(string title, string diary): this()
{
this.Title = title;
this.DiaryText = diary;
}
public Diary(string title, string diary, string category): this(title, diary) {
this.Category = category;
}
public Diary(int id, string title, string diary, string category)
: this(title, diary, category)
{
this.DiaryID = id;
}
所有这些答案都很好,但我想对构造函数的初始化稍加说明。
class SomeClass {
private int StringLength;
SomeClass(string x) {
// this is the logic that shall be executed for all constructors.
// you dont want to duplicate it.
StringLength = x.Length;
}
SomeClass(int a, int b): this(TransformToString(a, b)) {
}
private static string TransformToString(int a, int b) {
var c = a + b;
return $"{a} + {b} = {c}";
}
}
尽管这个例子没有这个静态函数也可以解决,但是静态函数允许更复杂的逻辑,甚至可以从其他地方调用方法。