[docs]classEncryptionBackend(abc.ABC):"""Abstract base class for encryption backends. This class defines the interface that all encryption backends must implement. Concrete implementations should provide the actual encryption/decryption logic. Attributes: passphrase (bytes): The encryption passphrase used by the backend. """
[docs]defmount_vault(self,key:"Union[str, bytes]")->None:"""Mounts the vault with the provided encryption key. Args: key (str | bytes): The encryption key used to initialize the backend. """ifisinstance(key,str):key=key.encode()
[docs]@abc.abstractmethoddefinit_engine(self,key:"Union[bytes, str]")->None:# pragma: nocover"""Initializes the encryption engine with the provided key. Args: key (bytes | str): The encryption key. Raises: NotImplementedError: If the method is not implemented by the subclass. """
[docs]@abc.abstractmethoddefencrypt(self,value:Any)->str:# pragma: nocover"""Encrypts the given value. Args: value (Any): The value to encrypt. Returns: str: The encrypted value. Raises: NotImplementedError: If the method is not implemented by the subclass. """
[docs]@abc.abstractmethoddefdecrypt(self,value:Any)->str:# pragma: nocover"""Decrypts the given value. Args: value (Any): The value to decrypt. Returns: str: The decrypted value. Raises: NotImplementedError: If the method is not implemented by the subclass. """
[docs]classPGCryptoBackend(EncryptionBackend):"""PostgreSQL pgcrypto-based encryption backend. This backend uses PostgreSQL's pgcrypto extension for encryption/decryption operations. Requires the pgcrypto extension to be installed in the database. Attributes: passphrase (bytes): The base64-encoded passphrase used for encryption and decryption. """
[docs]definit_engine(self,key:"Union[bytes, str]")->None:"""Initializes the pgcrypto engine with the provided key. Args: key (bytes | str): The encryption key. """ifisinstance(key,str):key=key.encode()self.passphrase=base64.urlsafe_b64encode(key)
[docs]defencrypt(self,value:Any)->str:"""Encrypts the given value using pgcrypto. Args: value (Any): The value to encrypt. Returns: str: The encrypted value. Raises: TypeError: If the value is not a string. """ifnotisinstance(value,str):# pragma: nocovervalue=repr(value)value=value.encode()returnsql_func.pgp_sym_encrypt(value,self.passphrase)# type: ignore[return-value]
[docs]defdecrypt(self,value:Any)->str:"""Decrypts the given value using pgcrypto. Args: value (Any): The value to decrypt. Returns: str: The decrypted value. Raises: TypeError: If the value is not a string. """ifnotisinstance(value,str):# pragma: nocovervalue=str(value)returnsql_func.pgp_sym_decrypt(value,self.passphrase)# type: ignore[return-value]
[docs]classFernetBackend(EncryptionBackend):"""Fernet-based encryption backend. This backend uses the Python cryptography library's Fernet implementation for encryption/decryption operations. Provides symmetric encryption with built-in rotation support. Attributes: key (bytes): The base64-encoded key used for encryption and decryption. fernet (cryptography.fernet.Fernet): The Fernet instance used for encryption/decryption. """
[docs]defmount_vault(self,key:"Union[str, bytes]")->None:"""Mounts the vault with the provided encryption key. This method hashes the key using SHA256 before initializing the engine. Args: key (str | bytes): The encryption key. """ifisinstance(key,str):key=key.encode()digest=hashes.Hash(hashes.SHA256(),backend=default_backend())# pyright: ignore[reportPossiblyUnboundVariable]digest.update(key)engine_key=digest.finalize()self.init_engine(engine_key)
[docs]definit_engine(self,key:"Union[bytes, str]")->None:"""Initializes the Fernet engine with the provided key. Args: key (bytes | str): The encryption key. """ifisinstance(key,str):key=key.encode()self.key=base64.urlsafe_b64encode(key)self.fernet=Fernet(self.key)# pyright: ignore[reportPossiblyUnboundVariable]
[docs]defencrypt(self,value:Any)->str:"""Encrypts the given value using Fernet. Args: value (Any): The value to encrypt. Returns: str: The encrypted value. Raises: TypeError: If the value is not a string. cryptography.fernet.InvalidToken: If encryption fails. """ifnotisinstance(value,str):value=repr(value)value=value.encode()encrypted=self.fernet.encrypt(value)returnencrypted.decode("utf-8")
[docs]defdecrypt(self,value:Any)->str:"""Decrypts the given value using Fernet. Args: value (Any): The value to decrypt. Returns: str: The decrypted value. Raises: TypeError: If the value is not a string. cryptography.fernet.InvalidToken: If decryption fails. """ifnotisinstance(value,str):# pragma: nocovervalue=str(value)decrypted:Union[str,bytes]=self.fernet.decrypt(value.encode())ifnotisinstance(decrypted,str):decrypted=decrypted.decode("utf-8")# pyright: ignore[reportAttributeAccessIssue]returndecrypted
DEFAULT_ENCRYPTION_KEY=os.urandom(32)
[docs]classEncryptedString(TypeDecorator[str]):"""SQLAlchemy TypeDecorator for storing encrypted string values in a database. This type provides transparent encryption/decryption of string values using the specified backend. It extends :class:`sqlalchemy.types.TypeDecorator` and implements String as its underlying type. Args: key (str | bytes | Callable[[], str | bytes] | None): The encryption key. Can be a string, bytes, or callable returning either. Defaults to os.urandom(32). backend (Type[EncryptionBackend] | None): The encryption backend class to use. Defaults to FernetBackend. length (int | None): The length of the unencrypted string. This is used for documentation and validation purposes only, as encrypted strings will be longer. **kwargs (Any | None): Additional arguments passed to the underlying String type. Attributes: key (str | bytes | Callable[[], str | bytes]): The encryption key. backend (EncryptionBackend): The encryption backend instance. length (int | None): The unencrypted string length. """impl=Stringcache_ok=True
[docs]def__init__(self,key:"Union[str, bytes, Callable[[], Union[str, bytes]]]"=DEFAULT_ENCRYPTION_KEY,backend:"type[EncryptionBackend]"=FernetBackend,length:"Optional[int]"=None,**kwargs:Any,)->None:"""Initializes the EncryptedString TypeDecorator. Args: key (str | bytes | Callable[[], str | bytes] | None): The encryption key. Can be a string, bytes, or callable returning either. Defaults to os.urandom(32). backend (Type[EncryptionBackend] | None): The encryption backend class to use. Defaults to FernetBackend. length (int | None): The length of the unencrypted string. This is used for documentation and validation purposes only. **kwargs (Any | None): Additional arguments passed to the underlying String type. """super().__init__()self.key=keyself.backend=backend()self.length=length
@propertydefpython_type(self)->type[str]:"""Returns the Python type for this type decorator. Returns: Type[str]: The Python string type. """returnstr
[docs]defload_dialect_impl(self,dialect:"Dialect")->Any:"""Loads the appropriate dialect implementation based on the database dialect. Note: The actual column length will be larger than the specified length due to encryption overhead. For most encryption methods, the encrypted string will be approximately 1.35x longer than the original. Args: dialect (Dialect): The SQLAlchemy dialect. Returns: Any: The dialect-specific type descriptor. """ifdialect.namein{"mysql","mariadb"}:# For MySQL/MariaDB, always use Text to avoid length limitationsreturndialect.type_descriptor(Text())ifdialect.name=="oracle":# Oracle has a 4000-byte limit for VARCHAR2 (by default)returndialect.type_descriptor(String(length=4000))returndialect.type_descriptor(String())
[docs]defprocess_bind_param(self,value:Any,dialect:"Dialect")->"Union[str, None]":"""Processes the value before binding it to the SQL statement. This method encrypts the value using the specified backend and validates length if specified. Args: value (Any): The value to process. dialect (Dialect): The SQLAlchemy dialect. Returns: str | None: The encrypted value or None if the input is None. Raises: ValueError: If the value exceeds the specified length. """ifvalueisNone:returnvalue# Validate length if specifiedifself.lengthisnotNoneandlen(str(value))>self.length:msg=f"Unencrypted value exceeds maximum unencrypted length of {self.length}"raiseIntegrityError(msg)self.mount_vault()returnself.backend.encrypt(value)
[docs]defprocess_result_value(self,value:Any,dialect:"Dialect")->"Union[str, None]":"""Processes the value after retrieving it from the database. This method decrypts the value using the specified backend. Args: value (Any): The value to process. dialect (Dialect): The SQLAlchemy dialect. Returns: str | None: The decrypted value or None if the input is None. """ifvalueisNone:returnvalueself.mount_vault()returnself.backend.decrypt(value)
[docs]defmount_vault(self)->None:"""Mounts the vault with the encryption key. If the key is callable, it is called to retrieve the key. Otherwise, the key is used directly. """key=self.key()ifcallable(self.key)elseself.keyself.backend.mount_vault(key)
[docs]classEncryptedText(EncryptedString):"""SQLAlchemy TypeDecorator for storing encrypted text/CLOB values in a database. This type provides transparent encryption/decryption of text values using the specified backend. It extends :class:`EncryptedString` and implements Text as its underlying type. This is suitable for storing larger encrypted text content compared to EncryptedString. Args: key (str | bytes | Callable[[], str | bytes] | None): The encryption key. Can be a string, bytes, or callable returning either. Defaults to os.urandom(32). backend (Type[EncryptionBackend] | None): The encryption backend class to use. Defaults to FernetBackend. **kwargs (Any | None): Additional arguments passed to the underlying String type. """impl=Textcache_ok=True
[docs]defload_dialect_impl(self,dialect:"Dialect")->Any:"""Loads the appropriate dialect implementation for Text type. Args: dialect (Dialect): The SQLAlchemy dialect. Returns: Any: The dialect-specific Text type descriptor. """returndialect.type_descriptor(Text())