1. 程式人生 > >python對文件的操作

python對文件的操作

tor hello AC log 路徑 舉例 txt lin 並且

規則:open(file_name[,access_mode][,buffering])

  參數說明

  file_name:、文件路徑+文件名稱,加路徑從路徑開始訪問,不加路徑直接訪問的是與你編輯的py文件在同一目錄下的文件   access_mode:打開文件的方式:默認為只讀模式,r     其他打開文件的方式:

    ‘r‘:只讀

    ‘w‘:寫

    ‘a‘:追加

    ‘r+‘ == r+w : 可讀可寫,主要為讀,若文件不存在會出現保存

    ‘w+‘ == w+r :可讀可寫,主要為寫,文件若不存在就創建一個文件

    ‘a+‘ ==a+r :可追加可寫,文件若不存在就創建

    如果為二進制文件,則在後面加個b,例如:wb

對文件操作時要註意編碼格式,不然會出現亂碼。默認格式為utf-8

 1 # --*-- coding:UTF-8 --*--
 2 
 3 # 打開文件並讀取文件
 4 f = open(rfile.text)
 5 print(f.read())
 6 f.close()
 7 # 結果:你發順豐發撒瘋 是發撒瘋 發
 8 # open 打開, read為讀取文件內容, close為關閉文件
 9 
10 
11 # 打開一個不存在的文件
12 # f = open(r‘/User/xxx/s.text‘)
13 # 結果:FileNotFoundError: [Errno 2] No such file or directory: ‘/User/xxx/s.text‘
14 15 16 # 如果直接打開文件的話必須要關閉文件,寫的時候不關閉會寫不進去內容的 17 # 用with open的時候直接使用,就不需要關閉文件了 18 with open(rfile.text) as fp: 19 print(fp.read()) 20 # 結果:你發順豐發撒瘋 是發撒瘋 發 21 # fp是將文件縮寫,以fp代替文件 22 23 24 ‘‘‘ 25 讀取文本的三種方法: 26 read:讀取文本的所有內容 27 readline:讀取文章的一行 28 readlines() 自動將文件內容分析成一個行的列表讀取 29 ‘‘‘
30 31 32 33 # 寫文件 34 with open(learning.txt, w) as fp: 35 fp.write(Hello, world!) 36 # 結果:自動新建一個learning.txt的文件,並且存入內容hello ,world! 37 38 ‘‘‘ 39 寫入文本的兩種方法: 40 write():將內容寫入文本中 41 writelines():針對列表的操作 42 ‘‘‘ 43 44 45 # 舉例說明readlines和writelines 46 with open(text.txt,w) as fp: 47 fp.writelines([123\n, 234\n, 345\n, 456\n,]) 48 # 結果: 49 ‘‘‘ 50 123 51 234 52 345 53 456 54 ‘‘‘ 55 56 with open(text.txt,r) as fp: 57 print(fp.readlines()) 58 # 結果:[‘123\n‘, ‘234\n‘, ‘345\n‘, ‘456\n‘] 59 60 61 # 文本後面追加內容用a模式,不然就直接覆蓋了之前的內容 62 with open(learning.txt, a) as fp: 63 fp.write(\nHello, world!) 64 # 結果: 65 ‘‘‘ 66 Hello, world! 67 Hello, world! 68 ‘‘‘

python對文件的操作