0

我创建了一个字典,其中的条目是这样的列表:

new_dict
{0: ['p1', 'R', 'p2', 'S'], 1: ['p3', 'R', 'p4', 'P'], 2: ['p5', 'R', 'p6', 'S'], 3:   ['p7', 'R', 'p8', 'R'], 4: ['p9', 'P', 'p10', 'S'], 5: ['p11', 'R', 'p12', 'S'], 6: ['p13', 'S', 'p14', 'S']}  

从这里我试图检查列表中的元素是否在下面的列表中Moves。例如,在 new_dict[0] 中,我想检查 中的第一个元素和第三个元素Moves,如果不是,则引发类异常。(这是代码片段。)

class NoStrategyError(Exception): pass

j=0
while j < len(new_dict):
    i = 0
    while i < 4:
        # Write the code for the NoSuchStratgyError 
        Moves = ['R', 'S', 'P', 'r', 's', 'p']
        if new_dict[j][1+4*i] not in Moves or new_dict[j][3+4*i] not in Moves:
            raise NoStrategyError("No such strategy exists!")
        i+=1
    j+=1

现在这是问题所在,当我运行它时,出现以下错误:

if new_dict[j][1+4*i] not in Moves or new_dict[j][3+4*i] not in Moves: IndexError: list index out of range

这是什么意思?

有没有更好的方法来编写内部while loop?并将其改为for loop? 像,for elem in new_dict[j]

4

1 回答 1

1

请注意,在嵌套循环的第一次交互中,我们看到以下值都在 Moves 中:

>>>new_dict[0][1], new_dict[0][3] 
('R', 'S')

但是,在嵌套循环的第二次迭代中,您正在尝试评估字典中未包含的术语:

>>>new_dict[1][5], new_dict[1][7]
IndexError: list index out of range

注意 new_dict[1] 只有 4 个元素:

>>>new_dict[1]
['p3', 'R', 'p4', 'P']

所以只能引用new_dict[1][0],new_dict[1][1],new_dict[1][2],new_dict[1][3]:

>>>new_dict[1][0],new_dict[1][1],new_dict[1][2],new_dict[1][3]
('p3', 'R', 'p4', 'P')
于 2013-06-29T07:06:38.713 回答