Automation With JavaScript: Email Scheduler

Published on Jul 12, 2020 by Hasan Kataya

post-thumb

JavaScript was never intended to be used for desktop scripting. But upon the arrival of Node js, plently of libraries

were created to allow javaScript to work outside the browser. One such package is called Node mailer.

Node mailer is a module for Node js to send emails. Lets try sending an email with javaScript!

First we should install the package into our system:

npm install nodemailer --save

Once installed, create a new Script file called email.js. We should first require the package we installed using:

const nodemailer = require('nodemailer');

Next we should configure the sender options. To do so, we place all settings into an object:

1
2
3
4
5
6
7
var transporter = nodemailer.createTransport({
  service: 'gmail',
  auth: {
    user: 'example@gmail.com',
    pass: 'password'
  }
});

Now we set the recipients settings:

1
2
3
4
5
6
var mailOptions = {
  from: 'example@gmail.com',
  to: 'example1@gmail.com, example2@gmail.com',
  subject: 'Sending Email using Node.js',
  text: 'That was easy! '
};

It’s time to send out email using Node js!

To actually send the email, we use the sendMail method provided by node Mailer:

1
2
3
4
5
6
7
transporter.sendMail(mailOptions, function(error, info){
  if (error) {
    console.log(error);
  } else {
    console.log('Email sent: ' + info.response);
  }
});

And thats it! now you can send an email to multiple people using this simple script.