Search code examples
djangoemaildjango-emaildjango-mailer

Creating email templates with Django


I want to send HTML-emails, using Django templates like this:

<html>
<body>
hello <strong>{{username}}</strong>
your account activated.
<img src="mysite.com/logo.gif" />
</body>

I can't find anything about send_mail, and django-mailer only sends HTML templates, without dynamic data.

How do I use Django's template engine to generate e-mails?


Solution

  • From the docs, to send HTML e-mail you want to use alternative content-types, like this:

    from django.core.mail import EmailMultiAlternatives
    
    subject, from_email, to = 'hello', '[email protected]', '[email protected]'
    text_content = 'This is an important message.'
    html_content = '<p>This is an <strong>important</strong> message.</p>'
    msg = EmailMultiAlternatives(subject, text_content, from_email, [to])
    msg.attach_alternative(html_content, "text/html")
    msg.send()
    

    You'll probably want two templates for your e-mail - a plain text one that looks something like this, stored in your templates directory under email.txt:

    Hello {{ username }} - your account is activated.
    

    and an HTMLy one, stored under email.html:

    Hello <strong>{{ username }}</strong> - your account is activated.
    

    You can then send an e-mail using both those templates by making use of get_template, like this:

    from django.core.mail import EmailMultiAlternatives
    from django.template.loader import get_template
    from django.template import Context
    
    plaintext = get_template('email.txt')
    htmly     = get_template('email.html')
    
    d = Context({ 'username': username })
    
    subject, from_email, to = 'hello', '[email protected]', '[email protected]'
    text_content = plaintext.render(d)
    html_content = htmly.render(d)
    msg = EmailMultiAlternatives(subject, text_content, from_email, [to])
    msg.attach_alternative(html_content, "text/html")
    msg.send()