在插入一篇文章的时候需要用到触发器更新archive表,把月份的文章数加一。
create trigger add_archives_on_insert_article after insert on naughtyblog_article for each row begin SELECT new.date INTO @mdate; select year(@mdate) into @year; select month(@mdate) into @month; update naughtyblog_archives set num=num+1 where year=@year and month=@month; end;
触发器中不能有类似 select @var=new.name等这样的语句。因为这样的select是会返回结果集的。然而,触发器是不能返回任何结果集的。
----------------------------------------------------------------
其实在触发器中,如果发现发文章的年份+月份的数据不存在的话,可以直接插入语句然后再更新数据的。只需要一个if判断就可以。
看代码:
create trigger add_archives_on_insert_article after insert on naughtyblog_article for each row begin SELECT new.date INTO @mdate; select year(@mdate) into @year; select month(@mdate) into @month; if((select count(*) from naughtyblog_archives where year=@year and month=@month)<=0) THEN insert into naughtyblog_archives(num,year,month) values(0,@year,@month); end if; update naughtyblog_archives set num=num+1 where year=@year and month=@month; end;
-------------------------------------------------------------------
如果不用上面的第二种方法,那么,archive表,对于每年都有12个月,所以每年的数据在该表中都有12条记录代表每个月。那么在每年之初,需要插入这12条记录。
可以用一个job来实现。
想要使用job,就要先开启SET GLOBAL event_scheduler = 1;
CREATE EVENT `NewEvent` ON SCHEDULE EVERY 1 YEAR STARTS '2012-12-31 23:59:00' ON COMPLETION NOT PRESERVE ENABLE DO insert into naughtyblog_archives(num,year,month) values (0,year(curdate())+1,'1'), (0,year(curdate())+1,'2'), (0,year(curdate())+1,'3'), (0,year(curdate())+1,'4'), (0,year(curdate())+1,'5'), (0,year(curdate())+1,'6'), (0,year(curdate())+1,'7'), (0,year(curdate())+1,'8'), (0,year(curdate())+1,'9'), (0,year(curdate())+1,'10'), (0,year(curdate())+1,'11'), (0,year(curdate())+1,'12');
这样,每年的年底就会在archives中插入下一年的12个月的数据行。
---------------------------------------------
建议插入文章的时候做一下判断,会好一些。也就是在触发器中用if做判断。