Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

StringIO with binary files?

I seem to get different outputs:

from StringIO import *

file = open('1.bmp', 'r')

print file.read(), '\n'
print StringIO(file.read()).getvalue()

Why? Is it because StringIO only supports text strings or something?

like image 697
Joelmc Avatar asked Sep 26 '11 16:09

Joelmc


2 Answers

When you call file.read(), it will read the entire file into memory. Then, if you call file.read() again on the same file object, it will already have reached the end of the file, so it will only return an empty string.

Instead, try e.g. reopening the file:

from StringIO import *

file = open('1.bmp', 'r')
print file.read(), '\n'
file.close()

file2 = open('1.bmp', 'r')
print StringIO(file2.read()).getvalue()
file2.close()

You can also use the with statement to make that code cleaner:

from StringIO import *

with open('1.bmp', 'r') as file:
    print file.read(), '\n'

with open('1.bmp', 'r') as file2:
    print StringIO(file2.read()).getvalue()

As an aside, I would recommend opening binary files in binary mode: open('1.bmp', 'rb')

like image 134
Liquid_Fire Avatar answered Sep 27 '22 22:09

Liquid_Fire


The second file.read() actually returns just an empty string. You should do file.seek(0) to rewind the internal file offset.

like image 36
minhee Avatar answered Sep 27 '22 23:09

minhee