当前位置:   article > 正文

python with的使用_python with两个

python with两个

with关键字的使用

对于系统资源如文件、数据库连接、socket 而言,应用程序打开这些资源并执行完业务逻辑之后,必须做的一件事就是要关闭(断开)该资源。

比如 Python 程序打开一个文件,往文件中写内容,写完之后,就要关闭该文件,否则会出现什么情况呢?极端情况下会出现 “Too many open files” 的错误,因为系统允许你打开的最大文件数量是有限的。

同样,对于数据库,如果连接数过多而没有及时关闭的话,就可能会出现 “Can not connect to MySQL server Too many connections”,因为数据库连接是一种非常昂贵的资源,不可能无限制的被创建。

来看看如何正确关闭一个文件。
普通版:

def m1():
    f = open("output.txt", "w")
    f.write("python之禅")
    f.close()
  • 1
  • 2
  • 3
  • 4

这样写有一个潜在的问题,如果在调用 write 的过程中,出现了异常进而导致后续代码无法继续执行,close 方法无法被正常调用,因此资源就会一直被该程序占用者释放。那么该如何改进代码呢?
进阶版:

def m2():
    f = open("output.txt", "w")
    try:
        f.write("python之禅")
    except IOError:
        print("oops error")
    finally:
        f.close()
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8

改良版本的程序是对可能发生异常的代码处进行 try 捕获,使用 try/finally 语句,该语句表示如果在 try 代码块中程序出现了异常,后续代码就不再执行,而直接跳转到 except 代码块。而无论如何,finally 块的代码最终都会被执行。因此,只要把 close 放在 finally 代码中,文件就一定会关闭。
高级版:

def m3():
    with open("output.txt", "r") as f:
        f.write("Python之禅")
  • 1
  • 2
  • 3

一种更加简洁、优雅的方式就是用 with 关键字。open 方法的返回值赋值给变量 f,当离开 with 代码块的时候,系统会自动调用 f.close() 方法, with 的作用和使用 try/finally 语句是一样的。

# try:
#     file = open('test.txt')
#     file.read()
# except FileNotFoundError:
#     print('文件未找到')
# finally:
#     file.close()


# with关键字能够自动帮忙执行 close 方法,不能处理异常
# with 上下文管理器,with后面的对象,要有 __enter__ 和 __exit__方法
file = open('test.txt')
print(type(file))


# with open('test.txt') as f:
#     f.read()

# class Demo(object):
#     def test(self):
#         print('我是test函数')
#
# 不是任意的一个代码都能放到 with关键字后面
# 如果要在 with 后面,对象必须要实现 __enter__ 和 __exit__方法
# with Demo() as d:
#     d.test()


class Demo(object):
    def __init__(self, name, age):
        self.name = name
        self.age = age

    def test(self):
        1 / 0
        print('我是test方法')

    def __enter__(self):
        print('我是enter方法,我被执行了')
        return self

    def __exit__(self, exc_type, exc_val, exc_tb):
        print('我是exit方法,我被执行了')
        print('exc_type={},exc_val={},exc_tb={}'.format(exc_type, exc_val, exc_tb))


# d = Demo('lisi', 18)
# d.test()
with Demo('zhangsan', 15) as d:
    d.test()

  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 13
  • 14
  • 15
  • 16
  • 17
  • 18
  • 19
  • 20
  • 21
  • 22
  • 23
  • 24
  • 25
  • 26
  • 27
  • 28
  • 29
  • 30
  • 31
  • 32
  • 33
  • 34
  • 35
  • 36
  • 37
  • 38
  • 39
  • 40
  • 41
  • 42
  • 43
  • 44
  • 45
  • 46
  • 47
  • 48
  • 49
  • 50
  • 51
声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/小蓝xlanll/article/detail/183118
推荐阅读
相关标签
  

闽ICP备14008679号