Reputation: 653
I am trying to send mail in node.js using Nodemailer but it shows some error like
{ [Error: self signed certificate in certificate chain] code: 'ECONNECTION', command: 'CONN' }
My node.js code is
var express = require('express');
var app = express();
var nodemailer = require('nodemailer');
var transporter = nodemailer.createTransport('smtps://something%40gmail.com:[email protected]');
var mailOptions = {
to: '[email protected]',
subject: 'Hello ?',
text: 'Hello world ??',
html: '<b>Hello world ??</b>'
};
transporter.sendMail(mailOptions, function(error, info){
if(error){
return console.log(error);
}
console.log('Message sent: ' + info.response);
});
var server = app.listen(8900,function(){
console.log("We have started our server on port 8900");
});
Upvotes: 6
Views: 20317
Reputation: 4652
it worked for me.
process.env.NODE_TLS_REJECT_UNAUTHORIZED = "0";
Upvotes: 0
Reputation: 41
what @user3985565 said is correct. However , if you are using gmail you also need to change some settings in your gmail account. More specifically you need to "allow less secure apps" in you gmail account. To do that just follow these steps:
Upvotes: 1
Reputation: 1
i was in this trouble too, what i did is next code line:
process.env.NODE_TLS_REJECT_UNAUTHORIZED = "0";
just before creating the smpttransport
for example, in your code just put this:
process.env.NODE_TLS_REJECT_UNAUTHORIZED = "0";
var transporter = nodemailer.createTransport('smtps://something%40gmail.com:[email protected]');
Upvotes: 0
Reputation: 4733
To allow to send an email via “less secure apps”, go to the link and choose “Turn on”.
(More info about less secure apps)
var nodemailer = require('nodemailer');
var smtpTransport = require('nodemailer-smtp-transport');
var mailAccountUser = '<YOUR_ACCOUNT_USER>'
var mailAccountPassword = '<YOUR_ACCOUNT_PASS>'
var fromEmailAddress = '<FROM_EMAIL>'
var toEmailAddress = 'TO_EMAIL'
var transport = nodemailer.createTransport(smtpTransport({
service: 'gmail',
auth: {
user: mailAccountUser,
pass: mailAccountPassword
}
}))
var mail = {
from: fromEmailAddress,
to: toEmailAddress,
subject: "hello world!",
text: "Hello!",
html: "<b>Hello!</b><p><a href=\"http://www.yahoo.com\">Click Here</a></p>"
}
transport.sendMail(mail, function(error, response){
if(error){
console.log(error);
}else{
console.log("Message sent: " + response.message);
}
transport.close();
});
Upvotes: 3
Reputation: 313
try https://github.com/nodemailer/nodemailer/issues/406
add tls: { rejectUnauthorized: false }
to your transporter constructor options
p.s It's not a good idea to post your mail server address, if it's a real one
Upvotes: 20