这一篇继续完成plane_sprites模块的构建,主要完成游戏中:敌机类(Enemy),英雄类(Hero),子弹类(Bullet)封装工作,下面分别就这三个类的封装过程进行总结:
1.游戏敌机类Enemy
class Enemy(GameSprite):
def __init__(self):
super().__init__("./image/enemy1.png")
self.speed = random.randint(1, 3)
#bottom属性, botton = y + height
self.rect.bottom = 0
max_x = SCREEN_RECR.width - self.rect.width
self.rect.x = random.randint(0, max_x)
def update(self):
super().update()
if self.rect.y >= SCREEN_RECR.height:
#kill方法可以将精灵从所有精灵组移除 精灵将会被自动销毁
self.kill()
1.1由于要用到随机数,所以需要导入random模块:
#导入官方random模块
import random
一般导入模块顺序:
①官方模块
②第三方模块
③用户模块
1.2 Enemy类封装
更改speed属性,实现创建敌机精灵时每个精灵的速度随机1-3
更改rect属性,初始化.bottom属性为0,确保敌机从屏幕上方缓缓出来,否则突然在(0,0)位置创建出来有点突兀。
更改rect属性,初始化.x属性,确保在屏幕范围之内随机出现,同时X方向不超出:屏幕宽度-敌机自身宽度
②.重写update方法,调用父类update方法实现精灵的Y方向的移动,同时进行扩展:
判断.y属性,如果敌机精灵飞出游戏屏幕,则利用精灵的kill方法将精灵从所有的精灵族移除,并将精灵自动销毁
2.游戏英雄飞机类Hero
class Hero(GameSprite):
def __init__(self):
super().__init__("./image/hero1.png")
self.rect.centerx = SCREEN_RECR.centerx
self.rect.bottom = SCREEN_RECR.bottom - 120
self.speed = 0
self.bullet_group = pygame.sprite.Group()
def update(self):
self.rect.x += self.speed
if self.rect.x <= 0:
self.rect.x = 0
elif self.rect.right >= SCREEN_RECR.right:
self.rect.right = SCREEN_RECR.right
def fire(self):
for i in (1, 2, 3):
bullet = Bullet()
bullet.rect.bottom = self.rect.y -i*20
bullet.rect.centerx = self.rect.centerx
self.bullet_group.add(bullet)
①.重写__init__方法,调用父类__init__,同时进行扩展:3.游戏子弹类Bullet
class Bullet(GameSprite):
def __init__(self):
super().__init__("./image/bullet1.png")
self.speed = -10
def update(self):
super().update()
if self.rect.bottom <= 0:
self.kill()
①.重写__init__方法,调用父类__init__,同时进行扩展: