1. ホーム
  2. ジャンゴ

[解決済み】Djangoでメールテンプレートを作成する

2022-04-04 10:58:12

質問

このようなDjangoのテンプレートを使って、HTMLメールを送信したいのですが。

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

については、何も見つかりません。 send_mail そして、django-mailer は HTML テンプレートのみを送信し、動的なデータは送信しません。

Django のテンプレートエンジンを使って電子メールを生成するには?

どのように解決するのですか?

から ドキュメント のように、HTMLメールを送信するために、別のcontent-typesを使用したい。

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()

メール用のテンプレートは2つ必要でしょう。プレーンテキストのものは、以下のようなもので、テンプレート・ディレクトリの email.txt :

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

の下に格納されているHTML的なものと email.html :

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

この2つのテンプレートを使ってメールを送るには 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', '[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()