115

I'm reading and parsing an Amazon XML file and while the XML file shows a ' , when I try to print it I get the following error:

'ascii' codec can't encode character u'\u2019' in position 16: ordinal not in range(128) 

From what I've read online thus far, the error is coming from the fact that the XML file is in UTF-8, but Python wants to handle it as an ASCII encoded character. Is there a simple way to make the error go away and have my program print the XML as it reads?

juliomalegria
  • 24,229
  • 14
  • 73
  • 89
Alex B
  • 1,185
  • 2
  • 8
  • 5
  • I was just coming to SO to post this question. Is there an easy way to sanitize a string for `unicode()`? – Nick Heiner Jul 11 '10 at 19:02
  • Please check also [this](http://stackoverflow.com/questions/3224427/python-sanitize-a-string-for-unicode/3224890#3224890) answer to a related question: “Python UnicodeDecodeError - Am I misunderstanding encode?” – tzot Jul 11 '10 at 22:39

9 Answers9

203

Likely, your problem is that you parsed it okay, and now you're trying to print the contents of the XML and you can't because theres some foreign Unicode characters. Try to encode your unicode string as ascii first:

unicodeData.encode('ascii', 'ignore')

the 'ignore' part will tell it to just skip those characters. From the python docs:

>>> # Python 2: u = unichr(40960) + u'abcd' + unichr(1972)
>>> u = chr(40960) + u'abcd' + chr(1972)
>>> u.encode('utf-8')
'\xea\x80\x80abcd\xde\xb4'
>>> u.encode('ascii')
Traceback (most recent call last):
  File "<stdin>", line 1, in ?
UnicodeEncodeError: 'ascii' codec can't encode character '\ua000' in position 0: ordinal not in range(128)
>>> u.encode('ascii', 'ignore')
'abcd'
>>> u.encode('ascii', 'replace')
'?abcd?'
>>> u.encode('ascii', 'xmlcharrefreplace')
'&#40960;abcd&#1972;'

You might want to read this article: http://www.joelonsoftware.com/articles/Unicode.html, which I found very useful as a basic tutorial on what's going on. After the read, you'll stop feeling like you're just guessing what commands to use (or at least that happened to me).

Mike T
  • 41,085
  • 18
  • 152
  • 203
Scott Stafford
  • 43,764
  • 28
  • 129
  • 177
  • 1
    I'm trying to make the following string safe: ' foo “bar bar” df'(note the curly quotes), but the above still fails for me. – Nick Heiner Jul 11 '10 at 19:26
  • @Rosarch: Fails how? same error? And which error-handling rule did you use? – Scott Stafford Jul 11 '10 at 20:17
  • @Rosarch, your problem is probably earlier. Try this code: # -*- coding: latin-1 -*- u = u' foo “bar bar” df' print u.encode('ascii', 'ignore') For you, it was probably converting your string INTO unicode given the encoding you specified for the python scrip that threw the error. – Scott Stafford Jul 11 '10 at 20:48
  • I went ahead and made my issue into its own question: http://stackoverflow.com/questions/3224427/python-sanitize-a-string-for-unicode – Nick Heiner Jul 11 '10 at 21:12
  • 1
    `.encode('ascii', 'ignore')` loses data unnecessarily even if OP's environment may support non-ascii characters (most cases) – jfs Jun 29 '15 at 07:52
  • This solved my problem after struggling with different things for one hour. – Sankalp Dec 17 '15 at 01:43
17

A better solution:

if type(value) == str:
    # Ignore errors even if the string is not proper UTF-8 or has
    # broken marker bytes.
    # Python built-in function unicode() can do this.
    value = unicode(value, "utf-8", errors="ignore")
else:
    # Assume the value object has proper __unicode__() method
    value = unicode(value)

If you would like to read more about why:

http://docs.plone.org/manage/troubleshooting/unicode.html#id1

twasbrillig
  • 17,084
  • 9
  • 43
  • 67
Paxwell
  • 748
  • 10
  • 18
  • 3
    It does not help with OP's issue: *"can't encode character u'\u2019'"*. `u'\u2019` is already Unicode. – jfs Jun 29 '15 at 07:49
8

Don't hardcode the character encoding of your environment inside your script; print Unicode text directly instead:

assert isinstance(text, unicode) # or str on Python 3
print(text)

If your output is redirected to a file (or a pipe); you could use PYTHONIOENCODING envvar, to specify the character encoding:

$ PYTHONIOENCODING=utf-8 python your_script.py >output.utf8

Otherwise, python your_script.py should work as is -- your locale settings are used to encode the text (on POSIX check: LC_ALL, LC_CTYPE, LANG envvars -- set LANG to a utf-8 locale if necessary).

To print Unicode on Windows, see this answer that shows how to print Unicode to Windows console, to a file, or using IDLE.

Community
  • 1
  • 1
jfs
  • 399,953
  • 195
  • 994
  • 1,670
2

Excellent post : http://www.carlosble.com/2010/12/understanding-python-and-unicode/

# -*- coding: utf-8 -*-

def __if_number_get_string(number):
    converted_str = number
    if isinstance(number, int) or \
            isinstance(number, float):
        converted_str = str(number)
    return converted_str


def get_unicode(strOrUnicode, encoding='utf-8'):
    strOrUnicode = __if_number_get_string(strOrUnicode)
    if isinstance(strOrUnicode, unicode):
        return strOrUnicode
    return unicode(strOrUnicode, encoding, errors='ignore')


def get_string(strOrUnicode, encoding='utf-8'):
    strOrUnicode = __if_number_get_string(strOrUnicode)
    if isinstance(strOrUnicode, unicode):
        return strOrUnicode.encode(encoding)
    return strOrUnicode
Ranvijay Sachan
  • 2,407
  • 3
  • 30
  • 49
0

You can use something of the form

s.decode('utf-8')

which will convert a UTF-8 encoded bytestring into a Python Unicode string. But the exact procedure to use depends on exactly how you load and parse the XML file, e.g. if you don't ever access the XML string directly, you might have to use a decoder object from the codecs module.

David Z
  • 128,184
  • 27
  • 255
  • 279
  • It's already encoded in UTF-8 The error is specifically: myStrings = deque([u'Dorf and Svoboda\u2019s text builds on the str... and Computer Engineering\u2019s subdisciplines.']) The string is in UTF-8 as you can see, but it gets mad about the internal '\u2019' – Alex B Jul 11 '10 at 19:09
  • Oh, OK, I thought you were having a different problem. – David Z Jul 11 '10 at 19:25
  • 7
    @Alex B: No, the string is Unicode, not Utf-8. To **encode** it as Utf-8 use `'...'.encode('utf-8')` – sth Jul 11 '10 at 19:33
0

I wrote the following to fix the nuisance non-ascii quotes and force conversion to something usable.

unicodeToAsciiMap = {u'\u2019':"'", u'\u2018':"`", }

def unicodeToAscii(inStr):
    try:
        return str(inStr)
    except:
        pass
    outStr = ""
    for i in inStr:
        try:
            outStr = outStr + str(i)
        except:
            if unicodeToAsciiMap.has_key(i):
                outStr = outStr + unicodeToAsciiMap[i]
            else:
                try:
                    print "unicodeToAscii: add to map:", i, repr(i), "(encoded as _)"
                except:
                    print "unicodeToAscii: unknown code (encoded as _)", repr(i)
                outStr = outStr + "_"
    return outStr
user5910
  • 9
  • 1
0

If you need to print an approximate representation of the string to the screen, rather than ignoring those nonprintable characters, please try unidecode package here:

https://pypi.python.org/pypi/Unidecode

The explanation is found here:

https://www.tablix.org/~avian/blog/archives/2009/01/unicode_transliteration_in_python/

This is better than using the u.encode('ascii', 'ignore') for a given string u, and can save you from unnecessary headache if character precision is not what you are after, but still want to have human readability.

Wirawan

Wirawan Purwanto
  • 3,613
  • 3
  • 28
  • 28
-1

Try adding the following line at the top of your python script.

# _*_ coding:utf-8 _*_
abnvanand
  • 203
  • 2
  • 6
-1

Python 3.5, 2018

If you don't know what the encoding but the unicode parser is having issues you can open the file in Notepad++ and in the top bar select Encoding->Convert to ANSI. Then you can write your python like this

with open('filepath', 'r', encoding='ANSI') as file:
    for word in file.read().split():
        print(word)
Atomar94
  • 47
  • 1
  • 11