python写一个飞机大战游戏代码
时间: 2023-12-20 22:03:38 浏览: 74
以下是一个简单的飞机大战游戏的 Python 代码,使用 Pygame 库实现:
```python
import pygame
import random
# 初始化 Pygame
pygame.init()
# 游戏窗口尺寸
WINDOW_WIDTH = 480
WINDOW_HEIGHT = 800
# 创建游戏窗口
window = pygame.display.set_mode((WINDOW_WIDTH, WINDOW_HEIGHT))
# 设置游戏标题
pygame.display.set_caption("飞机大战")
# 加载背景图像
bg_image = pygame.image.load("images/background.png")
# 加载飞机图像
player_image = pygame.image.load("images/player.png")
player_rect = player_image.get_rect()
player_rect.centerx = WINDOW_WIDTH / 2
player_rect.bottom = WINDOW_HEIGHT - 10
# 定义子弹类
class Bullet(pygame.sprite.Sprite):
def __init__(self, x, y):
super().__init__()
self.image = pygame.image.load("images/bullet.png")
self.rect = self.image.get_rect()
self.rect.centerx = x
self.rect.bottom = y
self.speed = -10
def update(self):
self.rect.top += self.speed
if self.rect.bottom < 0:
self.kill()
# 定义敌机类
class Enemy(pygame.sprite.Sprite):
def __init__(self):
super().__init__()
self.image = pygame.image.load("images/enemy.png")
self.rect = self.image.get_rect()
self.rect.centerx = random.randint(0, WINDOW_WIDTH)
self.rect.top = -self.rect.height
self.speed = random.randint(1, 5)
def update(self):
self.rect.top += self.speed
if self.rect.top > WINDOW_HEIGHT:
self.kill()
# 创建精灵组
all_sprites = pygame.sprite.Group()
# 创建子弹精灵组
bullet_sprites = pygame.sprite.Group()
# 创建敌机精灵组
enemy_sprites = pygame.sprite.Group()
# 将玩家飞机添加到精灵组中
all_sprites.add(pygame.sprite.Sprite(player_image, player_rect))
# 游戏主循环
running = True
while running:
# 处理游戏事件
for event in pygame.event.get():
if event.type == pygame.QUIT:
running = False
elif event.type == pygame.KEYDOWN:
if event.key == pygame.K_SPACE:
bullet_sprites.add(Bullet(player_rect.centerx, player_rect.top))
# 绘制背景图像
window.blit(bg_image, (0, 0))
# 更新玩家飞机的位置
player_rect.centerx = pygame.mouse.get_pos()[0]
if player_rect.left < 0:
player_rect.left = 0
elif player_rect.right > WINDOW_WIDTH:
player_rect.right = WINDOW_WIDTH
window.blit(player_image, player_rect)
# 更新子弹的位置
bullet_sprites.update()
# 更新敌机的位置
if random.randint(1, 50) == 1:
enemy_sprites.add(Enemy())
enemy_sprites.update()
# 检测子弹和敌机的碰撞
collisions = pygame.sprite.groupcollide(bullet_sprites, enemy_sprites, True, True)
# 绘制所有精灵
all_sprites.draw(window)
# 更新屏幕显示
pygame.display.update()
# 退出 Pygame
pygame.quit()
```
注意:需要提前准备好游戏素材(背景图像、飞机图像、子弹图像、敌机图像),并保存在 images 文件夹中。另外,代码中使用了 Pygame 的精灵组功能,可以方便地管理多个精灵对象。
阅读全文