4

I have an application used in clustering to keep it available if one or more failed and I want to implement a way to check the version of the jar file in java.

I have this piece of code to do that (e.g.: in the class MyClass) :

        URLClassLoader cl = (URLClassLoader) (new MyClass ())
            .getClass().getClassLoader();
        URL url = cl.findResource("META-INF/MANIFEST.MF");
        Manifest manifest = new Manifest(url.openStream());
        attributes = manifest.getMainAttributes();
        String version = attributes.getValue("Implementation-Version");

When i run the jar as an application it works fine BUT when i use the jar file as a librairie in an other application, i get the version number of the other application.

So my question is, how can i get the manifest of the jar where MyClass is contained ?

NB : I'm not interested in solution using static constraint like 'classLoader.getRessource("MyJar.jar")' or File("MyJar.jar")

Kraiss
  • 919
  • 7
  • 22

4 Answers4

5

The correct way to obtain the Implementation Version is with the Package.getImplementationVersion() method:

String version = MyClass.class.getPackage().getImplementationVersion();
VGR
  • 40,506
  • 4
  • 48
  • 63
4

You can code like :

java.io.File file = new java.io.File("/packages/file.jar"); //give path and file name
java.util.jar.JarFile jar = new java.util.jar.JarFile(file);
java.util.jar.Manifest manifest = jar.getManifest();

String versionNumber = "";
java.util.jar.Attributes attributes = manifest.getMainAttributes();
if (attributes!=null){
    java.util.Iterator it = attributes.keySet().iterator();
    while (it.hasNext()){
        java.util.jar.Attributes.Name key = (java.util.jar.Attributes.Name) it.next();
        String keyword = key.toString();
        if (keyword.equals("Implementation-Version") || keyword.equals("Bundle-Version")){
            versionNumber = (String) attributes.get(key);
            break;
        }
    }
}
jar.close();

System.out.println("Version: " + versionNumber); //"here it will print the version"

See this tutorial, thank you. I also learn new thing from here.

user3145373 ツ
  • 7,858
  • 6
  • 43
  • 62
  • Yeah i found this solution too but it don't solve my problem as i have to know the qualified name of my jar file. I want a dynamic solution that will work without constraint like file name :/ .. – Kraiss Jun 19 '14 at 12:34
  • Ok i have a solution ! Thanks to you!! Just let the time to post it ;) – Kraiss Jun 19 '14 at 13:06
3

Finally i get the solution from a friend :

    // Get jarfile url
    String jarUrl = JarVersion.class
        .getProtectionDomain().getCodeSource()
        .getLocation().getFile();

    JarFile jar = new JarFile(new File(jarUrl));
    Manifest manifest = jar.getManifest();
    Attributes attributes = manifest.getMainAttributes();

    String version = attributes.getValue(IMPLEMENTATION_VERSION) 
Kraiss
  • 919
  • 7
  • 22