Answers:
shutil
有很多方法可以使用。其中之一是:
from shutil import copyfile
copyfile(src, dst)
如果使用os.path
操作,请使用copy
而不是copyfile
。copyfile
将只接受字符串。
~
,但可以处理相对路径
┌──────────────────┬────────┬───────────┬───────┬────────────────┐
│ Function │ Copies │ Copies │Can use│ Destination │
│ │metadata│permissions│buffer │may be directory│
├──────────────────┼────────┼───────────┼───────┼────────────────┤
│shutil.copy │ No │ Yes │ No │ Yes │
│shutil.copyfile │ No │ No │ No │ No │
│shutil.copy2 │ Yes │ Yes │ No │ Yes │
│shutil.copyfileobj│ No │ No │ Yes │ No │
└──────────────────┴────────┴───────────┴───────┴────────────────┘
copy2(src,dst)
通常比以下copyfile(src,dst)
原因更有用:
dst
将一个目录(而不是完整的目标文件名),在这种情况下,基本名称的src
用于创建新的文件;这是一个简短的示例:
import shutil
shutil.copy2('/src/dir/file.ext', '/dst/dir/newname.ext') # complete target filename given
shutil.copy2('/src/file.ext', '/dst/dir') # target filename is /dst/dir/file.ext
copyfile
比copy2
shutil.copy2('/dir/file.ext', '/new/dir/')
(在目标路径后带有斜线)将消除是否复制到名为“ dir”的新文件或将该文件放入该名称的目录中的歧义?
/new/dir
存在的目录没有任何歧义,请参阅@MatthewAlpert的注释。
/new/dir/
不存在,Python将抛出一个IsADirectoryError
,否则它将文件复制到/new/dir/
原始名称下。
您可以使用shutil
软件包中的一种复制功能:
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━ ━━━━━━━━━━━━━━━━━━━━━━━━━━━━ 功能保留支持接受复制其他 权限目录目的。文件obj元数据 ―――――――――――――――――――――――――――――――――――――――――――― ―――――――――――――――――――――――――――― shutil.copy ✔✔☐☐ shutil.copy2 ✔✔☐✔ shutil.copyfile ☐☐☐☐ shutil.copyfileobj ☐☐✔☐ ━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━ ━━━━━━━━━━━━━━━━━━━━━━━━━━━━
例:
import shutil
shutil.copy('/etc/hostname', '/var/tmp/testhostname')
在Python中,您可以使用
shutil
模组os
模组subprocess
模组import os
import shutil
import subprocess
shutil
模块复制文件shutil.copyfile(src_file, dest_file, *, follow_symlinks=True)
# example
shutil.copyfile('source.txt', 'destination.txt')
shutil.copy
签名
shutil.copy(src_file, dest_file, *, follow_symlinks=True)
# example
shutil.copy('source.txt', 'destination.txt')
shutil.copy2
签名
shutil.copy2(src_file, dest_file, *, follow_symlinks=True)
# example
shutil.copy2('source.txt', 'destination.txt')
shutil.copyfileobj(src_file_object, dest_file_object[, length])
# example
file_src = 'source.txt'
f_src = open(file_src, 'rb')
file_dest = 'destination.txt'
f_dest = open(file_dest, 'wb')
shutil.copyfileobj(f_src, f_dest)
os
模块复制文件os.popen
签名
os.popen(cmd[, mode[, bufsize]])
# example
# In Unix/Linux
os.popen('cp source.txt destination.txt')
# In Windows
os.popen('copy source.txt destination.txt')
os.system
签名
os.system(command)
# In Linux/Unix
os.system('cp source.txt destination.txt')
# In Windows
os.system('copy source.txt destination.txt')
subprocess
模块复制文件subprocess.call(args, *, stdin=None, stdout=None, stderr=None, shell=False)
# example (WARNING: setting `shell=True` might be a security-risk)
# In Linux/Unix
status = subprocess.call('cp source.txt destination.txt', shell=True)
# In Windows
status = subprocess.call('copy source.txt destination.txt', shell=True)
subprocess.check_output(args, *, stdin=None, stderr=None, shell=False, universal_newlines=False)
# example (WARNING: setting `shell=True` might be a security-risk)
# In Linux/Unix
status = subprocess.check_output('cp source.txt destination.txt', shell=True)
# In Windows
status = subprocess.check_output('copy source.txt destination.txt', shell=True)
['copy', sourcefile, destfile]
尽可能使用语法,尤其是当参数来自用户输入时。
os.popen
现在已弃用了一段时间。并check_output
没有返回的状态,但输出(这是在的情况下空copy/cp
)
复制文件是一个相对简单的操作,如下面的示例所示,但是您应该为此使用shutil stdlib模块。
def copyfileobj_example(source, dest, buffer_size=1024*1024):
"""
Copy a file from source to dest. source and dest
must be file-like objects, i.e. any object with a read or
write method, like for example StringIO.
"""
while True:
copy_buffer = source.read(buffer_size)
if not copy_buffer:
break
dest.write(copy_buffer)
如果要按文件名复制,可以执行以下操作:
def copyfile_example(source, dest):
# Beware, this example does not handle any edge cases!
with open(source, 'rb') as src, open(dest, 'wb') as dst:
copyfileobj_example(src, dst)
shutil.copyfileobj
。另外,try, finally
在异常发生后,您没有任何处理关闭文件的方法。但是,我要说的是,您的函数根本不应该负责打开和关闭文件。那应该放在包装函数中,如shutil.copyfile
wraps shutil.copyfileobj
。
dest
为可写的:open(dest, 'wb')
目录和文件复制示例-来自Tim Golden的Python资料:
http://timgolden.me.uk/python/win32_how_do_i/copy-a-file.html
import os
import shutil
import tempfile
filename1 = tempfile.mktemp (".txt")
open (filename1, "w").close ()
filename2 = filename1 + ".copy"
print filename1, "=>", filename2
shutil.copy (filename1, filename2)
if os.path.isfile (filename2): print "Success"
dirname1 = tempfile.mktemp (".dir")
os.mkdir (dirname1)
dirname2 = dirname1 + ".copy"
print dirname1, "=>", dirname2
shutil.copytree (dirname1, dirname2)
if os.path.isdir (dirname2): print "Success"
首先,我详尽介绍了shutil方法的摘要,供您参考。
shutil_methods =
{'copy':['shutil.copyfileobj',
'shutil.copyfile',
'shutil.copymode',
'shutil.copystat',
'shutil.copy',
'shutil.copy2',
'shutil.copytree',],
'move':['shutil.rmtree',
'shutil.move',],
'exception': ['exception shutil.SameFileError',
'exception shutil.Error'],
'others':['shutil.disk_usage',
'shutil.chown',
'shutil.which',
'shutil.ignore_patterns',]
}
其次,解释示例中的复制方法:
shutil.copyfileobj(fsrc, fdst[, length])
操作打开的对象
In [3]: src = '~/Documents/Head+First+SQL.pdf'
In [4]: dst = '~/desktop'
In [5]: shutil.copyfileobj(src, dst)
AttributeError: 'str' object has no attribute 'read'
#copy the file object
In [7]: with open(src, 'rb') as f1,open(os.path.join(dst,'test.pdf'), 'wb') as f2:
...: shutil.copyfileobj(f1, f2)
In [8]: os.stat(os.path.join(dst,'test.pdf'))
Out[8]: os.stat_result(st_mode=33188, st_ino=8598319475, st_dev=16777220, st_nlink=1, st_uid=501, st_gid=20, st_size=13507926, st_atime=1516067347, st_mtime=1516067335, st_ctime=1516067345)
shutil.copyfile(src, dst, *, follow_symlinks=True)
复制并重命名
In [9]: shutil.copyfile(src, dst)
IsADirectoryError: [Errno 21] Is a directory: ~/desktop'
#so dst should be a filename instead of a directory name
shutil.copy()
复制时不设置元数据
In [10]: shutil.copy(src, dst)
Out[10]: ~/desktop/Head+First+SQL.pdf'
#check their metadata
In [25]: os.stat(src)
Out[25]: os.stat_result(st_mode=33188, st_ino=597749, st_dev=16777220, st_nlink=1, st_uid=501, st_gid=20, st_size=13507926, st_atime=1516066425, st_mtime=1493698739, st_ctime=1514871215)
In [26]: os.stat(os.path.join(dst, 'Head+First+SQL.pdf'))
Out[26]: os.stat_result(st_mode=33188, st_ino=8598313736, st_dev=16777220, st_nlink=1, st_uid=501, st_gid=20, st_size=13507926, st_atime=1516066427, st_mtime=1516066425, st_ctime=1516066425)
# st_atime,st_mtime,st_ctime changed
shutil.copy2()
保留元数据进行复制
In [30]: shutil.copy2(src, dst)
Out[30]: ~/desktop/Head+First+SQL.pdf'
In [31]: os.stat(src)
Out[31]: os.stat_result(st_mode=33188, st_ino=597749, st_dev=16777220, st_nlink=1, st_uid=501, st_gid=20, st_size=13507926, st_atime=1516067055, st_mtime=1493698739, st_ctime=1514871215)
In [32]: os.stat(os.path.join(dst, 'Head+First+SQL.pdf'))
Out[32]: os.stat_result(st_mode=33188, st_ino=8598313736, st_dev=16777220, st_nlink=1, st_uid=501, st_gid=20, st_size=13507926, st_atime=1516067063, st_mtime=1493698739, st_ctime=1516067055)
# Preseved st_mtime
shutil.copytree()
以递归方式复制以src为根的整个目录树,返回目标目录
对于小文件并且仅使用python内置函数,可以使用以下单行代码:
with open(source, 'rb') as src, open(dest, 'wb') as dst: dst.write(src.read())
正如@maxschlepzig在下面的评论中提到的,对于文件太大或内存至关重要的应用程序,这不是最佳方法,因此应首选Swati的答案。
.read()
并且.write()
默认情况下会被缓冲(至少对于CPython是这样)。
open()
默认情况下,由... 返回的文件对象会缓冲IO,这一事实在这里无济于事,因为它read()
被指定为:'如果n为负数或省略,请读取直到EOF。这意味着read()
返回的完整文件内容为字符串。
你可以用 os.system('cp nameoffilegeneratedbyprogram /otherdirectory/')
还是像我那样
os.system('cp '+ rawfile + ' rawdata.dat')
rawfile
我在程序内部生成的名称在哪里。
这是仅Linux的解决方案
shutil
不可用- subprocess.run()
(没有shell=True
!)也是的更好选择os.system()
。
subprocess.run()
@maxschlepzig的建议是在调用外部程序时迈出的一大步。但是,为了灵活性和安全性,请使用['cp', rawfile, 'rawdata.dat']
传递命令行的形式。(但是,为了进行复制,shutil
建议您和朋友一起调用外部程序。)
对于大文件,我所做的就是逐行读取文件并将每一行读入数组。然后,一旦数组达到特定大小,请将其附加到新文件中。
for line in open("file.txt", "r"):
list.append(line)
if len(list) == 1000000:
output.writelines(list)
del list[:]
for l in open('file.txt','r'): output.write(l)
应该找到工作;只需根据您的需要设置输出流缓冲区即可。或者您也可以通过遍历一次try来逐字节读取,output.write(read(n)); output.flush()
其中where n
是您一次要写入的字节数。这两个都没有条件检查哪个是奖励。
shutil
?即使忽略shutil
,简单的块读/写循环(使用无缓冲IO)也是很简单的,它会很高效,并且比这有意义得多,因此肯定更容易教授和理解。
from subprocess import call
call("cp -p <file> <file>", shell=True)
call
是不安全的。请参考有关它的子过程文档。
从Python 3.5开始,您可以对小文件(例如:文本文件,小jpegs)执行以下操作:
from pathlib import Path
source = Path('../path/to/my/file.txt')
destination = Path('../path/where/i/want/to/store/it.txt')
destination.write_bytes(source.read_bytes())
write_bytes
将覆盖目的地位置的所有内容
shutil
为您处理所有特殊情况,使您放心。
open(destination, 'wb').write(open(source, 'rb').read())
在读取模式下打开源文件,并在写入模式下写入目标文件。
.close()
所有这些都缺少了open(...)
吗?
Python提供了内置功能,可使用操作系统外壳程序实用程序轻松复制文件。
以下命令用于复制文件
shutil.copy(src,dst)
以下命令用于复制带有元数据信息的文件
shutil.copystat(src,dst)
copy
然后copystat
,您应该运行以保留文件元数据。在Python 3.3+中,copystat
还复制扩展属性。