我正在尝试在ListView中获取所选单元格的文本,因为它显示在JavaFx应用程序上。
这样做的目的是修复编写应用程序时遇到的错误。当底层模型发生更改时,ListView中单元格的文本将无法正确更新。这在过去是有效的。 我正在尝试编写一个黄瓜验收测试,这样如果它再次发生,那么虫子就会被捕获。
以下是此特定方案的stepdef。
@Given("^I have selected an item from the list display$")
public void I_have_selected_an_item_from_the_list_display() throws Throwable {
ListView displayList = (ListView) primaryStage.getScene().lookup("#displayList");
displayList.getSelectionModel().select(0);
}
@When("^I edit the items short name$")
public void I_edit_the_items_short_name() throws Throwable {
fx.clickOn("#projectTextFieldShortName").type(KeyCode.A);
fx.clickOn("#textFieldLongName");
}
@Then("^the short name is updated in the list display$")
public void the_short_name_is_updated_in_the_list_display() throws Throwable {
ListView displayList = (ListView) primaryStage.getScene().lookup("#displayList");
String name = "";
// This gets me close, In the debuger the cell property contains the cell I need, with the text
Object test = displayList.getChildrenUnmodifiable().get(0);
//This will get the actual model object rather than the text of the cell, which is not what I want.
Object test2 = displayList.getSelectionModel().getSelectedItem();
assertTrue(Objects.equals("Testinga", name));
}
我查看了ListView JavaDoc,找不到任何可以获取单元格文本的方法。
答案 0 :(得分:1)
如果您有ListView
,则单元格中显示的文本是在模型对象上调用toString()
的结果,或者您在ListView
上设置了单元格工厂。在后一种情况下,只需重构逻辑以将显示文本转换为单独的方法:
ListView<MyModelObject> listView = ... ;
listView.setCellFactory(lv -> new ListCell<MyModelObject>() {
@Override
public void updateItem(MyModelObject item, boolean empty) {
super.updateItem(item, empty);
if (empty) {
setText(null);
} else {
setText(getDisplayText(item));
}
}
};
// ...
private String getDisplayText(MyModelObject object) {
// ...
return ... ;
}
然后你只需要做
MyModelObject item = listView.getSelectionModel().getSelectedItem();
String displayText = getDisplayText(item);
(显然,如果你还没有设置一个单元工厂,你只需要listView.getSelectionModel().getSelectedItem().toString()
)