views:

236

answers:

2

Hi,

I have read many similar questions, apologies if this is considered a duplicate.

Suppose I am reading a file containing 3 comma separated numbers. The file was saved with with an unknown encoding, so far I am dealing with ANSI and UTF-8. If the file was in UTF-8 and it had 1 row with values 115,113,12 then:

with open(file) as f:
    a,b,c=map(int,f.readline().split(','))

would throw this:

invalid literal for int() with base 10: '\xef\xbb\xbf115'

The first number is always mangled with these '\xef\xbb\xbf' characters. For the rest 2 numbers the conversion works fine. If I manually replace '\xef\xbb\xbf' with '' and then do the int conversion it will work.

Is there a better way of doing this for any type of encoded file?

+8  A: 

What you're seeing is a UTF-8 encoded BOM, or "Byte Order Mark". The BOM is not usually used for UTF-8 files, so the best way to handle it might be to open the file with a UTF-8 codec, and skip over the U+FEFF character if present.

Greg Hewgill
+5  A: 
import codecs

with codecs.open(file, "r", "utf-8-sig") as f:
    a, b, c= map(int, f.readline().split(","))

This works in Python 2.6.4. The codecs.open call opens the file and returns data as unicode, decoding from UTF-8 and ignoring the initial BOM.

ΤΖΩΤΖΙΟΥ
Thanks. This works on my UTF-8 files but fails on the Unicode and Unicode big endian. Is there a foolproof way of opening any kind of encoded file and getting those numbers or I would having to explicitly specify the encoding?
Ηλίας
AFAIK you have to specify the encoding. Obviously, you can write a small function that does the three tests and returns an appropriately decoded file.
ΤΖΩΤΖΙΟΥ
Great. I found the chardet module that does exactly this http://chardet.feedparser.org/
Ηλίας
Minor error on your code above: a, b, c= map(int,f.readline().split(","))
Ηλίας
@iKarampa: thank you very much!
ΤΖΩΤΖΙΟΥ