我很好奇是否可以将值存储到excel电子表格单元格中?如果是这样,我们该如何去完成它呢?我也有多个值,我想存储到相同的excel表中,但在不同的单元格(如A2或B1)。
例如,假设我有一个值,我想要粘贴到单元格A1中,现在,我可以使用下面的命令:
<echo append="true" file="file.xls" message="1" />
这将在单元格A1中存储"1",如果我再次运行相同的命令,它也将在单元格A1中存储"1",就在原始echo的旁边。但我想要的是在另一个单元格中添加另一个值。
我看了其他关于这个话题的stackoverflow帖子,并搜索了谷歌,但我找不到我确切情况的答案。如果你有更好的主意,请告诉我,谢谢。
以下是我使用的链接:
propertyfile
Excel不是一个简单的文件格式来解析和编写。
下面的例子演示了如何创建一个宏来写入excel文件:
<excelWrite file="target/workbook.xlsx" values="Hello,world"/>
宏使用Apache POI java库。
<标题> 例子运行构建将生成一个excel文件
├── build.xml
└── target
└── workbook.xlsx
其他说明:
- Apache ivy被自动安装并用于管理第三方jar依赖
- 使用嵌入式groovy脚本避免了编写和编译ant任务的需要。
build . xml
<project name="demo" default="build" xmlns:ivy="antlib:org.apache.ivy.ant">
<!--
==========
Properties
==========
-->
<property name="build.dir" location="target"/>
<available classname="org.apache.ivy.Main" property="ivy.installed"/>
<!--
======
Macros
======
-->
<macrodef name="excelWrite">
<attribute name="file"/>
<attribute name="values"/>
<attribute name="sheetName" default="ANT demo"/>
<sequential>
<ivy:cachepath pathid="build.path">
<dependency org="org.codehaus.groovy" name="groovy-all" rev="2.2.2" conf="default"/>
<dependency org="org.apache.poi" name="poi-ooxml" rev="3.10-FINAL" conf="default"/>
</ivy:cachepath>
<taskdef name="groovy" classname="org.codehaus.groovy.ant.Groovy" classpathref="build.path"/>
<groovy>
import org.apache.poi.ss.usermodel.Workbook
import org.apache.poi.xssf.usermodel.XSSFWorkbook
import org.apache.poi.ss.usermodel.CreationHelper
import org.apache.poi.ss.usermodel.Sheet
import org.apache.poi.ss.usermodel.Row
Workbook wb = new XSSFWorkbook();
Sheet sheet = wb.createSheet("@{sheetName}");
CreationHelper helper = wb.getCreationHelper();
// Write data to a single row
short rowpos = 0;
short colpos = 0;
Row row = sheet.createRow(rowpos);
"@{values}".split(",").each {
row.createCell(colpos++).setCellValue(helper.createRichTextString(it));
}
// Ensure parent directory exists
def file = new File("@{file}")
file.getParentFile().mkdirs()
project.log "Writing Excel file: "+file
file.withOutputStream {
wb.write(it)
}
</groovy>
</sequential>
</macrodef>
<!--
=============
Project setup
=============
-->
<target name="install-ivy" description="Install ivy" unless="ivy.installed">
<mkdir dir="${user.home}/.ant/lib"/>
<get dest="${user.home}/.ant/lib/ivy.jar" src="http://search.maven.org/remotecontent?filepath=org/apache/ivy/ivy/2.3.0/ivy-2.3.0.jar"/>
<fail message="Ivy has been installed. Run the build again"/>
</target>
<!--
==========
Main logic
==========
-->
<target name="build" depends="install-ivy" description="Create an Excel file">
<excelWrite file="${build.dir}/workbook.xlsx" values="Hello,world"/>
</target>
<!--
===============
Project Cleanup
===============
-->
<target name="clean" description="Cleanup build files">
<delete dir="${build.dir}"/>
</target>
<target name="clean-all" depends="clean" description="Additionally purge ivy cache">
<ivy:cleancache/>
</target>
</project>
标题>