如何在运行时从文件夹或JAR加载类?

2022-08-31 13:19:12

我正在尝试制作一个Java工具,该工具将扫描Java应用程序的结构并提供一些有意义的信息。为此,我需要能够从项目位置(JAR / WAR或只是一个文件夹)扫描所有.class文件,并使用反射来阅读有关其方法的信息。事实证明,这几乎是不可能的。

我可以找到许多基于URLClassloader的解决方案,这些解决方案允许我从目录/归档中加载特定的类,但没有一个允许我在没有任何关于类名或包结构的信息的情况下加载类。

编辑:我想我的措辞很糟糕。我的问题不是我不能得到所有的类文件,我可以通过递归等来做到这一点,并正确找到它们。我的问题是为每个类文件获取一个 Class 对象。


答案 1

以下代码从 JAR 文件加载所有类。它不需要知道有关类的任何信息。类的名称是从 JarEntry 中提取的。

JarFile jarFile = new JarFile(pathToJar);
Enumeration<JarEntry> e = jarFile.entries();

URL[] urls = { new URL("jar:file:" + pathToJar+"!/") };
URLClassLoader cl = URLClassLoader.newInstance(urls);

while (e.hasMoreElements()) {
    JarEntry je = e.nextElement();
    if(je.isDirectory() || !je.getName().endsWith(".class")){
        continue;
    }
    // -6 because of .class
    String className = je.getName().substring(0,je.getName().length()-6);
    className = className.replace('/', '.');
    Class c = cl.loadClass(className);

}

编辑:

正如上面的评论所建议的那样,javassist也是一种可能性。在 while 循环形成上述代码之前的某个位置初始化 ClassPool,而不是使用类装入器加载类,您可以创建一个 CtClass 对象:

ClassPool cp = ClassPool.getDefault();
...
CtClass ctClass = cp.get(className);

从ctClass中,您可以获得所有方法,字段,嵌套类,....看看javassist api:https://jboss-javassist.github.io/javassist/html/index.html


答案 2

列出 jar 文件中的所有类。

public static List getClasseNames(String jarName) {
    ArrayList classes = new ArrayList();

    if (debug)
        System.out.println("Jar " + jarName );
    try {
        JarInputStream jarFile = new JarInputStream(new FileInputStream(
                jarName));
        JarEntry jarEntry;

        while (true) {
            jarEntry = jarFile.getNextJarEntry();
            if (jarEntry == null) {
                break;
            }
            if (jarEntry.getName().endsWith(".class")) {
                if (debug)
                    System.out.println("Found "
                            + jarEntry.getName().replaceAll("/", "\\."));
                classes.add(jarEntry.getName().replaceAll("/", "\\."));
            }
        }
    } catch (Exception e) {
        e.printStackTrace();
    }
    return classes;
}