在下面的课程中,我想为构造函数1指定color
作为Color.White
;当通过构造函数2调用时,应为其分配参数值。但是在这样做时,它首先调用构造函数1,然后构造函数1首先将color
指定为Color.White
,然后然后指定所需的值。
当涉及许多构造函数并包含对象时,问题变得合理。
有没有办法处理这些不必要的步骤?我想我在这里遗漏了一些基本的东西。
public class Image
{
Texture2D texture;
Rectangle frame;
Rectangle offsetBound;
Color color;
// Constructor 1
public Image(Texture2D texture, Rectangle frame, Rectangle offsetBound)
{
this.texture = texture;
this.frame = frame;
this.offsetBound = offsetBound;
this.color = Color.White; // This is irrelevant
}
// Constructor 2
public Image(Texture2D texture, Rectangle frame, Rectangle offsetBound, Color color)
: this(texture, frame, offsetBound)
{
this.color = color;
}
}
答案 0 :(得分:6)
你可以重新安排这样的事情:
// Constructor 1
public Image(Texture2D texture, Rectangle frame, Rectangle offsetBound)
: this(texture, frame, offsetBound, Color.White)
{ }
// Constructor 2
public Image(Texture2D texture, Rectangle frame, Rectangle offsetBound, Color color)
{
this.texture = texture;
this.frame = frame;
this.offsetBound = offsetBound;
this.color = color;
}
答案 1 :(得分:0)
你也可以做下一个,取消第一个构造函数只是让你有一个像这样的构造函数将提供相同的结果:
public Image(Texture2D texture, Rectangle frame, Rectangle offsetBound, Color? col = null)
{
this.color = col ?? Color.White;
this.texture = texture;
this.frame = frame;
this.offsetBound = offsetBound;
}
通过使用可选参数,您可以获得与2 ctors相同的结果,如果用户不想提供颜色,则不会将其设置为默认的Color.White。