将javafx textField的侦听器添加到小数点后2位
作者:互联网
我想将javaFX文本字段设置为两位小数.我找到了答案,但这是数字值.例如
// force the field to be numeric only
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]", ""));
}
}
});
在上面的代码中,什么是极限值的替换(最多两位小数).
还是有其他解决方案来限制textField.
我有Binding TextField这是我的部分代码…
@FXML public TextField InvoiceTotal;
private DoubleProperty invTotal;
invTotal = new SimpleDoubleProperty(0);
netAmount.bind(grossAmount.subtract(disc));
StringConverter<? extends Number> converter= new DoubleStringConverter();
Bindings.bindBidirectional(InvoiceTotal.textProperty(),invTotal,(StringConverter<Number>)converter);
现在我想在InvoiceTotal文本字段上设置两个小数限制
解决方法:
在文本字段上使用文本格式化程序.该模式只需将任何可能的十进制值与最多两个小数位进行匹配. (类似于可选的负号,后跟任意数量的数字,然后可选地后跟小数点和0-2位数字.)如果结果文本匹配该格式,则让文本格式器接受更改,否则拒绝它们.
import java.util.function.UnaryOperator;
import java.util.regex.Pattern;
import javafx.application.Application;
import javafx.geometry.Insets;
import javafx.scene.Scene;
import javafx.scene.control.TextField;
import javafx.scene.control.TextFormatter;
import javafx.scene.control.TextFormatter.Change;
import javafx.scene.layout.StackPane;
import javafx.stage.Stage;
public class DecimalTextField extends Application {
@Override
public void start(Stage primaryStage) {
Pattern decimalPattern = Pattern.compile("-?\\d*(\\.\\d{0,2})?");
UnaryOperator<Change> filter = c -> {
if (decimalPattern.matcher(c.getControlNewText()).matches()) {
return c ;
} else {
return null ;
}
};
TextFormatter<Double> formatter = new TextFormatter<>(filter);
TextField textField = new TextField();
textField.setTextFormatter(formatter);
StackPane root = new StackPane(textField);
root.setPadding(new Insets(24));
primaryStage.setScene(new Scene(root));
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}
标签:scenebuilder,javafx-8,java 来源: https://codeday.me/bug/20191111/2022588.html