我想在读取文本文件时跳过前 17 行。
假设该文件如下所示:
0
0
0
0
0
0
0
0
0
0
0
0
0
0
0
0
0
good stuff
我只想要好东西。我正在做的事情要复杂得多,但这是我遇到麻烦的部分。
使用切片,如下所示:
with open('yourfile.txt') as f:
lines_after_17 = f.readlines()[17:]
如果文件太大而无法加载到内存中:
with open('yourfile.txt') as f:
for _ in range(17):
next(f)
for line in f:
# do stuff
itertools.islice
,从索引 17 开始。它将自动跳过前 17 行。
import itertools
with open('file.txt') as f:
for line in itertools.islice(f, 17, None): # start=17, stop=None
# process lines
for line in dropwhile(isBadLine, lines):
# process as you see fit
完整演示:
import itertools
def isBadLine(line):
return line=='0'
with open(...) as f:
for line in itertools.dropwhile(isBadLine, f):
# process as you see fit
优点:这很容易扩展到前缀行比“0”更复杂(但不相互依赖)的情况。
以下是前 2 个答案的时间结果。请注意,“file.txt”是一个文本文件,包含 100,000 多行随机字符串,文件大小为 1MB+。
使用itertools:
import itertools
from timeit import timeit
timeit("""with open("file.txt", "r") as fo:
for line in itertools.islice(fo, 90000, None):
line.strip()""", number=100)
>>> 1.604976346003241
使用两个for循环:
from timeit import timeit
timeit("""with open("file.txt", "r") as fo:
for i in range(90000):
next(fo)
for j in fo:
j.strip()""", number=100)
>>> 2.427317383000627
显然,itertools 方法在处理大文件时效率更高。
如果您不想一次将整个文件读入内存,可以使用一些技巧:
使用
next(iterator)
您可以前进到下一行:
with open("filename.txt") as f:
next(f)
next(f)
next(f)
for line in f:
print(f)
当然,这有点难看,所以 itertools 有更好的方法来做到这一点:
from itertools import islice
with open("filename.txt") as f:
# start at line 17 and never stop (None), until the end
for line in islice(f, 17, None):
print(f)
这个解决方案帮助我跳过
linetostart
变量指定的行数。
如果您也想跟踪它们,您可以获得索引(int)和行(字符串)。
在您的情况下,您可以将 linetostart 替换为 18,或将 18 分配给 linetostart 变量。
f = open("file.txt", 'r')
for i, line in enumerate(f, linetostart):
#Your code
如果是桌子。
pd.read_table("path/to/file", sep="\t", index_col=0, skiprows=17)
这是一种获取文件中两个行号之间的行的方法:
import sys
def file_line(name,start=1,end=sys.maxint):
lc=0
with open(s) as f:
for line in f:
lc+=1
if lc>=start and lc<=end:
yield line
s='/usr/share/dict/words'
l1=list(file_line(s,235880))
l2=list(file_line(s,1,10))
print l1
print l2
输出:
['Zyrian\n', 'Zyryan\n', 'zythem\n', 'Zythia\n', 'zythum\n', 'Zyzomys\n', 'Zyzzogeton\n']
['A\n', 'a\n', 'aa\n', 'aal\n', 'aalii\n', 'aam\n', 'Aani\n', 'aardvark\n', 'aardwolf\n', 'Aaron\n']
只需用一个参数调用它即可从第 n 行 -> EOF 获取