【Python】10 文件和异常

前言:学习处理文件,让程序快速分析大量数据;学习异常,管理程序运营时出现的错误;学习模块json, 保存用户数据。

10.1 文件读取

10.1.1 读取整个文件

with open('pi_digits.txt') as file_object: 
#函数open() ;关键字with在不再需要访问文件后将其关闭;也可以调用open()和close()来打开和关闭;
    contents = file_object.read()#read()读取内容,并保存为字符串,末尾会返回空字符串;可以用rstrip()删除
    print(contents.rstrip())

10.1.2 文件路径

应用场景:要打开的文件不再程序文件所属目录中

  • 使用相对文件路径
with open('text_files/filename.txt) as file_object: # linux和os系统; text_files 为文件夹名称
with open('text_files\filename.txt) as file_object: # windows 系统
  • 使用绝对文件路径
file_path = '/home/ehmatthes/other_files/text_files/filename.txt' #linux 和os系统
with open(file_path) as file_object: 
file_path = ' c:\home\ehmatthes\other_files\text_files\filename.txt' #win系统
with open(file_path) as file_object: 

10.1.3 逐行读取

以每次一行的方式检查文件,可对文件对象使用for循环。

filename = 'pi_digits.txt'
with open(filename) as file_object:
    for line in file_object:
        print(line.rstrip())

10.1.4 创建包含文件各行内容的列表

filename = 'pi_digits.txt'
with open(filename) as file_object:
    lines = file_object.readlines() #readlines()读取文件中的每一行,并将其存储在一个列表中

for line in lines: #存储后可在with代码块之外使用
    print(line.rstrip())

10.1.5 使用文件内容

读取文本文件时,所有文本都解读为字符串。
如要作为数值,使用函数int()和float()

filename = 'pi_digits.txt'
with open(filename) as file_object:
    lines = file_object.readlines()

pi_string = ''
for line in lines:
    pi_string += line.strip()

print(pi_string)
print(len(pi_string))

10.1.6 包含一百万位的大型文件

filename = 'pi_million_digits.txt'

with open(filename) as file_object:
    lines = file_object.readlines()

pi_string = ""
for line in lines:
    pi_string += line.strip()

print(pi_string[:52]+ '...') #只打印小数点后50位
print(len(pi_string))

10.1.7 检查文件时否包含数据或字符串

filename = 'pi_million_digits.txt'

with open(filename) as file_object:
    lines = file_object.readlines()

pi_string = ""
for line in lines:
    pi_string += line.strip()
    
birthday = input('enter your birthday, in the form mmddyy:')
if birthday in pi_string:
    print('your birthday appears in the first million digits of pi!')
else:
    print('your birthday does not appear in the first million digits of pi.')

10.2 写入文件

10.2.1 写入空文件

Python只能写入字符串。如果存储数值,需先用函数str()将其转化为字符串格式。

filename  = 'programming.txt'

with open(filename.'w') as file_object:m#读取模式r,写入模式w,附加模式a,读取和写入r+;若要写入的文件不存在则自动创建
    file_object.write('i love programming.')# write()写入字符串

10.2.2 写入多行

函数write()不会在写入的文本末尾添加换行符,要让每个字符串都单独占一行,需要在write()语句中包含换行符。

filename  = 'programming.txt'

with open(filename,'w') as file_object: 
    file_object.write('i love programming.\n')
    file_object.write("i love creating new games.\n")#增加换行符,使写入的文本单独一行

10.2.3 附加到文件

给文件添加内容而不覆盖原有内容,用附加模式打开文件。

filename  = 'programming.txt'

with open(filename,'a') as file_object: 
    file_object.write('i also love finding meaning in large datasets.\n')
    file_object.write("i love creating apps that can run in a browser.\n")

10.3 异常

使用try-except代码块处理。

10.3.1 处理zerodivisionerror异常

try:
    print(5/0)
except ZeroDivisionError:
    print('you cannot divide by zero!')

10.3.2 使用异常避免崩溃

print("give me two numbers, and i'll divide them.")
print("enter 'q' to quit.")

while True:
    first_number = input("\nfirst number: ")
    if first_number == 'q':
        break
    second_number = input("\nsecond number: ")
    if second_number == 'q':
        break
    try:
        answer = int(first_number)/int(second_number)
    except ZeroDivisionError:
        print('you cannot divide by zero!')
    else:
        print(answer)

10.3.5 处理filenotfounderror异常

filename = 'alice.txt'

try:
    with open(filename) as f:
        contents = f.read()
except FileNotFoundError:
    msg = "sorry,the file "+filename +'does not exist.'
    print(msg)

10.3.6 分析文本

gutenberg 无版权限制的文学作品,可用来练习文本操作。
方法split(),以空格为分隔符,根据一个字符串创建一个单词列表.

filename = 'alice.txt'

try:
    with open(filename) as f:
        contents = f.read()
except FileNotFoundError:
    msg = "sorry,the file "+filename +'does not exist.'
    print(msg)
else: #计算文件大致包含多少个单词
        words = contents.split()
        num_words = len(words)
        print("the file " + filename + " has about " + str(num_words) + ' words.')

10.3.7 使用多个文件

def count_words(filename):
    """计算一个文件大概包含多少单词"""

    try:
        with open(filename) as f:
            contents = f.read()
    except FileNotFoundError:
        msg = "sorry,the file "+filename +' does not exist.'
        print(msg)
    else: #计算文件大致包含多少个单词
        words = contents.split()
        num_words = len(words)
        print("the file " + filename + " has about " + str(num_words) + ' words.')
            
filenames = ['alice.txt','siddhartha.txt','moby_dick,txt','little_women.txt']
for filename in filenames:
    count_words(filename)

10.3.8 pass 语句

def count_words(filename):
    """计算一个文件大概包含多少单词"""

    try:
        with open(filename) as f:
            contents = f.read()
    except FileNotFoundError:
        pass # 出现异常时,直接执行except代码块中的语句
    else: #计算文件大致包含多少个单词
        words = contents.split()
        num_words = len(words)
        print("the file " + filename + " has about " + str(num_words) + ' words.')
            
filenames = ['alice.txt','siddhartha.txt','moby_dick,txt','little_women.txt']
for filename in filenames:
    count_words(filename)

10.4 存储数据

使用模块json(javascript object notation)存储数据

10.4.1 使用json.dump()和json.load()

import json #导入json模块
numbers = [2,3,5,7,11,13]

filename = 'number.json' #存储目标文件名称,数据为json格式
with open(filename,'w') as f: #写入模式打开这个文件,让json把数据写入
    json.dump(numbers,f) #使用json.dump()存储文件
import json

filename = 'numbers.json'
with open(filename) as f:
    numbers = json.load(f) #加载数据
print(numbers)

10.4.2 保存和读取用户生成的数据

import json
#如果存储过用户名就加载它
#否则,提示用户输入用户名并存储它

filename = 'username.json'
try:
    with open(filename) as f:
        username = json.load(f)
except FileNotFoundError:
    username = imput("what is your name?")
    with open(filenme,'w') as f:
        json.dump(username,f)
        print("we'll remember you when you come back, " + username +"!")
else:
    print("welcome back, " + username + "!")

10.4.3 重构

将代码划分为一系列完成具体工作的函数,让代码更清晰、更易于理解、更容易扩展

import json
def get_sorted_username():
    """如果存储了用户名就获取它"""
    filename = "username.json"
    try:
        with open(filename) as f:
            username = json.load(f)
    except FileNotFoundError:
        return None
    else:
        return username

def get_new_username():
    """提示输入用户名"""
    username = input("what is your name?")
    filename = "username.json"
    with open(filename,'w') as f:
        json.dump(username,f)
    return username
    
def greet_user():
    """问候用户,并指出名字"""
    username = get_sorted_username()
    if username:
        print("welcome back, "  + username + "!")
    else:
        username = get_new_username()
        print("we'll emember you when you come back, "+username +"!")

greet_user()
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 203,324评论 5 476
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,303评论 2 381
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 150,192评论 0 337
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,555评论 1 273
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,569评论 5 365
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,566评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 37,927评论 3 395
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,583评论 0 257
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,827评论 1 297
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,590评论 2 320
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,669评论 1 329
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,365评论 4 318
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,941评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,928评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,159评论 1 259
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 42,880评论 2 349
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,399评论 2 342

推荐阅读更多精彩内容