目录

1、21点数字小游戏展示:

2、保卫森林大作战啦啦

3、超级大的迷宫

总结


正在学Python中的我,自我感觉学的还不错的亚子~想做点什么来练练手,然后我疯狂的找各种小游戏的教程源码什么的,于是我就疯狂的找呀找呀,就找到了一大堆,哈哈哈
毕竟我是从小就有一个游戏梦,现在就弥补一下自己小时候没有玩过瘾的游戏补上叭~

提示:爱学习哦,不要沉迷游戏,平时打发一下无聊时间最好啦

拿走源码的还请留言说一下好吗?不管是想学习的想转发的想干啥的,还请都点个赞说一下不,我也找的不容易呀

1、21点数字小游戏展示:

首先配置文件的源码:

'''配置文件'''
import os# 一些常量
RED = (255, 0, 0)
BLACK = (0, 0, 0)
AZURE = (240, 255, 255)
WHITE = (255, 255, 255)
MISTYROSE = (255, 228, 225)
PALETURQUOISE = (175, 238, 238)
PAPAYAWHIP = (255, 239, 213)
CURRENTPATH = os.getcwd()
FONTPATH = os.path.join(CURRENTPATH, 'resources/fonts/font.TTF')
AUDIOWINPATH = os.path.join(CURRENTPATH, 'resources/audios/win.wav')
AUDIOLOSEPATH = os.path.join(CURRENTPATH, 'resources/audios/lose.wav')
AUDIOWARNPATH = os.path.join(CURRENTPATH, 'resources/audios/warn.wav')
BGMPATH = os.path.join(CURRENTPATH, 'resources/audios/bgm.mp3')
# 数字卡片
# --数字卡片字体颜色
NUMBERFONT_COLORS = [BLACK, RED]
# --数字卡片背景颜色
NUMBERCARD_COLORS = [MISTYROSE, PALETURQUOISE]
# --数字卡片字体路径与大小
NUMBERFONT = [FONTPATH, 50]
# --数字卡片位置
NUMBERCARD_POSITIONS = [(25, 50, 150, 200), (225, 50, 150, 200), (425, 50, 150, 200), (625, 50, 150, 200)]
# 运算符卡片
# --运算符种类
OPREATORS = ['+', '-', '×', '÷']
# --运算符卡片字体颜色
OPREATORFONT_COLORS = [BLACK, RED]
# --运算符卡片背景颜色
OPERATORCARD_COLORS = [MISTYROSE, PALETURQUOISE]
# --运算符卡片字体路径与大小
OPERATORFONT = [FONTPATH, 30]
# --运算符卡片位置
OPERATORCARD_POSITIONS = [(230, 300, 50, 50), (330, 300, 50, 50), (430, 300, 50, 50), (530, 300, 50, 50)]
# 按钮卡片
# --按钮类型
BUTTONS = ['RESET', 'ANSWERS', 'NEXT']
# --按钮卡片字体颜色
BUTTONFONT_COLORS = [BLACK, BLACK]
# --按钮卡片背景颜色
BUTTONCARD_COLORS = [MISTYROSE, PALETURQUOISE]
# --按钮卡片字体路径与大小
BUTTONFONT = [FONTPATH, 30]
# --按钮卡片位置
BUTTONCARD_POSITIONS = [(25, 400, 700/3, 150), (50+700/3, 400, 700/3, 150), (75+1400/3, 400, 700/3, 150)]
# 屏幕大小
SCREENSIZE = (800, 600)
# 卡片类型
GROUPTYPES = ['NUMBER', 'OPREATOR', 'BUTTON']

游戏源码:

import os
import sys
import pygame
from cfg import *
from modules import *
from fractions import Fraction'''检查控件是否被点击'''
def checkClicked(group, mouse_pos, group_type='NUMBER'):selected = []# 数字卡片/运算符卡片if group_type == GROUPTYPES[0] or group_type == GROUPTYPES[1]:max_selected = 2 if group_type == GROUPTYPES[0] else 1num_selected = 0for each in group:num_selected += int(each.is_selected)for each in group:if each.rect.collidepoint(mouse_pos):if each.is_selected:each.is_selected = not each.is_selectednum_selected -= 1each.select_order = Noneelse:if num_selected < max_selected:each.is_selected = not each.is_selectednum_selected += 1each.select_order = str(num_selected)if each.is_selected:selected.append(each.attribute)# 按钮卡片elif group_type == GROUPTYPES[2]:for each in group:if each.rect.collidepoint(mouse_pos):each.is_selected = Trueselected.append(each.attribute)# 抛出异常else:raise ValueError('checkClicked.group_type unsupport %s, expect %s, %s or %s...' % (group_type, *GROUPTYPES))return selected'''获取数字精灵组'''
def getNumberSpritesGroup(numbers):number_sprites_group = pygame.sprite.Group()for idx, number in enumerate(numbers):args = (*NUMBERCARD_POSITIONS[idx], str(number), NUMBERFONT, NUMBERFONT_COLORS, NUMBERCARD_COLORS, str(number))number_sprites_group.add(Card(*args))return number_sprites_group'''获取运算符精灵组'''
def getOperatorSpritesGroup(operators):operator_sprites_group = pygame.sprite.Group()for idx, operator in enumerate(operators):args = (*OPERATORCARD_POSITIONS[idx], str(operator), OPERATORFONT, OPREATORFONT_COLORS, OPERATORCARD_COLORS, str(operator))operator_sprites_group.add(Card(*args))return operator_sprites_group'''获取按钮精灵组'''
def getButtonSpritesGroup(buttons):button_sprites_group = pygame.sprite.Group()for idx, button in enumerate(buttons):args = (*BUTTONCARD_POSITIONS[idx], str(button), BUTTONFONT, BUTTONFONT_COLORS, BUTTONCARD_COLORS, str(button))button_sprites_group.add(Button(*args))return button_sprites_group'''计算'''
def calculate(number1, number2, operator):operator_map = {'+': '+', '-': '-', '×': '*', '÷': '/'}try:result = str(eval(number1+operator_map[operator]+number2))return result if '.' not in result else str(Fraction(number1+operator_map[operator]+number2))except:return None'''在屏幕上显示信息'''
def showInfo(text, screen):rect = pygame.Rect(200, 180, 400, 200)pygame.draw.rect(screen, PAPAYAWHIP, rect)font = pygame.font.Font(FONTPATH, 40)text_render = font.render(text, True, BLACK)font_size = font.size(text)screen.blit(text_render, (rect.x+(rect.width-font_size[0])/2, rect.y+(rect.height-font_size[1])/2))'''主函数'''
def main():# 初始化, 导入必要的游戏素材pygame.init()pygame.mixer.init()screen = pygame.display.set_mode(SCREENSIZE)pygame.display.set_caption('24 point —— 九歌')win_sound = pygame.mixer.Sound(AUDIOWINPATH)lose_sound = pygame.mixer.Sound(AUDIOLOSEPATH)warn_sound = pygame.mixer.Sound(AUDIOWARNPATH)pygame.mixer.music.load(BGMPATH)pygame.mixer.music.play(-1, 0.0)# 24点游戏生成器game24_gen = game24Generator()game24_gen.generate()# 精灵组# --数字number_sprites_group = getNumberSpritesGroup(game24_gen.numbers_now)# --运算符operator_sprites_group = getOperatorSpritesGroup(OPREATORS)# --按钮button_sprites_group = getButtonSpritesGroup(BUTTONS)# 游戏主循环clock = pygame.time.Clock()selected_numbers = []selected_operators = []selected_buttons = []is_win = Falsewhile True:for event in pygame.event.get():if event.type == pygame.QUIT:pygame.quit()sys.exit(-1)elif event.type == pygame.MOUSEBUTTONUP:mouse_pos = pygame.mouse.get_pos()selected_numbers = checkClicked(number_sprites_group, mouse_pos, 'NUMBER')selected_operators = checkClicked(operator_sprites_group, mouse_pos, 'OPREATOR')selected_buttons = checkClicked(button_sprites_group, mouse_pos, 'BUTTON')screen.fill(AZURE)# 更新数字if len(selected_numbers) == 2 and len(selected_operators) == 1:noselected_numbers = []for each in number_sprites_group:if each.is_selected:if each.select_order == '1':selected_number1 = each.attributeelif each.select_order == '2':selected_number2 = each.attributeelse:raise ValueError('Unknow select_order %s, expect 1 or 2...' % each.select_order)else:noselected_numbers.append(each.attribute)each.is_selected = Falsefor each in operator_sprites_group:each.is_selected = Falseresult = calculate(selected_number1, selected_number2, *selected_operators)if result is not None:game24_gen.numbers_now = noselected_numbers + [result]is_win = game24_gen.check()if is_win:win_sound.play()if not is_win and len(game24_gen.numbers_now) == 1:lose_sound.play()else:warn_sound.play()selected_numbers = []selected_operators = []number_sprites_group = getNumberSpritesGroup(game24_gen.numbers_now)# 精灵都画到screen上for each in number_sprites_group:each.draw(screen, pygame.mouse.get_pos())for each in operator_sprites_group:each.draw(screen, pygame.mouse.get_pos())for each in button_sprites_group:if selected_buttons and selected_buttons[0] in ['RESET', 'NEXT']:is_win = Falseif selected_buttons and each.attribute == selected_buttons[0]:each.is_selected = Falsenumber_sprites_group = each.do(game24_gen, getNumberSpritesGroup, number_sprites_group, button_sprites_group)selected_buttons = []each.draw(screen, pygame.mouse.get_pos())# 游戏胜利if is_win:showInfo('Congratulations', screen)# 游戏失败if not is_win and len(game24_gen.numbers_now) == 1:showInfo('Game Over', screen)pygame.display.flip()clock.tick(30)'''run'''
if __name__ == '__main__':main()

2、保卫森林大作战啦啦

展示:

首先配置文件的源码:

'''配置文件'''
import os'''屏幕大小'''
SCREENSIZE = (800, 600)
'''图片路径'''
IMAGEPATHS = {'choice': {'load_game': os.path.join(os.getcwd(), 'resources/images/choice/load_game.png'),'map1': os.path.join(os.getcwd(), 'resources/images/choice/map1.png'),'map1_black': os.path.join(os.getcwd(), 'resources/images/choice/map1_black.png'),'map1_red': os.path.join(os.getcwd(), 'resources/images/choice/map1_red.png'),'map2': os.path.join(os.getcwd(), 'resources/images/choice/map2.png'),'map2_black': os.path.join(os.getcwd(), 'resourc'end': {'gameover': os.path.join(os.getcwd(), 'resources/images/end/gameover.png'),'continue_red': os.path.join(os.getcwd(), 'resources/images/end/continue_red.png'),'continue_black': os.path.join(os.getcwd(), 'resources/images/end/continue_black.png'),},'game': {'arrow1': os.path.join(os.getcwd(), 'resources/images/game/arrow1.png'), 'arrow2': os.path.join(os.getcwd(), 'resources/images/game/arrow2.png'), 'arrow3': os.path.join(os.getcwd(), 'resources/images/game/arrow3.png'), 'basic_tower': os.path.join(os.getcwd(), 'resources/images/game/basic_tower.png'), 'boulder': os.path.join(os.getcwd(), 'resources/images/game/boulder.png'), 'bush': os.path.join(os.getcwd(), 'resources/images/game/bush.png'), 'cave': os.path.join(os.getcwd(), 'resources/images/game/cave.png'), 'dirt': os.path.join(os.getcwd(), 'resources/images/game/dirt.png'), 'enemy_blue': os.path.join(os.getcwd(), 'resources/images/game/enemy_blue.png'), 'enemy_pink': os.path.join(os.getcwd(), 'resources/images/game/enemy_pink.png'), 'enemy_red': os.path.join(os.getcwd(), 'resources/images/game/enemy_red.png'), 'enemy_yellow': os.path.join(os.getcwd(), 'resources/images/game/enemy_yellow.png'), 'godark': os.path.join(os.getcwd(), 'resources/images/game/godark.png'), 'golight': os.path.join(os.getcwd(), 'resources/images/game/golight.png'), 'grass': os.path.join(os.getcwd(), 'resources/images/game/grass.png'), 'healthfont': os.path.join(os.getcwd(), 'resources/images/game/healthfont.png'), 'heavy_tower': os.path.join(os.getcwd(), 'resources/images/game/heavy_tower.png'), 'med_tower': os.path.join(os.getcwd(), 'resources/images/game/med_tower.png'), 'nexus': os.path.join(os.getcwd(), 'resources/images/game/nexus.png'), 'othergrass': os.path.join(os.getcwd(), 'resources/images/game/othergrass.png'), 'path': os.path.join(os.getcwd(), 'resources/images/game/path.png'), 'rock': os.path.join(os.getcwd(), 'resources/images/game/rock.png'), 'tiles': os.path.join(os.getcwd(), 'resources/images/game/tiles.png'), 'unitfont': os.path.join(os.getcwd(), 'resources/images/game/unitfont.png'), 'water': os.path.join(os.getcwd(), 'resources/images/game/water.png'), 'x': os.path.join(os.getcwd(), 'resources/images/game/x.png'), },'pause': {'gamepaused': os.path.join(os.getcwd(), 'resources/images/pause/gamepaused.png'), 'resume_black': os.path.join(os.getcwd(), 'resources/images/pause/resume_black.png'), 'resume_red': os.path.join(os.getcwd(), 'resources/images/pause/resume_red.png'), },'start': {'play_black': os.path.join(os.getcwd(), 'resources/images/start/play_black.png'), 'play_red': os.path.join(os.getcwd(), 'resources/images/start/play_red.png'), 'quit_black': os.path.join(os.getcwd(), 'resources/images/start/quit_black.png'), 'quit_red': os.path.join(os.getcwd(), 'resources/images/start/quit_red.png'), 'start_interface': os.path.join(os.getcwd(), 'resources/images/start/start_interface.png'), },
}
'''地图路径'''
MAPPATHS = {'1': os.path.join(os.getcwd(), 'resources/maps/1.map'),'2': os.path.join(os.getcwd(), 'resources/maps/2.map'),'3': os.path.join(os.getcwd(), 'resources/maps/3.map'),
}
'''字体路径'''
FONTPATHS = {'Calibri': os.path.join(os.getcwd(), 'resources/fonts/Calibri.ttf'),'m04': os.path.join(os.getcwd(), 'resources/fonts/m04.ttf'),'Microsoft Sans Serif': os.path.join(os.getcwd(), 'resources/fonts/Microsoft Sans Serif.ttf'),
}
'''不同难度的settings'''
DIFFICULTYPATHS = {'easy': os.path.join(os.getcwd(), 'resources/difficulties/easy.json'),'hard': os.path.join(os.getcwd(), 'resources/difficulties/hard.json'),'medium': os.path.join(os.getcwd(), 'resources/difficulties/medium.json'),
}

游戏源码:


import cfg
import pygame
from modules import *'''主函数'''
def main():pygame.init()pygame.mixer.init()pygame.mixer.music.load(cfg.AUDIOPATHS['bgm'])pygame.mixer.music.play(-1, 0.0)pygame.mixer.music.set_volume(0.25)screen = pygame.display.set_mode(cfg.SCREENSIZE)pygame.display.set_caption("塔防游戏 —— 九歌")# 调用游戏开始界面start_interface = StartInterface(cfg)is_play = start_interface.update(screen)if not is_play:return# 调用游戏界面while True:choice_interface = ChoiceInterface(cfg)map_choice, difficulty_choice = choice_interface.update(screen)game_interface = GamingInterface(cfg)game_interface.start(screen, map_path=cfg.MAPPATHS[str(map_choice)], difficulty_path=cfg.DIFFICULTYPATHS[str(difficulty_choice)])end_interface = EndInterface(cfg)end_interface.update(screen)'''run'''
if __name__ == '__main__':main()

3、超级大的迷宫

展示:

首先配置文件的源码:

'''配置文件'''
import os'''屏幕大小'''
SCREENSIZE = (800, 625)
'''游戏素材'''
BGMPATH = os.path.join(os.getcwd(), 'resources/audios/bgm.mp3')
HEROPICPATH = os.path.join(os.getcwd(), 'resources/images/hero.png')
'''FPS'''
FPS = 20
'''块大小'''
BLOCKSIZE = 15
MAZESIZE = (35, 50) # num_rows * num_cols
BORDERSIZE = (25, 50) # 25 * 2 + 50 * 15 = 800, 50 * 2 + 35 * 15 = 625

游戏源码:

import cfg
import sys
import pygame
from modules import *'''主函数'''
def main(cfg):# 初始化pygame.init()pygame.mixer.init()pygame.font.init()pygame.mixer.music.load(cfg.BGMPATH)pygame.mixer.music.play(-1, 0.0)screen = pygame.display.set_mode(cfg.SCREENSIZE)pygame.display.set_caption('Maze —— 九歌')font = pygame.font.SysFont('Consolas', 15)# 开始界面Interface(screen, cfg, 'game_start')# 记录关卡数num_levels = 0# 记录最少用了多少步通关best_scores = 'None'# 关卡循环切换clock = pygame.time.Clock()screen = pygame.display.set_mode(cfg.SCREENSIZE)# --随机生成关卡地图maze_now = RandomMaze(cfg.MAZESIZE, cfg.BLOCKSIZE, cfg.BORDERSIZE)# --生成herohero_now = Hero(cfg.HEROPICPATH, [0, 0], cfg.BLOCKSIZE, cfg.BORDERSIZE)# --统计步数num_steps = 0# --关卡内主循环while True:dt = clock.tick(cfg.FPS)screen.fill((255, 255, 255))is_move = False# ----↑↓←→控制herofor event in pygame.event.get():if event.type == pygame.QUIT:pygame.quit()sys.exit(-1)elif event.type == pygame.KEYDOWN:if event.key == pygame.K_UP:is_move = hero_now.move('up', maze_now)elif event.key == pygame.K_DOWN:is_move = hero_now.move('down', maze_now)elif event.key == pygame.K_LEFT:is_move = hero_now.move('left', maze_now)elif event.key == pygame.K_RIGHT:is_move = hero_now.move('right', maze_now)num_steps += int(is_move)hero_now.draw(screen)maze_now.draw(screen)# ----显示一些信息showText(screen, font, 'LEVELDONE: %d' % num_levels, (255, 0, 0), (10, 10))showText(screen, font, 'BESTSCORE: %s' % best_scores, (255, 0, 0), (210, 10))showText(screen, font, 'USEDSTEPS: %s' % num_steps, (255, 0, 0), (410, 10))showText(screen, font, 'S: your starting point    D: your destination', (255, 0, 0), (10, 600))# ----判断游戏是否胜利if (hero_now.coordinate[0] == cfg.MAZESIZE[1] - 1) and (hero_now.coordinate[1] == cfg.MAZESIZE[0] - 1):breakpygame.display.update()# --更新最优成绩if best_scores == 'None':best_scores = num_stepselse:if best_scores > num_steps:best_scores = num_steps# --关卡切换Interface(screen, cfg, mode='game_switch')'''run'''
if __name__ == '__main__':main(cfg)

总结

太多了,这里我就不一一展示啦想要的接着看下去吧

心动了吗?想要的就来找我吧~

下面是我整理的一些学习视频、画图源码、游戏源码、电子书籍以及大厂的面试笔试题,给需要的小伙伴【+q裙881744585】获取,希望大家的努力都不负所望,收入越来越多。 学习交流的地方,广告勿加【否则你做什么就亏什么,永远赚不到钱】

【纯干货】用Python写30种小游戏给男朋友玩,谈恋爱我是认真的相关推荐

  1. 【python小游戏】用python写一款小游戏--贪吃蛇

    大家好,我是爱吃饼干的小白鼠,今天给大家分享一款自制小游戏.如何用python编写贪吃蛇. 今天,突发奇想的想用python写一款小游戏--贪吃蛇.相信大家都玩过,那么玩一款自己写的是一种什么样的体验 ...

  2. Python写王者荣耀小游戏

    Python写王者荣耀小游戏 文章目录 Python写王者荣耀小游戏 说明: 一.socket创建 二.实现多进程 三.面向对象版本 四.主体部分搭建 1. 服务器主要步骤的实现 1-1主体部分 1- ...

  3. c 语言500行小游戏代码,500行代码使用python写个微信小游戏飞机大战游戏.pdf

    500行行代代码码使使用用python写写个个微微信信小小游游戏戏飞飞机机大大战战游游戏戏 这篇文章主要介绍了500行代码使用python写个微信小游戏飞机大战游戏,本文通过实例代码给大家介绍的非常详 ...

  4. python制作贪吃蛇小游戏,畅玩无限制

    前言 大家早好.午好.晚好吖 ❤ ~ 现在这年头,无论玩个什么游戏都有健康机制, 这让我们愉悦玩游戏得步伐变得承重起来, 于是无聊之下我写了个贪吃蛇小游戏,来玩个快乐 代码展示 导入模块 import ...

  5. python俄罗斯方块小游戏实验报告,童年的记忆——如何用python写一个俄罗斯方块小游戏!...

    谈到记忆里的小游戏,俄罗斯方块是大家一定会想到的一款游戏,自己写出来的应该玩起来更有感觉,然后就写了一个俄罗斯方块的游戏 给大家分享一下这个游戏的源码 先用python创建一个py文件 定义这次程序所 ...

  6. python编的俄罗斯方块游戏下载_用python写一个俄罗斯方块小游戏

    相信大家都玩过俄罗斯方块吧,应该是小时候的回忆吧,但是想不想了解一下这个程序是怎么写出来的呢,自己写出来的应该玩起来更有感觉吧! 感觉还是蛮好玩吧! 接下来,我就分享一下这个游戏的源码过程啊! 先用p ...

  7. python代码示例500行源代码-500行代码使用python写个微信小游戏飞机大战游戏

    这几天在重温微信小游戏的飞机大战,玩着玩着就在思考人生了,这飞机大战怎么就可以做的那么好,操作简单,简单上手. 帮助蹲厕族.YP族.饭圈女孩在无聊之余可以有一样东西让他们振作起来!让他们的左手 / 右 ...

  8. Python写个益智小游戏来锻炼大脑

    游戏规则 珠玑棋的规则非常简单.它分为两方:攻击方和防守方.具体流程如下: 防守方写一个4位数字,每位数字不能重复 攻击方有10次猜测的机会,在每次机会里面,攻击方可以说出一个4位数,让防守方检查. ...

  9. Python写一个迷宫小游戏

    相关文件 关注小编,私信小编领取源码和其他小游戏的代码哟~~ 开发环境 Python版本:3.6.4 相关模块: pygame模块: 以及一些Python自带的模块. 原码.安装包(点击领取即可) 原 ...

最新文章

  1. php table字段排序,jQuery如何对table进行排序操作的示例详解
  2. 以太网、局域网、互联网区别
  3. 通过History Trends Unlimited通过统计服务器上Edge浏览器Top10网页历史访问量(2021.11.23)
  4. AI理论知识整理(13)-标准基
  5. MySQL5.6 Performance_schema
  6. lwIP ARP协议分析
  7. 蓝桥杯第九届省赛JAVA真题----螺旋折线
  8. zabbix 5.0所有依赖包_Zabbix“专家坐诊”第82期问答汇总
  9. 使用D3绘制图表(6)--竖直柱状图表
  10. html执行严格语法标准,JS语法(ES6)
  11. 修复Webots在ubuntu下安装出现的一些依赖问题
  12. 虚拟机ubuntu左侧和上方工具栏消失
  13. Revel敏捷后台开发框架
  14. 调试3G模块语音通话
  15. 微信小程序农历日期选择器 lunar-picker
  16. 如何表格合并快速简单?
  17. 核芯国产电压基准源芯片SOT23-6,SOT23-3,SOIC-8
  18. 研究生导师的“难言之隐”
  19. 【数据结构与算法分析】第一章、第二章总结
  20. Mysql中decode函数的几种用法

热门文章

  1. 使用s7-plcsim前必须重启计算机,【西门子】S7-PLCSIM V5.4 SP8 仿真软件 自述文件.pdf...
  2. 陈国君java第五版第四章课后习题第五题
  3. gen9 ws460c 惠普_HPE ProLiant WS460c Gen9 Graphics Server Blade中文版.pdf
  4. 电脑开机蓝屏代码0x00000050
  5. Linux.3_gccg++编译
  6. html中设置content-disposition,Content-Disposition
  7. git提交代码会报 vue-cli-service lint found some errors. Please fix them and try committing again
  8. ZBrush球体起形
  9. Html+css之图文组合
  10. 解决光驱读盘能力下降问题