How To Convert Integer Value To Array Of Four Bytes In Python
Solution 1:
Have a look at the struct
module. Probably all you need is struct.pack("I", your_int)
to pack the integer in a string, and then place this string in the message. The format string "I"
denotes an unsigned 32-bit integer.
If you want to unpack such a string to a tuple of for integers, you can use struct.unpack("4b", s)
:
>>> struct.unpack("4b", struct.pack("I", 100))
(100, 0, 0, 0)
(The example is obviously on a little-endian machine.)
Solution 2:
This is kind of an old thread, but in Python 3.2+ now you can simply say:
number = 100number.to_bytes(4, byteorder = 'big')
or byteorder = 'little'
as per your needs. Documentation here.
Solution 3:
Sven has you answer. However, byte shifting numbers (as in your question) is also possible in Python:
>>> [hex(0x12345678 >> i & 0xff) for i in (24,16,8,0)]['0x12', '0x34', '0x56', '0x78']
Solution 4:
In case anyone looks at this question sometime later ... This statement should be equivalent to the code in the original question:
>>> tuple( struct.pack("!I", number) )
('\x00', '\x00', '\x00', 'd')
And I don't think it matters what the host byte order is.
If your integers are larger than int32, you can use "!Q"
in the call to pack()
for int64 (if your system supports Q
).
And list()
or even bytearray()
will work in place of tuple()
.
Note, the result is a sequence of str
objects (each holding a single byte), not integers. If you must have a list of integers, you can do this:
[ ord(c) for c instruct.pack("!I", number) ]
[0, 0, 0, 100]
... or this:
>>>map( ord, tuple( struct.pack("!I", number) ) )
[0, 0, 0, 100]
But using map()
starts making things a bit messy.
Solution 5:
You can pretty much do the same thing:
>>>number = 100>>>array[0] = (number>>24) & 0xff>>>array[1] = (number>>16) & 0xff>>>array[2] = (number>>8) & 0xff>>>array[3] = number & 0xff
or you can do something shorter:
>>>array = [(number>>(8*i))&0xfffor i inrange(3,-1,-1)]
Post a Comment for "How To Convert Integer Value To Array Of Four Bytes In Python"