0

我不确定我是否使用了正确的方法,所以在告诉我我做错之前我对新想法持开放态度。我有一组需要查找文件的目录路径。让我们以所有 .txt 为例。现在我Files.walkFileTree(...)在每个目录上运行 a 并且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;
        }
    });
4

1 回答 1

1

我曾经写过一个应该完全按照你描述的类。我通过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();
于 2016-08-17T13:44:00.480 回答