nifty ui
如Nifty JUnit:使用临时文件一文中所示 ,可以在JUnit测试中使用@Rule
,这是方法级别的规则。 在此示例中,我想显示@ClassRule
用于类级别规则的变体。
方法规则
@Rule
在测试类的每个测试方法(就像@Before
)之前以及在每个测试方法(就像@After
)之后被触发,如下例所示。
JUnitRuleTest
package com.jdriven;import org.junit.Rule;
import org.junit.Test;
import org.junit.rules.TemporaryFolder;import java.io.File;
import java.io.IOException;public class JUnitRuleTest {//The Folder will be created before each test method and (recursively) deleted after each test method.@Rulepublic TemporaryFolder temporaryFolder = new TemporaryFolder();@Testpublic void testJUnitRule() throws IOException {File tempFile = temporaryFolder.newFile("tempFile.txt");//Your test should go here.}
}
班级规则
除了常规的@Rule
之外,我们还可以创建一个@ClassRule
。 在TemporaryFolder的示例中,这将导致在所有测试方法(就像@BeforeClass
)之前创建一个文件夹,并在所有测试方法(就像@AfterClass
一样)之后销毁该文件夹。 在下面的示例中,您可以创建一个临时文件,并在所有测试方法中使用完全相同的文件。 完成所有测试方法后,该临时文件将被删除。
JUnitClassRuleTest
package com.jdriven;import org.junit.BeforeClass;
import org.junit.ClassRule;
import org.junit.Rule;
import org.junit.Test;
import org.junit.rules.TemporaryFolder;import java.io.File;
import java.io.IOException;public class JUnitClassRuleTest {//The Folder will be (recursively) deleted after all test.@ClassRulepublic static TemporaryFolder temporaryFolder = new TemporaryFolder();public static File tempFile;@BeforeClasspublic static void createTempFile() throws IOException {tempFile = temporaryFolder.newFile("tempFile.txt"); //The tempFile will be deleted when the temporaryFolder is deleted.}@Testpublic void testJUnitClassRule_One() {//Your test should go here, which uses tempFile}@Testpublic void testJUnitClassRule_Two() {//Your test should go here and uses the same tempFile}
}
翻译自: https://www.javacodegeeks.com/2015/03/nifty-junit-using-rule-on-method-and-class-level.html
nifty ui