linux 系统shell脚本防止同一时间被多次重复执行
前言
当shell脚本中需要执行的步骤较多、耗时较长时,为了避免脚本被其它进程重复执行导致操作逻辑被打乱,需要使该脚本同一时间内只能被一个进程执行,类似C# 中的lock 代码块操作,确保线程安全
代码
#!/bin/bash
# 创建文件锁路径
lock_file=/tmp/my_script.lock
# 信号处理函数
function cleanup() {
rm -f "$lock_file"
exit 1
}
# 在中断和退出脚本执行时,删除掉文件锁
# trap cleanup 2 Exit 不能写在这里,不然第一次重复访问时触发退出逻辑,会把文件直接删除
# 使用 flock 命令创建文件锁并执行脚本
(
flock -n 9 || {echo "script is executing by another process! exited";exit 1;}
# 在中断和退出脚本执行时,删除掉文件锁
trap cleanup 2 Exit
# 此处为脚本主要内容
echo "Start executing the script..."
#do something
echo "Finish executing the script."
exit 0
) 9>"$lock_file"