在上一节当中, 我们已经可以绘制成组的图形,在游戏中,我们需要创建随机的,成对的图形组合,如何实现?
(1) 我们已经创建了7种颜色, 首先, 将它们放入一个元组(tuple)中, 这就是我们在游戏中要使用的所有颜色。
ALLCOLORS = (RED, GREEN, BLUE, YELLOW, ORANGE, PUPPLE, CYAN)
(2) 定义游戏中要使用的5种形状
DONUT = 'donut'
SQUARE = 'square'
DIAMOND = 'diamond'
LINES = 'lines'
OVAL = 'oval'
ALLSHAPES = (DONUT, SQUARE, DIAMOND, LINES, OVAL)
(3) 创建一个能生成所有颜色形状的随机组合的函数
def getRandomizedBoard():
icons = [] # 用列表保存
for color in ALLCOLORS:
for shape in ALLSHAPES:
icons.append((shape, color))
random.shuffle(icons) # 打乱序列
numIconsUsed = int(BOARD_WIDTH * BOARD_HEIGHT / 2) # 计算要使用的图形数
icons = icons[:numIconsUsed] * 2 # 根据要使用的图形数截取出来图形, 并翻倍配对
random.shuffle(icons) # 再次打乱图形
(4) 将随机的图形放入图形组列表
board = []
for x in range(BOARD_WIDTH):
column = []
for y in range(BOARD_HEIGHT):
column.append(icons[0])
del icons[0]
board.append(column)
(5) 这样, 就有了一个随机图形按图形组序列排好的图形组, 结合上面的内容, 这个函数最后内容如下:
def getRandomizedBoard():
icons = []
for color in ALLCOLORS:
for shape in ALLSHAPES:
icons.append((shape, color))
random.shuffle(icons)
numIconsUsed = int(BOARD_WIDTH * BOARD_HEIGHT / 2)
icons = icons[:numIconsUsed] * 2
random.shuffle(icons)
board = []
for x in range(BOARD_WIDTH):
column = []
for y in range(BOARD_HEIGHT):
column.append(icons[0])
del icons[0]
board.append(column)
return board
(6) 最后,我们还需要一个能根据行列信息返回形状和颜色的函数
def getShapeAndColor(board, boxx, boxy):
return board[boxx][boxy][0], board[boxx][boxy][1]
在下一节中,我们将对这些创建的随机组合图形进行绘制。