3231

如何在 Python 中复制文件?

os 我在模块下找不到任何东西。

4

21 回答 21

3991

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

import shutil

shutil.copyfile(src, dst)

# 2nd option
shutil.copy(src, dst)  # dst can be a folder; use shutil.copy2() to preserve timestamp
  • 将命名文件的内容复制src到名为dst. 两者src和都dst需要是文件的完整文件名,包括路径。
  • 目标位置必须是可写的;否则,IOError将引发异常。
  • 如果dst已经存在,它将被替换。
  • 无法使用此功能复制字符或块设备和管道等特殊文件。
  • copy和是路径名,以srcs给出。dststr

shutil一种查看方法是shutil.copy2(). 它很相似,但保留了更多元数据(例如时间戳)。

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

于 2008-09-23T19:25:35.393 回答
1824
功能 复制
元数据
复制
权限
使用文件对象 目的地
可能是目录
shutil.copy 是的 是的
shutil.copyfile
shutil.copy2 是的 是的 是的
shutil.copyfileobj 是的
于 2015-05-20T20:01:48.237 回答
878

copy2(src,dst)通常比copyfile(src,dst)因为:

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

这是一个简短的例子:

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
于 2008-09-23T19:29:41.810 回答
195

在 Python 中,您可以使用复制文件


import os
import shutil
import subprocess

shutil1)使用模块复制文件

shutil.copyfile 签名

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 签名

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)  

os2)使用模块复制文件

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')

subprocess3)使用模块复制文件

subprocess.call 签名

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 签名

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)

于 2018-01-22T03:05:32.227 回答
171

您可以使用shutil包中的一种复制功能:

------------------------------------------------------- ------------------------------------------------------------------------- >------------------------------------------------------------------------------一样
功能保存支持接受副本其他
                      权限目录 dest。文件 obj 元数据  
―――――――――――――――――――――――――――――――――――――――――――――――― ――――――――――――――――――――――――――――
shutil.copy               ✔ ✔ ☐ ☐
 shutil.copy2              ✔ ✔ ☐ ✔
 shutil.copyfile           ☐ ☐ ☐ ☐
 shutil.copyfileobj        ☐ ☐ ✔ ☐
------------------------------------------------------- ------------------------------------------------------------------------- >------------------------------------------------------------------------------一样

例子:

import shutil
shutil.copy('/etc/hostname', '/var/tmp/testhostname')
于 2017-07-09T11:50:12.380 回答
108

复制文件是一个相对简单的操作,如下面的示例所示,但您应该改用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)
于 2008-09-24T07:21:12.083 回答
81

使用shutil 模块

copyfile(src, dst)

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

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

于 2008-09-23T19:27:23.157 回答
50

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

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"
于 2011-03-15T10:11:21.953 回答
34

对于小文件并且仅使用 python 内置,您可以使用以下单行:

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

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

于 2017-08-15T13:46:42.370 回答
34

首先,我制作了一份详尽的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 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)
  1. 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
  1. 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
  1. 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
  1. shutil.copytree()

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

于 2018-01-16T03:25:13.807 回答
18

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

或者就像我做的那样,

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

rawfile我在程序中生成的名称在哪里。

这是一个仅限 Linux 的解决方案

于 2014-12-19T23:18:02.150 回答
18

Python 3.5开始,您可以对小文件(即:文本文件、小 jpeg)执行以下操作:

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

于 2019-04-25T14:09:14.553 回答
14

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

for line in open("file.txt", "r"):
    list.append(line)
    if len(list) == 1000000: 
        output.writelines(list)
        del list[:]
于 2015-05-25T05:11:47.297 回答
13
open(destination, 'wb').write(open(source, 'rb').read())

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

于 2019-03-23T00:46:19.783 回答
13

shutil模块提供了一些关于files. 它支持文件copyingremoval.

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

功能 利用
文件对象
保留
元数据
保留
权限
支持
目录目标。
shutil.copyfileobj ✔</td> ⅹ</strong> ⅹ</strong> ⅹ</strong>
shutil.copyfile ⅹ</strong> ⅹ</strong> ⅹ</strong> ⅹ</strong>
shutil.copy2 ⅹ</strong> ✔</td> ✔</td> ✔</td>
shutil.copy ⅹ</strong> ⅹ</strong> ✔</td> ✔</td>
于 2021-09-24T10:47:31.190 回答
12

用于subprocess.call复制文件

from subprocess import call
call("cp -p <file> <file>", shell=True)
于 2016-04-04T07:08:24.617 回答
9

这是一种简单的方法,无需任何模块。它类似于这个答案,但如果它是一个不适合 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 MB
        if not block:  # end of file
            break
        g.write(block)

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

于 2020-12-06T12:50:51.520 回答
9

以防你跌到这么远。答案是你需要完整的路径和文件名

import os

shutil.copy(os.path.join(old_dir, file), os.path.join(new_dir, file))
于 2021-01-13T20:36:51.740 回答
5

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

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

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

于 2021-01-02T00:56:35.793 回答
-1

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

于 2021-11-06T23:43:54.090 回答
-2

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

以下命令用于复制文件

shutil.copy(src,dst)

以下命令用于复制带有元数据信息的文件

shutil.copystat(src,dst)
于 2019-06-10T10:05:55.417 回答