>  기사  >  Java  >  실패한 JUnit 테스트에 합격할 수 있는 두 번째 기회를 어떻게 제공할 수 있습니까?

실패한 JUnit 테스트에 합격할 수 있는 두 번째 기회를 어떻게 제공할 수 있습니까?

Susan Sarandon
Susan Sarandon원래의
2024-10-29 06:35:02967검색

How Can I Give Failing JUnit Tests a Second Chance to Pass?

두 번째 기회를 위해 실패한 JUnit 테스트 실행

JUnit에서는 처음에 실패할 때 테스트를 두 번째로 통과하도록 구성할 수 있습니다. 이는 네트워크 문제나 느린 서버 응답과 같은 외부 요인으로 인해 간헐적으로 실패할 수 있는 테스트에 특히 유용할 수 있습니다. 이를 달성하는 두 가지 방법은 다음과 같습니다.

TestRule 사용

TestRule을 사용하면 각 테스트 방법 전후에 실행될 사용자 정의 논리를 정의할 수 있습니다. 실패한 테스트를 재시도하기 위한 TestRule을 생성하려면:

<code class="java">public class RetryTestRule implements TestRule {

    private int retryCount;

    public RetryTestRule(int retryCount) {
        this.retryCount = retryCount;
    }

    @Override
    public Statement apply(Statement base, Description description) {
        return new Statement() {
            @Override
            public void evaluate() throws Throwable {
                Throwable caughtThrowable = null;
                for (int i = 0; i < retryCount; i++) {
                    try {
                        base.evaluate();
                        return;
                    } catch (Throwable t) {
                        caughtThrowable = t;
                    }
                }
                throw caughtThrowable;
            }
        };
    }
}

테스트 클래스에서 원하는 테스트에 규칙을 적용합니다:

<code class="java">@Rule
public RetryTestRule retry = new RetryTestRule(3);

사용자 정의 TestRunner 사용

또는 runChild() 메서드를 재정의하는 사용자 정의 TestRunner를 정의하여 각 테스트 메서드가 실행되는 방법을 제어할 수 있습니다.

<code class="java">public class RetryTestRunner extends BlockJUnit4ClassRunner {
    private int retryCount;

    public RetryTestRunner(Class<?> testClass) {
        super(testClass);
        Annotation annotation = AnnotationUtils.getAnnotation(testClass, Retry.class);
        if (annotation != null) {
            retryCount = ((Retry) annotation).value();
        }
    }

    @Override
    protected void runChild(FrameworkMethod method, RunNotifier notifier) {
        for (int i = 0; i < retryCount; i++) {
            try {
                super.runChild(method, notifier);
                return;
            } catch (Throwable t) {
                if (i == retryCount - 1) {
                    throw t;
                }                
            }
        }
    }
}</code>

테스트 클래스에서 @RunWith와 함께 사용자 정의 TestRunner를 사용하세요.

<code class="java">@RunWith(RetryTestRunner.class)
@Retry(3)
public class MyTestClass {}</code>

위 내용은 실패한 JUnit 테스트에 합격할 수 있는 두 번째 기회를 어떻게 제공할 수 있습니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

성명:
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.