How to display a byte array as hex values

前端 未结 5 2214
清酒与你
清酒与你 2020-12-20 15:59
>>> struct.pack(\'2I\',12, 30)
b\'\\x0c\\x00\\x00\\x00\\x1e\\x00\\x00\\x00\'    
>>> struct.pack(\'2I\',12, 31)
b\'\\x0c\\x00\\x00\\x00\\x1f\\x00\\         


        
5条回答
  •  小蘑菇
    小蘑菇 (楼主)
    2020-12-20 16:43

    How about his?

    >>> data = struct.pack('2I',12, 30)
    >>> [hex(ord(c)) for c in data]
    ['0xc', '0x0', '0x0', '0x0', '0x1e', '0x0', '0x0', '0x0']
    

    The expression [item for item in sequence] is a so called list comprehension. It's basically a very compact way of writing a simple for loop, and creating a list from the result.

    The ord() builtin function takes a string, and turns it into an integer that's its corresponding unicode code point (for characters in the ASCII character set that's the same as their value in the ASCII table).

    Its counterpart, chr() for 8bit strings or unichr() for unicode objects do the opposite.

    The hex() builtin then simply converts the integers into their hex representation.


    As pointed out by @TimPeters, in Python 3 you would need to lose the ord(), because iterating over a bytes object will (already) yield integers:

    Python 3.4.0a3 (default, Nov  8 2013, 18:33:56)
    >>> import struct
    >>> data = struct.pack('2I',12, 30)
    >>> type(data)
    
    >>> type(data[1])
    
    >>>
    >>> [hex(i) for i in data]
    ['0xc', '0x0', '0x0', '0x0', '0x1e', '0x0', '0x0', '0x0']
    

提交回复
热议问题