5

私は、常に指定されているが常に定義されているわけではないオプションのパラメーターを使用してantビルドを実行する状況にあります。

ant -DBUILD_ENVIRONMENT=test -Dusername_ext= -Dconf.dir_ext= -Dcgi-dir_ext=

パラメータにコマンドラインで値が指定されていない場合は、.propertiesファイルをロードすることで設定されます。プロパティが設定されていて空白でないかどうかを確認する次のコードがあります。

<if>
    <bool>
        <and>
            <isset property="username_ext"/>
            <not>
                <equals arg1="${username_ext}" arg2="" />
            </not>
        </and>
    </bool>
    <then>
        <property name="username" value="${username_ext}" />
    </then>
</if>
<property file="${BUILD_ENVIRONMENT}.properties" />

複数のプロパティがあるため、毎回そのコードを繰り返すのではなく、各プロパティに対して同じアクションを実行するターゲットを作成する必要があるようです。

<antcall target="checkexists">
    <property name="propname" value="username"/>
    <property name="paramname" value="username_ext"/>
</antcall>
<antcall target="checkexists">
    <property name="propname" value="conf.dir"/>
    <property name="paramname" value="conf.dir_ext"/>
</antcall>

ただし、AFAIKのantcallはグローバルプロパティを設定しません。次に、チェックする必要のあるパラメーターの名前が設定されていて空白ではないことを受け入れるターゲットを作成し、それを他のターゲットが使用できるパラメーターにコピーするにはどうすればよいですか?

4

1 に答える 1

9

ターゲットを使用する代わりに、マクロを使用して、別のプロパティが空でない値に設定されているかどうかに基づいて、条件付きでプロパティを設定できます。

<macrodef name="set-property">
  <attribute name="name" />
  <attribute name="if-property-isset" />
  <attribute name="value" default="${@{if-property-isset}}" />

  <sequential>
    <condition property="@{name}" value="@{value}">
      <and>
        <isset property="@{if-property-isset}" />
        <not>
          <equals arg1="${@{if-property-isset}}" arg2="" />
        </not>
      </and>
    </condition>
  </sequential>
</macrodef>


<target name="test-macro">
  <set-property name="username" if-property-isset="username_ext" />

  <set-property name="conf.dir" if-property-isset="conf.dir_ext" />

  <property name="conf.dir" value="default conf directory" />

  <echo message="username = ${username}" />
  <echo message="conf.dir = ${conf.dir}" />
</target>

出力

$ ant test-macro -Dusername_ext=jsmith -Dconf.dir_ext=
Buildfile: /your/project/build.xml

test-macro:
     [echo] username = jsmith
     [echo] conf.dir = default conf directory

BUILD SUCCESSFUL
Total time: 1 second


代替プロパティ値

このマクロを使用すると、コマンドラインで指定された値とは異なる値にプロパティを設定することもできます。

<target name="test-macro">
  <set-property name="username" if-property-isset="username_ext"
      value="It worked!" />

  <set-property name="conf.dir" if-property-isset="conf.dir_ext" />

  <property name="conf.dir" value="default conf directory" />

  <echo message="username = ${username}" />
  <echo message="conf.dir = ${conf.dir}" />
</target>

出力

$ ant test-macro -Dusername_ext=jsmith -Dconf.dir_ext=
Buildfile: /your/project/build.xml

test-macro:
     [echo] username = It worked!
     [echo] conf.dir = default conf directory

BUILD SUCCESSFUL
Total time: 1 second
于 2012-08-20T20:21:34.563 に答える