pygame第7课——实现简单一个打砖块游戏

目录

  • 专栏导读
  • 之前的课程
  • 1、小球类设计
  • 2、挡板类的设计
  • 3、砖块类
  • 4、砖块与小球的边界碰撞检测
  • 5、检测到碰撞,删除砖块,改变运动方向
  • 完整版代码
  • 总结

专栏导读

  • 🌸 欢迎来到Python办公自动化专栏—Python处理办公问题,解放您的双手

  • 🏳️‍🌈 博客主页:请点击——> 一晌小贪欢的博客主页求关注

  • 👍 该系列文章专栏:请点击——>Python办公自动化专栏求订阅

  • 🕷 此外还有爬虫专栏:请点击——>Python爬虫基础专栏求订阅

  • 📕 此外还有python基础专栏:请点击——>Python基础学习专栏求订阅

  • 文章作者技术和水平有限,如果文中出现错误,希望大家能指正🙏

  • ❤️ 欢迎各位佬关注! ❤️

之前的课程

pygame课程课程名称
第1课:pygame安装
链接:https://blog.csdn.net/weixin_42636075/article/details/130512509
第2课:pygame加载图片
链接:https://blog.csdn.net/weixin_42636075/article/details/130562606
第3课:画图小程序
链接:https://blog.csdn.net/weixin_42636075/article/details/130801371
第4课:颜色监测(迷宫小游戏)
链接:https://blog.csdn.net/weixin_42636075/article/details/130804267
第5课:音乐播放器
链接:https://blog.csdn.net/weixin_42636075/article/details/130811078
第6课:贪吃蛇小游戏
链接:https://blog.csdn.net/weixin_42636075/article/details/132341210
第7课:打砖块游戏
链接:https://blog.csdn.net/weixin_42636075/article/details/137239564

1、小球类设计

  • 1、小球的大小(球的半径)、初始坐标、速度

self.radius,半径
self.pos = [x,y],初始坐标
self.velocity = [2, -2],速度self.velocity[0]--x轴移动,self.velocity[1]--y轴移动,
  • 2、小球绘制方法

pygame.draw.circle(窗口对象, 颜色(RGB-元组), 初始位置(列表[x,y]), 半径(整数))
  • 3、小球的移动方法(x轴、y轴的移动)

如果小球的x轴坐标 < 小球半径,或者,小球的x轴坐标 > 屏幕的宽度就设置方向相反
同理y轴
# 球体类
class Ball:def __init__(self, radius):self.radius = radiusself.pos = [screen_width // 2, screen_height - 20 - radius]self.velocity = [2, -2]def draw(self, surface):pygame.draw.circle(surface, WHITE, self.pos, self.radius)def update(self):self.pos[0] += self.velocity[0]self.pos[1] += self.velocity[1]# print(self.pos)# 碰到墙壁反弹# print(screen_width - self.radius)if self.pos[0] < self.radius or self.pos[0] > (screen_width - self.radius):# self.pos[0] = -self.pos[0]self.velocity[0] *= -1# if self.pos[0] < 0:#     self.pos[0] = -self.pos[0]# print(screen_height - self.radius)if self.pos[1] <= self.radius or self.pos[1] > (screen_height - self.radius):self.velocity[1] *= -1# if self.pos[1] < 0:#     self.pos[1] = -self.pos[1]

2、挡板类的设计

  • 1、挡板的宽x高

self.width = width
self.height = height
  • 2、挡板的初始坐标

self.pos = [screen_width // 2 - width // 2, screen_height - 20]
  • 3、挡板的速度,因为只在x轴运动,所以y轴为0

self.velocity = [-5, 0]
  • 4、挡板的绘制,x1,y1矩形左上角坐标点, x2,y2矩形右下角坐标点

pygame.draw.rect((窗口对象, 颜色(RGB-元组), (x1,y1, x2,y2), 0, 0)
  • 5、挡板的移动

接收键盘的事件(左键和右键),设置限制不可以超出屏幕外面
# 挡板类
class Paddle:def __init__(self, width, height):self.width = widthself.height = heightself.pos = [screen_width // 2 - width // 2, screen_height - 20]self.velocity = [-5, 0]def draw(self, surface):pygame.draw.rect(surface, WHITE, (self.pos[0], self.pos[1], self.width, self.height), 0, 0)def update(self):keys = pygame.key.get_pressed()if keys[pygame.K_LEFT] and self.pos[0] > 0:self.pos[0] += self.velocity[0]if keys[pygame.K_RIGHT] and self.pos[0] < screen_width - self.width:self.pos[0] -= self.velocity[0]

3、砖块类

  • 1、砖块的摆放坐标,宽、高、 颜色

  • 2、绘制砖块

pygame.draw.rect(surface, self.color, self.rect)
class Brick:def __init__(self, x, y, width, height, color):self.rect = pygame.Rect(x, y, width, height)self.color = colordef draw(self, surface):pygame.draw.rect(surface, self.color, self.rect)

4、砖块与小球的边界碰撞检测

def check_collision(ball, brick):# 检查球与砖块的左右边界碰撞if (brick.rect.x - ball.radius <= ball.pos[0] <= brick.rect.x + brick.rect.width + ball.radius) and (brick.rect.y <= ball.pos[1] <= brick.rect.y + brick.rect.height):return 1  # 返回1表示碰撞发生在砖块的左右边界# 检查球与砖块的上下边界碰撞if (brick.rect.y - ball.radius <= ball.pos[1] <= brick.rect.y + brick.rect.height + ball.radius) and (brick.rect.x <= ball.pos[0] <= brick.rect.x + brick.rect.width):return 2  # 返回2表示碰撞发生在砖块的上下边界return 0

5、检测到碰撞,删除砖块,改变运动方向

def update_bricks(ball, bricks):score = 0for brick in bricks[:]:if check_collision(ball, brick) == 1:# 处理碰撞效果,比如删除砖块或改变球的方向bricks.remove(brick)ball.velocity[0] *= -1score += 10breakelif check_collision(ball, brick) == 2:bricks.remove(brick)ball.velocity[1] *= -1score += 10break# 可能还需要更新分数或其他游戏状态return score

完整版代码

import math
import randomimport pygame
import sys# 球体类
class Ball:def __init__(self, radius):self.radius = radiusself.pos = [screen_width // 2, screen_height - 20 - radius]self.velocity = [2, -2]def draw(self, surface):pygame.draw.circle(surface, WHITE, self.pos, self.radius)def update(self):self.pos[0] += self.velocity[0]self.pos[1] += self.velocity[1]# print(self.pos)# 碰到墙壁反弹# print(screen_width - self.radius)if self.pos[0] < self.radius or self.pos[0] > (screen_width - self.radius):# self.pos[0] = -self.pos[0]self.velocity[0] *= -1# if self.pos[0] < 0:#     self.pos[0] = -self.pos[0]# print(screen_height - self.radius)if self.pos[1] <= self.radius or self.pos[1] > (screen_height - self.radius):self.velocity[1] *= -1# if self.pos[1] < 0:#     self.pos[1] = -self.pos[1]# 挡板类
class Paddle:def __init__(self, width, height):self.width = widthself.height = heightself.pos = [screen_width // 2 - width // 2, screen_height - 20]self.velocity = [-5, 0]def draw(self, surface):pygame.draw.rect(surface, WHITE, (self.pos[0], self.pos[1], self.width, self.height), 0, 0)def update(self):keys = pygame.key.get_pressed()if keys[pygame.K_LEFT] and self.pos[0] > 0:self.pos[0] += self.velocity[0]if keys[pygame.K_RIGHT] and self.pos[0] < screen_width - self.width:self.pos[0] -= self.velocity[0]class Brick:def __init__(self, x, y, width, height, color):self.rect = pygame.Rect(x, y, width, height)self.color = colordef draw(self, surface):pygame.draw.rect(surface, self.color, self.rect)def check_collision(ball, brick):# 检查球与砖块的左右边界碰撞if (brick.rect.x - ball.radius <= ball.pos[0] <= brick.rect.x + brick.rect.width + ball.radius) and (brick.rect.y <= ball.pos[1] <= brick.rect.y + brick.rect.height):return 1  # 返回1表示碰撞发生在砖块的左右边界# 检查球与砖块的上下边界碰撞if (brick.rect.y - ball.radius <= ball.pos[1] <= brick.rect.y + brick.rect.height + ball.radius) and (brick.rect.x <= ball.pos[0] <= brick.rect.x + brick.rect.width):return 2  # 返回2表示碰撞发生在砖块的上下边界return 0def update_bricks(ball, bricks):score = 0for brick in bricks[:]:if check_collision(ball, brick) == 1:# 处理碰撞效果,比如删除砖块或改变球的方向bricks.remove(brick)ball.velocity[0] *= -1score += 10breakelif check_collision(ball, brick) == 2:bricks.remove(brick)ball.velocity[1] *= -1score += 10break# 可能还需要更新分数或其他游戏状态return scoredef create_explosion(brick):# 创建一个表示爆炸效果的对象或动画passdef update_explosions(explosions, bricks):for explosion in explosions[:]:# 更新爆炸效果if explosion.is_finished():explosions.remove(explosion)# 如果爆炸与砖块碰撞,移除砖块if explosion.intersects(brick):bricks.remove(brick)if __name__ == '__main__':# 初始化Pygamepygame.init()# 设置屏幕大小screen_width, screen_height = 640, 480screen = pygame.display.set_mode((screen_width, screen_height))# 设置标题和时钟pygame.display.set_caption('Bounce Game')clock = pygame.time.Clock()# 定义颜色WHITE = (255, 255, 255)BLACK = (0, 0, 0)RED = (255, 0, 0)# 创建球体和挡板ball = Ball(10)paddle = Paddle(80, 10)# 创建砖块bricks = []for x in range(0, screen_width, 80):  # 假设每个砖块宽度为80像素for y in range(0, screen_height // 4, 20):  # 假设每个砖块高度为40像素brick = Brick(x + 2, y + 2, 80 - 2, 20 - 2, (255, 255, 255))  # 白色砖块bricks.append(brick)# 得分变量score = 0# 游戏主循环running = Truewhile running:for event in pygame.event.get():if event.type == pygame.QUIT:running = False# 更新球体和挡板的位置ball.update()paddle.update()# print(ball.pos, paddle.pos)# 检测球体是否碰到挡板if ball.pos[1] + ball.radius > paddle.pos[1]:if ball.pos[0] < paddle.pos[0] or ball.pos[0] > paddle.pos[0] + paddle.width:# running = Falsescore -= 1else:ss = abs(ball.pos[0] - (paddle.pos[0]+paddle.width//2)) / 20ball.velocity[0] = 2+ss*2ball.velocity[1] *= -1# screen.fill(BLACK)# 渲染背景screen.fill(BLACK)# 绘制球体和挡板ball.draw(screen)paddle.draw(screen)xx = random.randint(0, 255)# 绘制砖块for brick in bricks:# 渐变ß# r = math.sqrt((ball.pos[0] - brick.rect.x) ** 2 + (ball.pos[1] - brick.rect.y) ** 2)# brick.color = ((r)/720 *255 % 255,  255, (r)/720*255 % 255)brick.draw(screen)if ball.pos[1] <= screen_height//2:score += update_bricks(ball, bricks)# 显示得分font = pygame.font.Font(None, 36)score_text = font.render('Score: ' + str(score), True, RED)screen.blit(score_text, (10, 10))# 更新屏幕显示pygame.display.flip()# 设置帧率clock.tick(60)# 退出游戏pygame.quit()sys.exit()

本文转载至:https://blog.csdn.net/u010095372/article/details/137205814?spm=1001.2014.3001.5506

总结

  • 希望对初学者有帮助

  • 致力于办公自动化的小小程序员一枚

  • 希望能得到大家的【一个免费关注】!感谢

  • 求个 🤞 关注 🤞

  • 此外还有办公自动化专栏,欢迎大家订阅:Python办公自动化专栏

  • 求个 ❤️ 喜欢 ❤️

  • 此外还有爬虫专栏,欢迎大家订阅:Python爬虫基础专栏

  • 求个 👍 收藏 👍

  • 此外还有Python基础专栏,欢迎大家订阅:Python基础学习专栏

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

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

相关文章

简单的架构模板

大纲 现状 业务背景技术背景 需求 业务需求业务痛点性能需求 方案描述 方案1 概述详细说明性能目标性能评估方案优缺点 方案2方案对比 线上方案 架构图关键设计点和设计折衷业务流程模块划分异常边界&#xff08;重要&#xff09;统计&#xff0c;监控灰度&#xff0c;回滚策略…

SSH远程登陆系统(RedHat9)

ssh的基本用法 ssh hostname/IP # 如果没有指定用什么用户进行连接&#xff0c;默认使用当前用户登录 ssh –l username hostname/IP ssh usernamehostname ssh usernameIP在第一次连接到服务器时&#xff0c;会自动记录服务器的公钥指纹信息 如果出现密钥变更导致错误可以…

L2-2 巴音布鲁克永远的土(二分+并查集)

思路&#xff1a;我们可以二分答案&#xff0c;然后判断当前答案合不合理。 对于判断答案合理&#xff0c;可以用并查集&#xff0c;看mid能否把所有检查点连进一个集合中&#xff0c;枚举每个结点&#xff0c;如何当前结点周围的四个方向可以连的话&#xff0c;就加进同一个集…

贪心算法|435.无重叠区间

力扣题目链接 class Solution { public:// 按照区间右边界排序static bool cmp (const vector<int>& a, const vector<int>& b) {return a[1] < b[1];}int eraseOverlapIntervals(vector<vector<int>>& intervals) {if (intervals.siz…

基于 OpenHarmony 音符检测实现原理

一、音符检测的基本原理 本文基于 OpenHarmony 开源系统提供了一种音符检测的原理方法&#xff0c;结合多首音乐&#xff0c;运用了 python 和 C 两种编程环境实现了预期的检出效果。旨在为振动马达(vibrator)提供音乐节奏感的触觉效果&#xff0c;代码所在目录 .\base\sensor…

2024.4.12蚂蚁庄园今日答案:豆腐在烹调时容易碎有什么办法可以避免?

原文来源&#xff1a;蚂蚁庄园今日答案 - 词令 蚂蚁庄园是一款爱心公益游戏&#xff0c;用户可以通过喂养小鸡&#xff0c;产生鸡蛋&#xff0c;并通过捐赠鸡蛋参与公益项目。用户每日完成答题就可以领取鸡饲料&#xff0c;使用鸡饲料喂鸡之后&#xff0c;会可以获得鸡蛋&…

JDK版本升级后连不上MySQL数据库的问题

1. 问题描述 用户在将 JDK 版本从 8 升级到 11 后&#xff0c;发现应用无法连接到 MySQL 数据库&#xff0c;出现连接超时或连接被拒绝的错误。 例如出现如下报错信息&#xff1a; 可能原因&#xff1a; JDBC驱动版本不兼容&#xff1a; 新的 JDK 11 可能需要使用更高版本的 My…

docker一键部署GPU版ChatGLM3

一键运行 docker run --gpus all -itd --name chatglm3 -p 81:80 -p 6006:6006 -p 8888:8888 -p 7860:7860 -p 8501:8501 -p 8000:8000 --shm-size32gb registry.cn-hangzhou.aliyuncs.com/cwp-docker/chatglm3-gpu:1.0 进入容器 docker exec -it chatglm3 /bin/bash cd /…

自定义校验器

1.前端校验 <template><el-dialog:title"!dataForm.brandId ? 新增 : 修改":close-on-click-modal"false":visible.sync"visible"><el-form:model"dataForm":rules"dataRule"ref"dataForm"keyu…

Java(IO流)

IO流 用于读写文件中的数据&#xff08;可以读写文件或网络中的数据&#xff09;I&#xff1a;inputO&#xff1a;output 1.IO流的分类 1 流的方向 输入流&#xff08;读取&#xff1a;程序 -> 文件&#xff09;输出流&#xff08;写出&#xff1a;文件 -> 程序&#x…

Hello 算法10:搜索

https://www.hello-algo.com/chapter_searching/binary_search/ 二分查找法 给定一个长度为 n的数组 nums &#xff0c;元素按从小到大的顺序排列&#xff0c;数组不包含重复元素。请查找并返回元素 target 在该数组中的索引。若数组不包含该元素&#xff0c;则返回 -1 。 # 首…

前端实用文档总结

工具类 utools 快捷键 空格option 呼出颜色提取/转换json格式化工具截图markdown笔记文本差异对比svg转png正则… deepl 翻译工具 翻译工具 poe AI工具figma 原型图设计iconfont阿里巴巴图库菜鸟工具-正则表达式Mermaid在线画图&#xff0c;属于文字类画图&#xff0c;根据对应…

C++11 设计模式2. 简单工厂模式

简单工厂&#xff08;Simple Factory&#xff09;模式 我们从实际例子出发&#xff0c;来看在什么情况下&#xff0c;应用简单工厂模式。 还是以一个游戏举例 //策划&#xff1a;亡灵类怪物&#xff0c;元素类怪物&#xff0c;机械类怪物&#xff1a;都有生命值&#xff0…

深入浅析插入排序:原理、实现与应用

在众多基础排序算法中&#xff0c;插入排序以其简洁明了的逻辑和直观的实现方式&#xff0c;赢得了广大程序员的喜爱。本篇博客将带领大家深入了解插入排序的原理、详细实现步骤以及其在实际场景中的应用&#xff0c;帮助读者更好地理解和掌握这一经典排序方法。 一、插入排序…

用python 实现进销存

进销存系统是一个基本的商业管理系统&#xff0c;用于跟踪库存、销售和采购活动。以下是一个简单的进销存系统的Python实现&#xff0c;这个系统包括商品管理、采购入库、销售出库以及库存查询的功能。 首先&#xff0c;我们定义一个Product类来表示商品&#xff1a; python复…

Unity3D知识点精华浓缩

一、细节 1、类与组件的关系 2、Time.deltaTime的含义 3、怎么表示一帧的移动距离 4、Update和LateUpdate的区别和适用场景 5、找游戏对象的方式&#xff08;别的对象 / 当前对象的子对象&#xff09; 6、组件1调用组件2中方法的方式 7、在面板中获取外部数据的方法 8、序列化属…

在Windows系统中开启SSH服务

文章目录 引言I 使用Windows内置的OpenSSH服务器功能1.1 安装并启用SSH服务器1.2 配置SSH服务器的端口号II Windows的run功能III SSH的其他操作3.1 绑定本地端口3.2 本地端口转发3.3 远程端口转发3.4 后台运行3.5 不执行远程操作3.6 在Linux上创建一个git用户用于SSH访问see al…

ChatGPT智能写作:开启论文写作新视野

ChatGPT无限次数:点击直达 html ChatGPT智能写作&#xff1a;开启论文写作新视野 引言 在当今信息爆炸的时代&#xff0c;人们需要更有效的工具来帮助他们在各种领域进行写作。ChatGPT作为一项基于人工智能技术的顶尖产品&#xff0c;为论文写作提供了全新的视角和可能性。…

海外博士后政策,这些重点你不能错过!

​ ​海外高层次人才博士后专项申报政策是针对具有较高学术造诣和研究潜力的海外学者、研究人员&#xff0c;旨在吸引他们回国从事科研工作&#xff0c;推动国内科技创新发展。该政策不仅为海外人才提供了良好的职业发展平台&#xff0c;还为他们提供了丰富的科研资源和优厚…

20240408在线给加密的PDF文件解密【打印限制】

20240408在线给加密的PDF文件解密 百度&#xff1a;PDF解密 https://smallpdf.com/cn/unlock-pdf PDF解密 未选择任何文件 或拖放PDF至此处 无文件大小限制&#xff0c;无广告水印 - 这款易于使用且免费的在线密码移除工具可为您移除恼人的PDF密码。 无需注册 数秒内解锁 PDF …