[docs]classDynamoDBChatMessageHistory(BaseChatMessageHistory):"""Chat message history that stores history in AWS DynamoDB. This class expects that a DynamoDB table exists with name `table_name` Args: table_name: name of the DynamoDB table session_id: arbitrary key that is used to store the messages of a single chat session. endpoint_url: URL of the AWS endpoint to connect to. This argument is optional and useful for test purposes, like using Localstack. If you plan to use AWS cloud service, you normally don't have to worry about setting the endpoint_url. primary_key_name: name of the primary key of the DynamoDB table. This argument is optional, defaulting to "SessionId". key: an optional dictionary with a custom primary and secondary key. This argument is optional, but useful when using composite dynamodb keys, or isolating records based off of application details such as a user id. This may also contain global and local secondary index keys. kms_key_id: an optional AWS KMS Key ID, AWS KMS Key ARN, or AWS KMS Alias for client-side encryption ttl: Optional Time-to-live (TTL) in seconds. Allows you to define a per-item expiration timestamp that indicates when an item can be deleted from the table. DynamoDB handles deletion of expired items without consuming write throughput. To enable this feature on the table, follow the [AWS DynamoDB documentation](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/time-to-live-ttl-how-to.html) history_size: Maximum number of messages to store. If None then there is no limit. If not None then only the latest `history_size` messages are stored. history_messages_key: Key for the chat history where the messages are stored and updated coerce_float_to_decimal: If True, all float values in the messages will be converted to Decimal. """
[docs]def__init__(self,table_name:str,session_id:str,endpoint_url:Optional[str]=None,primary_key_name:str="SessionId",key:Optional[Dict[str,str]]=None,boto3_session:Optional[Session]=None,kms_key_id:Optional[str]=None,ttl:Optional[int]=None,ttl_key_name:str="expireAt",history_size:Optional[int]=None,history_messages_key:Optional[str]="History",*,coerce_float_to_decimal:bool=False,):ifboto3_session:client=boto3_session.resource("dynamodb",endpoint_url=endpoint_url)else:try:importboto3exceptImportErrorase:raiseImportError("Unable to import boto3, please install with `pip install boto3`.")fromeifendpoint_url:client=boto3.resource("dynamodb",endpoint_url=endpoint_url)else:client=boto3.resource("dynamodb")self.table=client.Table(table_name)self.session_id=session_idself.key:Dict=keyor{primary_key_name:session_id}self.ttl=ttlself.ttl_key_name=ttl_key_nameself.history_size=history_sizeself.history_messages_key=history_messages_keyself.coerce_float_to_decimal=coerce_float_to_decimalifkms_key_id:try:fromdynamodb_encryption_sdk.encrypted.tableimportEncryptedTablefromdynamodb_encryption_sdk.identifiersimportCryptoActionfromdynamodb_encryption_sdk.material_providers.aws_kmsimport(AwsKmsCryptographicMaterialsProvider,)fromdynamodb_encryption_sdk.structuresimportAttributeActionsexceptImportErrorase:raiseImportError("Unable to import dynamodb_encryption_sdk, please install with ""`pip install dynamodb-encryption-sdk`.")fromeactions=AttributeActions(default_action=CryptoAction.DO_NOTHING,attribute_actions={self.history_messages_key:CryptoAction.ENCRYPT_AND_SIGN},)aws_kms_cmp=AwsKmsCryptographicMaterialsProvider(key_id=kms_key_id)self.table=EncryptedTable(table=self.table,materials_provider=aws_kms_cmp,attribute_actions=actions,auto_refresh_table_indexes=False,)
@propertydefmessages(self)->List[BaseMessage]:"""Retrieve the messages from DynamoDB"""try:frombotocore.exceptionsimportClientErrorexceptImportErrorase:raiseImportError("Unable to import botocore, please install with `pip install botocore`.")fromeresponse=Nonetry:response=self.table.get_item(Key=self.key)exceptClientErroraserror:iferror.response["Error"]["Code"]=="ResourceNotFoundException":logger.warning("No record found with session id: %s",self.session_id)else:logger.error(error)ifresponseand"Item"inresponse:items=response["Item"][self.history_messages_key]else:items=[]messages=messages_from_dict(items)returnmessages@messages.setterdefmessages(self,messages:List[BaseMessage])->None:raiseNotImplementedError("Direct assignment to 'messages' is not allowed."" Use the 'add_messages' instead.")
[docs]defadd_message(self,message:BaseMessage)->None:"""Append the message to the record in DynamoDB"""try:frombotocore.exceptionsimportClientErrorexceptImportErrorase:raiseImportError("Unable to import botocore, please install with `pip install botocore`.")fromemessages=messages_to_dict(self.messages)_message=message_to_dict(message)messages.append(_message)ifself.coerce_float_to_decimal:messages=convert_messages(messages)ifself.history_size:messages=messages[-self.history_size:]try:ifself.ttl:importtimeexpireAt=int(time.time())+self.ttlself.table.update_item(Key={**self.key},UpdateExpression=(f"set {self.history_messages_key} = :h, "f"{self.ttl_key_name} = :t"),ExpressionAttributeValues={":h":messages,":t":expireAt},)else:self.table.update_item(Key={**self.key},UpdateExpression=f"set {self.history_messages_key} = :h",ExpressionAttributeValues={":h":messages},)exceptClientErroraserr:logger.error(err)
[docs]defclear(self)->None:"""Clear session memory from DynamoDB"""try:frombotocore.exceptionsimportClientErrorexceptImportErrorase:raiseImportError("Unable to import botocore, please install with `pip install botocore`.")frometry:self.table.delete_item(Key=self.key)exceptClientErroraserr:logger.error(err)