当前位置: 代码迷 >> java >> JavaFX使用FileFilter过滤ListView File元素
  详细解决方案

JavaFX使用FileFilter过滤ListView File元素

热度:36   发布时间:2023-07-26 14:16:11.0

我有一个JavaFX应用程序,它显示特定目录的所有文件夹,并监视新的/删除的文件夹并更新ListView

现在,我试图让用户使用TextField过滤/搜索文件夹。
我之前已经做过,所以这是相关的代码:

@Override
public void initialize(URL location, ResourceBundle resources) {
    // configure other stuff
    configureListView();
}

private void configureListView() {
    searchField.textProperty().addListener((observable, oldVal, newVal) -> {
        handleSearchOnType(observable, oldVal, newVal);
    });
    // more stuff here
}

private void handleSearchOnType(ObservableValue observable, String oldVal, String newVal) {
    File folderToSearch = new File(config.getDlRootPath());
    ObservableList<File> filteredList = FXCollections.observableArrayList(folderToSearch.listFiles(
            pathname -> pathname.isDirectory() && pathname.getName().contains(newVal))); // something seems wrong here?!
    if (!searchField.getText().isEmpty()) {
        listView.setItems(filteredList);
    } else {
        // nothing to filter
        listView.setItems(FXCollections.observableArrayList(
            folderToSearch.listFiles(pathname -> pathname.isDirectory())));
        }
    }

这给了我奇怪的结果,例如:

我在这里想念什么?

先感谢您!

编辑:

我的自定义单元工厂

listView.setCellFactory(new Callback<ListView<File>, ListCell<File>>() {
            @Override
            public ListCell<File> call(ListView<File> list) {
                return new ListCell<File>() {
                    @Override
                    protected void updateItem(File t, boolean bln) {
                        super.updateItem(t, bln);
                        if (t != null) {
                            setGraphic(new ImageView(new Image("img/folder.png")));
                            setText(t.getName());
                        }
                    }

                };
            }
        });

不知道这是否是唯一的错误,但是您的自定义单元工厂需要处理单元为空的情况:

final Image image = new Image("img/folder.png");

listView.setCellFactory(new Callback<ListView<File>, ListCell<File>>() {
    @Override
    public ListCell<File> call(ListView<File> list) {
        return new ListCell<File>() {
            private final ImageView imageView = new ImageView(image);
            @Override
            protected void updateItem(File t, boolean bln) {
                super.updateItem(t, bln);
                if (t == null) {
                    setGraphic(null);
                    setText(null);
                } else {
                    setGraphic(imageView);
                    setText(t.getName());
                }
            }

        };
    }
});

这里的要点是,当您开始过滤时,某些以前不为空的单元将变为空。 将在这些单元格上调用updateItem(null, true) ,然后需要清除其所有内容(否则,它们将仅保留之前的内容)。

(作为奖励,我还进行了一些重构,以防止您每次用户滚动列表视图时都不会从每个单元格的图像文件中加载图像。)

  相关解决方案