cp -r from_dir/* to_dir
Pythonでコマンドをエミュレートする簡単な方法はありますか? shutil.copytree
が存在するため、適切ではありませんto_dir
。
質問する
2517 次
3 に答える
7
のソースコードを見て、shutil.copytree
それを適応させて使用します。
def copytree(src, dst, symlinks=False, ignore=None):
"""Recursively copy a directory tree using copy2().
The destination directory must not already exist.
If exception(s) occur, an Error is raised with a list of reasons.
If the optional symlinks flag is true, symbolic links in the
source tree result in symbolic links in the destination tree; if
it is false, the contents of the files pointed to by symbolic
links are copied.
The optional ignore argument is a callable. If given, it
is called with the `src` parameter, which is the directory
being visited by copytree(), and `names` which is the list of
`src` contents, as returned by os.listdir():
callable(src, names) -> ignored_names
Since copytree() is called recursively, the callable will be
called once for each directory that is copied. It returns a
list of names relative to the `src` directory that should
not be copied.
XXX Consider this example code rather than the ultimate tool.
"""
names = os.listdir(src)
if ignore is not None:
ignored_names = ignore(src, names)
else:
ignored_names = set()
os.makedirs(dst)
errors = []
for name in names:
if name in ignored_names:
continue
srcname = os.path.join(src, name)
dstname = os.path.join(dst, name)
try:
if symlinks and os.path.islink(srcname):
linkto = os.readlink(srcname)
os.symlink(linkto, dstname)
elif os.path.isdir(srcname):
copytree(srcname, dstname, symlinks, ignore)
else:
copy2(srcname, dstname)
# XXX What about devices, sockets etc.?
except (IOError, os.error), why:
errors.append((srcname, dstname, str(why)))
# catch the Error from the recursive copytree so that we can
# continue with other files
except Error, err:
errors.extend(err.args[0])
try:
copystat(src, dst)
except OSError, why:
if WindowsError is not None and isinstance(why, WindowsError):
# Copying file access times may fail on Windows
pass
else:
errors.extend((src, dst, str(why)))
if errors:
raise Error, errors
于 2010-10-19T09:24:22.513 に答える
2
copytree
正しい名前(または同じ名前)を使用する必要があります
shutil.copytree("/path/from_dir","/destination/from_dir")
于 2010-10-19T09:26:42.470 に答える
2
import glob
import subprocess
subprocess.check_call(["cp", "-rt", "to_dir"] + glob.glob("from_dir/*"))
Pythonですべてを直接自分で行うと便利な場合があります。繰り返しになりますが、制御方法と動作を知っているコマンドを呼び出す方がよい場合がよくあります。
要件が変更された場合は、これを書き直すことを躊躇しませんが、それまでは短くて読みやすく、より大きな問題により多くの時間を費やしたほうがよいでしょう。それらがどのように変化するかを示す良い例は、エラーの報告です。それについては何も言われていませんが、必要に応じてcpの出力を解析することはありません。
于 2010-10-19T09:49:21.440 に答える