Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Sending HTML mail using a shell script

How can I send an HTML email using a shell script?

like image 258
Tree Avatar asked Jul 23 '10 10:07

Tree


People also ask

Can we send email from shell script?

This is one of the most common email-sending commands used by Linux system operators. However, you will have to install the “sendmail” program to be able to run this command. Here, the email message is saved in a file named “mail. txt.” The email message already contains the email subject and body.

How do I send mail through shell?

Run `mail' command by '-s' option with email subject and the recipient email address like the following command. It will ask for Cc: address. If you don't want to use Cc: field then keep it blank and press enter. Type the message body and press Ctrl+D to send the email.


1 Answers

First you need to compose the message. The bare minimum is composed of these two headers:

MIME-Version: 1.0 Content-Type: text/html 

... and the appropriate message body:

<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <html> <head><title></title> </head> <body>  <p>Hello, world!</p>  </body> </html> 

Once you have it, you can pass the appropriate information to the mail command:

body = '...'  echo $body | mail \ -a "From: [email protected]" \ -a "MIME-Version: 1.0" \ -a "Content-Type: text/html" \ -s "This is the subject" \ [email protected] 

This is an oversimplified example, since you also need to take care of charsets, encodings, maximum line length... But this is basically the idea.

Alternatively, you can write your script in Perl or PHP rather than plain shell.

Update

A shell script is basically a text file with Unix line endings that starts with a line called shebang that tells the shell what interpreter it must pass the file to, follow some commands in the language the interpreter understands and has execution permission (in Unix that's a file attribute). E.g., let's say you save the following as hello-world:

#!/bin/sh  echo Hello, world! 

Then you assign execution permission:

chmod +x hello-world 

And you can finally run it:

./hello-world 

Whatever, this is kind of unrelated to the original question. You should get familiar with basic shell scripting before doing advanced tasks with it. Here you are a couple of links about bash, a popular shell:

http://www.gnu.org/software/bash/manual/html_node/index.html

http://tldp.org/HOWTO/Bash-Prog-Intro-HOWTO.html

like image 149
Álvaro González Avatar answered Sep 19 '22 23:09

Álvaro González