python2 默认 ASCLL 不支持中文 转换比较麻烦、需要先解码成unicode然后在编码成想转换的语言
 s = "特斯拉"
s_to_unicode = s.decode("utf-8")
unicode_to_gbk = s_to_unicode.encode("gbk")
print(s)
print("unicode:" ,s_to_unicode)
print("gbk:",unicode_to_gbk) #在python2中如果想要将gbk转换成utf-8,
# 首先需要将gbk解码(decode)成unicode,然后在编码(encode)成utf-8

python3 默认 unicode
encode 会在编码的同时把数据转成byte类型,python2中的encode没有此功能
decode 会在解码的同时吧数据类型byte转换成字符串。
英文,数字会直接打印,但是中文会被用b'i am \xcc\xd8\xcb\xb9\xc0\xad '这种类似格式打印出来
b = byte = 字节类型 = [0-255]
unicode 默认会支持所有的类型,因此在python3中不需要在转码了。
 s = "i am 特斯拉 "
# 默认就是unicode,若想转换成其他编码直接编码就可以了
s_to_gbk = s.encode("gbk") # 编码成gbk
print(s)
print(s_to_gbk)
print(s_to_gbk.decode("gbk")) #gbk解码回去unicode

是不是 decode 和 encode 总是分不清
  没关系我们还有更舒服的方法 统一都用 encode 编码
    字符串 转 bytes 用 str的内置方法encode
    bytes 转 字符串 用 bytes的内置方法encode
 a = "shshh"
print(str.encode(a)) # b'shshh'
b = str.encode(a)
print(b) # b'shshh'
print(bytes.encode(b)) # shshh a = "shshh"
print(bytes(a,encoding="utf-8")) # b'shshh'
b = bytes(a,encoding="utf-8")
print(str(b,encodng="utf-8")) # shshh
 

  

05-08 15:03