我在TextField中显示了一些单词。我想每次在TextField中更改此单词时都重写此单词。
这是我的类型:
class WordType {
String first;
String second;
}
和ListView在这里显示我的话:
ListView<WordType> list = new ListView<>();
list.setCellFactory(lv -> new ListCell<WordType>() {
@Override
public void updateItem(WordType item, boolean empty){
super.updateItem(item, empty);
if (empty){
setText(null);
} else {
ToolBar root = new ToolBar();
TextField word = new TextField(item.first);
TextField translate = new TextField(item.second);
root.getItems().addAll(word, new Separator(), translate);
setGraphic(root);
}
}
});
如果我在TextField中更改这些字符串,如何更改WordType中的字符串?
抱歉,我的英语不好=)
最佳答案
首先,修改您的WordType
类以使用JavaFX属性:
public class WordType {
private final StringProperty first = new SimpleStringProperty();
private final StringProperty second = new SimpleStringProperty();
public StringProperty firstProperty() {
return first ;
}
public final String getFirst() {
return firstProperty().get() ;
}
public final void setFirst(String first) {
firstProperty().set(first);
}
public StringProperty secondProperty() {
return second ;
}
public final String getSecond() {
return secondProperty().get() ;
}
public final void setSecond(String second) {
secondProperty().set(second);
}
}
现在,修改列表单元实现,以使其仅创建一次文本字段。当项目更改时,将文本字段双向绑定到新项目中的属性:
list.setCellFactory(lv -> new ListCell<WordType>() {
private final TextField word = new TextField();
private final TextField translate = new TextField();
private final ToolBar root = new ToolBar(word, new Separator(), translate);
{
// anonymous constructor:
itemProperty().addListener((obs, oldWordType, newWordType) -> {
if (oldWordType != null) {
word.textProperty().unbindBidirectional(oldWordType.firstProperty());
translate.textProperty().unbindBidirectional(oldWordType.secondProperty());
}
if (newWordType != null) {
word.textProperty().bindBidirectional(newWordType.firstProperty());
translate.textProperty().bindBidirectional(newWordType.secondProperty());
}
});
}
@Override
protected void updateItem(WordType item, boolean empty) {
super.updateItem(item, empty);
setGraphic(empty ? null : root);
}
});
如果由于某种原因您无法更改
WordType
的实现,则可以在文本字段上使用某些侦听器。注意,这仅是一种方法:如果文本字段中的文本发生更改,则WordType
属性将发生更改;但是,如果在显示单元格时WordType
属性从其他来源更改,则该单元格将不会更新。根据您的应用程序要求,这可能是问题,也可能不是问题。这种情况下的单元实现如下所示:list.setCellFactory(lv -> new ListCell<WordType>() {
private final TextField word = new TextField();
private final TextField translate = new TextField();
private final ToolBar root = new ToolBar(word, new Separator(), translate);
{
// anonymous constructor:
word.textProperty().addListener((obs, oldText, newText) -> {
WordType wordType = getItem();
wordType.setFirst(newText);
});
translate.textProperty().addListener((obs, oldText, newText) -> {
WordType wordType = getItem();
wordType.setSecond(newText);
});
}
@Override
protected void updateItem(WordType item, boolean empty) {
super.updateItem(item, empty);
setGraphic(empty ? null : root);
}
});
使用现有的
WordType
类(为简便起见,我假设您省略了get
和set
方法)。