標籤:style blog http color java 使用 os strong
部落格原文:使用mybatis執行oracle預存程序
預存程序在小公司用的不多,但是如果業務比較複雜或者效能要求比較苛刻的時候預存程序就派上用場了,ibatis的前期的一些版本貌似不支援預存程序因此我選擇了mybatis來做實驗。
1.無輸入和輸出參數的預存程序
我寫了一個比較簡單的,需要注意的是Oracle無參預存程序不能寫括弧
CREATE OR REPLACE Procedure cascadeoperationAsBegin Delete From teacher Where id=1; Update studentdetail Set address=‘寧波市海曙區‘ Where studentid=10;End;
這裡執行了2個操作,可能用過mybatis的人會迷惑執行的時候到底使用update標籤呢還是delete標籤,其實都行,我也試過select標籤也是OK的,下面是部分的設定檔
<delete id="cascadeOperation" statementType="CALLABLE" > {call cascadeoperation}</delete>
2.帶有輸入和輸出參數的預存程序
,我這裡加入了if else的幾個判斷
CREATE OR REPLACE Procedure queryTeacher(fid In Integer,Type In Varchar,Name Out Varchar)AsBeginIf Type=‘1‘ thenSelect Name Into Name From student Where id=fid;Else if Type=‘2‘ ThenSelect Name Into Name From teacher Where id=fid;Else Name:=‘錯誤‘;End If;End If;End;
下面順便把我在命令列視窗執行的預存程序語句貼出來
DeclareName Varchar2(50);Beginqueryteacher(3,‘2‘,Name);DBMS_OUTPUT.put_line(Name);End;/
執行過類似語句的時候可能看不到任何的輸出,不要著急只需在命令列使用set serveroutput on;
看到結果了吧,下面使用mybatis來執行這個預存程序,下面是對應檔的寫法
<select id="queryTeacher" statementType="CALLABLE" parameterType="java.util.Map"> {call queryTeacher(#{fid,mode=IN,jdbcType=INTEGER},#{type,mode=IN,jdbcType=VARCHAR},#{name,mode=OUT,jdbcType=VARCHAR})}</select>
那怎麼取得返回的內容呢,其實只要預存程序執行後map裡就有值了,java代碼大致如下
Map<String,Object> mm=new HashMap<String,Object>(); mm.put("fid", 3); mm.put("type", 2); m.queryTeacher(mm); System.out.println(mm.get("name"));
3.返回遊標的預存程序
還有一種預存程序,它可以返回一個遊標就類似一個集合這種
CREATE OR REPLACE Procedure getTeacher(cur_arg out Sys_Refcursor)Asbegin open cur_arg for Select * From teacher;End;
這種情況,在mybatis裡就稍微有些不同了,此時jdbcType就是CURSOR,javaType則是ResultSet了,這裡還可以把結果轉成resultMap了,如下所示
<resultMap id="resultMap3" type="org.lxh.module.usefunction.info.Teacher"><result property="address" column="address"/><result property="name" column="name"/><result property="id" column="id"/> </resultMap>
<select id="getAllTeacherInfo" statementType="CALLABLE" parameterType="java.util.Map" > {call GETTEACHER(#{result,jdbcType=CURSOR,mode=OUT,javaType=ResultSet, resultMap=resultMap3})}</select>
這裡的話Java代碼就稍微複雜一些
Map<String, Object> map = new HashMap<String, Object>();m.getAllTeacher(map);Set<Map.Entry<String, Object>> set = map.entrySet();for (Iterator<Map.Entry<String, Object>> it = set.iterator(); it.hasNext();) {Map.Entry<String, Object> entry = (Map.Entry<String, Object>) it.next();// System.out.println(entry.getKey() + "--->" +// (Teacher)entry.getValue());List<Teacher> t = (List<Teacher>) entry.getValue();Iterator<Teacher> itera = t.iterator();while (itera.hasNext()) {Teacher tt = itera.next();System.out.println(tt.getName() + "," + tt.getAddress());}}
到這裡預存程序已經差不多了,研究了好久才弄出來,其他的用jdbc執行預存程序我隨後會把文章添上來。