10

我正在权衡使用三种不同方法之一将单个标量值从存储过程返回到我的 C# 例程的潜在性能影响。谁能告诉我其中哪个“更快”,最重要的是,为什么?

方法一:

CREATE PROCEDURE GetClientId 
    @DealerCode varchar(10)
AS
BEGIN
    SET NOCOUNT ON
    SELECT ClientId
        FROM Client
        WHERE ClientCode = @DealerCode
END
-- this returns null if nothing is found, 
-- otherwise it returns ClientId in a ResultSet

方法二:

CREATE PROCEDURE GetClientId 
    @DealerCode varchar(10),
    @ClientValue int out
AS
BEGIN
    SET NOCOUNT ON
    set @ClientValue = -1
    set @ClientValue = (SELECT ClientId
        FROM Client
        WHERE ClientCode = @DealerCode)
END
-- this returns -1 for ClientValue if nothing is found,
-- otherwise it returns ClientId
-- the value for ClientValue is a scalar value and not a ResultSet

方法三:

CREATE PROCEDURE GetClientId 
    @DealerCode varchar(10)
AS
BEGIN
    SET NOCOUNT ON
    declare @ClientValue int
    set @ClientValue = 
        (SELECT ClientId FROM Client WHERE ClientCode = @DealerCode)
    if @ClientValue is null or @ClientValue = 0
        return -1
    else
        return @ClientValue
END
-- this uses the return value of the stored procedure;
-- -1 indicates nothing found
-- any positive, non-zero value is the actual ClientId that was located
4

3 回答 3

7

返回标量值比结果集更有效,原因是结果集带有更多的辅助方法,这使得它很重,从而增加了从 sql 到 C# 代码/例程的对象传输的延迟。

在您的方法 3 中:您使用了一个变量来返回值,这比发送一个 out 参数要好,因为在这里您至少在一条路线上减少了对象的遍历(即,在调用存储过程时)。

结果集比输出参数更灵活,因为它可以返回多行(显然),因此如果您需要结果集,那么无论如何它都是唯一的选择。

根据方法 3、方法 2 方法 1 的性能对查询进行排序。

希望这有助于理解这个概念。

于 2013-09-05T14:01:39.943 回答
1

在性能损失方面,方法 3 (RETURN) 是无惩罚的。原因是 SQL Server 将始终从存储过程返回整数结果代码。如果您没有明确指定一个,那么它将隐式返回 0 (SUCCESS)。

于 2021-05-19T13:08:33.840 回答
0
CREATE PROCEDURE GetClientId 
   @DealerCode varchar(10)
AS
BEGIN
    SET NOCOUNT ON
    DECLARE @ClientValue INT=0;
    SELECT @ClientValue = ClientId FROM Client WHERE ClientCode = 
@DealerCode
    IF @ClientValue IS NULL OR @ClientValue = 0
        RETURN -1;
    ELSE
        RETURN @ClientValue;
END
-- this uses the return value of the stored procedure;
-- -1 indicates nothing found
-- any positive, non-zero value is the actual ClientId that was located
于 2021-10-14T09:16:20.923 回答