Из документов , чтобы отправить 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()