Linux 上可以利用cron,实现任务的调度,比如每晚八点半执行一个php脚本。
或者是调用shell脚本等
只需要编辑cron配置就行了
打开终端输入:
crontab -e
此时会提示:
no crontab for root - using an empty one
Select an editor. To change later, run 'select-editor'.
1. /bin/ed
2. /bin/nano <---- easiest
3. /usr/bin/vim.basic
4. /usr/bin/vim.tiny
Choose 1-4 [2]: 2
crontab: installing new crontab
选择2 使用nano编辑,如果你习惯vi可以选3,4.
之后就可以编辑cron配置文件了:
# Edit this file to introduce tasks to be run by cron.
#
# Each task to run has to be defined through a single line
# indicating with different fields when the task will be run
# and what command to run for the task
#
# To define the time you can provide concrete values for
# minute (m), hour (h), day of month (dom), month (mon),
# and day of week (dow) or use '*' in these fields (for 'any').#
# Notice that tasks will be started based on the cron's system
# daemon's notion of time and timezones.
#
# Output of the crontab jobs (including errors) is sent through
# email to the user the crontab file belongs to (unless redirected).
#
# For example, you can run a backup of all your user accounts
# at 5 a.m every week with:
# 0 5 * * 1 tar -zcf /var/backups/home.tgz /home/
#
# For more information see the manual pages of crontab(5) and cron(8)
#
# m h dom mon dow command
30 20 * * * php /path/your.php
配置的含义:
第一个参数 分钟 (0-59)
第二个参数 小时 (0-23)
第三个参数 日期 (1-31)
第四个参数 月份 (1-12)
第五个参数 星期 (0-6)//0代表星期天
30 20 * * * 就表示每天晚上八点半 执行后面的指令(php /path/your.php)
在晚上八点半的时候,php果然被执行了。
这种语法很灵活,其实不但可以配置,每天固定时刻执行。
还可以配置从哪个时间段内,每隔多长时间执行一次。
jenkins的任务也是用这种方法来配置的。
处理任务间的冲突
后面,还需要加一些比较频繁的任务,比如1分钟1次的。
忽然想起一个问题,如果超过1分钟上次任务还没完成怎么办?
别急人家早就处理了。
引用一下别人的文章(crontab 解决周期内未执行完重复执行):
利用 flock(FreeBSD lockf,CentOS下为 flock),在脚本执行前先检测能否获取某个文件锁,以防止脚本运行冲突。
格式:
flock [-sxun][-w #] fd#
flock [-sxon][-w #] file [-c] command
选项:
-s, --shared: 获得一个共享锁
-x, --exclusive: 获得一个独占锁
-u, --unlock: 移除一个锁,脚本执行完会自动丢弃锁
-n, --nonblock: 如果没有立即获得锁,直接失败而不是等待
-w, --timeout: 如果没有立即获得锁,等待指定时间
-o, --close: 在运行命令前关闭文件的描述符号。用于如果命令产生子进程时会不受锁的管控
-c, --command: 在shell中运行一个单独的命令
-h, --help 显示帮助
-V, --version: 显示版本
锁类型:
共享锁:多个进程可以使用同一把锁,常被用作读共享锁
独占锁:同时只允许一个进程使用,又称排他锁,写锁。
这里我们需要同时只允许一个进程使用,所以使用独占锁。
修改后的定时任务如下:
*/1 * * * * flock -xn /tmp/test.lock -c 'php /home/phachon/cron/test.php' >> /home/phachon/cron/cron.log'
网友评论