node中的定時任務
node-schedule每次都是通過新建一個scheduleJob對象來執行具體方法。
時間數值按下表表示
* * * * * *
┬ ┬ ┬ ┬ ┬ ┬
│ │ │ │ │ |
│ │ │ │ │ └ [dayOfWeek]day of week (0 - 7) (0 or 7 is Sun)
│ │ │ │ └─── [month]month (1 - 12)
│ │ │ └────── [date]day of month (1 - 31)
│ │ └───────── [hour]hour (0 - 23)
│ └──────────── [minute]minute (0 - 59)
└─────────────── [second]second (0 - 59, OPTIONAL)
指定時間有兩種方式
1 字符串指定
*之間一定要加空格,否則不執行
每到秒數為4的倍數時執行
在秒位*後加/4 和後面的*之間要有空格
schedule.scheduleJob(‘*/4 * * * * *‘,function (){
dosomething
});
每到秒數為4時執行
在秒位*後加4 ,和後面的*之間要有空格
schedule.scheduleJob(‘*4 * * * * *‘,function (){
dosomething
});
‘4 * * * *‘每到分鐘數為4時執行
‘*/4 * * * *‘每到分鐘數為4的倍數時執行
2 時間對象指定
使用node-schedule在指定時間執行方法
var schedule = require(‘node-schedule‘);
var date = new Date(2015, 11, 16, 16, 43, 0);
var j = schedule.scheduleJob(date, function(){
console.log(‘現在時間:‘,new Date());
});
在2015年12月16日16點43分0秒,打印當時時間
指定時間間隔執行方法
var rule = new schedule.RecurrenceRule();
rule.second = 10;
var j = schedule.scheduleJob(rule, function(){
console.log(‘現在時間:‘,new Date());
});
這是每當秒數為10時打印時間。如果想每隔10秒執行,設置 rule.second =[0,10,20,30,40,50]即可。
rule支持設置的值有second,minute,hour,date,dayOfWeek,month,year
同理:
每秒執行就是rule.second =[0,1,2,3......59]
每分鐘0秒執行就是rule.second =0
每小時30分執行就是rule.minute =30;rule.second =0;
每天0點執行就是rule.hour =0;rule.minute =0;rule.second =0;
....
每月1號的10點就是rule.date =1;rule.hour =10;rule.minute =0;rule.second =0;
每周1,3,5的0點和12點就是rule.dayOfWeek =[1,3,5];rule.hour =[0,12];rule.minute =0;rule.second =0;
var schedule = require(‘node-schedule‘);
var date = new Date().toLocaleTimeString();
var rule = new schedule.RecurrenceRule();
rule.date =26;
rule.hour =23;
rule.minute =6;
rule.second =30;
var j = schedule.scheduleJob(rule, function(){
console.log(‘現在時間:‘,date);
});輸出結果
E:\node>node test.js
現在時間: 23:06:22
node中的定時任務