- ubuntu12.04环境下使用kvm ioctl接口实现最简单的虚拟机
- Ubuntu 通过无线网络安装Ubuntu Server启动系统后连接无线网络的方法
- 在Ubuntu上搭建网桥的方法
- ubuntu 虚拟机上网方式及相关配置详解
CFSDN坚持开源创造价值,我们致力于搭建一个资源共享平台,让每一个IT人在这里找到属于你的精彩世界.
这篇CFSDN的博客文章pygame面向对象的飞行小鸟实现(Flappy bird)由作者收集整理,如果你对这篇文章有兴趣,记得点赞哟.
自学python已经有快三个月了 最近这段时间没有怎么写过python 很多东西反而又遗忘了 准备翻以前的笔记复习一下在博客上记录下来 自己也没能够做出什么厉害的东西 小鸟游戏算是目前自己写的最好的一个代码了 。
基本游戏界面就是这样 。
我的构思是将游戏分成三个部分 。
游戏里的角色和道具则使用类 。
因为是使用pygame模块 我对这个模块也很不熟悉 很多功能都是论坛参考其他大神的 比如 。
1
2
|
pygame.transform 里面的各种变化功能
pygame.sprite 精灵模块里面的方法
|
1.导入pygame和random 。
pygame拥有丰富的制作游戏的功能 。
random是随机模块 游戏里各种随机事件就是通过这个模块功能实现 。
1
2
|
import pygame
import random
|
2.我们写一个小的项目之前 需要将每个功能分成不同的代码块 。
定义的变量都写到最上面 。
1
2
3
4
5
6
|
map_width = 288 # 地图大小
map_height = 512
fps = 30 # 刷新率
pipe_gaps = [110, 120, 130, 140, 150, 160] # 缺口的距离 有这6个随机距离
# 写的途中的全局变量都可以写在最上面
|
全局变量我一般喜欢使用大写来区分 。
3.游戏窗口的设置 。
1
2
3
4
|
pygame.init() # 进行初始化
screen = pygame.display.set_mode((map_width, map_height)) # 屏幕大小
pygame.display.set_caption(
'飞行小鸟'
) # 标题
clock = pygame.time.clock()
|
4.加载素材 加载游戏图片和音乐 。
1
2
3
4
5
6
7
8
9
10
11
12
|
sprite_file =
'./images'
images = {}
images[
'guide'
] = pygame.image.load(sprite_file +
'guide.png'
)
images[
'gameover'
] = pygame.image.load(sprite_file +
'gameover.png'
)
images[
'floor'
] = pygame.image.load(sprite_file +
'floor.png'
)
sprite_sound =
'./audio/'
sounds = {}
sounds[
'start'
] = pygame.mixer.sound(sprite_sound +
'start.wav'
)
sounds[
'die'
] = pygame.mixer.sound(sprite_sound +
'die.wav'
)
sounds[
'hit'
] = pygame.mixer.sound(sprite_sound +
'hit.wav'
)
sounds[
'score'
] = pygame.mixer.sound(sprite_sound +
'score.wav'
)
|
5.执行函数 就是执行程序的函数 。
1
2
3
4
|
def main():
menu_window()
result = game_window()
end_window(result)
|
6.程序入口 。
1
2
|
if
__name__ ==
'__main__'
:
main()
|
7.我将游戏分成了三个界面 。
1
2
3
4
5
6
7
8
9
10
|
def menu_window():
pass
def game_window():
pass
def end_window(result):
pass
# 这里就是写运行三种游戏界面的代码
|
8.因为要显示游戏得分 。
所以专门写一个方法在游戏主界面代码里面直接调用这个方法 让代码不会显得冗余 。
9.最后就是我们游戏角色和道具的类方法 。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
|
class
bird(pygame.sprite.sprite):
def __init__(self, x, y):
# super(bird, self).__init__(x, y)
pygame.sprite.sprite.__init__(self)
pass
def update(self, flap=
false
):
pass
def go_die(self):
pass
class
pipe(pygame.sprite.sprite):
def __init__(self, x, y, upwards=
true
):
pygame.sprite.sprite.__init__(self)
pass
def update(self):
pass
|
我们把整体框架搭建好之后 就可以着手完善代码 。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
|
""
"
project: pygame
creator: stan z
create time: 2021-03-08 19:37
ide: pycharm
introduction:
""
"
import pygame
import random
######################################## 定义变量
map_width = 288 # 地图大小
map_height = 512
fps = 30 # 刷新率
pipe_gaps = [90, 100, 110, 120, 130, 140] # 缺口的距离 有这6个随机距离
# pipe_gaps1 = []
pipe_height_range = [
int
(map_height * 0.3),
int
(map_height * 0.7)] # 管道长度范围
pipe_distance = 120 # 管道之间距离
######################################## 游戏基本设置
pygame.init() # 进行初始化
screen = pygame.display.set_mode((map_width, map_height)) # 调用窗口设置屏幕大小
pygame.display.set_caption(
'飞行小鸟bystanz'
) # 标题
clock = pygame.time.clock() # 建立时钟
######################################## 加载素材
sprite_file =
'./images'
# 列表推导式 获得三种不同的鸟和三种状态
birds = [[f
'{sprite_file}{bird}-{move}.png'
for
move
in
[
'up'
,
'mid'
,
'down'
]]
for
bird
in
[
'red'
,
'blue'
,
'yellow'
]]
bgpics = [sprite_file +
'day.png'
, sprite_file +
'night.png'
]
pipes = [sprite_file +
'green-pipe.png'
, sprite_file +
'red-pipe.png'
]
numbers = [f
'{sprite_file}{n}.png'
for
n
in
range(10)]
# 将图片设置成一个大字典 里面通过key-value存不同的场景图
images = {}
images[
'numbers'
] = [pygame.image.load(number)
for
number
in
numbers] # 数字素材有10张 因此遍历
images[
'guide'
] = pygame.image.load(sprite_file +
'guide.png'
)
images[
'gameover'
] = pygame.image.load(sprite_file +
'gameover.png'
)
images[
'floor'
] = pygame.image.load(sprite_file +
'floor.png'
)
# 地板的高是一个很常用的变量 因此我们专门拿出来
floor_h = map_height - images[
'floor'
].get_height() # 屏幕高减去floor图片的高 就是他在屏幕里的位置
sprite_sound =
'./sound'
sounds = {} # 同理声音素材也这样做
sounds[
'start'
] = pygame.mixer.sound(sprite_sound +
'start.wav'
)
sounds[
'die'
] = pygame.mixer.sound(sprite_sound +
'die.wav'
)
sounds[
'hit'
] = pygame.mixer.sound(sprite_sound +
'hit.wav'
)
sounds[
'score'
] = pygame.mixer.sound(sprite_sound +
'score.wav'
)
sounds[
'flap'
] = pygame.mixer.sound(sprite_sound +
'flap.wav'
)
sounds[
'death'
] = pygame.mixer.sound(sprite_sound +
'death.wav'
)
sounds[
'main'
] = pygame.mixer.sound(sprite_sound +
'main_theme.ogg'
)
sounds[
'world_clear'
] = pygame.mixer.sound(sprite_sound +
'world_clear.wav'
)
# 执行函数
def main():
while
true
:
images[
'bgpic'
] = pygame.image.load(random.choice(bgpics)) # random的choice方法可以随机从列表里返回一个元素 白天或者黑夜
images[
'bird'
] = [pygame.image.load(frame)
for
frame
in
random.choice(birds)] # 列表推导式 鸟也是随机
pipe = pygame.image.load(random.choice(pipes))
images[
'pipe'
] = [pipe, pygame.transform.flip(pipe,
false
,
true
)] # flip是翻转 将管道放下面和上面 flase水平不动,
true
上下翻转
sounds[
'start'
].play()
# sounds['main'].play()
menu_window()
result = game_window()
end_window(result)
def menu_window():
sounds[
'world_clear'
].play()
floor_gap = images[
'floor'
].get_width() - map_width # 地板间隙 336 - 288 = 48
floor_x = 0
# 标题位置
guide_x = (map_width - images[
'guide'
].get_width()) / 2
guide_y = map_height * 0.12
# 小鸟位置
bird_x = map_width * 0.2
bird_y = map_height * 0.5 - images[
'bird'
][0].get_height() / 2
bird_y_vel = 1 # 小鸟飞行的速率 按y坐标向下
max_y_shift = 50 # 小鸟飞行的最大幅度
y_shift = 0 # 小鸟起始幅度为0
idx = 0 # 小鸟翅膀煽动频率
frame_seq = [0] * 5 + [1] * 5 + [2] * 5 + [1] * 5 # 控制小鸟翅膀运动上中下
while
true
:
for
event
in
pygame.
event
.
get
(): # 监控行为
if
event
.type == pygame.quit:
quit()
elif
event
.type == pygame.keydown and
event
.key == pygame.k_space:
return
if
floor_x <= -floor_gap: # 当地板跑到最大间隔的时候
floor_x = floor_x + floor_gap # 刷新地板的x轴
else
:
floor_x -= 4 # 地板 x轴的移动速度
if
abs(y_shift) == max_y_shift: # 如果y_shift的绝对值 = 最大幅度
bird_y_vel *= -1 # 调转方向飞 同时飞行速度为1
else
:
bird_y += bird_y_vel
y_shift += bird_y_vel # 小鸟y轴正负交替 上下飞
# 小鸟翅膀
idx += 1 # 翅膀煽动频率
idx %= len(frame_seq) # 通过取余得到 0 1 2
frame_index = frame_seq[idx] # 小鸟图片的下标 就是翅膀的状态
screen.blit(images[
'bgpic'
], (0, 0))
screen.blit(images[
'floor'
], (floor_x, floor_h))
screen.blit(images[
'guide'
], (guide_x, guide_y))
screen.blit(images[
'bird'
][frame_index], (bird_x, bird_y))
pygame.display.update()
clock.tick(fps) # 以每秒30帧刷新屏幕
def game_window():
sounds[
'world_clear'
].stop()
sounds[
'main'
].play()
score = 0
floor_gap = images[
'floor'
].get_width() - map_width # 地板间隙 336 - 288 = 48
floor_x = 0
# 小鸟位置
bird_x = map_width * 0.2
bird_y = map_height * 0.5 - images[
'bird'
][0].get_height() / 2
bird = bird(bird_x, bird_y)
n_pair = round(map_width / pipe_distance) # 四舍五入取整数 屏幕宽度/两个管道之间的距离 这个距离时候刷新第二个管道 2.4
pipe_group = pygame.sprite.group() # 是一个集合
# 生成前面的管道
pipe_x = map_width
pipe_y = random.randint(pipe_height_range[0], pipe_height_range[1]) # 管道长度随机从153.6 到 358.4
pipe1 = pipe(pipe_x, pipe_y, upwards=
true
) # 创建一个管道对象
pipe_group.add(pipe1) # 将对象添加到这个精灵集合里面
pipe2 = pipe(pipe_x, pipe_y - random.choice(pipe_gaps), upwards=
false
) # 翻转的管道
pipe_group.add(pipe2)
sounds[
'flap'
].play()
while
true
:
flap =
false
for
event
in
pygame.
event
.
get
():
if
event
.type == pygame.quit:
quit()
elif
event
.type == pygame.keydown and
event
.key == pygame.k_space: # 空格拍翅膀
sounds[
'flap'
].play()
flap =
true
bird.update(flap)
if
floor_x <= -floor_gap: # 当地板跑到最大间隔的时候
floor_x = floor_x + floor_gap # 刷新地板的x轴
else
:
floor_x -= 4 # 地板 x轴的移动速度
# 生成最后一个管道
if
len(pipe_group) / 2 < n_pair: # 当管道组长度<2.4 时 意思就是两个半管道的时候
# sprites()将管道组返回成列表
last_pipe = pipe_group.sprites()[-1]
pipe_x = last_pipe.rect.right + pipe_distance
pipe_y = random.randint(pipe_height_range[0], pipe_height_range[1])
pipe1 = pipe(pipe_x, pipe_y, upwards=
true
)
pipe_group.add(pipe1)
pipe2 = pipe(pipe_x, pipe_y - random.choice(pipe_gaps), upwards=
false
)
pipe_group.add(pipe2)
pipe_group.update()
# 鸟的矩形y坐标如果大于地板的高度 就死亡
# pygame.sprite.spritecollideany 碰撞函数 如果bird和pipe_group碰撞了 就死亡
if
bird.rect.y > floor_h or bird.rect.y < 0 or pygame.sprite.spritecollideany(bird, pipe_group):
sounds[
'score'
].stop()
sounds[
'main'
].stop()
sounds[
'hit'
].play()
sounds[
'die'
].play()
sounds[
'death'
].play()
# 保存死亡时的鸟儿 分数 管道 继续显示在结束窗口
result = {
'bird'
: bird,
'score'
: score,
'pipe_group'
: pipe_group}
return
result
# 当小鸟左边大于 管道右边就得分
if
pipe_group.sprites()[0].rect.left == 0:
sounds[
'score'
].play()
score += 1
screen.blit(images[
'bgpic'
], (0, 0))
pipe_group.draw(screen)
screen.blit(images[
'floor'
], (floor_x, floor_h))
screen.blit(bird.image, bird.rect)
show_score(score)
pygame.display.update()
clock.tick(fps)
def end_window(result):
# 显示gameover的图片
gameover_x = map_width * 0.5 - images[
'gameover'
].get_width() / 2
gameover_y = map_height * 0.4
bird = result[
'bird'
]
pipe_group = result[
'pipe_group'
]
while
true
:
for
event
in
pygame.
event
.
get
():
if
event
.type == pygame.quit:
quit()
elif
event
.type == pygame.keydown and
event
.key == pygame.k_space and bird.rect.y > floor_h:
sounds[
'death'
].stop()
return
# 使用类go_die方法 鸟儿撞墙后 旋转往下
bird.go_die()
screen.blit(images[
'bgpic'
], (0, 0))
pipe_group.draw(screen)
screen.blit(images[
'floor'
], (0, floor_h))
screen.blit(images[
'gameover'
], (gameover_x, gameover_y))
show_score(result[
'score'
])
screen.blit(bird.image, bird.rect)
pygame.display.update()
clock.tick(fps)
# 显示得分
def show_score(score):
score_str = str(score)
w = images[
'numbers'
][0].get_width()
x = map_width / 2 - 2 * w / 2
y = map_height * 0.1
for
number
in
score_str: # images[
'numbers'
] = [pygame.image.load(number)
for
number
in
numbers]
screen.blit(images[
'numbers'
][
int
(number)], (x, y))
x += w
class
bird(pygame.sprite.sprite):
def __init__(self, x, y):
# super(bird, self).__init__(x, y)
pygame.sprite.sprite.__init__(self)
self.frames = images[
'bird'
] # 鸟儿框架
self.frame_list = [0] * 5 + [1] * 5 + [2] * 5 + [1] * 5 # 控制小鸟翅膀运动上中下
self.frame_index = 0
self.image = self.frames[self.frame_list[self.frame_index]] # 和菜单界面小鸟扇翅膀一个原理
self.rect = self.image.get_rect() # 鸟儿的矩形
self.rect.x = x
self.rect.y = y
self.gravity = 1 # 重力
self.flap_acc = -10 # 翅膀拍打往上飞 y坐标-10
self.y_vel = -10 # y坐标的速度
self.max_y_vel = 15 # y轴下落最大速度
self.rotate = 0 # 脑袋朝向
self.rotate_vel = -3 # 转向速度
self.max_rotate = -30 # 最大转向速度
self.flap_rotate = 45 # 按了空格只会脑袋朝向上30度
def update(self, flap=
false
):
if
flap:
self.y_vel = self.flap_acc # 拍打翅膀 则y速度-10向上
self.rotate = self.flap_rotate
else
:
self.rotate = self.rotate + self.rotate_vel
self.y_vel = min(self.y_vel + self.gravity, self.max_y_vel)
self.rect.y += self.y_vel # 小鸟向上移动的距离
self.rorate = max(self.rotate + self.rotate_vel, self.max_rotate)
self.frame_index += 1 # 扇翅膀的速率
self.frame_index %= len(self.frame_list) # 0~20
self.image = self.frames[self.frame_list[self.frame_index]]
self.image = pygame.transform.rotate(self.image, self.rotate) # transform变形方法 旋转
def go_die(self):
if
self.rect.y < floor_h:
self.y_vel = self.max_y_vel
self.rect.y += self.y_vel
self.rotate = -90
self.image = self.frames[self.frame_list[self.frame_index]]
self.image = pygame.transform.rotate(self.image, self.rotate)
# 管道类
class
pipe(pygame.sprite.sprite):
def __init__(self, x, y, upwards=
true
):
pygame.sprite.sprite.__init__(self)
self.x_vel = -4 # 管道移动速度
# 默认属性为真 则是正向管道
if
upwards:
self.image = images[
'pipe'
][0]
self.rect = self.image.get_rect()
self.rect.x = x
self.rect.top = y
# 利用flip方法 旋转管道成为反向管道
else
:
self.image = images[
'pipe'
][1]
self.rect = self.image.get_rect()
self.rect.x = x
self.rect.bottom = y
def update(self):
self.rect.x += self.x_vel # 管道x轴加移动速度
if
self.rect.right < 0:
self.kill()
if
__name__ ==
'__main__'
:
main()
|
到此这篇关于pygame面向对象的飞行小鸟实现(flappy bird)的文章就介绍到这了,更多相关pygame 飞行小鸟内容请搜索我以前的文章或继续浏览下面的相关文章希望大家以后多多支持我! 。
原文链接:https://blog.csdn.net/Cantevenl/article/details/115278806 。
最后此篇关于pygame面向对象的飞行小鸟实现(Flappy bird)的文章就讲到这里了,如果你想了解更多关于pygame面向对象的飞行小鸟实现(Flappy bird)的内容请搜索CFSDN的文章或继续浏览相关文章,希望大家以后支持我的博客! 。
本文实例为大家分享了python实现flappy bird的简单代码,供大家参考,具体内容如下 ?
一些想法 自学python已经有快三个月了 最近这段时间没有怎么写过python 很多东西反而又遗忘了 准备翻以前的笔记复习一下在博客上记录下来 自己也没能够做出什么厉害的东西 小鸟游戏算是目前自
大一,上学期学完了C,写了几个控制台游戏 这学期自学C++,由于学校课程第七周才有C++ 边学边写了这个小游戏,SDL 图形库完成的图形绘画 时间匆忙,BUG也有,代码效率比较低 和原作品还是很大
我正在尝试编写一个简单的 flappy bird 游戏作为 Java Applet。我遇到的问题是图形极度无响应,通常在按下键后需要 5-10 秒才能响应。此外,它仅在按键被按下一定次数(大约 6 或
我正在尝试创建一种遗传算法来学习玩飞扬的小鸟。我的游戏正在运行,这是我的 Bird 类: public class Bird extends Player { public NNetwork netw
第一个python文件,flappybirdmain.py ,程序中已经有详细注释.。 程序大概流程:1.加载图片素材文件 2.绘画开始界面,等待程序开始(按空格) 3 .程序刷新,不断while
这是this的延续 我的新 pig 脚本是: register /usr/hdp/current/pig-client/lib/piggybank.jar register /opt/elephant
如果记录采用以下格式,则可以使用Elephantbird JsonLoader加载数据: {"disknum":36,"disksum":136.401,"disk_rate":1872.0,"dis
目前,我正在尝试将消息鸟 API 集成到我的自动化应用程序 ( https://developers.messagebird.com/ ) 中。 我正在尝试使用消息鸟 API 上传文件,正如文档所述,
目前,我正在尝试将消息鸟 API 集成到我的自动化应用程序 ( https://developers.messagebird.com/ ) 中。 我正在尝试使用消息鸟 API 上传文件,正如文档所述,
所以,我正在制作一只飞翔的小鸟克隆。问题是我是使用 java 和 libgdx 编程的新手,我想请求您的帮助。我想在特定区域(只是一个简单的矩形形状)进行触摸检测,而不是在整个屏幕上单击。 这是我当前
好的,我有 Game、Bird 和 Board 类。我的 Game 类中有管道创建、删除和移动代码。有人建议我不要创建 Pipe 类并创建一个管道对象。没有管道代码,我的游戏运行流畅,尽管没有管道出现
关闭。这个问题需要更多focused .它目前不接受答案。 想改进这个问题吗? 更新问题,使其只关注一个问题 editing this post . 关闭 6 年前。 Improve this qu
很难说出这里要问什么。这个问题模棱两可、含糊不清、不完整、过于宽泛或夸夸其谈,无法以目前的形式得到合理的回答。如需帮助澄清此问题以便重新打开,visit the help center . 关闭 9
请不要告诉我使用 bool 值 ! 来检查它。因为我想使用 jquery 插件在我的函数中做一些事情。我只想修复它的正则表达式部分...这可能吗? 最佳答案 更好,海事组织: preg_match('
关闭。这个问题是off-topic .它目前不接受答案。 想改进这个问题? Update the question所以它是on-topic对于堆栈溢出。 9年前关闭。 Improve this que
我正在尝试按照此处的指南学习 LibGdx。 http://www.kilobolt.com/day-4-gameworld-and-gamerenderer-and-the-orthographic
为了熟悉强化学习,我正在实现基本的 RL 算法来玩游戏 Flappy Bird 。我已完成所有设置,唯一遇到的问题是实现奖励功能。我希望能够处理屏幕并识别是否已得分或鸟是否已死亡。 处理屏幕是使用 m
这里是新手...我正在学习 Brent 的 Flappy Bird 教程,尽管我正在制作类似 Icy Tower 的游戏,但开始屏幕等内容也是如此。 事实是,布伦特使用了: public static
我想弄清楚鸟 SVG 动画,它的动画 body 像鸟,但拍打距离太大了! 这是代码 .st0 { fill: #242427; } @keyframes flyb { 0%, 100% {
我是一名优秀的程序员,十分优秀!