學習使用預存程序(Stored Procedure),是ASP程式設計師的必須課程之一。所有的大型資料庫都支援預存程序,例如Oracle、MS SQL等,(但MS Access不支持,不過,在Access裡可以使用參數化的查詢)。
使用預存程序有許多好處,它可以封裝複雜的資料邏輯,充分發揮大型資料庫本身的優勢。我們知道,ASP不適合做複雜的資料運算,而透過OLD DB存取資料庫,由於資料需要在ASP和資料庫之間傳遞,相當消耗系統資源。事實上,如果資料庫只是起著資料儲存的作用,那麼它的功能是遠遠沒有被利用的。
關於如何建立預存程序,請參考MS SQL的相關文件。
本文介紹預存程序如何在ASP中運用。
簡單的一個SQL語句:
select ID,Name,Picture,Time,Duty from employ
我們可以建立一個預存程序:
CREATE PROCEDURE sp_employ
AS
select ID,Name,Picture,Time,Duty from employ
Go
而SQL語句:
select ID,Name,Picture,Time,Duty from employ where ID=10230
對應的預存程序是:(用Alter取代我們已有的預存程序)
ALTER PROCEDURE sp_employ
@inID int
AS
select ID,Name,Picture,Time,Duty from employ where ID=@inID
Go
以下比較一下SQL和預存程序在ASP中的情況。首先來看看直接執行SQL的情況:
<%
dim Conn, strSQL, rs
set Conn = Server.CreateObject("ADODB.Connection")
Conn.Open "DSN=webData;uid=user;pwd=password"
strSQL = " select ID,Name,Picture,Time,Duty from employ "
Set rs = Conn.Execute(strSQL)
%>
再看看如何執行Stored Procedure:
<%
dim Conn, strSQL, rs
set Conn = Server.CreateObject("ADODB.Connection")
Conn.Open "DSN=webData;uid=user;pwd=password" 'make connection
strSQL = "sp_employ"
Set rs = Conn.Execute(strSQL)
%>
而執行帶參數的Stored Procedure也是相當類似的:
<%
dim Conn, strSQL, rs, myInt
myInt = 1
set Conn = Server.CreateObject("ADODB.Connection")
Conn.Open "DSN=webData;uid=user;pwd=password"
strSQL = "sp_myStoredProcedure " & myInt
Set rs = Conn.Execute(strSQL)
%>
你可能覺得在ASP使用預存程序原來是這樣的簡單。對!就是這麼簡單。