programing

16 진수 문자열에 대한 바이트 배열

itsource 2021. 1. 18. 07:58
반응형

16 진수 문자열에 대한 바이트 배열


바이트 배열에 저장된 데이터가 있습니다. 이 데이터를 16 진수 문자열로 어떻게 변환 할 수 있습니까?

내 바이트 배열의 예 :

array_alpha = [ 133, 53, 234, 241 ]

사용 str.format:

>>> array_alpha = [ 133, 53, 234, 241 ]
>>> print ''.join('{:02x}'.format(x) for x in array_alpha)
8535eaf1

또는 사용 format

>>> print ''.join(format(x, '02x') for x in array_alpha)
8535eaf1

참고 : 형식 문에서는 필요한 경우 02최대 2 개의 선행으로 채움을 의미합니다 0. 대신 [0x1, 0x1, 0x1] i.e. (0x010101)형식이 지정 되므로 중요합니다."111""010101"

또는 bytearray함께 사용 binascii.hexlify:

>>> import binascii
>>> binascii.hexlify(bytearray(array_alpha))
'8535eaf1'

다음은 Python 3.6.1에서 위 메소드의 벤치 마크입니다.

from timeit import timeit
import binascii

number = 10000

def using_str_format() -> str:
    return "".join("{:02x}".format(x) for x in test_obj)

def using_format() -> str:
    return "".join(format(x, "02x") for x in test_obj)

def using_hexlify() -> str:
    return binascii.hexlify(bytearray(test_obj)).decode('ascii')

def do_test():
    print("Testing with {}-byte {}:".format(len(test_obj), test_obj.__class__.__name__))
    if using_str_format() != using_format() != using_hexlify():
        raise RuntimeError("Results are not the same")

    print("Using str.format       -> " + str(timeit(using_str_format, number=number)))
    print("Using format           -> " + str(timeit(using_format, number=number)))
    print("Using binascii.hexlify -> " + str(timeit(using_hexlify, number=number)))

test_obj = bytes([i for i in range(255)])
do_test()

test_obj = bytearray([i for i in range(255)])
do_test()

결과:

Testing with 255-byte bytes:
Using str.format       -> 1.459474583090427
Using format           -> 1.5809937679100738
Using binascii.hexlify -> 0.014521426401399307
Testing with 255-byte bytearray:
Using str.format       -> 1.443447684109402
Using format           -> 1.5608712609513171
Using binascii.hexlify -> 0.014114164661833684

formatdo를 사용 하는 메서드 는 공백 " ".join, 쉼표 ", ".join, 대문자 인쇄 "{:02X}".format(x)/ format(x, "02X")등으로 숫자를 구분하는 것과 같은 추가 서식 옵션을 제공 하지만 성능에 큰 영향을줍니다.


Python 3.5 이상 에서 유형 hex () 메소드고려하십시오 bytes.

>>> array_alpha = [ 133, 53, 234, 241 ]
>>> print(bytes(array_alpha).hex())
8535eaf1

EDIT: it's also much faster than hexlify (modified @falsetru's benchmarks above)

from timeit import timeit
N = 10000
print("bytearray + hexlify ->", timeit(
    'binascii.hexlify(data).decode("ascii")',
    setup='import binascii; data = bytearray(range(255))',
    number=N,
))
print("byte + hex          ->", timeit(
    'data.hex()',
    setup='data = bytes(range(255))',
    number=N,
))

Result:

bytearray + hexlify -> 0.011218150997592602
byte + hex          -> 0.005952142993919551

hex_string = "".join("%02x" % b for b in array_alpha)

If you have a numpy array, you can do the following:

>>> import numpy as np
>>> a = np.array([133, 53, 234, 241])
>>> a.astype(np.uint8).data.hex()
'8535eaf1'

Or, if you are a fan of functional programming:

>>> a = [133, 53, 234, 241]
>>> "".join(map(lambda b: format(b, "02x"), a))
8535eaf1
>>>

ReferenceURL : https://stackoverflow.com/questions/19210414/byte-array-to-hex-string

반응형