使用Django创建电子邮件模板


206

我想使用Django模板发送HTML电子邮件,如下所示:

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

我找不到任何有关的信息send_mail,并且django-mailer仅发送HTML模板,而没有动态数据。

如何使用Django的模板引擎生成电子邮件?


3
注意Django 在stackoverflow.com/a/28476681/953553中1.7提供html_message的内容send_email
andilabs

嗨,@ anakin,我已经为这个问题苦苦挣扎了很长时间,并决定为此创建一个程序包。我很高兴收到您的反馈:github.com/charlesthk/django-simple-mail
Charlesthk

Answers:


385

docs,要发送HTML电子邮件,您要使用其他内容类型,如下所示:

from django.core.mail import EmailMultiAlternatives

subject, from_email, to = 'hello', 'from@example.com', 'to@example.com'
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()

您可能需要两个用于电子邮件的模板-一个看起来像这样的纯文本模板,存储在您的模板目录下email.txt

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

还有一个HTMLy,存放在下email.html

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

然后,您可以使用来使用这两个模板发送电子邮件get_template,如下所示:

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', 'from@example.com', 'to@example.com'
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()

40
我认为您可以使用render_to_string简化此过程,这将使您失去将模板分配给plaintext和的单独行htmly,并且仅在定义text_contentand 时设置模板和上下文html_content
cms_mgr

@cms_mgr您能详细说明您想说什么以及我们如何使用它吗
akki 2014年

3
@akki见下文安迪的回答,这也简化了替代部分归功于html_message PARAM被添加到SEND_EMAIL()在Django 1.7
麦克小号

请原谅,但为什么我们同时使用txt和htmly来发送邮件。我没有得到这个逻辑
Shashank Vivek

它们只是说明不同方法的示例,您可以使用其中任何一种@ShashankVivek
erdemlal

241

男孩和女孩!

从Django的1.7中的send_email方法html_message开始,添加了该参数。

html_message:如果提供了html_message,则生成的电子邮件将是多部分/替代电子邮件,其消息为文本/纯内容类型,而html_message为文本/ html内容类型。

因此,您可以:

from django.core.mail import send_mail
from django.template.loader import render_to_string


msg_plain = render_to_string('templates/email.txt', {'some_params': some_params})
msg_html = render_to_string('templates/email.html', {'some_params': some_params})

send_mail(
    'email title',
    msg_plain,
    'some@sender.com',
    ['some@receiver.com'],
    html_message=msg_html,
)

1
请注意,如果“ email.txt”和“ email.html”位于设置中定义的目录模板中,则不仅仅是render_to_string('email.txt',{'some_params':some_params} _
Bruno Vermeulen

感谢您的render_to_string提示,非常方便。
hoefling

1
好的解决方案!但是,send_mail无法设置某些自定义标头,例如Return-Path可以通过EmailMultiAlternatives's constructor header parameter
Qlimax 19'9

26

为了解决这个问题,我受此解决方案的启发而制作了django-templated-email(并且在某些时候,需要从使用django模板转换为使用mailchimp等。)我自己的项目)。虽然它仍在进行中,但是对于上面的示例,您可以执行以下操作:

from templated_email import send_templated_mail
send_templated_mail(
        'email',
        'from@example.com',
        ['to@example.com'],
        { 'username':username }
    )

在settings.py中添加了以下内容(以完成示例):

TEMPLATED_EMAIL_DJANGO_SUBJECTS = {'email':'hello',}

这将自动在普通的django模板dirs / loader中查找分别用于普通部分和html部分的分别名为'templated_email / email.txt'和'templated_email / email.html'的模板(说明是否无法找到其中至少一个) 。


1
在我看来很好。我将其修剪并丢入票中以添加django.shortcuts.send_templated_mailcode.djangoproject.com/ticket/17193
Tom Christie

很酷,很高兴看到它被建议作为django core的工具。我对lib的用例/关注点不仅仅是快捷方式(在具有用于发送邮件的键/值api的邮件提供者之间轻松切换),但它确实感觉像是核心所缺少的功能
Darb

15

使用EmailMultiAlternatives和render_to_string可以使用两个替代模板(一个为纯文本模板,另一个为html模板):

from django.core.mail import EmailMultiAlternatives
from django.template import Context
from django.template.loader import render_to_string

c = Context({'username': username})    
text_content = render_to_string('mail/email.txt', c)
html_content = render_to_string('mail/email.html', c)

email = EmailMultiAlternatives('Subject', text_content)
email.attach_alternative(html_content, "text/html")
email.to = ['to@example.com']
email.send()

5

我创建了Django简单邮件,为您要发送的每个交易电子邮件提供了一个简单,可自定义和可重用的模板。

电子邮件内容和模板可以直接从django的管理员进行编辑。

以您的示例为例,您将注册电子邮件:

from simple_mail.mailer import BaseSimpleMail, simple_mailer


class WelcomeMail(BaseSimpleMail):
    email_key = 'welcome'

    def set_context(self, user_id, welcome_link):
        user = User.objects.get(id=user_id)
        return {
            'user': user,
            'welcome_link': welcome_link
        }


simple_mailer.register(WelcomeMail)

并以这种方式发送:

welcome_mail = WelcomeMail()
welcome_mail.set_context(user_id, welcome_link)
welcome_mail.send(to, from_email=None, bcc=[], connection=None, attachments=[],
                   headers={}, cc=[], reply_to=[], fail_silently=False)

我希望得到任何反馈。


如果您在仓库中上传软件包的演示应用程序,将会很有帮助。
ans2human

您好@ ans2human感谢您的建议,我将其添加到改进列表中!
查尔斯


3

Django Mail Templated是功能丰富的Django应用程序,可使用Django模板系统发送电子邮件。

安装:

pip install django-mail-templated

组态:

INSTALLED_APPS = (
    ...
    'mail_templated'
)

模板:

{% block subject %}
Hello {{ user.name }}
{% endblock %}

{% block body %}
{{ user.name }}, this is the plain text part.
{% endblock %}

蟒蛇:

from mail_templated import send_mail
send_mail('email/hello.tpl', {'user': user}, from_email, [user.email])

更多信息:https//github.com/artemrizhov/django-mail-templated


这真的很容易使用。谢谢。
cheenbabes 2015年

嗨,如何将所有收件人设置为密件抄送?
aldesabido

@aldesabido这只是Django的标准EmailMessage类的包装。因此,在寻找此类功能时,您应该阅读官方文档:docs.djangoproject.com/en/1.10/topics/email还要看看类似的问题:stackoverflow.com/questions/3470172/…–
raacer

更准确地说,标准的EmailMessage不是包装的,而是继承的。即这是标准课程的扩展:)
raacer

可以在模板中包含JS / CSS吗?
丹尼尔·沙兹

3

我知道这是一个古老的问题,但是我也知道有些人和我一样,并且总是在寻找最新的答案,因为如果不及时更新,旧答案有时可能会包含已弃用的信息。

现在是2020年1月,我正在使用Django 2.2.6和Python 3.7

注意:我使用DJANGO REST FRAMEWORK,以下用于发送电子邮件的代码在模型视图集中在我集中views.py

因此,在阅读了多个不错的答案之后,这就是我所做的。

from django.template.loader import render_to_string
from django.core.mail import EmailMultiAlternatives

def send_receipt_to_email(self, request):

    emailSubject = "Subject"
    emailOfSender = "email@domain.com"
    emailOfRecipient = 'xyz@domain.com'

    context = ({"name": "Gilbert"}) #Note I used a normal tuple instead of  Context({"username": "Gilbert"}) because Context is deprecated. When I used Context, I got an error > TypeError: context must be a dict rather than Context

    text_content = render_to_string('receipt_email.txt', context, request=request)
    html_content = render_to_string('receipt_email.html', context, request=request)

    try:
        #I used EmailMultiAlternatives because I wanted to send both text and html
        emailMessage = EmailMultiAlternatives(subject=emailSubject, body=text_content, from_email=emailOfSender, to=[emailOfRecipient,], reply_to=[emailOfSender,])
        emailMessage.attach_alternative(html_content, "text/html")
        emailMessage.send(fail_silently=False)

    except SMTPException as e:
        print('There was an error sending an email: ', e) 
        error = {'message': ",".join(e.args) if len(e.args) > 0 else 'Unknown Error'}
        raise serializers.ValidationError(error)

重要!那么如何render_to_string获得receipt_email.txtreceipt_email.html?在我的settings.pyTEMPLATES下面是它的外观

请注意DIRS,有这行os.path.join(BASE_DIR, 'templates', 'email_templates') 。此行使我的模板易于访问。在我的project_dir中,有一个名为的文件夹templates和一个名为email_templatesthis 的子目录project_dir->templates->email_templates。我的模板receipt_email.txtreceipt_email.htmlemail_templatessub_directory下。

TEMPLATES = [
{
    'BACKEND': 'django.template.backends.django.DjangoTemplates',
    'DIRS': [os.path.join(BASE_DIR, 'templates'), os.path.join(BASE_DIR, 'templates', 'email_templates')],
    'APP_DIRS': True,
    'OPTIONS': {
        'context_processors': [
            'django.template.context_processors.debug',
            'django.template.context_processors.request',
            'django.contrib.auth.context_processors.auth',
            'django.contrib.messages.context_processors.messages',
        ],
    },
},
]

让我补充一下,我的recept_email.txt样子是这样;

Dear {{name}},
Here is the text version of the email from template

而且,我receipt_email.html看起来像这样;

Dear {{name}},
<h1>Now here is the html version of the email from the template</h1>

0

我编写了一个代码段,使您可以发送使用存储在数据库中的模板呈现的电子邮件。一个例子:

EmailTemplate.send('expense_notification_to_admin', {
    # context object that email template will be rendered with
    'expense': expense_request,
})

0

如果要为邮件使用动态电子邮件模板,则将电子邮件内容保存在数据库表中。这就是我另存为HTML代码的数据库=

<p>Hello.. {{ first_name }} {{ last_name }}.  <br> This is an <strong>important</strong> {{ message }}
<br> <b> By Admin.</b>

 <p style='color:red'> Good Day </p>

在您看来:

from django.core.mail import EmailMultiAlternatives
from django.template.loader import get_template

def dynamic_email(request):
    application_obj = AppDetails.objects.get(id=1)
    subject = 'First Interview Call'
    email = request.user.email
    to_email = application_obj.email
    message = application_obj.message

    text_content = 'This is an important message.'
    d = {'first_name': application_obj.first_name,'message':message}
    htmly = FirstInterviewCall.objects.get(id=1).html_content #this is what i have saved previously in database which i have to send as Email template as mentioned above HTML code

    open("partner/templates/first_interview.html", "w").close() # this is the path of my file partner is the app, Here i am clearing the file content. If file not found it will create one on given path.
    text_file = open("partner/templates/first_interview.html", "w") # opening my file
    text_file.write(htmly) #putting HTML content in file which i saved in DB
    text_file.close() #file close

    htmly = get_template('first_interview.html')
    html_content = htmly.render(d)  
    msg = EmailMultiAlternatives(subject, text_content, email, [to_email])
    msg.attach_alternative(html_content, "text/html")
    msg.send()

这将向动态HTML模板发送您保存在Db中的内容。


0

send_emai()不适用于我,所以我在Django文档中使用EmailMessage

我提供了两个版本的分析服务商:

  1. 仅使用html电子邮件版本
  2. 具有纯文本电子邮件和html电子邮件版本
from django.template.loader import render_to_string 
from django.core.mail import EmailMessage

# import file with html content
html_version = 'path/to/html_version.html'

html_message = render_to_string(html_version, { 'context': context, })

message = EmailMessage(subject, html_message, from_email, [to_email])
message.content_subtype = 'html' # this is required because there is no plain text email version
message.send()

如果要包括电子邮件的纯文本版本,请像这样修改上面的内容:

from django.template.loader import render_to_string 
from django.core.mail import EmailMultiAlternatives # <= EmailMultiAlternatives instead of EmailMessage

plain_version = 'path/to/plain_version.html' # import plain version. No html content
html_version = 'path/to/html_version.html' # import html version. Has html content

plain_message = render_to_string(plain_version, { 'context': context, })
html_message = render_to_string(html_version, { 'context': context, })

message = EmailMultiAlternatives(subject, plain_message, from_email, [to_email])
message.attach_alternative(html_message, "text/html") # attach html version
message.send()

我的纯文本和html版本如下所示:plain_version.html:

Plain text {{ context }}

html_version.html

<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">
 <head>
 ...
 </head>
<body>
<table align="center" border="0" cellpadding="0" cellspacing="0" width="320" style="border: none; border-collapse: collapse; font-family:  Arial, sans-serif; font-size: 14px; line-height: 1.5;">
...
{{ context }}
...
</table>
</body>
</html>

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.