183

在 Bash 中模拟 do-while 循环的最佳方法是什么?

我可以在进入while循环之前检查条件,然后继续重新检查循环中的条件,但这是重复的代码。有没有更清洁的方法?

我的脚本的伪代码:

while [ current_time <= $cutoff ]; do
    check_if_file_present
    #do other stuff
done

check_if_file_present如果在该时间之后启动,这不会执行$cutoff,而 do-while 会。

4

4 回答 4

281

两个简单的解决方案:

  1. 在while循环之前执行一次你的代码

    actions() {
       check_if_file_present
       # Do other stuff
    }
    
    actions #1st execution
    while [ current_time <= $cutoff ]; do
       actions # Loop execution
    done
    
  2. 或者:

    while : ; do
        actions
        [[ current_time <= $cutoff ]] || break
    done
    
于 2013-05-10T19:59:06.050 回答
167

将循环体while放在测试之后和测试之前。循环的实际主体while应该是空操作。

while 
    check_if_file_present
    #do other stuff
    (( current_time <= cutoff ))
do
    :
done

continue如果您发现它更具可读性,则可以使用冒号而不是冒号。您还可以插入仅在迭代之间运行的命令(而不是在第一次之前或最后一次之后),例如echo "Retrying in five seconds"; sleep 5. 或打印值之间的分隔符:

i=1; while printf '%d' "$((i++))"; (( i <= 4)); do printf ','; done; printf '\n'

我将测试更改为使用双括号,因为您似乎在比较整数。在双方括号内,比较运算符如<=是词法的,例如在比较 2 和 10 时会给出错误的结果。这些运算符不能在单个方括号内工作。

于 2013-05-10T22:10:39.087 回答
14

这个实现:

  • 没有代码重复
  • 不需要额外的功能()
  • 不依赖于循环“while”部分中代码的返回值:
do=true
while $do || conditions; do
  do=false
  # your code ...
done

它也适用于读取循环,跳过第一次读取:

do=true
while $do || read foo; do
  do=false

  # your code ...
  echo $foo
done
于 2020-08-05T19:08:15.947 回答
6

我们可以在 Bash 中模拟一个 do-while 循环,while [[condition]]; do true; done如下所示:

while [[ current_time <= $cutoff ]]
    check_if_file_present
    #do other stuff
do true; done

举个例子。这是我在 bash 脚本中获取ssh 连接的实现:

#!/bin/bash
while [[ $STATUS != 0 ]]
    ssh-add -l &>/dev/null; STATUS="$?"
    if [[ $STATUS == 127 ]]; then echo "ssh not instaled" && exit 0;
    elif [[ $STATUS == 2 ]]; then echo "running ssh-agent.." && eval `ssh-agent` > /dev/null;
    elif [[ $STATUS == 1 ]]; then echo "get session identity.." && expect $HOME/agent &> /dev/null;
    else ssh-add -l && git submodule update --init --recursive --remote --merge && return 0; fi
do true; done

它将按如下顺序给出输出:

Step #0 - "gcloud": intalling expect..
Step #0 - "gcloud": running ssh-agent..
Step #0 - "gcloud": get session identity..
Step #0 - "gcloud": 4096 SHA256:XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX /builder/home/.ssh/id_rsa (RSA)
Step #0 - "gcloud": Submodule '.google/cloud/compute/home/chetabahana/.docker/compose' (git@github.com:chetabahana/compose) registered for path '.google/cloud/compute/home/chetabahana/.docker/compose'
Step #0 - "gcloud": Cloning into '/workspace/.io/.google/cloud/compute/home/chetabahana/.docker/compose'...
Step #0 - "gcloud": Warning: Permanently added the RSA host key for IP address 'XXX.XX.XXX.XXX' to the list of known hosts.
Step #0 - "gcloud": Submodule path '.google/cloud/compute/home/chetabahana/.docker/compose': checked out '24a28a7a306a671bbc430aa27b83c09cc5f1c62d'
Finished Step #0 - "gcloud"
于 2019-09-03T17:25:08.390 回答