Python 2048游戏

时间:2019-10-15 12:16:34

标签: python list 2048

作为一个初学者,我开始编写2048游戏。我制作了矩阵并将其填充为0。然后,我想编写一个循环遍历整个矩阵并找到所有0值的函数。然后保存0值的坐标,然后将其替换为2或4个值。我做了一个随机变量来选择2或4之间的值。问题是,我真的不知道如何将0值的x和y坐标推入and数组,然后读取它们。




table = [[0, 0, 0, 0],
         [0, 0, 0, 0],
         [0, 0, 0, 0],
         [0, 0, 0, 0]]


options = []



def saveOptions(i, j):
     options.append([{i , j}])
     return options




def optionsReaderandAdder(options):
    if len(options) > 0:
        spot = random.random(options)
        r = random.randint(0, 1)
        if r > 0.5:
            table  <-------- THIS IS THE LINE WHERE I WOULD LIKE TO CHANGE THE VALUE OF THE 0 TO 2 OR 4.










def optionsFinder():
    for i in range(4):
        for j in range(4):
            if table[i][j] == 0:
                saveOptions(i, j)

    optionsReaderandAdder(options)


addNumber()

print('\n'.join([''.join(['{:4}'.format(item) for item in row])
                 for row in table]))

1 个答案:

答案 0 :(得分:2)

您可以遍历表的行和列:

for row in table:
    for element in row:
        if element == 0:
             # now what?

我们不知道坐标是什么。

Python有一个名为enumerate的有用函数。我们可以像以前一样迭代,但是我们也可以将索引或位置放入数组中。

zeroes = []

for i, row in enumerate(table):
    for j, element in enumerate(row):
        if element == 0:
             zeroes.append((i, j))

然后我们可以将所有值设置为2

for i, j in zeroes:
    table[i][j] = 2

您的随机代码看起来不错。