Skip to content
This repository has been archived by the owner on Jul 13, 2023. It is now read-only.

Commit

Permalink
feat: add flag to stop table rotation
Browse files Browse the repository at this point in the history
Closes #1172
  • Loading branch information
jrconlin committed Apr 18, 2018
1 parent b9cc703 commit decb493
Show file tree
Hide file tree
Showing 9 changed files with 245 additions and 37 deletions.
2 changes: 2 additions & 0 deletions autopush/config.py
Original file line number Diff line number Diff line change
Expand Up @@ -183,6 +183,8 @@ class AutopushConfig(object):
# DynamoDB endpoint override
aws_ddb_endpoint = attrib(default=None) # type: str

allow_table_rotation = attrib(default=True) # type: bool

def __attrs_post_init__(self):
"""Initialize the Settings object"""
# Setup hosts/ports/urls
Expand Down
99 changes: 81 additions & 18 deletions autopush/db.py
Original file line number Diff line number Diff line change
Expand Up @@ -137,17 +137,36 @@ def make_rotating_tablename(prefix, delta=0, date=None):


def create_rotating_message_table(
prefix="message", # type: str
delta=0, # type: int
date=None, # type: Optional[datetime.date]
read_throughput=5, # type: int
write_throughput=5, # type: int
boto_resource=None # type: DynamoDBResource
prefix="message", # type: str
delta=0, # type: int
date=None, # type: Optional[datetime.date]
read_throughput=5, # type: int
write_throughput=5, # type: int
boto_resource=None, # type: DynamoDBResource
):
# type: (...) -> Any # noqa
"""Create a new message table for webpush style message storage"""
"""Create a new message table for webpush style message storage with a
rotating name.
"""

tablename = make_rotating_tablename(prefix, delta, date)
return create_message_table(
tablename=tablename,
read_throughput=read_throughput,
write_throughput=write_throughput,
boto_resource=boto_resource
)


def create_message_table(
tablename, # type: str
read_throughput=5, # type: int
write_throughput=5, # type: int
boto_resource=None, # type: DynamoDBResource
):
# type: (...) -> Any # noqa
"""Create a new message table for webpush style message storage"""
try:
table = boto_resource.Table(tablename)
if table.table_status == 'ACTIVE':
Expand Down Expand Up @@ -458,6 +477,7 @@ def __init__(self, **kwargs):
if "region_name" in conf:
del(conf["region_name"])
self.conf = conf
self._latest_message_table = None
self._resource = boto3.resource(
"dynamodb",
config=botocore.config.Config(region_name=region),
Expand All @@ -466,6 +486,23 @@ def __init__(self, **kwargs):
def __getattr__(self, name):
return getattr(self._resource, name)

def get_latest_message_tablename(self, prefix="message"):
# type: (Optional[str]) -> str # noqa
"""Fetches the name of the last message table"""
if not self._latest_message_table:
client = self._resource.meta.client
paginator = client.get_paginator("list_tables")
tables = []
for table in paginator.paginate().search(
"TableNames[?contains(@,'{}')==`true`]|sort(@)[-1]".format(
prefix)):
tables.append(table)
if not len(tables) or tables[0] is None:
return prefix
tables.sort()
self._latest_message_table = tables[-1]
return self._latest_message_table


class DynamoDBTable(threading.local):
def __init__(self, ddb_resource, *args, **kwargs):
Expand All @@ -478,8 +515,9 @@ def __getattr__(self, name):

class Message(object):
"""Create a Message table abstraction on top of a DynamoDB Table object"""
def __init__(self, tablename, metrics=None, boto_resource=None,
max_ttl=MAX_EXPIRY):
def __init__(self, tablename=None, metrics=None, boto_resource=None,
max_ttl=MAX_EXPIRY,
table_base_string="message_"):
# type: (str, IMetrics, DynamoDBResource, int) -> None
"""Create a new Message object
Expand All @@ -488,10 +526,13 @@ def __init__(self, tablename, metrics=None, boto_resource=None,
:param boto_resource: DynamoDBResource for thread
"""
self.tablename = tablename
self._max_ttl = max_ttl
self.resource = boto_resource
if tablename is None:
tablename = boto_resource.get_latest_message_tablename(
table_base_string)
self.table = DynamoDBTable(self.resource, tablename)
self.tablename = tablename

def table_status(self):
return self.table.table_status
Expand Down Expand Up @@ -995,19 +1036,22 @@ class DatabaseManager(object):

router = attrib(default=None) # type: Optional[Router]
message_tables = attrib(default=Factory(list)) # type: List[str]
current_msg_month = attrib(init=False) # type: Optional[str]
current_msg_month = attrib(default=None, init=False) # type: Optional[str]
current_month = attrib(init=False) # type: Optional[int]
_message = attrib(default=None) # type: Optional[Message]
allow_table_rotation = attrib(default=True) # type: Optional[bool]
# for testing:

def __attrs_post_init__(self):
"""Initialize sane defaults"""
today = datetime.date.today()
self.current_month = today.month
self.current_msg_month = make_rotating_tablename(
self._message_conf.tablename,
date=today
)
if self.allow_table_rotation:
today = datetime.date.today()
self.current_month = today.month
self.current_msg_month = make_rotating_tablename(
self._message_conf.tablename,
date=today
)

if not self.resource:
self.resource = DynamoDBResource()

Expand All @@ -1027,6 +1071,7 @@ def from_config(cls,
message_conf=conf.message_table,
metrics=metrics,
resource=resource,
allow_table_rotation=conf.allow_table_rotation,
**kwargs
)

Expand Down Expand Up @@ -1054,7 +1099,8 @@ def setup_tables(self):
self.create_initial_message_tables()
self._message = Message(self.current_msg_month,
self.metrics,
boto_resource=self.resource)
boto_resource=self.resource,
table_base_string=self._message_conf.tablename)

@property
def message(self):
Expand All @@ -1078,6 +1124,21 @@ def create_initial_message_tables(self):
an entry for tomorrow, if tomorrow is a new month.
"""
if not self.allow_table_rotation:
tablename = self.resource.get_latest_message_tablename(
prefix=self._message_conf.tablename
)
if not table_exists(tablename,
boto_resource=self.resource):
create_message_table(
tablename=tablename,
read_throughput=self._message_conf.read_throughput,
write_throughput=self._message_conf.write_throughput,
boto_resource=self.resource
)
self.message_tables.append(tablename)
return

mconf = self._message_conf
today = datetime.date.today()
last_month = get_rotating_message_tablename(
Expand Down Expand Up @@ -1116,6 +1177,8 @@ def update_rotating_tables(self):
table objects on the settings object.
"""
if not self.allow_table_rotation:
returnValue(False)
mconf = self._message_conf
today = datetime.date.today()
tomorrow = self._tomorrow()
Expand Down
5 changes: 4 additions & 1 deletion autopush/diagnostic_cli.py
Original file line number Diff line number Diff line change
Expand Up @@ -69,7 +69,10 @@ def run(self):
print("\n")

if "current_month" in rec:
chans = Message(rec["current_month"],
month = None
if self._conf.allow_table_rotation:
month = rec["current_month"]
chans = Message(month,
boto_resource=self.db.resource).all_channels(uaid)
print("Channels in message table:")
self._pp.pprint(chans)
Expand Down
48 changes: 47 additions & 1 deletion autopush/tests/test_db.py
Original file line number Diff line number Diff line change
Expand Up @@ -84,6 +84,41 @@ def test_init_with_resources(self):
assert dm.resource is not None
assert isinstance(dm.resource, DynamoDBResource)

def test_init_with_no_rotate(self):
fake_conf = Mock()
fake_conf.allow_table_rotation = False
fake_conf.message_table = Mock()
fake_conf.message_table.tablename = "message_int_test"
fake_conf.message_table.read_throughput = 5
fake_conf.message_table.write_throughput = 5
dm = DatabaseManager.from_config(
fake_conf,
resource=autopush.tests.boto_resource)
dm.create_initial_message_tables()
assert dm.current_msg_month is None

def test_init_with_no_rotate_create_table(self):
fake_conf = Mock()
fake_conf.allow_table_rotation = False
fake_conf.message_table = Mock()
fake_conf.message_table.tablename = "message_bogus"
fake_conf.message_table.read_throughput = 5
fake_conf.message_table.write_throughput = 5
safe = autopush.tests.boto_resource._latest_message_table
try:
autopush.tests.boto_resource._latest_message_table = None
dm = DatabaseManager.from_config(
fake_conf,
resource=autopush.tests.boto_resource)
dm.create_initial_message_tables()
assert dm.current_msg_month is None
assert dm.message_tables == [fake_conf.message_table.tablename]
finally:
# clean up the bogus table.
autopush.tests.boto_resource._latest_message_table = safe
dm.resource._resource.meta.client.delete_table(
TableName=fake_conf.message_table.tablename)


class DdbResourceTest(unittest.TestCase):
@patch("boto3.resource")
Expand Down Expand Up @@ -205,10 +240,21 @@ def test_normalize_id(self):
class MessageTestCase(unittest.TestCase):
def setUp(self):
self.resource = autopush.tests.boto_resource
table = get_rotating_message_tablename(boto_resource=self.resource)
table = get_rotating_message_tablename(
prefix="message_int_test",
boto_resource=self.resource)
self.real_table = table
self.uaid = str(uuid.uuid4())

def test_non_rotating_tables(self):
message_tablename = "message_int_test"
message = Message(None, SinkMetrics(),
boto_resource=self.resource,
table_base_string=message_tablename)
table_name = self.resource.get_latest_message_tablename(
prefix=message_tablename)
assert message.tablename == table_name

def test_register(self):
chid = str(uuid.uuid4())

Expand Down
56 changes: 45 additions & 11 deletions autopush/tests/test_rs_integration.py
Original file line number Diff line number Diff line change
Expand Up @@ -13,11 +13,12 @@
import re
import socket
import time
import datetime
import uuid
from contextlib import contextmanager
from http.server import BaseHTTPRequestHandler, HTTPServer
from httplib import HTTPResponse # noqa
from mock import Mock, call
from mock import Mock, call, patch
from threading import Thread, Event
from unittest.case import SkipTest

Expand Down Expand Up @@ -114,6 +115,18 @@ class TestRustWebPush(unittest.TestCase):
use_cryptography=True,
)

def start_ep(self, ep_conf):
self._ep_conf = ep_conf

# Endpoint HTTP router
self.ep = ep = EndpointApplication(
ep_conf,
resource=autopush.tests.boto_resource
)
ep.setup(rotate_tables=False)
ep.startService()
self.addCleanup(ep.stopService)

def setUp(self):
self.logs = TestingLogObserver()
begin_or_register(self.logs)
Expand All @@ -133,16 +146,7 @@ def setUp(self):
human_logs=False,
**self.conn_kwargs()
)

# Endpoint HTTP router
self.ep = ep = EndpointApplication(
ep_conf,
resource=autopush.tests.boto_resource
)
ep.setup(rotate_tables=False)
ep.startService()
self.addCleanup(ep.stopService)

self.start_ep(ep_conf)
# Websocket server
self.conn = conn = RustConnectionApplication(
conn_conf,
Expand Down Expand Up @@ -182,6 +186,36 @@ def legacy_endpoint(self):
def _ws_url(self):
return "ws://localhost:{}/".format(self.connection_port)

@inlineCallbacks
def test_no_rotation(self):
# override autopush settings
safe = self._ep_conf.allow_table_rotation
self._ep_conf.allow_table_rotation = False
yield self.ep.stopService()
try:
self.start_ep(self._ep_conf)
data = str(uuid.uuid4())
client = yield self.quick_register()
result = yield client.send_notification(data=data)
assert result["headers"]["encryption"] == client._crypto_key
assert result["data"] == base64url_encode(data)
assert result["messageType"] == "notification"

assert len(self.ep.db.message_tables) == 1
table_name = self.ep.db.message_tables[0]
target_day = datetime.date(2016, 2, 29)
with patch.object(datetime, 'date',
Mock(wraps=datetime.date)) as patched:
patched.today.return_value = target_day
yield self.ep.db.update_rotating_tables()
assert len(self.ep.db.message_tables) == 1
assert table_name == self.ep.db.message_tables[0]
finally:
yield self.ep.stopService()
self._ep_conf.allow_table_rotation = safe
self.start_ep(self._ep_conf)
yield self.shut_down(client)

@inlineCallbacks
def test_hello_only_has_three_calls(self):
db.TRACK_DB_CALLS = True
Expand Down
14 changes: 14 additions & 0 deletions autopush/tests/test_webpush_server.py
Original file line number Diff line number Diff line change
Expand Up @@ -431,6 +431,20 @@ def test_migrate_user(self):
assert item is not None
assert len(channels) == 3

def test_no_migrate(self):
self.conf.allow_table_rotation = False
self.conf.message_table.tablename = "message_int_test"
self.db = db = DatabaseManager.from_config(
self.conf,
resource=autopush.tests.boto_resource
)
assert self.db.allow_table_rotation is False
db.setup_tables()
tablename = autopush.tests.boto_resource.get_latest_message_tablename(
prefix="message_int_test"
)
assert db.message.tablename == tablename


class TestRegisterProcessor(BaseSetup):

Expand Down
Loading

0 comments on commit decb493

Please sign in to comment.