我需要复制用户指定的文件并复制它(给它指定用户指定的名称)。这是我的代码:
import copy
def main():
userfile = raw_input('Please enter the name of the input file.')
userfile2 = raw_input('Please enter the name of the output file.')
infile = open(userfile,'r')
file_contents = infile.read()
infile.close()
print(file_contents)
userfile2 = copy.copy(file_contents)
outfile = open(userfile2,'w+')
file_contents2 = outfile.read()
print(file_contents2)
main()
这里发生了一些奇怪的事情,因为它不会打印第二个文件outfile的内容。
答案 0 :(得分:3)
如果您正在阅读outfile,为什么要用'w+'
打开它?这会截断文件。
使用'r'
阅读。请参阅link
答案 1 :(得分:1)
Python的shutil是一种更加便携的复制文件的方法。试试下面的示例:
import os
import sys
import shutil
source = raw_input("Enter source file path: ")
dest = raw_input("Enter destination path: ")
if not os.path.isfile(source):
print "Source file %s does not exist." % source
sys.exit(3)
try:
shutil.copy(source, dest)
except IOError, e:
print "Could not copy file %s to destination %s" % (source, dest)
print e
sys.exit(3)
答案 2 :(得分:0)
为什么不直接将输入文件内容写入输出文件?
userfile1 = raw_input('input file:')
userfile2 = raw_input('output file:')
infile = open(userfile1,'r')
file_contents = infile.read()
infile.close()
outfile = open(userfile2,'w')
outfile.write(file_contents)
outfile.close()
副本的作用是浅层复制python中的对象,与复制文件无关。
这一行实际上做的是它将输入文件内容复制到输出文件的名称上:
userfile2 = copy.copy(file_contents)
您丢失了输出文件名,并且没有发生复制操作。