Python游戏编程入门2
I/O、数据和字体:Trivia游戏
本章包括如下内容:
Python数据类型
获取用户输入
处理异常
Mad Lib游戏
操作文本文件
操作二进制文件
Trivia游戏
其他的不说,我先去自己学习文件类型和字符串类型去了。这部分讲道理换行符还
是有点丑陋的,Python还需要想着各种地方加换行符,狗屎。
不去想书中示例丑陋的换行符,只要不影响其中几个重要的游戏效果就行。
实验空行会不会对于trivia游戏的结果产生影响
Python文件类型
f=open("filename","r")
读写模式r w a r+ w+ a+
r只读模式
w只写模式,已有文件内容会被清空,文件不存在则会创建新文件
a添加模式,不清空文件,在文件末尾加入内容
其他的说不了,很复杂。
怎么对文件指针位置进行调整
string.strip()函数删除末尾的换行符
madlib游戏简介:
Mad Lib游戏相当简单。它要求某个人填入一些名称、事情、地点,然后使用这些单词和短语来组成一个
故事,往往会得到出人意料的、幽默的结果。这个小程序的有趣之处在于,故事是如何构建出来的(确实如此)。
这个程序是经过修改的,和书中story部分不同,没有许多令人心烦的换行符。而是直接用三个引号来完成多
行的输入。
论三个引号会怎么影响sublime的Python输出格式(所有的代码一篇黄)。
#!/usr/bin/python
print("MAD LIB GAME")
print("Enter answers to the following prompts")
print
guy=raw_input("Name of a famous man:")
girl=raw_input("Name of a famous woman:")
food=raw_input("Your favorite food:")
ship=raw_input("Name of a space ship:")
job=raw_input("Name of a profession:")
planet=raw_input("Name of a planet:")
drink=raw_input("Your favorite drink:")
number=raw_input("A number from 1 to 10:")
story="""
A famous married couple,GUY and GIRL,went on
vacation to the planet PLANET.It took NUMBER
weeks to get there travelling by SHIP.They
enjoyed a luxurious candlelight dinner overlooking
a DRINK ocean while eating FOOD.But,since
they were both JOB,they had to cut their
vacation short."""
story=story.replace("GUY",guy)
story=story.replace("GIRL",girl)
story=story.replace("FOOD",food)
story=story.replace("SHIP",ship)
story=story.replace("JOB",job)
story=story.replace("PLANET",planet)
story=story.replace("DRINK",drink)
story=story.replace("NUMBER",number)
print(story)
这个程序值得学习的部分:
对于字符串类型,可以使用str.replace将给定字符替换成相应的变量。
嗯,小故事也不错。
trivia游戏简介:
Trivia游戏,从一个文件中读取出一些问题,并且要求用户从多个可选的答案中做出选择。
这个游戏涉及数据类型的设计,对于现在我面向对象的编程水平来说有点困难。需要一步一步将
整个程序分块分析,看看面向对象的编程设计思路。也可以帮助理解为什么面向对象是一种更高
级的编程方式。
#!/usr/bin/python
import sys,pygame
from pygame.locals import *
pygame.init()
#定义数据类型
#Trivia包括__init__,show_question,handle_input,next_question等。一个初始化和三个自带函数。
#__init__定义了Trivia所应包含的常量。data,current,total,correct,score,scored,failed,
#wronganswer和colors。其中data是从文件中读取的字符串列表。
#show_question负责显示当前问题,它会调用到全局的函数print_text
#handle_input负责判断对错以及对score,scored,failed,wronganswer的进行相应的修改
#next_question负责重置scored,failed,current,correct
class Trivia():
def __init__(self,filename):
self.data=[]
self.current=0
self.total=0
self.correct=0
self.score=0
self.scored=False
self.failed=False
self.wronganswer=0
self.colors=[white,white,white,white]
#read trivia data from file
f=open("trivia_data.txt","r")
trivia_data=f.readlines()
f.close()
#count and clean up trivia data
for text_line in trivia_data:
self.data.append(text_line.strip())
self.total+=1
def show_question(self):
print_text(font1,210,5,"TRIVIA GAME")
print_text(font2,190,500-20,"Press Keys (1-4) To Answer",purple)
print_text(font2,530,5,"SCORE",purple)
print_text(font2,550,25,str(self.score),purple)
#get correct answer out of data(first)
if (self.current+5)<self.total:
self.correct=int(self.data[self.current+5])
else:
sys.exit()
#display question
question=self.current
print_text(font1,5,80,"QUESTION "+str(question))
print_text(font2,20,120,self.data[self.current],yellow)
#respond to correct answer
if self.scored:
self.colors=[white,white,white,white]
self.colors[self.correct-1]=green
print_text(font1,230,380,"CORRECT!",green)
print_text(font2,170,420,"Press Enter For Next Quetion",green)
elif self.failed:
self.colors=[white,white,white,white]
self.colors[self.wronganswer-1]=red
self.colors[self.correct-1]=green
print_text(font1,230,380,"INCORRECT!",red)
print_text(font2,170,420,"Press Enter For Next Quetion",red)
#display answers
print_text(font1,5,170,"ANSWERS")
print_text(font2,20,210,"1-"+self.data[self.current+1],self.colors[0])
print_text(font2,20,240,"2-"+self.data[self.current+2],self.colors[1])
print_text(font2,20,270,"3-"+self.data[self.current+3],self.colors[2])
print_text(font2,20,300,"4-"+self.data[self.current+4],self.colors[3])
def handle_input(self,number):
if not self.scored and not self.failed:
if number==self.correct:
self.scored=True
self.score+=1
else:
self.failed=True
self.wronganswer=number
def next_question(self):
if self.scored or self.failed:
self.scored=False
self.failed=False
self.correct=0
self.colors=[white,white,white,white]
self.current+=6
if self.current>=self.total:
self.current=0
def print_text(font,x,y,text,color=(255,255,255),shadow=True):
if shadow:
imgtext=font.render(text,True,(0,0,0))
screen.blit(imgtext,(x-2,y-2))
imgtext=font.render(text,True,color)
screen.blit(imgtext,(x,y))
#main program begins
pygame.init()
screen=pygame.display.set_mode((600,500))
pygame.display.set_caption("The Trivia Game")
font1=pygame.font.Font(None,40)
font2=pygame.font.Font(None,24)
white=255,255,255
cyan=0,255,255
yellow=255,255,0
purple=255,0,255
green=0,255,0
red=255,0,0
#load the trivia data file
trivia=Trivia("trivia_data.txt")
#repeating loop
while True:
for event in pygame.event.get():
if event.type==QUIT:
sys.exit()
elif event.type==KEYUP:
if event.key==pygame.K_ESCAPE:
sys.exit()
elif event.key==pygame.K_1:
trivia.handle_input(1)
elif event.key==pygame.K_2:
trivia.handle_input(2)
elif event.key==pygame.K_3:
trivia.handle_input(3)
elif event.key==pygame.K_4:
trivia.handle_input(4)
elif event.key==pygame.K_RETURN:
trivia.next_question()
#clear the screen
screen.fill((0,0,200))
#display trivia data
trivia.show_question()
#update the display
pygame.display.update()
这段代码感觉就是面向对象语言的入门范例。首先设计好数据结构,主函数相对来说简单明了。这个跨度我感觉有一点大,
还需要一定程度的积累才行。
Python游戏编程入门2的更多相关文章
- Python游戏编程入门
<Python游戏编程入门>这些文章负责整理在这本书中的知识点.注意事项和课后习题的尝试实现.并且对每一个章节给出的最终实例进行分析和注释. 初识pygame:pie游戏pygame游戏库 ...
- Python游戏编程入门 中文pdf扫描版|网盘下载内附地址提取码|
Python是一种解释型.面向对象.动态数据类型的程序设计语言,在游戏开发领域,Python也得到越来越广泛的应用,并由此受到重视. 本书教授用Python开发精彩游戏所需的[]为重要的该你那.本书不 ...
- python编程学习--Pygame - Python游戏编程入门(0)---转载
原文地址:https://www.cnblogs.com/wuzhanpeng/p/4261015.html 引言 博客刚开,想把最近学习的东西记录下来,算是一种笔记.最近打算开始学习Python,因 ...
- Pygame - Python游戏编程入门(0) 转
博客刚开,想把最近学习的东西记录下来,算是一种笔记.最近打算开始学习Python,因为我感觉Python是一门很有意思的语言,很早以前就想学了(碍于懒),它的功能很强大,你可以用它来做科学运算,或者数 ...
- Pygame - Python游戏编程入门
>>> import pygame>>> print(pygame.ver)1.9.2a0 如果没有报错,应该是安装好了~ 如果报错找不到模块,很可能是安装版本的问 ...
- Python游戏编程入门4
Math和Graphics:Analog Clock示例程序本章介绍Python的math模块,该模块可以执行计算,如常见的三角正弦函数.余弦函数.正切函数等. 使用正弦和余弦函数绘制圆创建Anlog ...
- Python游戏编程入门3
用户输入:Bomb Catcher游戏本章介绍使用键盘和鼠标获得用户输入.包括如下主题:学习pygame事件学习实时循环学习键盘和鼠标事件学习轮询键盘和鼠标的状态编写Bomb Catcher游戏 1本 ...
- PC游戏编程(入门篇)(前言写的很不错)
PC游戏编程(入门篇) 第一章 基石 1. 1 BOSS登场--GAF简介 第二章 2D图形程式初体验 2.l 饮水思源--第一个"游戏"程式 2.2 知其所以然一一2D图形学基础 ...
- 分享《Python 游戏编程快速上手(第3版)》高清中文版PDF+高清英文版PDF+源代码
通过编写一个个小巧.有趣的游戏来学习Python,通过实例来解释编程的原理的方式.14个游戏程序和示例,介绍了Python基础知识.数据类型.函数.流程控制.程序调试.流程图设计.字符串操作.列表和字 ...
随机推荐
- Ansoftmaxwell15.0
电场磁场仿真软件安装出现问题: 基本问题都一样: 解决方式1:安装路径不要有中文的路径. 若安装提示vc++2005x86 安装失败 问题是:没有安装vc++2005 请安装vc++2005 x86 ...
- csrf jsonp
网站b中包含向网站a发送的请求,那么网站b就会获得网站a的cookie,网站a登录了则网站b的cookie中会有网站a的sessionid,此时如果网站a对外提供需要sessionid的jsonp接口 ...
- jsp的环境搭建
JSP : 动态网页 一.静态和动态的区别: 1.是否会随着时间.地点.用户操作的改变而改变. 2.动态网页需要使用服务器端的脚本语言(JSP) 二.BS CS 1.CS:QQ.微信.CS游戏. 缺点 ...
- TCP/IP协议 网络层
IP协议介绍 1.IP协议是TCP/IP协议族中最为核心的协议.IP协议将多个包交换网络连接起来,它在源地址和目的地址之间传送一种称为数据包的东西,它还提供对数据大小的重新组装功能,以适应不同网络对包 ...
- Redis和mysql数据怎么保持数据一致的?
需求起因 在高并发的业务场景下,数据库大多数情况都是用户并发访问最薄弱的环节.所以,就需要使用redis做一个缓冲操作,让请求先访问到redis,而不是直接访问MySQL等数据库. 这个业务场景, ...
- Docker:从头开始基于CentOS-Minimal安装Docker
基础环境:win10+vmware 14 一.CentOS-Minimal安装 虚拟机安装CentOS-Minimal的步骤不多说,网络选Net,硬件不需要的什么声卡打印机全都删掉没什么问题,然后ce ...
- session 和 cookie
在web请求中,很多的时候服务器需要知道来访的客户是谁,但是HTTP协议本身是不带认证的(ftp协议需要用户密码),因此cookie和session诞生了. session是解决http协议无状态 ...
- 使用微软自带 SharpZipLib 进行多文件 压缩
/// <summary> /// 指定路径打包下载 /// </summary> /// <param name="fileName">< ...
- 关于动态添加iview admin路由以及刷新侧边栏
在main.js中的mounted中使用router.addRouters()方法后界面上的路由并未刷新. 在注释掉路由跳转的权限限制之后,发现直接在地址栏输入对应路由能够进去,只是侧边栏没有刷新. ...
- Kali-Dos洪水攻击之Hping3
在计算机行业,拒绝服务(DoS)或分布式拒绝服务(DDoS)攻击是指不法分子企图让某机器或网络资源无法被预期的用户所使用.虽然执行DoS攻击的方式.动机和目标不一样,但通常包括设法临时性或无限期中断或 ...