Djangoでメールテンプレートを作成する


207

次のような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

回答:


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

おそらく、電子メール用に2つのテンプレートが必要になります。次のようなテンプレートディレクトリに保存されている、このようなテキスト形式のテンプレートemail.txtです。

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

とHTMLyの1つ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あなたは別々の行がにテンプレートを割り当てる失う聞かせている、plaintexthtmly、ちょうどあなたが定義するときにテンプレートとコンテキストを設定するtext_contenthtml_content
cms_mgr 2013年

@cms_mgrあなたが言いたいことを詳しく説明することができますし、我々はそれを使用する方法
akki

3
@akki下記のandiの回答を参照してください。Django1.7のsend_email()にhtml_message paramが追加されているため、代替部分も簡素化されます
マイクS

すみませんが、メールにtxtとhtmlyを同時に使用するのはなぜですか。私はこのロジックを理解できませんでした
Shashank Vivek

これらは、さまざまな種類のメソッドを示すための単なる例であり、@ ShashankVivekのいずれかを使用できます
erdemlal

242

少年少女!

Djangoの1.7以降のsend_emailメソッドから、html_messageパラメータが追加されました。

html_message:html_messageが指定されている場合、結果の電子メールは、メッセージがtext / plainコンテンツタイプであり、html_messageがtext / 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

26

私が作ったジャンゴ・テンプレート-電子メールを、いくつかの点で、この溶液(及び必要性に触発され、この問題を解決するための努力の中でのトランザクション、テンプレート電子メール用テンプレートの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 / loadersで、プレーン部分とhtml部分のそれぞれに「templated_email / email.txt」と「templated_email / email.html」という名前のテンプレートが自動的に検索されます(これらのテンプレートが1つも見つからない場合はエラーが発生します)。 。


1
は、私にはよく見えますよ。私はこれを切り詰めて、チケットに追加して追加しましたdjango.shortcuts.send_templated_mailcode.djangoproject.com/ticket/17193
Tom Christie

クールで、djangoコアのツールとして提案されることをうれしく思います。libの使用例/フォーカスは、単なるショートカットよりも少し大きい(メール送信用のキー/値APIを持つメールプロバイダー間を簡単に切り替える)が、コアから機能が不足しているように感じる
Darb

15

EmailMultiAlternativesとrender_to_stringを使用して、2つの代替テンプレート(1つはプレーンテキスト、もう1つは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 Simple Mailを作成して、送信するトランザクションメールごとに、シンプルでカスタマイズ可能で再利用可能なテンプレートを用意しました。

メールの内容とテンプレートは、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 2018

こんにちは@ ans2humanこの提案に感謝します。改善のリストに追加します!
Charlesthk

3

例にエラーがあります...記述どおりに使用すると、次のエラーが発生します。

<type 'exceptions.Exception'>: 'dict'オブジェクトには属性 'render_context'がありません

次のインポートを追加する必要があります。

from django.template import Context

辞書を次のように変更します。

d = Context({ 'username': username })

http://docs.djangoproject.com/en/1.2/ref/templates/api/#rendering-a-contextを参照してください


ありがとう-これは修正されました。
ドミニクロジャー2014

3

Djangoメールテンプレートは、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 %}

Python:

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

こんにちは、どうすればすべての受信者をBCCに設定できますか?
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.py、私はTEMPLATES以下のように見えます

注意してDIRS、このラインがあり、os.path.join(BASE_DIR, 'templates', 'email_templates') .Thisラインは私のテンプレートがアクセス可能にするものです。私のproject_dirには、というフォルダとtemplatesemail_templatesこのようなサブディレクトリがありますproject_dir->templates->email_templates。私のテンプレートreceipt_email.txtとは、receipt_email.html下にあるemail_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()

これは、Dbに保存した動的HTMLテンプレートを送信します。


0

send_emai()私にはうまくいかなかったので、EmailMessage ここでdjango docsを使用しました

anserの2つのバージョンを含めました。

  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>

弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.