Rewrite of base32.py algorithm (#9068)

* rewrite of base32.py

* changed maps to list comprehension

* Apply suggestions from code review

Co-authored-by: Tianyi Zheng <tianyizheng02@gmail.com>

---------

Co-authored-by: Tianyi Zheng <tianyizheng02@gmail.com>
This commit is contained in:
Chris O 2023-09-24 19:09:32 +13:00 committed by GitHub
parent b203150ac4
commit 53a51b3529
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23

View File

@ -1,42 +1,45 @@
import base64 """
Base32 encoding and decoding
https://en.wikipedia.org/wiki/Base32
"""
B32_CHARSET = "ABCDEFGHIJKLMNOPQRSTUVWXYZ234567"
def base32_encode(string: str) -> bytes: def base32_encode(data: bytes) -> bytes:
""" """
Encodes a given string to base32, returning a bytes-like object >>> base32_encode(b"Hello World!")
>>> base32_encode("Hello World!")
b'JBSWY3DPEBLW64TMMQQQ====' b'JBSWY3DPEBLW64TMMQQQ===='
>>> base32_encode("123456") >>> base32_encode(b"123456")
b'GEZDGNBVGY======' b'GEZDGNBVGY======'
>>> base32_encode("some long complex string") >>> base32_encode(b"some long complex string")
b'ONXW2ZJANRXW4ZZAMNXW24DMMV4CA43UOJUW4ZY=' b'ONXW2ZJANRXW4ZZAMNXW24DMMV4CA43UOJUW4ZY='
""" """
binary_data = "".join(bin(ord(d))[2:].zfill(8) for d in data.decode("utf-8"))
# encoded the input (we need a bytes like object) binary_data = binary_data.ljust(5 * ((len(binary_data) // 5) + 1), "0")
# then, b32encoded the bytes-like object b32_chunks = map("".join, zip(*[iter(binary_data)] * 5))
return base64.b32encode(string.encode("utf-8")) b32_result = "".join(B32_CHARSET[int(chunk, 2)] for chunk in b32_chunks)
return bytes(b32_result.ljust(8 * ((len(b32_result) // 8) + 1), "="), "utf-8")
def base32_decode(encoded_bytes: bytes) -> str: def base32_decode(data: bytes) -> bytes:
""" """
Decodes a given bytes-like object to a string, returning a string
>>> base32_decode(b'JBSWY3DPEBLW64TMMQQQ====') >>> base32_decode(b'JBSWY3DPEBLW64TMMQQQ====')
'Hello World!' b'Hello World!'
>>> base32_decode(b'GEZDGNBVGY======') >>> base32_decode(b'GEZDGNBVGY======')
'123456' b'123456'
>>> base32_decode(b'ONXW2ZJANRXW4ZZAMNXW24DMMV4CA43UOJUW4ZY=') >>> base32_decode(b'ONXW2ZJANRXW4ZZAMNXW24DMMV4CA43UOJUW4ZY=')
'some long complex string' b'some long complex string'
""" """
binary_chunks = "".join(
# decode the bytes from base32 bin(B32_CHARSET.index(_d))[2:].zfill(5)
# then, decode the bytes-like object to return as a string for _d in data.decode("utf-8").strip("=")
return base64.b32decode(encoded_bytes).decode("utf-8") )
binary_data = list(map("".join, zip(*[iter(binary_chunks)] * 8)))
return bytes("".join([chr(int(_d, 2)) for _d in binary_data]), "utf-8")
if __name__ == "__main__": if __name__ == "__main__":
test = "Hello World!" import doctest
encoded = base32_encode(test)
print(encoded)
decoded = base32_decode(encoded) doctest.testmod()
print(decoded)