Pygame Sprite模块
在我们的游戏窗口中绘制并可以移动的任何位图都被称为Sprite。pygame.sprite模块包含了在游戏开发中有用的类和功能。除了一个Sprite类用于创建Sprite对象的集合外,还有一些函数可以使Sprite对象发生碰撞。
Sprite类作为游戏中不同对象的基类。你可能需要将一个或多个对象放入组中,为此,还提供了组类。
首先让我们通过继承sprite.Sprite类来开发一个Sprite类。这个Block类的每个对象都是一个填充了黑色的矩形块。
class Block(pygame.sprite.Sprite):
def __init__(self, color, width, height):
super().__init__()
self.image = pygame.Surface([width, height])
self.image.fill(color)
self.rect = self.image.get_rect()
我们将创建50个块对象并将它们放入列表中。
for i in range(50):
block = Block(BLACK, 20, 15)
# Set a random location for the block
block.rect.x = random.randrange(screen_width)
block.rect.y = random.randrange(screen_height)
# Add the block to the list of objects
block_list.add(block)
all_sprites_list.add(block)
我们创建一个红色的块并命名为player,并将它添加到列表中。
# Create a RED player block
player = Block(RED, 20, 15)
all_sprites_list.add(player)
在游戏的事件循环中,检测红色块(玩家)随着鼠标移动和黑色块之间的碰撞,并计数碰撞次数。
示例
事件循环代码如下所示 –
while not done:
for event in pygame.event.get():
if event.type == pygame.QUIT:
done = True
# Clear the screen
screen.fill(WHITE)
# Get the current mouse position. This returns the position
# as a list of two numbers.
pos = pygame.mouse.get_pos()
# Fetch the x and y out of the list,
# just like we'd fetch letters out of a string.
# Set the player object to the mouse location
player.rect.x = pos[0]
player.rect.y = pos[1]
# See if the player block has collided with anything.
blocks_hit_list = pygame.sprite.spritecollide(player, block_list, True)
# Check the list of collisions.
for block in blocks_hit_list:
score += 1
print(score)
# Draw all the spites
all_sprites_list.draw(screen)
# Go ahead and update the screen with what we've drawn.
pygame.display.flip()
# Limit to 60 frames per second
clock.tick(60)
pygame.quit()
输出
运行上面的代码。移动玩家方块以捕捉尽可能多的黑色方块。分数将在控制台上显示。