pycharm做个贪吃蛇游戏
时间: 2023-10-30 11:03:24 浏览: 99
当然可以!你可以使用 Pygame 模块来开发贪吃蛇游戏。Pygame 是一个用于制作 2D 游戏的 Python 库。下面是一个简单的示例代码,可以帮助你开始开发贪吃蛇游戏:
```python
import pygame
import random
# 初始化游戏
pygame.init()
# 设置游戏界面尺寸
width, height = 640, 480
screen = pygame.display.set_mode((width, height))
# 定义颜色
black = pygame.Color(0, 0, 0)
white = pygame.Color(255, 255, 255)
red = pygame.Color(255, 0, 0)
green = pygame.Color(0, 255, 0)
blue = pygame.Color(0, 0, 255)
# 设置帧率(即刷新频率)
fps = pygame.time.Clock()
# 定义蛇的初始位置和大小
snake_position = [100, 50]
snake_body = [[100, 50], [90, 50], [80, 50]]
# 定义食物的初始位置
food_position = [random.randrange(1, width // 10) * 10,
random.randrange(1, height // 10) * 10]
food_spawn = True
# 定义初始方向
direction = 'RIGHT'
change_to = direction
# 定义游戏结束状态
game_over = False
# 游戏循环
while not game_over:
# 处理键盘输入事件
for event in pygame.event.get():
if event.type == pygame.KEYDOWN:
if event.key == pygame.K_UP:
change_to = 'UP'
if event.key == pygame.K_DOWN:
change_to = 'DOWN'
if event.key == pygame.K_LEFT:
change_to = 'LEFT'
if event.key == pygame.K_RIGHT:
change_to = 'RIGHT'
# 确保蛇不会掉头直接朝相反方向移动
if change_to == 'UP' and direction != 'DOWN':
direction = 'UP'
if change_to == 'DOWN' and direction ! 'UP':
direction = 'DOWN'
if change_to == 'LEFT' and direction != 'RIGHT':
direction = 'LEFT'
if change_to == 'RIGHT' and direction != 'LEFT':
direction = 'RIGHT'
# 根据方向移动蛇的头部
if direction == 'UP':
snake_position[1] -= 10
if direction == 'DOWN':
snake_position[1] += 10
if direction == 'LEFT':
snake_position[0] -= 10
if direction == 'RIGHT':
snake_position[0] += 10
# 更新蛇的身体
snake_body.insert(0, list(snake_position))
if snake_position[0] == food_position[0] and snake_position[1] == food_position[1]:
food_spawn = False
else:
snake_body.pop()
# 重新生成食物
if not food_spawn:
food_position = [random.randrange(1, width // 10) * 10,
random.randrange(1, height // 10) * 10]
food_spawn = True
# 绘制游戏界面
screen.fill(black)
for pos in snake_body:
pygame.draw.rect(screen, green, pygame.Rect(
pos[0], pos[1], 10, 10))
pygame.draw.rect(screen, white, pygame.Rect(
food_position[0], food_position[1], 10, 10))
# 判断游戏是否结束
if snake_position[0] < 0 or snake_position[0] > width-10:
game_over = True
if snake_position[1] < 0 or snake_position[1] > height-10:
game_over = True
for block in snake_body[1:]:
if snake_position[0] == block[0] and snake_position[1] == block[1]:
game_over = True
# 刷新游戏界面
pygame.display.update()
# 设置帧率
fps.tick(20)
# 退出游戏
pygame.quit()
```
这只是一个简单的贪吃蛇游戏示例,你可以根据自己的需求进行修改和扩展。希望对你有所帮助!
阅读全文