字符串在Python内部的表示是unicode编码,因此,在做编码转换时,通常需要以unicode作为中间编码,即先将其他编码的字符串解码(decode)成unicode,再从unicode编码(encode)成另一种编码。
decode的作用是将其他编码的字符串转换成unicode编码,如str1.decode('gb2312'),表示将gb2312编码的字符串str1转换成unicode编码。
encode的作用是将unicode编码转换成其他编码的字符串,如str2.encode('gb2312'),表示将unicode编码的字符串str2转换成gb2312编码。
因此,转码的时候一定要先搞明白,字符串str是什么编码,然后decode成unicode,然后再encode成其他编码
代码中字符串的默认编码与代码文件本身的编码一致。
如:s='中文'
如果是在utf8的文件中,该字符串就是utf8编码,如果是在gb2312的文件中,则其编码为gb2312。这种情况下,要进行编码转换,都需 要先用decode方法将其转换成unicode编码,再使用encode方法将其转换成其他编码。通常,在没有指定特定的编码方式时,都是使用的系统默 认编码创建的代码文件。
如果字符串是这样定义:s=u'中文'
则该字符串的编码就被指定为unicode了,即python的内部编码,而与代码文件本身的编码无关。因此,对于这种情况做编码转换,只需要直接使用encode方法将其转换成指定编码即可。
如果一个字符串已经是unicode了,再进行解码则将出错,因此通常要对其编码方式是否为unicode进行判断:
isinstance(s, unicode) #用来判断是否为unicode
···
#python中,字符串在Python内部的表示是unicode编码,因此,在做编码转换时,通常需要以unicode作为中间编码,
# 即先将其他编码的字符串解码(decode)成unicode,再从unicode编码(encode)成另一种编码。
# 所以unicode切换到其他码是编码encode(穿上马甲)。其他码回到到unicode是解码decode(卸掉马甲)
#将其他各种加码的(如gb2312)字符串以utf-8的方式解码成unicode
#unicode与utf-8的关系相当于,汉字(unicode)与字体(utf-8)的关系
a = u'同学'
#打印出编码名称
print type(a).__name__
if not isinstance(a, unicode):
b = a.decode('utf-8')
print type(b).__name__ + ':'+b
#将默认的unicode字符串加码成utf-8,为什么是utf-8呢,因为页面声明的coding:utf-8
#相当于把u'同学'编码成了'同学'
if isinstance(a, unicode):
b = a.encode('utf-8')
print type(b).__name__ + ':'+b
#解码成unicode,等同于decode('utf-8')
if not isinstance(a, unicode):
b = unicode(a, "utf-8")
print type(b).__name__ + ':'+b
···