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 = positionself.down_len = downlenself.target_x = position[0]self.target_y = position[1] + downlenself.type = img_path.split('/')[-1].split('.')[0]self.fixed = Falseself.speed_x = 10self.speed_y = 10self.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 = Trueelif 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 = Trueelif 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 = Trueelif 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] = Noneelif start >= 0:block.target_y += GRIDSIZEblock.fixed = Falseblock.direction = 'down'self.all_blocks[each][start + 1] = blockelse: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] = blockstart -= 1elif 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] = Noneelif start >= 0:block = self.get_block_by_position(*[res_match[1], start])block.target_y += GRIDSIZE * 3block.fixed = Falseblock.direction = 'down'self.all_blocks[res_match[1]][start + 3] = blockelse: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] = blockstart -= 1

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


'''移除匹配的block'''def clear_matched_block(self, res_match):if res_match[0] > 0:self.generate_new_blocks(res_match)self.score += self.rewardreturn self.rewardreturn 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 += 1return self.draw_drop_animation(x, y)elif y < NUMGRID - 1:x = 0y += 1return 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 Falsereturn 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 Falseblock1 = 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.leftblock1.target_y = block2.rect.topblock1.fixed = Falseblock2.target_x = block1.rect.leftblock2.target_y = block1.rect.topblock2.fixed = Falseself.all_blocks[block2_pos[0]][block2_pos[1]] = block1self.all_blocks[block1_pos[0]][block1_pos[1]] = block2return 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 = Trueif flag:breakscreen.fill((135, 206, 235))text0 = 'Final score: %s' % scoretext1 = 'Press <R> to restart the game.'text2 = 'Press <Esc> to quit the game.'y = 150for 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 += 100screen.blit(text_render, rect)pygame.display.update()game.reset()'''test'''
if __name__ == '__main__':main()

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

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

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

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

在这里插入图片描述

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

如若内容造成侵权/违法违规/事实不符,请联系长河编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

代码随想录——二叉搜索树的最近公共祖先(Leetcode235)

题目链接 普通递归法 /*** Definition for a binary tree node.* public class TreeNode {* int val;* TreeNode left;* TreeNode right;* TreeNode(int x) { val x; }* }*/class Solution {public TreeNode lowestCommonAncestor(TreeNode root, TreeNode…

ChatGPT成知名度最高生成式AI产品,使用频率却不高

5月29日&#xff0c;牛津大学、路透社新闻研究所联合发布了一份生成式AI&#xff08;AIGC&#xff09;调查报告。 在今年3月28日—4月30日对美国、英国、法国、日本、丹麦和阿根廷的大约12,217人进行了调查&#xff0c;深度调研他们对生成式AI产品的应用情况。 结果显示&…

linux部署运维3——centos7下导入导出mysql数据库的sql文件以及查询数据量最大的表信息

在实际项目开发或者项目运维过程中&#xff0c;数据库的导入导出操作比较频繁&#xff0c;如果可以借助第三方工具那当然算喜事一桩&#xff1b;但是如果不允许外部访问&#xff0c;那么就只能使用数据库自带的命令&#xff0c;也是相当方便的。 一.导入sql文件 1.在linux命令…

基于单片机的船舱温度临界报警系统

摘 要 : 针对传统的船舱温度临界报警系统&#xff0c;由于温度监控不到位导致报警不及时的问题&#xff0c;提出一个基于单片机的船舱温度临界报警系统设计。该设计将单片机作为核心控制硬件&#xff0c;控制系统整体电路。同时设计数据采集模块&#xff0c;利用温度测量仪测试…

12 - 常用类

那就别跟他们比&#xff0c;先跟自己比&#xff0c;争取今天比昨天强一些&#xff0c;明天比今天强一些。 1.包装类 针对八种基本数据类型封装的相应的引用类型。 有了类的特点&#xff0c;就可以调用类中的方法。&#xff08;为什么要封装&#xff09; 基本数据类型包装类b…

[笔记] 记录docker-compose使用和Harbor的部署过程

容器技术 第三章 记录docker-compose使用和Harbor的部署过程 容器技术记录docker-compose使用和Harbor的部署过程Harborhttps方式部署&#xff1a;测试环境部署使用自签名SSL证书https方式部署&#xff1a;正式环境部署使用企业颁发的SSL证书给Docker守护进程添加Harbor的SSL证…

AI视频教程下载:给初学者的ChatGPT提示词技巧

你是否厌倦了花费数小时在可以通过强大的语言模型自动化的琐碎任务上&#xff1f;你是否准备好利用 ChatGPT——世界上最先进的语言模型——并将你的生产力提升到下一个水平&#xff1f; ChatGPT 是语言处理领域的游戏规则改变者&#xff0c;它能够理解并响应自然语言&#xf…

“Apache Kylin 实战指南:从安装到高级优化的全面教程

Apache Kylin是一个开源的分布式分析引擎,它提供了在Hadoop/Spark之上的SQL查询接口及多维分析(OLAP)能力,支持超大规模数据的亚秒级查询。以下是Kylin的入门教程,帮助您快速上手并使用这个强大的工具。 1. 安装Kylin Apache Kylin的安装是一个关键步骤,它要求您具备一…

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

题目&#xff1a; 题解&#xff1a; class Solution { public:int minCut(string s) {int n s.size();vector<vector<int>> g(n, vector<int>(n, true));for (int i n - 1; i > 0; --i) {for (int j i 1; j < n; j) {g[i][j] (s[i] s[j]) &…

Windows下使用Airsim+QGC进行PX4硬件在环HITL(三)

Windows下使用AirsimQGC进行PX4硬件在环HITL This tutorial will guide you through the installation of Airsim and QGC on Windows, so that the hardware-in-the-loop experiment can be conducted. Hardware-in-the-Loop (HITL or HIL) is a simulation mode in which nor…

三维模型轻量化工具:手工模型、BIM、倾斜摄影等皆可用!

老子云是全球领先的数字孪生引擎技术及服务提供商&#xff0c;它专注于让一切3D模型在全网多端轻量化处理与展示&#xff0c;为行业数字化转型升级与数字孪生应用提供成套的3D可视化技术、产品与服务。 老子云是全球领先的数字孪生引擎技术及服务提供商&#xff0c;它专注于让…

C# 中文字符串转GBK字节的示例

一、编写思路 在 C# 中&#xff0c;将中文字符串转换为 GBK 编码的字节数组需要使用 Encoding 类。然而&#xff0c;Encoding 类虽然默认并不直接支持 GBK 编码&#xff0c;但是可以通过以下方式来实现这一转换&#xff1a; 1.使用系统已安装的编码提供者&#xff08;如果系统…

Unity 之 代码修改材质球贴图

Unity 之 代码修改材质球贴图 代码修改Shader&#xff1a;ShaderGraph&#xff1a;材质球包含属性 代码修改 meshRenderer.material.SetTexture("_Emission", texture);Shader&#xff1a; ShaderGraph&#xff1a; 材质球包含属性 materials[k].HasProperty("…

S4 BP 维护

前台输入Tcode:BP 问候填写金税开票信息使用的开户行名称,注释填写金税开票信息使用的开户行代码 屏幕下滑按需填写其他数据,如:街道2,街道3,街道/门牌号,街道4,街道5,区域,邮编、城市、国家、地区、语言,电话(发票地址里的电话(必须是客户开票资料里提供的电话,会…

团队项目开发使用git工作流(IDEA)【精细】

目录 开发项目总体使用git流程 图解流程 1.创建项目仓库[组长完成] 2. 创建项目&#xff0c;并进行绑定远程仓库【组长完成】 3.将项目与远程仓库&#xff08;gitee&#xff09;进行绑定 3.1 创建本地的git仓库 3.2 将项目添加到缓存区 3.3 将项目提交到本地仓库&#…

读书笔记-Java并发编程的艺术-第2章 Java并发机制的底层实现原理

文章目录 2.1 volatile的应用2.1.1 volatile的定义与实现原理2.1.2 volatile的使用优化 2.2 synchronized的实现原理与应用2.2.1 Java对象头2.2.2 锁的升级与对比2.2.2.1 偏向锁2.2.2.2 轻量级锁2.2.2.3 锁的优缺点对比 2.3 原子操作的实现原理2.3.1 术语定义2.3.2 处理器如何实…

Git常用命令1

1、设置用户签名 ①基本语法&#xff1a; git config --global user.name 用户名 git config --global user.email 邮箱 ②实际操作 ③查询是否设置成功 cat ~/.gitconfig 注&#xff1a;签名的作用是区分不同操作者身份。用户的签名信息在每一个版本的提交…

GO语言 服务发现概述

https://zhuanlan.zhihu.com/p/32027014 明明白白的聊一下什么是服务发现-CSDN博客 一、服务发现 是什么 在传统的系统部署中&#xff0c;服务运行在一个固定的已知的 IP 和端口上&#xff0c;如果一个服务需要调用另外一个服务&#xff0c;可以通过地址直接调用。 但是&…

excle中数据分析,excle导入用sql简单处理

前言&#xff1a; 办法一&#xff1a;直接用excle导入db就行&#xff0c;如果excle导如db不能用&#xff0c;就用笨办法下面这个方法去做 1、从系统中导出excle 2、db中插入相应的表和标题 3、先手动插入条件&#xff0c;把insert语句复制出来 INSERT INTO test.test (orders…

短视频直播教学课程小程序的作用是什么

只要短视频/直播做的好&#xff0c;营收通常都不在话下&#xff0c;近些年&#xff0c;线上自媒体行业热度非常高&#xff0c;每条细分赛道都有着博主/账号&#xff0c;其各种优势条件下也吸引着其他普通人冲入。 然无论老玩家还是新玩家&#xff0c;面对平台不断变化的规则和…