如何有条件地将小部件添加到列表中?
How to conditionally add widgets to a list?
在 flutter 中,Row
/ListView
/Stack
等小部件不处理 null 子项。因此,如果我们想有条件地将小部件添加为子部件,我通常会执行以下操作:
Row(
children: <Widget>[
foo == 42 ? Text("foo") : Container(),
],
);
但是添加一个空容器感觉很奇怪。
另一个解决方案是 where
过滤器:
Row(
children: <Widget>[
foo == 42 ? Text("foo") : null,
].where((t) => t != null).toList(),
);
这解决了空容器问题,但我们仍然有一个丑陋的三元组,写起来很烦人。
有没有更好的解决方案?
编辑:
自 Dart 2.2 起,新语法原生支持:
Column(
children: [
if (foo != null) Text(foo),
Bar(),
],
);
这个问题目前在 github here 上争论不休。
但是现在,您可以使用 dart sync*
函数:
Row(
children: toList(() sync* {
if (foo == 42) {
yield Text("foo");
}
}),
);
其中 toList
是:
typedef Iterable<T> IterableCallback<T>();
List<T> toList<T>(IterableCallback<T> cb) {
return List.unmodifiable(cb());
}
不仅解决了条件加法问题;由于 yield*
,它还允许 "spread operator"。示例:
List<Widget> foo;
Row(
children: toList(() sync* {
yield Text("Hello World");
yield* foo;
}),
);
这是我使用的更简单的版本:
Row(
children: [
Text("always included"),
skipNulls([
icon,
label,
]),
],
);
skipNulls<T>(List<T> items) {
return items..removeWhere((item) => item == null);
}
新的 Dart 语法允许在列表中使用 'if',这导致了这个简单的解决方案:
Row(
children: <Widget>[
if (foo == 42) Text("foo"),
],
);
Row(
children: [
if (_id == 0) ...[
Container()
] else if(_id == 1)...[
Text("Hello")
] else ...[
SizedBox(width: 20)
],
],
),
在 flutter 中,Row
/ListView
/Stack
等小部件不处理 null 子项。因此,如果我们想有条件地将小部件添加为子部件,我通常会执行以下操作:
Row(
children: <Widget>[
foo == 42 ? Text("foo") : Container(),
],
);
但是添加一个空容器感觉很奇怪。
另一个解决方案是 where
过滤器:
Row(
children: <Widget>[
foo == 42 ? Text("foo") : null,
].where((t) => t != null).toList(),
);
这解决了空容器问题,但我们仍然有一个丑陋的三元组,写起来很烦人。
有没有更好的解决方案?
编辑:
自 Dart 2.2 起,新语法原生支持:
Column(
children: [
if (foo != null) Text(foo),
Bar(),
],
);
这个问题目前在 github here 上争论不休。
但是现在,您可以使用 dart sync*
函数:
Row(
children: toList(() sync* {
if (foo == 42) {
yield Text("foo");
}
}),
);
其中 toList
是:
typedef Iterable<T> IterableCallback<T>();
List<T> toList<T>(IterableCallback<T> cb) {
return List.unmodifiable(cb());
}
不仅解决了条件加法问题;由于 yield*
,它还允许 "spread operator"。示例:
List<Widget> foo;
Row(
children: toList(() sync* {
yield Text("Hello World");
yield* foo;
}),
);
这是我使用的更简单的版本:
Row(
children: [
Text("always included"),
skipNulls([
icon,
label,
]),
],
);
skipNulls<T>(List<T> items) {
return items..removeWhere((item) => item == null);
}
新的 Dart 语法允许在列表中使用 'if',这导致了这个简单的解决方案:
Row(
children: <Widget>[
if (foo == 42) Text("foo"),
],
);
Row(
children: [
if (_id == 0) ...[
Container()
] else if(_id == 1)...[
Text("Hello")
] else ...[
SizedBox(width: 20)
],
],
),