diff --git a/boto3/dynamodb/transform.py b/boto3/dynamodb/transform.py new file mode 100644 index 0000000000..62b7f57012 --- /dev/null +++ b/boto3/dynamodb/transform.py @@ -0,0 +1,188 @@ +# Copyright 2015 Amazon.com, Inc. or its affiliates. All Rights Reserved. +# +# Licensed under the Apache License, Version 2.0 (the "License"). You +# may not use this file except in compliance with the License. A copy of +# the License is located at +# +# http://aws.amazon.com/apache2.0/ +# +# or in the "license" file accompanying this file. This file is +# distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF +# ANY KIND, either express or implied. See the License for the specific +# language governing permissions and limitations under the License. +from collections import Mapping +import functools + +from boto3.dynamodb.types import TypeSerializer, TypeDeserializer +from boto3.dynamodb.conditions import ConditionBase +from boto3.dynamodb.conditions import ConditionExpressionBuilder + + +def register_high_level_interface(base_classes, **kwargs): + # This assumes the base class is the base resource object + resource_base_class = base_classes[0] + + class DynamoDBHighLevelResource(resource_base_class): + def __init__(self, *args, **kwargs): + super(DynamoDBHighLevelResource, self).__init__(*args, **kwargs) + # Apply the handler that generates condition expressions including + # placeholders. + + self.meta.client.meta.events.register( + 'before-parameter-build.dynamodb', + transform_condition_expressions, + unique_id='dynamodb-condition-expression') + + # Apply the handler that serializes the request from python + # types to dynamodb types. + self.meta.client.meta.events.register( + 'before-parameter-build.dynamodb', + transform_attribute_value_input, + unique_id='dynamodb-attr-value-input') + + # Apply the handler that deserializes the response from dynamodb + # types to python types. + self.meta.client.meta.events.register( + 'after-call.dynamodb', transform_attribute_value_output, + unique_id='dynamodb-attr-value-output') + + base_classes[0] = DynamoDBHighLevelResource + + +def transform_condition_expressions(params, model, **kwargs): + transformer = ParameterTransformer() + condition_builder = ConditionExpressionBuilder() + + def inject_condition_expression(value, transformer, condition_builder, + original_params, model, placeholder_names, + placeholder_values, + is_key_condition=False): + if isinstance(value, ConditionBase): + # Create a conditional expression string with placeholders + # for the provided condition. + expr, attr_names, attr_values = condition_builder.build_expression( + value, is_key_condition=is_key_condition) + + placeholder_names.update(attr_names) + placeholder_values.update(attr_values) + + return expr + # Use the user provided value if it is not a ConditonBase object. + return value + + generated_names = {} + generated_values = {} + + # Apply transformation for conditon and key conditon expression parameters. + cond_exp_transformation = functools.partial( + inject_condition_expression, transformer=transformer, + condition_builder=condition_builder, original_params=params, + model=model, placeholder_names=generated_names, + placeholder_values=generated_values, is_key_condition=False) + transformer.transform( + params, model.input_shape, cond_exp_transformation, + 'ConditionExpression') + + key_exp_transformation = functools.partial( + inject_condition_expression, transformer=transformer, + condition_builder=condition_builder, original_params=params, + model=model, placeholder_names=generated_names, + placeholder_values=generated_values, is_key_condition=True) + transformer.transform( + params, model.input_shape, key_exp_transformation, 'KeyExpression') + + expr_attr_names_input = 'ExpressionAttributeNames' + expr_attr_values_input = 'ExpressionAttributeValues' + + # Now that all of the condition expression transformation are done, + # update the placeholder dictionaries in the request. + if expr_attr_names_input in params: + params[expr_attr_names_input].update(generated_names) + else: + if generated_names: + params[expr_attr_names_input] = generated_names + + if expr_attr_values_input in params: + params[expr_attr_values_input].update(generated_values) + else: + if generated_values: + params[expr_attr_values_input] = generated_values + + +def transform_attribute_value_input(params, model, **kwargs): + serializer = TypeSerializer() + transformer = ParameterTransformer() + transformer.transform( + params, model.input_shape, serializer.serialize, 'AttributeValue') + + +def transform_attribute_value_output(parsed, model, **kwargs): + deserializer = TypeDeserializer() + transformer = ParameterTransformer() + transformer.transform( + parsed, model.output_shape, deserializer.deserialize, 'AttributeValue') + + +class ParameterTransformer(object): + """Transforms the input to and output from botocore based on shape""" + + def transform(self, params, model, transformation, target_shape): + """Transforms the dynamodb input to or output from botocore + + It applies a specified transformation whenever a specific shape name + is encountered while traversing the parameters in the dictionary. + + :param params: The parameters structure to transform. + :param model: The operation model. + :param transformation: The function to apply the parameter + :param target_shape: The name of the shape to apply the + transformation to + """ + self._transform_parameters( + model, params, transformation, target_shape) + + def _transform_parameters(self, model, params, transformation, + target_shape): + type_name = model.type_name + if type_name in ['structure', 'map', 'list']: + getattr(self, '_transform_%s' % type_name)( + model, params, transformation, target_shape) + + def _transform_structure(self, model, params, transformation, + target_shape): + if not isinstance(params, Mapping): + return + for param in params: + if param in model.members: + member_model = model.members[param] + member_shape = member_model.name + if member_shape == target_shape: + params[param] = transformation(params[param]) + else: + self._transform_parameters( + member_model, params[param], transformation, + target_shape) + + def _transform_map(self, model, params, transformation, target_shape): + if not isinstance(params, Mapping): + return + value_model = model.value + value_shape = value_model.name + for key, value in params.items(): + if value_shape == target_shape: + params[key] = transformation(value) + else: + self._transform_parameters( + value_model, params[key], transformation, target_shape) + + def _transform_list(self, model, params, transformation, target_shape): + if not isinstance(params, list): + return + member_model = model.member + member_shape = member_model.name + for i, item in enumerate(params): + if member_shape == target_shape: + params[i] = transformation(item) + else: + self._transform_parameters( + member_model, params[i], transformation, target_shape) diff --git a/boto3/session.py b/boto3/session.py index 340d7b245d..50df39f5ff 100644 --- a/boto3/session.py +++ b/boto3/session.py @@ -270,3 +270,8 @@ def _register_default_handlers(self): 'creating-client-class.s3', boto3.utils.lazy_call( 'boto3.s3.inject.inject_s3_transfer_methods')) + self._session.register( + 'creating-resource-class.dynamodb', + boto3.utils.lazy_call( + 'boto3.dynamodb.transform.register_high_level_interface'), + unique_id='high-level-dynamodb') diff --git a/tests/functional/test_dynamodb.py b/tests/functional/test_dynamodb.py new file mode 100644 index 0000000000..8dbbfa61f4 --- /dev/null +++ b/tests/functional/test_dynamodb.py @@ -0,0 +1,72 @@ +# Copyright 2015 Amazon.com, Inc. or its affiliates. All Rights Reserved. +# +# Licensed under the Apache License, Version 2.0 (the "License"). You +# may not use this file except in compliance with the License. A copy of +# the License is located at +# +# http://aws.amazon.com/apache2.0/ +# +# or in the "license" file accompanying this file. This file is +# distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF +# ANY KIND, either express or implied. See the License for the specific +# language governing permissions and limitations under the License. +import json +from tests import unittest, mock + +from botocore.vendored import requests + +from boto3.session import Session +from boto3.dynamodb.conditions import Attr + + +class TestDynamoDB(unittest.TestCase): + def setUp(self): + self.http_response = requests.models.Response() + self.http_response.status_code = 200 + self.parsed_response = {} + self.make_request_patch = mock.patch( + 'botocore.endpoint.Endpoint.make_request') + self.make_request_mock = self.make_request_patch.start() + self.make_request_mock.return_value = ( + self.http_response, self.parsed_response) + self.session = Session( + aws_access_key_id='dummy', + aws_secret_access_key='dummy', + region_name='us-east-1') + + def tearDown(self): + self.make_request_patch.stop() + + def test_resource(self): + dynamodb = self.session.resource('dynamodb') + table = dynamodb.Table('MyTable') + # Make sure it uses the high level interface + table.scan(FilterExpression=Attr('mykey').eq('myvalue')) + request = self.make_request_mock.call_args_list[0][0][1] + request_params = json.loads(request['body']) + self.assertEqual( + request_params, + {'TableName': 'MyTable', + 'FilterExpression': '#n0 = :v0', + 'ExpressionAttributeNames': {'#n0': 'mykey'}, + 'ExpressionAttributeValues': {':v0': {'S': 'myvalue'}}} + ) + + def test_client(self): + dynamodb = self.session.client('dynamodb') + # Make sure the client still uses the botocore level interface + dynamodb.scan( + TableName='MyTable', + FilterExpression='#n0 = :v0', + ExpressionAttributeNames={'#n0': 'mykey'}, + ExpressionAttributeValues={':v0': {'S': 'myvalue'}} + ) + request = self.make_request_mock.call_args_list[0][0][1] + request_params = json.loads(request['body']) + self.assertEqual( + request_params, + {'TableName': 'MyTable', + 'FilterExpression': '#n0 = :v0', + 'ExpressionAttributeNames': {'#n0': 'mykey'}, + 'ExpressionAttributeValues': {':v0': {'S': 'myvalue'}}} + ) diff --git a/tests/integration/__init__.py b/tests/integration/__init__.py new file mode 100644 index 0000000000..c89416d7a5 --- /dev/null +++ b/tests/integration/__init__.py @@ -0,0 +1,12 @@ +# Copyright 2015 Amazon.com, Inc. or its affiliates. All Rights Reserved. +# +# Licensed under the Apache License, Version 2.0 (the "License"). You +# may not use this file except in compliance with the License. A copy of +# the License is located at +# +# http://aws.amazon.com/apache2.0/ +# +# or in the "license" file accompanying this file. This file is +# distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF +# ANY KIND, either express or implied. See the License for the specific +# language governing permissions and limitations under the License. diff --git a/tests/integration/test_dynamodb.py b/tests/integration/test_dynamodb.py new file mode 100644 index 0000000000..cc08390592 --- /dev/null +++ b/tests/integration/test_dynamodb.py @@ -0,0 +1,182 @@ +# Copyright 2015 Amazon.com, Inc. or its affiliates. All Rights Reserved. +# +# Licensed under the Apache License, Version 2.0 (the "License"). You +# may not use this file except in compliance with the License. A copy of +# the License is located at +# +# http://aws.amazon.com/apache2.0/ +# +# or in the "license" file accompanying this file. This file is +# distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF +# ANY KIND, either express or implied. See the License for the specific +# language governing permissions and limitations under the License. +import copy +from decimal import Decimal + +import boto3.session +from boto3.dynamodb.types import Binary +from boto3.dynamodb.conditions import Attr, Key +from tests import unittest, unique_id + + +class BaseDynamoDBTest(unittest.TestCase): + @classmethod + def setUpClass(cls): + cls.session = boto3.session.Session(region_name='us-west-2') + cls.dynamodb = cls.session.resource('dynamodb') + cls.table_name = unique_id('boto3db') + cls.item_data = { + 'MyHashKey': 'mykey', + 'MyNull': None, + 'MyBool': True, + 'MyString': 'mystring', + 'MyNumber': Decimal('1.25'), + 'MyBinary': Binary(b'\x01'), + 'MyStringSet': set(['foo']), + 'MyNumberSet': set([Decimal('1.25')]), + 'MyBinarySet': set([Binary(b'\x01')]), + 'MyList': ['foo'], + 'MyMap': {'foo': 'bar'} + } + cls.table = cls.dynamodb.create_table( + TableName=cls.table_name, + ProvisionedThroughput={"ReadCapacityUnits": 5, + "WriteCapacityUnits": 5}, + KeySchema=[{"AttributeName": "MyHashKey", "KeyType": "HASH"}], + AttributeDefinitions=[{"AttributeName": "MyHashKey", + "AttributeType": "S"}]) + waiter = cls.dynamodb.meta.client.get_waiter('table_exists') + waiter.wait(TableName=cls.table_name) + + @classmethod + def tearDownClass(cls): + cls.table.delete() + + +class TestDynamoDBTypes(BaseDynamoDBTest): + def test_put_get_item(self): + self.table.put_item(Item=copy.deepcopy(self.item_data)) + self.addCleanup(self.table.delete_item, Key={'MyHashKey': 'mykey'}) + response = self.table.get_item(Key={'MyHashKey': 'mykey'}) + self.assertEqual(response['Item'], self.item_data) + + +class TestDynamoDBConditions(BaseDynamoDBTest): + @classmethod + def setUpClass(cls): + super(TestDynamoDBConditions, cls).setUpClass() + cls.table.put_item(Item=copy.deepcopy(cls.item_data)) + + @classmethod + def tearDownClass(cls): + cls.table.delete_item(Key={'MyHashKey': 'mykey'}) + super(TestDynamoDBConditions, cls).setUpClass() + + def test_filter_expression(self): + response = self.table.scan( + FilterExpression=Attr('MyHashKey').eq('mykey')) + self.assertEqual(response['Count'], 1) + + def test_key_condition_expression(self): + response = self.table.query( + KeyConditionExpression=Key('MyHashKey').eq('mykey')) + self.assertEqual(response['Count'], 1) + + def test_key_condition_with_filter_condition_expression(self): + response = self.table.query( + KeyConditionExpression=Key('MyHashKey').eq('mykey'), + FilterExpression=Attr('MyString').eq('mystring')) + self.assertEqual(response['Count'], 1) + + def test_condition_less_than(self): + response = self.table.scan( + FilterExpression=Attr('MyNumber').lt(Decimal('1.26'))) + self.assertEqual(response['Count'], 1) + + def test_condition_less_than_equal(self): + response = self.table.scan( + FilterExpression=Attr('MyNumber').lte(Decimal('1.26'))) + self.assertEqual(response['Count'], 1) + + def test_condition_greater_than(self): + response = self.table.scan( + FilterExpression=Attr('MyNumber').gt(Decimal('1.24'))) + self.assertEqual(response['Count'], 1) + + def test_condition_greater_than_equal(self): + response = self.table.scan( + FilterExpression=Attr('MyNumber').gte(Decimal('1.24'))) + self.assertEqual(response['Count'], 1) + + def test_condition_begins_with(self): + response = self.table.scan( + FilterExpression=Attr('MyString').begins_with('my')) + self.assertEqual(response['Count'], 1) + + def test_condition_between(self): + response = self.table.scan( + FilterExpression=Attr('MyNumber').between( + Decimal('1.24'), Decimal('1.26'))) + self.assertEqual(response['Count'], 1) + + def test_condition_not_equal(self): + response = self.table.scan( + FilterExpression=Attr('MyHashKey').ne('notmykey')) + self.assertEqual(response['Count'], 1) + + def test_condition_in(self): + response = self.table.scan( + FilterExpression=Attr('MyHashKey').is_in(['notmykey', 'mykey'])) + self.assertEqual(response['Count'], 1) + + def test_condition_exists(self): + response = self.table.scan( + FilterExpression=Attr('MyString').exists()) + self.assertEqual(response['Count'], 1) + + def test_condition_not_exists(self): + response = self.table.scan( + FilterExpression=Attr('MyFakeKey').not_exists()) + self.assertEqual(response['Count'], 1) + + def test_condition_contains(self): + response = self.table.scan( + FilterExpression=Attr('MyString').contains('my')) + self.assertEqual(response['Count'], 1) + + def test_condition_size(self): + response = self.table.scan( + FilterExpression=Attr('MyString').size().eq(len('mystring'))) + self.assertEqual(response['Count'], 1) + + def test_condition_attribute_type(self): + response = self.table.scan( + FilterExpression=Attr('MyMap').attribute_type('M')) + self.assertEqual(response['Count'], 1) + + def test_condition_and(self): + response = self.table.scan( + FilterExpression=(Attr('MyHashKey').eq('mykey') & + Attr('MyString').eq('mystring'))) + self.assertEqual(response['Count'], 1) + + def test_condition_or(self): + response = self.table.scan( + FilterExpression=(Attr('MyHashKey').eq('mykey2') | + Attr('MyString').eq('mystring'))) + self.assertEqual(response['Count'], 1) + + def test_condition_not(self): + response = self.table.scan( + FilterExpression=(~Attr('MyHashKey').eq('mykey2'))) + self.assertEqual(response['Count'], 1) + + def test_condition_in_map(self): + response = self.table.scan( + FilterExpression=Attr('MyMap.foo').eq('bar')) + self.assertEqual(response['Count'], 1) + + def test_condition_in_list(self): + response = self.table.scan( + FilterExpression=Attr('MyList[0]').eq('foo')) + self.assertEqual(response['Count'], 1) diff --git a/tests/unit/dynamodb/test_transform.py b/tests/unit/dynamodb/test_transform.py new file mode 100644 index 0000000000..a1c834ae89 --- /dev/null +++ b/tests/unit/dynamodb/test_transform.py @@ -0,0 +1,390 @@ +# Copyright 2015 Amazon.com, Inc. or its affiliates. All Rights Reserved. +# +# Licensed under the Apache License, Version 2.0 (the "License"). You +# may not use this file except in compliance with the License. A copy of +# the License is located at +# +# http://aws.amazon.com/apache2.0/ +# +# or in the "license" file accompanying this file. This file is +# distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF +# ANY KIND, either express or implied. See the License for the specific +# language governing permissions and limitations under the License. +import copy +from tests import unittest, mock + +from botocore.model import ServiceModel, OperationModel + +from boto3.dynamodb.transform import ParameterTransformer +from boto3.dynamodb.transform import transform_attribute_value_input +from boto3.dynamodb.transform import transform_attribute_value_output +from boto3.dynamodb.transform import transform_condition_expressions +from boto3.dynamodb.transform import register_high_level_interface +from boto3.dynamodb.conditions import Attr, Key + + +class BaseTransformationTest(unittest.TestCase): + def setUp(self): + self.target_shape_name = 'MyShape' + self.original_value = 'orginal' + self.transformed_value = 'transformed' + self.transformer = ParameterTransformer() + self.json_model = {} + self.nested_json_model = {} + self.setup_models() + self.build_models() + + def setup_models(self): + self.json_model = { + 'operations': { + 'SampleOperation': { + 'name': 'SampleOperation', + 'input': {'shape': 'SampleOperationInputOutput'}, + 'output': {'shape': 'SampleOperationInputOutput'} + } + }, + 'shapes': { + self.target_shape_name: { + 'type': 'string' + }, + 'List': { + 'type': 'list', + 'member': {'shape': self.target_shape_name} + }, + 'Map': { + 'type': 'map', + 'key': {'shape': 'Name'}, + 'value': {'shape': self.target_shape_name} + }, + 'Structure': { + 'type': 'structure', + 'members': { + 'Member': {'shape': self.target_shape_name} + } + }, + 'SampleOperationInputOutput': { + 'type': 'structure', + 'members': { + 'Structure': {'shape': 'Structure'}, + 'Map': {'shape': 'Map'}, + 'List': {'shape': 'List'}, + } + }, + 'Name': { + 'type': 'string' + } + } + } + + # Create a more complicated model to test the ability to recurse + # through a structure. + self.nested_json_model = copy.deepcopy(self.json_model) + shapes = self.nested_json_model['shapes'] + shapes['SampleOperationInputOutput']['members'] = { + 'Structure': {'shape': 'WrapperStructure'}, + 'Map': {'shape': 'WrapperMap'}, + 'List': {'shape': 'WrapperList'} + } + shapes['WrapperStructure'] = { + 'type': 'structure', + 'members': {'Structure': {'shape': 'Structure'}} + } + shapes['WrapperMap'] = { + 'type': 'map', + 'key': {'shape': 'Name'}, + 'value': {'shape': 'Map'} + } + shapes['WrapperList'] = { + 'type': 'list', + 'member': {'shape': 'List'} + } + + def build_models(self): + self.service_model = ServiceModel(self.json_model) + self.operation_model = OperationModel( + self.json_model['operations']['SampleOperation'], + self.service_model + ) + + self.nested_service_model = ServiceModel(self.nested_json_model) + self.nested_operation_model = OperationModel( + self.nested_json_model['operations']['SampleOperation'], + self.nested_service_model + ) + + +class TestInputOutputTransformer(BaseTransformationTest): + def setUp(self): + super(TestInputOutputTransformer, self).setUp() + self.transformation = lambda params: self.transformed_value + + def test_transform_structure(self): + input_params = { + 'Structure': { + 'Member': self.original_value + } + } + self.transformer.transform( + input_params, self.operation_model.input_shape, + self.transformation, self.target_shape_name) + self.assertEqual( + input_params, + {'Structure': {'Member': self.transformed_value}} + ) + + def test_transform_map(self): + input_params = { + 'Map': { + 'foo': self.original_value + } + } + self.transformer.transform( + input_params, self.operation_model.input_shape, + self.transformation, self.target_shape_name) + self.assertEqual( + input_params, + {'Map': {'foo': self.transformed_value}} + ) + + def test_transform_list(self): + input_params = { + 'List': [ + self.original_value, self.original_value + ] + } + self.transformer.transform( + input_params, self.operation_model.input_shape, + self.transformation, self.target_shape_name) + self.assertEqual( + input_params, + {'List': [self.transformed_value, self.transformed_value]} + ) + + def test_transform_nested_structure(self): + input_params = { + 'Structure': { + 'Structure': { + 'Member': self.original_value + } + } + } + self.transformer.transform( + input_params, self.nested_operation_model.input_shape, + self.transformation, self.target_shape_name) + self.assertEqual( + input_params, + {'Structure': { + 'Structure': {'Member': self.transformed_value}}} + ) + + def test_transform_nested_map(self): + input_params = { + 'Map': { + 'foo': { + 'bar': self.original_value + } + } + } + self.transformer.transform( + input_params, self.nested_operation_model.input_shape, + self.transformation, self.target_shape_name) + self.assertEqual( + input_params, + {'Map': {'foo': {'bar': self.transformed_value}}} + ) + + def test_transform_nested_list(self): + input_params = { + 'List': [ + [self.original_value, self.original_value] + ] + } + self.transformer.transform( + input_params, self.nested_operation_model.input_shape, + self.transformation, self.target_shape_name) + self.assertEqual( + input_params, + {'List': [[self.transformed_value, self.transformed_value]]} + ) + + def test_transform_incorrect_type_for_structure(self): + input_params = { + 'Structure': 'foo' + } + self.transformer.transform( + input_params, self.operation_model.input_shape, + self.transformation, self.target_shape_name) + self.assertEqual(input_params, {'Structure': 'foo'}) + + def test_transform_incorrect_type_for_map(self): + input_params = { + 'Map': 'foo' + } + self.transformer.transform( + input_params, self.operation_model.input_shape, + self.transformation, self.target_shape_name) + self.assertEqual(input_params, {'Map': 'foo'}) + + def test_transform_incorrect_type_for_list(self): + input_params = { + 'List': 'foo' + } + self.transformer.transform( + input_params, self.operation_model.input_shape, + self.transformation, self.target_shape_name) + self.assertEqual(input_params, {'List': 'foo'}) + + +class BaseTransformAttributeValueTest(BaseTransformationTest): + def setUp(self): + self.target_shape_name = 'AttributeValue' + self.setup_models() + self.build_models() + self.python_value = 'mystring' + self.dynamodb_value = {'S': self.python_value} + + +class TestTransformAttributeValueInput(BaseTransformAttributeValueTest): + def test_handler(self): + input_params = { + 'Structure': { + 'Member': self.python_value + } + } + transform_attribute_value_input(input_params, self.operation_model) + self.assertEqual( + input_params, + {'Structure': {'Member': self.dynamodb_value}} + ) + + +class TestTransformAttributeValueOutput(BaseTransformAttributeValueTest): + def test_handler(self): + parsed = { + 'Structure': { + 'Member': self.dynamodb_value + } + } + transform_attribute_value_output(parsed, self.operation_model) + self.assertEqual( + parsed, + {'Structure': {'Member': self.python_value}} + ) + + +class TestTransformConditionExpression(BaseTransformationTest): + def setUp(self): + super(TestTransformConditionExpression, self).setUp() + shapes = self.json_model['shapes'] + shapes['ConditionExpression'] = {'type': 'string'} + shapes['KeyExpression'] = {'type': 'string'} + input_members = shapes['SampleOperationInputOutput']['members'] + input_members['KeyCondition'] = {'shape': 'KeyExpression'} + input_members['AttrCondition'] = {'shape': 'ConditionExpression'} + self.build_models() + + def test_non_condition_input(self): + params = { + 'KeyCondition': 'foo', + 'AttrCondition': 'bar' + } + transform_condition_expressions(params, self.operation_model) + self.assertEqual( + params, {'KeyCondition': 'foo', 'AttrCondition': 'bar'}) + + def test_single_attr_condition_expression(self): + params = { + 'AttrCondition': Attr('foo').eq('bar') + } + transform_condition_expressions(params, self.operation_model) + self.assertEqual( + params, + {'AttrCondition': '#n0 = :v0', + 'ExpressionAttributeNames': {'#n0': 'foo'}, + 'ExpressionAttributeValues': {':v0': 'bar'}} + ) + + def test_single_key_conditon_expression(self): + params = { + 'KeyCondition': Key('foo').eq('bar') + } + transform_condition_expressions(params, self.operation_model) + self.assertEqual( + params, + {'KeyCondition': '#n0 = :v0', + 'ExpressionAttributeNames': {'#n0': 'foo'}, + 'ExpressionAttributeValues': {':v0': 'bar'}} + ) + + def test_key_and_attr_conditon_expression(self): + params = { + 'KeyCondition': Key('foo').eq('bar'), + 'AttrCondition': Attr('biz').eq('baz') + } + transform_condition_expressions(params, self.operation_model) + self.assertEqual( + params, + {'KeyCondition': '#n1 = :v1', + 'AttrCondition': '#n0 = :v0', + 'ExpressionAttributeNames': {'#n0': 'biz', '#n1': 'foo'}, + 'ExpressionAttributeValues': {':v0': 'baz', ':v1': 'bar'}} + ) + + def test_key_and_attr_conditon_expression_with_placeholders(self): + params = { + 'KeyCondition': Key('foo').eq('bar'), + 'AttrCondition': Attr('biz').eq('baz'), + 'ExpressionAttributeNames': {'#a': 'b'}, + 'ExpressionAttributeValues': {':c': 'd'} + } + transform_condition_expressions(params, self.operation_model) + self.assertEqual( + params, + {'KeyCondition': '#n1 = :v1', + 'AttrCondition': '#n0 = :v0', + 'ExpressionAttributeNames': { + '#n0': 'biz', '#n1': 'foo', '#a': 'b'}, + 'ExpressionAttributeValues': { + ':v0': 'baz', ':v1': 'bar', ':c': 'd'}} + ) + + +class TestRegisterHighLevelInterface(unittest.TestCase): + def setUp(self): + self.meta = mock.Mock() + self.events = mock.Mock() + self.meta.client.meta.events = self.events + + class MockBaseResourceClass(object): + def __init__(self, *args, **kwargs): + self.meta = kwargs['meta'] + + self.base_class = MockBaseResourceClass + self.base_classes = [self.base_class] + + def test_register(self): + register_high_level_interface(self.base_classes) + + # Check that the base classes are as expected + self.assertEqual(len(self.base_classes), 1) + self.assertNotIn(self.base_class, self.base_classes) + + # Instantiate the class. + dynamodb = self.base_classes[0](meta=self.meta) + # It should have inherited from the base class + self.assertIsInstance(dynamodb, self.base_class) + + # It should have fired the following events upon instantiation. + event_call_args = self.events.register.call_args_list + self.assertEqual( + event_call_args, + [mock.call('before-parameter-build.dynamodb', + transform_condition_expressions, + unique_id='dynamodb-condition-expression'), + mock.call('before-parameter-build.dynamodb', + transform_attribute_value_input, + unique_id='dynamodb-attr-value-input'), + mock.call('after-call.dynamodb', + transform_attribute_value_output, + unique_id='dynamodb-attr-value-output')] + )