有没有办法利用初始化列表可选初始化可选项 构造函数中的参数?以下示例转换为 if(?x)类型 身体中的逻辑,因为不清楚如何仅在初始化列表中设置 _x 如果它被传入。
class Point {
double _x = 0.0;
double get x => _x;
double _y = 0.0;
double get y => _y;
Point(
{
double x,
double y
})
{
if(?x) { _x = x; }
if(?y) { _y = y; }
}
}
另一种方法是使用构造函数:
Point(
{
double x: 0.0,
double y: 0.0
}) : _x = x, _y = y
{
}
然后你重复自己(0.0多个地方),看起来像_x和_y初始化两次,一次为成员,然后再由初始化列表。此外,成员初始化程序的好处是它可以是函数调用,而默认参数的默认值似乎需要常量。我希望/意识到性能影响很小。只是想要一个很好的规范方法,可能会用于代码生成。
答案 0 :(得分:8)
您可以使用this
前缀在构造函数中初始化变量,例如:
class PointA {
double _x;
double get x => _x;
double _y;
double get y => _y;
PointA({double this._x=0.0, double this._y=0.0});
}
class PointB {
final double x;
final double y;
Point({double this.x=0.0, double this.y=0.0});
}
void main() {
new PointA(_y:2.0);
new PointA(_x:3.0);
new PointA(_x:2.0, _y:3.0);
new PointB(y:2.0);
new PointB(x:3.0);
new PointB(x:2.0, y:3.0);
}
答案 1 :(得分:3)
Chris Buckett's answer非常适合常数。 显然,有一个三元运营商在会员中工作 初始化。因此,如果字段的初始化很昂贵(比如说 需要函数调用和/或创建对象),这种方法似乎有效:
在成员初始化程序中使用带有三元运算符的?parm 。下面是一个示例,其中假定为成员创建默认值很昂贵。
class Formats {
static Map<String,dynamic> defaultFormats() {
print("Expensive call - avoid if possible");
return {
"th" : 'default th',
"td" : 'default td'
};
}
Map<String,dynamic> leftTbl;
Map<String,dynamic> rightTbl;
Formats(
{
Map<String,dynamic> leftTbl,
Map<String,dynamic> rightTbl
}) : this.leftTbl = ?leftTbl? leftTbl : defaultFormats(),
this.rightTbl = ?rightTbl? rightTbl : defaultFormats()
{
}
String toString() {
return """
l => $leftTbl,
r => $rightTbl
""";
}
}
样品使用:
print(new Formats());
print(new Formats(leftTbl: {"th":'solid #089', "td":'solid #089' }));
print(new Formats(leftTbl: {"th":'solid #189', "td":'solid #189'},
rightTbl: {"th":'solid #189', "td":'solid #189'}));
输出:
Expensive call - avoid if possible
Expensive call - avoid if possible
l => {th: default th, td: default td},
r => {th: default th, td: default td}
Expensive call - avoid if possible
l => {th: solid #089, td: solid #089},
r => {th: default th, td: default td}
l => {th: solid #189, td: solid #189},
r => {th: solid #189, td: solid #189}
答案 2 :(得分:1)
作为对user1338952's answer的修改,您可以执行以下操作:
class Formats {
static Map<String,dynamic> defaultFormats() {
print("Expensive call - avoid if possible");
return {
"th" : 'default th',
"td" : 'default td'
};
}
Map<String,dynamic> leftTbl;
Map<String,dynamic> rightTbl;
Formats(
{
Map<String,dynamic> leftTbl,
Map<String,dynamic> rightTbl
}) : this.leftTbl = leftTbl ?? defaultFormats(),
this.rightTbl = rightTbl?? defaultFormats()
{
}
String toString() {
return """
l => $leftTbl,
r => $rightTbl
""";
}
}
核心差异是使用 if null运算符(??
)。
在this.leftTbl = leftTbl ?? defaultFormats()
中,如果leftTbl
为空,则defaultFormats()
返回的值只会分配给它。