我读过“潜入Python 3”,“readlines()方法现在返回一个迭代器,因此它与Python 2中的xreadlines()一样高效”。见这里:http://diveintopython3.org/porting-code-to-python-3-with-2to3.html。我不确定这是真的,因为他们在这里没有提到它:http://docs.python.org/release/3.0.1/whatsnew/3.0.html。我怎么检查呢?
答案 0 :(得分:29)
readlines方法在Python 3中不返回迭代器,它返回一个列表
Help on built-in function readlines:
readlines(...)
Return a list of lines from the stream.
要检查,只需从交互式会话中调用它 - 它将返回一个列表,而不是迭代器:
>>> type(f.readlines())
<class 'list'>
在这种情况下,潜入Python似乎是错误的。
xreadlines
已经deprecated since Python 2.3。获得与xreadlines
相同效率的方法不是使用
for line in f.xreadlines():
for line in f:
这将为您提供所需的迭代器,并帮助解释为什么readlines
不需要在Python 3中更改其行为 - 它仍然可以使用line in f
成语返回完整列表给出了迭代方法,并且已经完全删除了长期弃用的xreadlines
。
答案 1 :(得分:21)
像这样:
Python 3.1.2 (r312:79149, Mar 21 2010, 00:41:52) [MSC v.1500 32 bit (Intel)] on win32
Type "help", "copyright", "credits" or "license" for more information.
>>> f = open('/junk/so/foo.txt')
>>> type(f.readlines())
<class 'list'>
>>> help(f.readlines)
Help on built-in function readlines:
readlines(...)
Return a list of lines from the stream.
hint can be specified to control the number of lines read: no more
lines will be read if the total size (in bytes/characters) of all
lines so far exceeds hint.
>>>
答案 2 :(得分:7)
其他人已经说了很多,但只是为了推动这一点,普通文件对象是他们自己的迭代器。因此让readlines()
返回一个迭代器会很愚蠢,因为它只会返回你调用它的文件。您可以使用for
循环来迭代文件,就像Scott说的那样,您也可以直接将它们传递给itertools函数:
from itertools import islice
f = open('myfile.txt')
oddlines = islice(f, 0, None, 2)
firstfiveodd = islice(oddlines, 5)
for line in firstfiveodd:
print(line)