安装pygame库
```bash
pip install pygame
```
初始化pygame
```python
import pygame
pygame.init()
```
创建游戏窗口
```python
WIDTH, HEIGHT = 800, 600
screen = pygame.display.set_mode((WIDTH, HEIGHT))
pygame.display.set_caption("火焰奔跑")
```
定义游戏颜色
```python
WHITE = (255, 255, 255)
RED = (255, 0, 0)
BLACK = (0, 0, 0)
```
定义角色类
```python
class Player(pygame.sprite.Sprite):
def __init__(self):
super().__init__()
self.image = pygame.Surface((50, 50))
self.image.fill(RED)
self.rect = self.image.get_rect()
def update(self):
keys = pygame.key.get_pressed()
if keys[pygame.K_UP]:
self.rect.y -= 5
if keys[pygame.K_DOWN]:
self.rect.y += 5
```
创建精灵组
```python
all_sprites = pygame.sprite.Group()
player = Player()
all_sprites.add(player)
```
游戏主循环
```python
clock = pygame.time.Clock()
def game_loop():
running = True
while running:
screen.fill(WHITE)
for event in pygame.event.get():
if event.type == pygame.QUIT:
running = False
all_sprites.update()
screen.blit(player.image, player.rect)
pygame.display.flip()
clock.tick(60)
game_loop()
pygame.quit()
```
这个示例展示了如何使用Python和pygame库创建一个简单的游戏窗口,并在其中显示一个可以上下移动的角色。你可以根据需要扩展这个示例,添加更多的游戏元素和功能。