java.lang.UnsupportedOperationException用于从javafx tableview中删除行

时间:2015-07-04 21:45:18

标签: java javafx unsupportedoperation

我正在尝试从javafx中的tableview中删除所选记录。 以下是我使用数据填充表格的方法:

public void setMainApp(MainAppClass mainApp){
    this.mainApp = mainApp;

    FilteredList<FileModel> filteredData = new FilteredList<>(mainApp.getFileData(), p -> true);

    // 2. Set the filter Predicate whenever the filter changes.
    filterField.textProperty().addListener((observable, oldValue, newValue) -> {
        filteredData.setPredicate(files -> {
            // If filter text is empty, display all files.
            if (newValue == null || newValue.isEmpty()) {
                return true;
            }

            String lowerCaseFilter = newValue.toLowerCase();
            if (files.getFileSubject().toLowerCase().indexOf(lowerCaseFilter) != -1) {
                return true; // Filter matches Subject.
            }
                else if (files.getFileDate().toLowerCase().indexOf(lowerCaseFilter) != -1) {
                return true; // Filter matches last name.
            }
            return false; // Does not match.
        });
    });

    // 3. Wrap the FilteredList in a SortedList. 
    SortedList<FileModel> sortedData = new SortedList<>(filteredData);

    // 4. Bind the SortedList comparator to the TableView comparator.
    sortedData.comparatorProperty().bind(fileTable.comparatorProperty());

    // 5. Add sorted (and filtered) data to the table.

    fileTable.setItems(sortedData);
}

这就是我如何删除记录:

@FXML
private void deleteFile() {
    int selectedIndex = fileTable.getSelectionModel().getSelectedIndex();
    if (selectedIndex >= 0) {
        fileTable.getItems().remove(selectedIndex);
    } else {
        // Nothing selected.
        Alert alert = new Alert(AlertType.WARNING);
        alert.initOwner(mainApp.getPrimaryStage());
        alert.setTitle("No Selection");
        alert.showAndWait();
    }
} 

但它会导致java.lang.UnsupportedOperationException错误。我在我的示例项目中做了同样的事情并且很好。那么,我该如何解决这个问题呢?

2 个答案:

答案 0 :(得分:4)

从基础列表中删除数据,而不是过滤/排序列表:

FileModel selectedItem = fileTable.getSelectionModel().getSelectedItem();
if (selectedItem != null) {
    mainApp.getFileData().remove(selectedItem);
}

答案 1 :(得分:3)

SortedList和FilteredList从AbstractList继承remove方法,该方法不支持 remove(index)。您必须从源列表中删除该对象( mainApp.getFileData()) 由于所选索引可能不是源列表中的正确索引(在过滤之后),因此有一种方法可以在源列表中获取正确的索引

sortedData.getSourceIndexFor(mainApp.getFileData(), selectedIndex);

因此,您应该将代码更改为

@FXML
private void deleteFile() {
  int selectedIndex = fileTable.getSelectionModel().getSelectedIndex();
  if (selectedIndex >= 0) {
    int sourceIndex = sortedData.getSourceIndexFor(mainApp.getFileData(), selectedIndex);
    mainApp.getFileData().remove(sourceIndex);
  }
}

我已删除此示例中的其他原因以将其降至最低。