问题很简单:当我点击表单字段时,我需要显示numberpickerdialog。然后我需要将numberpicker值设为字段。
表格字段
final maxValue = new GestureDetector(
onTap: () {
print("entra");
_showDialog(context);
},
child: TextFormField(
//controller: inputMaxValue,
decoration: InputDecoration(
hintText: DemoLocalizations.of(context).trans('value-meter-max'),
focusedBorder: UnderlineInputBorder(
borderSide: BorderSide(color: Colors.blue[300], width: 2.5),
),
)),
);
对话
void _showDialog(context) {
showDialog<double>(
context: context,
builder: (BuildContext context) {
return new NumberPickerDialog.decimal(
minValue: 1,
maxValue: 10,
title: new Text("Pick a new price"),
initialDoubleValue: _currentPrice,
);
}
).then((double value) {
if (value != null) {
setState(() => _currentPrice = value);
}
});
}
问题:当我点击字段对话框时没有显示:当我点击这个字段时如何启动showDialog?
我重新创建了你的案例并注意到问题可能是由于使用了TextFormField
。理想情况下,TextFormField
应仅用于编辑文本,因为我们无论如何都要点击它,这使得带有光标的字段。如果我们用GestureDetector
包装它,我们试图再次点击它可能与click事件冲突。我宁愿使用InputDecorator
并用GestureDetector
包裹它。这是一个打开对话框的工作示例:
@override Widget build(BuildContext context) {
return Scaffold(
body: Center(
child: GestureDetector(
child: InputDecorator(
decoration: InputDecoration(
labelText: 'Test'
),
),
onTap: () {
_showDialog();
},
)
)
);
}
void _showDialog() {
// flutter defined function
showDialog(
context: context,
builder: (BuildContext context) {
// return object of type Dialog
return AlertDialog(
title: new Text("Alert Dialog title"),
content: new Text("Alert Dialog body"),
actions: <Widget>[
// usually buttons at the bottom of the dialog
new FlatButton(
child: new Text("Close"),
onPressed: () {
Navigator.of(context).pop();
},
),
],
);
},
); }