web-dev-qa-db-ja.com

Antで部分文字列を取り出す方法

Antプロパティから部分文字列を引き出し、その部分文字列を独自のプロパティに配置する方法はありますか?

34
Lark

たとえば、scriptdefを使用して部分文字列へのJavaScriptタグを作成します。

 <project>
  <scriptdef name="substring" language="javascript">
     <attribute name="text" />
     <attribute name="start" />
     <attribute name="end" />
     <attribute name="property" />
     <![CDATA[
       var text = attributes.get("text");
       var start = attributes.get("start");
       var end = attributes.get("end") || text.length();
       project.setProperty(attributes.get("property"), text.substring(start, end));
     ]]>
  </scriptdef>
  ........
  <target ...>
     <substring text="asdfasdfasdf" start="2" end="10" property="subtext" />
     <echo message="subtext = ${subtext}" />
  </target>
 </project>
37
seduardo

Ant-ContribからのPropertyRegex を使用してみてください。

   <propertyregex property="destinationProperty"
              input="${sourceProperty}"
              regexp="regexToMatchSubstring"
              select="\1"
              casesensitive="false" />
22
Instantsoup

私はVanilla Antを使用することを好むので、一時ファイルを使用します。どこでも動作し、replaceregexを利用して、必要な文字列の一部を削除できますしないでください必要です。 Gitメッセージを変更する例:

    <exec executable="git" output="${git.describe.file}" errorproperty="git.error" failonerror="true">
        <arg value="describe"/>
        <arg value="--tags" />
        <arg value="--abbrev=0" />
    </exec>
    <loadfile srcfile="${git.describe.file}" property="git.workspace.specification.version">
        <filterchain>
           <headfilter lines="1" skip="0"/>
           <tokenfilter>
              <replaceregex pattern="\.[0-9]+$" replace="" flags="gi"/>
           </tokenfilter>
           <striplinebreaks/>
        </filterchain>
    </loadfile>
10
Bill Birch

これを行う簡単なバニラの方法は次のとおりです。

<loadresource property="destinationProperty">
    <concat>${sourceProperty}</concat>
    <filterchain>
        <replaceregex pattern="regexToMatchSubstring" replace="\1" />
    </filterchain>
</loadresource>
2
Markus Rohlof

私は力ずくで行き、カスタムAntタスクを作成します。

_public class SubstringTask extends Task {

    public void execute() throws BuildException {
        String input = getProject().getProperty("oldproperty");
        String output = process(input);
        getProject().setProperty("newproperty", output);
    }
}
_

String process(String)を実装し、セッターをいくつか追加するだけです(たとえば、oldpropertynewpropertyの値)

2
Vladimir

そのためにスクリプトタスクを使用します。Rubyを使用します。例では、最初の3文字を切り捨てます=

<project>
  <property name="mystring" value="foobarfoobaz"/>  
   <target name="main"> 
    <script language="Ruby">
     $project.setProperty 'mystring', $mystring[3..-1]
    </script>
    <echo>$${mystring} == ${mystring}</echo>
   </target>    
  </project>

出力=

main:
     [echo] ${mystring} == barfoobaz

既存のプロパティでproject.setProperty()メソッドを使用してant apiを使用すると、それが上書きされます。つまり、標準のantの動作を回避できるので、一度設定したプロパティは不変です

0
Rebse