Python如何读写文本文件


1. 读取文本文件
代码:
[python] view plain copy print ?
  1. f = open('test.txt''r')  
  2. print f.read()  
  3.   
  4. f.seek(0)  
  5. print f.read(14)  
  6.   
  7. f.seek(0)  
  8. print f.readline()  
  9. print f.readline()  
  10.   
  11. f.seek(0)  
  12. print f.readlines()  
  13.   
  14. f.seek(0)  
  15. for line in f:  
  16.     print line,  
  17.   
  18. f.close()  
f = open('test.txt', 'r')
print f.read()

f.seek(0)
print f.read(14)

f.seek(0)
print f.readline()
print f.readline()

f.seek(0)
print f.readlines()

f.seek(0)
for line in f:
    print line,

f.close()



运行结果:
root@he-desktop:~/python/example# python read_txt.py 
第一行
第二行
第三行

第一行
第一行

第二行

['\xe7\xac\xac\xe4\xb8\x80\xe8\xa1\x8c\n', '\xe7\xac\xac\xe4\xba\x8c\xe8\xa1\x8c\n', '\xe7\xac\xac\xe4\xb8\x89\xe8\xa1\x8c\n']
第一行
第二行
第三行

open的第二个参数:
  • r,读取模式
  • w,写入模式
  • a,追加模式
  • r+,读写模式
read()表示读取到文件尾,size表示读取大小。
seek(0)表示跳到文件开始位置。
readline()逐行读取文本文件。
readlines()读取所有行到列表中,通过for循环可以读出数据。
close()关闭文件。

2. 写入文本文件
代码:
[python] view plain copy print ?
  1. f = open('test.txt''r+')  
  2. f.truncate()  
  3. f.write('0123456789abcd')  
  4.   
  5. f.seek(3)  
  6. print f.read(1)  
  7. print f.read(2)  
  8. print f.tell()  
  9.   
  10. f.seek(31)  
  11. print f.read(1)  
  12.   
  13. f.seek(-32)  
  14. print f.read(1)  
  15.   
  16. f.close()  

你可能感兴趣的:(python数据挖掘)