触发更新MySQL中同一个表中的多个记录

时间:2013-06-17 20:57:08

标签: mysql

我有一张简单的表格:

CREATE  TABLE `accounting`.`People` (
  `ID` INT NOT NULL AUTO_INCREMENT ,
  `Name` VARCHAR(45) NULL ,
  `Property_number` VARCHAR(45) NULL ,
  `People_at_Location` INT NULL ,
  PRIMARY KEY (`ID`) );

INSERT INTO `accounting`.`People` (`Name`, `Property_number`, `People_at_Location`) VALUES ('Jim', '13', '2');
INSERT INTO `accounting`.`People` (`Name`, `Property_number`) VALUES ('Tony', '16');
INSERT INTO `accounting`.`People` (`Name`, `Property_number`) VALUES ('Alice', '9');
INSERT INTO `accounting`.`People` (`Name`, `Property_number`, `People_at_Location`) VALUES ('Martha', '13', '2');
INSERT INTO `accounting`.`People` (`Name`, `Property_number`) VALUES ('Vandy', '');

在我们的数据中,我们知道每个行/记录的名称。但是当我们开始时,我们没有Property_number。当我们收到客户回复的电子邮件时,我们会收到他们的Property_number,我们会更新记录。

我们真正需要的是一个触发器,它查看Property_number并查询数据库中有多少其他记录具有相同的属性编号并更新所有记录,因为我们现在知道另一个人在该Property_number。

例如(根据上面的示例数据),它看起来像:

ID     Name     Property_number     People_at_location
1      Jim      13                  2
2      Tony     16                  Null
3      Alice    9                   1
4      Martha   13                  2
5      Vandy    Null                Null      

因此我们从Vandy获取新信息告诉我们她在property_number 13.我们想要更新记录1,4和5以反映更新的People_at_location计数。

ID     Name     Property_number     People_at_location
1      Jim      13                  3
2      Tony     16                  Null
3      Alice    9                   1
4      Martha   13                  3
5      Vandy    13                  3      

这个触发器会是什么样的?

1 个答案:

答案 0 :(得分:2)

一般形式会是这样的(从内存中完成,所以可能会有一些语法错误):

CREATE TRIGGER update_people_at_location
    AFTER UPDATE ON People FOR EACH ROW
    BEGIN 
        // make sure we updated the property number from a NULL value to a non null
        // depending on your exact use case you may or may not want that check
        IF (OLD.Property_number IS NULL AND NEW.Property_number IS NOT NULL) THEN
           -- store the count for this property_number
           -- we are in an AFTER UPDATE trigger so the update is already done,
           --   which means this count will include the newly set value
           DECLARE total_people_at_location int;
           SELECT COUNT(*) INTO total_people_at_location FROM People WHERE Property_number = NEW.Propery_number;
           -- update the rows with the proper count
           UPDATE People SET People_at_location = total_people_at_location WHERE Property_number = NEW.Propery_number;
        END IF;
    END 

对于当前计数为NULL的记录(例如您的例子中的ID 2),这也应该可以正常工作,尽管这些记录在您当前的数据状态中显然是错误的(我认为没有理由为什么一个非NULL Property_numberNULL People_at_location,这没有任何意义);

我想您可能希望对新记录的插入执行相同的计算,在这种情况下,您应该将逻辑提取到存储过程,并在触发期间调用该过程而不是复制代码。