我在数据类型方面遇到麻烦了吗?因为数组是String类型,数据库有int型、String型、long型......
如果您尝试更新的任何Date/Time
字段是 Access 中的字段,您可能是。Jackcess 能够将字符串隐式转换为数字(在许多情况下,无论如何),但在涉及日期时它无法做到这一点。
对于名为 [Members] 的表中的示例数据
MemberID MemberName SponsorID DateJoined FeePaid
-------- ---------- --------- ---------- -------
1 Gord 2014-01-16 0
以下代码工作正常
try (Database db = DatabaseBuilder.open(new File("C:/Users/Public/mdbTest.mdb"))) {
Table table = db.getTable("Members");
Row row = CursorBuilder.findRow(table, Collections.singletonMap("MemberID", 1));
if (row != null) {
row.put("SponsorID", "0"); // "Long Integer" in Access
row.put("FeePaid", "130"); // "Currency" in Access
table.updateRow(row);
}
else {
System.out.println("row not found.");
}
} catch (Exception e) {
e.printStackTrace(System.out);
}
但是,这行不通
row.put("DateJoined", "2014-01-23"); // "Date/Time" in Access
因为 Jackcess 不能将字符串值隐式转换为其内部(数字)日期值,所以您需要执行类似这样的操作
org.joda.time.DateTime dt = new org.joda.time.DateTime("2014-01-23");
row.put("DateJoined", dt.getMillis());
作为替代方案,您可能需要调查UCanAccess。它是一个纯 Java JDBC 驱动程序,它使用 Jackcess 在 Access 数据库上执行读取和写入,但允许您使用更“正常”的 SQL 方法来执行此操作,如下所示:
Connection conn=DriverManager.getConnection(
"jdbc:ucanaccess://C:/Users/Public/mdbTest.mdb");
PreparedStatement ps = conn.prepareStatement(
"UPDATE Members SET " +
"SponsorID=?, " +
"DateJoined=?, " +
"FeePaid=? " +
"WHERE MemberID=1");
ps.setInt(1, Integer.parseInt("0"));
org.joda.time.DateTime dt = new org.joda.time.DateTime("2014-01-23");
ps.setTimestamp(2, new Timestamp(dt.getMillis()));
ps.setBigDecimal(3, new BigDecimal("130"));
ps.executeUpdate();