我在Eclipse插件项目中使用Jackcess API。我在资源/ lib下添加了jackcess-2.1.0.jar
文件。我将jar包含在我的Binary版本和build.properties
中。我使用连接字符串成功建立了连接,但我的DatabaseBuilder.open()
调用未执行。我的代码是
public void run() {
try {
File tempTarget = File.createTempFile("eap-mirror", "eap");
try {
this.source = DriverManager.getConnection(EaDbStringParser.eaDbStringToJdbc(sourceString));
this.source.setReadOnly(true);
try {
FileUtils.copyFile(new File(templateFileString), tempTarget);
} catch (IOException e) {
e.printStackTrace();
}
// Changes
try {
this.target = DatabaseBuilder.open(tempTarget);
} catch (IOException e) {
e.printStackTrace();
}
Collection<String> tables = selectTables(source);
long time = System.currentTimeMillis();
for (String tableName : tables) {
long tTime = System.currentTimeMillis();
Table table = target.getTable(tableName);
System.out.print("Mirroring table " + tableName + "...");
table.setOverrideAutonumber(true);
copyTable(table, source, target);
System.out.println(" took "+ (System.currentTimeMillis() - tTime));
}
System.out.println("Done. Overall time: "+ (System.currentTimeMillis() - time));
System.out.println("done");
} catch (SQLException e) {
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
} finally {
// More Code here
} catch (IOException e1) {
}
}
当我在调试模式下运行该类并到达
DatabaseBuilder.open
调用时,它失败。这是我的项目结构:
有人可以告诉我原因吗?
最佳答案
.open
的DatabaseBuilder
方法期望打开一个现有的格式良好的Access数据库文件。 .createTempFile
的java.io.File
方法创建一个0字节的文件。所以,代码
File dbFile;
try {
dbFile = File.createTempFile("eap-mirror", "eap");
try (Database db = DatabaseBuilder.open(dbFile)) {
System.out.println(db.getFileFormat());
} catch (IOException ioe) {
ioe.printStackTrace(System.out);
}
} catch (Exception e) {
e.printStackTrace(System.out);
} finally {
System.out.println("Finally...");
}
将导致杰克塞斯抛出
java.io.IOException:空数据库文件
尝试执行
DatabaseBuilder.open(dbFile)
时。相反,您应该
DatabaseBuilder.create
将0字节文件转换为真正的Access数据库文件,如下所示File dbFile;
try {
dbFile = File.createTempFile("eap-mirror", ".accdb");
dbFile.deleteOnExit();
try (Database db = DatabaseBuilder.create(Database.FileFormat.V2010, dbFile)) {
System.out.println(db.getFileFormat());
} catch (IOException ioe) {
ioe.printStackTrace(System.out);
}
} catch (Exception e) {
e.printStackTrace(System.out);
} finally {
System.out.println("Finally...");
}