Python版《消消乐》,附源码

曾经风靡一时的消消乐,至今坐在地铁上都可以看到很多人依然在玩,想当年我也是大军中的一员,那家伙,吃饭都在玩,进入到高级的那种胜利感还是很爽的,连续消,无限消,哈哈,现在想想也是很带劲的。今天就来实现一款简易版的,后续会陆续带上高阶版的,先来尝试一把。
首先我们需要准备消消乐的素材,会放在项目的resource文件夹下面,具体我准备了7种,稍后会展示给大家看的。

开心消消乐

先初始化消消乐的游戏界面参数,就是具体显示多大,每行显示多少个方块,每个方块大小,这里我们按照这个大小来设置,数量和大小看着都还挺舒服的:


'''初始化消消乐的参数'''
WIDTH = 600
HEIGHT = 640
NUMGRID = 12
GRIDSIZE = 48
XMARGIN = (WIDTH - GRIDSIZE * NUMGRID) // 2
YMARGIN = (HEIGHT - GRIDSIZE * NUMGRID) // 2
ROOTDIR = os.getcwd()
FPS = 45

每行显示12个,每个方块48个,看看效果

接下来,我们开始实现消除的逻辑:

初始化消消乐的方格:


class elimination_block(pygame.sprite.Sprite):
    def __init__(self, img_path, size, position, downlen, **kwargs):
        pygame.sprite.Sprite.__init__(self)
        self.image = pygame.image.load(img_path)
        self.image = pygame.transform.smoothscale(self.image, size)
        self.rect = self.image.get_rect()
        self.rect.left, self.rect.top = position
        self.down_len = downlen
        self.target_x = position[0]
        self.target_y = position[1] + downlen
        self.type = img_path.split('/')[-1].split('.')[0]
        self.fixed = False
        self.speed_x = 10
        self.speed_y = 10
        self.direction = 'down'

移动方块:


'''拼图块移动'''

    def move(self):
        if self.direction == 'down':
            self.rect.top = min(self.target_y, self.rect.top + self.speed_y)
            if self.target_y == self.rect.top:
                self.fixed = True
        elif self.direction == 'up':
            self.rect.top = max(self.target_y, self.rect.top - self.speed_y)
            if self.target_y == self.rect.top:
                self.fixed = True
        elif self.direction == 'left':
            self.rect.left = max(self.target_x, self.rect.left - self.speed_x)
            if self.target_x == self.rect.left:
                self.fixed = True
        elif self.direction == 'right':
            self.rect.left = min(self.target_x, self.rect.left + self.speed_x)
            if self.target_x == self.rect.left:
                self.fixed = True

获取方块的坐标:

     '''获取坐标'''

    def get_position(self):
        return self.rect.left, self.rect.top

    '''设置坐标'''

    def set_position(self, position):
        self.rect.left, self.rect.top = position

绘制得分,加分,还有倒计时:


'''显示剩余时间'''

    def show_remained_time(self):
        remaining_time_render = self.font.render('CountDown: %ss' % str(self.remaining_time), 1, (85, 65, 0))
        rect = remaining_time_render.get_rect()
        rect.left, rect.top = (WIDTH - 201, 6)
        self.screen.blit(remaining_time_render, rect)

    '''显示得分'''

    def show_score(self):
        score_render = self.font.render('SCORE:' + str(self.score), 1, (85, 65, 0))
        rect = score_render.get_rect()
        rect.left, rect.top = (10, 6)
        self.screen.blit(score_render, rect)

    '''显示加分'''

    def add_score(self, add_score):
        score_render = self.font.render('+' + str(add_score), 1, (255, 100, 100))
        rect = score_render.get_rect()
        rect.left, rect.top = (250, 250)
        self.screen.blit(score_render, rect)

生成方块:


'''生成新的拼图块'''

    def generate_new_blocks(self, res_match):
        if res_match[0] == 1:
            start = res_match[2]
            while start > -2:
                for each in [res_match[1], res_match[1] + 1, res_match[1] + 2]:
                    block = self.get_block_by_position(*[each, start])
                    if start == res_match[2]:
                        self.blocks_group.remove(block)
                        self.all_blocks[each][start] = None
                    elif start >= 0:
                        block.target_y += GRIDSIZE
                        block.fixed = False
                        block.direction = 'down'
                        self.all_blocks[each][start + 1] = block
                    else:
                        block = elimination_block(img_path=random.choice(self.block_images), size=(GRIDSIZE, GRIDSIZE),
                                                position=[XMARGIN + each * GRIDSIZE, YMARGIN - GRIDSIZE],
                                                downlen=GRIDSIZE)
                        self.blocks_group.add(block)
                        self.all_blocks[each][start + 1] = block
                start -= 1
        elif res_match[0] == 2:
            start = res_match[2]
            while start > -4:
                if start == res_match[2]:
                    for each in range(0, 3):
                        block = self.get_block_by_position(*[res_match[1], start + each])
                        self.blocks_group.remove(block)
                        self.all_blocks[res_match[1]][start + each] = None
                elif start >= 0:
                    block = self.get_block_by_position(*[res_match[1], start])
                    block.target_y += GRIDSIZE * 3
                    block.fixed = False
                    block.direction = 'down'
                    self.all_blocks[res_match[1]][start + 3] = block
                else:
                    block = elimination_block(img_path=random.choice(self.block_images), size=(GRIDSIZE, GRIDSIZE),
                                            position=[XMARGIN + res_match[1] * GRIDSIZE, YMARGIN + start * GRIDSIZE],
                                            downlen=GRIDSIZE * 3)
                    self.blocks_group.add(block)
                    self.all_blocks[res_match[1]][start + 3] = block
                start -= 1

绘制拼图,移除,匹配,下滑的效果等:


'''移除匹配的block'''

    def clear_matched_block(self, res_match):
        if res_match[0] > 0:
            self.generate_new_blocks(res_match)
            self.score += self.reward
            return self.reward
        return 0

    '''游戏界面的网格绘制'''

    def draw_grids(self):
        for x in range(NUMGRID):
            for y in range(NUMGRID):
                rect = pygame.Rect((XMARGIN + x * GRIDSIZE, YMARGIN + y * GRIDSIZE, GRIDSIZE, GRIDSIZE))
                self.draw_block(rect, color=(0, 0, 255), size=1)

    '''画矩形block框'''

    def draw_block(self, block, color=(255, 0, 255), size=4):
        pygame.draw.rect(self.screen, color, block, size)

    '''下落特效'''

    def draw_drop_animation(self, x, y):
        if not self.get_block_by_position(x, y).fixed:
            self.get_block_by_position(x, y).move()
        if x < NUMGRID - 1:
            x += 1
            return self.draw_drop_animation(x, y)
        elif y < NUMGRID - 1:
            x = 0
            y += 1
            return self.draw_drop_animation(x, y)
        else:
            return self.is_all_full()

    '''是否每个位置都有拼图块了'''

    def is_all_full(self):
        for x in range(NUMGRID):
            for y in range(NUMGRID):
                if not self.get_block_by_position(x, y).fixed:
                    return False
        return True

绘制匹配规则,绘制拼图交换效果:


'''检查有无拼图块被选中'''

    def check_block_selected(self, position):
        for x in range(NUMGRID):
            for y in range(NUMGRID):
                if self.get_block_by_position(x, y).rect.collidepoint(*position):
                    return [x, y]
        return None

    '''是否有连续一样的三个块(无--返回0/水平--返回1/竖直--返回2)'''

    def is_block_matched(self):
        for x in range(NUMGRID):
            for y in range(NUMGRID):
                if x + 2 < NUMGRID:
                    if self.get_block_by_position(x, y).type == self.get_block_by_position(x + 1, y).type == self.get_block_by_position(x + 2,
                                                                                                          y).type:
                        return [1, x, y]
                if y + 2 < NUMGRID:
                    if self.get_block_by_position(x, y).type == self.get_block_by_position(x, y + 1).type == self.get_block_by_position(x,
                                                                                                          y + 2).type:
                        return [2, x, y]
        return [0, x, y]

    '''根据坐标获取对应位置的拼图对象'''

    def get_block_by_position(self, x, y):
        return self.all_blocks[x][y]

    '''交换拼图'''

    def swap_block(self, block1_pos, block2_pos):
        margin = block1_pos[0] - block2_pos[0] + block1_pos[1] - block2_pos[1]
        if abs(margin) != 1:
            return False
        block1 = self.get_block_by_position(*block1_pos)
        block2 = self.get_block_by_position(*block2_pos)
        if block1_pos[0] - block2_pos[0] == 1:
            block1.direction = 'left'
            block2.direction = 'right'
        elif block1_pos[0] - block2_pos[0] == -1:
            block2.direction = 'left'
            block1.direction = 'right'
        elif block1_pos[1] - block2_pos[1] == 1:
            block1.direction = 'up'
            block2.direction = 'down'
        elif block1_pos[1] - block2_pos[1] == -1:
            block2.direction = 'up'
            block1.direction = 'down'
        block1.target_x = block2.rect.left
        block1.target_y = block2.rect.top
        block1.fixed = False
        block2.target_x = block1.rect.left
        block2.target_y = block1.rect.top
        block2.fixed = False
        self.all_blocks[block2_pos[0]][block2_pos[1]] = block1
        self.all_blocks[block1_pos[0]][block1_pos[1]] = block2
        return True

准备工作差不多了,开始主程序吧:

def main():
    pygame.init()
    screen = pygame.display.set_mode((WIDTH, HEIGHT))
    pygame.display.set_caption('开心消消乐')
    # 加载背景音乐
    pygame.mixer.init()
    pygame.mixer.music.load(os.path.join(ROOTDIR, "resources/audios/bg.mp3"))
    pygame.mixer.music.set_volume(0.6)
    pygame.mixer.music.play(-1)
    # 加载音效
    sounds = {}
    sounds['mismatch'] = pygame.mixer.Sound(os.path.join(ROOTDIR, 'resources/audios/badswap.wav'))
    sounds['match'] = []
    for i in range(6):
        sounds['match'].append(pygame.mixer.Sound(os.path.join(ROOTDIR, 'resources/audios/match%s.wav' % i)))
    # 加载字体
    font = pygame.font.Font(os.path.join(ROOTDIR, 'resources/font.TTF'), 25)
    # 图片加载
    block_images = []
    for i in range(1, 8):
        block_images.append(os.path.join(ROOTDIR, 'resources/images/gem%s.png' % i))
    # 主循环
    game = InitGame(screen, sounds, font, block_images)
    while True:
        score = game.start()
        flag = False
        # 一轮游戏结束后玩家选择重玩或者退出
        while True:
            for event in pygame.event.get():
                if event.type == pygame.QUIT or (event.type == pygame.KEYUP and event.key == pygame.K_ESCAPE):
                    pygame.quit()
                    sys.exit()
                elif event.type == pygame.KEYUP and event.key == pygame.K_r:
                    flag = True
            if flag:
                break
            screen.fill((135, 206, 235))
            text0 = 'Final score: %s' % score
            text1 = 'Press <R> to restart the game.'
            text2 = 'Press <Esc> to quit the game.'
            y = 150
            for idx, text in enumerate([text0, text1, text2]):
                text_render = font.render(text, 1, (85, 65, 0))
                rect = text_render.get_rect()
                if idx == 0:
                    rect.left, rect.top = (212, y)
                elif idx == 1:
                    rect.left, rect.top = (122.5, y)
                else:
                    rect.left, rect.top = (126.5, y)
                y += 100
                screen.blit(text_render, rect)
            pygame.display.update()
        game.reset()


'''test'''
if __name__ == '__main__':
    main()

运行main.py就可以开始游戏了,看看效果吧!

玩了一下,还可以,可能是电脑原因,初始化的时候存在卡顿的情况,后续会优化一下,初始化8个,64大小的方块是最佳情况,大家可以尝试改下配置文件就好了。后续会退出各个小游戏的进阶版,欢迎大家关注,及时获取最新内容。

需要游戏素材,和完整代码,点**开心消消乐**获取。

今天的分享就到这里,希望感兴趣的同学关注我,每天都有新内容,不限题材,不限内容,你有想要分享的内容,也可以私聊我!

在这里插入图片描述

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:/a/679938.html

如若内容造成侵权/违法违规/事实不符,请联系我们进行投诉反馈qq邮箱809451989@qq.com,一经查实,立即删除!

相关文章

开源数据库同步工具DBSyncer-数据库的连接

开源数据库同步工具DBSyncer使用的是什么数据库呢&#xff1f; 查看连接信息&#xff0c;如下&#xff1a; 如上图可知&#xff0c;DBSyncer支持两种方式的数据库连接方式&#xff0c; #storage #数据存储类型:disk(默认)/mysql(推荐生产环境使用) #disk-磁盘:/data/config(驱…

基于Java的敬老院管理系统设计和实现(论文 + 源码)

【免费】基于Java的敬老院管理系统设计和实现.zip资源-CSDN文库https://download.csdn.net/download/JW_559/89399326 基于Java的敬老院管理系统设计和实现 摘 要 新世纪以来,互联网与计算机技术的快速发展,我国也迈进网络化、集成化的信息大数据时代。对于大众而言,单机应用早…

Git版本控制:核心概念、操作与实践

Git是一种分布式版本控制系统&#xff0c;被广泛应用于软件开发过程中。本文将介绍Git的核心概念、常用操作以及最佳实践&#xff0c;帮助读者掌握Git的基本技巧&#xff0c;提高团队协作效率。 一、引言 在软件开发过程中&#xff0c;版本控制是至关重要的。它能帮助我们跟踪…

推导Hessian of XPBD

记 M后面新增的部分为H H − ∂ 2 C ∂ x 2 λ H - \frac{\partial^2 C}{\partial x^2} \lambda H−∂x2∂2C​λ 那么如何求C的二阶导数呢 使用 https://www.matrixcalculus.org/

java自学阶段二:JavaWeb开发--day80(项目实战2之苍穹外卖)

《项目案例—黑马苍穹外卖》 目录&#xff1a; 学习目标项目介绍前端环境搭建(前期直接导入老师的项目&#xff0c;后期自己敲&#xff09;后端环境搭建&#xff08;导入初始项目&#xff0c;新建仓库使用git管理项目&#xff0c;新建数据库&#xff0c;修改登录功能&#xff…

如何以定投策略投资场外个股期权?

场外个股期权为投资者提供了一种灵活且富有潜力的投资工具。与传统的投资方式不同&#xff0c;场外个股期权以其低门槛、高灵活性和潜在的较高回报吸引了众多投资者。对于希望长期稳健增值的投资者来说&#xff0c;利用定投策略来投资场外个股期权是一个值得考虑的选项。 文章…

mathematica中三维画图中标记函数的最大值点

示例代码&#xff1a; Clear["*"]; f[x_, y_] : -(x - 1)^2 - (y 1)^2;(*找到最大值点*) maxPoint Maximize[{f[x, y], -10 < x < 10 && -10 < y < 10 && x^2 y^2 < 10}, {x, y}](*绘制3D图形并标记最大值点*) Y1 Plot3D[f[x, y…

gravis,一个无敌的 Python 库!

更多Python学习内容&#xff1a;ipengtao.com 大家好&#xff0c;今天为大家分享一个无敌的 Python 库 - gravis。 Github地址&#xff1a;https://github.com/robert-haas/gravis 在数据科学和机器学习领域&#xff0c;数据的可视化是一个非常重要的环节。通过可视化&#xff…

每日一题33:数据统计之广告效果

一、每日一题 返回结果示例如下&#xff1a; 示例 1&#xff1a; 输入&#xff1a; Ads 表: ------------------------- | ad_id | user_id | action | ------------------------- | 1 | 1 | Clicked | | 2 | 2 | Clicked | | 3 | 3 | Viewed…

AI智能体|一分钟教你学会使用扣子Coze工作流

大家好&#xff0c;我是无界生长&#xff0c;国内最大AI付费社群“AI破局俱乐部”初创合伙人。这是我的第 38 篇原创文章——《AI智能体&#xff5c;一分钟教你学会使用扣子Coze工作流》 AI智能体&#xff5c;一分钟教你学会使用扣子Coze工作流本文详细解释了Coze工作流的基本…

C语言 | Leetcode C语言题解之第132题分割回文串II

题目&#xff1a; 题解&#xff1a; int minCut(char* s) {int n strlen(s);bool g[n][n];memset(g, 1, sizeof(g));for (int i n - 1; i > 0; --i) {for (int j i 1; j < n; j) {g[i][j] (s[i] s[j]) && g[i 1][j - 1];}}int f[n];for (int i 0; i <…

实习面试题(答案自敲)、

1、为什么要重写equals方法&#xff0c;为什么重写了equals方法后&#xff0c;就必须重写hashcode方法&#xff0c;为什么要有hashcode方法&#xff0c;你能介绍一下hashcode方法吗&#xff1f; equals方法默认是比较内存地址&#xff1b;为了实现内容比较&#xff0c;我们需要…

vscode+latex设置跳转快捷键

安装参考 https://blog.csdn.net/Hacker_MAI/article/details/130334821 设置默认recipe ctrl P 打开设置&#xff0c;搜索recipe 也可以点这里看看有哪些配置 2 设置跳转快捷键

一篇文章讲透数据结构之树and二叉树

一.树 1.1树的定义 树是一种非线性的数据结构&#xff0c;它是有n个有限结点组成的一个具有层次关系的集合。把它叫做树是因为它看起来像一棵倒挂的树&#xff0c;也就是说它是根在上&#xff0c;叶在下的。 在树中有一个特殊的结点&#xff0c;称为根结点&#xff0c;根结点…

python学习笔记-04

高级数据类型 一组按照顺序排列的值称为序列&#xff0c;python中存在三种内置的序列类型&#xff1a;字符串、列表和元组。序列可以支持索引和切片的操作&#xff0c;第一个索引值为0表示从左向右找&#xff0c;第一个索引值为负数表示从右找。 1.字符串操作 1.1 切片 切片…

Renesas MCU之定时器计数功能应用

目录 概述 1 功能介绍 1.1 时钟相关配置 1.2 应用接口 2 FSP配置Project参数 2.1 软件版本信息 2.2 配置参数 2.3 项目生成 3 定时器功能代码实现 3.1 定时器初始化函数 3.2 定时器回调函数 4 功能测试 5 参考文档 概述 本文主要介绍Renesas MCU的定时器功能的基…

Python语法详解module1(变量、数据类型)

目录 一、变量1. 变量的概念2. 创建变量3. 变量的修改4. 变量的命名 二、数据类型1. Python中的数据类型2. 整型&#xff08;int&#xff09;3. 浮点型&#xff08;float&#xff09;4. 布尔型&#xff08;bool&#xff09;5. 字符串&#xff08;str&#xff09;6.复数&#xf…

​ChatTTS:Win11本地安装和一键运行包!

ChatTTS 是一个专为交互式语音准备的AI语音合成项目&#xff0c;特点是自然&#xff0c;逼真&#xff0c;可把控声音细节&#xff0c;能说能笑能停顿。 效果演示 具体内容&#xff0c;已经在另外的文章中介绍过。 本文主要是关注两个点。 如何在Windows上安装这个项目。分享一…

2024蓝桥杯初赛决赛pwn题全解

蓝桥杯初赛决赛pwn题解 初赛第一题第二题 决赛getting_startedbabyheap 初赛 第一题 有system函数&#xff0c;并且能在bss上读入字符 而且存在栈溢出&#xff0c;只要过掉check函数即可 check函数中&#xff0c;主要是对system常规获取权限的参数&#xff0c;进行了过滤&…

软件测试总结基础

软件测试总结基础 1. 何为软件测试 定义&#xff1a;使用技术手段验证软件是否满足需求 目的&#xff1a;减少bug&#xff0c;保证质量 2. 软件测试分类 阶段划分 单元测试&#xff0c;针对源代码进行测试集成测试&#xff0c;针对接口进行测试系统测试&#xff0c;针对功能…