我已经实现java.sql.SQLData
为了使用ojdbc6到UDT对象绑定到准备好的语句。 现在,我的一些UDT的含有阵列。 我现在需要做的是这样的:
class MyType implements SQLData {
public void writeSQL(SQLOutput stream) throws SQLException {
Array array = //...
stream.writeArray(array);
}
}
为了构建甲骨文阵列,我需要一个JDBC连接。 通常情况下,这样做是这样:
OracleConnection conn = // ...
Array array = conn.createARRAY("MY_ARRAY_TYPE", new Integer[] { 1, 2, 3 });
然而,在writeSQL(SQLOutput)
方法,我没有连接。 此外,对于那些很难在一个简洁的问题,解释原因,我不能保持在连接参考MyType
。 我能以某种方式提取该连接SQLOutput
? 我想避免使用不稳定的结构是这样的:
// In ojdbc6, I have observed a private "conn" member in OracleSQLOutput:
Field field = stream.getClass().getDeclaredField("conn");
field.setAccessible(true);
OracleConnection conn = (OracleConnection) field.get(stream);
有任何想法吗? 备择方案?
下面是我做来解决此问题。 这不是很漂亮,但它的工作原理。
我在类执行加入一个方法SQLData
其接收java.sql.Connection
和设置相应的java.sql.ARRAY
对象。
事情是这样的:
public class MyObject01 implements SQLData {
private String value;
private MyObject02[] details; // do note that details is a java array
// ... also added getters and setters for these two properties
private Array detailsArray;
public void setupArrays(oracle.jdbc.OracleConnection oconn)
throws SQLException
{
detailsArrays = oconn.createARRAY(MyObject02.ORACLE_OBJECT_ARRAY_NAME, getDetails());
// MyObject02.ORACLE_OBJECT_ARRAY_NAME must be the name of the oracle "table of" type name
// Also note that in Oracle you can't use JDBC's default createArray
// since it's not supported. That's why you need to get a OracleConnection
// instance here.
}
@Override
public void writeSQL(Stream stream) throws SQLException {
stream.writeString(getValue());
stream.writeArray(detailsArray); // that's it
}
@Override
public void readSQL(Stream stream) throws SQLException {
setValue(stream.readString());
Array array = stream.readArray();
if (array != null) {
setDetails((MyObject02[])array.getArray());
}
}
这是第一部分。
然后,使用该对象在过程调用之前,调用setupArrays
该对象上的方法。 例:
public class DB {
public static String executeProc(Connection conn, MyObject01 obj)
throws SQLException
{
CalllableStatement cs = conn.prepareCall(" { ? = call sch.proc(?) }");
cs.registerOutParameter(1, Types.VARCHAR);
obj.setupArrays((oracle.jdbc.Connection)conn);
cs.setObject(2, obj, Types.STRUCT);
cs.executeUpdate();
String ret = cs.getString(1);
cs.close();
return ret;
}
}
当然,在连接时,您需要正确注册类型:
Connection conn = DriverManager.getConnection("jdbc:oracle://localhost:1521/XE", "scott", "tiger" );
conn.getTypeMap().put(MyObject01.ORACLE_OBJECT_NAME, MyObject01.class);
conn.getTypeMap().put(MyObject02.ORACLE_OBJECT_NAME, MyObject02.class);
conn.getTypeMap().put(MyObject02.ORACLE_OBJECT_ARRAY_NAME, MyObject02[].class);
希望能帮助到你。
文章来源: How to write a java.sql.Array to a java.sql.SQLOutput within SQLData.writeSQL() for Oracle