python讀取文件荒典,文件f本身和f.readlines()是可迭代對(duì)象遗座,但是與常見(jiàn)的變量不同驶兜,f和f.readlines()在讀取遍歷一次之后扼仲,其內(nèi)容就空了,而變量則不會(huì)抄淑。以下為相關(guān)演示:
test1 = open("test1","r")
test2 = open("test2","r")
# test1.readlines() 和 test2.readlines()類(lèi)型為列表屠凶,首先打印:
print(test1.readlines())
print(test2.readlines())
結(jié)果為:
['a a a a 55 a \n', 'b b b b 555 b\n']
['1 1 1 1 555 1\n', '2 2 2 2 55 2\n']
# 再次打印
print(test1.readlines())
print(test2.readlines())
結(jié)果為:
[]
[]
再次打印時(shí)就變成了兩個(gè)空列表肆资,說(shuō)明f.readlines()與普通的list變量不同矗愧,讀取一部分內(nèi)容,這部分內(nèi)容在f.readlines()沒(méi)有了郑原,讀取完所有內(nèi)容唉韭,f.readlines()就變成了空列表
# 關(guān)閉文件
test1.close()
test2.close()
再次測(cè)試可迭代f:
test1 = open("test1","r")
test2 = open("test2","r")
print(test1)
結(jié)果為:
<_io.TextIOWrapper name='test1' mode='r' encoding='UTF-8'>
由于test1 和 test2 的類(lèi)型為 _io.TestIOWrapper, 我們無(wú)法直接看到其中的內(nèi)容犯犁,可以通過(guò)以下for循環(huán)來(lái)證明
# 執(zhí)行第一次for循環(huán)
for i in test1:
print(i, end="")
for z in test2:
print(z, end="")
結(jié)果為:
a a a a 55 a
b b b b 555 b
1 1 1 1 555 1
2 2 2 2 55 2
# 再次執(zhí)行
for i in test1:
print(i, end="")
for z in test2:
print(z, end="")
執(zhí)行結(jié)果為空属愤,表明f在讀取遍歷之后內(nèi)容也為空
# 關(guān)閉文件
test1.close()
test2.close()
為什么要注意這個(gè)坑呢?當(dāng)你執(zhí)行雙for循環(huán)的時(shí)候就知道了,如下:
test1 = open("test1","r")
test2 = open("test2","r")
for i in test1.readlines():
for z in test2.readlines():
print(z,end="")
test1.close()
test2.close()
結(jié)果為:
1 1 1 1 555 1
2 2 2 2 55 2
乍一看好像沒(méi)有問(wèn)題酸役,但是這里有兩個(gè)for循環(huán)住诸,理論上輸出應(yīng)該是2*2=4條結(jié)果,如下:
1 1 1 1 555 1
2 2 2 2 55 2
1 1 1 1 555 1
2 2 2 2 55 2
但是涣澡,由于第二個(gè)for運(yùn)行完第一次之后贱呐,test2內(nèi)容就讀取完了(空),因此第二個(gè)for循環(huán)實(shí)際只運(yùn)行了一次
解決辦法: 第二個(gè)for循環(huán)重新賦值變量
test1 = open("test1","r")
test2 = open("test2","r")
test2_new = test2.readlines() ##### 注意此處將test.readlines 重新賦值到test2_new變量中入桂,將test2賦值給test2_new沒(méi)有用
for i in test1.readlines():
for z in test2_new:
print(z,end="")
test1.close()
test2.close()
結(jié)果為:
1 1 1 1 555 1
2 2 2 2 55 2
1 1 1 1 555 1
2 2 2 2 55 2