0

我正在使用 JUnit4 并且我正在尝试设置一个可用于多个相同类的测试(为什么它们都是一样的并不重要),但我正在将多个 java 文件传递​​给测试,并且我正在尝试在方法中创建同时具有 .class 和方法名称的对象eg. list.add(new Object[]{testClass.class, testClass.class.methodName()});如果您完全按原样输入 .class 的名称和方法的名称(如上面的示例)但我想要对许多不同的类执行此操作我需要在循环中传递它们,我正在使用以下代码正在处理的当前文件在list.add(new Object[]{currentFile.getClass(), currentFile.getClass().getMethod(addTwoNumbers,int, int)}哪里, addTwoNumbers 是方法的名称,它需要两个整数,但我收到以下错误currentFile.getMethod(addTwoNumbers,int, int)eg. addTwoNumbers(int one, int two)

'.class' expected

'.class' expected

unexpected type
required: value
found:    class

unexpected type
required: value
found:    class

这是我的完整代码

CompilerForm compilerForm = new CompilerForm();
RetrieveFiles retrieveFiles = new RetrieveFiles();

@RunWith(Parameterized.class)
public class BehaviorTest {

    @Parameters
    public Collection<Object[]> classesAndMethods() throws NoSuchMethodException {


        List<Object[]> list = new ArrayList<>();
        List<File> files = new ArrayList<>();
        final File folder = new File(compilerForm.getPathOfFileFromNode());
        files = retrieveFiles.listFilesForFolder(folder);
        for(File currentFile: files){
            list.add(new Object[]{currentFile.getClass(), currentFile.getClass().getMethod(addTwoNumbers,int, int)});
        }

        return list;
    }
    private Class clazz;
    private Method method;

    public BehaviorTest(Class clazz, Method method) {
        this.clazz = clazz;
        this.method = method;
    }

有谁看到我在这条线上做错了list.add(new Object[]{currentFile.getClass(), currentFile.getClass().getMethod(addTwoNumbers,int, int)}); }什么?

4

1 回答 1

1

我相信您需要首先使用 ClassLoader 加载文件,然后创建它,以便您可以在类上使用反射。这是一个类似的帖子,其中包含有关此的更多信息的答案。如何从文件系统加载任意 java .class 文件并对其进行反思?

以下是有关此的更多信息:

看一下 Java 类加载器

Java中的动态类加载和重新加载

这是一个使用 URLClassLoader 的快速示例

// Create a File object on the root of the directory containing the class file
File file = new File("c:\\myclasses\\");

try {
 // Convert File to a URL
 URL url = file.toURL();          // file:/c:/myclasses/
 URL[] urls = new URL[]{url};

 // Create a new class loader with the directory
 ClassLoader cl = new URLClassLoader(urls);

// Load in the class; MyClass.class should be located in
// the directory file:/c:/myclasses/com/mycompany
Class cls = cl.loadClass("com.mycompany.MyClass");
} catch (MalformedURLException e) {
} catch (ClassNotFoundException e) {
}

该示例取自:

加载不在类路径上的类

于 2012-08-02T15:59:14.310 回答