是我还是在python中打开或关闭文件使用不同的方法使它真的不直观? 有没有更好的方法呢?
示例:
f = open('file.txt', 'r')
try:
# do stuff with f
finally:
f.close()
现在,为什么我使用内置的“功能”打开但关闭文件我没有“关闭”功能,但我必须将“对象”方法称为“关闭”。
答案 0 :(得分:6)
使用with
关键字使其更直观。当你dedent时它会自动关闭文件。来自文档:
'with'语句澄清了之前使用try ... finally块的代码,以确保执行清理代码。
...
执行此语句后,f中的文件对象将自动关闭,即使for循环在块中途引发了异常。
一个例子:
with open('file.txt', 'r') as f:
# do stuff with f
# Do some other stuff - we dropped down a level of indentation, so the file is closed
更具体地说,它最初会调用上下文的__enter__
方法 - 这会打开初始文件。使用__enter__
语句设置as
返回的内容 - 在这种情况下,文件将返回self
,并且它将设置为f
。完成with
块后,它将调用上下文的__exit__
方法。对于文件上下文,这会执行关闭文件的正常finally
块处理。
请注意,with
块不会为您处理异常,它只会确保__exit__
被调用(并且会优雅地关闭文件),即使它们确实发生了。因此,如果您在使用该文件时遇到ValueError
,则仍需要try...catch
块 with
块来处理您可能对您执行的任何操作计算/脚本/等
正如Marcin所说,大多数语言都在try...catch...finally
块中执行此操作。例如,Java就是这样做的:
BufferedReader reader = null;
try {
reader = new BufferedReader(new File("file.txt"));
// Read in data and do stuff
} catch (Exception e) {
// Shouldn't be this generic, but you get the idea
e.printStackTrace();
} finally {
// Always executes
if (reader != null) reader.close();
}
答案 1 :(得分:2)
这是一样的:
with open('file.txt', 'r') as f:
# do stuff