Python open詳解
阿新 • • 發佈:2018-06-18
內容 lin bsp 二進制 truncate enc cat windows Coding
一、打開文件的模式有:
1、r,只讀模式【默認】。
2、w,只寫模式。【不可讀,不存在則創建,存在則刪除內容】
3、a,追加模式。【可讀,不存在則創建,存在則只追加內容】
二、+ 表示可以同時讀寫某個文件
1、r + ,可讀寫文件。【可讀,可寫,可追加】
2、w+,寫讀
3、a+ 同a
三、"U"表示在讀數據時,可以將\r \n \r\n自動轉換成\n(與r 或r+ 模式同時使用)
rU
r+U
四、"b" 表示處理二進制文件(如:FTP發送上傳ISO鏡像文件,linux可忽略,windows處理二進制時需要標註)
rb
wb
ab
五、read 按照字符讀
#read 指定讀取字符
f = open(‘test.log‘,‘r‘,encoding=‘utf-8‘)
ret = f.read(2)#按照2個字符讀,python2中為按照2個字節讀。
f.close()
print(ret)
六、tell
#tell 指針在某個字節處
f = open(‘test.log‘,‘r‘,encoding=‘utf-8‘)
print(f.tell())#查看當前指針位置
f.read(2)
print(f.tell())
ret = f.read(2)#按照2個字符讀,python2中為按照2個字節讀。
f.close()
七、seek
#seek
f = open(‘test.log‘,‘r‘,encoding=‘utf-8‘)
f.seek(1)#指定當前指針位置。
f.read()
f.close()
print(ret)
八、f.truncate
文件test.log開始的內容為:abcdefg
f = open(‘test.log‘,‘r+‘,encoding=‘utf-8‘)
f.seek(3)
f.truncate()#截取光標前面的內容並保存到原文件
f.close()
此時文件的內容變為:abc
Python open詳解