具有Closeable参数的方法的单元测试

时间:2014-06-18 15:02:06

标签: java unit-testing interface junit

我是单元测试的新手。

我应该如何为此方法编写JUnit测试?

public static void close(Closeable closeable) {
        if (closeable == null) {
            return;
        }
        try {
            closeable.close();
        } catch (IOException e) {
            throw new RuntimeException(e);
        }
    }

1 个答案:

答案 0 :(得分:5)

尝试:

@Test
public void nominalClose() {
    Closeable closeable = new MyCloseable();
    Assert.assertFalse(closeable.isClosed());
    MyClass.close(closeable);    // call to the method you want to test
    Assert.assertTrue(closeable.isClosed());
}

@Test(expected = RuntimeException.class) 
public void ioExceptionClose() {
    Closeable closeable = new Closeable(){
        @Override
        public void close() {
            throw new IOException("test IO");
        }
    };
    MyClass.close(closeable);    // call should send a RuntimeException
}

// TODO: add more tests? Null? not IOException?

private static class MyCloseable implements Closeable {
    private boolean closed = false;
    @Overrive
    public void close() {
        closed = true;
    }
    public boolean isClosed() {
        return closed;
    }
}