I know this is easily possible in python 2.6. But what is the easiest way to do this in Python 2.5?
x = "This is my string"
b = to_bytes(x) # I could do this easily in 2.7 using bin/ord 3+ could use b"my string"
print b
Any suggestions? I want to take the x and turn it into
00100010010101000110100001101001011100110010000001101001011100110010000001101101011110010010000001110011011101000111001001101001011011100110011100100010
This one-line works:
>>> ''.join(['%08d'%int(bin(ord(i))[2:]) for i in 'This is my string'])
'0101010001101000011010010111001100100000011010010111001100100000011011010111100100100000011100110111010001110010011010010110111001100111'
EDIT
You can write bin()
yourself
def bin(x):
if x==0:
return '0'
else:
return (bin(x/2)+str(x%2)).lstrip('0') or '0'
I think you could do it in a cleaner way like this:
>>>''.join(format(ord(c), '08b') for c in 'This is my string')
'0101010001101000011010010111001100100000011010010111001100100000011011010111100100100000011100110111010001110010011010010110111001100111'
the format function will represent the character in a 8 digits, binary representation.
来源:https://stackoverflow.com/questions/8553310/python-2-5-convert-string-to-binary