我想使用URLClassLoader加载并执行外部jar文件。
从中获取“Main-Class”的最简单方法是什么?
答案 0 :(得分:6)
我知道这是一个老问题但是,至少在JDK 1.7中,之前提出的解决方案似乎不起作用。 出于这个原因,我发布了我的:
JarFile j = new JarFile(new File("jarfile.jar"));
String mainClassName = j.getManifest().getMainAttributes().getValue("Main-Class");
其他解决方案对我不起作用的原因是因为j.getManifest().getEntries()
不包含Main-Class属性,而是包含在getMainAttributes()方法返回的列表中。
答案 1 :(得分:5)
只有罐子是自动执行的,才有可能;在这种情况下,主类将在清单文件中使用键Main-Class:
此处提供了一些参考信息: http://docs.oracle.com/javase/tutorial/deployment/jar/appman.html
您需要下载jarfile然后使用java.util.JarFile
来访问它;一些Java代码可能是:
JarFile jf = new JarFile(new File("downloaded-file.jar"));
if(jf.getManifest().getEntries().containsKey("Main-Class")) {
String mainClassName = jf.getManifest().getEntries().get("Main-Class");
}
答案 2 :(得分:5)
来自here - Listing the main attributes of a jarfile
import java.util.*;
import java.util.jar.*;
import java.io.*;
public class MainJarAtr{
public static void main(String[] args){
BufferedReader in = new BufferedReader(new InputStreamReader(System.in));
try {
System.out.print("Enter jar file name: ");
String filename = in.readLine();
if(!filename.endsWith(".jar")){
System.out.println("File not in jar format.");
System.exit(0);
}
File file = new File(filename);
if (file.exists()){
// Open the JAR file
JarFile jarfile = new JarFile(filename);
// Get the manifest
Manifest manifest = jarfile.getManifest();
// Get the main attributes in the manifest
Attributes attrs = (Attributes)manifest.getMainAttributes();
// Enumerate each attribute
for (Iterator it=attrs.keySet().iterator(); it.hasNext(); ) {
// Get attribute name
Attributes.Name attrName = (Attributes.Name)it.next();
System.out.print(attrName + ": ");
// Get attribute value
String attrValue = attrs.getValue(attrName);
System.out.print(attrValue);
System.out.println();
}
}
else{
System.out.print("File not found.");
System.exit(0);
}
}
catch (IOException e) {}
}
}