在Python中模拟do-while循环?

时间:2009-04-13 06:18:43

标签: python while-loop do-while

我需要在Python程序中模拟do-while循环。不幸的是,以下简单的代码不起作用:

list_of_ints = [ 1, 2, 3 ]
iterator = list_of_ints.__iter__()
element = None

while True:
  if element:
    print element

  try:
    element = iterator.next()
  except StopIteration:
    break

print "done"

而不是“1,2,3,done”,它打印以下输出:

[stdout:]1
[stdout:]2
[stdout:]3
None['Traceback (most recent call last):
', '  File "test_python.py", line 8, in <module>
    s = i.next()
', 'StopIteration
']

我可以做些什么来捕捉'停止迭代'异常并打破一段时间 循环好吗?

为什么可能需要这样的东西的一个例子如下所示为伪代码。

状态机:

s = ""
while True :
  if state is STATE_CODE :
    if "//" in s :
      tokens.add( TOKEN_COMMENT, s.split( "//" )[1] )
      state = STATE_COMMENT
    else :
      tokens.add( TOKEN_CODE, s )
  if state is STATE_COMMENT :
    if "//" in s :
      tokens.append( TOKEN_COMMENT, s.split( "//" )[1] )
    else
      state = STATE_CODE
      # Re-evaluate same line
      continue
  try :
    s = i.next()
  except StopIteration :
    break

18 个答案:

答案 0 :(得分:840)

我不确定你要做什么。你可以像这样实现一个do-while循环:

while True:
  stuff()
  if fail_condition:
    break

或者:

stuff()
while not fail_condition:
  stuff()

你在尝试使用do while循环打印列表中的内容是什么?为什么不直接使用:

for i in l:
  print i
print "done"

更新

那么你有一个行列表吗?你想继续迭代吗?怎么样:

for s in l: 
  while True: 
    stuff() 
    # use a "break" instead of s = i.next()

这看起来像你想要的东西吗?使用您的代码示例,它将是:

for s in some_list:
  while True:
    if state is STATE_CODE:
      if "//" in s:
        tokens.add( TOKEN_COMMENT, s.split( "//" )[1] )
        state = STATE_COMMENT
      else :
        tokens.add( TOKEN_CODE, s )
    if state is STATE_COMMENT:
      if "//" in s:
        tokens.append( TOKEN_COMMENT, s.split( "//" )[1] )
        break # get next s
      else:
        state = STATE_CODE
        # re-evaluate same line
        # continues automatically

答案 1 :(得分:269)

这是一种模拟do-while循环的简单方法:

condition = True
while condition:
    # loop body here
    condition = test_loop_condition()
# end of loop

do-while循环的关键特性是循环体总是至少执行一次,并且在循环体的底部评估条件。这里显示的控制结构完成了这两个,不需要异常或break语句。它确实引入了一个额外的布尔变量。

答案 2 :(得分:68)

我的下面的代码可能是一个有用的实现,突出显示之间的主要区别,正如我所理解的那样。

所以在这种情况下,你总是至少经历一次循环。

first_pass = True
while first_pass or condition:
    first_pass = False
    do_stuff()

答案 3 :(得分:32)

异常会破坏循环,所以你也可以在循环之外处理它。

try:
  while True:
    if s:
      print s
    s = i.next()
except StopIteration:   
  pass

我猜您的代码存在的问题是break except内部的行为未定义。通常break仅上升一级,例如break内的try直接转到finally(如果存在)一个try,但不在循环之外。

相关PEP:http://www.python.org/dev/peps/pep-3136
相关问题:Breaking out of nested loops

答案 4 :(得分:31)

do {
  stuff()
} while (condition())

- &GT;

while True:
  stuff()
  if not condition():
    break

你可以做一个功能:

def do_while(stuff, condition):
  while condition(stuff()):
    pass

但是 1)这很难看。 2)条件应该是一个带有一个参数的函数,应该用东西填充(这是使用经典while循环的唯一原因。)

答案 5 :(得分:16)

这是一个不同模式的疯狂解决方案 - 使用协同程序。代码仍然非常相似,但有一个重要区别;根本没有退出条件!当你停止向数据提供数据时,协程(真正的协同链)就会停止。

def coroutine(func):
    """Coroutine decorator

    Coroutines must be started, advanced to their first "yield" point,
    and this decorator does this automatically.
    """
    def startcr(*ar, **kw):
        cr = func(*ar, **kw)
        cr.next()
        return cr
    return startcr

@coroutine
def collector(storage):
    """Act as "sink" and collect all sent in @storage"""
    while True:
        storage.append((yield))

@coroutine      
def state_machine(sink):
    """ .send() new parts to be tokenized by the state machine,
    tokens are passed on to @sink
    """ 
    s = ""
    state = STATE_CODE
    while True: 
        if state is STATE_CODE :
            if "//" in s :
                sink.send((TOKEN_COMMENT, s.split( "//" )[1] ))
                state = STATE_COMMENT
            else :
                sink.send(( TOKEN_CODE, s ))
        if state is STATE_COMMENT :
            if "//" in s :
                sink.send(( TOKEN_COMMENT, s.split( "//" )[1] ))
            else
                state = STATE_CODE
                # re-evaluate same line
                continue
        s = (yield)

tokens = []
sm = state_machine(collector(tokens))
for piece in i:
    sm.send(piece)

上面的代码将所有令牌收集为tokens中的元组,我假设原始代码中.append().add()之间没有区别。

答案 6 :(得分:10)

我这样做的方式如下...

condition = True
while condition:
     do_stuff()
     condition = (<something that evaluates to True or False>)

在我看来,这是一个简单的解决方案,很惊讶我还没有在这里看到它。显然,这也可以转化为

while not condition:

答案 7 :(得分:10)

用于包含try语句的do-while循环

loop = True
while loop:
    generic_stuff()
    try:
        questionable_stuff()
#       to break from successful completion
#       loop = False  
    except:
        optional_stuff()
#       to break from unsuccessful completion - 
#       the case referenced in the OP's question
        loop = False
   finally:
        more_generic_stuff()

或者,当不需要'finally'子句时

while True:
    generic_stuff()
    try:
        questionable_stuff()
#       to break from successful completion
#       break  
    except:
        optional_stuff()
#       to break from unsuccessful completion - 
#       the case referenced in the OP's question
        break

答案 8 :(得分:7)

快速入侵:

def dowhile(func = None, condition = None):
    if not func or not condition:
        return
    else:
        func()
        while condition():
            func()

像这样使用:

>>> x = 10
>>> def f():
...     global x
...     x = x - 1
>>> def c():
        global x
        return x > 0
>>> dowhile(f, c)
>>> print x
0

答案 9 :(得分:7)

while condition is True: 
  stuff()
else:
  stuff()

答案 10 :(得分:6)

Python 3.8有答案。

这称为赋值表达式。来自documentation

# Loop over fixed length blocks
while (block := f.read(256)) != '':
    process(block)

答案 11 :(得分:4)

你为什么不这样做

for s in l :
    print s
print "done"

答案 12 :(得分:1)

如果您正处于循环而资源不可用或类似的情况下抛出异常的情况,您可以使用类似

的内容
import time

while True:
    try:
       f = open('some/path', 'r')
    except IOError:
       print('File could not be read. Retrying in 5 seconds')   
       time.sleep(5)
    else:
       break

答案 13 :(得分:1)

看看这是否有帮助:

在异常处理程序中设置一个标志,并在处理s之前检查它。

flagBreak = false;
while True :

    if flagBreak : break

    if s :
        print s
    try :
        s = i.next()
    except StopIteration :
        flagBreak = true

print "done"

答案 14 :(得分:1)

你想知道:

<块引用>

我该怎么做才能捕获“停止迭代”异常并正确中断 while 循环?

您可以按如下所示进行操作,并且还利用了 Python 3.8 中引入的 assignment expressions 功能(又名“海象运算符”):

// make today highlight in red
.fc-day-today {
  border: 1px solid red !important;
  .fc-timeline-slot-frame {
      border-top: 1px solid red !important; 
  }
}
.fc-day-today + .fc-day-future {
  border-left: 1px solid red !important;
}

另一种可能性(适用于 Python 2.6 到 3.x)是向内置 next() 函数提供 list_of_ints = [1, 2, 3] iterator = iter(list_of_ints) try: while (element := next(iterator)): print(element) except StopIteration: print("done") 参数以避免 { {1}} 例外:

default

答案 15 :(得分:1)

我相信 Python 上的 do-while 模拟的语法格式最接近 C 和 Java 中的 do-while 结构格式。

do = True
while do:
    [...]
    do = <condition>

答案 16 :(得分:0)

对我来说,典型的while循环将是这样的:

xBool = True
# A counter to force a condition (eg. yCount = some integer value)

while xBool:
    # set up the condition (eg. if yCount > 0):
        (Do something)
        yCount = yCount - 1
    else:
        # (condition is not met, set xBool False)
        xBool = False

如果情况允许,我也可以在while循环中包含一个 for..loop

答案 17 :(得分:0)

内置的iter函数专门用于:

for x in iter(YOUR_FN, TERM_VAL):
    ...

例如(在Py2和3中测试):

class Easy:
  X = 0
  @classmethod
  def com(cls):
    cls.X += 1
    return cls.X

for x in iter(Easy.com, 10):
  print(">>>", x)

如果要提供一个终止条件而不是值,则始终可以设置一个相等性,并要求该相等性为True