是否有可用于 Ant 任务的 if/else 条件?
这是我到目前为止写的:
<target name="prepare-copy" description="copy file based on condition">
<echo>Get file based on condition</echo>
<copy file="${some.dir}/true" todir="." if="true"/>
</target>
如果条件为 true,上面的脚本将复制文件。如果条件为假并且我想复制另一个文件怎么办?这在蚂蚁中可能吗?
我可以将参数传递给上述任务,并确保传递的参数是
<copy>
不存在 if
属性。它应该应用于<target>
。
下面是如何使用目标的 depends
属性以及if
和unless
属性来控制从属目标的执行的示例。两者中只有一个应执行。
<target name="prepare-copy" description="copy file based on condition"
depends="prepare-copy-true, prepare-copy-false">
</target>
<target name="prepare-copy-true" description="copy file based on condition"
if="copy-condition">
<echo>Get file based on condition being true</echo>
<copy file="${some.dir}/true" todir="." />
</target>
<target name="prepare-copy-false" description="copy file based on false condition"
unless="copy-condition">
<echo>Get file based on condition being false</echo>
<copy file="${some.dir}/false" todir="." />
</target>
如果您使用的是 ANT 1.8+,则可以使用属性扩展,它将评估属性的值以确定布尔值。因此,您可以使用if="${copy-condition}"
而不是if="copy-condition"
。
在 ANT 1.7.1 及更低版本中,指定属性的名称。如果属性已定义且具有任何值(甚至是空字符串),则其计算结果将为 true。
你也可以用ant contrib的if任务来做到这一点。
<if>
<equals arg1="${condition}" arg2="true"/>
<then>
<copy file="${some.dir}/file" todir="${another.dir}"/>
</then>
<elseif>
<equals arg1="${condition}" arg2="false"/>
<then>
<copy file="${some.dir}/differentFile" todir="${another.dir}"/>
</then>
</elseif>
<else>
<echo message="Condition was neither true nor false"/>
</else>
</if>
在目标上使用条件的古怪语法(由 Mads 描述)是在核心 ANT 中执行条件执行的唯一受支持的方法。
ANT不是一种编程语言,当事情变得复杂时,我选择在我的构建中嵌入一个脚本,如下所示:
<target name="prepare-copy" description="copy file based on condition">
<groovy>
if (properties["some.condition"] == "true") {
ant.copy(file:"${properties["some.dir"]}/true", todir:".")
}
</groovy>
</target>
ANT支持多种语言(请参阅脚本任务),我更喜欢Groovy,因为它的语法简洁,并且因为它与构建配合得很好。
抱歉,大卫我不是蚂蚁的粉丝。
从 ant 1.9.1 开始,您可以使用 if:set 条件: https://ant.apache.org/manual/ifunless.html
<project name="Build" basedir="." default="clean">
<property name="default.build.type" value ="Release"/>
<target name="clean">
<echo>Value Buld is now ${PARAM_BUILD_TYPE} is set</echo>
<condition property="build.type" value="${PARAM_BUILD_TYPE}" else="${default.build.type}">
<isset property="PARAM_BUILD_TYPE"/>
</condition>
<echo>Value Buld is now ${PARAM_BUILD_TYPE} is set</echo>
<echo>Value Buld is now ${build.type} is set</echo>
</target>
</project>
就我而言,DPARAM_BUILD_TYPE=Debug
如果提供了它,我需要为调试构建,否则我需要构建发布版本。我写的就像上面的条件一样,它有效,我已经测试了,如下所示,它对我来说工作正常。
属性${build.type}
我们可以将其传递给其他目标或宏定义进行处理,我正在我的其他蚂蚁宏定义中进行处理。
D:>ant -DPARAM_BUILD_TYPE=Debug
Buildfile: D:build.xml
clean:
[echo] Value Buld is now Debug is set
[echo] Value Buld is now Debug is set
[echo] Value Buld is now Debug is set
main:
BUILD SUCCESSFUL
Total time: 0 seconds
D:>ant
Buildfile: D:build.xml
clean:
[echo] Value Buld is now ${PARAM_BUILD_TYPE} is set
[echo] Value Buld is now ${PARAM_BUILD_TYPE} is set
[echo] Value Buld is now Release is set
main:
BUILD SUCCESSFUL
Total time: 0 seconds
它对我实施条件有用,所以发布希望它会有所帮助。