修复 Python 中的类字节对象不是 STR 错误

Manav Narula 2022年5月17日
修复 Python 中的类字节对象不是 STR 错误

本教程将讨论 Python 中的错误 a bytes-like object is required, not 'str' 以及修复它的方法。当对错误的数据类型执行无效操作时,此 TypeError 会显示。

我们将讨论 Python 中的字符串和字节对象。字符串是字符的集合,而后者是字节序列,也称为 Unicode 对象。在 Python3 中,所有字符串默认都是 Unicode 对象。在 Python 2 中,我们可以使用 encodedecode 函数将字符串转换为 Unicode,反之亦然。

当使用字节对象但将其视为字符串时,我们会收到此错误。由于 Python 2 和 Python 3 中这些对象的更改,这很常见。我们在使用二进制文件并将其视为字符串时遇到此错误。

例如:

with open("myfile.txt", "rb") as f:
    a = f.read()
    print(type(a))
    a.split(";")

输出:

TypeError: a bytes-like object is required, not 'str'

在上面的示例中,我们以 rb 模式读取文件。此模式意味着读取二进制文件。它的内容是字节并存储在变量 a 中,我们显示类型。

当我们对这个变量应用 split() 函数时,我们得到 a bytes-like object is required, not 'str'错误。这是因为 split() 函数适用于字符串对象。

为避免此错误,请注意数据读取类型及其操作。我们还可以通过使用 str() 函数将类似字节的对象转换为字符串来修复此错误。

例如:

with open("myfile.txt", "rb") as f:
    a = str(f.read())
    print(type(a))
    s = a.split(";")

输出:

<class 'str'>

str() 将对象转换为字符串以使用 split() 函数。

在使用套接字以及发送或接收数据时,此错误也很常见。我们可以在字符串前使用 b 字符来发送字节,或者使用带有 utf-8 参数的 encode() 函数。

例如:

data = b"result"
s.sendall(data)
作者: Manav Narula
Manav Narula avatar Manav Narula avatar

Manav is a IT Professional who has a lot of experience as a core developer in many live projects. He is an avid learner who enjoys learning new things and sharing his findings whenever possible.

LinkedIn

相关文章 - Python String

相关文章 - Python Error