断言该方法不会抛出AssertJ 1.x软断言的异常

时间:2017-10-25 15:09:58

标签: java junit assertj

我想测试一个特定的方法可以处理一堆字符串而没有异常。因此,我想使用AssertJ的soft assertions,类似于:

HashSet<T>

不幸的是,我必须分别坚持使用AssertJ 1.x Java 6,所以我无法利用这个:

SoftAssertion softly = new SoftAssertion();

for (String s : strings) {
    Foo foo = new Foo();

    try {
        foo.bar(s);
        // Mark soft assertion passed.
    } catch (IOException e) {
        // Mark soft assertion failed.
    }
}

softly.assertAll();

有没有办法用AssertJ(或JUnit)做到这一点?

1 个答案:

答案 0 :(得分:4)

我想说在测试代码中有一个循环并不是一个好习惯。

如果您在测试中运行的代码会引发异常 - 它将无法通过测试。 我的建议是使用JUnit的参数化运行器(随库提供)。

官方JUnit 4文档中的示例:

import static org.junit.Assert.assertEquals;
import java.util.Arrays;
import java.util.Collection;

import org.junit.Test;
import org.junit.runner.RunWith;
import org.junit.runners.Parameterized;
import org.junit.runners.Parameterized.Parameters;

@RunWith(Parameterized.class)
public class FibonacciTest {
    @Parameters
    public static Collection<Object[]> data() {
        return Arrays.asList(new Object[][] {     
                 { 0, 0 }, { 1, 1 }, { 2, 1 }, { 3, 2 }, { 4, 3 }, { 5, 5 }, { 6, 8 }  
           });
    }

    private int fInput;

    private int fExpected;

    public FibonacciTest(int input, int expected) {
        fInput= input;
        fExpected= expected;
    }

    @Test
    public void test() {
        // Basically any code can be executed here
        assertEquals(fExpected, Fibonacci.compute(fInput));
    }
}

public class Fibonacci {
    public static int compute(int n) {
        int result = 0;

        if (n <= 1) { 
            result = n; 
        } else { 
            result = compute(n - 1) + compute(n - 2); 
        }

        return result;
    }
}