我目前正在通过学习Python艰难的方式工作,我有点卡在我想要在练习16上进行的修改。
所以,这是我的代码:
from sys import argv
script, filename = argv
print "We're going to erase %r." % filename
print "If you don't want that, hit CTRL-C (^C)."
print "If you do want that, hit RETURN."
raw_input("?")
print "Opening the file..."
target = open(filename,'w+')
#Print contents ## WHY WONT THIS WORK??
print "This was inside your file %r:" % filename
target.seek(0)
print target.read()
这就是我的问题所在。上面的print
函数不会打印文件,而只是给出一个空行。其余的代码如下所示,你会看到第二个print
工作正常。
print "Truncating the file. Goodbye!"
target.truncate()
print "Now I'm going to ask you for three lines."
line1 = raw_input("line 1: ")
line2 = raw_input("line 2: ")
line3 = raw_input("line 3: ")
print "I'm going to write these to the file."
target.write(("\n%s\n%s\n%s\n") % (line1, line2, line3))
#This print does work
target.seek(0)
print target.read()
print "And finally, we close it."
target.close()
我在这做错了什么?
当您以写入模式('w'
或'w+'
)打开文件时,python将截断该文件(或者如果它尚不存在则创建它)。
而是以读/写模式打开文件进行读写('r+'
或'a+'
),这不会截断文件,仍允许您同时读取和写入文件。
This post提供了一个有用的流程图,显示了在什么情况下应该使用哪些开放模式。
因为在你的初始代码中文件已经是空的,你的truncate
没有做任何事情。
因此,当您更新代码以使用'a+'
或'r+'
时,您需要更新truncate
。
truncate(size)
会将文件截断到文件到游标的当前位置(如果存在,则最多为size
),因此在截断之前,使用target.seek(0)
将光标再次移动到文件的开头。