我需要通过点击另一个小组件中的图标来改变文本字段的字体大小。所以我在这里有我的自定义文本字段小组件。
class StateTextField extends StatefulWidget {
final FocusNode focusNode = FocusNode();
final Function(bool,Widget) callback;
final String fontFamily = FontFamily.Arial.toString().split('.')[1];
double fontSize = 18;
final Function(bool) selected;
final bool highlighted = false;
bool hasFocus() {
return focusNode.hasFocus;
}
increaseFontSize() {
fontSize += 2;
}
decreasefontSize() {
if (fontSize > 0) fontSize -= 2;
}
StateTextField({@required this.callback,@required this.selected});
@override
_StateTextFieldState createState() => _StateTextFieldState();
}
在第二个小组件中,我使用函数increaseFontSize和decreaseFontSize来改变字体大小。
onTap: () {
setState(() {
print(widget.textField.fontSize);
widget.textField.increaseFontSize();
print(widget.textField.fontSize);
});
}
点击按钮时,大小会增加,但没有反映出来。我意识到这是因为setState并没有改变textField的状态。那我应该遵循什么方法呢?
创建一个变量文件,并将其导入到你的main.dart或任何你需要的地方。
double fontSize = 12;
变量.dart
Column(
children: <Widget>[
TextField(
style: TextStyle(
fontSize: fontSize
)
),
Container(
width: double.infinity,
height: 70,
child: RaisedButton(
onPressed: (){
setState((){
fontSize = fontSize +1; //or fontSize+=1;
});
},
child: Center(
child: Text("+")
)
)
),
Container(
width: double.infinity,
height: 70,
child: RaisedButton(
onPressed: (){
setState((){
fontSize = fontSize -1; //or fontSize-=1;
});
},
child: Center(
child: Text("-")
)
)
)
]
)
主飞镖
有这种方法,会对你有一定的帮助。
第1步:在StatefulWidget中不要使用encreatedecrease方法。 不要在StatefulWidget中使用addecrease方法。
第2步:将值存储在一个变量中,并在同一个小组件中进行更改。 将值存储在一个变量中,并在同一个小组件中进行更改。
class StateTextField extends StatefulWidget {
final FocusNode focusNode = FocusNode();
final Function(bool,Widget) callback;
final String fontFamily = FontFamily.Arial.toString().split('.')[1];
double fontSize = 18;
final Function(bool) selected;
final bool highlighted = false;
bool hasFocus() {
return focusNode.hasFocus;
}
StateTextField({@required this.callback,@required this.selected});
@override
_StateTextFieldState createState() => _StateTextFieldState();
}
StateTextFieldState extends State<StateTextField>{
double _fontSize;
@override
void initState(){
super.initState();
// setting the value from the widget in initialization of the widget to the local variable which will be used to do the increase-decrease operation
_fontSize = widget.fontSize;
}
void increaseFontSize() {
setState(() => _fontSize += 2);
}
void decreasefontSize() {
if (_fontSize > 0){
setState(() => _fontSize -= 2);
}
}
//in your widget method, you can perform your operation now in `onTap`
onTap: () {
print(_fontSize);
//call your increase method here to increase
_increaseFontSize()
}
}
如果这对你有一定的帮助,请告诉我。谢谢:)