【Python】使用Pygame做一个Flappy bird小游戏(三)
原文链接:
【Python】使用Pygame做一个Flappy bird小游戏(三)
需要游戏素材和程序的朋友可以到我的公众号【拇指笔记】后台回复"FPB"自取~
0. 最终效果
1. 添加随机管道
本节文章介绍如何在游戏中添加随机生成的管道。下面我们来理一理思路。
玩过Flappy bird的朋友都知道,这个游戏随机生成长短不一的上下管道,上下管道之间存在着一定距离,并且每隔一定距离就会有新的管道生成。管道素材的长度当然是一样长短的,所以我们随机生成管道的坐标y来实现随机生成一定长度的管道。下面我们来算一算如何计算两个管道之间的距离。
1.1 上下管坐标关系
整个窗口的高度是512像素。我们设两个管道之间的距离为50像素。管道图像的高度为320像素。
因为y值坐标对应的是图像的上端,所以上下管子之间的关系是:下管y坐标=上管y坐标+320+50
pipe_y的范围为-320到0,负的越多,上管长度越短。为了保证适当长度,我把pipe_y的范围设为-270到-20
1.2 随机生成管子
在这里我们使用random
模块里的randint(-270,-10)生成一定范围内的随机整数并将整个整数赋给pipe_y。这样就实现了随机产生不同高度但间距相同的随机管道。
import random
pipe_y = random.randint(-270,-20)
为了让效果更明显,我添加了空格控制随机管子生成。
效果如下:
1.3 让管道动起来
在游戏中,管道的运动和绿砖的运动速度是相同的,所以我们使用相同的速度,每帧移动距离仍然取决于每帧时间。管道的左边界对应着x值,管子本身的宽度为52像素。所以x值的范围应该是-52~288。
pipe_x = 288
#进入循环:
time_passed = clock.tick()
time_passed_seconds = time_passed / 1000
#计算每一帧的时间
distance_moved = time_passed_seconds * speed
pipe_x -=distance_moved
if(pipe_x<0):
pipe_x+=288
pipe_y = random.randint(-270,-20)
实现效果如下,为了效果更明显,我加快了管子的移动速度。
下面我们根据刚才的思路,把这些代码整合到之前的程序中。从而实现小鸟、管道和绿砖一起运动的场景。
首先是初始化,需要初始化的变量有pipe_y和pipe_x
pipe_y = random.randint(-270,-20)
pipe_x = 288
其次是由pipe_y(上管道坐标)计算除pipe_dy(下管道坐标)的值。
def calculation(pipe_y):
pipe_dy = pipe_y+370
return pipe_dy
然后修改游戏界面的start_updatexy()函数,将管道更新的部分加入。
def start_updatexy(time_passed_seconds,base_x,base_y,dirx):
distance_moved = time_passed_seconds * speed
bird_distance = time_passed_seconds * bird_speed
base_y = base_y + dirx*bird_distance
base_x -= distance_moved
pipe_x -=distance_moved
if(pipe_x<0):
pipe_x+=288
pipe_y = random.randint(-270,-20)
if base_x<-40:
base_x += 40
if 490>base_y >20:
dirx = 2
elif base_y >490:
dirx = 0
elif base_y <0:
base_y = 0
return base_x,base_y,dirx
最后修改一下显示界面,将管道绘制到窗口。
def start():
screen.blit(background,(0,0))
screen.blit(top,(pipe_x,pipe_y))
pipe_dy = calculation(pipe_y)
screen.blit(bottom,(pipe_x,pipe_dy))
screen.blit(green_base,(base_x,400))
1.4 添加管道
添加管道最重要的是把握两组管道之间的距离。首先我们假设管道移动的总长度为600,窗口(288像素)位于中间,得到第一个管道起始位置坐标为444,结束位置坐标为-156;但是第二个管道不能在一开始就出现,因此讲第二个管道第一周期起始位置设置为744,但结束位置为-156。
程序实现:
#首先初始化起始位置
pipe_x = 444
pipe_x1 = 744
#更改start()函数
def start():
screen.blit(background,(0,0))
screen.blit(top,(pipe_x,pipe_y))
pipe_dy = calculation(pipe_y)
screen.blit(bottom,(pipe_x,pipe_dy))
screen.blit(top,(pipe_x1,pipe_y1))
pipe_dy1 = calculation(pipe_y1)
screen.blit(bottom,(pipe_x1,pipe_dy1))
screen.blit(green_base,(base_x,400))
#更改start_updatexy()函数
pipe_x -=distance_moved
pipe_x1 -=distance_moved
if(pipe_x1<-156):
pipe_x1+=600
pipe_y1 = random.randint(-270,-20)
if(pipe_x<-156):
pipe_x+=600
pipe_y = random.randint(-270,-20)
最终效果:
上一篇: 图的深度优先搜索和广度优先搜索算法