经典 ASP 和存储过程:高效的数据检索
从经典 ASP 应用程序中的存储过程检索数据通常会带来挑战。本文解决了存储过程执行无法填充记录集、导致空响应或不正确响应的常见问题。
问题:空记录集
开发人员经常遇到这样的情况:他们的经典 ASP 代码(设计用于从存储过程检索数据)返回空记录集。 数据库命令显示正确,但预期数据仍然无法访问。
代码示例与分析
让我们检查一下说明此问题的典型代码片段:
<code class="language-asp">Set conn = Server.CreateObject("ADODB.Connection") conn.open "PROVIDER=SQLOLEDB;DATA SOURCE=X;DATABASE=Y;UID=Z;PWD=W;" Set objCommandSec = CreateObject("ADODB.Command") With objCommandSec Set .ActiveConnection = Conn .CommandType = 4 .CommandText = "usp_Targets_DataEntry_Display" .Parameters.Append .CreateParameter("@userinumber ", 200, 1, 10, inumber) .Parameters.Append .CreateParameter("@group ", 200, 1, 50, "ISM") .Parameters.Append .CreateParameter("@groupvalue", 200, 1, 50, ismID) .Parameters.Append .CreateParameter("@targettypeparam ", 200, 1, 50, targetType) End With set rs = Server.CreateObject("ADODB.RecordSet") rs = objCommandSec.Execute while not rs.eof response.write (1) response.write (rs("1_Q1")) rs.MoveNext wend response.write (2)</code>
解决方案:正确的记录集处理
核心问题就在这一行:
<code class="language-asp">rs = objCommandSec.Execute</code>
这种不正确的分配会妨碍正确的数据检索。正确的做法是:
<code class="language-asp">set rs = Server.CreateObject("ADODB.RecordSet") rs.open objCommandSec</code>
通过使用rs.open objCommandSec
,我们可以使用命令对象正确打开记录集,从而实现数据检索。
存储过程交互的最佳实践
以下是一些建议的做法,可提高经典 ASP 代码与存储过程交互的效率和可靠性:
命令内的直接连接: 无需创建和打开单独的 ADODB.Connection
,而是直接将连接字符串分配给 .ActiveConnection
对象的 ADODB.Command
属性。这简化了代码并提高了性能。
SET NOCOUNT ON: 对于执行 INSERT 或 UPDATE 操作的存储过程,请在 SQL 代码中包含 SET NOCOUNT ON
。这可以防止存储过程返回受影响行的计数,从而导致过早关闭记录集。
考虑使用数组来简化:为了更简单的数据处理,请考虑使用数组而不是 ADODB.Recordset
来迭代结果。 这通常可以带来更高效、更可读的代码。
以上是如何在经典 ASP 中正确从存储过程中检索数据?的详细内容。更多信息请关注PHP中文网其他相关文章!