提案されたコメントは、いくつかの追加を加えたこの記事に基づいて書かれました。
ここで、jUnitプロジェクトの一部のテストケースで「失敗」または「エラー」の結果が得られた場合、このテストケースはもう一度再実行されます。完全にここで私たちは成功の結果を得る3つのチャンスを設定しました。
したがって、ルールクラスを作成し、「@ Rule」通知をテストクラスに追加する必要があります。
テストクラスごとに同じ「@Rule」通知を書きたくない場合は、それを抽象SetPropertyクラス(ある場合)に追加して、そこから拡張できます。
ルールクラス:
import org.junit.rules.TestRule;
import org.junit.runner.Description;
import org.junit.runners.model.Statement;
public class RetryRule implements TestRule {
private int retryCount;
public RetryRule (int retryCount) {
this.retryCount = retryCount;
}
public Statement apply(Statement base, Description description) {
return statement(base, description);
}
private Statement statement(final Statement base, final 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;
System.err.println(description.getDisplayName() + ": run " + (i + 1) + " failed.");
}
}
System.err.println(description.getDisplayName() + ": giving up after " + retryCount + " failures.");
throw caughtThrowable;
}
};
}
}
テストクラス:
import org.junit.BeforeClass;
import org.junit.Rule;
import org.junit.Test;
import org.openqa.selenium.WebDriver;
import org.openqa.selenium.firefox.FirefoxDriver;
import static org.hamcrest.CoreMatchers.is;
import static org.hamcrest.MatcherAssert.assertThat;
public class RetryRuleTest {
static WebDriver driver;
final private String URL = "http://www.swtestacademy.com";
@BeforeClass
public static void setupTest(){
driver = new FirefoxDriver();
}
@Rule
public RetryRule retryRule = new RetryRule(3);
@Test
public void getURLExample() {
driver.get(URL);
assertThat(driver.getTitle(), is("WRONG TITLE"));
}
}