我不确定自己是否使用了正确的方法,因此在告诉我做错之前,我会接受新的想法。
我需要查找文件的目录路径数组。举个例子。现在,我在每个目录上运行Files.walkFileTree(...),并且SimpleFileVisitor在第一次匹配时停止。但是现在我想添加一个next按钮,该按钮从我停止的那一点开始一直进行搜索。我怎样才能做到这一点?

我以为我可以将所有匹配项保存在一个数组上,然后从那里读取它,但是这会占用空间和内存。因此,一个更好的主意将不胜感激。

// example paths content: [/usr, /etc/init.d, /home]
ArrayList<String> paths;
for( String s : paths )
    Files.walkFileTree(Paths.get(s), new SimpleFileVisitor<Path>() {
        @Override
        public FileVisitResult visitFile(Path file, BasicFileAttributes attrs) throws IOException {
            if (alreadyfound >= 10) {
                return FileVisitResult.TERMINATE;
            }
            if (file.toString().endsWith(".txt")) {
                System.out.println("Found: " + file.toFile());
            }
            return FileVisitResult.CONTINUE;
        }
    });

最佳答案

我曾经写过一个类,应该完全按照您的描述进行。我通过在自己的线程中运行FileVisitor来解决它。当找到具有所需扩展名的文件时,它只是简单地使用wait()停止执行,直到按钮发出信号以继续notify()为止。

public class FileSearcher extends Thread{
    private Object lock = new Object();
    private Path path;
    private JLabel label;
    private String extension;

    public FileSearcher(Path p, String e, JLabel l){
        path = p;
        label = l;
        extension = e;
    }
    public void findNext(){
        synchronized(lock){
            lock.notify();
        }
    }
    @Override
    public void run() {
        try {
            Files.walkFileTree(path, new SimpleFileVisitor<Path>() {
                @Override
                public FileVisitResult visitFile(Path file, BasicFileAttributes attrs) throws IOException {
                    if(file.toString().toLowerCase().endsWith(extension)){
                        label.setText(file.toString());
                        synchronized(lock){
                            try {
                                lock.wait();
                            } catch (InterruptedException e1) {
                                e1.printStackTrace();
                            }
                        }
                    }
                    return FileVisitResult.CONTINUE;
                }
            });
        } catch (IOException e) {
            e.printStackTrace();
        }
    }
}


一个简单的示例如何使用它是

JFrame frame = new JFrame();
JPanel panel = new JPanel();
panel.setLayout(new FlowLayout());
JLabel label = new JLabel();
FileSearcher fileSearcher = new FileSearcher(Paths.get("c:\\bla"), ".txt", label);
JButton button = new JButton();
button.setText("next");
button.addActionListener(new ActionListener(){
    @Override
    public void actionPerformed(ActionEvent arg0) {
        fileSearcher.findNext();
    }});
panel.add(label);
panel.add(button);
frame.add(panel);
frame.setSize(300, 300);
frame.setLocationRelativeTo(null);
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.setVisible(true);
fileSearcher.start();

关于java - 继续访问SimpleFileVisitor,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/38997032/

10-09 13:18