关于迭代器:什么替代Python 3中的xreadlines()?

What substitutes xreadlines() in Python 3?

在python 2中,文件对象有一个xreadlines()方法,该方法返回一个迭代器,一次只能读取一行文件。在python 3中,xreadlines()方法不再存在,realines()仍然返回一个列表(不是迭代器)。python 3是否有类似xreadlines()的内容?

我知道我能做到

1
for line in f:

而不是

1
for line in f.xreadlines():

但我也希望使用不带for循环的xreadlines():

1
print(f.xreadlines()[7]) #read lines 0 to 7 and prints line 7


文件对象本身已经是ITerable。

1
2
3
4
5
6
7
8
9
>>> f = open('1.txt')
>>> f
<_io.TextIOWrapper name='1.txt' encoding='UTF-8'>
>>> next(f)
'1,B,-0.0522642316338,0.997268450092
'

>>> next(f)
'2,B,-0.081127897359,2.05114559572
'

使用itertools.islice从iterable中获取任意元素。

1
2
3
4
5
>>> f.seek(0)
0
>>> next(islice(f, 7, None))
'8,A,-0.0518101108474,12.094341554
'


这个怎么样(生成器表达式):

1
2
3
4
>>> f = open("r2h_jvs")
>>> h = (x for x in f)
>>> type(h)
<type 'generator'>`