0

我有这种插入数据的方法

private void InsertReceipt()
    {   
        decimal Stub;
        Stub = Math.Floor(decimal.Parse(txtAmount.Text) / 2000);

        SqlCommand cmd = new SqlCommand();
        cmd.Connection = cn;
        cmd.CommandType = CommandType.Text;
        cmd.CommandText = "INSERT INTO Ticket(CustomerID, Date, Store, Amount, NoStub)" +
                    "VALUES (@CustomerID, @Date, @Store, @Amount, @NoStub) ";
        cmd.Parameters.AddWithValue("@CustomerID", txtCustomerID.Text);
            cmd.Parameters.AddWithValue("@Date", dtpDate.Value.Date.ToString());
        cmd.Parameters.AddWithValue("@Store", txtStore.Text);
        decimal amount = decimal.Parse(txtAmount.Text);
        cmd.Parameters.AddWithValue("@Amount", amount);
        cmd.Parameters.Add("@NoStub", SqlDbType.Decimal).Value = Stub;

        cmd.ExecuteNonQuery();            
    }

我只想有一种方法,如果您在表“票”中插入数据,则另一个表将被更新。

    CustomerID      Date        Store      Amount      NoStub
         1        6/7/2013      Nike       4000          2
         2        6/7/2013      Adidas     6000          3

此表将更新,例如我将使用名为“StubRange”的表,将生成此输出。

 RangeID         CustomerID      NoStub       TickerStart      TickerEnd
   1                1              2           00001           00002
   2                2              3           00003           00005

我只是想学习如何拥有这种方法。

4

3 回答 3

1

您正在寻找的是一个After Insert 触发器
基本上,您可以将其视为在插入发生后触发的事件(因此触发...)。

您的触发器应如下所示:

CREATE TRIGGER YourTriggerName --The name of your trigger
ON Ticket --The table it will be observing
 AFTER INSERT,UPDATE --It will trigger after insert / update
AS
--The actions you want to do. For example:
DECLARE @CustomerId int

SET @CustomerId = (SELECT CustomerId FROM inserted) --you might want to use 'inserted' table

--Inset values
Insert into StubRange (CustomerID , NoStub) 
Select Distinct ins.CustomerID, ins.NoStub 
From Inserted ins

--Update existing records
UPDATE StubRange
set --Set what ever it is you want to update
WHERE CustomerId = @CustomerId 

更多关于插入表 - 根据微软

插入的表在 INSERT 和 UPDATE 语句期间存储受影响行的副本。在插入或更新事务期间,新行会同时添加到插入表和触发器表中。插入表中的行是触发器表中新行的副本。

于 2013-08-06T03:36:28.790 回答
0

好吧,当您在 Ticket 表中插入记录时,您需要编写一个插入触发器。您可以参考以下语法来创建触发器。这是 Oracle 语法

CREATE OR REPLACE TRIGGER TRIGGER_INSERT_STUBRANGE 
AFTER INSERT ON TICKET
FOR EACH ROW
DECLARE
    raise_exception                Exception;
BEGIN

        --WRITE YOUR INSERT STATEMENT HERE

Exception
         when raise_exception then
         RAISE_APPLICATION_ERROR(-20001, sqlerrm );
END;
于 2013-08-06T03:29:22.310 回答
0

这将在更新 table1 时在 table1 上创建一个插入触发器,table2 将使用 CustomerID 更新,表 1 中的 NoStub 和其余属性取决于您的业务逻辑

CREATE TRIGGER trig_Update_table
ON [tableName1]
FOR INSERT
AS
Begin
    Insert into tableName2 (CustomerID , NoStub) 
    Select Distinct i.CustomerID, i.NoStub 
    from Inserted i
End
于 2013-08-06T03:34:36.657 回答