Two years ago I toyed around with an odd idea of implementing recursion over HTTP redirects. The idea is that the state is managed through the query string arguments and at each recursive step we just redirect to the URL for the next one. I still can’t think of a legitimate use case for this approach but have been on an AWS Lambda binge lately and wanted to see whether I can get this “redirect recursion” working under Lambda. Turns out it’s incredibly easy.
The only question was exposing the Lambda function to the outside world but AWS offers the API Gateway service to make this happen. This also gave me a chance to mess around with the API Gateway for the first time and definitely has me thinking about entire tools and applications that can be done in a “serverless” way.
# A simple Lambda function to calculate the factorial
'use strict';
exports.handler = (event, context, callback) => {
const done = (err, res) => callback(null, {
statusCode: err ? '400' : '200',
body: err ? err.message : JSON.stringify(res),
headers: {
'Content-Type': 'application/json',
},
});
switch (event.httpMethod) {
// Calculate the factorial
case 'GET':
var n = parseInt(event.queryStringParameters.n,10) || 1;
var a = parseInt(event.queryStringParameters.a,10) || 1;
if (n <= 1) {
done(null, {'factorial': a});
} else if (n > 20) {
done(null, {'status': 'try a smaller number'});
} else {
var url = 'https://rrouzys2ra.execute-api.us-east-1.amazonaws.com/prod/redirect-recursion?';
var args = 'n=' + (n-1) + '&a=' + (a*n);
callback(null, {
statusCode: 302,
headers: {
'Location': url + args
}
});
}
break;
default:
done(new Error(`Unsupported method "${event.httpMethod}"`));
}
};