使用Python编写贪吃蛇代码
时间: 2023-11-05 20:09:50 浏览: 83
好的,以下是一个简单的贪吃蛇代码,使用Python语言编写:
```python
import pygame
import time
import random
pygame.init()
# 定义颜色
white = (255, 255, 255)
black = (0, 0, 0)
red = (255, 0, 0)
# 设置游戏窗口的大小
display_width = 600
display_height = 400
# 创建游戏窗口
gameDisplay = pygame.display.set_mode((display_width, display_height))
pygame.display.set_caption('贪吃蛇')
# 定义游戏中的时钟
clock = pygame.time.Clock()
# 定义蛇的大小
snake_block = 10
# 定义字体
font_style = pygame.font.SysFont(None, 50)
# 定义显示分数的函数
def message(msg, color):
mesg = font_style.render(msg, True, color)
gameDisplay.blit(mesg, [display_width / 6, display_height / 3])
# 定义游戏主循环
def gameLoop():
game_over = False
game_close = False
# 蛇的起始坐标
x1 = display_width / 2
y1 = display_height / 2
# 蛇在 x 和 y 方向的移动速度
x1_change = 0
y1_change = 0
# 食物的起始坐标
foodx = round(random.randrange(0, display_width - snake_block) / 10.0) * 10.0
foody = round(random.randrange(0, display_height - snake_block) / 10.0) * 10.0
# 游戏主循环
while not game_over:
# 游戏结束后的操作
while game_close == True:
gameDisplay.fill(white)
message("你输了!按 Q 退出或 C 重新开始", red)
pygame.display.update()
# 等待用户的操作
for event in pygame.event.get():
if event.type == pygame.KEYDOWN:
if event.key == pygame.K_q:
game_over = True
game_close = False
if event.key == pygame.K_c:
gameLoop()
# 获取用户事件的操作
for event in pygame.event.get():
if event.type == pygame.QUIT:
game_over = True
if event.type == pygame.KEYDOWN:
if event.key == pygame.K_LEFT:
x1_change = -snake_block
y1_change = 0
elif event.key == pygame.K_RIGHT:
x1_change = snake_block
y1_change = 0
elif event.key == pygame.K_UP:
y1_change = -snake_block
x1_change = 0
elif event.key == pygame.K_DOWN:
y1_change = snake_block
x1_change = 0
# 判断蛇是否超出边界
if x1 >= display_width or x1 < 0 or y1 >= display_height or y1 < 0:
game_close = True
# 更新蛇的坐标
x1 += x1_change
y1 += y1_change
# 填充背景颜色
gameDisplay.fill(white)
# 画出食物
pygame.draw.rect(gameDisplay, red, [foodx, foody, snake_block, snake_block])
# 更新蛇的位置
pygame.draw.rect(gameDisplay, black, [x1, y1, snake_block, snake_block])
pygame.display.update()
# 判断蛇是否吃到了食物
if x1 == foodx and y1 == foody:
print("Yummy!!")
clock.tick(30)
# 退出游戏
pygame.quit()
quit()
gameLoop()
```
上述代码实现了贪吃蛇游戏的基本功能,包括蛇的移动、食物的生成、碰撞检测等。
阅读全文