我知道阅读每一行的代码是

f=open ('poem.txt','r')
for line in f:
    print line

你如何让python从原始文件中只读取偶数行。假设基于 1 的行编号。

最佳答案

有很多不同的方法,这里一个简单的

with open('poem.txt', 'r') as f:
    count = 0
    for line in f:
        count+=1
        if count % 2 == 0: #this is the remainder operator
            print(line)

这也可能更好一点,保存用于声明和增加计数的行:
with open('poem.txt', 'r') as f:
    for count, line in enumerate(f, start=1):
        if count % 2 == 0:
            print(line)

关于file - 我如何让python从包含一首诗的文件中只读取每隔一行,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/30551945/

10-16 16:15