美文网首页
Python3 - 读写字节数据

Python3 - 读写字节数据

作者: 惑也 | 来源:发表于2018-12-22 17:29 被阅读34次

    问题

    读写二进制文件,比如图片,声音文件等等。

    解决方案

    使用模式为 rbwbopen() 函数来读取或写入二进制数据。比如:

    # Read the entire file as a single byte string
    with open('somefile.bin', 'rb') as f:
        data = f.read()
    
    # Write binary data to a file
    with open('somefile.bin', 'wb') as f:
        f.write(b'Hello World')
    

    在读取二进制数据时,需要指明的是所有返回的数据都是字节字符串格式的,而不是文本字符串。

    类似的,在写入的时候,必须保证参数是字节字符串或字节数组对象等。

    讨论

    读取二进制数据时,字节字符串和文本字符串的语义差异可能会导致一个潜在的陷阱。 特别需要注意的是,索引和迭代操作,返回的是字节的值而不是字节字符串。比如:

    t = 'Hello World'
    b = b'Hello World'
    
    print(t[0])
    print(b[0])
    
    H
    72
    

    如果从二进制模式的文件中读取或写入文本数据,必须确保要进行解码和编码操作。比如:

    with open('somefile.bin', 'rb') as f:
        data = f.read(16)
        text = data.decode('utf-8')
    
    with open('somefile.bin', 'wb') as f:
        text = 'Hello World'
        f.write(text.encode('utf-8'))
    

    相关文章

      网友评论

          本文标题:Python3 - 读写字节数据

          本文链接:https://www.haomeiwen.com/subject/fztwkqtx.html