1

在 Python 列表中,我希望删除的条目仍然存在,并且另一个条目被删除。这是为什么?

这是有问题的代码:

def getAdjacent(pos, bounds):
    posibles = [
    [pos[0]-1, pos[1]],
    [pos[0]+1, pos[1]],
    [pos[0], pos[1]-1],
    [pos[0], pos[1]+1]]
    for p in posibles:
        if isOutside(p,bounds):
            posibles.remove(p)
    return posibles


def isOutside(pos, bounds):
    if pos[0] > bounds[0]-1 or pos[0] < 0 or pos[1] < 0 or pos[1] > bounds[1]-1:
        return True
    else:
        return False

以下是反映问题的一些输入和输出:

In [13]: bounds = [10, 10]

In [14]: p = [9,0]

In [15]: getAdjacent(p, bounds)
Out[15]: [[8, 0], [9, -1], [9, 1]]

In [16]: isOutside([9, -1], bounds)
Out[16]: True

In [17]: isOutside([9, 1], bounds)
Out[17]: False

现在为什么当 getAdjacent() 删除所有导致 isOutside() 返回 True 的元素时 [9, -1] 仍在 getAdjacent() 中?为什么 [10, 0] 还在那里?这是一个量级的事情吗?

4

1 回答 1

8

不要从您正在迭代的列表中删除元素:

for p in posibles:
    if isOutside(p,bounds):
        posibles.remove(p)

这会混淆迭代并导致跳过条目。我会把它写成

possibles = [p for p in possibles if not isOutside(p, bounds)]
于 2012-05-18T14:21:36.713 回答