我始终依靠TestNG将参数传递给测试方法,以便为我的测试或套件提供一些灵活性。
但是,使用JUnit4可以实现相同的灵活性。
要使用它很简单:
package com.marco.test;import java.util.Arrays;import java.util.Collection;import junit.framework.Assert;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 ParameterizedTest {@Parameterspublic static Collection data() {return Arrays.asList(new Object[][] {/* Sport Nation year totWinners */{ “basket”, “usa”, 2002, 5, },{ “soccer”, “argentina”, 2003, 2 },{ “tennis”, “spain”, 2004, 10 },{ “chess”, “ireland”, 2005, 0 },{ “eatingbananas”, “italy”, 2006, 20 }});}private final String sport;private final String nation;private final int year;private final int totWinners;public ParameterizedTest(String sport, String nation, int year, int totWinners) {this.sport = sport;this.nation = nation;this.year = year;this.totWinners = totWinners;}@Testpublic void test() {Assert.assertTrue(isDataCorrect(sport, nation, year, totWinners));}private boolean isDataCorrect(String sport2, String nation2, int year2, int totWinners2) {return true;}}
JUnit将创建ParameterizedTest类的实例,并为静态集合中定义的每一行运行testCombination()方法(或标记为@Test的任何方法)。
理论
我喜欢JUnit4的另一个有趣的功能。 您可以在JUnit 4中使用Theories使用相同的测试方法来测试输入的组合:
package com.marco.test;import static org.hamcrest.CoreMatchers.is;import java.math.BigDecimal;import org.junit.Assert;import org.junit.Assume;import org.junit.experimental.theories.DataPoint;import org.junit.experimental.theories.Theories;import org.junit.experimental.theories.Theory;import org.junit.runner.RunWith;@RunWith(Theories.class)public class TheoryTest {@DataPointpublic static int MARKET_FIRST_GOALSCORERE_ID = 2007;@DataPointpublic static int MARKET_WDW_ID = 2008;@DataPointpublic static BigDecimal PRICE_BD = new BigDecimal(6664.0);@DataPointpublic static double PRICE_1 = 0.01;@DataPointpublic static double PRICE_2 = 100.0;@DataPointpublic static double PRICE_3 = 13999.99;@Theorypublic void lowTaxRateIsNineteenPercent(int market_id, double price) {Assume.assumeThat(market_id, is(2008));Assume.assumeThat(price, is(100.0));// run your testAssert.assertThat(price, is(100.0));}@Theorypublic void highTaxRateIsNineteenPercent(int market_id, double price) {Assume.assumeThat(market_id, is(2007));Assume.assumeThat(price, is(13999.99));Assert.assertThat(price, is(13999.99));}@Theorypublic void highTaxRateIsNineteenPercent(int market_id, BigDecimal price) {Assume.assumeThat(market_id, is(2007));Assert.assertThat(price, is(BigDecimal.valueOf(6664)));}}
这次您需要将测试类标记为@RunWith(Theories.class),并使用@DataPoint定义要测试的属性。
JUnit将根据提供的DataPoint和变量的类型使用所有可能的组合将方法市场称为@Theory。 PRICE_BD DataPoint仅在最后一个方法中使用,唯一一个在其方法参数中接受BigDecimal的方法。
只有满足Assume.assumeThat()条件的参数才能通过asser测试。 不满足Assume.assumeThat()条件的组合将被静默忽略。
参考:来自我们的JCG合作伙伴 Marco Castigliego的“ JUnit4参数化和理论” ,位于“ 删除重复并修复不良名称”博客中。
翻译自: https://www.javacodegeeks.com/2012/11/junit4-parameterized-and-theories-examples.html