循环休息时的python

时间:2013-01-14 18:18:44

标签: python

我正在尝试为我的程序制作一个开/关开关: (请参阅###之后我正在谈论的内容)

while 1:
    str = raw_input("insert your word: ")
    n = input("insert your scalar: ")
    def string_times(str, n):
        return n * str
    print string_times(str, n)

    ###
    def switch(on,off):
        raw_input("On or off? ")
        if switch == "on":
            continue
        if switch == "off":
            break
    switch(on,off)

我得到一个继续不循环错误。基本上,我想在程序运行一次后创建一个on或off开关。我该怎么办?

1 个答案:

答案 0 :(得分:10)

您不能在嵌套函数中使用breakcontinue。请改用函数的返回值:

def switch():
    resp = raw_input("On or off? ")
    return resp == "on":

while True:
    # other code

    if not switch():
        break

请注意,在循环中定义函数没有什么意义。在循环之前定义它们,因为创建函数对象需要一些性能(尽管很少)。

switch()函数不需要参数(根本不使用它们),也不需要continue。如果你没有突破循环,那么当你到达终点时它将从顶部继续。

如果您希望循环再次从顶部开始在循环中跳过其余代码,则只需要continue

count = 0
while True:
    count += 1
    print count
    if loop % 2 == 0:
        continue

    print 'We did not continue and came here instead.'

    if count >= 3:
        break

    print 'We did not break out of the loop.'