我需要在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

当前回答

我相信python上的这个do-while模拟的语法格式与C和Java中呈现的do-while结构格式最接近。

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

其他回答

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

->

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

你可以做一个函数:

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

但 1)它很丑。 2) Condition应该是一个只有一个参数的函数,应该由东西填充(这是不使用经典while循环的唯一原因)。

看看这是否有帮助:

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

flagBreak = false;
while True :

    if flagBreak : break

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

print "done"

内置的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。

我是这样做的……

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

对我来说,这似乎是一个简单的解决方案,我很惊讶我还没有在这里看到它。这显然也可以被颠倒

while not condition:

etc.

异常将打破循环,所以您不妨在循环之外处理它。

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

我猜你的代码的问题是,除了没有定义内部中断的行为。通常break只上一层,例如try内部的break直接进入finally(如果存在的话)一个out of try,而不是out of循环。

相关PEP: http://www.python.org/dev/peps/pep-3136 相关问题:打破嵌套循环