UIに数値フィールドを挿入する必要があります。したがって、入力文字が数字かどうかを確認するために、テキストフィールドのキーイベントを確認する必要があります。 TextFieldを拡張してクラスを作成しました。 KeyEventsを処理するTextFieldクラスにメソッドがある場合、数値フィールドに合わせてそのメソッドを単純にオーバーライドできます。何か案は?
ありがとう
解決策を見つけました。 :)
public class NumFieldFX extends TextField {
public NumFieldFX() {
this.addEventFilter(KeyEvent.KEY_TYPED, new EventHandler<KeyEvent>() {
public void handle( KeyEvent t ) {
char ar[] = t.getCharacter().toCharArray();
char ch = ar[t.getCharacter().toCharArray().length - 1];
if (!(ch >= '0' && ch <= '9')) {
System.out.println("The char you entered is not a number");
t.consume();
}
}
});
}
}
2016年5月27日更新
Java 8u40は TextFormatter クラスを導入しました。これは、この機能を実現するための推奨される方法です(この回答で提供されるソリューションは引き続き機能します)。詳細については、 weの回答 、 Hassanの回答 、および次の質問に対するTextFormatterに関するその他の回答を参照してください。
私が試していないこの質問に対する別の回答からのこの解決策もありますが、見た目はよく、StackOverflowモデレーターは削除されています。
TextField numberField = new TextField();
numberField.setTextFormatter(new TextFormatter<>(new NumberStringConverter()));
上記のコードは、通常必要なTextFormatterのUnaryOperatorフィルターがありません(そうでない場合、フィールドにはユーザー入力をフォーマットされた値のみに制限して表示せず、テキストフォーマッターのvalueプロパティを介してフォーマットされていない値を監視できます)。フィルターを使用するようにソリューションを拡張するには、以下のようなコードを使用できます。
import javafx.application.Application;
import javafx.scene.Scene;
import javafx.scene.control.TextField;
import javafx.scene.control.TextFormatter;
import javafx.stage.Stage;
import javafx.util.converter.NumberStringConverter;
import Java.text.ParsePosition;
import Java.util.function.UnaryOperator;
public class NumberConverterFieldTest extends Application {
public static void main(String[] args) {
launch(args);
}
@Override
public void start(Stage stage) {
TextField numberField = new TextField();
NumberStringFilteredConverter converter = new NumberStringFilteredConverter();
final TextFormatter<Number> formatter = new TextFormatter<>(
converter,
0,
converter.getFilter()
);
numberField.setTextFormatter(formatter);
formatter.valueProperty().addListener((observable, oldValue, newValue) ->
System.out.println(newValue)
);
stage.setScene(new Scene(numberField));
stage.show();
}
class NumberStringFilteredConverter extends NumberStringConverter {
// Note, if needed you can add in appropriate constructors
// here to set locale, pattern matching or an explicit
// type of NumberFormat.
//
// For more information on format control, see
// the NumberStringConverter constructors
// DecimalFormat class
// NumberFormat static methods for examples.
// This solution can instead extend other NumberStringConverters if needed
// e.g. CurrencyStringConverter or PercentageStringConverter.
public UnaryOperator<TextFormatter.Change> getFilter() {
return change -> {
String newText = change.getControlNewText();
if (newText.isEmpty()) {
return change;
}
ParsePosition parsePosition = new ParsePosition( 0 );
Object object = getNumberFormat().parse( newText, parsePosition );
if ( object == null || parsePosition.getIndex() < newText.length()) {
return null;
} else {
return change;
}
};
}
}
}
上記の例を実行しているときに、入力フィールドを編集し、Enterキーを押すと、更新された値が表示されます(変更された値はSystem.out
に出力されます)。
チュートリアルについては、以下を参照してください。
これは、Ursが参照するソリューションと同じですが、完全に実行可能なプログラムに配置して、コンテキストの例を提供し、正規表現を変更して(末尾に*
を追加して)、コピーと貼り付けが機能するようにしました。ウルクが言及する問題はありません。解決策は非常にシンプルに見え、ほとんどの目的にはおそらく十分です:
import Java.util.regex.Pattern;
import javafx.application.Application;
import javafx.scene.Scene;
import javafx.scene.control.TextField;
import javafx.stage.Stage;
public class NumericTextFieldTest extends Application {
public static void main(String[] args) { launch(args); }
@Override public void start(Stage stage) {
TextField numberField = new TextField() {
@Override public void replaceText(int start, int end, String text) {
if (text.matches("[0-9]*")) {
super.replaceText(start, end, text);
}
}
@Override public void replaceSelection(String text) {
if (text.matches("[0-9]*")) {
super.replaceSelection(text);
}
}
};
stage.setScene(new Scene(numberField));
stage.show();
}
}
代替ソリューション
スライダー値を編集可能なTextFieldにバインドするJavaFXの例 の私の代替ソリューションにも興味があるかもしれません。そのソリューションでは、TextFieldを拡張して、単純なバインディングの目的でフィールドのIntegerPropertyを公開します。代替ソリューションは、更新された質問の元の投稿者によって概説されているものと類似しています(つまり、キーイベントからの入力データを制限するためにイベントフィルターが追加されます)。さらに、値をコピーして貼り付けられるように、TextFieldのテキストプロパティにChangeListenerが追加されます。数値の場合のみ受け入れられます。
JavaFXフォーラムスレッド JavaFX 2.0の数値テキストフィールド には、この質問に対する他のいくつかの解決策があります FXExperienceコントロールの数値フィールド への参照が含まれています。
FXExperience には、そのような問題に対処するためのヒントがあります。言い換えると、TextField
を拡張し、replaceText()
およびreplaceSelection()
メソッドをオーバーライドして、数値ではないすべての入力をフィルタリングします。
実装すると、両方のメソッドはこのテンプレートに従う必要があります。
if (!newText.matches("[0-9]")) {
super.call(allParams)
}
Arrays.asList(txtLongitude, txtLatitude, txtAltitude, txtSpeed, txtOrientation).forEach(textField ->
textField.textProperty().addListener((observable, oldValue, newValue) ->
textField.setText(newValue.matches("^[0-9]*\\.?[0-9]*$") ? newValue : oldValue)
));
これが私が書いたCustomTextフィールドです。数値のみの入力とmaximumSizeの両方を処理します。 FXMLで使用できるカスタムコントロールと、FXMl自体でプロパティを設定できます。
package fxml;
import javafx.beans.property.BooleanProperty;
import javafx.beans.property.IntegerProperty;
import javafx.beans.property.IntegerPropertyBase;
import javafx.beans.property.SimpleBooleanProperty;
import javafx.scene.control.TextField;
public class CustomTextField extends TextField {
/**
* numericOnly property if set, will allow accept only numeric input.
*/
private BooleanProperty numericOnly = new SimpleBooleanProperty(this,
"numericOnly", false);
public final boolean isNumericOnly() {
return numericOnly.getValue();
}
public final void setNumericOnly(boolean value) {
numericOnly.setValue(value);
}
public final BooleanProperty numericOnlyProperty() {
return numericOnly;
}
/**
* maxSize property , determines the maximum size of the text that can be
* input.
*/
public IntegerProperty maxSize = new IntegerPropertyBase(1000) {
@Override
public String getName() {
return "maxSize";
}
@Override
public Object getBean() {
return CustomTextField.this;
}
};
public final IntegerProperty maxSizeProperty() {
return maxSize;
};
public final int getMaxSize() {
return maxSize.getValue();
}
public final void setMaxSize(int value) {
maxSize.setValue(value);
}
/**
* this method is called when user inputs text into the textField
*/
@Override
public void replaceText(int start, int end, String text) {
if (numericOnly.getValue() && !text.equals("")) {
if (!text.matches("[0-9]")) {
return;
}
}
if (getText().length() < getMaxSize() || text.equals("")) {
super.replaceText(start, end, text);
}
}
/**
* this method is called when user pastes text into the textField
*/
@Override
public void replaceSelection(String text) {
if (numericOnly.getValue() && !text.equals("")) {
if (!text.matches("[0-9]+")) {
return;
}
}
super.replaceSelection(text);
if (getText().length() > getMaxSize()) {
String maxSubString = getText().substring(0, getMaxSize());
setText(maxSubString);
positionCaret(getMaxSize());
}
}
}
package com.mazeworks.cloudhms.view.components;
import javafx.beans.property.BooleanProperty;
import javafx.beans.property.IntegerProperty;
import javafx.beans.property.IntegerPropertyBase;
import javafx.beans.property.SimpleBooleanProperty;
import javafx.scene.control.TextField;
public class NumericTextField extends TextField {
/**
* numericOnly property if set, will allow accept only numeric input.
*/
private BooleanProperty numericOnly = new SimpleBooleanProperty(this,
"numericOnly", false);
public final boolean isNumericOnly() {
return numericOnly.getValue();
}
public final void setNumericOnly(boolean value) {
numericOnly.setValue(value);
}
public final BooleanProperty numericOnlyProperty() {
return numericOnly;
}
/**
* maxSize property, determines the maximum size of the text that
can be
* input.
*/
public IntegerProperty maxSize = new IntegerPropertyBase(1000) {
@Override
public String getName() {
return "maxSize";
}
@Override
public Object getBean() {
return NumericTextField.this;
}
};
public final IntegerProperty maxSizeProperty() {
return maxSize;
}
;
public final int getMaxSize() {
return maxSize.getValue();
}
public final void setMaxSize(int value) {
maxSize.setValue(value);
}
/**
* this method is called when user inputs text into the textField
*/
@Override
public void replaceText(int start, int end, String text) {
if (numericOnly.getValue() && !text.equals("")) {
if (!text.matches("^[0-9]*\\.?[0-9]*$")) {
return;
}
}
if (getText().length() < getMaxSize() || text.equals("")) {
super.replaceText(start, end, text);
}
}
/**
* this method is called when user pastes text into the textField
*/
@Override
public void replaceSelection(String text) {
if (numericOnly.getValue() && !text.equals("")) {
if (!text.matches("^[0-9]*\\.?[0-9]*$")) {
return;
}
}
super.replaceSelection(text);
if (getText().length() > getMaxSize()) {
String maxSubString = getText().substring(0, getMaxSize());
setText(maxSubString);
positionCaret(getMaxSize());
}
}
}
TextField から継承し、 replaceText をオーバーライドして、Double値のみのTextFieldを取得します。
@Override
public void replaceText(int start, int end, String text) {
String preText = getText(0, start);
String afterText = getText(end, getLength());
String toBeEnteredText = preText + text + afterText;
// Treat the case where the user inputs proper text and is not inputting backspaces or other control characters
// which would be represented by an empty text argument:
if (!text.isEmpty() && text.matches("\\d|\\.")) {
Logger.getAnonymousLogger().info("Paring non-empty.");
try {
Logger.getAnonymousLogger().info("Parsing " + toBeEnteredText);
Double.parseDouble(toBeEnteredText);
super.replaceText(start, end, text);
} catch (Exception ignored) {
}
}
// If the user used backspace or del, the result text is impossible to not parse as a Double/Integer so just
// enter that text right ahead:
if (text.isEmpty()) {
super.replaceText(start, end, text);
}
}