我有一个类似的存储过程:
PROCEDURE get_curx( p_buf IN ni_imsi%ROWTYPE,
p_bufx IN ni_imsi%ROWTYPE,
p_cur OUT CurTyp,
p_where IN VARCHAR2 DEFAULT '',
p_orderby IN VARCHAR2 DEFAULT '',
p_max IN NUMBER DEFAULT 0,
p_lock IN NUMBER DEFAULT 0,
p_hint IN VARCHAR2 DEFAULT 'NONE',
p_debug IN NUMBER DEFAULT 0,
p_count IN BOOLEAN DEFAULT FALSE);
我从这样的JAVA程序中调用此程序:
CallableStatement cs = connection.prepareCall("{call ni_imsi_pkg.get_curx(?,?,?,?,?,?)}");
cs.setObject( 1, ? ); // i have no clue what to mention here
cs.setObject( 2, ? ); //i have no clue what to mention here
cs.registerOutParameter(3, OracleTypes.CURSOR);
cs.setString(4, " WHERE current_state = 60000 AND rownum <= 2 ");
cs.setString(5, " ORDER BY imsi_number");
cs.setInt(6, 5);
但我不知道如何设置前两个参数。请帮帮我。谢谢
答案 0 :(得分:4)
正如Mike所说,你不能在JDBC调用中直接引用行类型,因为行类型只在PL / SQL中有效,并且驱动程序使用的所有类型都必须在SQL级别定义。
您可以定义自己的SQL对象类型,它会影响您的表结构(如果表被更改,您必须记住更新),以及采用该类型并将其转换为对您的实际调用的包装程序程序。这是一个基于dual的演示,因为我不知道你真正的表结构:
create type ni_imsi_rowtype as object (dummy varchar2(1)) -- use your real table's columns/types
/
create package ni_imsi_pkg as
procedure get_curx(p_buf dual%rowtype, p_cur out sys_refcursor);
procedure get_curx_wrapper(p_buf ni_imsi_rowtype, p_cur out sys_refcursor);
end ni_imsi_pkg;
/
create package body ni_imsi_pkg as
-- original procedure, simplified for demo
procedure get_curx(p_buf dual%rowtype, p_cur out sys_refcursor) is
begin
open p_cur for select * from dual where dummy = p_buf.dummy;
end;
-- wrapper procedure taking new type instead of rowtype
procedure get_curx_wrapper(p_buf ni_imsi_rowtype, p_cur out sys_refcursor) is
l_buf dual%rowtype;
begin
l_buf.dummy := p_buf.dummy;
get_curx(l_buf, p_cur);
end;
end ni_imsi_pkg;
/
然后在Java端,您可以填充并将其作为STRUCT发送:
// Object array containing the values corresponding to your row type
Object[] rowObj = { "X" };
// Struct based on the SQL type you created
StructDescriptor structDesc = StructDescriptor.createDescriptor("NI_IMSI_ROWTYPE", conn);
STRUCT rowStruct = new STRUCT(structDesc, conn, rowObj);
// Call wrapper function instead of real one
cs = conn.prepareCall("{ call ni_imsi_pkg.get_curx_wrapper(?,?) }");
// Pass the struct defined earlier
cs.setObject(1, rowStruct);
cs.registerOutParameter(2, OracleTypes.CURSOR);
// and other arguments for your real calll
如果您无法修改您的真实包,那么您可以为包装器创建一个新包,或者一个简单的过程;或者您甚至可以在匿名块中进行转换,但这会使Java代码更加复杂:
cs = (OracleCallableStatement) conn.prepareCall(
"declare l_typ ni_imsi_rowtype; l_buf dual%rowtype; "
+ "begin l_typ := ?; l_buf.dummy := l_typ.dummy; ni_imsi_pkg.get_curx(l_buf, ?); "
+ "end;"
);
...仍然绑定相同的结构,因此仍然需要SQL类型。只有语句发生了变化,但它现在可以在没有包装器的情况下调用原始过程。