我希望能够在Linux Shell(bash)上运行一定时间并在不同时间睡眠。我写了类似下面的代码片段。但是,我只看到睡眠正确发生,但是在第一次执行后执行停止。
#!/bin/bash
some_work(){
echo "Working for $1 minutes"
if [ $1 -gt 0 ]
then
echo "Setting timer for $1 minutes"
run_end_time=$(($1 * 60))
start_time=SECONDS
curr_time=SECONDS
while $((curr_time < $((start_time + run_end_time)) )) :
do
#Do some work here
curr_time=SECONDS
done
fi
}
sleep_time(){
echo "Sleeping for $1 minutes"
sleep $(($1 * 60))
}
if [ $# -gt 1 ]
then
echo "Starting Steeplechase run for $1/$2"
while :
do
some_work $1
sleep_time $2
done
fi
我得到的响应是./script.sh:第30行:1:未找到。也许我在这里想念一些重要的事情。
最佳答案
一些问题:
条件构造是while (( ... )); do
而不是while $(( ... )); do
行尾的冒号
while $((curr_time < $((start_time + run_end_time)) )) :
一定不能在那里。
需要变量的值时,您要分配字符串
SECONDS
。分配看起来应该像var=$SECONDS
而不是var=SECONDS
。完整的脚本,有一些建议和我的缩进思想:
#!/bin/bash
some_work () {
echo "Working for $1 minutes"
if (( $1 > 0 )); then
echo "Setting timer for $1 minutes"
run_end_time=$(($1 * 60))
start_time=$SECONDS
curr_time=$start_time # Want this to be the same value
while ((curr_time < $((start_time + run_end_time)) )); do
#Do some work here
curr_time=$SECONDS
done
fi
}
sleep_time () {
echo "Sleeping for $1 minutes"
sleep $(($1 * 60))
}
if (( $# > 1 )); then
echo "Starting Steeplechase run for $1/$2"
while true; do
some_work $1
sleep_time $2
done
fi
关于linux - 运行Shell脚本一定时间,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/34601943/