目录
一、环境准备
二、代码展示
首页 后端开发 Python教程 如何用Python和Pygame来创建一个简单的单词游戏

如何用Python和Pygame来创建一个简单的单词游戏

May 09, 2023 pm 07:43 PM
python pygame

一、环境准备

1)运行环境 

环境安装:python 3.8: 解释器、pycharm: 代码编辑器、pygame、numpy、部分自带的模块直接安装Python就可以使用了。

 2)模块安装

 第三方库的安装方式如下:

 一般安装:pip install +模块名 镜像源安装:pip install -i 

pypi.douban.com/simple/+模块名 (还有很多国内镜像源,这里是豆瓣的用习惯了) 

3)图片文字素材等

怎么使用Python+Pygame实现简单的单词小游戏

二、代码展示

主程序——

import pygame
import sys
import traceback
import os
from pygame.locals import *
from random import *
import numpy as np
import linecache

pygame.init()  # 游戏初始化
pygame.mixer.init()  # 音效初始化

bg_size = width, height = 480, 700  # 屏幕大小
screen = pygame.display.set_mode(bg_size)
pygame.display.set_caption("英语单词挑战")  # 标题

# 背景图片
background = pygame.image.load("source/背景.png")  # .convert()
BLACK = (0, 0, 0)
WHITE = (255, 255, 255)
GREEN = (0, 255, 0)
RED = (255, 0, 0)

# 游戏音乐
pygame.mixer.music.load("source/背景音乐.mp3")
pygame.mixer.music.set_volume(0.2)
success_sound = pygame.mixer.Sound("source/正确.wav")
success_sound.set_volume(0.2)
lost_sound = pygame.mixer.Sound("source/失败.wav")
lost_sound.set_volume(0.2)
win_sound = pygame.mixer.Sound("source/胜利.wav")
win_sound.set_volume(0.2)

class Word(pygame.sprite.Sprite):
    def __init__(self, bg_size, showword):
        pygame.sprite.Sprite.__init__(self)

        self.word = showword  # 获取单词
        self.length = len(self.word)  # 单词长度
        self.wordfont = pygame.font.SysFont("arial", 36)  # 使用系统字体
        self.wordtext = self.wordfont.render(self.word, True, WHITE, BLACK)  # 单词
        self.promptword = "*"*self.length
        self.showtext = self.wordfont.render(self.promptword, True, WHITE, BLACK)  # 隐藏单词
        self.succtext = self.wordfont.render("", True, WHITE)
        self.rect = self.wordtext.get_rect()  # 单词坐标
        self.width, self.height = bg_size[0], bg_size[1]
        self.rect.left, self.rect.top = (self.width - self.rect.width) // 2, 20  # 定义坐标
        self.speed = 1  # 下移速度
        # self.destroy_images = []
        # self.destroy_images.extend([pygame.image.load("爆炸小.png").convert_alpha()])
        self.active = True  # 活动标志
        self.success = False  # 正确标志

    # 判断输入字母是否正确,并显示
    def show(self, a):
        for i in range(self.length):
            if self.promptword[i] == "*":
                if self.word[i] == a:
                    self.promptword =self.promptword[:i] + a + self.promptword[i+1:]
                    self.showtext = self.wordfont.render(self.promptword, True, WHITE, BLACK)  # 隐藏单词
                if self.promptword == self.word:
                    self.success = True
                break
            else:
                continue

    # 单词移动
    def move(self):
        if self.rect.top < self.height - 50:
            self.rect.top += self.speed
        else:
            self.reset()

    # 单词重置
    def reset(self):
        self.active = True
        self.success = False
        self.rect.left, self.rect.top = (self.width - self.rect.width) // 2, 20

    # 中文提示
    def describe(self, prop):
        myprop = prop
        self.propfont = pygame.font.Font("source/楷体_GB2312.ttf", 20)  # 使用楷体字体
        # print(myprop)
        self.describetext = self.propfont.render(myprop, True, BLACK)  # 中文提示
        self.proprect = self.describetext.get_rect()  # 提示坐标
        self.proprect.left, self.proprect.top = (self.width - self.proprect.width) // 2, (self.height - 30 - self.proprect.height / 2)
        screen.blit(self.describetext, self.proprect)

# 获取单词,读取字典文件
def Getletters(filename):
    words = []  # 保存单词
    prompts = []  # 保存中文提示
    worddict = {}  # 单词字典
    f = open(filename, encoding=&#39;utf-8&#39;)  # 打开文本,定义格式,能够读取中文
    for line in f.readlines():  # 读取行
        line = line.strip()  # 去掉/n
        word = line.split(":")[0]  # 截取单词
        prompt = line.split(":")[1]  # .split(";")[0]  # 截取中文提示
        words.append(word)
        prompts.append(prompt)
        worddict.update({word : prompt})  # 字典添加元素
    f.close()
    return worddict

# 保存字典文件
def SaveDict(dict1, filename):
    # 打开字典文件
    with open(filename, mode=&#39;w&#39;, encoding=&#39;utf-8&#39;) as f:
        for k, v in dict1.items():
            str = f"{k}:{v}\n"
            f.write(str)
        f.close()


# 随机抽取字典的数据
def ChoseWord(dict1):
    n = len(dict1)
    random.choice(list(dict1.keys()))
    words = dict1.keys()
    prompts = dict1.values()
    i = randint(0, n)
    key = words[i]
    value = prompts[i]
    return key, value


# 主函数
def main():
    pygame.mixer.music.play(-1)  # 播放背景音乐
    running = True  # 判断运行状态
    clock = pygame.time.Clock()  # 时钟
    delay = 100
    olingefile = "source/words.txt"  # 原始单词文件
    myfile = "source/newword.txt"  # 使用单词文件
    historyfile = "source/record.txt"  # 最高记录文件
    olindict = Getletters(olingefile)  # 获取原始单词
    num = len(olindict)  # 总单词数量
    # getnum = 0
    # record_score = 0  # 最高得分记录
    # record_rate = 0.00  # 最高进度
    myfont_big = pygame.font.SysFont("arial", 36)  # 使用系统大字体
    myfont_small = pygame.font.SysFont("arial", 24)  # 使用系统小字体
    # 标志是否暂停游戏
    paused = False
    paused_image = pygame.image.load("source/暂停.png").convert_alpha()
    resume_image = pygame.image.load("source/播放.png").convert_alpha()
    paused_rect = paused_image.get_rect()
    paused_rect.left, paused_rect.top = width - paused_rect.width - 10, 10
    paused_show_image = paused_image
    # 主页
    mained = False  # 主页标志
    main_image = pygame.image.load("source/主页.png").convert_alpha()
    main_rect = main_image.get_rect()
    main_rect.left, main_rect.top = width - paused_rect.width - 70, 10
    # 成功页面
    success_image = pygame.image.load("source/成功.png").convert_alpha()
    # 底部页面
    bottom_image = pygame.image.load("source/底部.png").convert_alpha()
    # 统计得分
    # score = 0  # 当前得分
    # rate = 0.00  # 当前进度
    # 主页面
    goon_image = pygame.image.load("source/继续游戏.png").convert_alpha()
    goon_rect = goon_image.get_rect()
    restart_image = pygame.image.load("source/重新开始.png").convert_alpha()
    restart_rect = restart_image.get_rect()
    gameover_image = pygame.image.load("source/结束游戏.png").convert_alpha()
    gameover_rect = gameover_image.get_rect()
    flag = False  # 新单词标记
    promptflag = False  # 空格提示单词标记
    nextflag = False  # 回车下一个单词标记
    winflag = False  # 胜利标志
    keyvalue = ""  # 获取按键
    if os.path.exists(myfile) and os.path.exists(historyfile):  # 如果有记录
        mydict = Getletters(myfile)
        getnum = num - len(mydict)  # 完成数量
        mained = True
        with open(historyfile, mode=&#39;r&#39;, encoding=&#39;utf-8&#39;) as f:
            record_score = int(linecache.getline(historyfile, 1))  # 读取最高记录
            record_rate = float(linecache.getline(historyfile, 2))  # 读取最高进度
            score = int(linecache.getline(historyfile, 3))  # 读取上一次记录
            f.close()
        # print(record_score, record_rate)
    else:
        mydict = Getletters(olingefile)
        getnum = 0
        score = 0
        rate = 0.00
        record_score = score
        record_rate = rate
        mained = False

    while running:
        for event in pygame.event.get():
            if event.type == QUIT:  # 退出
                # 写入记录文件
                with open(historyfile, mode=&#39;w&#39;, encoding=&#39;utf-8&#39;) as f:
                    f.write(str(record_score))
                    f.write("\n")
                    f.write(str(record_rate))
                    f.write("\n")
                    f.write(str(score))
                    f.close()
                # 保存剩余单词
                SaveDict(mydict, myfile)
                pygame.quit()
                sys.exit()
            elif event.type == MOUSEBUTTONDOWN:  # 鼠标按下
                # 按下暂停键
                if event.button == 1 and paused_rect.collidepoint(event.pos):  # 检测鼠标是否在范围内
                    paused = not paused
                    if paused:
                        pygame.mixer.music.pause()  # 背景音乐暂停
                        pygame.mixer.pause()  # 音效暂停
                        paused_show_image = resume_image
                    else:
                        pygame.mixer.music.unpause()  # 背景音乐暂停
                        pygame.mixer.unpause()  # 音效暂停
                        paused_show_image = paused_image
                # 按下主页键
                if event.button == 1 and main_rect.collidepoint(event.pos):  # 检测鼠标是否在范围内
                    mained = True
                    if mained:
                        pygame.mixer.music.pause()  # 背景音乐暂停
                        pygame.mixer.pause()  # 音效暂停

            elif event.type == KEYDOWN:  # 按键
                if event.key == K_TAB:  # tab键
                    promptflag = True
                elif event.key == K_RETURN:  # 回车键
                    nextflag = True
                else:
                    keyvalue = chr(event.key)  # 获取ASCII码转字符串
        screen.blit(background, (0, 0))  # 载入背景图片
        screen.blit(bottom_image, (0, height - 60))  # 载入底部图片
        # 绘制得分
        score_text = myfont_big.render(f"score:{str(score)}", True, WHITE)
        screen.blit(score_text, (10, 5))
        # 暂停/播放
        screen.blit(paused_show_image, paused_rect)  # 暂停图片
        # 绘制主页
        screen.blit(main_image, main_rect)  # 主页图片
        # 绘制进度
        pygame.draw.rect(screen, WHITE, ((10, 60), (200, 20)), 2)  # 画矩形,坐标(10,60),长宽(200,20),线宽2

        # 当进度大于80%显示绿色,否则显示红色
        rate = getnum / num
        if rate > 0.8:
            rate_color = GREEN
        else:
            rate_color = RED
        pygame.draw.rect(screen, rate_color, ((10, 60), (200 * rate, 20)), 0)  # 填充
        remaintext = myfont_small.render(f"{rate*100:.2f}%", True, WHITE)
        screen.blit(remaintext, (220, 55))
        if not paused and not mained:
            if not flag:
                # 生成单词
                showword = np.random.choice(list(mydict.keys()))  # 随机选择单词
                showprompt = mydict[showword]  # 单词中文提示
                # print(showword, showprompt)
                myword = Word(bg_size, showword)  # 生成单词
                flag = True  # 新单词
            else:
                myword.move()  # 单词向下移动
                myword.describe(showprompt)
                myword.show(keyvalue)  # 获取键盘按键
                if promptflag:
                    screen.blit(myword.wordtext, myword.rect)
                else:
                    screen.blit(myword.showtext, myword.rect)
                    # 成功
                    if myword.success:
                        screen.blit(myword.succtext, myword.rect)  # 清空
                        screen.blit(success_image, myword.rect)  # 成功图片
                        success_sound.play()
                        if not (delay % 10):  # 延时
                            myword.reset()
                            flag = False
                            score += 5
                            getnum += 1
                            del mydict[showword]
                            if getnum == num:
                                winflag = True
                                mained = True
                if nextflag:
                    myword.reset()
                    flag = False
                    nextflag = False
                if myword.rect.top > height - 118:
                    lost_sound.play()
                    flag = False
                    score -= 2
        # 暂停时
        elif paused and not mained:
            myword.active = False
            screen.blit(myword.showtext, myword.rect)
            myword.describe(showprompt)
        # 显示主页
        elif mained and not winflag:
            # myword.active = False
            screen.blit(background, (0, 0))  # 载入背景图片
            # 绘制结束界面
            # 更新最高分
            if score > record_score:
                record_score = score
            # 更新进度
            if rate > record_rate:
                record_rate = rate
            # 最高分
            record_score_text = myfont_big.render(f"Highest Score:{record_score}", True, WHITE)
            screen.blit(record_score_text, (50, 50))
            # 最高进度
            record_rate_text = myfont_big.render(f"Highest Rate:{record_rate*100:.2f}%", True, WHITE)
            screen.blit(record_rate_text, (50, 100))
            # 当前得分
            nowscore_text1 = myfont_big.render("Your Score:", True, WHITE)
            nowscore_text1_rect = nowscore_text1.get_rect()
            nowscore_text1_rect.left, nowscore_text1_rect.top = 50, 150
            screen.blit(nowscore_text1, nowscore_text1_rect)
            nowscore_text2 = myfont_big.render(str(score), True, RED)
            nowscore_text2_rect = nowscore_text2.get_rect()
            nowscore_text2_rect.left, nowscore_text2_rect.top = 50 + nowscore_text1_rect.width, nowscore_text1_rect.top
            screen.blit(nowscore_text2, nowscore_text2_rect)
            # 当前进度
            nowrate_text1 = myfont_big.render("Your Rate:", True, WHITE)
            nowrate_text1_rect = nowrate_text1.get_rect()
            nowrate_text1_rect.left, nowrate_text1_rect.top = 50, 200
            screen.blit(nowrate_text1, nowrate_text1_rect)
            nowrate_text2 = myfont_big.render(f"{rate*100:.2f}%", True, RED)
            nowrate_text2_rect = nowrate_text2.get_rect()
            nowrate_text2_rect.left, nowrate_text2_rect.top = 50 + nowrate_text1_rect.width, nowrate_text1_rect.top
            screen.blit(nowrate_text2, nowrate_text2_rect)

            # 继续游戏
            goon_rect.left, goon_rect.top = (width - goon_rect.width) // 2, 300
            screen.blit(goon_image, goon_rect)
            # 重新开始
            restart_rect.left, restart_rect.top = (width - restart_rect.width) // 2, goon_rect.bottom + 20
            screen.blit(restart_image, restart_rect)
            # 结束游戏
            gameover_rect.left, gameover_rect.top = (width - gameover_rect.width) // 2, restart_rect.bottom + 20
            screen.blit(gameover_image, gameover_rect)

            # 检测用户鼠标操作
            # 如果用户按下鼠标左键
            if pygame.mouse.get_pressed()[0]:
                # 获取鼠标位置
                pos = pygame.mouse.get_pos()
                # 如果用户点击继续游戏
                if goon_rect.left < pos[0] < goon_rect.right and goon_rect.top < pos[1] < goon_rect.bottom:
                    # 跳出主页面
                    mained = False
                # 重新开始
                elif restart_rect.left < pos[0] < restart_rect.right and restart_rect.top < pos[1] < restart_rect.bottom:
                    # 判断最高记录是否更新,保存记录
                    if score > record_score:
                        record_score = score
                    # 写入记录文件
                    with open(historyfile, mode=&#39;w&#39;, encoding=&#39;utf-8&#39;) as f:
                        f.write(str(record_score))
                        f.write("\n")
                        f.write(str(record_rate))
                        f.close()
                    # 保存剩余单词
                    SaveDict(mydict, myfile)
                    # 退出主页
                    mained = False
                    score = 0
                    mydict = Getletters(olingefile)  # 获取原始单词
                    getnum = 0

                # 如果用户点击结束游戏
                elif gameover_rect.left < pos[0] < gameover_rect.right and gameover_rect.top < pos[1] < gameover_rect.bottom:
                    # 写入记录文件
                    with open(historyfile, mode=&#39;w&#39;, encoding=&#39;utf-8&#39;) as f:
                        f.write(str(record_score))
                        f.write("\n")
                        f.write(str(record_rate))
                        f.write("\n")
                        f.write(str(score))
                        f.close()
                    # 保存剩余单词
                    SaveDict(mydict, myfile)
                    # 退出游戏
                    pygame.quit()
                    sys.exit()
        else:
            # screen.blit(background, (0, 0))  # 载入背景图片
            pygame.mixer.music.pause()  # 背景音乐暂停
            win_sound.play()
            win_text = myfont_big.render("Congratulations! You WIN!!!", True, WHITE)
            screen.blit(win_text, (50, 300))


        # 时间间隔
        delay -= 1
        if not delay:
            delay = 50
            promptflag = False
        pygame.display.flip()  # 页面刷新

        clock.tick(60)


if __name__ == "__main__":
    try:
        main()
    except SystemExit:
        pass
    except:
        traceback.print_exc()
        pygame.quit()
        input()
登录后复制

以上是如何用Python和Pygame来创建一个简单的单词游戏的详细内容。更多信息请关注PHP中文网其他相关文章!

本站声明
本文内容由网友自发贡献,版权归原作者所有,本站不承担相应法律责任。如您发现有涉嫌抄袭侵权的内容,请联系admin@php.cn

热AI工具

Undresser.AI Undress

Undresser.AI Undress

人工智能驱动的应用程序,用于创建逼真的裸体照片

AI Clothes Remover

AI Clothes Remover

用于从照片中去除衣服的在线人工智能工具。

Undress AI Tool

Undress AI Tool

免费脱衣服图片

Clothoff.io

Clothoff.io

AI脱衣机

AI Hentai Generator

AI Hentai Generator

免费生成ai无尽的。

热门文章

R.E.P.O.能量晶体解释及其做什么(黄色晶体)
4 周前 By 尊渡假赌尊渡假赌尊渡假赌
R.E.P.O.最佳图形设置
4 周前 By 尊渡假赌尊渡假赌尊渡假赌
R.E.P.O.如果您听不到任何人,如何修复音频
4 周前 By 尊渡假赌尊渡假赌尊渡假赌
WWE 2K25:如何解锁Myrise中的所有内容
1 个月前 By 尊渡假赌尊渡假赌尊渡假赌

热工具

记事本++7.3.1

记事本++7.3.1

好用且免费的代码编辑器

SublimeText3汉化版

SublimeText3汉化版

中文版,非常好用

禅工作室 13.0.1

禅工作室 13.0.1

功能强大的PHP集成开发环境

Dreamweaver CS6

Dreamweaver CS6

视觉化网页开发工具

SublimeText3 Mac版

SublimeText3 Mac版

神级代码编辑软件(SublimeText3)

HadiDB:Python 中的轻量级、可水平扩展的数据库 HadiDB:Python 中的轻量级、可水平扩展的数据库 Apr 08, 2025 pm 06:12 PM

HadiDB:轻量级、高水平可扩展的Python数据库HadiDB(hadidb)是一个用Python编写的轻量级数据库,具备高度水平的可扩展性。安装HadiDB使用pip安装:pipinstallhadidb用户管理创建用户:createuser()方法创建一个新用户。authentication()方法验证用户身份。fromhadidb.operationimportuseruser_obj=user("admin","admin")user_obj.

Python:探索其主要应用程序 Python:探索其主要应用程序 Apr 10, 2025 am 09:41 AM

Python在web开发、数据科学、机器学习、自动化和脚本编写等领域有广泛应用。1)在web开发中,Django和Flask框架简化了开发过程。2)数据科学和机器学习领域,NumPy、Pandas、Scikit-learn和TensorFlow库提供了强大支持。3)自动化和脚本编写方面,Python适用于自动化测试和系统管理等任务。

2小时的Python计划:一种现实的方法 2小时的Python计划:一种现实的方法 Apr 11, 2025 am 12:04 AM

2小时内可以学会Python的基本编程概念和技能。1.学习变量和数据类型,2.掌握控制流(条件语句和循环),3.理解函数的定义和使用,4.通过简单示例和代码片段快速上手Python编程。

Navicat查看MongoDB数据库密码的方法 Navicat查看MongoDB数据库密码的方法 Apr 08, 2025 pm 09:39 PM

直接通过 Navicat 查看 MongoDB 密码是不可能的,因为它以哈希值形式存储。取回丢失密码的方法:1. 重置密码;2. 检查配置文件(可能包含哈希值);3. 检查代码(可能硬编码密码)。

如何将 AWS Glue 爬网程序与 Amazon Athena 结合使用 如何将 AWS Glue 爬网程序与 Amazon Athena 结合使用 Apr 09, 2025 pm 03:09 PM

作为数据专业人员,您需要处理来自各种来源的大量数据。这可能会给数据管理和分析带来挑战。幸运的是,两项 AWS 服务可以提供帮助:AWS Glue 和 Amazon Athena。

如何针对高负载应用程序优化 MySQL 性能? 如何针对高负载应用程序优化 MySQL 性能? Apr 08, 2025 pm 06:03 PM

MySQL数据库性能优化指南在资源密集型应用中,MySQL数据库扮演着至关重要的角色,负责管理海量事务。然而,随着应用规模的扩大,数据库性能瓶颈往往成为制约因素。本文将探讨一系列行之有效的MySQL性能优化策略,确保您的应用在高负载下依然保持高效响应。我们将结合实际案例,深入讲解索引、查询优化、数据库设计以及缓存等关键技术。1.数据库架构设计优化合理的数据库架构是MySQL性能优化的基石。以下是一些核心原则:选择合适的数据类型选择最小的、符合需求的数据类型,既能节省存储空间,又能提升数据处理速度

redis怎么启动服务器 redis怎么启动服务器 Apr 10, 2025 pm 08:12 PM

启动 Redis 服务器的步骤包括:根据操作系统安装 Redis。通过 redis-server(Linux/macOS)或 redis-server.exe(Windows)启动 Redis 服务。使用 redis-cli ping(Linux/macOS)或 redis-cli.exe ping(Windows)命令检查服务状态。使用 Redis 客户端,如 redis-cli、Python 或 Node.js,访问服务器。

redis怎么读取队列 redis怎么读取队列 Apr 10, 2025 pm 10:12 PM

要从 Redis 读取队列,需要获取队列名称、使用 LPOP 命令读取元素,并处理空队列。具体步骤如下:获取队列名称:以 "queue:" 前缀命名,如 "queue:my-queue"。使用 LPOP 命令:从队列头部弹出元素并返回其值,如 LPOP queue:my-queue。处理空队列:如果队列为空,LPOP 返回 nil,可先检查队列是否存在再读取元素。

See all articles