Python에서 문자열을 바이너리 표현으로 변환하는 것은 간단합니다. Reduce(), 람다, ord() 및 bin()의 조합을 사용하면 문자열에 해당하는 이진수를 얻을 수 있습니다. 그러나 이 접근 방식을 사용하려면 수동으로 문자열을 연결하고 해당 ASCII 값에 매핑해야 합니다.
Python 2의 경우 binascii 모듈을 사용하면 더 간결한 방법을 사용할 수 있습니다.
import binascii bin(int(binascii.hexlify('hello'), 16))
이 방법은 원본 코드와 유사하게 [-~ 범위의 ASCII 문자를 변환합니다. 문자열로 다시 변환하는 경우:
binascii.unhexlify('%x' % n)
Python 3.2 이상에서는 bytes 유형이 추가적인 편의성을 제공합니다.
bin(int.from_bytes('hello'.encode(), 'big'))
다시 변환하는 경우 문자열로:
n.to_bytes((n.bit_length() + 7) // 8, 'big').decode()
Python 3에서 모든 유니코드 문자를 지원하려면 다음 함수를 사용할 수 있습니다.
def text_to_bits(text, encoding='utf-8', errors='surrogatepass'): bits = bin(int.from_bytes(text.encode(encoding, errors), 'big'))[2:] return bits.zfill(8 * ((len(bits) + 7) // 8)) def text_from_bits(bits, encoding='utf-8', errors='surrogatepass'): n = int(bits, 2) return n.to_bytes((n.bit_length() + 7) // 8, 'big').decode(encoding, errors) or '<pre class="brush:php;toolbar:false">import binascii def text_to_bits(text, encoding='utf-8', errors='surrogatepass'): bits = bin(int(binascii.hexlify(text.encode(encoding, errors)), 16))[2:] return bits.zfill(8 * ((len(bits) + 7) // 8)) def text_from_bits(bits, encoding='utf-8', errors='surrogatepass'): n = int(bits, 2) return int2bytes(n).decode(encoding, errors) def int2bytes(i): hex_string = '%x' % i n = len(hex_string) return binascii.unhexlify(hex_string.zfill(n + (n & 1)))'
Python 2/3 호환성의 경우:
이와 함께 함수를 사용하여 바이너리와 유니코드 문자열 간의 변환이 Python 2와 Python 3 모두에서 쉬워졌습니다.
위 내용은 Python에서 바이너리와 ASCII(유니코드 포함) 사이를 효율적으로 변환하려면 어떻게 해야 합니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!