tags:

views:

310

answers:

3

Say I have this simple python script:

file = open('C:\\some_text.txt')
print file.readlines()
print file.readlines()

When it is run, the first print prints a list containing the text of the file, while the second print prints a blank list. Not completely unexpected I guess. But is there a way to 'wind back' the file so that I can read it again? Or is the fastest way just to re-open it?

+7  A: 

You can reset the file pointer by calling seek():

file.seek(0)

will do it. You need that line after your first readlines(). Note that file has to support random access for the above to work.

Alok
Awesome. Reminds me of the good old peek and poke stuff with the venerable C64!
c00kiemonster
I think it's standard POSIX interface.
Stefano Borini
@Stefano: I think you're right. `seek()` of file objects in Python is most likely a thin wrapper around `fseek()` or similar.
Alok
It *is* precisely the OS call. Nothing to do with Basic PEEK and POKE. Nothing.
S.Lott
A: 

For small files, it's probably much faster to just keep the file's contents in memory

file = open('C:\\some_text.txt')
fileContents = file.readlines()
print fileContents
print fileContents # This line will work as well.

Of course, if it's a big file, this could put strain on your RAM.

Smashery
A: 

Remember that you can always use the with statement to open and close files:

from __future__ import with_statement

with open('C:\\some_text.txt') as file:
    data = file.readlines()
#File is now closed
for line in data:
    print line
MattyW