Python学习系列(九)(IO与异常处理)
一,存储器
1,Python提供一个标准的模块,称为pickle,使用它既可以在一个文件中存储任何Python对象,又可以把它完整的取出来,这被称为持久的存储对象。类似的,还有一个功能与之相同的模块—cPickle,用c语言编写的,速度比pickle快1000倍。
2,示例:
import cPickle as p
shoplistfile='shoplist.data'
shoplist=['apple','mango','carrot']
f=file(shoplistfile,'w')
p.dump(shoplist,f)
f.close()
del shoplist
f=file(shoplistfile)
storedlist=p.load(f)
print storedlist
为了在文件里储存一个对象,首先以写模式打开一个file对象,然后调用储存器模块的dump函数把对象储存到打开的文件中。这个过程称为储存。
使用pickle模块的load函数来取回对象,这个过程叫取储存。
二,异常
1,使用try:
import sys
m=raw_input('Enter a float:')
n=raw_input('Enter a float:')
try:
print float(m)/float(n)
except:
print '除数不能为0!'
sys.exit()
2,使用raise语句引发异常:
class shortInput(Exception):
def __init__(self,length,atleast):
Exception.__init__(self)
self.length=length
self.atleast=atleast
try:
s=raw_input('Enter sth-->')
if len(s)<3:
raise shortInput(len(s),3)
except EOFError:
print '\nWhy did you do an EOF on me?'
except shortInput,x:
print 'The input was of length %d,was excepting at least %d'%(x.length,x.atleast)
else:
print 'No exception was raised!'
3,使用try…finally:
import time
try:
f=file('format.txt')
while True:
line=f.readline()
if len(line)==0:
break
time.sleep(2)
print line
finally:
f.close()
print 'Cleaning up……closed the file!'
三,高级内容
1,特殊方法
名称
|
说明
|
__init__(self,……) |
在新建对象恰好要被返回使用之前被调用。
|
__del__(self) |
恰好在对象要被删除之前调用。
|
__lt__(self,other) | 当使用小于运算符的时候调用。类似地,对所有运算符都有特殊的方法。 |
__str__(self) |
对对象使用print语句或是使用str()的时候调用。
|
__getitem__(self,key)
|
使用x[key]索引操作符的时候调用。
|
__len__(self)
|
对序列对象使用len函数时调用。
|
2,lambda表达式
lambda语句用来创建新的函数对象,并且在运行时返回。
def make_repeater(n):
return lambda s:s*n twice=make_repeater(2) print twice('word')
print twice(2)
>>> ================================ RESTART ================================
>>>
wordword
4
3,exec和eval语句
exec语句用来执行存储在字符串或文件中的Python语句。
eval语句用来计算存储在字符串中的有效Python表达式。
>>> exec '''print \'Hello world\''''
Hello world
>>> eval('2*3')
6
4,assert语句:用来声明某个条件是真的。
5,repr函数:用来取得对象的规范字符串表示。反引号也可以完成这个功能。
>>> i=[]
>>> i.append('item')
>>> i
['item']
>>> repr(i)
"['item']"
>>>
四,小结
本章主要初步学习了异常处理,关于异常处理的重要性,相信每位码农先生知道其重要性了,作为初学者,慢慢补充吧。