mirror of
https://github.com/azaion/annotations.git
synced 2026-04-22 22:16:30 +00:00
52 lines
1.8 KiB
Cython
52 lines
1.8 KiB
Cython
import base64
|
|
import hashlib
|
|
import os
|
|
from hashlib import sha384
|
|
|
|
from cryptography.hazmat.backends import default_backend
|
|
from cryptography.hazmat.primitives import padding
|
|
from cryptography.hazmat.primitives.ciphers import Cipher, algorithms, modes
|
|
|
|
BUFFER_SIZE = 64 * 1024 # 64 KB
|
|
|
|
cdef class Security:
|
|
@staticmethod
|
|
cdef encrypt_to(input_stream, key):
|
|
cdef bytes aes_key = hashlib.sha256(key.encode('utf-8')).digest()
|
|
iv = os.urandom(16)
|
|
|
|
cipher = Cipher(algorithms.AES(<bytes>aes_key), modes.CFB(iv), backend=default_backend())
|
|
encryptor = cipher.encryptor()
|
|
|
|
cdef bytearray res = bytearray()
|
|
res.extend(iv)
|
|
while chunk := input_stream.read(BUFFER_SIZE):
|
|
encrypted_chunk = encryptor.update(chunk)
|
|
res.extend(encrypted_chunk)
|
|
res.extend(encryptor.finalize())
|
|
return res
|
|
|
|
@staticmethod
|
|
cdef decrypt_to(input_stream, key):
|
|
cdef bytes aes_key = hashlib.sha256(key.encode('utf-8')).digest()
|
|
cdef bytes iv = input_stream.read(16)
|
|
|
|
cdef cipher = Cipher(algorithms.AES(<bytes>aes_key), modes.CBC(<bytes>iv), backend=default_backend())
|
|
cdef decryptor = cipher.decryptor()
|
|
|
|
cdef bytearray res = bytearray()
|
|
while chunk := input_stream.read(BUFFER_SIZE):
|
|
decrypted_chunk = decryptor.update(chunk)
|
|
res.extend(decrypted_chunk)
|
|
res.extend(decryptor.finalize())
|
|
|
|
unpadder = padding.PKCS7(128).unpadder() # AES block size is 128 bits (16 bytes)
|
|
return unpadder.update(res) + unpadder.finalize()
|
|
|
|
@staticmethod
|
|
cdef calc_hash(str key):
|
|
str_bytes = key.encode('utf-8')
|
|
hash_bytes = sha384(str_bytes).digest()
|
|
cdef str h = base64.b64encode(hash_bytes).decode('utf-8')
|
|
return h
|