在 Python 中轻松逐字节读取二进制文件
在 Python 中处理二进制文件时,访问每个字节通常至关重要。本文提供了一个全面的指南,帮助您高效地完成此任务。
Python 版本 >= 3.8
海象运算符 (:=) 的引入简化了这个过程。只需以二进制模式(“rb”)打开文件并一次读取一个字节对象,并将它们分配给变量 byte。
with open("myfile", "rb") as f: while (byte := f.read(1)): # Perform operations on the byte
Python 版本 >= 3 但是
在这些版本中,您可以使用稍长的方法:
with open("myfile", "rb") as f: byte = f.read(1) while byte != b"": # Perform operations on the byte byte = f.read(1)
或者,您可以利用 b"" 计算为 false 的事实:
with open("myfile", "rb") as f: byte = f.read(1) while byte: # Perform operations on the byte byte = f.read(1)
Python 版本 >= 2.5
Python 2 读取二进制文件的方式不同:
with open("myfile", "rb") as f: byte = f.read(1) while byte != "": # Perform operations on the byte byte = f.read(1)
Python 版本 2.4 及更早版本
对于旧版本,您将需要一个 try/finally 块:
f = open("myfile", "rb") try: byte = f.read(1) while byte != "": # Perform operations on the byte byte = f.read(1) finally: f.close()
以上是如何在Python中高效地逐字节读取二进制文件?的详细内容。更多信息请关注PHP中文网其他相关文章!