我有两个表,它们都包含“管道分隔值”
例如:
表格1:
DataField_A
item 1|item 2|item 3|etc.....
表 2:
DataField_A
item 7|item 5|item 3|etc.....
我需要将表 2 合并到表 1 中,以便表 2 包含两个表中的所有项目。
以编程方式执行此操作将是一个简单的问题,即遍历表 2 中的每个项目,如果表 1 中不存在,则将其添加到表 1。
这如何在 SQL 中作为存储过程来完成?
我有两个表,它们都包含“管道分隔值”
例如:
表格1:
DataField_A
item 1|item 2|item 3|etc.....
表 2:
DataField_A
item 7|item 5|item 3|etc.....
我需要将表 2 合并到表 1 中,以便表 2 包含两个表中的所有项目。
以编程方式执行此操作将是一个简单的问题,即遍历表 2 中的每个项目,如果表 1 中不存在,则将其添加到表 1。
这如何在 SQL 中作为存储过程来完成?
我使用了解析函数(我使用的示例来自这里)来解析 Table1 中的字符串。然后我在CTE中使用该函数来查找 Table2 中缺失的元素并合并数据。
/* Helper function to parse delimited string */
CREATE FUNCTION [dbo].[fnParseStringTSQL] (@string NVARCHAR(MAX),@separator NCHAR(1))
RETURNS @parsedString TABLE (string NVARCHAR(MAX))
AS
BEGIN
DECLARE @position int
SET @position = 1
SET @string = @string + @separator
WHILE charindex(@separator,@string,@position) <> 0
BEGIN
INSERT into @parsedString
SELECT substring(@string, @position, charindex(@separator,@string,@position) - @position)
SET @position = charindex(@separator,@string,@position) + 1
END
RETURN
END
go
/* Set up some sample data */
declare @Table1 table (
id int,
DataField_1A varchar(500)
)
declare @Table2 table (
id int,
DataField_2A varchar(500)
)
insert into @Table1
(id, DataField_1A)
select 1, 'item 1|item 2|item 3'
union
select 2, 'item A|item B|item C|item D|item Z'
insert into @Table2
(id, DataField_2A)
select 1, 'item 7|item 5|item 3'
union
select 2, 'item A|item Y|item Z'
/* data before the update */
select * from @Table2
/* boolean to ensure loop executes at least once */
declare @FirstLoop bit
set @FirstLoop = 1
/* Do the updates */
while (@FirstLoop = 1 or @@ROWCOUNT <> 0) begin
set @FirstLoop = 0
;with cteMissingItems as (
select t2.id, p.string
from @Table2 t2
inner join @Table1 t1
on t2.id = t1.id
cross apply dbo.fnParseStringTSQL(t1.DataField_1A,'|') p
where charindex(p.string, t2.DataField_2A) = 0
)
update t2
set t2.DataField_2A = t2.DataField_2A + '|' + mi.string
from @Table2 t2
inner join cteMissingItems mi
on t2.id = mi.id
end /* while */
/* Prove the update worked */
select * from @Table2
/* Clean up */
drop function dbo.fnParseStringTSQL