非攻 2010-03-12
在计算机的应用的过程中,Python文件管理和别的计算机语言相比更为简单,如果你想了解Python文件管理怎样应用某些模块去进行文件的操作,你可以观看我们的文章希望你从中能得到相关的知识。
介绍
你玩过的游戏使用文件来保存存档;你下的订单保存在文件中;很明显,你早上写的报告也保存在文件中。
几乎以任何语言编写的众多应用程序中,文件管理是很重要的一部分。Python文件当然也不例外。在这篇文章中,我们将探究如何使用一些模块来操作文件。我们会完成读文件,写文件,加文件内容的操作,还有一些另类的用法。
读写文件
最基本的文件操作当然就是在文件中读写数据。这也是很容易掌握的。现在打开一个文件以进行写操作:
view plaincopy to clipboardprint? fileHandle = open ( 'test.txt', 'w' )
fileHandle = open ( 'test.txt', 'w' )‘w'是指文件将被写入数据,语句的其它部分很好理解。下一步就是将数据写入文件:
view plaincopy to clipboardprint? fileHandle.write ( 'This is a test.\nReally, it is.' ) fileHandle.write ( 'This is a test.\nReally, it is.' )
这个语句将“This is a test.”写入文件的第一行,“Really, it is.”写入文件的第二行。最后,我们需要做清理工作,并且关闭Python文件管理:
view plaincopy to clipboardprint? fileHandle.close()
fileHandle.close()正如你所见,在Python的面向对象机制下,这确实非常简单。需要注意的是,当你再次使用“w”方式在文件中写数据,所有原来的内容都会被删除。如果想保留原来的内容,可以使用“a”方式在文件中结尾附加数据:
view plaincopy to clipboardprint? fileHandle = open ( 'test.txt', 'a' ) fileHandle.write ( '\n\nBottom line.' ) fileHandle.close() fileHandle = open ( 'test.txt', 'a' ) fileHandle.write ( '\n\nBottom line.' ) fileHandle.close()
读写文件
view plaincopy to clipboardprint? fileHandle = open ( 'test.txt' ) print fileHandle.read() fileHandle.close() fileHandle = open ( 'test.txt' ) print fileHandle.read() fileHandle.close()
以上语句将读取整个文件并显示其中的数据。我们也可以读取Python文件管理中的一行: