Python基础教程之with、contextlib的实例用法详解


本文摘自php中文网,作者巴扎黑,侵删。

这篇文章主要介绍了Python中with及contextlib的用法,结合实例形式较为详细的分析了with及contextlib的功能、使用方法与相关注意事项,需要的朋友可以参考下

本文实例讲述了Python中with及contextlib的用法。分享给大家供大家参考,具体如下:

平常Coding过程中,经常使用到的with场景是(打开文件进行文件处理,然后隐式地执行了文件句柄的关闭,同样适合socket之类的,这些类都提供了对with的支持):


1

2

with file('test.py','r') as f :

  print f.readline()

with的作用,类似try...finally...,提供一种上下文机制,要应用with语句的类,其内部必须提供两个内置函数__enter__以及__exit__。前者在主体代码执行前执行,后则在主体代码执行后执行。as后面的变量,是在__enter__函数中返回的。通过下面这个代码片段以及注释说明,可以清晰明白__enter__与__exit__的用法:


1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

22

23

24

#!encoding:utf-8

class echo :

  def output(self) :

    print 'hello world'

  def __enter__(self):

    print 'enter'

    return self #返回自身实例,当然也可以返回任何希望返回的东西

  def __exit__(self, exception_type, exception_value, exception_traceback):

    #若发生异常,会在这里捕捉到,可以进行异常处理

    print 'exit'

    #如果改__exit__可以处理改异常则通过返回True告知该异常不必传播,否则返回False

    if exception_type == ValueError :

      return True

    else:

      return False

with echo() as e:

  e.output()

  print 'do something inside'

print '-----------'

with echo() as e:

  raise ValueError('value error')

print '-----------'

with echo() as e:

  raise Exception('can not detect')

运行结果:

contextlib是为了加强with语句,提供上下文机制的模块,它是通过Generator实现的。通过定义类以及写__enter__和__exit__来进行上下文管理虽然不难,但是很繁琐。contextlib中的contextmanager作为装饰器来提供一种针对函数级别的上下文管理机制。常用框架如下:


1

2

3

4

5

6

7

8

9

10

11

12

from contextlib import contextmanager

@contextmanager

def make_context() :

  print 'enter'

  try :

    yield {}

  except RuntimeError, err :

    print 'error' , err

  finally :

    print 'exit'

with make_context() as value :

  print value

contextlib还有连个重要的东西,一个是nested,一个是closing,前者用于创建嵌套的上下文,后则用于帮你执行定义好的close函数。但是nested已经过时了,因为with已经可以通过多个上下文的直接嵌套了。下面是一个例子:


1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

from contextlib import contextmanager

from contextlib import nested

from contextlib import closing

@contextmanager

def make_context(name) :

  print 'enter', name

  yield name

  print 'exit', name

with nested(make_context('A'), make_context('B')) as (a, b) :

  print a

  print b

with make_context('A') as a, make_context('B') as b :

  print a

  print b

class Door(object) :

  def open(self) :

    print 'Door is opened'

  def close(self) :

    print 'Door is closed'

with closing(Door()) as door :

  door.open()

运行结果:

总结:python有很多强大的特性,由于我们平常总习惯于之前C++或java的一些编程习惯,时常忽略这些好的机制。因此,要学会使用这些python特性,让我们写的python程序更像是python。

以上就是Python基础教程之with、contextlib的实例用法详解的详细内容,更多文章请关注木庄网络博客!!

相关阅读 >>

Python有eval函数吗

零基础学Python怎么打开图片

Python安装路径怎么找

Python入门必须知道的11个知识点_Python

Python怎么输出单词的字母

win7自带Python

Python中找出numpy array数组的最值及其索引方法

Python如何实现微信企业号文本消息推送功能的示例

如何随机生成大写字母和数字组成的字符串

Python中迭代器和生成器的示例详解

更多相关阅读请进入《Python》频道 >>




打赏

取消

感谢您的支持,我会继续努力的!

扫码支持
扫码打赏,您说多少就多少

打开支付宝扫一扫,即可进行扫码打赏哦

分享从这里开始,精彩与您同在

评论

管理员已关闭评论功能...