Does fp.readlines() close a file?

廉价感情. 提交于 2021-02-07 20:39:13

问题


In python I'm seeing evidence that fp.readlines() is closing the file when I try to access the fp later in the program. Can you confirm this behavior, do I need to re-open the file again later if I also want to read from it again?

Is the file closed? is similar, but didn't answer all of my questions.

import sys 

def lines(fp):
    print str(len(fp.readlines()))

def main():
    sent_file = open(sys.argv[1], "r")

    lines(sent_file)

    for line in sent_file:
        print line

this returns:

20

回答1:


Once you have read a file, the file pointer has been moved to the end and no more lines will be 'found' beyond that point.

Re-open the file or seek back to the start:

sent_file.seek(0)

Your file is not closed; a closed file raises an exception when you attempt to access it:

>>> fileobj = open('names.txt')
>>> fileobj.close()
>>> fileobj.read()
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
ValueError: I/O operation on closed file



回答2:


It doesn't close the file, but it does read the lines in it so they cannot be read again without reopening the file or setting the file pointer back to the beginning with fp.seek(0).

As evidence that it doesn't close the file, try changing the function to actually close the file:

def lines(fp):
    print str(len(fp.readlines()))
    fp.close()

You will get the error:

Traceback (most recent call last):
  File "test5.py", line 16, in <module>
    main()
  File "test5.py", line 12, in main
    for line in sent_file:
ValueError: I/O operation on closed file



回答3:


It won't be closed, but the file will be at the end. If you want to read its contents a second time then consider using

f.seek(0)



回答4:


You may want to use the with statement and context manager:

>>> with open('data.txt', 'w+') as my_file:     # This will allways ensure
...     my_file.write('TEST\n')                 # that the file is closed.
...     my_file.seek(0)
...     my_file.read()
...
'TEST'

If you use a normal call, remember to close it manually (in theory python closes file objects and garbage collect them as needed):

>>> my_file = open('data.txt', 'w+')
>>> my_file.write('TEST\n')   # 'del my_file' should close it and garbage collect it
>>> my_file.seek(0)
>>> my_file.read()
'TEST'
>>> my_file.close()     # Makes shure to flush buffers to disk


来源:https://stackoverflow.com/questions/16508271/does-fp-readlines-close-a-file

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!