Python 3 在处理方式上引入了重大变化文件内容。从早期版本的 Python 迁移代码时,这可能会导致错误,例如常见的“TypeError: a bytes-like object is required, not 'str'”。
尝试执行 string- 时会发生错误类似于字节对象上的操作,通常是由于以二进制模式打开文件(例如“rb”)而产生的。让我们检查一下可能出现此错误的常见场景:
with open(fname, 'rb') as f: lines = [x.strip() for x in f.readlines()] for line in lines: tmp = line.strip().lower() if 'some-pattern' in tmp: continue # ... code
在此示例中,文件 fname 以二进制模式打开,这意味着从中读取的所有数据都作为字节对象返回。但是,后续行变量会被 in 运算符视为字符串。
要解决该错误,可以解码字节对象或以文本模式而不是二进制模式打开文件。
要将字节对象tmp解码为字符串,可以使用decode()方法:
if b'some-pattern' in tmp.decode(): continue
或者,可以以文本模式打开文件(“r”而不是“rb”),这会自动将数据解码为它是:
with open(fname, 'r') as f: lines = [x.strip() for x in f.readlines()] for line in lines: tmp = line.strip().lower() if 'some-pattern' in tmp: continue # ... code
通过遵循这些准则,您可以确保您的 Python 3 代码正确处理文件内容并避免“TypeError:需要类似字节的对象”错误。
以上是如何解决Python处理文件内容时的'TypeError: a bytes-like object is required”?的详细内容。更多信息请关注PHP中文网其他相关文章!