我可以在初始化中在ChangeListener
内运行更改方法。
因为它只在变化发生时运行。例如,我有TextField
,我想在它为空时将其值设置为0,我这样做:
textField.textProperty().addListener(new ChangeListener<String>() {
@Override
public void changed(ObservableValue<? extends String> observable, String oldValue, String newValue) {
if (!newValue.matches("\\d*")) {
textField.setText(newValue.replaceAll("[^\\d]", ""));
}
if (newValue.isEmpty())
textField.setText("0");
}
});
但是在应用程序开始时,不会调用更改的方法。那么如何解决这个问题?
答案 0 :(得分:2)
无法访问添加到属性的侦听器。显然你可以保留对它的引用:
ChangeListener<String> textFieldListener = (observable, oldValue, newValue) -> {
if (!newValue.matches("\\d*")) {
textField.setText(newValue.replaceAll("[^\\d]", ""));
}
if (newValue.isEmpty())
textField.setText("0");
};
textField.textProperty().addListener(textFieldListener);
textFieldListener.changed(null, null, textField.getText());
或者,更自然地,只需将实际功能移到另一种方法:
textField.textProperty().addListener((observable, oldValue, newValue) -> vetoTextFieldChanges());
vetoTextFieldChanges();
// ...
private void vetoTextFieldChanges() {
String newText = textField.getText();
if (!newText.matches("\\d*")) {
textField.setText(newText.replaceAll("[^\\d]", ""));
}
if (newText.isEmpty())
textField.setText("0");
}
请注意,观察更改然后在与业务逻辑不一致时修改它们的整个方法并不十分令人满意。例如,如果您在属性中注册了其他侦听器,则可能会看到文本的中间(无效)值。支持的方法是使用TextFormatter
。 TextFormatter
允许您审核对文本请求的更改,更新textProperty()
之前的,并将文本转换为适当的值。所以在你的情况下你可以这样做:
UnaryOperator<TextFormatter.Change> filter = change -> {
// remove any non-digit characters from inserted text:
if (! change.getText().matches("\\d*")) {
change.setText(change.getText().replaceAll("[^\\d]", ""));
}
// if new text is empty, replace all text with "0":
if (change.getControlNewText().isEmpty()) {
change.setRange(0, change.getControlText().length());
change.setText("0");
}
return change ;
};
TextFormatter<Integer> formatter = new TextFormatter<Integer>(new IntegerStringConverter(), 0, filter);
textField.setTextFormatter(formatter);
现在您可以使用格式化程序直接通过格式化程序的value
属性获取(数字)值,并将它们绑定到您的模型等:
// assume model is a data model and valueProperty() returns a Property<Integer>:
formatter.valueProperty().bindBidirectional(model.valueProperty());
请注意,这样的绑定既会在模型更改时更新格式化程序(以及文本字段),也会根据模型值对其进行初始化(从而为原始问题提供解决方案)。