我是ant的新手,而是习惯于Makefiles。在一个项目中,尽管每次编译都已经从zh.po等无条件构建了名为Message_zh.class等的i18n语言模块,但是它们已经存在,这浪费了很多时间。我认为这些是build.xml的相关部分:
<target id="msgfmt" name="msgfmt">
<mkdir dir="po/classes" />
<propertyregex property="filename"
input="${file}"
regexp="[.]*/po/([^\.]*)\.po"
select="\1"
casesensitive="false" />
<exec dir="." executable="msgfmt">
<arg line="--java2 -d po/classes -r app.i18n.Messages -l ${filename} po/${filename}.po"/>
</exec>
</target>
<target id="build-languageclasses" name="build-languageclasses" >
<echo message="Compiling po files." />
<foreach target="msgfmt" param="file">
<path>
<fileset dir="po" casesensitive="yes">
<include name="**/*.po"/>
</fileset>
</path>
</foreach>
</target>
目标build-languageclasses取决于编译目标,因此,每次编译时,整个堆都会再次msgfmted。仅在1. po文件已更改,或2.类文件不存在的情况下,如何编写此代码以调用msgfmt?如果没有其他软件就可以实现,我将感到高兴。您能帮我个例子吗?
首次尝试解决方案对蚂蚁的行为没有影响:
<target id="build-languageclasses" description="compile if Messages??.class files not uptodate" name="build-languageclasses" unless="i18n.uptodate">
<condition property="i18n.uptodate">
<uptodate>
<srcfiles dir="${po}" includes="**/*.po"/>
<mapper type="glob" from="${po}/*.po" to="${po}/classes/app/i18n/Messages*.class"/>
</uptodate>
</condition>
<echo message="Compiling po files." />
<foreach target="msgfmt" param="file">
<path>
<fileset dir="po" casesensitive="yes">
<include name="**/*.po"/>
</fileset>
</path>
</foreach>
</target>
怎么了
最佳答案
问题是您在运行i18n.uptodate
任务之前正在测试属性uptodate
。输入build-languageclasses
目标之前,必须运行条件块。
您应该像这样重组代码:
删除主要目标上的unless="i18n.uptodate"
将build-languageclasses
分为2个目标。
第一个专用于条件的初始化,并且仅包含<condition>
块。
第二个包含生成文件的代码(<foreach>
)
第二个目标配置为根据第一个目标设置的属性i18n.uptodate
有条件地运行。
编辑-这是uptodate任务的工作示例
<property name="source" value="${basedir}/src"/>
<property name="dist" value="${basedir}/dist"/>
<target name="init">
<condition property="that.uptodate">
<uptodate>
<srcfiles dir="${source}" includes="*.txt"/>
<mapper type="glob" from="*.txt" to="${dist}/*.bat"/>
</uptodate>
</condition>
</target>
<target description="check that" name="dist" unless="that.uptodate" depends="init">
<echo>we have something to do!</echo>
</target>
HIH
M.