广告位联系
返回顶部
分享到

基于Python制作打地鼠小游戏的教程

python 来源:互联网 作者:秩名 发布时间:2022-03-05 23:18:04 人浏览
摘要

简介 打地鼠的游戏规则相信大家都知道,这里就不多介绍了,反正就是不停地拿锤子打洞里钻出来的地鼠呗~ 首先,让我们确定一下游戏中有哪些元素。打地鼠打地鼠,地鼠当然得有啦

简介

打地鼠的游戏规则相信大家都知道,这里就不多介绍了,反正就是不停地拿锤子打洞里钻出来的地鼠呗~

首先,让我们确定一下游戏中有哪些元素。打地鼠打地鼠,地鼠当然得有啦,那我们就写个地鼠的游戏精灵类呗:

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

'''地鼠'''

class Mole(pygame.sprite.Sprite):

    def __init__(self, image_paths, position, **kwargs):

        pygame.sprite.Sprite.__init__(self)

        self.images = [pygame.transform.scale(pygame.image.load(image_paths[0]), (101, 103)),

                       pygame.transform.scale(pygame.image.load(image_paths[-1]), (101, 103))]

        self.image = self.images[0]

        self.rect = self.image.get_rect()

        self.mask = pygame.mask.from_surface(self.image)

        self.setPosition(position)

        self.is_hammer = False

    '''设置位置'''

    def setPosition(self, pos):

        self.rect.left, self.rect.top = pos

    '''设置被击中'''

    def setBeHammered(self):

        self.is_hammer = True

    '''显示在屏幕上'''

    def draw(self, screen):

        if self.is_hammer: self.image = self.images[1]

        screen.blit(self.image, self.rect)

    '''重置'''

    def reset(self):

        self.image = self.images[0]

        self.is_hammer = False

显然,地鼠有被锤子击中和未被锤子击中这两种状态,所以需要加载两张图,当地鼠被击中时从未被击中的地鼠状态图切换到被击中后的地鼠状态图(我找的图可能不太像地鼠,请各位老哥见谅)。然后我们再来定义一下锤子这个游戏精灵类,和地鼠类似,锤子也有未锤下去和已锤下去两种状态,只不过锤下去之后需要迅速恢复回未锤下去的状态,具体而言,代码实现如下:

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

class Hammer(pygame.sprite.Sprite):

    def __init__(self, image_paths, position, **kwargs):

        pygame.sprite.Sprite.__init__(self)

        self.images = [pygame.image.load(image_paths[0]), pygame.image.load(image_paths[1])]

        self.image = self.images[0]

        self.rect = self.image.get_rect()

        self.mask = pygame.mask.from_surface(self.images[1])

        self.rect.left, self.rect.top = position

        # 用于显示锤击时的特效

        self.hammer_count = 0

        self.hammer_last_time = 4

        self.is_hammering = False

    '''设置位置'''

    def setPosition(self, pos):

        self.rect.centerx, self.rect.centery = pos

    '''设置hammering'''

    def setHammering(self):

        self.is_hammering = True

    '''显示在屏幕上'''

    def draw(self, screen):

        if self.is_hammering:

            self.image = self.images[1]

            self.hammer_count += 1

            if self.hammer_count > self.hammer_last_time:

                self.is_hammering = False

                self.hammer_count = 0

        else:

            self.image = self.images[0]

        screen.blit(self.image, self.rect)

OK,定义完游戏精灵之后,我们就可以开始写主程序啦。首先自然是游戏初始化:

1

2

3

4

5

6

7

'''游戏初始化'''

def initGame():

  pygame.init()

  pygame.mixer.init()

  screen = pygame.display.set_mode(cfg.SCREENSIZE)

  pygame.display.set_caption('Whac A Mole-微信公众号:Charles的皮卡丘')

  return screen

然后加载必要的游戏素材和定义必要的游戏变量(我都注释的比较详细了,就不在文章里赘述一遍了,自己看注释呗~)

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

# 加载背景音乐和其他音效

pygame.mixer.music.load(cfg.BGM_PATH)

pygame.mixer.music.play(-1)

audios = {

      'count_down': pygame.mixer.Sound(cfg.COUNT_DOWN_SOUND_PATH),

      'hammering': pygame.mixer.Sound(cfg.HAMMERING_SOUND_PATH)

    }

# 加载字体

font = pygame.font.Font(cfg.FONT_PATH, 40)

# 加载背景图片

bg_img = pygame.image.load(cfg.GAME_BG_IMAGEPATH)

# 开始界面

startInterface(screen, cfg.GAME_BEGIN_IMAGEPATHS)

# 地鼠改变位置的计时

hole_pos = random.choice(cfg.HOLE_POSITIONS)

change_hole_event = pygame.USEREVENT

pygame.time.set_timer(change_hole_event, 800)

# 地鼠

mole = Mole(cfg.MOLE_IMAGEPATHS, hole_pos)

# 锤子

hammer = Hammer(cfg.HAMMER_IMAGEPATHS, (500, 250))

# 时钟

clock = pygame.time.Clock()

# 分数

your_score = 0

接着就是游戏主循环啦:

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

# 游戏主循环

while True:

  # --游戏时间为60s

  time_remain = round((61000 - pygame.time.get_ticks()) / 1000.)

  # --游戏时间减少, 地鼠变位置速度变快

  if time_remain == 40:

    pygame.time.set_timer(change_hole_event, 650)

  elif time_remain == 20:

    pygame.time.set_timer(change_hole_event, 500)

  # --倒计时音效

  if time_remain == 10:

    audios['count_down'].play()

  # --游戏结束

  if time_remain < 0: break

  count_down_text = font.render('Time: '+str(time_remain), True, cfg.WHITE)

  # --按键检测

  for event in pygame.event.get():

    if event.type == pygame.QUIT:

      pygame.quit()

      sys.exit()

    elif event.type == pygame.MOUSEMOTION:

      hammer.setPosition(pygame.mouse.get_pos())

    elif event.type == pygame.MOUSEBUTTONDOWN:

      if event.button == 1:

        hammer.setHammering()

    elif event.type == change_hole_event:

      hole_pos = random.choice(cfg.HOLE_POSITIONS)

      mole.reset()

      mole.setPosition(hole_pos)

  # --碰撞检测

  if hammer.is_hammering and not mole.is_hammer:

    is_hammer = pygame.sprite.collide_mask(hammer, mole)

    if is_hammer:

      audios['hammering'].play()

      mole.setBeHammered()

      your_score += 10

  # --分数

  your_score_text = font.render('Score: '+str(your_score), True, cfg.BROWN)

  # --绑定必要的游戏元素到屏幕(注意顺序)

  screen.blit(bg_img, (0, 0))

  screen.blit(count_down_text, (875, 8))

  screen.blit(your_score_text, (800, 430))

  mole.draw(screen)

  hammer.draw(screen)

  # --更新

  pygame.display.flip()

  clock.tick(60)

每一部分我也都做了注释,逻辑很简单,就不多废话了。60s后,游戏结束,我们就可以统计分数以及和历史最高分做对比了:

1

2

3

4

5

6

7

8

9

10

# 读取最佳分数(try块避免第一次游戏无.rec文件)

try:

  best_score = int(open(cfg.RECORD_PATH).read())

except:

  best_score = 0

# 若当前分数大于最佳分数则更新最佳分数

if your_score > best_score:

  f = open(cfg.RECORD_PATH, 'w')

  f.write(str(your_score))

  f.close()

为了使游戏看起来更“正式”,再随手添个开始界面和结束界面呗:

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

'''游戏开始界面'''

def startInterface(screen, begin_image_paths):

    begin_images = [pygame.image.load(begin_image_paths[0]), pygame.image.load(begin_image_paths[1])]

    begin_image = begin_images[0]

    while True:

        for event in pygame.event.get():

            if event.type == pygame.QUIT:

                pygame.quit()

                sys.exit()

            elif event.type == pygame.MOUSEMOTION:

                mouse_pos = pygame.mouse.get_pos()

                if mouse_pos[0] in list(range(419, 574)) and mouse_pos[1] in list(range(374, 416)):

                    begin_image = begin_images[1]

                else:

                    begin_image = begin_images[0]

            elif event.type == pygame.MOUSEBUTTONDOWN:

                if event.button == 1 and mouse_pos[0] in list(range(419, 574)) and mouse_pos[1] in list(range(374, 416)):

                    return True

        screen.blit(begin_image, (0, 0))

        pygame.display.update()

 

 

'''结束界面'''

def endInterface(screen, end_image_path, again_image_paths, score_info, font_path, font_colors, screensize):

    end_image = pygame.image.load(end_image_path)

    again_images = [pygame.image.load(again_image_paths[0]), pygame.image.load(again_image_paths[1])]

    again_image = again_images[0]

    font = pygame.font.Font(font_path, 50)

    your_score_text = font.render('Your Score: %s' % score_info['your_score'], True, font_colors[0])

    your_score_rect = your_score_text.get_rect()

    your_score_rect.left, your_score_rect.top = (screensize[0] - your_score_rect.width) / 2, 215

    best_score_text = font.render('Best Score: %s' % score_info['best_score'], True, font_colors[1])

    best_score_rect = best_score_text.get_rect()

    best_score_rect.left, best_score_rect.top = (screensize[0] - best_score_rect.width) / 2, 275

    while True:

        for event in pygame.event.get():

            if event.type == pygame.QUIT:

                pygame.quit()

                sys.exit()

            elif event.type == pygame.MOUSEMOTION:

                mouse_pos = pygame.mouse.get_pos()

                if mouse_pos[0] in list(range(419, 574)) and mouse_pos[1] in list(range(374, 416)):

                    again_image = again_images[1]

                else:

                    again_image = again_images[0]

            elif event.type == pygame.MOUSEBUTTONDOWN:

                if event.button == 1 and mouse_pos[0] in list(range(419, 574)) and mouse_pos[1] in list(range(374, 416)):

                    return True

        screen.blit(end_image, (0, 0))

        screen.blit(again_image, (416, 370))

        screen.blit(your_score_text, your_score_rect)

        screen.blit(best_score_text, best_score_rect)

        pygame.display.update()

大功告成~

完整源代码 https://github.com/CharlesPikachu/Games


版权声明 : 本文内容来源于互联网或用户自行发布贡献,该文观点仅代表原作者本人。本站仅提供信息存储空间服务和不拥有所有权,不承担相关法律责任。如发现本站有涉嫌抄袭侵权, 违法违规的内容, 请发送邮件至2530232025#qq.cn(#换@)举报,一经查实,本站将立刻删除。
原文链接 : https://zhuanlan.zhihu.com/p/102729385
相关文章
  • Python Django教程之实现新闻应用程序

    Python Django教程之实现新闻应用程序
    Django是一个用Python编写的高级框架,它允许我们创建服务器端Web应用程序。在本文中,我们将了解如何使用Django创建新闻应用程序。 我们将
  • 书写Python代码的一种更优雅方式(推荐!)

    书写Python代码的一种更优雅方式(推荐!)
    一些比较熟悉pandas的读者朋友应该经常会使用query()、eval()、pipe()、assign()等pandas的常用方法,书写可读性很高的「链式」数据分析处理代码
  • Python灰度变换中伽马变换分析实现

    Python灰度变换中伽马变换分析实现
    1. 介绍 伽马变换主要目的是对比度拉伸,将图像灰度较低的部分进行修正 伽马变换针对的是对单个像素点的变换,也就是点对点的映射 形
  • 使用OpenCV实现迷宫解密的全过程

    使用OpenCV实现迷宫解密的全过程
    一、你能自己走出迷宫吗? 如下图所示,可以看到是一张较为复杂的迷宫图,相信也有人尝试过自己一点一点的找出口,但我们肉眼来解谜
  • Python中的数据精度问题的介绍

    Python中的数据精度问题的介绍
    一、python运算时精度问题 1.运行时精度问题 在Python中(其他语言中也存在这个问题,这是计算机采用二进制导致的),有时候由于二进制和
  • Python随机值生成的常用方法

    Python随机值生成的常用方法
    一、随机整数 1.包含上下限:[a, b] 1 2 3 4 import random #1、随机整数:包含上下限:[a, b] for i in range(10): print(random.randint(0,5),end= | ) 查看运行结
  • Python字典高级用法深入分析讲解
    一、 collections 中 defaultdict 的使用 1.字典的键映射多个值 将下面的列表转成字典 l = [(a,2),(b,3),(a,1),(b,4),(a,3),(a,1),(b,3)] 一个字典就是一个键对
  • Python浅析多态与鸭子类型使用实例
    什么多态:同一事物有多种形态 为何要有多态=》多态会带来什么样的特性,多态性 多态性指的是可以在不考虑对象具体类型的情况下而直
  • Python字典高级用法深入分析介绍
    一、 collections 中 defaultdict 的使用 1.字典的键映射多个值 将下面的列表转成字典 l = [(a,2),(b,3),(a,1),(b,4),(a,3),(a,1),(b,3)] 一个字典就是一个键对
  • Python淘宝或京东等秒杀抢购脚本实现(秒杀脚本

    Python淘宝或京东等秒杀抢购脚本实现(秒杀脚本
    我们的目标是秒杀淘宝或京东等的订单,这里面有几个关键点,首先需要登录淘宝或京东,其次你需要准备好订单,最后要在指定时间快速
  • 本站所有内容来源于互联网或用户自行发布,本站仅提供信息存储空间服务,不拥有版权,不承担法律责任。如有侵犯您的权益,请您联系站长处理!
  • Copyright © 2017-2022 F11.CN All Rights Reserved. F11站长开发者网 版权所有 | 苏ICP备2022031554号-1 | 51LA统计