initial import for Open Source 🎉
This commit is contained in:
		
							parent
							
								
									1898c361f3
								
							
						
					
					
						commit
						9c0dd3b722
					
				
					 2048 changed files with 218743 additions and 0 deletions
				
			
		
							
								
								
									
										47
									
								
								data/test/test_encryption.py
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										47
									
								
								data/test/test_encryption.py
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,47 @@ | |||
| # -*- coding: utf-8 -*- | ||||
| 
 | ||||
| import pytest | ||||
| 
 | ||||
| from data.encryption import FieldEncrypter, _VERSIONS, DecryptionFailureException | ||||
| 
 | ||||
| @pytest.mark.parametrize('test_data', [ | ||||
|   '', | ||||
|   'hello world', | ||||
|   'wassup?!', | ||||
|   'IGZ2Y8KUN3EFWAZZXR3D7U4V5NXDVYZI5VGU6STPB6KM83PAB8WRGM32RD9FW0C0', | ||||
|   'JLRFBYS1EHKUE73S99HWOQWNPGLUZTBRF5HQEFUJS5BK3XVB54RNXYV4AUMJXCMC', | ||||
|   'a' * 3, | ||||
|   'a' * 4, | ||||
|   'a' * 5, | ||||
|   'a' * 31, | ||||
|   'a' * 32, | ||||
|   'a' * 33, | ||||
|   'a' * 150, | ||||
|   u'😇', | ||||
| ]) | ||||
| @pytest.mark.parametrize('version', _VERSIONS.keys()) | ||||
| @pytest.mark.parametrize('secret_key', [ | ||||
|   u'test1234', | ||||
|   'test1234', | ||||
|   'thisisanothercoolsecretkeyhere', | ||||
|   '107383705745765174750346070528443780244192102846031525796571939503548634055845', | ||||
| ]) | ||||
| @pytest.mark.parametrize('use_valid_key', [ | ||||
|   True, | ||||
|   False, | ||||
| ]) | ||||
| def test_encryption(test_data, version, secret_key, use_valid_key): | ||||
|   encrypter = FieldEncrypter(secret_key, version) | ||||
|   encrypted = encrypter.encrypt_value(test_data, field_max_length=255) | ||||
|   assert encrypted != test_data | ||||
| 
 | ||||
|   if use_valid_key: | ||||
|     decrypted = encrypter.decrypt_value(encrypted) | ||||
|     assert decrypted == test_data | ||||
| 
 | ||||
|     with pytest.raises(DecryptionFailureException): | ||||
|       encrypter.decrypt_value('somerandomvalue') | ||||
|   else: | ||||
|     decrypter = FieldEncrypter('some other key', version) | ||||
|     with pytest.raises(DecryptionFailureException): | ||||
|       decrypter.decrypt_value(encrypted) | ||||
							
								
								
									
										420
									
								
								data/test/test_queue.py
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										420
									
								
								data/test/test_queue.py
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,420 @@ | |||
| import json | ||||
| import time | ||||
| 
 | ||||
| import pytest | ||||
| 
 | ||||
| from contextlib import contextmanager | ||||
| from datetime import datetime, timedelta | ||||
| from functools import wraps | ||||
| 
 | ||||
| from data.database import QueueItem | ||||
| from data.queue import WorkQueue, MINIMUM_EXTENSION | ||||
| 
 | ||||
| from test.fixtures import * | ||||
| 
 | ||||
| QUEUE_NAME = 'testqueuename' | ||||
| 
 | ||||
| 
 | ||||
| class SaveLastCountReporter(object): | ||||
|   def __init__(self): | ||||
|     self.currently_processing = None | ||||
|     self.running_count = None | ||||
|     self.total = None | ||||
| 
 | ||||
|   def __call__(self, currently_processing, running_count, total_jobs): | ||||
|     self.currently_processing = currently_processing | ||||
|     self.running_count = running_count | ||||
|     self.total = total_jobs | ||||
| 
 | ||||
| 
 | ||||
| class AutoUpdatingQueue(object): | ||||
|   def __init__(self, queue_to_wrap): | ||||
|     self._queue = queue_to_wrap | ||||
| 
 | ||||
|   def _wrapper(self, func): | ||||
|     @wraps(func) | ||||
|     def wrapper(*args, **kwargs): | ||||
|       to_return = func(*args, **kwargs) | ||||
|       self._queue.update_metrics() | ||||
|       return to_return | ||||
|     return wrapper | ||||
| 
 | ||||
|   def __getattr__(self, attr_name): | ||||
|     method_or_attr = getattr(self._queue, attr_name) | ||||
|     if callable(method_or_attr): | ||||
|       return self._wrapper(method_or_attr) | ||||
|     else: | ||||
|       return method_or_attr | ||||
| 
 | ||||
| 
 | ||||
| TEST_MESSAGE_1 = json.dumps({'data': 1}) | ||||
| TEST_MESSAGE_2 = json.dumps({'data': 2}) | ||||
| TEST_MESSAGES = [json.dumps({'data': str(i)}) for i in range(1, 101)] | ||||
| 
 | ||||
| 
 | ||||
| @contextmanager | ||||
| def fake_transaction(arg): | ||||
|   yield | ||||
| 
 | ||||
| @pytest.fixture() | ||||
| def reporter(): | ||||
|   return SaveLastCountReporter() | ||||
| 
 | ||||
| 
 | ||||
| @pytest.fixture() | ||||
| def transaction_factory(): | ||||
|   return fake_transaction | ||||
| 
 | ||||
| 
 | ||||
| @pytest.fixture() | ||||
| def queue(reporter, transaction_factory, initialized_db): | ||||
|   return AutoUpdatingQueue(WorkQueue(QUEUE_NAME, transaction_factory, reporter=reporter)) | ||||
| 
 | ||||
| 
 | ||||
| def test_get_single_item(queue, reporter, transaction_factory): | ||||
|   # Add a single item to the queue. | ||||
|   queue.put(['abc', 'def'], TEST_MESSAGE_1, available_after=-1) | ||||
| 
 | ||||
|   # Have two "instances" retrieve an item to claim. Since there is only one, both calls should | ||||
|   # return the same item. | ||||
|   now = datetime.utcnow() | ||||
|   first_item = queue._select_available_item(False, now) | ||||
|   second_item = queue._select_available_item(False, now) | ||||
| 
 | ||||
|   assert first_item.id == second_item.id | ||||
|   assert first_item.state_id == second_item.state_id | ||||
| 
 | ||||
|   # Have both "instances" now try to claim the item. Only one should succeed. | ||||
|   first_claimed = queue._attempt_to_claim_item(first_item, now, 300) | ||||
|   second_claimed = queue._attempt_to_claim_item(first_item, now, 300) | ||||
| 
 | ||||
|   assert first_claimed | ||||
|   assert not second_claimed | ||||
| 
 | ||||
|   # Ensure the item is no longer available. | ||||
|   assert queue.get() is None | ||||
| 
 | ||||
|   # Ensure the item's state ID has changed. | ||||
|   assert first_item.state_id != QueueItem.get().state_id | ||||
| 
 | ||||
| def test_extend_processing(queue, reporter, transaction_factory): | ||||
|   # Add and retrieve a queue item. | ||||
|   queue.put(['abc', 'def'], TEST_MESSAGE_1, available_after=-1) | ||||
|   queue_item = queue.get(processing_time=10) | ||||
|   assert queue_item is not None | ||||
| 
 | ||||
|   existing_db_item = QueueItem.get(id=queue_item.id) | ||||
| 
 | ||||
|   # Call extend processing with a timedelta less than the minimum and ensure its | ||||
|   # processing_expires and state_id do not change. | ||||
|   changed = queue.extend_processing(queue_item, 10 + MINIMUM_EXTENSION.total_seconds() - 1) | ||||
|   assert not changed | ||||
| 
 | ||||
|   updated_db_item = QueueItem.get(id=queue_item.id) | ||||
| 
 | ||||
|   assert existing_db_item.processing_expires == updated_db_item.processing_expires | ||||
|   assert existing_db_item.state_id == updated_db_item.state_id | ||||
| 
 | ||||
|   # Call extend processing with a timedelta greater than the minimum and ensure its | ||||
|   # processing_expires and state_id are changed. | ||||
|   changed = queue.extend_processing(queue_item, 10 + MINIMUM_EXTENSION.total_seconds() + 1) | ||||
|   assert changed | ||||
| 
 | ||||
|   updated_db_item = QueueItem.get(id=queue_item.id) | ||||
| 
 | ||||
|   assert existing_db_item.processing_expires != updated_db_item.processing_expires | ||||
|   assert existing_db_item.state_id != updated_db_item.state_id | ||||
| 
 | ||||
|   # Call extend processing with a timedelta less than the minimum but also with new data and | ||||
|   # ensure its processing_expires and state_id are changed. | ||||
|   changed = queue.extend_processing(queue_item, 10 + MINIMUM_EXTENSION.total_seconds() - 1, | ||||
|                                     updated_data='newbody') | ||||
|   assert changed | ||||
| 
 | ||||
|   updated_db_item = QueueItem.get(id=queue_item.id) | ||||
| 
 | ||||
|   assert existing_db_item.processing_expires != updated_db_item.processing_expires | ||||
|   assert existing_db_item.state_id != updated_db_item.state_id | ||||
|   assert updated_db_item.body == 'newbody' | ||||
| 
 | ||||
| def test_same_canonical_names(queue, reporter, transaction_factory): | ||||
|   assert reporter.currently_processing is None | ||||
|   assert reporter.running_count is None | ||||
|   assert reporter.total is None | ||||
| 
 | ||||
|   id_1 = int(queue.put(['abc', 'def'], TEST_MESSAGE_1, available_after=-1)) | ||||
|   id_2 = int(queue.put(['abc', 'def'], TEST_MESSAGE_2, available_after=-1)) | ||||
|   assert id_1 + 1 == id_2 | ||||
|   assert not reporter.currently_processing | ||||
|   assert reporter.running_count == 0 | ||||
|   assert reporter.total == 1 | ||||
| 
 | ||||
|   one = queue.get(ordering_required=True) | ||||
|   assert one is not None | ||||
|   assert one.body == TEST_MESSAGE_1 | ||||
|   assert reporter.currently_processing | ||||
|   assert reporter.running_count == 1 | ||||
|   assert reporter.total == 1 | ||||
| 
 | ||||
|   two_fail = queue.get(ordering_required=True) | ||||
|   assert two_fail is None | ||||
|   assert reporter.running_count == 1 | ||||
|   assert reporter.total == 1 | ||||
| 
 | ||||
|   queue.complete(one) | ||||
|   assert not reporter.currently_processing | ||||
|   assert reporter.running_count == 0 | ||||
|   assert reporter.total == 1 | ||||
| 
 | ||||
|   two = queue.get(ordering_required=True) | ||||
|   assert two is not None | ||||
|   assert reporter.currently_processing | ||||
|   assert two.body == TEST_MESSAGE_2 | ||||
|   assert reporter.running_count == 1 | ||||
|   assert reporter.total == 1 | ||||
| 
 | ||||
| def test_different_canonical_names(queue, reporter, transaction_factory): | ||||
|   queue.put(['abc', 'def'], TEST_MESSAGE_1, available_after=-1) | ||||
|   queue.put(['abc', 'ghi'], TEST_MESSAGE_2, available_after=-1) | ||||
|   assert reporter.running_count == 0 | ||||
|   assert reporter.total == 2 | ||||
| 
 | ||||
|   one = queue.get(ordering_required=True) | ||||
|   assert one is not None | ||||
|   assert one.body == TEST_MESSAGE_1 | ||||
|   assert reporter.running_count == 1 | ||||
|   assert reporter.total == 2 | ||||
| 
 | ||||
|   two = queue.get(ordering_required=True) | ||||
|   assert two is not None | ||||
|   assert two.body == TEST_MESSAGE_2 | ||||
|   assert reporter.running_count == 2 | ||||
|   assert reporter.total == 2 | ||||
| 
 | ||||
| def test_canonical_name(queue, reporter, transaction_factory): | ||||
|   queue.put(['abc', 'def'], TEST_MESSAGE_1, available_after=-1) | ||||
|   queue.put(['abc', 'def', 'ghi'], TEST_MESSAGE_1, available_after=-1) | ||||
| 
 | ||||
|   one = queue.get(ordering_required=True) | ||||
|   assert QUEUE_NAME + '/abc/def/' != one | ||||
| 
 | ||||
|   two = queue.get(ordering_required=True) | ||||
|   assert QUEUE_NAME + '/abc/def/ghi/' != two | ||||
| 
 | ||||
| def test_expiration(queue, reporter, transaction_factory): | ||||
|   queue.put(['abc', 'def'], TEST_MESSAGE_1, available_after=-1) | ||||
|   assert reporter.running_count == 0 | ||||
|   assert reporter.total == 1 | ||||
| 
 | ||||
|   one = queue.get(processing_time=0.5, ordering_required=True) | ||||
|   assert one is not None | ||||
|   assert reporter.running_count == 1 | ||||
|   assert reporter.total == 1 | ||||
| 
 | ||||
|   one_fail = queue.get(ordering_required=True) | ||||
|   assert one_fail is None | ||||
| 
 | ||||
|   time.sleep(1) | ||||
|   queue.update_metrics() | ||||
|   assert reporter.running_count == 0 | ||||
|   assert reporter.total == 1 | ||||
| 
 | ||||
|   one_again = queue.get(ordering_required=True) | ||||
|   assert one_again is not None | ||||
|   assert reporter.running_count == 1 | ||||
|   assert reporter.total == 1 | ||||
| 
 | ||||
| def test_alive(queue, reporter, transaction_factory): | ||||
|   # No queue item = not alive. | ||||
|   assert not queue.alive(['abc', 'def']) | ||||
| 
 | ||||
|   # Add a queue item. | ||||
|   queue.put(['abc', 'def'], TEST_MESSAGE_1, available_after=-1) | ||||
|   assert queue.alive(['abc', 'def']) | ||||
| 
 | ||||
|   # Retrieve the queue item. | ||||
|   queue_item = queue.get() | ||||
|   assert queue_item is not None | ||||
|   assert queue.alive(['abc', 'def']) | ||||
| 
 | ||||
|   # Make sure it is running by trying to retrieve it again. | ||||
|   assert queue.get() is None | ||||
| 
 | ||||
|   # Delete the queue item. | ||||
|   queue.complete(queue_item) | ||||
|   assert not queue.alive(['abc', 'def']) | ||||
| 
 | ||||
| def test_specialized_queue(queue, reporter, transaction_factory): | ||||
|   queue.put(['abc', 'def'], TEST_MESSAGE_1, available_after=-1) | ||||
|   queue.put(['def', 'def'], TEST_MESSAGE_2, available_after=-1) | ||||
| 
 | ||||
|   my_queue = AutoUpdatingQueue(WorkQueue(QUEUE_NAME, transaction_factory, ['def'])) | ||||
| 
 | ||||
|   two = my_queue.get(ordering_required=True) | ||||
|   assert two is not None | ||||
|   assert two.body == TEST_MESSAGE_2 | ||||
| 
 | ||||
|   one_fail = my_queue.get(ordering_required=True) | ||||
|   assert one_fail is None | ||||
| 
 | ||||
|   one = queue.get(ordering_required=True) | ||||
|   assert one is not None | ||||
|   assert one.body == TEST_MESSAGE_1 | ||||
| 
 | ||||
| def test_random_queue_no_duplicates(queue, reporter, transaction_factory): | ||||
|   for msg in TEST_MESSAGES: | ||||
|     queue.put(['abc', 'def'], msg, available_after=-1) | ||||
|   seen = set() | ||||
| 
 | ||||
|   for _ in range(1, 101): | ||||
|     item = queue.get() | ||||
|     json_body = json.loads(item.body) | ||||
|     msg = str(json_body['data']) | ||||
|     assert msg not in seen | ||||
|     seen.add(msg) | ||||
| 
 | ||||
|   for body in TEST_MESSAGES: | ||||
|     json_body = json.loads(body) | ||||
|     msg = str(json_body['data']) | ||||
|     assert msg in seen | ||||
| 
 | ||||
| def test_bulk_insert(queue, reporter, transaction_factory): | ||||
|   assert reporter.currently_processing is None | ||||
|   assert reporter.running_count is None | ||||
|   assert reporter.total is None | ||||
| 
 | ||||
|   with queue.batch_insert() as queue_put: | ||||
|     queue_put(['abc', 'def'], TEST_MESSAGE_1, available_after=-1) | ||||
|     queue_put(['abc', 'def'], TEST_MESSAGE_2, available_after=-1) | ||||
| 
 | ||||
|   queue.update_metrics() | ||||
|   assert not reporter.currently_processing | ||||
|   assert reporter.running_count == 0 | ||||
|   assert reporter.total == 1 | ||||
| 
 | ||||
|   with queue.batch_insert() as queue_put: | ||||
|     queue_put(['abd', 'def'], TEST_MESSAGE_1, available_after=-1) | ||||
|     queue_put(['abd', 'ghi'], TEST_MESSAGE_2, available_after=-1) | ||||
| 
 | ||||
|   queue.update_metrics() | ||||
|   assert not reporter.currently_processing | ||||
|   assert reporter.running_count == 0 | ||||
|   assert reporter.total == 3 | ||||
| 
 | ||||
| def test_num_available_between(queue, reporter, transaction_factory): | ||||
|   now = datetime.utcnow() | ||||
|   queue.put(['abc', 'def'], TEST_MESSAGE_1, available_after=-10) | ||||
|   queue.put(['abc', 'ghi'], TEST_MESSAGE_2, available_after=-5) | ||||
| 
 | ||||
|   # Partial results | ||||
|   count = queue.num_available_jobs_between(now-timedelta(seconds=8), now, ['abc']) | ||||
|   assert count == 1 | ||||
| 
 | ||||
|   # All results | ||||
|   count = queue.num_available_jobs_between(now-timedelta(seconds=20), now, ['/abc']) | ||||
|   assert count == 2 | ||||
| 
 | ||||
|   # No results | ||||
|   count = queue.num_available_jobs_between(now, now, 'abc') | ||||
|   assert count == 0 | ||||
| 
 | ||||
| def test_incomplete(queue, reporter, transaction_factory): | ||||
|   # Add an item. | ||||
|   queue.put(['somenamespace', 'abc', 'def'], TEST_MESSAGE_1, available_after=-10) | ||||
| 
 | ||||
|   now = datetime.utcnow() | ||||
|   count = queue.num_available_jobs_between(now - timedelta(seconds=60), now, ['/somenamespace']) | ||||
|   assert count == 1 | ||||
| 
 | ||||
|   # Retrieve it. | ||||
|   item = queue.get() | ||||
|   assert item is not None | ||||
|   assert reporter.currently_processing | ||||
| 
 | ||||
|   # Mark it as incomplete. | ||||
|   queue.incomplete(item, retry_after=-1) | ||||
|   assert not reporter.currently_processing | ||||
| 
 | ||||
|   # Retrieve again to ensure it is once again available. | ||||
|   same_item = queue.get() | ||||
|   assert same_item is not None | ||||
|   assert reporter.currently_processing | ||||
| 
 | ||||
|   assert item.id == same_item.id | ||||
| 
 | ||||
| def test_complete(queue, reporter, transaction_factory): | ||||
|   # Add an item. | ||||
|   queue.put(['somenamespace', 'abc', 'def'], TEST_MESSAGE_1, available_after=-10) | ||||
| 
 | ||||
|   now = datetime.utcnow() | ||||
|   count = queue.num_available_jobs_between(now - timedelta(seconds=60), now, ['/somenamespace']) | ||||
|   assert count == 1 | ||||
| 
 | ||||
|   # Retrieve it. | ||||
|   item = queue.get() | ||||
|   assert item is not None | ||||
|   assert reporter.currently_processing | ||||
| 
 | ||||
|   # Mark it as complete. | ||||
|   queue.complete(item) | ||||
|   assert not reporter.currently_processing | ||||
| 
 | ||||
| def test_cancel(queue, reporter, transaction_factory): | ||||
|   # Add an item. | ||||
|   queue.put(['somenamespace', 'abc', 'def'], TEST_MESSAGE_1, available_after=-10) | ||||
|   queue.put(['somenamespace', 'abc', 'def'], TEST_MESSAGE_2, available_after=-5) | ||||
| 
 | ||||
|   now = datetime.utcnow() | ||||
|   count = queue.num_available_jobs_between(now - timedelta(seconds=60), now, ['/somenamespace']) | ||||
|   assert count == 2 | ||||
| 
 | ||||
|   # Retrieve it. | ||||
|   item = queue.get() | ||||
|   assert item is not None | ||||
| 
 | ||||
|   # Make sure we can cancel it. | ||||
|   assert queue.cancel(item.id) | ||||
| 
 | ||||
|   now = datetime.utcnow() | ||||
|   count = queue.num_available_jobs_between(now - timedelta(seconds=60), now, ['/somenamespace']) | ||||
|   assert count == 1 | ||||
| 
 | ||||
|   # Make sure it is gone. | ||||
|   assert not queue.cancel(item.id) | ||||
| 
 | ||||
| def test_deleted_namespaced_items(queue, reporter, transaction_factory): | ||||
|   queue = AutoUpdatingQueue(WorkQueue(QUEUE_NAME, transaction_factory, | ||||
|                                       reporter=reporter, | ||||
|                                       has_namespace=True)) | ||||
| 
 | ||||
|   queue.put(['somenamespace', 'abc', 'def'], TEST_MESSAGE_1, available_after=-10) | ||||
|   queue.put(['somenamespace', 'abc', 'ghi'], TEST_MESSAGE_2, available_after=-5) | ||||
|   queue.put(['anothernamespace', 'abc', 'def'], TEST_MESSAGE_1, available_after=-10) | ||||
| 
 | ||||
|   # Ensure we have 2 items under `somenamespace` and 1 item under `anothernamespace`. | ||||
|   now = datetime.utcnow() | ||||
|   count = queue.num_available_jobs_between(now - timedelta(seconds=60), now, ['/somenamespace']) | ||||
|   assert count == 2 | ||||
| 
 | ||||
|   count = queue.num_available_jobs_between(now - timedelta(seconds=60), now, ['/anothernamespace']) | ||||
|   assert count == 1 | ||||
| 
 | ||||
|   # Delete all `somenamespace` items. | ||||
|   queue.delete_namespaced_items('somenamespace') | ||||
| 
 | ||||
|   # Check the updated counts. | ||||
|   count = queue.num_available_jobs_between(now - timedelta(seconds=60), now, ['/somenamespace']) | ||||
|   assert count == 0 | ||||
| 
 | ||||
|   count = queue.num_available_jobs_between(now - timedelta(seconds=60), now, ['/anothernamespace']) | ||||
|   assert count == 1 | ||||
| 
 | ||||
|   # Delete all `anothernamespace` items. | ||||
|   queue.delete_namespaced_items('anothernamespace') | ||||
| 
 | ||||
|   # Check the updated counts. | ||||
|   count = queue.num_available_jobs_between(now - timedelta(seconds=60), now, ['/somenamespace']) | ||||
|   assert count == 0 | ||||
| 
 | ||||
|   count = queue.num_available_jobs_between(now - timedelta(seconds=60), now, ['/anothernamespace']) | ||||
|   assert count == 0 | ||||
							
								
								
									
										102
									
								
								data/test/test_readreplica.py
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										102
									
								
								data/test/test_readreplica.py
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,102 @@ | |||
| import os | ||||
| import shutil | ||||
| 
 | ||||
| import pytest | ||||
| 
 | ||||
| from peewee import OperationalError | ||||
| 
 | ||||
| from data.database import configure, User, read_only_config | ||||
| from data.readreplica import ReadOnlyModeException | ||||
| from test.testconfig import FakeTransaction | ||||
| from test.fixtures import * | ||||
| 
 | ||||
| 
 | ||||
| @pytest.mark.skipif(bool(os.environ.get('TEST_DATABASE_URI')), reason='Testing requires SQLite') | ||||
| def test_readreplica(init_db_path, tmpdir_factory): | ||||
|   primary_file = str(tmpdir_factory.mktemp("data").join("primary.db")) | ||||
|   replica_file = str(tmpdir_factory.mktemp("data").join("replica.db")) | ||||
| 
 | ||||
|   # Copy the initialized database to two different locations. | ||||
|   shutil.copy2(init_db_path, primary_file) | ||||
|   shutil.copy2(init_db_path, replica_file) | ||||
| 
 | ||||
|   db_config = { | ||||
|     'DB_URI': 'sqlite:///{0}'.format(primary_file), | ||||
|     'DB_READ_REPLICAS': [ | ||||
|       {'DB_URI': 'sqlite:///{0}'.format(replica_file)}, | ||||
|     ], | ||||
|     "DB_CONNECTION_ARGS": { | ||||
|       'threadlocals': True, | ||||
|       'autorollback': True, | ||||
|     }, | ||||
|     "DB_TRANSACTION_FACTORY": lambda x: FakeTransaction(), | ||||
|     "FOR_TESTING": True, | ||||
|     "DATABASE_SECRET_KEY": "anothercrazykey!", | ||||
|   } | ||||
| 
 | ||||
|   # Initialize the DB with the primary and the replica. | ||||
|   configure(db_config) | ||||
|   assert not read_only_config.obj.is_readonly | ||||
|   assert read_only_config.obj.read_replicas | ||||
| 
 | ||||
|   # Ensure we can read the data. | ||||
|   devtable_user = User.get(username='devtable') | ||||
|   assert devtable_user.username == 'devtable' | ||||
| 
 | ||||
|   # Configure with a bad primary. Reading should still work since we're hitting the replica. | ||||
|   db_config['DB_URI'] = 'sqlite:///does/not/exist' | ||||
|   configure(db_config) | ||||
| 
 | ||||
|   assert not read_only_config.obj.is_readonly | ||||
|   assert read_only_config.obj.read_replicas | ||||
| 
 | ||||
|   devtable_user = User.get(username='devtable') | ||||
|   assert devtable_user.username == 'devtable' | ||||
| 
 | ||||
|   # Try to change some data. This should fail because the primary is broken. | ||||
|   with pytest.raises(OperationalError): | ||||
|     devtable_user.email = 'newlychanged' | ||||
|     devtable_user.save() | ||||
| 
 | ||||
|   # Fix the primary and try again. | ||||
|   db_config['DB_URI'] = 'sqlite:///{0}'.format(primary_file) | ||||
|   configure(db_config) | ||||
| 
 | ||||
|   assert not read_only_config.obj.is_readonly | ||||
|   assert read_only_config.obj.read_replicas | ||||
| 
 | ||||
|   devtable_user.email = 'newlychanged' | ||||
|   devtable_user.save() | ||||
| 
 | ||||
|   # Mark the system as readonly. | ||||
|   db_config['DB_URI'] = 'sqlite:///{0}'.format(primary_file) | ||||
|   db_config['REGISTRY_STATE'] = 'readonly' | ||||
|   configure(db_config) | ||||
| 
 | ||||
|   assert read_only_config.obj.is_readonly | ||||
|   assert read_only_config.obj.read_replicas | ||||
| 
 | ||||
|   # Ensure all write operations raise a readonly mode exception. | ||||
|   with pytest.raises(ReadOnlyModeException): | ||||
|     devtable_user.email = 'newlychanged2' | ||||
|     devtable_user.save() | ||||
| 
 | ||||
|   with pytest.raises(ReadOnlyModeException): | ||||
|     User.create(username='foo') | ||||
| 
 | ||||
|   with pytest.raises(ReadOnlyModeException): | ||||
|     User.delete().where(User.username == 'foo').execute() | ||||
| 
 | ||||
|   with pytest.raises(ReadOnlyModeException): | ||||
|     User.update(username='bar').where(User.username == 'foo').execute() | ||||
| 
 | ||||
|   # Reset the config on the DB, so we don't mess up other tests. | ||||
|   configure({ | ||||
|     'DB_URI': 'sqlite:///{0}'.format(primary_file), | ||||
|     "DB_CONNECTION_ARGS": { | ||||
|       'threadlocals': True, | ||||
|       'autorollback': True, | ||||
|     }, | ||||
|     "DB_TRANSACTION_FACTORY": lambda x: FakeTransaction(), | ||||
|     "DATABASE_SECRET_KEY": "anothercrazykey!", | ||||
|   }) | ||||
							
								
								
									
										29
									
								
								data/test/test_text.py
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										29
									
								
								data/test/test_text.py
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,29 @@ | |||
| import pytest | ||||
| 
 | ||||
| from data.text import match_mysql, match_like | ||||
| from data.database import Repository | ||||
| from test.fixtures import * | ||||
| 
 | ||||
| @pytest.mark.parametrize('input', [ | ||||
|   ('hello world'), | ||||
|   ('hello \' world'), | ||||
|   ('hello " world'), | ||||
|   ('hello ` world'), | ||||
| ]) | ||||
| def test_mysql_text_escaping(input): | ||||
|   query, values = Repository.select().where(match_mysql(Repository.description, input)).sql() | ||||
|   assert input not in query | ||||
| 
 | ||||
| 
 | ||||
| @pytest.mark.parametrize('input, expected', [ | ||||
|   ('hello world', 'hello world'), | ||||
|   ('hello \'world', 'hello world'), | ||||
|   ('hello "world', 'hello world'), | ||||
|   ('hello `world', 'hello world'), | ||||
|   ('hello !world', 'hello !!world'), | ||||
|   ('hello %world', 'hello !%world'), | ||||
| ]) | ||||
| def test_postgres_text_escaping(input, expected): | ||||
|   query, values = Repository.select().where(match_like(Repository.description, input)).sql() | ||||
|   assert input not in query | ||||
|   assert values[0] == '%' + expected + '%' | ||||
							
								
								
									
										54
									
								
								data/test/test_userfiles.py
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										54
									
								
								data/test/test_userfiles.py
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,54 @@ | |||
| import pytest | ||||
| 
 | ||||
| from mock import Mock | ||||
| from io import BytesIO | ||||
| 
 | ||||
| from data.userfiles import DelegateUserfiles, Userfiles | ||||
| from test.fixtures import * | ||||
| 
 | ||||
| 
 | ||||
| @pytest.mark.parametrize('prefix,path,expected', [ | ||||
|   ('test', 'foo', 'test/foo'), | ||||
|   ('test', 'bar', 'test/bar'), | ||||
|   ('test', '/bar', 'test/bar'), | ||||
|   ('test', '../foo', 'test/foo'), | ||||
|   ('test', 'foo/bar/baz', 'test/baz'), | ||||
|   ('test', 'foo/../baz', 'test/baz'), | ||||
| 
 | ||||
|   (None, 'foo', 'foo'), | ||||
|   (None, 'foo/bar/baz', 'baz'), | ||||
| ]) | ||||
| def test_filepath(prefix, path, expected): | ||||
|   userfiles = DelegateUserfiles(None, None, 'local_us', prefix) | ||||
|   assert userfiles.get_file_id_path(path) == expected | ||||
| 
 | ||||
| 
 | ||||
| def test_lookup_userfile(app, client): | ||||
|   uuid = 'deadbeef-dead-beef-dead-beefdeadbeef' | ||||
|   bad_uuid = 'deadduck-dead-duck-dead-duckdeadduck' | ||||
|   upper_uuid = 'DEADBEEF-DEAD-BEEF-DEAD-BEEFDEADBEEF' | ||||
| 
 | ||||
|   def _stream_read_file(locations, path): | ||||
|     if path.find(uuid) > 0 or path.find(upper_uuid) > 0: | ||||
|       return BytesIO("hello world") | ||||
| 
 | ||||
|     raise IOError('Not found!') | ||||
| 
 | ||||
|   storage_mock = Mock() | ||||
|   storage_mock.stream_read_file = _stream_read_file | ||||
| 
 | ||||
|   app.config['USERFILES_PATH'] = 'foo' | ||||
|   Userfiles(app, distributed_storage=storage_mock, path='mockuserfiles', | ||||
|             handler_name='mockuserfiles') | ||||
| 
 | ||||
|   rv = client.open('/mockuserfiles/' + uuid, method='GET') | ||||
|   assert rv.status_code == 200 | ||||
| 
 | ||||
|   rv = client.open('/mockuserfiles/' + upper_uuid, method='GET') | ||||
|   assert rv.status_code == 200 | ||||
| 
 | ||||
|   rv = client.open('/mockuserfiles/' + bad_uuid, method='GET') | ||||
|   assert rv.status_code == 404 | ||||
| 
 | ||||
|   rv = client.open('/mockuserfiles/foo/bar/baz', method='GET') | ||||
|   assert rv.status_code == 404 | ||||
		Reference in a new issue