TypeError: 'str' does not support the buffer interface

主宰稳场 提交于 2019-12-20 19:47:17

问题


import hashlib

infile = open("P:\\r.mp3", 'r+b')
data = infile.readline()
hash = hashlib.md5()
hash.update(data)

hash_digest = hash.hexdigest()
print(hash_digest)
#hash_digest = hash_digest.encode('utf-8')
print(hash_digest)
with open("lt.txt", 'ab') as outfile:
    outfile.write(hash_digest + '\n')   #error here

with open("syncDB.txt", 'rb') as fg:
    for data in fg:
    print(data)
outfile.write(hash_digest + '\n')
TypeError: 'str' does not support the buffer interface

How do I correct that and what do I need to learn to see me through these situations?

Also if I encode this in utf-8(uncomment) it gives out the following error:

TypeError: can't concat bytes to str

回答1:


You're using Python 3, where there is a strict division between text (str) and data (bytes). Text can't be written to a file if you don't explicitly encode it first.

There are two ways to do this:

1) Open the file in text mode (possibly with an encoding specified) so that strings are automatically encoded for you:

with open("lt.txt", 'at', encoding='utf8') as outfile:
    outfile.write(hash_digest + '\n') # or print(hash_digest, file=outfile)

If you don't specify the encoding yourself when opening the file in text mode, the default encoding of your system locale would be used.

2) Encode the strings manually like you tried. But don't try to mix str with bytes like you did, either use a byte literal:

hash_digest = hash_digest.encode('utf-8')
with open("lt.txt", 'ab') as outfile:
    outfile.write(hash_digest + b'\n')   # note the b for bytes

or encode after adding the newline:

    outfile.write((hash_digest + '\n').encode('utf-8'))



回答2:


You must search in Google for 'str' does not support the buffer interface

You'll have plenty of answers like this one:

stackoverflow.com/questions/5471158/typeerror-str-does-not-support-the-buffer-interface

And for the second error **TypeError: can't concat bytes to str ** , I think you must write b'\n' in f.write(hex + '\n')

""" edit

yes Rosh Oxymoron is right, b'\n' , and not u'\n'



来源:https://stackoverflow.com/questions/7139225/typeerror-str-does-not-support-the-buffer-interface

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!