我有两个目录树:
source/aaa/bbb/ccc/file01.txt
source/aaa/bbb/file02.txt
source/aaa/bbb/file03.txt
source/aaa/ddd/file03.txt
source/file01.txt
和
template/aaa/bbb/ccc/file01.txt
template/aaa/bbb/DELETE-file03.txt
template/aaa/DELETE-ddd
template/DELETE-file01.txt
使用蚂蚁金服,我想做三件事。首先,我想将任何文件从"模板"复制到"源"中,以便替换所有不以"DELETE-"开头的文件。例如,"source/aaa/bbb/ccc/file01.txt"将被替换。这很简单:
<copy todir="source" verbose="true" overwrite="true">
<fileset dir="template">
<exclude name="**/DELETE-*"/>
</fileset>
</copy>
其次,我想删除"源"树中名称与"模板"树相应目录中的"DELETE-"文件匹配的所有文件。例如,"source/aaa/bbb/file03.txt"和"source/file01.txt"都将被删除。我已经能够通过以下方式完成此操作:
<delete verbose="true">
<fileset dir="source">
<present present="both" targetdir="template">
<mapper type="regexp" from="(.*[/\])?([^/\]+)" to="1DELETE-2"/>
</present>
</fileset>
</delete>
第三,我想删除任何名称以相同方式匹配的目录(空或非空)。例如,"template/aaa/DELETE-ddd"及其下的所有文件将被删除。我不确定如何构建一个与"源"树中的目录(及其下的所有文件)匹配的文件集,其中目录在"模板"树中有一个 DELETE-* 文件。
Ant (1.7.1) 是否可能执行第三个任务?我最好在不编写任何自定义 ant 任务/选择器的情况下执行此操作。
似乎使这变得困难的根本问题是 ant 基于在文件集的目标目录中找到的文件来驱动选择器/文件集。但是,通常情况下,人们会希望从 DELETE-* 标记文件列表中驱动内容。
到目前为止,我找到的最佳解决方案确实需要一些自定义代码。我选择了<groovy>
任务,但也可以使用<script>
.
要点:创建一个文件集,使用 groovy 添加一系列带有 DELETE-* 标记跳过文件和目录的排除项,然后执行复制。这样就完成了我问题的第二项和第三项任务。
<fileset id="source_files" dir="source"/>
<!-- add exclude patterns to fileset that will skip any files with a DELETE-* marker -->
<groovy><![CDATA[
def excludes = []
new File( "template" ).eachFileRecurse(){ File templateFile ->
if( templateFile.name =~ /DELETE-*/ ){
// file path relative to template dir
def relativeFile = templateFile.toString().substring( "template".length() )
// filename with DELETE- prefix removed
def withoutPrefix = relativeFile.replaceFirst( "DELETE-", "")
// add wildcard to match all files under directories
def exclude = withoutPrefix + "/**"
excludes << exclude
}
}
def fileSet = project.getReference("source_files")
fileSet.appendExcludes(excludes as String[])
]]></groovy>
<!-- create a baseline copy, excluding files with DELETE-* markers in the template directories -->
<copy todir="target">
<fileset refid="source_files"/>
</copy>
要删除目录及其内容,请使用 delete with nested fileset
,即:
<delete includeemptydirs="true">
<fileset dir="your/root/directory" defaultexcludes="false">
<include name="**/DELETE-*/**" />
</fileset>
</delete>
使用属性includeemptydirs="true"
目录也将被删除。