summaryrefslogtreecommitdiff
path: root/requests_cache
diff options
context:
space:
mode:
authorJordan Cook <jordan.cook@pioneer.com>2022-04-19 21:34:49 -0500
committerJordan Cook <jordan.cook@pioneer.com>2022-04-20 13:37:44 -0500
commita2a65250d61997935763cf958f16a914930f1b43 (patch)
tree4b2c37d54ea29a33dedbc0e61c610b1013b7231c /requests_cache
parent3fb12461d847e04884f66dcf64ff5cabc79cce91 (diff)
downloadrequests-cache-a2a65250d61997935763cf958f16a914930f1b43.tar.gz
Add support for DynamoDB TTL
Diffstat (limited to 'requests_cache')
-rw-r--r--requests_cache/backends/__init__.py4
-rw-r--r--requests_cache/backends/dynamodb.py80
2 files changed, 55 insertions, 29 deletions
diff --git a/requests_cache/backends/__init__.py b/requests_cache/backends/__init__.py
index 9f87908..7695b8f 100644
--- a/requests_cache/backends/__init__.py
+++ b/requests_cache/backends/__init__.py
@@ -15,9 +15,9 @@ logger = getLogger(__name__)
# Import all backend classes for which dependencies are installed
try:
- from .dynamodb import DynamoDbCache, DynamoDbDict, DynamoDocumentDict
+ from .dynamodb import DynamoDbCache, DynamoDbDict, DynamoDbDocumentDict
except ImportError as e:
- DynamoDbCache = DynamoDbDict = DynamoDocumentDict = get_placeholder_class(e) # type: ignore
+ DynamoDbCache = DynamoDbDict = DynamoDbDocumentDict = get_placeholder_class(e) # type: ignore
try:
from .gridfs import GridFSCache, GridFSPickleDict
except ImportError as e:
diff --git a/requests_cache/backends/dynamodb.py b/requests_cache/backends/dynamodb.py
index 17f4661..8161ae9 100644
--- a/requests_cache/backends/dynamodb.py
+++ b/requests_cache/backends/dynamodb.py
@@ -4,6 +4,7 @@
:classes-only:
:nosignatures:
"""
+from time import time
from typing import Dict, Iterable
import boto3
@@ -24,21 +25,27 @@ class DynamoDbCache(BaseCache):
namespace: Name of DynamoDB hash map
connection: :boto3:`DynamoDB Resource <services/dynamodb.html#DynamoDB.ServiceResource>`
object to use instead of creating a new one
+ ttl: Use DynamoDB TTL to automatically remove expired items
kwargs: Additional keyword arguments for :py:meth:`~boto3.session.Session.resource`
"""
def __init__(
- self, table_name: str = 'http_cache', connection: ServiceResource = None, **kwargs
+ self,
+ table_name: str = 'http_cache',
+ ttl: bool = True,
+ connection: ServiceResource = None,
+ **kwargs,
):
super().__init__(cache_name=table_name, **kwargs)
- self.responses = DynamoDocumentDict(
- table_name, 'responses', connection=connection, **kwargs
+ self.responses = DynamoDbDocumentDict(
+ table_name, 'responses', ttl=ttl, connection=connection, **kwargs
)
self.redirects = DynamoDbDict(
- table_name, 'redirects', connection=self.responses.connection, **kwargs
+ table_name, 'redirects', ttl=False, connection=self.responses.connection, **kwargs
)
+# TODO: Add screenshot of viewing responses in AWS console
class DynamoDbDict(BaseStorage):
"""A dictionary-like interface for DynamoDB table
@@ -47,6 +54,7 @@ class DynamoDbDict(BaseStorage):
namespace: Name of DynamoDB hash map
connection: :boto3:`DynamoDB Resource <services/dynamodb.html#DynamoDB.ServiceResource>`
object to use instead of creating a new one
+ ttl: Use DynamoDB TTL to automatically remove expired items
kwargs: Additional keyword arguments for :py:meth:`~boto3.session.Session.resource`
"""
@@ -54,6 +62,7 @@ class DynamoDbDict(BaseStorage):
self,
table_name: str,
namespace: str,
+ ttl: bool = True,
connection: ServiceResource = None,
**kwargs,
):
@@ -61,36 +70,48 @@ class DynamoDbDict(BaseStorage):
connection_kwargs = get_valid_kwargs(boto3.Session, kwargs, extras=['endpoint_url'])
self.connection = connection or boto3.resource('dynamodb', **connection_kwargs)
self.namespace = namespace
+ self.table_name = table_name
+ self.ttl = ttl
- self._create_table(table_name)
- self._table = self.connection.Table(table_name)
- self._table.wait_until_exists()
+ self._table = self.connection.Table(self.table_name)
+ self._create_table()
+ if ttl:
+ self._enable_ttl()
- def _create_table(self, table_name: str):
+ def _create_table(self):
"""Create a default table if one does not already exist"""
try:
self.connection.create_table(
AttributeDefinitions=[
- {
- 'AttributeName': 'namespace',
- 'AttributeType': 'S',
- },
- {
- 'AttributeName': 'key',
- 'AttributeType': 'S',
- },
+ {'AttributeName': 'namespace', 'AttributeType': 'S'},
+ {'AttributeName': 'key', 'AttributeType': 'S'},
],
- TableName=table_name,
+ TableName=self.table_name,
KeySchema=[
{'AttributeName': 'namespace', 'KeyType': 'HASH'},
{'AttributeName': 'key', 'KeyType': 'RANGE'},
],
- BillingMode="PAY_PER_REQUEST",
+ BillingMode='PAY_PER_REQUEST',
)
- except ClientError:
- pass
+ self._table.wait_until_exists()
+ # Ignore error if table already exists
+ except ClientError as e:
+ if e.response['Error']['Code'] != 'ResourceInUseException':
+ raise
+
+ def _enable_ttl(self):
+ """Enable TTL, if not already enabled"""
+ try:
+ self.connection.meta.client.update_time_to_live(
+ TableName=self.table_name,
+ TimeToLiveSpecification={'AttributeName': 'ttl', 'Enabled': True},
+ )
+ # Ignore error if TTL is already enabled
+ except ClientError as e:
+ if e.response['Error']['Code'] != 'ValidationException':
+ raise
- def composite_key(self, key: str) -> Dict[str, str]:
+ def _composite_key(self, key: str) -> Dict[str, str]:
return {'namespace': self.namespace, 'key': str(key)}
def _scan(self):
@@ -104,20 +125,25 @@ class DynamoDbDict(BaseStorage):
)
def __getitem__(self, key):
- result = self._table.get_item(Key=self.composite_key(key))
+ result = self._table.get_item(Key=self._composite_key(key))
if 'Item' not in result:
raise KeyError
- # Depending on the serializer, the value may be either a string or Binary object
+ # With a custom serializer, the value may be a Binary object
raw_value = result['Item']['value']
return raw_value.value if isinstance(raw_value, Binary) else raw_value
def __setitem__(self, key, value):
- item = {**self.composite_key(key), 'value': value}
+ item = {**self._composite_key(key), 'value': value}
+
+ # If enabled, set TTL value as a timestamp in unix format
+ if self.ttl and getattr(value, 'ttl', None):
+ item['ttl'] = int(time() + value.ttl)
+
self._table.put_item(Item=item)
def __delitem__(self, key):
- response = self._table.delete_item(Key=self.composite_key(key), ReturnValues='ALL_OLD')
+ response = self._table.delete_item(Key=self._composite_key(key), ReturnValues='ALL_OLD')
if 'Attributes' not in response:
raise KeyError
@@ -138,13 +164,13 @@ class DynamoDbDict(BaseStorage):
"""Delete multiple keys from the cache. Does not raise errors for missing keys."""
with self._table.batch_writer() as batch:
for key in keys:
- batch.delete_item(Key=self.composite_key(key))
+ batch.delete_item(Key=self._composite_key(key))
def clear(self):
self.bulk_delete((k for k in self))
-class DynamoDocumentDict(DynamoDbDict):
+class DynamoDbDocumentDict(DynamoDbDict):
"""Same as :class:`DynamoDbDict`, but serializes values before saving.
By default, responses are only partially serialized into a DynamoDB-compatible document format.