3

我想测试异常是否正常工作JUnit5

例如,假设我测试队列。

public class ArrayCircleQueue {
    .
    .
    .
    public void enQueue(char item) {
        if (isFull()) {
            throw new IndexOutOfBoundsException("Queue is full now!");
        } else {
            itemArray[rear++] = item;
        }
    }
}

测试类

class ArrayCircleQueueTest {
    .
    .
    .
    @org.junit.jupiter.api.Test
    void testEnQueueOverflow() {
        for (int i=0; i<100; i++) {
            queue.enQueue('c');  # test for 10-size queue. It should catch exception
        }
    }
}

我在谷歌搜索它,但只有答案JUnit4@Test(expected=NoPermissionException.class)

但它不起作用JUnit5

我该如何处理?

4

2 回答 2

8
@Test
void exceptionTesting() {
    Throwable exception = assertThrows(IllegalArgumentException.class, () -> {
        arrayCircleQueue.enQueue('a') ;
    });
    assertEquals("Queue is full now!", exception.getMessage());
}

或者你可以试试。

于 2017-03-30T11:16:45.160 回答
-1

在 JUnit 5 中,您可以使用以下自定义扩展来做类似的事情 TestExecutionExceptionHandler

import org.junit.jupiter.api.extension.TestExecutionExceptionHandler;
import org.junit.jupiter.api.extension.TestExtensionContext;

public class HandleExtension implements TestExecutionExceptionHandler {

    @Override
    public void handleTestExecutionException(TestExtensionContext context,
            Throwable throwable) throws Throwable {
        // handle exception as you prefer
    }

}

然后在您的测试中,您需要使用以下命令声明该扩展ExtendWith

import org.junit.jupiter.api.Test;
import org.junit.jupiter.api.extension.ExtendWith;

public class ExceptionTest {

    @ExtendWith(HandleExtension.class)
    @Test
    public void test() {
        // your test logic
    }

}
于 2017-03-30T11:10:31.710 回答