在Flutter中完全覆盖主题的局部
我有一个小部件,其中有两个TextField
作为后代。我想对这些TextField
s
使用相同的样式。我的理解是执行此操作的正确方法是将本地化主题应用于我的小部件树。以下是我的尝试。这是我的根小部件build
功能的代码片段。有没有更清洁的方式来做到这一点?
final ThemeData _themeData = Theme.of(context);return Theme( // HACK
data: _themeData.copyWith(
inputDecorationTheme: InputDecorationTheme(
border: OutlineInputBorder(),
),
textTheme: _themeData.textTheme.copyWith(
subhead: _themeData.textTheme.subhead.copyWith(
fontSize: 30.0,
),
),
),
child: _buildTheRestOfMyWidgetTree(context),
);
令我烦恼的是,要覆盖单个属性(_themeData.textTheme.subhead.fontSize
),我必须显式并手动制作三个中间数据结构(_themeData
,然后_themeData.textTheme
,然后_themeData.textTheme.subhead
)的副本。
回答:
虽然我可以理解必须“复制”所有内容的麻烦,但这是您应该这样做的方式。
数据在Flutter中是不可变的。您无法对其进行突变,因此不得不克隆具有不同属性的它们。
因此,您的假设是正确的:如果要修改嵌套属性,则也必须克隆其所有父级。这导致:
final ThemeData theme = Theme.of(context);theme.copyWith(
textTheme: theme.textTheme.copyWith(
subhead: theme.textTheme.subhead.copyWith(
fontSize: 30.0,
),
),
);
再次:您无法避免。
以上是 在Flutter中完全覆盖主题的局部 的全部内容, 来源链接: utcz.com/qa/414099.html