0

我正在尝试运行此代码,以便它为列表的所有元素运行一个函数。出于说明目的,基本上它应该打印:

'----------Possible Word:', possible_word

对于我列表中的所有项目。所以,如果我输入 ['p', 'r', 's'] 它将运行该打印 3 次,每个项目一个。我的代码在下面——当我运行它时,它只运行 p 和 s,而不是 r,这真的很奇怪。有任何想法吗?

def check_matches(input):
print 'Input:', input
for possible_word in input:
    print '----------Possible Word:', possible_word
    valid = True
    for real_word in word_dictionary:
        possible_word_list = list(possible_word)
        real_word_list = list(real_word)
        print possible_word_list
        print real_word_list
        number_of_characters_to_check = len(possible_word_list)
        for x in range(0, number_of_characters_to_check):
            print possible_word_list[x] + real_word_list[x]
            if (possible_word_list[x] != real_word_list[x]):
                valid = False
    if (valid == False):
        input.remove(possible_word)
print all_possible
return input
4

2 回答 2

5

当您运行时,input.remove(possible_word)您正在更改您碰巧迭代的列表的大小,这会导致特殊的结果。一般来说,不要改变你正在迭代的任何东西。

更简洁的例子:

>>> lst = ['a', 'b', 'c']
>>> for el in lst:
    print el
    lst.remove(el)

a
c
于 2012-11-29T22:25:28.020 回答
3

乔恩克莱门茨是对的。你通常不想做这样的事情。但是,我假设您对它有特定的需求。

答案很简单。换行

for possible_word in input:

到这条线

for possible_word in input[:]:

这将制作列表的副本供您迭代。这样,当您删除一个项目时,它不会影响您的循环。

于 2012-11-29T22:28:28.517 回答