自动创建文件输出目录
可能重复:
python中的mkdir -p功能
假设我想创建一个文件:
filename = "/foo/bar/baz.txt"
with open(filename, "w") as f:
f.write("FOOBAR")
这会产生IOError
,因为/foo/bar
不存在。
什么是自动生成这些目录最pythonic的方式? 是否有必要在每一个显式调用os.path.exists
和os.mkdir
(即/ foo,然后/ foo / bar)?
os.makedirs
函数执行此操作。 尝试以下操作:
import os
import errno
filename = "/foo/bar/baz.txt"
if not os.path.exists(os.path.dirname(filename)):
try:
os.makedirs(os.path.dirname(filename))
except OSError as exc: # Guard against race condition
if exc.errno != errno.EEXIST:
raise
with open(filename, "w") as f:
f.write("FOOBAR")
添加try-except
块的原因是为了处理在os.path.exists
和os.makedirs
调用之间创建目录的情况,以便保护我们免受竞争条件的影响。
在Python 3.2+中,有一种更优雅的方式可以避免上面的竞争条件:
filename = "/foo/bar/baz.txt"¨
os.makedirs(os.path.dirname(filename), exist_ok=True)
with open(filename, "w") as f:
f.write("FOOBAR")
链接地址: http://www.djcxy.com/p/9271.html