安装和导入所需模块
```bash
pip install pygame
```
初始化游戏窗口
```python
import pygame
pygame.init()
screen = pygame.display.set_mode((500, 500))
pygame.display.set_caption('Greedy Snake')
```
设定蛇和食物的初始位置
```python
snake_body = [(0, 0)]
food = pygame.Surface((20, 20))
food.fill((255, 0, 0))
food.rect = food.get_rect(center=(250, 250))
```
定义蛇的移动和方向改变
```python
direction = 'right'
directions = {'up': (-1, 0), 'down': (1, 0), 'left': (0, -1), 'right': (0, 1)}
def change_direction(new_direction):
global direction
if new_direction in directions and directions[new_direction] != directions[direction]:
direction = new_direction
def move():
x, y = snake_body
new_x, new_y = x + directions[direction], y + directions[direction]
snake_body.insert(0, (new_x, new_y))
if (new_x, new_y) == food.rect.center:
food.rect.center = (250, 250)
snake_body.pop()
else:
snake_body.pop()
```
绘制游戏界面
```python
def draw():
screen.fill((0, 0, 0))
for part in snake_body:
pygame.draw.rect(screen, (255, 255, 255), pygame.Rect(part*20, part*20, 20, 20))
pygame.draw.rect(screen, (255, 0, 0), food.rect)
pygame.display.flip()
```
主循环
```python
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 in ('up', 'down', 'left', 'right'):
change_direction(event.key)
move()
draw()
pygame.quit()
```
将以上代码片段组合在一起,即可形成一个简单的贪吃蛇游戏。你可以根据需要调整游戏窗口大小、蛇和食物的大小和位置等参数,以优化游戏体验。