1

我正在尝试执行以下操作,但收到“无效的列名 {column}”错误。有人可以帮我看看我的方式的错误吗?我们最近将一个事务表拆分为 2 个表,一个包含经常更新的报告列名称,另一个包含不变的事务。这让我试图将简单的插入 1 个表更改为复杂的插入 2 个具有唯一列的表。我试图这样做:

INSERT INTO dbo.ReportColumns
(
    FullName
    ,Type
    ,Classification
)
OUTPUT INSERTED.Date, INSERTED.Amount, INSERTED.Id INTO dbo.Transactions
SELECT
    [Date]
    ,Amount
    ,FullName
    ,Type
    ,Classification
FROM {multiple tables}

“INSERTED.Date, INSERTED.Amount”是错误的来源,有或没有“INSERTED”。在前。

- - - - - - - - -更新 - - - - - - - - -

Aaron 是正确的,用插入来管理是不可能的,但我能够极大地改进插入的功能,并使用合并功能添加一些其他业务规则。我的最终解决方案类似于以下内容:

DECLARE @TransactionsTemp TABLE
(
    [Date] DATE NOT NULL,
    Amount MONEY NOT NULL,
    ReportColumnsId INT NOT NULL
)

MERGE INTO dbo.ReportColumns AS Trgt
USING ( SELECT
            {FK}
    ,[Date]
    ,Amount
    ,FullName
    ,Type
    ,Classification
FROM {multiple tables}) AS Src
ON Src.{FK} = Trgt.{FK} 
WHEN MATCHED THEN
    UPDATE SET 
    Trgt.FullName = Src.FullName,
    Trgt.Type= Src.Type,
    Trgt.Classification = Src.Classification
WHEN NOT MATCHED BY TARGET THEN
    INSERT
    (
        FullName,
        Type,
        Classification
    )
    VALUES
    (
        Src.FullName,
        Src.Type,
        Src.Classification
    )
OUTPUT Src.[Date], Src.Amount, INSERTED.Id INTO @TransactionsTemp;

MERGE INTO dbo.FinancialReport AS Trgt
USING (SELECT
      [Date] ,
          Amount ,
          ReportColumnsId
          FROM @TransactionsTemp) AS Src
ON Src.[Date] = Trgt.[Date] AND Src.ReportColumnsId = Trgt.ReportColumnsId
WHEN NOT MATCHED BY TARGET And Src.Amount <> 0 THEN
        INSERT
        (
            [Date],
            Amount,
            ReportColumnsId
        )
        VALUES
        (
            Src.[Date],
            Src.Amount,
            Src.ReportColumnsId
        )
WHEN MATCHED And Src.Amount <> 0 THEN
        UPDATE SET Trgt.Amount = Src.Amount
WHEN MATCHED And Src.Amount = 0 THEN
        DELETE;

希望将来能帮助别人。:)

4

2 回答 2

1

Output子句将返回您要插入到表中的值,您需要多次插入,您可以尝试以下操作

declare @staging table (datecolumn date, amount decimal(18,2),
                       fullname varchar(50), type varchar(10), 
                       Classification varchar(255));

INSERT INTO @staging
SELECT
    [Date]
    ,Amount
    ,FullName
    ,Type
    ,Classification
FROM {multiple tables}

Declare @temp table (id int, fullname varchar(50), type varchar(10));
INSERT INTO dbo.ReportColumns
(        
    FullName
    ,Type
    ,Classification
)
OUTPUT INSERTED.id, INSERTED.fullname, INSERTED.type INTO @temp
SELECT
    FullName
    ,Type
    ,Classification
FROM @stage

INSERT into dbo.transacrions (id, date, amount)
select t.id, s.datecolumn, s.amount from @temp t
inner join @stage s on t.fullname = s.fullname and t.type = s.type
于 2013-04-04T13:41:17.423 回答
0

我相当肯定你需要有两个插入(或创建一个视图并使用一个而不是插入触发器)。您只能使用 OUTPUT 子句将变量或实际插入的值发送到另一个表。在插入过程中,您不能使用它将选择拆分为两个目标表。

如果您提供更多信息(例如如何拆分表格以及如何关联行),我们可能会提供更具体的答案。

于 2013-04-04T13:43:44.380 回答