对于Java类,我们正在编写数据结构类,我们需要编写一个测试器类来与它们一起使用。我想要额外的功劳,并尝试编写一个单独的测试器类,我可以扩展或传递一个块用于任何测试。
是否可以传递一个代码块来运行一个方法?如果这不可能或不实用,那么编写一个类的最佳方法是什么,以便可以扩展?
- CODE -
package Lab1;
/**
* @author $RMDan
* @date 10-Sep-2012
* @class Tester
* @desc A Tester class for testing Java classes
* For use in Itec 251
*/
import java.io.*;
import java.util.*;
public class Tester {
//members
private String logS;
//Constructors
//Default to start == true
public Tester(){
this(true);
}
public Tester(Boolean start){
if(start == true){
this.start();
}
}
public final int start(){
int exit;
exit = test();
//this.displayLog();
this.exportLog("Test_Employee.Log");
return exit;
}
//Change the contents of this method to perform the test
private int test(){
return 0;
}
private void log(String message){
this.log(message,true);
}
private void log(String message, boolean display){
this.logS += message + "\n";
if(display==true){
System.out.println(message);
}
}
private void displayLog(){
System.out.print(this.logS);
}
private void exportLog(String file){
try{
String output = this.logS;
output = output.replaceAll("\n", System.getProperty("line.separator"));
try (BufferedWriter out = new BufferedWriter(new FileWriter(file + ".txt"))) {
out.write(output);
}
}
catch(IOException e){
System.out.println("Exception ");
}
}
}
注意:start()方法声明中的final是关闭编译器的。
答案 0 :(得分:2)
过度杀伤时间:查看JUnit,这是许多现实应用程序中使用的测试框架。它旨在使实现测试变得容易。典型的测试可能与此一样小:
import org.junit.*;
import org.junit.assert.*;
public class NameOfClassToTest {
@Test public void nameOfSpecificTest() {
// logic to calculate 'expected' and 'result'
// actual example test
assertTrue(expected.equals(result));
}
}
可以用命令行执行:
java org.junit.runner.JUnitCore TestClass1 [...other test classes...]
(尽管您的IDE可能包含对JUnit测试的内置支持)。
作为一名教师,如果你实施JUnit测试,那么我会比你从头开始构建自己的测试框架给我留下更深刻的印象......
答案 1 :(得分:1)
“传递代码块”与使用已知方法(即接口)传递对象的引用相同。例如:
public class Tester {
public static void testSomeCodeBlock(Runnable codeBlock) {
codeBlock.run();
}
}
Tester.testSomeCodeBlock(new Runnable() {
@Override public void run() {
System.out.println("my code block");
}
});
或者,如果您想使用扩展,则必须使Tester.test()
方法受到保护(可能是抽象的),以便测试实现可以覆盖它。
答案 2 :(得分:1)
在java中,“传递块”由anonymous classes完成:接口或类的即时实现。您可以使用Runnable
之类的现有界面,也可以创建自己的返回值的界面,例如:
interface MyTest {
int test();
}
然后改变你的代码以期待其中一个:
public final int start(MyTest myTest) {
...
exit = myTest.test();
...
}
然后匿名使用它,用匿名的MyTest调用你的start方法:
start(new MyTest() {
public int test() {
// do something
}
})l
使用匿名类肯定会获得更多积分!