-2

我想知道如何将 ISO-8859-2 (latin-2) 字符(我的意思是表示 ISO-8859-2 编码字符的整数或十六进制值)转换为 UTF-8 字符。

我需要在 python 中处理我的项目:

  1. 从串口接收十六进制值,这些值是用 ISO-8859-2 编码的字符。
  2. 解码它们,这是 - 从中​​获取“标准”python unicode 字符串。
  3. 准备并编写xml文件。

使用 Python 3.4.3

txt_str = "ąęłóźć"
txt_str.decode('ISO-8859-2')
Traceback (most recent call last): File "<stdin>", line 1, in <module>
AttributeError: 'str' object has no attribute 'decode'

主要问题仍然是为“解码”方法准备有效输入(它适用于 python 2.7.10,这就是我在这个项目中使用的那个)。如何从十进制值准备有效的字符串,它们是拉丁 2 代码数字?

请注意,由于我使用的设备和通信协议的限制,从串口接收 utf-8 字符会非常复杂。

样本数据,根据要求:

68632057
62206A75
7A647261
B364206F
20616775
777A616E
616A2061
6A65696B
617A20B6
697A7970
6A65B361
70697020
77F36469
62202C79
6E647572
75206A65
7963696C
72656D75
6A616E20
73726F67
206A657A
65647572
77207972
73772065
00000069

这是一些示例数据。ISO-8859-2 被推入 uint32,每个 int 4 个字符。

一些管理拆箱的代码:

l = l[7:].replace(",", "").replace(".", "").replace("\n","").replace("\r","") # crop string from uart, only data left
vl = [l[0:2], l[2:4], l[4:6], l[6:8]] # list of bytes
vl = vl[::-1] # reverse them - now in actual order

要从十六进制字符串中获取整数值,我可以简单地使用:

int_vals = [int(hs, 16) for hs in vl]
4

3 回答 3

2

有趣的样本数据。理想情况下,您的示例数据应该是从 PySerial 接收到的原始数据的直接打印。如果您实际上将原始字节作为 8 位十六进制值接收,则:

#!python3
from binascii import unhexlify
data = b''.join(unhexlify(x)[::-1] for x in b'''\
68632057
62206A75
7A647261
B364206F
20616775
777A616E
616A2061
6A65696B
617A20B6
697A7970
6A65B361
70697020
77F36469
62202C79
6E647572
75206A65
7963696C
72656D75
6A616E20
73726F67
206A657A
65647572
77207972
73772065
00000069'''.splitlines())

print(data.decode('iso-8859-2'))

输出:

W chuj bardzo długa nazwa jakiejś zapyziałej pipidówy, brudnej ulicyumer najgorszej rudery we wsi

谷歌波兰语到英语翻译:

The dick very long name some zapyziałej Small Town , dirty ulicyumer worst hovel in the village
于 2016-02-03T03:24:31.973 回答
2

您的示例不起作用,因为您尝试使用 str 来保存字节。在 Python 3 中,您必须使用byte字符串。

实际上,如果您使用的是 PySerial,那么无论如何您都将读取字节字符串,您可以根据需要进行转换:

with serial.Serial('/dev/ttyS1', 19200, timeout=1) as ser:
    s = ser.read(10)
    # Py3: s == bytes
    # Py2.x: s == str
    my_unicode_string = s.decode('iso-8859-2')

如果您的 iso-8895-2 数据实际上随后被编码为字节的 ASCII 十六进制表示,那么您必须应用额外的编码层:

with serial.Serial('/dev/ttyS1', 19200, timeout=1) as ser:
    hex_repr = ser.read(10)
    # Py3: hex_repr == bytes
    # Py2.x: hex_repr == str

    # Decodes hex representation to bytes
    # Eg. b"A3" = b'\xa3'
    hex_decoded = codecs.decode(hex_repr, "hex") 
    my_unicode_string = hex_decoded.decode('iso-8859-2')

现在您可以将 my_unicode_string 传递给您最喜欢的 XML 库。

于 2016-02-02T08:52:43.333 回答
-1

此话题已关闭。工作代码,处理需要做的事情:

x=177
x.to_bytes(1, byteorder='big').decode("ISO-8859-2")
于 2016-02-02T09:43:16.263 回答