繁体   English   中英

python3将二进制数据转换为字符串并返回

[英]python3 converting binary data to string and back

我正在使用python3以二进制模式打开图像,然后在特定标记(\\ xff \\ xda)处拆分该数据

该标记之后的所有内容都存储在一个变量中,我想用该变量将所有a替换为e

但是在将二进制数据转换为字符串时遇到麻烦:

UnicodeDecodeError:'ascii'编解码器无法解码位置13的字节0xe6:序数不在范围内(128)

with open(filein, "rb") as rd:
  with open(fileout,'wb') as wr:
    img = rd.read()
    if img.find(b'\xff\xda'): ## ff da start of scan
        splitimg = img.split(b'\xff\xda', 1)
        wr.write(splitimg[0])
        scanimg = splitimg[1]

        scanglitch = ""
        scanimg = scanimg.encode()

        for letter in scanimg :
            if letter not in 'a': 
                scanglitch += letter
            else :
                scanglitch += 'e'

    print(scanimg)

    wr.write(b'\xff\xda')
    content = scanglitch.decode()
    wr.write(content)

编码()和解码()将二进制数据转换为字符串并返回的正确方法吗? 谢谢

处理二进制数据时,您将尝试尽可能地保持二进制模式,尤其是因为不能保证您选择的字符串编码仍然可以表示所有值。

请记住,即使bytes对象具有方便的类似于字符串的b'xyz'语法,它们也基本上是8位无符号整数的列表。

filein = "download.jpeg"
fileout = "glitch.jpg"

with open(filein, "rb") as rd:
    img = rd.read()
    # We can happily crash here if there's no FFDA; 
    # that means we're not able to process the file anyway
    prelude, marker, scanimg = img.partition(b"\xff\xda")
    scanglitch = []

    for letter in scanimg:  # scanimg is a list of integers, so we have to use `ord()`
        if letter != ord("a"):
            scanglitch.append(letter)
        else:
            scanglitch.append(ord("e"))

with open(fileout, "wb") as wr:
    wr.write(prelude)
    wr.write(marker)
    wr.write(bytes(scanglitch))

(我知道替换逻辑可以写为列表理解,但我认为这样会更友好。)

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM