hahadaxiao 发表于 2023-5-24 22:30:35

请问我这样写with open,哪里有问题呀

def file_copy(old_file,new_file):
    with open(old_file,'rb',encoding='utf-8') as file1:
      with open(new_file,'wb',encoding='utf-8') as file2:
            file2.write(file1.read())

file_copy('E:/QQ.png','E:/aa.png')

isdkz 发表于 2023-5-24 22:31:51

当你在打开文件时使用'rb'或'wb' (二进制读取或写入模式)时,不应设置编码参数encoding='utf-8' 。二进制模式下的文件读取和写入是直接在字节级进行操作的,所以不需要字符编码。在你的代码中,当你想要复制一个图片( .png )文件时,应该使用二进制模式,但是不需要设置encoding参数。

你的代码应该像这样:

def file_copy(old_file, new_file):
    with open(old_file, 'rb') as file1:
      with open(new_file, 'wb') as file2:
            file2.write(file1.read())

file_copy('E:/QQ.png', 'E:/aa.png')


这样,你的函数就能够成功地从old_file复制到new_file了。

sfqxx 发表于 2023-5-24 22:46:59

在使用 `open()` 函数时,以二进制方式打开文件时不需要指定 `encoding` 参数,因为二进制文件没有编码格式。因此,你可以将代码修改如下:


def file_copy(old_file,new_file):
    with open(old_file,'rb') as file1:
      with open(new_file,'wb') as file2:
            file2.write(file1.read())

file_copy('E:/QQ.png','E:/aa.png')

这样就可以正常地进行文件复制了。

有用请设置最佳答案

isdkz 发表于 2023-5-24 22:48:10

歌者文明清理员 发表于 2023-5-24 22:32


{:10_256:}

歌者文明清理员 发表于 2023-5-24 22:59:30

你好,使用open函数时指定了二进制模式,所以要去掉打开文件时的encoding参数,因为二进制模式不需要进行文本编码解码操作。修改后的代码如下:
Copy Code
def file_copy(old_file,new_file):
    with open(old_file, 'rb') as file1:
      with open(new_file, 'wb') as file2:
            file2.write(file1.read())

file_copy('E:/QQ.png', 'E:/aa.png')
同时建议添加异常处理机制,以提高程序健壮性。
页: [1]
查看完整版本: 请问我这样写with open,哪里有问题呀