我进行了大量测试,如下所述:
期望值(y_position_expected)被硬编码到jUnit测试中。测试将值(x_position)发送到进行一些统计并返回结果(y_position_actual)的方法。该结果是将实际值与期望值进行比较。
public class PositionNormalizerTest {
public Normalizers norman ;
@Before
public void beforeFunction() {
norman = DislocationUtils.getPositionService().getNormalizers() ;
}
@Test
public void testAmountForNumberString1() {
String y_position_expected = 100.0d ;
double x_position = <A DOUBLE GOES HERE> ;
double y_position_actual = norman.normalizeYPosition(x_position).getAmount() ;
assertEquals(y_position_expected, y_position_actual, 0.001) ;
}
}
x_position的值来自地图的值,该地图更大,但与下面所示的相似:
checkpoints = {"alpha":[0.0d, 10.0d,200.0d], "beta":[50.0d, 44.0d,12.0d]}
此映射的键是字符串,值是双精度列表。因此,必须针对每个值中的每个元素运行测试。
问题:
给定地图的大小(检查点)和测试数量,手动创建所有测试需要很长时间。因此,我正在寻找一种方法来使具有多个测试用例的单个jUnit测试类自动迭代映射的值并运行测试。我尝试了普通循环,但是一旦断言得出结论,就可能是失败或通过,而测试用例在不继续循环的情况下结束了。有没有办法做到这一点?我可以使用注释吗?谢谢。
答案 0 :(得分:1)
使用参数化测试:
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.Parameter;
import org.junit.runners.Parameterized.Parameters;
@RunWith(Parameterized.class)
public class PositionNormalizerTest {
@Parameters
public static Collection<Object[]> data() {
//here you create and return the collection of your values
return Arrays.asList(new Object[][]{{"alpha", 0.0d, 10.0d, 200.0d}, {"beta", 50.0d, 44.0d,12.0d}});
}
@Parameter
public String key; //alpha
@Parameter(1)
public double d1; //0.0d
@Parameter(2)
public double d2; //10.0d
@Parameter(3)
public double d3; //200.0d
@Test
public void test() {
//here's your test
//this method will be executed for every element from the data list
}
}
您可以在此处获取有关参数化测试的更多信息:Parameterized tests