我正在做一个利用许多安全/实用程序库的项目。出于安全原因,我希望能够告知用户我们使用哪些库以及他们的垃圾箱中正在运行哪个版本。我们的许多用户选择修改我们的代码,所以我更喜欢它以编程方式这样做。
我试图解析类路径,但当程序打包到 jar 中时,这似乎没有帮助。我还尝试列出 JAR 中的所有类名,但这并不传达任何版本信息。
我们所有的库都有 jar 文件名中的版本。我愿意制作某种编译时脚本。我们使用ant和Intellij进行构建。蚂蚁是我唯一需要支持的人,intellij只是让生活更轻松。
如果 jar 位于类路径中,则可以使用系统属性来获取 jar。
String path = System.getProperty("java.class.path");
String[] p;
p = path.split(";");
for(int i=0; i< p.length; i++) {
System.out.println(p[i]);
}
对于上面的示例,我用来从服务器返回所有 Web 应用程序库。你可以做类似的操作来获得你想要的罐子。
如果你把它们打包到一个jar中,那么你需要从类目录本身加载它,你可以尝试类加载器。
ClassLoader loader = ClassLoader.getSystemClassLoader();
URL[] urls = ((URLClassLoader)loader).getURLs();
for(URL url: urls){
System.out.println(url.getFile());
}
我能够通过解析 META-INF/maven/org/blah/pom.properties 文件来做到这一点。它仅适用于具有 maven 支持的库(尽管您的项目不需要任何与 maven 相关的内容)。
private static HashMap<String,String> getVersionMap () {
//Results by <lib name, version>
final HashMap<String,String> resultMap = new HashMap<>();
try {
//Hack to get a ref to our jar
URI jarLocation = new URI("jar:" + SecurityInfo.class.getProtectionDomain().getCodeSource().getLocation().toString());
//This jdk1.7x nio util lets us look into the jar, without it we would need ZipStream
FileSystem fs = FileSystems.newFileSystem(jarLocation, new HashMap<String,String>());
Files.walkFileTree(fs.getPath("/META-INF/maven"), new HashSet<FileVisitOption>(), 3, new SimpleFileVisitor<Path>() {
@Override
public FileVisitResult visitFile(Path file, BasicFileAttributes attrs) {
if (file.toString().endsWith(".properties")) {
try {
List<String> data = Files.readAllLines(file, Charset.defaultCharset());
String id = data.get(4);
id = id.substring(id.lastIndexOf('=') + 1);
String version = data.get(2);
version = version.substring(version.lastIndexOf('=') + 1);
resultMap.put(id, version);
}
catch(Exception ignore) {}
}
return FileVisitResult.CONTINUE;
}
});
} catch(Exception ignore) {
return new HashMap<>();
}
return resultMap;
}