views:

624

answers:

3

My Java app displays its version number in a few places, so I store that as a public final variable in the app's main class. Is there any way to access that in my Ant build tasks? In the spirit of automating the build process, I'd like Ant to automatically name the zipped distributable with the current version number, but I'm not sure how. I'm guessing it would look something like...

<target name="createZip" depends="build">
    <zip destfile="../dist/MyApp_${MyApp.version}.zip">
        <fileset dir="../dist">
            <include name="**/MyApp"/>
        </fileset>
    </zip>
</target>

I'm just not sure what to put in the place of ${MyApp.version}. I realize I could put this in the build properties file, but it would be a lot more convenient to be able to pull it straight from the class file I'm already storing it in.

+1  A: 

What about creating a custom ant task that extends the default ?

Extend the org.apache.tools.ant.taskdefs.Zip class and override the setDestFile() method so that it gets the MyApp.version attribute and sets the destination file name to contain that information.

Another solution is to use the keyword substitution feature from CVS and SVN (perhaps GIT and Mercurial have this feature too) and make a clever use of this feature like having a property file with something like this (in SVN):

myApp.revision=$Revision$

and refer that property througout your code and build scripts.

Reginaldo
+2  A: 

I don't think there are any built in Ant tasks that do what you want. However, you could roll your own, taking advantage of the extensible nature of Ant.

I've hacked up a really (and I do mean really) dirty example you can use as a spring board to a proper Task.

package q1015732;

import java.io.ByteArrayOutputStream;
import java.io.File;
import java.io.FileInputStream;
import java.io.InputStream;
import java.lang.reflect.Field;

import org.apache.tools.ant.BuildException;
import org.apache.tools.ant.Task;

/**
 * Custom ant task that binds a property name to a static member of a class file.
 * 
 * @author Montrose
 */
public class BindPropertyTask extends Task{
    private String _classFile = null;
    private String _fieldName = null;
    private String _propName = null;

    /**
     * Set the field name of the class.
     * 
     * @param fieldName
     */
    public void setFieldName(String fieldName){
     _fieldName = fieldName;
    }

    /**
     * The class file.
     * @param classFile
     */
    public void setClassFile(String classFile){
     _classFile = classFile;
    }

    /**
     * The property name to bind
     * @param propName
     */
    public void setProperty(String propName)
    {
     _propName = propName;
    }

    /**
     * Load the class file, and grab the value of the field.
     * 
     * Throws exceptions if classfile, fieldname, or property have not been set.
     * 
     * Throws more execeptions if classfile does not exist, the field does not exist, or the field is not static.
     */
    public void execute() throws BuildException{
     if(_classFile == null) throw new BuildException("ClassFile is a required attribute");
     if(_fieldName == null) throw new BuildException("FieldName is a required attribute");
     if(_propName == null)  throw new BuildException("Property is  required attribute");

     CustomLoader loader = new CustomLoader();
     Class toInspect = null;
     Field toBind = null;
     Object value = null;

     try {
      toInspect = loader.loadClass(new FileInputStream(_classFile));
     } catch (Exception e) {
      throw new BuildException("Couldn't load class ["+e.getMessage()+"], in ["+(new File(_classFile).getAbsolutePath())+"]");
     }

     try{
      toBind = toInspect.getField(_fieldName);
     }catch(NoSuchFieldException e){
      throw new BuildException("Couldn't find field, '"+_fieldName+"'");
     }

     //Let us bind to private/protected/package-private fields
     toBind.setAccessible(true);

     try{
      value = toBind.get(null);
     }catch(NullPointerException e){
      throw new BuildException("Field is not static");
     } catch (Exception e) {
      throw new BuildException("Unable to access field ["+e.getMessage()+"]");
     }

     if(value != null)
      this.getProject().setProperty(_propName, value.toString());
     else
      this.getProject().setProperty(_propName, null);
    }

    /**
     * Custom class loader, for loading a class directly from a file.
     * 
     * This is hacky and relies on deprecated methods, be wary.
     * 
     * @author Montrose
     */
    class CustomLoader extends ClassLoader{
     public CustomLoader(){
      super(ClassLoader.getSystemClassLoader());
     }

     /**
      * Warning, here be (deprecated) dragons.
      * @param in
      * @return
      * @throws Exception
      */
     @SuppressWarnings("deprecation")
     public Class loadClass(InputStream in) throws Exception{
      byte[] classData = loadData(in);
      return this.defineClass(classData, 0, classData.length);
     }

     private byte[] loadData(InputStream in) throws Exception{
      byte[] buffer = new byte[1024];
      ByteArrayOutputStream out = new ByteArrayOutputStream();
      int i;


      while((i = in.read(buffer)) != -1){
       out.write(buffer, 0, i);
      }

      return out.toByteArray();
     }
    }
}

An example build file using this task:

<project name="q1015732">

<target name="test">
<taskdef name="static_bind" classname="q1015732.BindPropertyTask" />

<static_bind fieldname="StringBind" classfile="C:\Users\Montrose\workspace\StackOverflow Questions\q1015732\test\DummyMain.class" property="string.value" />
<static_bind fieldname="IntBind"    classfile="C:\Users\Montrose\workspace\StackOverflow Questions\q1015732\test\DummyMain.class" property="int.value" />
<static_bind fieldname="DoubleBind" classfile="C:\Users\Montrose\workspace\StackOverflow Questions\q1015732\test\DummyMain.class" property="double.value" />

<echo message="StringBind: ${string.value}" />
<echo message="IntBind:    ${int.value}" />
<echo message="DoubleBind: ${double.value}" />

</target>

</project>

DummyMain.java:

package q1015732.test;

public class DummyMain {
    public static String StringBind = "I'm a String!";
    public static int    IntBind    = 1024;
    public static double DoubleBind = 3.14159;
}

The result of a build using the Ant file:

test:
[echo] StringBind: I'm a String!
[echo] IntBind: 1024
[echo] DoubleBind: 3.14159
BUILD SUCCESSFUL

There are a number of random problems with this task: it relies on deprecated methods, it takes files instead of class names, and the error reporting leaves a bit to be desired. However, you should get the gist of what is needed for a custom task that solves your problem.

Kevin Montrose
Thanks for the help! I've only dabbled in Ant on an "as needed" basis ;)
Ross
You're welcome. Do my conscience a favor and expand-on/fix-up that code a bit before throwing it into a production environment. :)
Kevin Montrose
A: 

HI,

Your post was helpfull but I need a step more. How can I get back the valure from java class to build file back.

I mean here is my task which process my input and set the value in output, now how do I get this output in build.xml file.

public void execute() throws BuildException { System.out.println("input " getInputString()); System.out.println("input " getStringToReplace()); System.out.println("input " getStringToReplaceWith()); this.outputString = getInputString().replaceAll(getStringToReplace(), getStringToReplaceWith()); System.out.println("output" this.outputString); }

System.out.println("output" this.outputString); prints teh value correctly, but How can I get the value of outputString in build.xml file.

Any help will be greatly appreciatted.

soyeesh
I'm afraid I don't know the answer to your question. I suggest posting a new question describing specifically what you're looking for there. Also, be sure to use the markup syntax so that your code will be displayed as code for others to read, similar to how Kevin Montrose did in his answer above. Good luck!
Ross