pygame马里奥游戏代码
时间: 2023-11-05 09:50:58 浏览: 160
当然,我可以为您提供一个基本的Pygame马里奥游戏代码示例。请记住,这只是一个简单的示例,您可以根据自己的需求进行修改和扩展。
```python
import pygame
import random
# 初始化Pygame
pygame.init()
# 游戏窗口尺寸
screen_width = 800
screen_height = 600
# 创建游戏窗口
screen = pygame.display.set_mode((screen_width, screen_height))
pygame.display.set_caption("Mario Game")
# 颜色定义
WHITE = (255, 255, 255)
RED = (255, 0, 0)
GREEN = (0, 255, 0)
BLUE = (0, 0, 255)
# 玩家位置和速度
player_x = 50
player_y = screen_height - 100
player_speed = 5
# 障碍物位置和速度
obstacle_x = screen_width
obstacle_y = screen_height - 50
obstacle_speed = 3
# 分数
score = 0
# 游戏结束标志
game_over = False
clock = pygame.time.Clock()
# 游戏循环
while not game_over:
for event in pygame.event.get():
if event.type == pygame.QUIT:
game_over = True
if event.type == pygame.KEYDOWN:
if event.key == pygame.K_UP:
player_y -= player_speed
if event.key == pygame.K_DOWN:
player_y += player_speed
# 更新玩家位置
player_x += player_speed
# 更新障碍物位置
obstacle_x -= obstacle_speed
# 如果障碍物超出屏幕,重新生成并增加分数
if obstacle_x < 0:
obstacle_x = screen_width
score += 1
# 碰撞检测
if player_x + 50 > obstacle_x and player_x < obstacle_x + 50 and player_y + 50 > obstacle_y and player_y < obstacle_y + 50:
game_over = True
# 绘制背景
screen.fill(WHITE)
# 绘制玩家
pygame.draw.rect(screen, RED, (player_x, player_y, 50, 50))
# 绘制障碍物
pygame.draw.rect(screen, GREEN, (obstacle_x, obstacle_y, 50, 50))
# 绘制分数
font = pygame.font.Font(None, 36)
text = font.render("Score: " + str(score), True, BLUE)
screen.blit(text, (10, 10))
# 更新屏幕显示
pygame.display.flip()
# 控制游戏帧率
clock.tick(60)
# 游戏结束,退出Pygame
pygame.quit()
```
这是一个简单的马里奥游戏示例,玩家可以使用上下箭头键控制马里奥的移动,通过避开障碍物来累积分数。根据需要,您可以添加更多的游戏元素和功能来完善游戏。希望对您有所帮助!
阅读全文