0

私はJUnit4を使用していて、同一の複数のクラスに使用できるテストを設定しようとしています(すべてが同じである理由は重要ではありません)が、複数のJavaファイルをテストに渡し、そこからメソッドに.classとメソッドの名前の両方を持つオブジェクトを作成します。.classの名前とメソッドeg. list.add(new Object[]{testClass.class, testClass.class.methodName()});の名前をそのまま(上記の例のように)正確に入力すると、問題なく機能します。いくつかの異なるクラスに対してこれを実行します。ループでそれらを渡す必要があります。次のコードを使用していますlist.add(new Object[]{currentFile.getClass(), currentFile.getClass().getMethod(addTwoNumbers,int, int)}currentFile現在のファイルは処理されており、.getMethod(addTwoNumbers,int, int)addTwoNumbersは2つの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 に答える