假设我有一系列包含以下路径的PDF文件:
/some/path/pdfs/birds/duck.pdf
/some/path/pdfs/birds/goose.pdf
/some/path/pdfs/insects/fly.pdf
/some/path/pdfs/insects/mosquito.pdf
我想做的是为每个支持相对路径结构的PDF生成缩略图,然后输出到另一个位置,即:
/another/path/thumbnails/birds/duck.png
/another/path/thumbnails/birds/goose.png
/another/path/thumbnails/insects/fly.png
/another/path/thumbnails/insects/mosquito.png
我希望在Ant中完成此操作。假设我将在命令行上使用Ghostscript,我已经完成了对GS的调用:
<exec executable="${ghostscript.executable.name}">
<arg value="-q"/>
<arg value="-r72"/>
<arg value="-sDEVICE=png16m"/>
<arg value="-sOutputFile=${thumbnail.image.path}"/>
<arg value="${input.pdf.path}"/>
</exec>
所以我需要做的是在遍历PDF输入目录时计算${thumbnail.image.path}
和${input.pdf.path}
的正确值。
我可以访问ant-contrib(刚刚安装了“最新版本”,即1.0b3),我正在使用Ant 1.8.0。我想我可以使用<for>
任务,<fileset>
和<mapper>
来完成某项工作,但我无法将它们放在一起。
我尝试过类似的事情:
<for param="file">
<path>
<fileset dir="${some.dir.path}/pdfs">
<include name="**/*.pdf"/>
</fileset>
</path>
<sequential>
<echo message="@{file}"/>
</sequential>
</for>
但不幸的是@{file}
属性是绝对路径,我找不到任何简单的方法将其分解为相关组件。
如果我只能使用自定义任务执行此操作,我想我可以写一个,但我希望我可以将现有组件连接在一起。
答案 0 :(得分:6)
在顺序任务中,您可以使用ant-contrib propertyregex任务将输入路径映射到输出。例如:
<propertyregex override="yes" property="outfile" input="@{file}"
regexp="/some/path/pdfs/(.*).pdf"
replace="/another/path/\1.png" />
哪些地图,例如/some/path/pdfs/birds/duck.pdf
到/another/path/birds/duck.png
。
答案 1 :(得分:2)
为了完整起见,这是我根据马丁克莱顿的答案提出的目标。它现在仅适用于Windows,但这是因为我还没有在Mac OS X上以非代理方式安装Ghostscript。请注意,要成为跨平台解决方案,我必须“清理”文件分隔符到只能持续向前倾斜。
<target name="make-thumbnails" depends="">
<taskdef resource="net/sf/antcontrib/antlib.xml">
<classpath>
<pathelement location="/path/to/ant-contrib-1.0b3.jar"/>
</classpath>
</taskdef>
<condition property="ghostscript.executable.name" value="/path/to/gswin32c.exe">
<os family="windows"/>
</condition>
<condition property="ghostscript.executable.name" value="">
<os family="mac"/>
</condition>
<for param="file">
<path>
<fileset dir="/path/to/pdfs">
<include name="**/*.pdf"/>
</fileset>
</path>
<sequential>
<propertyregex override="yes" property="file-scrubbed" input="@{file}"
regexp="\\"
replace="/" />
<propertyregex override="yes" property="output-path-directory-fragment" input="${file-scrubbed}"
regexp=".*/pdfs/(.*)/.+\.pdf"
replace="\1" />
<propertyregex override="yes" property="output-path-file-fragment" input="${file-scrubbed}"
regexp=".*/pdfs.*/(.+)\.pdf"
replace="\1.png" />
<mkdir dir="${thumbnails.base.dir}/${output-path-directory-fragment}"/>
<exec executable="${ghostscript.executable.name}">
<arg value="-q"/>
<arg value="-dLastPage=1"/>
<arg value="-dNOPAUSE"/>
<arg value="-dBATCH"/>
<arg value="-dSAFER"/>
<arg value="-r72"/>
<arg value="-sDEVICE=png16m"/>
<arg value="-sOutputFile=${thumbnails.base.dir}/${output-path-directory-fragment}/${output-path-file-fragment}"/>
<arg value="${file-scrubbed}"/>
</exec>
</sequential>
</for>
</target>