3

このステートメントを使用してMERGE、SQL Server 2008 データベースの行をアップサートしています。ただし、私の sproc は単一行操作ですが、実際にはこれらをバッチ処理したいと考えています。これは可能ですか?もしそうなら、どうすればいいですか?

4

2 に答える 2

5

プロシージャでテーブル値パラメーターを使用できますか? http://www.sommarskog.se/arrays-in-sql-2008.html#TVP_in_TSQLを見て、いくつかのアイデアを得る

次に、プロシージャで TVP に対して MERGE を使用できます

于 2010-05-27T19:02:04.597 に答える
3

ソーステーブル名、ターゲットテーブル名、結合するフィールド、更新するフィールド (フィールドはコンマで区切られています) を受け取り、動的にマージを行う「upsert」という proc を作成しました。

コードは以下です。

    CREATE proc [common].[upsert](@source nvarchar(100), @target nvarchar(100), @join_field nvarchar(100), @fields nvarchar(200))
    as

    --@source is the table name that holds the rows that you want to either update or insert into @target table
    --@join_field is the 1 field on which the two tables will be joined...you can only join on 1 field right now!
    --@fields are the comma separated fields that will either be updated or inserted into @target. They must be the same name in @source and @target


    declare @sql nvarchar(max)

    set @sql = '
        merge '+ @target +' as target
        using '+ @source +' as source
        on target.'+ @join_field +' = source.'+ @join_field +'
        when matched then
            update set
                ' + common.upsert_update_fields_string_builder('source', 'target', @fields) + '
        when not matched then
            insert ('+ @join_field +', '+ @fields +')
            values (source.'+ @join_field +',' + common.upsert_insert_fields_string_builder('source', @fields) +');
    '


    exec(@sql)







    CREATE function [common].[upsert_insert_fields_string_builder](@source nvarchar(100), @fields nvarchar(200))
    returns nvarchar(1000)
    as
    begin
    declare @string nvarchar(max)

    select @string = coalesce(
            @string + ',' + @source + '.' + items,        
            @source +'.' + items) 
    from common.split_string(@fields,',')

    return @string  
    end







    CREATE function [common].[upsert_update_fields_string_builder](@source nvarchar(100), @target nvarchar(100), @fields nvarchar(200))
    returns nvarchar(1000)
    as
    begin
    declare @string nvarchar(max)

    select @string = coalesce(
            @string + ', '+ @target + '.' + items + '=' + @source + '.' + items,        
            ''+ @target +'.' + items + '='+ @source +'.' + items) 
    from common.split_string(@fields,',')

    return @string  
    end
于 2010-05-28T00:45:28.513 に答える