Python 'with' command

你。 提交于 2019-12-10 09:19:20

问题


Is this code

with open(myfile) as f:
    data = f.read()
    process(data)

equivalent to this one

try:
    f = open(myfile)
    data = f.read()
    process(f)
finally:
    f.close()

or the following one?

f = open(myfile)
try:
    data = f.read()
    process(f)
finally:
    f.close()

This article: http://effbot.org/zone/python-with-statement.htm suggests (if I understand it correctly) that the latter is true. However, the former would make more sense to me. If I am wrong, what am I missing?


回答1:


It's equivalent to the latter one, because until open() successfully returns, f has no value, and should not be closed.




回答2:


According to the documentation:

A new statement is proposed with the syntax:

with EXPR as VAR:
    BLOCK

The translation of the above statement is:

mgr = (EXPR)
exit = type(mgr).__exit__  # Not calling it yet
value = type(mgr).__enter__(mgr)
exc = True
try:
    try:
        VAR = value  # Only if "as VAR" is present
        BLOCK
    except:
        # The exceptional case is handled here
        exc = False
        if not exit(mgr, *sys.exc_info()):
            raise
        # The exception is swallowed if exit() returns true
finally:
    # The normal and non-local-goto cases are handled here
    if exc:
        exit(mgr, None, None, None)

And this is an extended version of your second code snippet. Initialization goes before try ... finaly block.



来源:https://stackoverflow.com/questions/34382253/python-with-command

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!