小编典典

Java:使用PreparedStatement将多行插入MySQL

mysql

我想使用Java一次将多行插入MySQL表中。行数是动态的。过去我在做…

for (String element : array) {
    myStatement.setString(1, element[0]);
    myStatement.setString(2, element[1]);

    myStatement.executeUpdate();
}

我想对此进行优化,以使用MySQL支持的语法:

INSERT INTO table (col1, col2) VALUES ('val1', 'val2'), ('val1', 'val2')[, ...]

但由于PreparedStatement我不知道有什么方法可以这样做,因为我事先不知道array将包含多少个元素。如果无法使用PreparedStatement,我还可以怎么做(仍然对数组中的值进行转义)?


阅读 417

收藏
2020-05-17

共1个答案

小编典典

您可以通过创建批处理PreparedStatement#addBatch()并通过执行PreparedStatement#executeBatch()

这是一个启动示例:

public void save(List<Entity> entities) throws SQLException {
    try (
        Connection connection = database.getConnection();
        PreparedStatement statement = connection.prepareStatement(SQL_INSERT);
    ) {
        int i = 0;

        for (Entity entity : entities) {
            statement.setString(1, entity.getSomeProperty());
            // ...

            statement.addBatch();
            i++;

            if (i % 1000 == 0 || i == entities.size()) {
                statement.executeBatch(); // Execute every 1000 items.
            }
        }
    }
}

因为某些JDBC驱动程序和/或DB可能对批处理长度有限制,所以它每1000个项目执行一次。

另请参阅

2020-05-17