在事件触发器上将数据库从Anylogic导出到Excel

时间:2018-12-12 07:13:44

标签: database export-to-excel anylogic

当某些事件触发时,我想将AnyLogic数据库导出到Excel。但是,我只能看到在模型暂停时手动导出或在模型关闭时自动导出的导出选项。

请问有人可以提供Java代码段或指向参考吗?

子问题(如果可能的话):您可以从Anylogic公司获得,  1.在Excel中创建新的工作表以向其中写入数据?  2.重新标记工作表,以便其名称可以包含时间戳记?

2 个答案:

答案 0 :(得分:0)

Eric,您可以在模拟运行时的任何给定时间将数据导出到Excel文件中……例如,以下代码在第一张工作表的第一行和第一列中写入“值”:

excelFile.readFile();
excelFile.setCellValue("the value",1,1, 1);//value,sheetName or number, row, column
excelFile.writeFile();

何时使用它没有限制。您可以在帮助文档中找到所有Excel API,以发现读写数据的所有方式。

但是据我所知,您无法控制工作表的名称或通过API创建新的工作表。

答案 1 :(得分:0)

  

当某些事件触发时,我想将AnyLogic数据库导出到Excel。

是的,您可以通过编程方式从AnyLogic数据库中导出表(即执行手动的“将表导出到Excel”或自动的“在模型执行结束时导出表”的操作)。但是,是的,没有真正的文档,并且从帮助中的API参考中确定所需的逻辑并不容易(特别是因为exportToExternalDB方法的详细信息目前存在错误,尽管AnyLogic应该即将修复该文档)。

代码示例如下。超出您的要求的主要原因是,它允许您动态确定输出文件名(或动态确定要输出的表)。

注意事项:这要求Excel文件必须已存在,并具有所需的工作表和列名标题行。但是您可以手动导出一次空表以生成此表(并且,如果您想更改输出文件名,则可以在导出之前添加代码,该代码使用标准的Java文件处理功能将导出的骨架文件复制到所需名称的文件中。代码)。

还有一种方法,可以使用编程工具来创建Excel文件和所需的“骨架”内容,方法是使用更底层的Java和Apache POI library(AnyLogic在幕后使用此连接到Excel)。这也可以用来解决您的附属问题(请参阅下文)。

Database outExcel = new Database(this, "ExcelOutput", "outputTest.xlsx");
outExcel.connect();
ModelDatabase modelDB = getEngine().getModelDatabase();
Connection connection = outExcel.getConnection();

// Do the actual per-table export; repeat per table to output
// This requires the Excel file to have the required sheets and header rows
// therein

modelDB.exportToExternalDB("output_sample",   // Table name
                           connection,        // External connection
                           "output_sample",   // Target worksheet name
                           false,             // Clear table prior to copy
                           true);             // Auto-commit

outExcel.disconnect();
  

您能从Anylogic中1.在Excel中创建新的工作表以向其中写入数据吗? 2.重新标记工作表,以便其名称可以包含时间戳记?

以下示例代码(您的输出文件名存储在String变量fileName中)。请注意,这是使用Apache POI的“与AnyLogic无关”的Java。此代码中没有使用任何AnyLogic类的内容。由于AnyLogic已在内部将Apache POI作为库包含在内,因此您无需添加任何内容作为模型依赖项。

try (FileOutputStream fileOut = new FileOutputStream(fileName)) {
    Workbook wb = new XSSFWorkbook();
    // Create a worksheet for the table
    Sheet sheet = wb.createSheet("output_table"); 

    // Create a header row with the required column names in. Row indices are 0 based
    Row row = sheet.createRow(0);
    row.createCell(0).setCellValue("col1");
    row.createCell(1).setCellValue("col2");
    row.createCell(2).setCellValue("col3");

    // Write the output to a file
    wb.write(fileOut);      
} catch ( Exception e ) {
    [Handle exceptions in some way]
}

您需要在代理/实验中包含一些必需的import语句,此代码位于(属性中的“导入”部分中):

import org.apache.poi.ss.usermodel.Workbook;
import org.apache.poi.xssf.usermodel.XSSFWorkbook;
import java.io.FileOutputStream;
import org.apache.poi.ss.usermodel.Sheet;
import org.apache.poi.ss.usermodel.Row;
import org.apache.poi.ss.usermodel.Cell;