如描述所示:如何获取给定包名称的所有Java类文件的列表。
答案 0 :(得分:5)
我在SO和其他网站上看到了很多问题和方法,可以找到特定Java包中的所有类。大多数解决方案对我不起作用。有时他们在Jar文件上工作,但不在文件夹中的“普通”Java项目上工作(就像IDE那样)或者反过来。因此,我将所有这些代码片段放在一起,形成了一个解决方案,无论代码是在Jar文件中还是在普通文件夹结构中,都可以(对我而言)开箱即用。
这很简单:你给方法getClassesInPackage
提供要检查的包的名称,你将得到这个包中所有类的列表。目前,没有任何例外是“有序”消费的。
玩得开心!这是代码:
public static final List<Class<?>> getClassesInPackage(String packageName) {
String path = packageName.replaceAll("\\.", File.separator);
List<Class<?>> classes = new ArrayList<>();
String[] classPathEntries = System.getProperty("java.class.path").split(
System.getProperty("path.separator")
);
String name;
for (String classpathEntry : classPathEntries) {
if (classpathEntry.endsWith(".jar")) {
File jar = new File(classpathEntry);
try {
JarInputStream is = new JarInputStream(new FileInputStream(jar));
JarEntry entry;
while((entry = is.getNextJarEntry()) != null) {
name = entry.getName();
if (name.endsWith(".class")) {
if (name.contains(path) && name.endsWith(".class")) {
String classPath = name.substring(0, entry.getName().length() - 6);
classPath = classPath.replaceAll("[\\|/]", ".");
classes.add(Class.forName(classPath));
}
}
}
} catch (Exception ex) {
// Silence is gold
}
} else {
try {
File base = new File(classpathEntry + File.separatorChar + path);
for (File file : base.listFiles()) {
name = file.getName();
if (name.endsWith(".class")) {
name = name.substring(0, name.length() - 6);
classes.add(Class.forName(packageName + "." + name));
}
}
} catch (Exception ex) {
// Silence is gold
}
}
}
return classes;
}
答案 1 :(得分:0)
这是@mythbu在Kotlin中的回答:
@Throws(Exception::class)
fun getClassesInPackage(packageName: String) = with(packageName.replace(".", File.separator)) {
System.getProperty("java.class.path")
.split(System.getProperty("path.separator").toRegex())
.flatMap { classpathEntry ->
if (classpathEntry.endsWith(".jar")) {
JarInputStream(FileInputStream(File(classpathEntry))).use { s ->
generateSequence { s.nextJarEntry }
.map { it.name }
.filter { this in it && it.endsWith(".class") }
.map { it.substring(0, it.length - 6) }
.map { it.replace('|', '.').replace('/', '.') }
.map { Class.forName(it) }
.toList()
}
} else {
File(classpathEntry, this).list()
?.asSequence()
?.filter { it.endsWith(".class") }
?.map { it.substring(0, it.length - 6) }
?.map { Class.forName("$packageName.$it") }
?.toList() ?: emptyList()
}
}
}