[转]How to: Execute Oracle Stored Procedures Returning RefCursors
本文转自:http://www.telerik.com/help/openaccess-orm/openaccess-tasks-oracle-execute-sp-result-set.html
In this topic you will learn how to execute Oracle stored procedures that return SYS_REFCURSOR as out parameters. With the REF_CURSOR you can return a recordset/cursor from a stored procedure. Suppose, you have two tables named Products and Categories with one-to-many relation. And you have two stored procedures named SPSingleRefCur and SPTwoRefCursor. The first one is a simple stored procedure having an SYS_REFCURSOR out parameter. The procedure returns all category rows via this cursor. SQL CREATE OR replace PROCEDURE SPSingleRefCur(catCur OUT SYS_REFCURSOR )
IS
BEGIN
OPEN catCur FOR SELECT * FROM "CATEGORIES";
END; The second procedure have two SYS_REFCURSOR out parameters. The procedure returns all rows from the Categories and Products tables. It will be used to demonstrate how to obtain multiple result sets using the Telerik OpenAccess ADO API. SQL CREATE OR replace PROCEDURE SPTwoRefCursor (catCur OUT SYS_REFCURSOR, prodCur OUT SYS_REFCURSOR )
IS
BEGIN
OPEN catCur FOR SELECT * FROM "CATEGORIES";
OPEN prodCur FOR SELECT * FROM "PRODUCTS";
END; Telerik OpenAccess ORM uses the ADO.NET (Oracle.DataAcces.Client) Provider from Oracle called ODP.NET. In order to create a new domain model based on a Oracle database, you have to install the ODP.NET Driver from Oracle. You can download it from here. Suppose, you have created a domain model that looks like: Also, you need to add a reference to the Oracle.DataAccess.dll assembly. By default the assembly is located in the following directory: C:\app\{UserName}\product\11.2.\client_1\odp.net\bin\\Oracle.DataAccess.dll Executing Stored Procedures There are two ways to execute stored procedures and get the out parameters:
•Use the generic OpenAccessContext.ExecuteQuery<T> method.
•Create a new OACommand and execute the stored procedure using the OACommand.ExecuteReader method. The first approach is easier and involves less code than the second approach. The second approach gives you more control of the result because you can get a DbDataReader from the OACommand. Using the OpenAccessContext.ExecuteQuery<T> Method The first stored procedure (SPSingleRefCur) will be executed by using the generic OpenAccessContext.Execute<T> method. Because you are using an Oracle specific type in the stored procedures, you need to pass an OracleParameter to the context. You need to set the OracleDbType property of the OracleParameter to OracleDbType.RefCursor. Next, when the parameter is set up, you need to call the ExecuteQuery<T> method of the context to get materialized list of Category objects. The following code-snippet demonstrates how to achieve this: C# using System.Collections.Generic;
using System.Data;
using Oracle.DataAccess.Client; namespace OracleSP
{
class Program
{
static void Main(string[] args)
{
using (EntitiesModel ctx = new EntitiesModel())
{
OracleParameter cursorParameter = new OracleParameter();
cursorParameter.ParameterName = "catCur";
cursorParameter.Direction = ParameterDirection.Output;
cursorParameter.OracleDbType = OracleDbType.RefCursor; IList<Category> categories = ctx.ExecuteQuery<Category>("SPSingleRefCur", CommandType.StoredProcedure, cursorParameter);
}
}
}
} VB.NET Module Module1
Sub Main()
Using ctx As New EntitiesModel()
Dim cursorParameter As New Oracle.DataAccess.Client.OracleParameter() cursorParameter.ParameterName = "catCur"
cursorParameter.Direction = ParameterDirection.Output
cursorParameter.OracleDbType = Oracle.DataAccess.Client.OracleDbType.RefCursor Dim categories As IList(Of Category) = ctx.ExecuteQuery(Of Category)("SPSingleRefCur", CommandType.StoredProcedure, cursorParameter)
End Using
End Sub
End Module Although the direction of the parameter is set to ParameterDirection.Output the result set is returned via the reader, not in the Value property of the parameter. This reader is then materialized a list of Category objects. Note that if the specified type is a persistent type (as in this example), then the returned instances are automatically managed by the context. Using the OACommand.ExecuteReader Method If you have a stored procedure that returns two out parameters of type SYS_REFCURSOR (e.g. the SPTwoRefCursor procedure), then using the generic ExecuteQuery<T> method is no longer appropriate. If you are using the ExecuteQuery<T> method, you can not get both result sets materialized. Only the first result set, which is obtained by the underlying reader will be materialized. In this case, you need to use the second approach, i.e. execute the stored procedure by using an OACommand. The second way to execute stored procedures is to use the OACommand class. With this approach, you have the ability to work with the new lower level ADO API. The Telerik OpenAccess ADO API introduces the Translate<T> method, which can be used to materialize a DbDataReader object to persistent capable or non-persistent capable objects. The example here is similar to the first one. What you need is just another parameter, because you need two output parameters for the SPTwoRefCursor procedure. Once the parameters are initialized, you pass them to the OACommand. Next you execute the command by calling the ExecuteReader method to get a data reader. With the reader in hand, you use the generic Translate<T> method on the OpenAccessContext to materialize instances of the Category entity from the reader. By executing the reader.NextResult() method, you switch to the next result set and get the values of the second out parameter. These values could also be materialized with the Translate<T> method but this time you will get objects of type Product. C# using System.Collections.Generic;
using System.Data;
using Oracle.DataAccess.Client;
using Telerik.OpenAccess.Data.Common; namespace OracleSP
{
class Program
{
static void Main(string[] args)
{
using (EntitiesModel ctx = new EntitiesModel())
{
using (OACommand cmd = ctx.Connection.CreateCommand())
{
OracleParameter refCurPar1 = new OracleParameter();
refCurPar1.ParameterName = "catCur";
refCurPar1.Direction = ParameterDirection.Output;
refCurPar1.OracleDbType = OracleDbType.RefCursor; OracleParameter refCurPar2 = new OracleParameter();
refCurPar2.ParameterName = "prodCur";
refCurPar2.Direction = ParameterDirection.Output;
refCurPar2.OracleDbType = OracleDbType.RefCursor; cmd.CommandText = "SPTwoRefCursor";
cmd.CommandType = CommandType.StoredProcedure;
cmd.Parameters.AddRange(new object[] { refCurPar1, refCurPar2 }); using (OADataReader reader = cmd.ExecuteReader())
{
IEnumerable<Category> categories = ctx.Translate<Category>(reader);
reader.NextResult();
IEnumerable<Product> products = ctx.Translate<Product>(reader);
}
}
}
}
}
} VB.NET Module Module1
Sub Main()
Using ctx As New EntitiesModel()
Using cmd As Telerik.OpenAccess.Data.Common.OACommand = ctx.Connection.CreateCommand() Dim refCurPar1 As New Oracle.DataAccess.Client.OracleParameter()
refCurPar1.ParameterName = "catCur"
refCurPar1.Direction = ParameterDirection.Output
refCurPar1.OracleDbType = Oracle.DataAccess.Client.OracleDbType.RefCursor Dim refCurPar2 As New Oracle.DataAccess.Client.OracleParameter()
refCurPar2.ParameterName = "prodCur"
refCurPar2.Direction = ParameterDirection.Output
refCurPar2.OracleDbType = Oracle.DataAccess.Client.OracleDbType.RefCursor cmd.CommandText = "SPTwoRefCursor"
cmd.CommandType = CommandType.StoredProcedure
cmd.Parameters.AddRange(New Object() {refCurPar1, refCurPar2}) Using reader As Telerik.OpenAccess.Data.Common.OADataReader = cmd.ExecuteReader()
Dim categories As IEnumerable(Of Category) = ctx.Translate(Of Category)(reader)
reader.NextResult()
Dim products As IEnumerable(Of Product) = ctx.Translate(Of Product)(reader)
End Using
End Using
End Using
End Sub
End Module
[转]How to: Execute Oracle Stored Procedures Returning RefCursors的更多相关文章
- Spring, Hibernate and Oracle Stored Procedures
一篇英文博文,写的是利用hibernate处理存储过程中的游标等等: Motivation: While there are a few resources available online for ...
- [转]Oracle Stored Procedures Hello World Examples
本文转自:http://www.mkyong.com/oracle/oracle-stored-procedures-hello-world-examples/ List of quick examp ...
- Home / Python MySQL Tutorial / Calling MySQL Stored Procedures in Python Calling MySQL Stored Procedures in Python
f you are not familiar with MySQL stored procedures or want to review it as a refresher, you can fol ...
- [MySQL] Stored Procedures 【转载】
Stored routines (procedures and functions) can be particularly useful in certain situations: When mu ...
- Good Practices to Write Stored Procedures in SQL Server
Reference to: http://www.c-sharpcorner.com/UploadFile/skumaar_mca/good-practices-to-write-the-stored ...
- An Introduction to Stored Procedures in MySQL 5
https://code.tutsplus.com/articles/an-introduction-to-stored-procedures-in-mysql-5--net-17843 MySQL ...
- Cursors in MySQL Stored Procedures
https://www.sitepoint.com/cursors-mysql-stored-procedures/ After my previous article on Stored Proce ...
- MySQL Error Handling in Stored Procedures 2
Summary: this tutorial shows you how to use MySQL handler to handle exceptions or errors encountered ...
- Oracle Stored Procedure demo
1.how to find invalid status stored procedure and recompile them? SELECT OBJECT_NAME , status FROM u ...
随机推荐
- win7(64位)+IE8+QC9.0
环境win7(64位)+IE8+QC9.0出现的问题IE8访问QC9.0有时访问登录显示正常,但是有时访问QC页面无法显示正常,然后在ie8中安全中设置“启用内存保护帮助减少联机攻击*”也无法找到该项 ...
- 设计模式_Command_命令模式
形象例子: 俺有一个MM家里管得特别严,没法见面,只好借助于她弟弟在我们俩之间传送 信息,她对我有什么指示,就写一张纸条让她弟弟带给我.这不,她弟弟又传送过来一个COMMAND,为了感谢他,我请他吃了 ...
- JVM的GC机制及JVM的调优方法
内存管理和垃圾回收是JVM非常关键的点,对Java性能的剖析而言,了解内存管理和垃圾回收的基本策略非常重要. 1.在程序运行过程当中,会创建大量的对象,这些对象,大部分是短周期的对象,小部分是长周期的 ...
- Stm32外围模块编程初始化步骤
Stm32外围模块编程初始化步骤: 一.外部中断 1)初始化 IO 口为输入. 这一步设置你要作为外部中断输入的 IO 口的状态,可以设置为上拉/下拉输入,也可以设置为浮空输入,但浮空的时候外部一定要 ...
- bzoj 3263 陌上花开(cdq分治,BIT)
[题意] 求满足Ai<=Aj,Bi<=Bj,Ci<=Cj的数对的数目. [思路] cdq分治 借网上一句话:第一维排序,第二维cdq分治,第三维树状数组维护. 首先合并三维都是相 ...
- NOIP2014 飞扬的小鸟
3. 飞扬的小鸟 (bird.cpp/c/pas) [问题描述] Flappy Bird 是一款风靡一时的休闲手机游戏.玩家需要不断控制点击手机屏幕的频率来调节小鸟的飞行高度,让小鸟顺利通过画面右方的 ...
- Extjs4 MVC Controlller中refs使用
前面几篇写了一下mvc的整体使用方法,今天写一下controller中refs的试用,refs的作用类似于我们告诉controller我们的一个元素的别名,既alias,那么controller就会为 ...
- linux 配置静态IP
ip配置方法是编辑sudo nano /etc/network/interfaces 树莓派默认配置 auto lo iface lo inet loopback iface eth0 inet d ...
- JLink 在J-Flash ARM批处理自动下载
"C:\Program Files\SEGGER\JLinkARM_V420c\jflasharm.exe" -openprj.\stm32f100c8.jflash -open. ...
- ISE和Modelsim联合仿真(转)
相信很多人会遇到过这个问题,不知如何让ISE调用Modelsim进行仿真.我也迷糊了不少时间,查查找找,终于弄明白了,所以有了本文,和大家分享一下.我尽量讲得详细点儿,多多上图. 我的环境:Windo ...