• For devs

How To Send Transactional Email In A NodeJS App Using The Mailgun API

Orlando Kalossakas
5 min read
featured

Not only you can get powerful re-engagement based on triggers, actions, and patterns you can also communicate important information and most importantly, automatically between your platform and a customer.

It’s highly likely that during your life as a developer you’ll have to send automated transactional emails, if you haven’t already, like:

  • Confirmation emails

  • Password reminders

…and many other kinds of notifications.

In this tutorial, we’re going to learn how to send transactional emails using the Mailgun API and using a NodeJS helper library.

We will cover different scenarios:

  • Sending a single transactional email

  • Sending a newsletter to an email list

  • Adding email addresses to a list

  • Sending an invoice to a single email address

Getting started

We will assume you have installed and know how to operate within the NodeJS environment.

The first need we’re going to do is generate a package.json file in a new directory (/mailgun_nodetut in my case).

This file contains details such as the project name and required dependencies.

1{
2 "name": "mailgun-node-tutorial",
3 "version": "0.0.1",
4 "private": true,
5 "scripts": {
6 "start": "node app.js"
7 },
8 "dependencies": {
9 "express": "^4.0.0",
10 "form-data": "^4.0.0",
11 "jade": "*",
12 "mailgun.js": "^4.0.0"
13 }
14}

As you can see, we’re going to use expressjs for our web-app scaffolding, with jade as a templating language and finally a community-contributed library for node.

In the same folder where you’ve created the package.json file create two additional folders:

views/ js/

You’re set – now sign in to Mailgun and get your API key (first page in the control panel).

DELIVERABILITY SERVICES

Learn about our Deliverability Services

Looking to send a high volume of emails? Our email experts can supercharge your email performance. See how we've helped companies like Lyft, Shopify, Github increase their email delivery rates to an average of 97%.

Learn More

Set up a simple ExpressJS app

Save the code below as app.js in the root directory of your app (where package.json is located)

1 // We're using the express framework
2const express = require('express');
3
4// importing mailgun SDK;
5const formData = require('form-data');
6const Mailgun = require('mailgun.js');
7// importing packages for processing files
8
9const path = require('path');
10const fsPromises = require('fs').promises;
11
12// init express
13const app = express();
14
15// Your api key, from Mailgun’s Control Panel
16const apiKey = 'MAILGUN-API-KEY';
17
18// Your domain, from the Mailgun Control Panel
19const domain = 'YOUR-DOMAIN.com';
20
21// Your sending email address
22const fromWho = 'your@email.com';
23
24// creating mailgun client;
25const mailgun = new Mailgun(formData);
26const mailgunClient = mailgun.client({ username: 'api', key: apiKey || '' });
27
28// Tell express to fetch files from the /js directory
29app.use(express.static(path.resolve(__dirname, './js/')));
30// We're using the Jade templates language because it's fast and neat
31app.set('view engine', 'jade');
32
33// Do something when you're landing on the first page
34app.get('/', function (req, res) {
35 // render the index.jade file - input forms for humans
36 return res.render('index', function (err, html) {
37 if (err) {
38 // log any error to the console for debug
39 console.log(err);
40 } else {
41 // no error, so send the html to the browser
42 res.send(html);
43 }
44 });
45});
46
47// Send a message to the specified email address when you navigate to /submit/someaddr@email.com
48// The index redirects here
49app.get('/submit/:mail', async function (req, res) {
50 const data = {
51 // Specify email data
52 from: fromWho,
53 // The email to contact
54 to: req.params.mail,
55 // Subject and text data
56 subject: 'Hello from Mailgun',
57 html: `Hello, This is not a plain-text email, I wanted to test some spicy Mailgun sauce in NodeJS! <a href="http://0.0.0.0:3030/validate?${req.params.mail}">Click here to add your email address to a mailing list</a>`
58 };
59
60 try {
61 // Invokes the method to send emails given the above data with the helper library
62 await mailgunClient.messages.create(domain, data);
63 // Here "submitted.jade" is the view file for this landing page
64 // We pass the variable "email" from the url parameter in an object rendered by Jade
65 return res.render('submitted', { email: req.params.mail });
66 } catch (error) {
67 // If there is an error, render the error page
68 console.log('got an error: ', error);
69 return res.render('error', { error });
70 }
71});
72
73app.get('/list/:listName/:mail', async function (req, res) {
74 const emailAddress = req.params.mail;
75 const listName = req.params.listName;
76
77 try {
78 let mailingList = '';
79 const validListName = `${listName}@${domain}`;
80 // check if a mailing list with provided name already exists
81 mailingList = await mailgunClient.lists.get(validListName).catch(async (err) => {
82 if (err.status === 404) {
83 // creating a new mailing list in case it doesn't exist
84 const createdMailingList = await mailgunClient.lists.create({ address: validListName });
85
86 console.info(`New mailing list ${createdMailingList.address} was created`);
87 return createdMailingList;
88 }
89 throw new Error(err);
90 });
91
92 // add member to mailing list
93 await mailgunClient.lists.members.createMember(mailingList.address, { address: emailAddress });
94 const message = `New member ${emailAddress} was added to mailing list: ${mailingList.address}`;
95
96 console.info(message);
97 return res.send(message);
98 } catch (error) {
99 console.error(error);
100 let transformedError = error;
101 if (error.status === 400 && error.details) {
102 transformedError = error.details;
103 }
104 return res.render('error', { error: transformedError });
105 }
106});
107
108app.get('/invoice/:mail', async function (req, res) {
109 // We use the path module here to find the full path and attach the file!
110 const attachment = {
111 filename: 'invoice.txt',
112 data: await fsPromises.readFile(path.join(__dirname, 'invoice.txt'))
113 };
114
115 // Settings
116 const data = {
117 from: fromWho,
118 to: req.params.mail,
119 subject: 'An invoice from your friendly hackers',
120 text: 'A fake invoice should be attached, it is just an empty text file after all',
121 attachment
122 };
123
124 // Sending the email with attachment
125 try {
126 await mailgunClient.messages.create(domain, data);
127 console.log('attachment sent', attachment.filename);
128 return res.send('Attachment is on its way');
129 } catch (error) {
130 console.error(error);
131 return res.render('error', { error });
132 }
133});
134
135const port = 3030;
136app.listen(port, () => {
137 console.info(`server is listening on ${port}`);
138});
139

How it works

The example above is a simple express app that will run on your local machine on port 3030. We have defined it to use expressjs and the mailgun.js SDK. These are pretty well-known libraries that will help us quickly set up a small website that will allow users to trigger the sending of email addresses to their address.

First things first

We’ve defined 4 endpoints.

  1. /

  2. /submit/:mail

  3. /validate/:mail

  4. /invoice/:mail

Where :mail is your valid email address and :listName is a name for mailing list.

When navigating to an endpoint, Express will send to the browser a different view.

In the background, Express will take the input provided by the browser and process it with the help of the mailgun.js library.

In the first case, we will navigate to the root that is localhost:3030/

You can see there’s an input box requesting your email address. By doing this, you send yourself a nice transactional email.

This is because expressjs takes your email address from the URL parameter and by using your API key and domain does an API call to the endpoint to send emails.

Each endpoint will invoke a different layout, I’ve added the code of basic layouts below, feel free to add and remove stuff from it.

Layouts

Save the code below as index.jade within the /views directory

1doctype html
2html
3 head
4 title Mailgun Transactional demo in NodeJS
5 body
6 p Welcome to a Mailgun form
7 h4 Send email or invoice file
8 form(id="mgform")
9 fieldset
10 label(for="mail") Email
11 input(type="email" id="mail" required placeholder="Youremail@address.com")
12 br
13 button(value="bulk" onclick="mgform.hid=this.value") Send transactional
14 button(value="inv" onclick="mgform.hid=this.value") Send invoice
15
16 h4 Add to sending list
17 form(id="mgAddToListForm")
18 fieldset
19 label(for="mail1") Email
20 input(type="email" id="mail1" required placeholder="Youremail@address.com")
21 br
22 label(for="listName") listName
23 input(type="text" id="listName" required placeholder="example" alt="Name for new sending list")
24 br
25 button(value="list" onclick="mgAddToListForm.hid=this.value") Add to list
26
27 script(type="text/javascript" src="./main.js")`
28

Save the code below as error.jade within the /views directory

1doctype html
2html
3 head
4 title Mailgun Transactional
5 body
6 p Well that's awkward: #{error}`
7

Save the code below as submitted.jade within the /views directory

1doctype html
2html
3 head
4 title Mailgun Transactional
5 body
6 p email sent to #{email}

Javascript

This code allows the browser to call a URL from the first form field with your specified email address appended to it. This way we can simply parse the email address from the URL with express’ parametered route syntax.

Save the code below as main.js within the /js directory

1const mgForm = document.getElementById('mgform');
2const mgAddToListForm = document.getElementById('mgAddToListForm');
3
4mgForm.onsubmit = function () {
5 const email = document.getElementById('mail');
6 if (this.hid === 'bulk') {
7 location = `/submit/${encodeURIComponent(email.value)}`;
8 } else if (this.hid === 'inv') {
9 location = `/invoice/${encodeURIComponent(email.value)}`;
10 }
11 return false;
12};
13
14mgAddToListForm.onsubmit = function () {
15 const email = document.getElementById('mail1');
16 const listName = document.getElementById('listName');
17 if (this.hid === 'list') {
18 location = `/list/${encodeURIComponent(listName.value)}/${encodeURIComponent(email.value)}`;
19 }
20 return false;
21};
22

Finally, create an empty invoice.txt file in your root folder. This file will be sent as an attachment.

Now run npm install (or sudo npm install in some cases depending on your installation) to download dependencies, including Express.

Once that’s done run node app.js

Navigate with your browser to localhost:3030 (or 0.0.0.0:3030)

And that’s how you get started sending transactional email on demand!

Conclusion

In our example, we’ve seen how you can send a transactional email automatically when the user triggers a specific action, in our specific case, submitting the form.

There are thousands of applications that you could adapt this scenario to. Sending emails can be used for:

  • Registering an account on a site and Hello message email

  • Resetting a password

  • Confirming purchases or critical actions (deleting an account)

  • Two-factor authentication with multiple email addresses

What do you use transactional emails for in your day-to-day business?

Last updated on January 04, 2022

  • Related posts
  • Recent posts
  • Top posts
View all

Always be in the know and grab free email resources!

No spam, ever. Only musings and writings from the Mailgun team.

By sending this form, I agree that Mailgun may contact me and process my data in accordance with its Privacy Policy.

sign up
It's easy to get started. And it's free.
See what you can accomplish with the world's best email delivery platform.
Sign up for Free