argh 2 days trying to work python3 into working python2 :(
This commit is contained in:
parent
95c90ae15f
commit
dc98cf6f64
@ -42,7 +42,12 @@ class LambdaFunction(object):
|
|||||||
self.version = '$LATEST'
|
self.version = '$LATEST'
|
||||||
self.last_modified = datetime.datetime.utcnow().strftime('%Y-%m-%d %H:%M:%S')
|
self.last_modified = datetime.datetime.utcnow().strftime('%Y-%m-%d %H:%M:%S')
|
||||||
if 'ZipFile' in self.code:
|
if 'ZipFile' in self.code:
|
||||||
to_unzip_code = base64.b64decode(self.code['ZipFile'])
|
# more hackery to handle unicode/bytes/str in python3 and python2 - argh!
|
||||||
|
try:
|
||||||
|
to_unzip_code = base64.b64decode(bytes(self.code['ZipFile'], 'utf-8'))
|
||||||
|
except Exception:
|
||||||
|
to_unzip_code = base64.b64decode(self.code['ZipFile'])
|
||||||
|
|
||||||
zbuffer = io.BytesIO()
|
zbuffer = io.BytesIO()
|
||||||
zbuffer.write(to_unzip_code)
|
zbuffer.write(to_unzip_code)
|
||||||
zip_file = zipfile.ZipFile(zbuffer, 'r', zipfile.ZIP_DEFLATED)
|
zip_file = zipfile.ZipFile(zbuffer, 'r', zipfile.ZIP_DEFLATED)
|
||||||
@ -105,10 +110,28 @@ class LambdaFunction(object):
|
|||||||
"Configuration": self.get_configuration(),
|
"Configuration": self.get_configuration(),
|
||||||
}
|
}
|
||||||
|
|
||||||
|
def convert(self, s):
|
||||||
|
try:
|
||||||
|
return str(s, encoding='utf8')
|
||||||
|
except:
|
||||||
|
return s
|
||||||
|
|
||||||
|
def is_json(self, test_str):
|
||||||
|
try:
|
||||||
|
response = json.loads(test_str)
|
||||||
|
except:
|
||||||
|
response = test_str
|
||||||
|
return response
|
||||||
|
|
||||||
def _invoke_lambda(self, code, event={}, context={}):
|
def _invoke_lambda(self, code, event={}, context={}):
|
||||||
# TO DO: context not yet implemented
|
# TO DO: context not yet implemented
|
||||||
mycode = "\n".join([self.code, 'print(lambda_handler(%s, %s))' % (event, context)])
|
try:
|
||||||
print("moto_lambda_debug: ", mycode)
|
mycode = "\n".join(['import json',
|
||||||
|
self.convert(self.code),
|
||||||
|
self.convert('print(lambda_handler(%s, %s))' % (self.is_json(self.convert(event)), context))])
|
||||||
|
print("moto_lambda_debug: ", mycode)
|
||||||
|
except Exception as ex:
|
||||||
|
print('fuck ', ex)
|
||||||
|
|
||||||
try:
|
try:
|
||||||
codeOut = StringIO()
|
codeOut = StringIO()
|
||||||
@ -118,35 +141,25 @@ class LambdaFunction(object):
|
|||||||
exec(mycode)
|
exec(mycode)
|
||||||
exec_err = codeErr.getvalue()
|
exec_err = codeErr.getvalue()
|
||||||
exec_out = codeOut.getvalue()
|
exec_out = codeOut.getvalue()
|
||||||
result = "\n".join([exec_out, exec_err])
|
result = "\n".join([exec_out, self.convert(exec_err)])
|
||||||
except Exception as ex:
|
except Exception as ex:
|
||||||
result = '%s\n\n\nException %s, %s' % (mycode, ex, ex.message)
|
result = '%s\n\n\nException %s' % (mycode, ex)
|
||||||
finally:
|
finally:
|
||||||
codeErr.close()
|
codeErr.close()
|
||||||
codeOut.close()
|
codeOut.close()
|
||||||
sys.stdout = sys.__stdout__
|
sys.stdout = sys.__stdout__
|
||||||
sys.stderr = sys.__stderr__
|
sys.stderr = sys.__stderr__
|
||||||
return result
|
return self.convert(result)
|
||||||
|
|
||||||
def is_json(self, test_str):
|
|
||||||
try:
|
|
||||||
response = json.loads(test_str)
|
|
||||||
except:
|
|
||||||
response = test_str
|
|
||||||
return response
|
|
||||||
|
|
||||||
def invoke(self, request, headers):
|
def invoke(self, request, headers):
|
||||||
payload = dict()
|
payload = dict()
|
||||||
|
|
||||||
# Get the invocation type:
|
# Get the invocation type:
|
||||||
invoke_type = request.headers.get("x-amz-invocation-type")
|
r = self._invoke_lambda(code=self.code, event=request.body)
|
||||||
response = self._invoke_lambda(code=self.code, event=self.is_json(request.body))
|
|
||||||
if request.headers.get("x-amz-invocation-type") == "RequestResponse":
|
if request.headers.get("x-amz-invocation-type") == "RequestResponse":
|
||||||
encoded = base64.b64encode(response.encode('utf-8'))
|
encoded = base64.b64encode(r.encode('utf-8'))
|
||||||
payload['result'] = encoded
|
|
||||||
headers["x-amz-log-result"] = encoded.decode('utf-8')
|
headers["x-amz-log-result"] = encoded.decode('utf-8')
|
||||||
elif request.headers.get("x-amz-invocation-type") == "Event":
|
payload['result'] = headers["x-amz-log-result"]
|
||||||
payload['result'] = 'good' # nothing should be sent back possibly headers etc.
|
|
||||||
|
|
||||||
return json.dumps(payload, indent=4)
|
return json.dumps(payload, indent=4)
|
||||||
|
|
||||||
|
@ -23,7 +23,7 @@ def _process_lamda(pfunc):
|
|||||||
|
|
||||||
|
|
||||||
def get_test_zip_file1():
|
def get_test_zip_file1():
|
||||||
pfunc = b"""
|
pfunc = """
|
||||||
def lambda_handler(event, context):
|
def lambda_handler(event, context):
|
||||||
return (event, context)
|
return (event, context)
|
||||||
"""
|
"""
|
||||||
@ -31,14 +31,14 @@ def lambda_handler(event, context):
|
|||||||
|
|
||||||
|
|
||||||
def get_test_zip_file2():
|
def get_test_zip_file2():
|
||||||
pfunc = b"""
|
pfunc = """
|
||||||
def lambda_handler(event, context):
|
def lambda_handler(event, context):
|
||||||
volume_id = event.get('volume_id')
|
volume_id = event.get('volume_id')
|
||||||
print 'get volume details for %s' % volume_id
|
print('get volume details for %s' % volume_id)
|
||||||
import boto3
|
import boto3
|
||||||
ec2 = boto3.resource('ec2', region_name='us-west-2')
|
ec2 = boto3.resource('ec2', region_name='us-west-2')
|
||||||
vol = ec2.Volume(volume_id)
|
vol = ec2.Volume(volume_id)
|
||||||
print 'Volume - %s state=%s, size=%s' % (volume_id, vol.state, vol.size)
|
print('Volume - %s state=%s, size=%s' % (volume_id, vol.state, vol.size))
|
||||||
"""
|
"""
|
||||||
return _process_lamda(pfunc)
|
return _process_lamda(pfunc)
|
||||||
|
|
||||||
@ -52,7 +52,7 @@ def test_list_functions():
|
|||||||
|
|
||||||
@mock_lambda
|
@mock_lambda
|
||||||
@freeze_time('2015-01-01 00:00:00')
|
@freeze_time('2015-01-01 00:00:00')
|
||||||
def test_invoke_function():
|
def test_invoke_event_function():
|
||||||
conn = boto3.client('lambda', 'us-west-2')
|
conn = boto3.client('lambda', 'us-west-2')
|
||||||
conn.create_function(
|
conn.create_function(
|
||||||
FunctionName='testFunction',
|
FunctionName='testFunction',
|
||||||
@ -68,7 +68,7 @@ def test_invoke_function():
|
|||||||
Publish=True,
|
Publish=True,
|
||||||
)
|
)
|
||||||
|
|
||||||
success_result = conn.invoke(FunctionName='testFunction', InvocationType='Event', Payload='Mostly Harmless')
|
success_result = conn.invoke(FunctionName='testFunction', InvocationType='Event', Payload=json.dumps({'msg': 'Mostly Harmless'}))
|
||||||
success_result["StatusCode"].should.equal(202)
|
success_result["StatusCode"].should.equal(202)
|
||||||
|
|
||||||
conn.invoke.when.called_with(
|
conn.invoke.when.called_with(
|
||||||
@ -77,10 +77,31 @@ def test_invoke_function():
|
|||||||
Payload='{}'
|
Payload='{}'
|
||||||
).should.throw(botocore.client.ClientError)
|
).should.throw(botocore.client.ClientError)
|
||||||
|
|
||||||
|
|
||||||
|
@mock_lambda
|
||||||
|
@freeze_time('2015-01-01 00:00:00')
|
||||||
|
def test_invoke_requestresponse_function():
|
||||||
|
conn = boto3.client('lambda', 'us-west-2')
|
||||||
|
conn.create_function(
|
||||||
|
FunctionName='testFunction',
|
||||||
|
Runtime='python2.7',
|
||||||
|
Role='test-iam-role',
|
||||||
|
Handler='lambda_function.handler',
|
||||||
|
Code={
|
||||||
|
'ZipFile': get_test_zip_file1(),
|
||||||
|
},
|
||||||
|
Description='test lambda function',
|
||||||
|
Timeout=3,
|
||||||
|
MemorySize=128,
|
||||||
|
Publish=True,
|
||||||
|
)
|
||||||
|
|
||||||
success_result = conn.invoke(FunctionName='testFunction', InvocationType='RequestResponse',
|
success_result = conn.invoke(FunctionName='testFunction', InvocationType='RequestResponse',
|
||||||
Payload=json.dumps({'msg': 'So long and thanks for all the fish'}))
|
Payload=json.dumps({'msg': 'So long and thanks for all the fish'}))
|
||||||
success_result["StatusCode"].should.equal(202)
|
success_result["StatusCode"].should.equal(202)
|
||||||
base64.b64decode(success_result["LogResult"]).decode('utf-8').should.equal("({u'msg': u'So long and thanks for all the fish'}, {})\n\n")
|
|
||||||
|
#nasty hack - hope someone has better solution dealing with unicode tests working for Py2 and Py3.
|
||||||
|
base64.b64decode(success_result["LogResult"]).decode('utf-8').replace("u'", "'").should.equal("({'msg': 'So long and thanks for all the fish'}, {})\n\n")
|
||||||
|
|
||||||
@mock_ec2
|
@mock_ec2
|
||||||
@mock_lambda
|
@mock_lambda
|
||||||
@ -111,7 +132,8 @@ def test_invoke_function_get_ec2_volume():
|
|||||||
|
|
||||||
import base64
|
import base64
|
||||||
msg = 'get volume details for %s\nVolume - %s state=%s, size=%s\nNone\n\n' % (vol.id, vol.id, vol.state, vol.size)
|
msg = 'get volume details for %s\nVolume - %s state=%s, size=%s\nNone\n\n' % (vol.id, vol.id, vol.state, vol.size)
|
||||||
base64.b64decode(success_result["LogResult"]).decode('utf-8').should.equal(msg)
|
# yet again hacky solution to allow code to run tests for python2 and python3 - pls someone fix :(
|
||||||
|
base64.b64decode(success_result["LogResult"]).decode('utf-8').replace("u'", "'").should.equal(msg)
|
||||||
|
|
||||||
|
|
||||||
@mock_lambda
|
@mock_lambda
|
||||||
@ -145,8 +167,8 @@ def test_create_based_on_s3_with_missing_bucket():
|
|||||||
def test_create_function_from_aws_bucket():
|
def test_create_function_from_aws_bucket():
|
||||||
s3_conn = boto3.client('s3', 'us-west-2')
|
s3_conn = boto3.client('s3', 'us-west-2')
|
||||||
s3_conn.create_bucket(Bucket='test-bucket')
|
s3_conn.create_bucket(Bucket='test-bucket')
|
||||||
|
|
||||||
zip_content = get_test_zip_file2()
|
zip_content = get_test_zip_file2()
|
||||||
|
|
||||||
s3_conn.put_object(Bucket='test-bucket', Key='test.zip', Body=zip_content)
|
s3_conn.put_object(Bucket='test-bucket', Key='test.zip', Body=zip_content)
|
||||||
conn = boto3.client('lambda', 'us-west-2')
|
conn = boto3.client('lambda', 'us-west-2')
|
||||||
|
|
||||||
@ -168,7 +190,8 @@ def test_create_function_from_aws_bucket():
|
|||||||
"SubnetIds": ["subnet-123abc"],
|
"SubnetIds": ["subnet-123abc"],
|
||||||
},
|
},
|
||||||
)
|
)
|
||||||
result['ResponseMetadata'].pop('HTTPHeaders', None) # this is hard to match against, so remove it
|
result['ResponseMetadata'].pop('HTTPHeaders', None) # this is hard to match against, so remove it
|
||||||
|
result['ResponseMetadata'].pop('RetryAttempts', None) # Botocore inserts retry attempts not seen in Python27
|
||||||
result.should.equal({
|
result.should.equal({
|
||||||
'FunctionName': 'testFunction',
|
'FunctionName': 'testFunction',
|
||||||
'FunctionArn': 'arn:aws:lambda:123456789012:function:testFunction',
|
'FunctionArn': 'arn:aws:lambda:123456789012:function:testFunction',
|
||||||
@ -187,7 +210,6 @@ def test_create_function_from_aws_bucket():
|
|||||||
"SubnetIds": ["subnet-123abc"],
|
"SubnetIds": ["subnet-123abc"],
|
||||||
"VpcId": "vpc-123abc"
|
"VpcId": "vpc-123abc"
|
||||||
},
|
},
|
||||||
|
|
||||||
'ResponseMetadata': {'HTTPStatusCode': 201},
|
'ResponseMetadata': {'HTTPStatusCode': 201},
|
||||||
})
|
})
|
||||||
|
|
||||||
@ -210,7 +232,9 @@ def test_create_function_from_zipfile():
|
|||||||
MemorySize=128,
|
MemorySize=128,
|
||||||
Publish=True,
|
Publish=True,
|
||||||
)
|
)
|
||||||
result['ResponseMetadata'].pop('HTTPHeaders', None) # this is hard to match against, so remove it
|
result['ResponseMetadata'].pop('HTTPHeaders', None) # this is hard to match against, so remove it
|
||||||
|
result['ResponseMetadata'].pop('RetryAttempts', None) # Botocore inserts retry attempts not seen in Python27
|
||||||
|
|
||||||
result.should.equal({
|
result.should.equal({
|
||||||
'FunctionName': 'testFunction',
|
'FunctionName': 'testFunction',
|
||||||
'FunctionArn': 'arn:aws:lambda:123456789012:function:testFunction',
|
'FunctionArn': 'arn:aws:lambda:123456789012:function:testFunction',
|
||||||
@ -260,7 +284,8 @@ def test_get_function():
|
|||||||
)
|
)
|
||||||
|
|
||||||
result = conn.get_function(FunctionName='testFunction')
|
result = conn.get_function(FunctionName='testFunction')
|
||||||
result['ResponseMetadata'].pop('HTTPHeaders', None) # this is hard to match against, so remove it
|
result['ResponseMetadata'].pop('HTTPHeaders', None) # this is hard to match against, so remove it
|
||||||
|
result['ResponseMetadata'].pop('RetryAttempts', None) # Botocore inserts retry attempts not seen in Python27
|
||||||
|
|
||||||
result.should.equal({
|
result.should.equal({
|
||||||
"Code": {
|
"Code": {
|
||||||
@ -315,7 +340,9 @@ def test_delete_function():
|
|||||||
)
|
)
|
||||||
|
|
||||||
success_result = conn.delete_function(FunctionName='testFunction')
|
success_result = conn.delete_function(FunctionName='testFunction')
|
||||||
success_result['ResponseMetadata'].pop('HTTPHeaders', None) # this is hard to match against, so remove it
|
success_result['ResponseMetadata'].pop('HTTPHeaders', None) # this is hard to match against, so remove it
|
||||||
|
success_result['ResponseMetadata'].pop('RetryAttempts', None) # Botocore inserts retry attempts not seen in Python27
|
||||||
|
|
||||||
success_result.should.equal({'ResponseMetadata': {'HTTPStatusCode': 204}})
|
success_result.should.equal({'ResponseMetadata': {'HTTPStatusCode': 204}})
|
||||||
|
|
||||||
conn.delete_function.when.called_with(FunctionName='testFunctionThatDoesntExist').should.throw(botocore.client.ClientError)
|
conn.delete_function.when.called_with(FunctionName='testFunctionThatDoesntExist').should.throw(botocore.client.ClientError)
|
||||||
@ -380,7 +407,9 @@ def test_list_create_list_get_delete_list():
|
|||||||
conn.list_functions()['Functions'].should.equal([expected_function_result['Configuration']])
|
conn.list_functions()['Functions'].should.equal([expected_function_result['Configuration']])
|
||||||
|
|
||||||
func = conn.get_function(FunctionName='testFunction')
|
func = conn.get_function(FunctionName='testFunction')
|
||||||
func['ResponseMetadata'].pop('HTTPHeaders', None) # this is hard to match against, so remove it
|
func['ResponseMetadata'].pop('HTTPHeaders', None) # this is hard to match against, so remove it
|
||||||
|
func['ResponseMetadata'].pop('RetryAttempts', None) # Botocore inserts retry attempts not seen in Python27
|
||||||
|
|
||||||
func.should.equal(expected_function_result)
|
func.should.equal(expected_function_result)
|
||||||
conn.delete_function(FunctionName='testFunction')
|
conn.delete_function(FunctionName='testFunction')
|
||||||
|
|
||||||
|
@ -1737,7 +1737,7 @@ def _process_lamda(pfunc):
|
|||||||
|
|
||||||
|
|
||||||
def get_test_zip_file1():
|
def get_test_zip_file1():
|
||||||
pfunc = b"""
|
pfunc = """
|
||||||
def lambda_handler(event, context):
|
def lambda_handler(event, context):
|
||||||
return (event, context)
|
return (event, context)
|
||||||
"""
|
"""
|
||||||
@ -1756,7 +1756,7 @@ def test_lambda_function():
|
|||||||
"Type": "AWS::Lambda::Function",
|
"Type": "AWS::Lambda::Function",
|
||||||
"Properties": {
|
"Properties": {
|
||||||
"Code": {
|
"Code": {
|
||||||
"ZipFile": base64.b64encode(get_test_zip_file1())
|
"ZipFile": base64.b64encode(get_test_zip_file1()).decode('utf-8')
|
||||||
},
|
},
|
||||||
"Handler": "lambda_function.handler",
|
"Handler": "lambda_function.handler",
|
||||||
"Description": "Test function",
|
"Description": "Test function",
|
||||||
|
Loading…
Reference in New Issue
Block a user