pygame:在定局中生成x个随机和不同的坐标

时间:2019-07-07 16:19:18

标签: python python-3.x

对于一个小RPG游戏,我将创建一个包含特定数量值的棋盘。

让我介绍一个例子:

board =[[0, 0, 0, 15, 0, 0, 0, 0, 0, 0],
[0, 0, 15, 0, 15, 0, 0, 0, 0, 0],
[0, 0, 0, 0, 0, 0, 0, 0, 0, 0],
[0, 0, 0, 0, 0, 15, 0, 0, 0, 0],
[0, 0, 0, 0, 0, 0, 0, 0, 0, 0],
[0, 0, 0, 15, 0, 0, 0, 0, 15, 0],
[0, 0, 0, 0, 0, 0, 0, 0, 0, 0],
[0, 15, 0, 0, 0, 0, 0, 15, 0, 0],
[0, 0, 0, 0, 0, 15, 0, 0, 15, 0],
[15, 0, 15, 15, 0, 0, 0, 0, 0, 0]]

这里是10乘10的牌,是值15的13倍。

要获得此结果,我使用了一个程序,可以在板上给出随机坐标。

b2x = []
b2y = []
for i in range(B):
    x = random.randint(0,L-1)
    y = random.randint(0,H-1)
    b2x.append(x)
    b2y.append(y)
    board[x][y] = 15
    print('x : ',x, ' and y : ', y)

一个明显的问题是,我们可以得到两个相似的坐标,这将使值的总数减少一个。

实际上,在第一个示例的面板中,我没有值的数量,因为我向程序询问了15个值,然后返回13。

因此,我尝试不进行坐标检查来解决此问题,现在看来似乎无法正常工作。

    for j in range(len(bo2x)):
        if (x == b2x[j-1]) and (y == b2y[j-1]):
            i -= 1 # affect the for i in range(B) loop

完整代码:

b2x = []
b2y = []
for i in range(B):
    x = random.randint(0,L-1)
    y = random.randint(0,H-1)
    for j in range(len(bo2x)):
        if (x == b2x[j-1]) and (y == b2y[j-1]):
            i -= 1 # affect the for i in range(B) loop
    b2x.append(x)
    b2y.append(y)
    board[x][y] = 15
    print('x : ',x, ' and y : ', y)

因此,经过多次尝试,根本没有任何变化:

random generation
x :  5  and y :  4
x :  1  and y :  3
x :  7  and y :  7
x :  7  and y :  5
x :  0  and y :  7
x :  0  and y :  1
x :  6  and y :  2
x :  3  and y :  6
x :  9  and y :  4
x :  5  and y :  9
x :  6  and y :  8
x :  6  and y :  7
x :  3  and y :  6
x :  3  and y :  7
x :  7  and y :  5
[Finished in 0.2s]

如您所见,行x : 7 and y : 5和行x : 3 and y : 6在这一代中出现了两次。

有人可以帮助我达到预期的结果吗?

  

预期结果(概念):

x :  5  and y :  4
x :  1  and y :  3
x :  7  and y :  7
x :  7  and y :  5
x :  0  and y :  7
x :  0  and y :  1
x :  6  and y :  2
x :  3  and y :  6
x :  9  and y :  4
x :  5  and y :  9
x :  6  and y :  8
x :  6  and y :  7
x :  3  and y :  6
this line already exist !
x :  3  and y :  7
x :  7  and y :  5
this line already exist !
x :  1  and y :  3 
x :  9  and y :  4

board :
[[0, 15, 15, 0, 0, 0, 0, 15, 0, 0],
[0, 0, 0, 15, 0, 0, 0, 0, 0, 0],
[0, 0, 0, 0, 0, 0, 0, 0, 0, 0],
[0, 0, 0, 0, 0, 0, 15, 15, 0, 0],
[0, 0, 0, 0, 0, 0, 0, 0, 0, 0],
[0, 0, 0, 0, 15, 0, 0, 0, 0, 15],
[0, 0, 15, 0, 0, 0, 0, 15, 15, 0],
[0, 0, 0, 0, 0, 15, 0, 15, 0, 0],
[0, 0, 0, 15, 0, 0, 0, 0, 0, 0],
[0, 0, 0, 0, 15, 0, 0, 0, 0, 0]]

1 个答案:

答案 0 :(得分:3)

您要创建LxB板。

L, H = 10, 10

这可以通过一行代码来实现:

board = [[0] * L for _ in range(H)] 

您要在板上不同位置放置一定数量的15次。
生成随机坐标,但如果已将数字分配给索引字段,则跳过坐标:

count = 15
number = 15
b = []
while count > 0:
    x, y = random.randint(0,L-1), random.randint(0,H-1)
    if board[y][x] != number:
        board[y][x] = number
        b.append((x, y))
        count -= 1

for row in board:
    print(row)
print(b)