gpt4 book ai didi

Python3逐行读取混合文本/二进制数据

转载 作者:太空宇宙 更新时间:2023-11-04 04:33:50 27 4
gpt4 key购买 nike

我需要解析一个文件,该文件具有 UTF-16 文本 header 并紧跟二进制数据。为了能够读取二进制数据,我以“rb”模式打开文件,然后为了读取标题,将其包装到 io.TextIOWrapper() 中。

问题是当我执行 TextIOWrapper 对象的 .readline() 方法时,包装器提前读取太多(即使我只请求了一行) 然后在遇到二进制部分时遇到 UTF-16 解码错误:引发 UnicodeDecodeError

但是,我需要对文本数据进行适当的解析,不能简单地先进行二进制读取,然后进行 data.find(b"\n\0") 因为不能保证这实际上匹配偶数偏移量(可能在中间字符之间)。我想避免自己进行 UTF-16 解析。

有没有简单的方法告诉 TextIOWrapper 不要预读?

最佳答案

不,您不能使用 TextIOWrapper() 对象,因为它会以更大的 block 从底层缓冲区中读取,而不仅仅是按行读取,所以是的,它会尝试解码二进制数据超过第一行。你不能阻止它。

对于使用 \n 行分隔符的单行文本,您真的不需要使用 TextIOWrapper()。二进制文件仍然支持逐行读取,其中 file.readline() 将为您提供直到下一个 \n 字节的二进制数据。只需以二进制形式打开文件,然后读取一行。

有效的 UTF-16 数据总是具有偶数长度。但是因为 UTF-16 有两种风格,大端字节序和小端字节序,所以您需要检查读取了多少数据以查看使用的字节顺序,以便有条件地读取应该属于的单个字节第一行数据。如果使用 UTF-16 little-endian,则保证读取的字节数为奇数,因为换行符被编码为 0a 00 而不是 00 0a 并且 .readline() 调用将在文件流中留下单个 00 字节。在这种情况下,只需再读取一个字节并将其添加到解码前的第一行数据中:

with open(filename, 'rb') as binfile:
firstline = binfile.readline()
if len(firstline) % 2:
# little-endian UTF-16, add one more byte
firstline += binfile.read(1)
text = firstline.decode('utf-16')

# read binary data from the file

使用 io.BytesIO() 的演示,我们首先编写 UTF-16 小端数据(使用 BOM 指示解码器的字节顺序),文本后跟两个低- 会导致 UTF-16 解码错误的代理序列代表“二进制数据”,之后我们再次读取文本和数据:

>>> import io, codecs
>>> from pprint import pprint
>>> binfile = io.BytesIO()
>>> utf16le_wrapper = io.TextIOWrapper(binfile, encoding='utf-16-le', write_through=True)
>>> utf16le_wrapper.write('\ufeff') # write the UTF-16 BOM manually, as the -le and -be variants won't include this
1
>>> utf16le_wrapper.write('The quick brown 🦊 jumps over the lazy 🐕\n')
40
>>> binfile.write(b'\xDF\xFF\xDF\xFF') # binary data, guaranteed to not decode as UTF-16
4
>>> binfile.flush() # flush and seek back to start to move to reading
>>> binfile.seek(0)
0
>>> firstline = binfile.readline() # read that first line
>>> len(firstline) % 2 # confirm we read an odd number of bytes
1
>>> firstline += binfile.read(1) # add the expected null byte
>>> pprint(firstline) # peek at the UTF-16 data we read
(b'\xff\xfeT\x00h\x00e\x00 \x00q\x00u\x00i\x00c\x00k\x00 \x00b\x00r\x00o\x00'
b'w\x00n\x00 \x00>\xd8\x8a\xdd \x00j\x00u\x00m\x00p\x00s\x00 \x00o\x00v\x00'
b'e\x00r\x00 \x00t\x00h\x00e\x00 \x00l\x00a\x00z\x00y\x00 \x00=\xd8\x15\xdc'
b'\n\x00')
>>> print(firstline.decode('utf-16')) # bom included, so the decoder detects LE vs BE
The quick brown 🦊 jumps over the lazy 🐕

>>> binfile.read()
b'\xdf\xff\xdf\xff'

仍然可以使用 TextIOWrapper() 的任何替代实现都需要一个中间包装器位于二进制文件和 TextIOWrapper() 实例之间,以防止 TextIOWrapper () 读得太远,这将变得复杂快速并且需要包装器知道所使用的编解码器。对于单行文本,这是不值得付出努力的。

关于Python3逐行读取混合文本/二进制数据,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/52200694/

27 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com