1

「パイプで区切られた値」を含む2つのテーブルがあります

例えば:

表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 でこれをストアド プロシージャとしてどのように行うことができますか?

4

1 に答える 1

1

Table1 の文字列を解析するために、解析関数 (使用している例はhereから来ています) を使用しました。次に、 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
于 2010-08-15T01:02:40.520 に答える