Last updated

Send mail with a BASH Shell Script

Like any good programmer, I try to automate the crap out of everything. If you have to do it more than once, I try to write a script for it.

This time I want to show you how you can easily send an e-mail from a BASH script. The idea is that you want the script to send out an email to notify a user that something has happened.

We’re going to use the GNU Mail utility here. The basic syntax to send an email is like this:

1/usr/bin/mail -s "Subject" someone@example.org < message.txt

The trick when using this in a shell script is creating and using the message.txt file correctly.

Let’s setup the basis first:

1#!/bin/bash
2SUBJECT="Automated Security Alert"
3TO="alarms@ariejan.net"
4MESSAGE="/tmp/message.txt"
5
6/usr/bin/mail -s "$SUBJECT" "$TO" < $MESSAGE

All we need to do now is create the message. In this example we’re going to notify the receiver that something happened at a certain time. We can use the append (») operator to add text to the message file. Afterwards, we must remove the temporary message file, of course. The complete script now becomes:

 1#!/bin/bash
 2SUBJECT="Automated Security Alert"
 3TO="alarms@ariejan.net"
 4MESSAGE="/tmp/message.txt"
 5
 6echo "Security breached!" >> $MESSAGE
 7echo "Time: `date`" >> $MESSAGE
 8
 9/usr/bin/mail -s "$SUBJECT" "$TO" < $MESSAGE
10
11rm $MESSAGE

The email will contain the a timestamp from when the mail was sent.

This method is great for letting an administrator now if something happened. Maybe you need to check if your webserver is up and running. This script can an administrator about the issue.