1
class world:
    def __init__(self, screen_size):
        self.map = [[0 for col in range(500)] for row in range(500)]
        self.generate()

    def generate(self):
        for x in range(0, len(self.map[0])):
            for y in range(0, len(self.map)):
                kind = random.randint(0, 100)
                if kind <= 80:
                    self.map[x][y] = (random.randint(0, 255),random.randint(0, 255),random.randint(0, 255))
                else:
                    self.map[x][y] = (random.randint(0, 255),random.randint(0, 255),random.randint(0, 255))
        print self.map[50][50], self.map[-50][-50]
printing => (87, 92, 0) (31, 185, 156)

负值怎么可能不会超出范围?它应该抛出 IndexError。

4

3 回答 3

3

使用负数从列表的最后开始倒计时,这就是它们仍然有效的原因。

于 2013-10-03T18:40:00.633 回答
1

当您对列表进行索引时,负值表示从末尾开始的 N 个值。所以,-1 是最后一项,-5 是倒数第 5 项,等等。一旦你习惯了它,它实际上非常有用。

于 2013-10-03T18:40:14.990 回答
1

我认为这可以通过演示来最好地解释:

>>> a = [1, 2, 3, 4]
>>> a[-1]
4
>>> a[-2]
3
>>> a[-3]
2
>>> a[-4]
1
>>> # This blows up because there is no item that is
>>> # 5 positions from the end (counting backwards).
>>> a[-5]
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
IndexError: list index out of range
>>>

如您所见,负索引在列表中后退。

为了进一步解释,您可以阅读此链接的第 3.7 节,其中讨论了使用列表进行负索引。

于 2013-10-03T18:48:18.097 回答