python - Problem storing Unicode character to MySQL with Django

10,108

Solution 1

Thank you to everyone who was posting here. It really helps my unicode knowledge (and hoepfully other people learned something).

We seemed to be all barking up the wrong tree since I tried to simplify my problem and didn't give ALL information. It seems that I wasn't using "REAL" unicode strings, but rather BeautifulSoup.NavigableString which repr themselves as unicode strings. So all the printouts looked like unicode, but they weren't.

Somewhere deep in the MySQLDB library they couldn't deal with these strings.

This worked :

>>> Achievement.objects.get(name = u"Mirror's Edge\u2122")
<Achievement: Mirror's Edge™>

On the other hand :

>>> b = BeautifulSoup(u"<span>Mirror's Edge\u2122</span>").span.string
>>> Achievement.objects.get(name = b)
... Exceptoins ...
UnicodeEncodeError: 'ascii' codec can't encode character u'\u2122' in position 13: ordinal not in range(128)

But this works :

>>> Achievement.objects.get(name = unicode(b))
<Achievement: Mirror's Edge™>

So, thanks again for all the unicode help, I'm sure it will come in handy. But for now ...

WARNING : BeautifulSoup doesn't return REAL unicode strings and should be coerced with unicode() before doing anything meaningful with them.

Solution 2

A few remarks:

  • Python 2.x has two string types

    • "str", which is basically a byte array (so you can store anything you like in it)
    • "unicode" , which is UCS2/UCS4 encoded unicode internally
  • Instances of these types are considered "decoded" data. The internal representation is the reference, so you "decode" external data into it, and "encode" into some external format.

  • A good strategy is to decode as early as possible when data enters the system, and encode as late as possible. Try to use unicode for the strings in your system as much as possible. (I disagree with Nikolai in this regard).

  • This encoding aspect applies to Nicolai's answer. He takes the original unicode string, and encodes it into utf-8. But this doesn't solve the problem (at least not generally), because the resulting byte buffer can still contain bytes outside the range(127) (I haven't checked for \u2122), which means you will hit the same exception again.

  • Still Nicolai's analysis holds that you are passing a unicode string, but somewhere down in the system this is regarded a str instance. It suffices if somewhere the str() function is applied to your unicode argument.

  • In that case Python uses the so called default encoding which is ascii if you don't change it. There is a function sys.setdefaultencoding which you can use to switch to e.g. utf-8, but the function is only available in a limited context, so you cannot easily use it in application code.

  • My feeling is the problem is somewhere deeper in the layers you are calling. Unfortunately, I cannot comment on Django or MySQL/SQLalchemy, but I wonder if you could specify a unicode type when declaring the 'name' attribute in your model. It would be good DB practice to handle type information on the field level. Maybe there is an alternative to CharField?!

  • And yes, you can safely embed a single quote (') in a double quoted (") string, and vice versa.

Solution 3

You are using strings of type 'unicode'. If your model or SQL backend does not support them or does not know how to convert to UTF-8, simply do the conversion yourself. Stick with simple strings (python type str) and convert like in

a = models.Achievement(name=u"Played Mirror's Edge\u2122".encode("UTF-8"))

Solution 4

I was working on this yesterday, and I found that adding "charset=utf8" and "use_unicode=1" to the connection string made it work (using SQLAlchemy, guess it's the same problem).

So my string looks like: "mysql://user:pass@host:3306/database?use_unicode=1&charset=utf8"

Share:
10,108
Paul Tarjan
Author by

Paul Tarjan

I'm a Distinguished Engineer at Robinhood. I used to be the Tech Lead of Developer Productivity at Stripe where I built Sorbet. Before that I was the CTO and cofounder at Trimian. Before that I was a Software Engineer at Facebook on HHVM and the Open Graph. Before that I was the Tech Lead for Yahoo! SearchMonkey. See my homepage for more.

Updated on June 13, 2022

Comments

  • Paul Tarjan
    Paul Tarjan almost 2 years

    I have the string

     u"Played Mirror's Edge\u2122"
    

    Which should be shown as

     Played Mirror's Edge™
    

    But that is another issue. My problem at hand is that I'm putting it in a model and then trying to save it to a database. AKA:

    a = models.Achievement(name=u"Played Mirror's Edge\u2122")
    a.save()
    

    And I'm getting :

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

    full stack trace (as requested) :

    Traceback:
    File "/var/home/ptarjan/django/mysite/django/core/handlers/base.py" in get_response
      86.                 response = callback(request, *callback_args, **callback_kwargs)
    File "/var/home/ptarjan/django/mysite/yourock/views/alias.py" in import_all
      161.     types.import_all(type, alias)
    File "/var/home/ptarjan/django/mysite/yourock/types/types.py" in import_all
      52.     return modules[type].import_all(siteAlias, alias)
    File "/var/home/ptarjan/django/mysite/yourock/types/xbox.py" in import_all
      117.             achiever = self.add_achievement(dict, siteAlias, alias)
    File "/var/home/ptarjan/django/mysite/yourock/types/base_profile.py" in add_achievement
      130.                 owner       = siteAlias,
    File "/var/home/ptarjan/django/mysite/django/db/models/query.py" in get
      304.         num = len(clone)
    File "/var/home/ptarjan/django/mysite/django/db/models/query.py" in __len__
      160.                 self._result_cache = list(self.iterator())
    File "/var/home/ptarjan/django/mysite/django/db/models/query.py" in iterator
      275.         for row in self.query.results_iter():
    File "/var/home/ptarjan/django/mysite/django/db/models/sql/query.py" in results_iter
      206.         for rows in self.execute_sql(MULTI):
    File "/var/home/ptarjan/django/mysite/django/db/models/sql/query.py" in execute_sql
      1734.         cursor.execute(sql, params)
    File "/var/home/ptarjan/django/mysite/django/db/backends/util.py" in execute
      19.             return self.cursor.execute(sql, params)
    File "/var/home/ptarjan/django/mysite/django/db/backends/mysql/base.py" in execute
      83.             return self.cursor.execute(query, args)
    File "/usr/lib/pymodules/python2.5/MySQLdb/cursors.py" in execute
      151.             query = query % db.literal(args)
    File "/usr/lib/pymodules/python2.5/MySQLdb/connections.py" in literal
      247.         return self.escape(o, self.encoders)
    File "/usr/lib/pymodules/python2.5/MySQLdb/connections.py" in string_literal
      180.                 return db.string_literal(obj)
    
    Exception Type: UnicodeEncodeError at /import/xbox:bob
    Exception Value: 'ascii' codec can't encode character u'\u2122' in position 13: ordinal not in range(128)
    

    And the pertinant part of the model :

    class Achievement(MyBaseModel):
        name = models.CharField(max_length=100, help_text="A human readable achievement name")
    

    I'm using a MySQL backend with this in my settings.py

    DEFAULT_CHARSET = 'utf-8'
    

    So basically, how the heck should I deal with all this unicode stuff? I was hoping it would all "just work" if I stayed away from funny character sets and stuck to UTF8. Alas, it seems to not be just that easy.

  • Paul Tarjan
    Paul Tarjan almost 15 years
    peeking in the django files, in ./db/backends/mysql/base.py it has kwargs = { 'conv': django_conversions, 'charset': 'utf8', 'use_unicode': True, } so I think it is already connected like that.
  • Mark van Lent
    Mark van Lent almost 15 years
    Why the downvote on this answer? Nikolai is seems to be on the right track to me in noting that Unicode is not the same as UTF-8...
  • Paul Tarjan
    Paul Tarjan almost 15 years
    If I do something like this, then when I try to print the model after the insert I get DjangoUnicodeDecodeError from force_unicode. If I fetch it from the database then it is perfect, but print the object that originally inserted throws the DjangoUnicodeDecodeError. :(
  • Nikolai Ruhe
    Nikolai Ruhe almost 15 years
    The apostrophe does not have to be escaped. Escaping a character that does not have to be escaped just obfuscates codes. But you're right that downvotes should be commented.
  • Paul Tarjan
    Paul Tarjan almost 15 years
    From the docs for SafeUnicode """ A unicode subclass that has been specifically marked as "safe" for HTML output purposes. """ I think you are just converting it to unicode with the function. I am indeed using many ways to get the data, some regular expressions on urllib2.open().read() some beautiful soup. I thought Beautiful soup used unicode by default...
  • Paul Tarjan
    Paul Tarjan almost 15 years
    Thank you, good information. Indeed, the UTF8 also has the same problem with ascii : unicode.encode(u"Played Mirror's Edge\u2122", 'utf8') "Played Mirror's Edge\xe2\x84\xa2". I'm trying to use unicode all the way through (which I though I was doing) and my database is encoded in utf8.
  • Andy Hume
    Andy Hume over 14 years
    Thanks, found this via Google and learned a lot from the answers. Then I read at the end you were using Beautiful Soup. Same as me. :)
  • rohitmishra
    rohitmishra almost 13 years
    Even after coercing unicode on all the values that BeautifulSoup returns, I am not able to make it work. I am getting an error both while printing to the terminal and inserting into MySQL. The error is of the form ''latin-1' codec can't encode character u'\u03bc' in position 545: ordinal not in range(256)'
  • Jeeyoung Kim
    Jeeyoung Kim over 12 years
    BTW, same thing happens with lxml. If you pass in the text from lxml directly to MySQLdb, (which has the type <type 'lxml.etree._ElementUnicodeResult'>), then you get the same error message.