我有一个程序,返回的字符串如:b'\\xfe\\xff\\x000\\x008\\x00/\\x001\\x002\\x00/\\x001\\x009\\x009\\x003'
如何将其转换为可读的字符串。该值应为08/12/1993
所以想像我有这样的事情

a = "b'\\xfe\\xff\\x000\\x008\\x00/\\x001\\x002\\x00/\\x001\\x009\\x009\\x003'"
print(a.convert())

最佳答案

序列\xfe\xff告诉我们我们有utf-16(参见http://unicodebook.readthedocs.io/guess_encoding.html

让我们尝试:

x = b'\xfe\xff\x000\x008\x00/\x001\x002\x00/\x001\x009\x009\x003'
print(x.decode('utf-16'))


这使

'08/12/1993'


为了完整性:
如果输入以字符串形式给出,则可以使用eval将其转换为<class 'bytes'>

x = eval("b'\\xfe\\xff\\x000\\x008\\x00/\\x001\\x002\\x00/\\x001\\x009\\x009\\x003'")

print(x)   ### b'\xfe\xff\x000\x008\x00/\x001\x002\x00/\x001\x009\x009\x003'

print(x.decode('utf-16'))  ### returns 08/12/1993

09-06 05:03