views:

515

answers:

4

I have a situation where the deployment platform is Java 5 and the development happens with Eclipse under Java 6 where we have established a procedure of having a new workspace created when beginning work on a given project. One of the required steps is therefore setting the compiler level to Java 5, which is frequently forgotten.

We have a test machine running the deployment platform where we can run the code we build and do initial testing on our PC's, but if we forget to switch the compiler level the program cannot run. We have a build server for creating what goes to the customer, which works well, but this is for development where the build server is not needed and would add unnecessary waits.

The question is: CAN I programmatically determine the byte code version of the current class, so my code can print out a warning already while testing on my local PC?


EDIT: Please note the requirement was for the current class. Is this available through the classloadeer? Or must I locate the class file for the current class, and then investigate that?

+1  A: 

Bytes 5 through 8 of a class file content is the version number in hex. You can use Java code (or any other language) to parse the version number.

Ralph Stevens
+3  A: 

You could load the class file as a resource and parse the first eight bytes.

//TODO: error handling, stream closing, etc.
InputStream in = getClass().getClassLoader().getResourceAsStream(
    getClass().getName().replace('.', '/') + ".class");
DataInputStream data = new DataInputStream(in);
int magic = data.readInt();
if (magic != 0xCAFEBABE) {
  throw new IOException("Invalid Java class");
}
int minor = 0xFFFF & data.readShort();
int major = 0xFFFF & data.readShort();
System.out.println(major + "." + minor);
McDowell
+1 for code getting the byte code as a resource, not a file.
Thorbjørn Ravn Andersen
+1  A: 

hi,

here is the Java Class File Format descriptor: Java Class File Format

and here the major version values:

public static final int JDK14_MAJOR_VERSION = 48;

public static final int JDK15_MAJOR_VERSION = 49;

public static final int JDK16_MAJOR_VERSION = 50;

Now, read the class file with Java code and check the major version to know which JVM generated it

dweeves
+2  A: 

Take a look at question: http://stackoverflow.com/questions/1293308/java-api-to-find-out-the-jdk-version-a-class-file-is-compiled-for

Shimi Bandiel
Accepted answer, as this question appears to be a duplicate of the linked question.
Thorbjørn Ravn Andersen