这是一个普遍的问题,因此这里是一个相对详尽的说明。
对于非unicode字符串(u
例如u'\xc4pple'
,没有前缀的字符串),必须将其从本机编码(iso8859-1
/ latin1
,除非使用神秘sys.setdefaultencoding
功能修改)解码为unicode
,然后编码为可以显示所需字符的字符集,在这种情况下,会推荐UTF-8
。
首先,这是一个方便的实用程序函数,它将帮助阐明Python 2.7字符串和unicode的模式:
>>> def tell_me_about(s): return (type(s), s)
一个普通的字符串
>>> v = "\xC4pple"
>>> tell_me_about(v)
(<type 'str'>, '\xc4pple')
>>> v
'\xc4pple'
>>> print v
?pple
解码iso8859-1字符串-将纯字符串转换为unicode
>>> uv = v.decode("iso-8859-1")
>>> uv
u'\xc4pple'
>>> tell_me_about(uv)
(<type 'unicode'>, u'\xc4pple')
>>> print v.decode("iso-8859-1")
Äpple
>>> v.decode('iso-8859-1') == u'\xc4pple'
True
多一点插图-带“Ä”
>>> u"Ä" == u"\xc4"
True
>>> "Ä" == u"\xc4"
False
>>> "Ä".decode('utf8') == u"\xc4"
True
>>> "Ä" == "\xc4"
False
编码为UTF
>>> u8 = v.decode("iso-8859-1").encode("utf-8")
>>> u8
'\xc3\x84pple'
>>> tell_me_about(u8)
(<type 'str'>, '\xc3\x84pple')
>>> u16 = v.decode('iso-8859-1').encode('utf-16')
>>> tell_me_about(u16)
(<type 'str'>, '\xff\xfe\xc4\x00p\x00p\x00l\x00e\x00')
>>> tell_me_about(u8.decode('utf8'))
(<type 'unicode'>, u'\xc4pple')
>>> tell_me_about(u16.decode('utf16'))
(<type 'unicode'>, u'\xc4pple')
unicode与UTF和latin1之间的关系
>>> print u8
Äpple
>>> print u8.decode('utf-8')
Äpple
>>> print u16
���pple
>>> print u16.decode('utf16')
Äpple
>>> v == u8
False
>>> v.decode('iso8859-1') == u8
False
>>> u8.decode('utf-8') == v.decode('latin1') == u16.decode('utf-16')
True
Unicode例外
>>> u8.encode('iso8859-1')
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
UnicodeDecodeError: 'ascii' codec can't decode byte 0xc3 in position 0:
ordinal not in range(128)
>>> u16.encode('iso8859-1')
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
UnicodeDecodeError: 'ascii' codec can't decode byte 0xff in position 0:
ordinal not in range(128)
>>> v.encode('iso8859-1')
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
UnicodeDecodeError: 'ascii' codec can't decode byte 0xc4 in position 0:
ordinal not in range(128)
可以通过从特定编码(latin-1,utf8,utf16)转换为unicode来解决这些问题 u8.decode('utf8').encode('latin1')
。
因此,也许可以得出以下原理和概括:
- 类型
str
是一组字节,可以具有多种编码中的一种,例如Latin-1,UTF-8和UTF-16
- 类型
unicode
是一组字节,可以转换为任何数量的编码,最常见的是UTF-8和latin-1(iso8859-1)
- 该
print
命令具有自己的编码逻辑,设置为sys.stdout.encoding
并且默认为UTF-8
str
在转换为另一种编码之前,必须先将a解码为unicode。
当然,所有这些变化在Python 3.x中都有。
希望是照亮的。
进一步阅读
还有阿明·罗纳彻(Armin Ronacher)的极具说明性的咆哮: