如何复制文件

如何在Python中复制文件?

3097121 次浏览

#0有很多方法可以使用。其中之一是:

import shutil
shutil.copyfile(src, dst)
# 2nd optionshutil.copy(src, dst)  # dst can be a folder; use shutil.copy2() to preserve timestamp
  • 将名为src的文件的内容复制到名为dst的文件中。srcdst都需要是文件的整个文件名,包括路径。
  • 目标位置必须是可写的;否则,将引发IOError异常。
  • 如果dst已经存在,它将被替换。
  • 不能使用此功能复制字符或块设备和管道等特殊文件。
  • 对于copysrcdst是作为strs给出的路径名。

另一个shutil方法是#1。它类似,但保留了更多的元数据(例如时间戳)。

如果您使用os.path操作,请使用copy而不是copyfilecopyfile只接受字符串。

使用舒蒂模块

copyfile(src, dst)

将名为src的文件内容复制到名为dst的文件中。目标位置必须是可写的;否则,将引发IOError异常。如果dst已经存在,它将被替换。不能使用此函数复制字符或块设备和管道等特殊文件。srcdst是以字符串形式给出的路径名。

查看filesys,了解标准Python模块中可用的所有文件和目录处理功能。

#0通常比#1更有用,因为:

  • 它允许dst目录(而不是完整的目标文件名),在这种情况下,srcbasename用于创建新文件;
  • 它保留了文件元数据中的原始修改和访问信息(mtime和atime)(但是,这会带来轻微的开销)。

下面是一个简短的例子:

import shutilshutil.copy2('/src/dir/file.ext', '/dst/dir/newname.ext') # complete target filename givenshutil.copy2('/src/file.ext', '/dst/dir') # target filename is /dst/dir/file.ext

复制文件是一个相对简单的操作,如下面的示例所示,但您应该为此使用Shutilstdlib模块

def copyfileobj_example(source, dest, buffer_size=1024*1024):"""Copy a file from source to dest. source and destmust be file-like objects, i.e. any object with a read orwrite method, like for example StringIO."""while True:copy_buffer = source.read(buffer_size)if not copy_buffer:breakdest.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)

目录和文件复制示例,来自Tim Golden的Python Stuff

import osimport shutilimport 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"

您可以使用os.system('cp nameoffilegeneratedbyprogram /otherdirectory/')

或者像我做的那样,

os.system('cp '+ rawfile + ' rawdata.dat')

其中rawfile是我在程序中生成的名称。

这是一个Linux的解决方案。

函数复制
元数据
复制
权限
使用文件对象目标
可能是目录
shutil.copy
shutil.copyfile
shutil.copy2
shutil.copyfileobj

对于大文件,我逐行读取文件并将每行读取到一个数组中。然后,一旦数组达到一定大小,将其附加到一个新文件中。

for line in open("file.txt", "r"):list.append(line)if len(list) == 1000000:output.writelines(list)del list[:]

使用subprocess.call复制文件

from subprocess import callcall("cp -p <file> <file>", shell=True)

您可以使用#0包中的一个复制函数:

━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━Function              preserves     supports          accepts     copies otherpermissions   directory dest.   file obj    metadata――――――――――――――――――――――――――――――――――――――――――――――――――――――――――――――――――――――――――――――shutil.copy              ✔             ✔                 ☐           ☐shutil.copy2             ✔             ✔                 ☐           ✔shutil.copyfile          ☐             ☐                 ☐           ☐shutil.copyfileobj       ☐             ☐                 ✔           ☐━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━

示例:

import shutilshutil.copy('/etc/hostname', '/var/tmp/testhostname')

对于仅使用Python内置的小文件,您可以使用以下单行代码:

with open(source, 'rb') as src, open(dest, 'wb') as dst: dst.write(src.read())

对于文件太大或内存至关重要的应用程序来说,这不是最佳方式,因此应该首选斯瓦蒂的答案。

首先,我做了一个详尽的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',]}

第二,举例说明抄写的方法:

  1. 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 objectIn [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)
  2. 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
  3. shutil.copy()复制元数据

    In [10]: shutil.copy(src, dst)Out[10]: ~/desktop/Head+First+SQL.pdf'
    # Check their metadataIn [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
  4. 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)# Preserved st_mtime
  5. shutil.copytree()

    递归复制以src为根的整个目录树,返回目标目录。

在Python中,您可以使用


import osimport shutilimport subprocess

1)使用#0模块复制文件

#0签名

shutil.copyfile(src_file, dest_file, *, follow_symlinks=True)
# exampleshutil.copyfile('source.txt', 'destination.txt')

#0签名

shutil.copy(src_file, dest_file, *, follow_symlinks=True)
# exampleshutil.copy('source.txt', 'destination.txt')

#0签名

shutil.copy2(src_file, dest_file, *, follow_symlinks=True)
# exampleshutil.copy2('source.txt', 'destination.txt')

#0签名

shutil.copyfileobj(src_file_object, dest_file_object[, length])
# examplefile_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)

2)使用#0模块复制文件

#0签名

os.popen(cmd[, mode[, bufsize]])
# example# In Unix/Linuxos.popen('cp source.txt destination.txt')
# In Windowsos.popen('copy source.txt destination.txt')

#0签名

os.system(command)

# In Linux/Unixos.system('cp source.txt destination.txt')
# In Windowsos.system('copy source.txt destination.txt')

3)使用#0模块复制文件

#0签名

subprocess.call(args, *, stdin=None, stdout=None, stderr=None, shell=False)
# example (WARNING: setting `shell=True` might be a security-risk)# In Linux/Unixstatus = subprocess.call('cp source.txt destination.txt', shell=True)
# In Windowsstatus = subprocess.call('copy source.txt destination.txt', shell=True)

#0签名

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/Unixstatus = subprocess.check_output('cp source.txt destination.txt', shell=True)
# In Windowsstatus = subprocess.check_output('copy source.txt destination.txt', shell=True)

使用

open(destination, 'wb').write(open(source, 'rb').read())

以读取模式打开源文件,并以写入模式写入目标文件。

python3.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将覆盖目标位置的任何内容

Python提供了内置函数,可以使用操作系统shell实用程序轻松复制文件。

以下命令用于复制文件:

shutil.copy(src, dst)

以下命令用于复制包含元数据信息的文件:

shutil.copystat(src, dst)

这是一个简单的方法,没有任何模块。它类似于这个答案,但如果它是一个不适合RAM的大文件,也可以工作:

with open('sourcefile', 'rb') as f, open('destfile', 'wb') as g:while True:block = f.read(16*1024*1024)  # work by blocks of 16 MBif not block:  # end of filebreakg.write(block)

由于我们正在编写一个新文件,它不保留修改时间等。
如果需要,我们可以使用#0

与已接受的答案类似,如果您还想确保在目标路径中创建任何(不存在的)文件夹,以下代码块可能会派上用场。

from os import path, makedirsfrom shutil import copyfilemakedirs(path.dirname(path.abspath(destination_path)), exist_ok=True)copyfile(source_path, destination_path)

正如已接受的答案所指出的那样,这些行将覆盖目标路径上存在的任何文件,因此有时在该代码块之前添加:if not path.exists(destination_path):可能会很有用。

如果你已经走了这么远。答案是你需要整个路径和文件名

import os
shutil.copy(os.path.join(old_dir, file), os.path.join(new_dir, file))

shutil模块在files上提供了一些高级操作。它支持文件copyingremoval

请参阅下表以了解您的用例。

函数使用
文件对象
保留文件
元数据
保留
权限
支持
Directory Dest。
shutil.copyfileobj
shutil.copyfile
shutil.copy2
shutil.copy

shutil.copy(src, dst,*,follow_symlinks=True)

这是一个使用“shutil.copyfileobj”的答案,它非常高效。我在一段时间前创建的工具中使用了它。我最初没有写这个,但我稍微调整了一下。

def copyFile(src, dst, buffer_size=10485760, perserveFileDate=True):'''@param src:    Source File@param dst:    Destination File (not file path)@param buffer_size:    Buffer size to use during copy@param perserveFileDate:    Preserve the original file date'''#    Check to make sure destination directory exists. If it doesn't create the directorydstParent, dstFileName = os.path.split(dst)if(not(os.path.exists(dstParent))):os.makedirs(dstParent)
# Optimize the buffer for small filesbuffer_size = min(buffer_size,os.path.getsize(src))if(buffer_size == 0):buffer_size = 1024
if shutil._samefile(src, dst):raise shutil.Error("`%s` and `%s` are the same file" % (src, dst))for fn in [src, dst]:try:st = os.stat(fn)except OSError:# File most likely does not existpasselse:# XXX What about other special files? (sockets, devices...)if shutil.stat.S_ISFIFO(st.st_mode):raise shutil.SpecialFileError("`%s` is a named pipe" % fn)with open(src, 'rb') as fsrc:with open(dst, 'wb') as fdst:shutil.copyfileobj(fsrc, fdst, buffer_size)
if(perserveFileDate):shutil.copystat(src, dst)

您可以使用os.link创建指向文件的硬链接:

os.link(source, dest)

这不是一个独立的克隆,但如果您计划只读取(而不是修改)新文件,并且其内容必须与原始文件保持相同,这将很好地工作。它还有一个好处,如果您想检查副本是否已经存在,您可以比较硬链接(与os.stat)而不是它们的内容。

在Linux中,带有键的命令cp

cp -al

创建硬链接。因此,硬链接可能被视为副本。有时一个人完全需要这种行为(从不同的地方访问文件内容),而不需要单独的副本。

您可以使用系统

对于类Unix系统:

import os
copy_file = lambda src_file, dest: os.system(f"cp {src_file} {dest}")
copy_file("./file", "../new_dir/file")

在Python中复制文件有两种最好的方法。

1.我们可以使用#0模块

代码示例:

import shutilshutil.copyfile('/path/to/file', '/path/to/new/file')

除了文案之外,还有其他可用的方法,如复制、复制2等,但就性能而言,文案是最好的,

2.我们可以使用#0模块

代码示例:

import osos.system('cp /path/to/file /path/to/new/file')

另一种方法是使用子进程,但它不是优选的,因为它是调用方法之一并且不安全。