1

当用户成功更新密码时,我正在为用户起草一个电子邮件模板。

我在模板中使用了 {{ autoescape off }},它是使用 render_to_string() 渲染的。

但是,电子邮件内容直接显示 HTML 尖括号,如下所示:

嗨<span style='color:blue'>用户!</span>

您的密码已成功更新!


我正在使用 Django2.0,我的代码如下所示:

视图.py

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

def sendmail(request, title)
    email_title = title
    email_content = render_to_string('template.html',{'username':request.user.username})
    recipient = request.user.email
    send_mail(
            email_title,
            email_content,
            'myemail@email.com',
            [recipient,],
            )

模板.html

{{ autoescape off}}
Hi <span style='color:blue'>user! </span>
Your password is updated successfully!
{{ endautoescape }}

我的代码有什么问题吗?

否则,在使用 render_to_string() 时是否始终开启自动转义?

4

1 回答 1

2

这与用于渲染变量的 autoescape 无关(它也是一个模板标签,因此您可以将其与{% autoescape off %}, not一起使用{{ autoescape off }})。它在您当前的模板中根本没有做任何事情。

您的问题是您试图将 HTML 放入电子邮件的纯文本正文中。

send_mail需要纯文本消息正文。如果你想要一个 HTML 正文,那么你需要提供一个html_message参数:

send_mail(
    email_title,
    '',  # Empty plain text body - not recommended and you should supply a plain text alternative
    'myemail@email.com',
    [recipient,],
    html_message=email_content,  # This will render as HTML
)
于 2017-12-09T08:50:12.700 回答