Pythonで、親が存在する場合と存在しない場合がある場所にパスを作成するための簡単な関数が必要です。
From pythonドキュメントos.makedirsは、親の1つが存在する場合に失敗します。
私は以下のメソッドを作成しました。このメソッドは、必要な数のサブディレクトリを作成します。
これは効率的に見えますか?
def create_path(path):
import os.path as os_path
paths_to_create = []
while not os_path.lexists(path):
paths_to_create.insert(0, path)
head,tail = os_path.split(path)
if len(tail.strip())==0: # Just incase path ends with a / or \
path = head
head,tail = os_path.split(path)
path = head
for path in paths_to_create:
os.mkdir(path)
"From pythonドキュメント
os.makedirs
親の1つが存在する場合、失敗します。」
番号、 - os.makedirs
ディレクトリ自体がすでに存在する場合は失敗します。親ディレクトリのいずれかがすでに存在していても失敗しません。
これが私の見解です。これにより、システムライブラリがすべてのパスラングリングを実行できるようになります。既存のディレクトリ以外のエラーはすべて伝播されます。
import os, errno
def ensure_dir(dirname):
"""
Ensure that a named directory exists; if it does not, attempt to create it.
"""
try:
os.makedirs(dirname)
except OSError, e:
if e.errno != errno.EEXIST:
raise
ラフドラフト:
import os
class Path(str):
"""
A helper class that allows easy contactenation
of path components, creation of directory trees,
amongst other things.
"""
@property
def isdir(self):
return os.path.isdir(self)
@property
def isfile(self):
return os.path.isfile(self)
def exists(self):
exists = False
if self.isfile:
try:
f = open(self)
f.close()
exists = True
except IOError:
exists = False
else:
return self.isdir
return exists
def mktree(self, dirname):
"""Create a directory tree in this directory."""
newdir = self + dirname
if newdir.exists():
return newdir
path = dirname.split('/') or [dirname]
current_path = self + path.pop(0)
while True:
try:
os.mkdir(current_path)
except OSError as e:
if not e.args[0] == 17:
raise e
current_path = current_path + path.pop(0)
continue
if len(path) == 0:
break
return current_path
def up(self):
"""
Return a new Path object set a the parent
directory of the current instance.
"""
return Path('/'.join(self.split('/')[:-1]))
def __repr__(self):
return "<Path: {0}>".format(self)
def __add__(x, y):
return Path(x.rstrip('/') + '/' + y.lstrip('/'))
python(> = 3.4.1)の場合、os.makedirsのexist_okパラメーターがあります。
Present_okがFalse(デフォルト)の場合、ターゲットディレクトリがすでに存在するとOSErrorが発生します。
したがって、exist_ok = Trueのように使用すると、再帰的なディレクトリ作成に問題はありません。
注:exist_okにはpython 3.2が付属していますが、Trueに設定しても例外が発生するというバグがありました。したがって、python> = 3.4を使用してみてください.1(そのバージョンで修正済み)
このコードを試してください。パスがnサブディレクトリレベルまで存在するかどうかを確認し、存在しない場合はディレクトリを作成します。
def pathtodir(path):
if not os.path.exists(path):
l=[]
p = "/"
l = path.split("/")
i = 1
while i < len(l):
p = p + l[i] + "/"
i = i + 1
if not os.path.exists(p):
os.mkdir(p, 0755)
これは古いスレッドですが、提供されたソリューションは単純なタスクにはほとんど複雑すぎるため、満足できませんでした。
ライブラリで利用可能な関数から、私たちができる最もクリーンな方法は次のとおりです。
os.path.isdir("mydir") or os.makedirs("mydir")
このコード は、再帰的な関数呼び出しを使用して、指定された深さと幅のディレクトリツリーを生成します。
#!/usr/bin/python2.6
import sys
import os
def build_dir_tree(base, depth, width):
print("Call #%d" % depth)
if depth >= 0:
curr_depth = depth
depth -= 1
for i in xrange(width):
# first creating all folder at current depth
os.makedirs('%s/Dir_#%d_level_%d' % (base, i, curr_depth))
dirs = os.walk(base).next()[1]
for dir in dirs:
newbase = os.path.join(base,dir)
build_dir_tree(newbase, depth, width)
else:
return
if not sys.argv[1:]:
print('No base path given')
sys.exit(1)
print('path: %s, depth: %d, width: %d' % (sys.argv[1], int(sys.argv[2]), int(sys.argv[3])))
build_dir_tree(sys.argv[1], int(sys.argv[2]), int(sys.argv[3]))
プロジェクトディレクトリ内に単純なディレクトリツリーを作成する方法を調査しているときに、この質問を見つけました。
私はPythonに少し慣れていませんが、データ構造が複雑になりすぎる、つまりネストされると苦労します。私の脳のメンタルマッピングでは、反復可能な小さなリストを追跡する方がはるかに簡単なので、ディレクトリツリーの作成に役立つ2つの非常に基本的な定義を考え出しました。
この例では、4つのオブジェクトを使用してツリーを作成します。
ディレクトリが存在する場合、そのディレクトリは上書きされず、エラーはサイレントに渡されます。
import os
from os.path import join as path_join
import errno
def make_node(node):
try:
os.makedirs(node)
except OSError, e:
if e.errno != errno.EEXIST:
raise
def create_tree(home, branches, leaves):
for branch in branches:
parent = path_join(home, branch)
make_node(parent)
children = leaves.get(branch, [])
for child in children:
child = os.path.join(parent, child)
make_node(child)
if __name__ == "__main__":
try: # create inside of PROJECT_HOME if it exists
PROJECT_HOME = os.environ['PROJECT_HOME']
except KeyError: # otherwise in user's home directory
PROJECT_HOME = os.expanduser('~')
home = os.path.join(PROJECT_HOME, 'test_directory_tree')
create_tree(home, branches=[], leaves={})
branches = (
'docs',
'scripts',
)
leaves = (
('rst', 'html', ),
('python', 'bash', )
)
leaves = dict(list(Zip(branches, leaves)))
create_tree(home, branches, leaves)
python_home = os.path.join(home, 'scripts', 'python')
branches = (
'os',
'sys',
'text_processing',
)
leaves = {}
leaves = dict(list(Zip(branches, leaves)))
create_tree(python_home, branches, leaves)
after_thought_home = os.path.join(home, 'docs', 'after_thought')
branches = (
'child_0',
'child_1',
)
leaves = (
('sub_0', 'sub_1'),
(),
)
leaves = dict(list(Zip(branches, leaves)))
create_tree(after_thought_home, branches, leaves)
この例で作成するディレクトリツリーは次のようになります。
dev/test_directory_tree/
├── docs
│ ├── after_thought
│ │ ├── child_0
│ │ │ ├── sub_0
│ │ │ └── sub_1
│ │ └── child_1
│ ├── html
│ └── rst
└── scripts
├── bash
└── python
├── os
├── sys
└── text_processing