-2

我有一个这样的存储过程:

ALTER PROCEDURE [dbo].[T_TransactionSummary]  
 @locations nvarchar
AS
    BEGIN 
..............
.............
AND (Location_tbl.Locid IN (@locations))

我的 locid 字段是整数,这个 locid 来自我的列表框。如果我选​​择一个项目,1 个 locid 会出现。如果我选​​择 2 个项目,2 个 locid 会出现。我有一个填充 @locations 参数(整数)的列表框,我像这样取了我的列表框值

cnt = LSTlocations.SelectedItems.Count
 Dim list As New List(Of Integer)
        Dim locid As Integer
        If cnt > 0 Then
            For i = 0 To cnt - 1
                Dim locationanme As String = LSTlocations.SelectedItems(i).ToString
                locid = RecordID("Locid", "Location_tbl", "LocName", locationanme)
                list.Add(locid)
            Next
End If
 Dim da As New SqlDataAdapter
        Dim ds As New DataSet
        Dim cmd23 As New SqlCommand("T_TransactionSummary", con.connect)
        cmd23.CommandType = CommandType.StoredProcedure
        cmd23.Parameters.Add("@locations", SqlDbType.Int).Value = String.Join(",", list)
        da.SelectCommand = cmd23
        da.Fill(ds)  

现在我来自列表框的 locationid 仅传递给存储过程 1、2、3。但存储过程总是取第一个值(我的意思是在这种情况下取​​ 1)。

4

2 回答 2

7

首先,你绝对需要为你的参数定义一个长度......你目前拥有的是一个在第一个字符处被截断的字符串。

DECLARE @locations NVARCHAR;
SET @locations = '1,2,3';
SELECT @locations;

结果:

1

你需要说

@locations VARCHAR(MAX)

您不需要NVARCHAR存储以逗号分隔的整数列表。(我假设您可能有一长串整数,但也许MAX可以8000代替。)

然后,您不能说IN (@locations)- 这将无法正常工作,或者您将收到有关转换为 int 的错误消息'1,2,3...',或者它只是找不到值 - 这是与整个字符串而不是集合进行比较。所以你可以用动态 SQL 来做到这一点,例如

SET @sql = @sql + ' WHERE locations IN (' + @locations + ') ...;';

但这充满了各种其他问题,包括可维护性和暴露于 SQL 注入。我强烈推荐使用表值参数。基本上你创建一个像这样的类型:

CREATE TYPE dbo.Integers AS TABLE(Item INT PRIMARY KEY);

然后你以这种方式使用参数:

@locations dbo.Integers READONLY

你可以说:

WHERE EXISTS (SELECT 1 FROM @locations WHERE Item = Location_tbl.Locid)

在您的 VB.Net 代码中,您将列表框选择填充到 DataTable(而不是 int 或字符串)中,并将 DataTable 作为参数传递给SqlDbType.Structured. 我这里有一些例子,但它们是 C#:

http://www.sqlperformance.com/2012/08/t-sql-queries/splitting-strings-now-with-less-t-sql

MSDN 上也有大量关于 TVP 的文档

于 2013-10-21T16:54:19.823 回答
1

以下是第一个问题。

cmd23.Parameters.Add("@locations", SqlDbType.Int).Value = String.Join(",", list)

您正在将 @locations 参数添加为 int。当您将值分配给它时,VB 会将您的字符串转换为 int。这意味着"1,2,3,4"将成为"1"

将其更改为SqlDbType.VarChar


至于第二个,我不完全确定你能做到这一点:

AND (Location_tbl.Locid IN (@locations))

您可能想要查看表值参数。

于 2013-10-21T16:54:12.663 回答