1

我想写几个测试,但从高层次上看,它们中的每一个都应该用一些文件填充目录结构。我至少会测试这些案例中的每一个:

包含通过过滤器的文件的单个文件夹。
包含未通过过滤器的文件的单个文件夹。
一个嵌套文件夹,每个文件夹中都有一个文件。

代码:

class FolderScan implements Runnable {

    private String path;
    private BlockingQueue<File> queue;
    private CountDownLatch latch;
    private File endOfWorkFile;
    private List<Checker> checkers;

    FolderScan(String path, BlockingQueue<File> queue, CountDownLatch latch,
            File endOfWorkFile) {
        this.path = path;
        this.queue = queue;
        this.latch = latch;
        this.endOfWorkFile = endOfWorkFile;
        checkers = new ArrayList<Checker>(Arrays.asList(new ExtentionsCheker(),
                new ProbeContentTypeCheker(), new CharsetDetector()));
    }

    public FolderScan() {
    }

    @Override
    public void run() {
        findFiles(path);
        queue.add(endOfWorkFile);
        latch.countDown();
    }

    private void findFiles(String path) {
        boolean checksPassed = true;
        File root;

        try {
            root = new File(path);
            File[] list = root.listFiles();
            for (File currentFile : list) {
                if (currentFile.isDirectory()) {
                    findFiles(currentFile.getAbsolutePath());
                } else {
                    for (Checker currentChecker : checkers) {
                        if (!currentChecker.check(currentFile)) {
                            checksPassed = false;
                            break;
                        }
                    }

                    if (checksPassed)
                        queue.put(currentFile);
                }
            }
        } catch (InterruptedException | RuntimeException e) {
            System.out.println("Wrong input !!!");
            e.printStackTrace();
        }
    }
}

问题:

  • 如何在每个文件夹中创建文件?
  • 证明队列包含您期望的 File 对象?
  • 队列中的最后一个元素是“触发器”文件?
4

1 回答 1

1

如何在每个文件夹中创建文件?

  • 提取文件 IO 并使用模拟存储库进行测试。这意味着您将在其他地方拥有 IO,并且可能希望使用以下内容进行测试。
  • 使用JUnit 规则的临时文件夹 使用测试文件夹创建文件以匹配测试。

证明队列包含您期望的 File 对象?

.equals 对我相信的 File 对象很有效。

包含未通过过滤器的文件的单个文件夹。

我会传递阻止程序,这样我就可以传递“始终通过”和“始终失败”的阻止程序。

public class TestFolderScan {
        @Rule
        public TemporaryFolder folder= new TemporaryFolder();

        @Test
        public void whenASingleFolderWithAFileThatPassesTheFilterThenItExistsInTheQueue() {
                File expectedFile = folder.newFile("file.txt");
                File endOfWorkFile = new File("EOW");
                Queue queue = ...;
                FolderScan subject = new FolderScan(folder.getRoot(), queue, new AllwaysPassesBlocker(),...);

                subject.run();

                expected = new Queue(expectedFile, endOfWorkFile);
                assertEquals(queue, expected);
        }
}
于 2013-03-04T13:03:54.447 回答