Reputation: 621
The following code:
s = s.replace(u"&", u"&")
is causing an error in python:
SyntaxError: invalid syntax
removing the u
's before the "
fixes the problem, but this should work as is? I'm using Python 3.1
Upvotes: 4
Views: 3636
Reputation: 19388
In Python3.3+ unicode literal is valid again, see What’s New In Python 3.3:
New syntax features:
New yield from expression for generator delegation.
The u'unicode' syntax is accepted again for str objects.
Upvotes: 1
Reputation: 176950
On Python 3, strings are unicode. There is no need to (and as you've discovered, you can't) put a u
before the string literal to designate unicode.
Instead, you have to put a b
before a byte literal to designate that it isn't unicode.
Upvotes: 3
Reputation: 839054
The u
is no longer used in Python 3. String literals are unicode by default. See What's New in Python 3.0.
You can no longer use
u"..."
literals for Unicode text. However, you must useb"..."
literals for binary data.
Upvotes: 11