如何在 Python 中'ignore'索引超出范围错误



我的老师给我安排了一项任务,让我制作一个Python版本的《生命的游戏》,所以在我完成大部分代码之后。我陷入了一个我认为很常见的问题:角落和边缘没有8个邻居。因此,使用以下代码会给我一个索引超出范围的异常:

neighbors = (a[x-1][y-1]+a[x-1][y]+a[x-1][y+1]+a[x][y-1]+a[x][y+1]
             +a[x+1][y-1]+a[x+1][y]+a[x+1][y+1])

因此,我不想使用大量的if语句,而是想捕获超出范围的索引并传递值0。我该怎么做?

使您的实际板宽、长2个单元格,用零填充边距,并使用从1length (or width)-2的索引。

我会编写一个辅助函数,您可以调用它来返回值或零(伪代码):

def getValue(x, y)
   if x < 0 or y < 0 or x > xbound or y > ybound:
       return 0
   return a[x][y]

然后您可以使用不同的参数多次调用getValue

我会用一个函数调用来代替你的长表达式,调用如下:

def neighbors(a, x, y):
    total = 0
    for dx, dy in [(-1, -1), (-1, 0), (-1, 1),
                   ( 0, -1),          ( 0, 1),
                   ( 1, -1), ( 1, 0), ( 1, 1)]:
        try:
            total += a[x+dx][y+dy]
        except IndexError:
            pass
    return total

由于只有八个可能的邻居,为了获得最大速度,您可能需要考虑为以下内容展开上面的循环:

def neighbors(a, x, y):
    xm1, xp1, ym1, yp1 = x-1, x+1, y-1, y+1
    total = 0
    try:
        total += a[xm1][ym1]
    except IndexError:
        pass
    try:
        total += a[xm1][y]
    except IndexError:
        pass
    try:
        total += a[xm1][yp1]
    except IndexError:
        pass
    try:
        total += a[x][ym1]
    except IndexError:
        pass
    try:
        total += a[x][yp1]
    except IndexError:
        pass
    try:
        total += a[xp1][ym1]
    except IndexError:
        pass
    try:
        total += a[xp1][y]
    except IndexError:
        pass
    try:
        total += a[xp1][yp1]
    except IndexError:
        pass
    return total

创建一个函数来检查每个位置的每个x,y的替代方法将需要九个函数调用来计算相同的值(以及每次对非平凡条件表达式的求值)。

相关内容

  • 没有找到相关文章

最新更新