我需要一些帮助。我有ArrayList
Textfield
个。
static List<TextField> lfLetters = new ArrayList<>();
我想检查值是否已更改。如果是这样,我想知道它是哪个文本字段。我知道我可以用一个监听器做到这一点,但这只适用于一个人。
TextField textField = new TextField();
textField.textProperty().addListener((observable, oldValue, newValue) -> {
System.out.println("textfield changed from " + oldValue + " to " + newValue);
});
我希望它能够处理数组并确定哪个文本字段已更改。
提前致谢!
答案 0 :(得分:2)
您可以将ObservableList
与适当的提取器一起使用,并将侦听器直接添加到列表中。这样它将自动观察其元素的指定属性的变化。比向每个文本字段添加侦听器更方便,但在这种情况下,您无法获得旧值:
ObservableList<TextField> oList =
FXCollections.observableArrayList(tf -> new Observable[]{tf.textProperty()});
oList.addListener((ListChangeListener.Change<? extends TextField> c) -> {
while (c.next()) {
if (c.wasUpdated()) {
for (int i = c.getFrom(); i < c.getTo(); ++i) {
System.out.println("Updated index: " + i + ", new value: " + c.getList().get(i).getText());
}
}
}
});
答案 1 :(得分:1)
我原以为我会将此问题标记为副本,因为您有一个完全相似的问题here。
但最后,你想在监听器中引用TextField
,所以我会添加一个答案。
此代码段会向TextField
添加10个ArrayList
个对象,并为每个对象添加一个侦听器。
for (int i = 0; i < 10; i++) {
TextField tf = new TextField();
final int index = i;
tf.textProperty().addListener((obs, oldVal, newVal) -> {
System.out.println("Text of Textfield on index " + index + " changed from " + oldVal
+ " to " + newVal);
});
lfLetters.add(tf);
}
或者,如果您的ArrayList
已初始化,则可以iterate through进行简单:
lfLetters.forEach(tf -> {
tf.textProperty().addListener((obs, oldVal, newVal) -> {
System.out.println("Text of Textfield on index " + lfLetters.indexOf(tf) + " changed from " + oldVal
+ " to " + newVal);
});
});
示例输出
Text of Textfield on index 2 changed from InitialText - 2 to ModifiedText - 2
Text of Textfield on index 6 changed from InitialText - 6 to ModifiedText - 6