如何将三个逗号分隔的参数放入表中?

时间:2013-02-20 14:43:36

标签: sql sql-server sql-server-2008

假设我的SP中有三个参数。 Ids('1,2,3'),价格('22,33.7,44'),计数('4,5,1')。我也有Split功能。现在,我想在我的数据库表中插入这些值。所以我的桌子看起来像,

ID Price  Count
1   22     4
2   33.7   5
3   44     1

2 个答案:

答案 0 :(得分:1)

从SQL 2008开始,您可以使用Table Valued Parameters - 我建议您尝试使用该路由,这样您就可以将结构化表格传递给您的sproc。 MSDN链接中有完整的示例。

我更喜欢该路线通常超过CSV值/字符串拆分。我在这里写博客,比较了一些不同的方法和表现:Table Valued Parameters vs XML vs CSV

答案 1 :(得分:1)

create function dbo.SimpleSplit(@str varchar(max))
returns @table table (
    val varchar(max),
    rowid int
)
with schemabinding
as
begin
    declare @pos int,
            @newPos int,
            @rowid int;
    set @pos = 1;
    set @newPos = charindex(',', @str, 1);
    set @rowid = 1;

    while (@newPos != 0)
    begin
        insert into @table
            values (substring(@str, @pos, @newPos - @pos), @rowid);

        set @rowid += 1;

        set @pos = @newPos + 1;
        set @newPos = charindex(',', @str, @pos);

        if (@newPos = 0)
            insert into @table
                values (substring(@str, @pos, len(@str)), @rowid);
    end

    return;
end
GO

create procedure somesp (@id varchar(128), @price varchar(128), @count varchar(128))
as
    select t.val as id, t2.val as price, t3.val as [count]
    from dbo.SimpleSplit(@id) t
    inner join dbo.SimpleSplit(@price) t2 on t.rowid = t2.rowid
    inner join dbo.SimpleSplit(@count) t3 on t.rowid = t3.rowid
GO

exec somesp '1,2,3', '22,33.7,44', '4,5,1'