Reputation: 7283
I'm trying to write a Lambda function using Node.js which connects to my RDS database. The database is working and accessible from my Elastic Beanstalk environment. When I run the function, it returns a timeout error.
Tried to increase the timeout up to 5 minutes with the exact same result.
The conclusion I came to after some research is that it's probably a security issue but couldn't find the solution in Amazon's documentation or in this answer (which is the only one I could find on the topic).
Here are the security details:
My code is:
'use strict';
console.log("Loading getContacts function");
var AWS = require('aws-sdk');
var mysql = require('mysql');
exports.handler = (event, context, callback) => {
var connection = mysql.createConnection({
host : '...',
user : '...',
password : '...',
port : 3306,
database: 'ebdb',
debug : false
});
connection.connect(function(err) {
if (err) callback(null, 'error ' +err);
else callback(null, 'Success');
});
};
The result I'm getting is:
"errorMessage": "2017-03-05T05:57:46.851Z 9ae64c49-0168-11e7-b49a-a1e77ae6f56c Task timed out after 10.00 seconds"
Upvotes: 42
Views: 46612
Reputation: 1073
Many thanks to @Sir Codesalot for finding the solution to this problem. The code below shows an example of how to run a SQL query after connection. I have also removed the aws-sdk which drops the zipped file size down from 10MB to 300k.
'use strict';
var mysql = require('mysql');
exports.handler = (event, context) => {
var connection = mysql.createConnection({
host: 'abc.eu-west-2.rds.amazonaws.com',
user: 'dbuser',
password: '1234',
port: 3306,
database: 'db1234',
debug: false
});
connection.connect(function (err) {
if (err) context.fail()
let sql = "SELECT `id`,`tel`,`email` FROM `campaigns` WHERE `campaign` LIKE 'fish'"
connection.query(sql, function (err, result) {
if (err) throw err;
context.succeed(JSON.stringify(result));
});
});
};
Upvotes: 1
Reputation: 35099
Both the RDS and the Lambda are in the same security group.
That's the key. By default communication within the same security group is not allowed. And you need to explicitly allow it (E.x sg-xxxxx ALL TCP ). This wll only work if your lambda tries to access db by private ip.
If it tries to access it by public IP that it will not work and you need to punch necessary wholes for that as well.
However there is better approach:
3306
in RDS sg for lambdas sg.Upvotes: 19
Reputation: 71
It took me around 2 days to figure out the exact issue. In my case, both RDS and Lambda function was in Same VPC, Subnet and security group and added the Required Roles but still was getting Socket timeout exception. I was able to solve the issue by changing inbound and outbound rule by following the below link -
https://aws.amazon.com/premiumsupport/knowledge-center/connect-lambda-to-an-rds-instance/
Upvotes: 1
Reputation: 21
the connection.end() should be after callback:
so working code:
'use strict';
var mysql = require('mysql');
var connection = mysql.createConnection({
host : 'xxxxxx.amazonaws.com',
user : 'testuser',
password : 'testPWD',
port : 3306,
database: 'testDB',
debug : false
});
module.exports.handler = (event, context, callback) => {
// **Connection to database**
connection.connect(function(err) {
if (err) {
console.error('Database connection failed: ' + err.stack);
context.fail();
return;
}
else{
console.log('Connected to database.');
}
});
connection.query('show tables from testDB', function (error, results, fields) {
if (error) {
console.log("error: connection failed with db!");
connection.destroy();
throw error;
} else {
// connected!
console.log("info: connection ok with db!");
console.log(results);
context.succeed("done");
callback(error, results);
}
});
//Send API Response
callback(null, {
statusCode: '200',
body: 'succeed',
headers: {
'Content-Type': 'application/json',
},
});
//Close Connection
connection.end(); // Missing this section will result in timeout***
};
Upvotes: 0
Reputation: 1342
When you originally setup the DB, it will automatically create a security group. defaulting to the IP that you set the DB up with. When you run from lambda this rule blocks traffic. Check out your db error logs and you can confirm it is refusing the connection.
***** could not be resolved: Name or service not known
You need to create a rule in the security group to allow lambda traffic. Go to your RDS instance console and click on the security group, select inbound. There you will see the rules. Then make the call to open up to the world, find the AWS lambda IPs or create a VPC.
Upvotes: 2
Reputation: 11
I have also faced similar timeout scenario. Issue was not doing connection.end()
after connection.connect()
. Connection.end()
should be done before callback
.
Working Code:
var mysql = require('mysql');
var connection = mysql.createConnection({
host : 'host_name',
user : 'root',
password : 'password'
});
module.exports.handler = (event, context, callback) => {
// **Connection to database**
connection.connect(function(err) {
if (err) {
console.error('Database connection failed: ' + err.stack);
return;
}
console.log('Connected to database.');
});
// **Hit DB Query**
connection.query("Query", function(err, rows, fields) {
console.log(rows);
});
//**Close Connection**
connection.end(); ***// Missing this section will result in timeout***
//**Send API Response**
callback(null, {
statusCode: '200',
body: "Success",
headers: {
'Content-Type': 'application/json',
},
});
};
Upvotes: 1
Reputation: 411
While using context will work, you just need to add context.callbackWaitsForEmptyEventLoop = false;
to the handler and then use callback as normal like this:
exports.handler = (event, context) => {
context.callbackWaitsForEmptyEventLoop = false;
var connection = mysql.createConnection({
//connection info
});
connection.connect(function(err) {
if (err) callback(err);
else callback(null, 'Success');
});
};
The answer is here in the docs (took me a few hours to find this): http://docs.aws.amazon.com/lambda/latest/dg/nodejs-prog-model-using-old-runtime.html
In the section "Comparing the Context and Callback Methods" it has an "Important" note that explains things.
At the bottom of the note it reads:
Therefore, if you want the same behavior as the context methods, you must set the context object property, callbackWaitsForEmptyEventLoop, to false.
Basically, callback continues to the end of the event loop as opposed to context which ends the event loop. So setting callbackWaitsForEmptyEventLoop makes callback work like context.
Upvotes: 31
Reputation: 593
The problem does not originate from the timeout, but from the way you close the connection. Use .destroy()
instead if you do not want to wait for the callback that OR use the callback correctly when closing the connection in .end(function(err) { //Now call your callback });
See this thread for a more in depth explanation.
Upvotes: 0
Reputation: 7283
I want to thank everyone who helped, the problem turned out to be different than I thought. The callback
in the code doesn't work for some reason even though it's in AMAZON'S OWN DEFAULT SAMPLE.
The working code looks like this:
'use strict';
console.log("Loading getContacts function");
var AWS = require('aws-sdk');
var mysql = require('mysql');
exports.handler = (event, context) => {
var connection = mysql.createConnection({
host : '...',
user : '...',
password : '...',
port : 3306,
database: 'ebdb',
debug : false
});
connection.connect(function(err) {
if (err) context.fail();
else context.succeed('Success');
});
};
Upvotes: 17
Reputation: 6232
I am sharing my experience while connecting RDS.
You need to enable
VPC
access for theLambda function
, during which you will assign it a Security Group.
Then, within the Security Group assigned to the RDS instance, you will enable access for the Security Group assigned to the Lambda function.
You can get more info here
Upvotes: 1