JDBC - 将数组变量插入PostgreSQL表

时间:2018-02-06 13:12:17

标签: java arrays postgresql jdbc

我正在尝试将数组变量插入表中。代码如下所示

import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.ResultSet;
import java.sql.Statement;

class PostgreSQLJDBC {

    public static void main(String args[]) {
        Connection c = null;
        Statement stmt = null;
        Statement stmt1 = null;
        int id[] = new int[3];
        int no = 1;
        id[0] = 2;
        id[1] = 14;
        id[2] = 4;
        try {
            Class.forName("org.postgresql.Driver");
            c = DriverManager
                    .getConnection("jdbc:postgresql://localhost:5432/ass2",
                            "postgres", "post");
            c.setAutoCommit(true);
            System.out.println("Opened database successfully");
            stmt = c.createStatement();
            String sql1 = "INSERT INTO COMPANY (NO,ID) "
                    + "VALUES (7, id);";
            stmt1 = c.createStatement();
            stmt1.executeUpdate(sql1);
            stmt1.close();
            c.close();
        } catch (Exception e) {
            System.err.println(e.getClass().getName() + ": " + e.getMessage());
            System.exit(0);
        }
        System.out.println("Operation done successfully");
    }
}

此代码编译but gives an PSQLexception.

有人可以帮忙解决这个问题吗

2 个答案:

答案 0 :(得分:1)

尝试使用Prepared Statement,以便您可以像这样使用setArray

但首先你不能设置int[]你必须将它转换为数组,所以你可以使用:

Integer[] id = {2, 14, 4};
Array array = connection.createArrayOf("INTEGER", id);

然后创建Prepared Statement并设置数组:

String sql = "INSERT INTO COMPANY (NO, ID) VALUES (?, ?)";
try (PreparedStatement pstmt = conn.prepareStatement(sql);) {

    pstmt.setInt(1, 7);   // Set NO
    pstmt.setArray(2, array);  // Set ID

    pstmt.executeUpdate();  // Execute the query
}

注意:请避免使用PostgreSQL中表格和列名称中的UPPER LETTERS!这可能会产生一些问题,而您的查询应该如下所示:

INSERT INTO company (no, id) VALUES (?, ?)

答案 1 :(得分:0)

除了可接受的答案:

根据这些文档:https://jdbc.postgresql.org/documentation/head/arrays.html

可以使用PreparedStatement.setObject方法将某些本机Java数组用作准备好的语句的参数。

因此,如果您使用原始的int []而不是Integer []和setObject而不是setArray,那么它也将正常工作。

int[] ids = {2, 14, 4};
String sql = "INSERT INTO TEST(id_array) VALUES (?)";
try (Connection con = dataSource.getDataSource(); 
     PreparedStatement statement = conn.prepareStatement(sql))
{
    statement .setObject(1, ids);  // setObject NOT setArray!
    statement .executeUpdate();
} 

这比调用createArrayOf方法更为方便。尤其是如果您使用的是JDBCTemplate更高级别的框架,并且想要插入String []数组。