目錄
一、環境準備
首頁 後端開發 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.能量晶體解釋及其做什麼(黃色晶體)
3 週前 By 尊渡假赌尊渡假赌尊渡假赌
R.E.P.O.最佳圖形設置
3 週前 By 尊渡假赌尊渡假赌尊渡假赌
R.E.P.O.如果您聽不到任何人,如何修復音頻
3 週前 By 尊渡假赌尊渡假赌尊渡假赌
WWE 2K25:如何解鎖Myrise中的所有內容
4 週前 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)

mysql 是否要付費 mysql 是否要付費 Apr 08, 2025 pm 05:36 PM

MySQL 有免費的社區版和收費的企業版。社區版可免費使用和修改,但支持有限,適合穩定性要求不高、技術能力強的應用。企業版提供全面商業支持,適合需要穩定可靠、高性能數據庫且願意為支持買單的應用。選擇版本時考慮的因素包括應用關鍵性、預算和技術技能。沒有完美的選項,只有最合適的方案,需根據具體情況謹慎選擇。

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.

Navicat查看MongoDB數據庫密碼的方法 Navicat查看MongoDB數據庫密碼的方法 Apr 08, 2025 pm 09:39 PM

直接通過 Navicat 查看 MongoDB 密碼是不可能的,因為它以哈希值形式存儲。取回丟失密碼的方法:1. 重置密碼;2. 檢查配置文件(可能包含哈希值);3. 檢查代碼(可能硬編碼密碼)。

mysql workbench 可以連接到 mariadb 嗎 mysql workbench 可以連接到 mariadb 嗎 Apr 08, 2025 pm 02:33 PM

MySQL Workbench 可以連接 MariaDB,前提是配置正確。首先選擇 "MariaDB" 作為連接器類型。在連接配置中,正確設置 HOST、PORT、USER、PASSWORD 和 DATABASE。測試連接時,檢查 MariaDB 服務是否啟動,用戶名和密碼是否正確,端口號是否正確,防火牆是否允許連接,以及數據庫是否存在。高級用法中,使用連接池技術優化性能。常見錯誤包括權限不足、網絡連接問題等,調試錯誤時仔細分析錯誤信息和使用調試工具。優化網絡配置可以提升性能

mysql 需要互聯網嗎 mysql 需要互聯網嗎 Apr 08, 2025 pm 02:18 PM

MySQL 可在無需網絡連接的情況下運行,進行基本的數據存儲和管理。但是,對於與其他系統交互、遠程訪問或使用高級功能(如復制和集群)的情況,則需要網絡連接。此外,安全措施(如防火牆)、性能優化(選擇合適的網絡連接)和數據備份對於連接到互聯網的 MySQL 數據庫至關重要。

mysql 無法連接到本地主機怎麼解決 mysql 無法連接到本地主機怎麼解決 Apr 08, 2025 pm 02:24 PM

無法連接 MySQL 可能是由於以下原因:MySQL 服務未啟動、防火牆攔截連接、端口號錯誤、用戶名或密碼錯誤、my.cnf 中的監聽地址配置不當等。排查步驟包括:1. 檢查 MySQL 服務是否正在運行;2. 調整防火牆設置以允許 MySQL 監聽 3306 端口;3. 確認端口號與實際端口號一致;4. 檢查用戶名和密碼是否正確;5. 確保 my.cnf 中的 bind-address 設置正確。

如何針對高負載應用程序優化 MySQL 性能? 如何針對高負載應用程序優化 MySQL 性能? Apr 08, 2025 pm 06:03 PM

MySQL數據庫性能優化指南在資源密集型應用中,MySQL數據庫扮演著至關重要的角色,負責管理海量事務。然而,隨著應用規模的擴大,數據庫性能瓶頸往往成為製約因素。本文將探討一系列行之有效的MySQL性能優化策略,確保您的應用在高負載下依然保持高效響應。我們將結合實際案例,深入講解索引、查詢優化、數據庫設計以及緩存等關鍵技術。 1.數據庫架構設計優化合理的數據庫架構是MySQL性能優化的基石。以下是一些核心原則:選擇合適的數據類型選擇最小的、符合需求的數據類型,既能節省存儲空間,又能提升數據處理速度

如何將 AWS Glue 爬網程序與 Amazon Athena 結合使用 如何將 AWS Glue 爬網程序與 Amazon Athena 結合使用 Apr 09, 2025 pm 03:09 PM

作為數據專業人員,您需要處理來自各種來源的大量數據。這可能會給數據管理和分析帶來挑戰。幸運的是,兩項 AWS 服務可以提供幫助:AWS Glue 和 Amazon Athena。

See all articles