238

次のようなDjangoテンプレートを使用して、HTMLメールを送信したいと思います。

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

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

Djangoのテンプレートエンジンを使用して電子メールを生成するにはどうすればよいですか?

4

12 に答える 12

420

ドキュメントから、 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のもの、下に保存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()
于 2010-05-11T11:30:30.143 に答える
285

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

html_message:html_messageが指定されている場合、結果の電子メールは、テキスト/プレーンコンテンツタイプとしてメッセージを、テキスト/htmlコンテンツタイプとしてhtml_messageを含むマルチパート/代替電子メールになります。

だからあなたはただすることができます:

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,
)
于 2015-02-12T11:48:18.297 に答える
27

私はこの問題を解決するために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 / loadersで、プレーン部分とhtml部分のそれぞれについて「templated_email/email.txt」および「templated_email/email.html」という名前のテンプレートが自動的に検索されます(これらの少なくとも1つが見つからない場合は文句を言います) 。

于 2011-03-16T22:50:11.200 に答える
16

これは古い質問ですが、一部の人々は私のようであり、常に最新の回答を探していることも知っています。古い回答は、更新されない場合、非推奨の情報になることがあるためです。

現在は2020年1月で、Django2.2.6とPython3.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') ます。この行は私のテンプレートにアクセスできるようにするものです。私のproject_dirには、という名前のフォルダーと、このようtemplatesに呼ばれるsub_directoryがあります。私のテンプレートとはsub_directoryの下にあります。email_templatesproject_dir->templates->email_templatesreceipt_email.txtreceipt_email.htmlemail_templates

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>
于 2020-01-06T20:36:15.257 に答える
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()
于 2014-01-31T02:56:17.693 に答える
6

送信したいすべてのトランザクションメール用に、シンプルでカスタマイズ可能で再利用可能なテンプレートを持つDjangoSimpleMailを作成しました。

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

フィードバックをお待ちしております。

于 2018-08-10T14:12:44.967 に答える
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を参照してください

于 2011-01-03T19:10:33.893 に答える
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 %}

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

于 2012-10-05T13:56:44.210 に答える
3

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

私は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>
于 2020-06-25T19:25:02.953 に答える
0

このツールを使用して、簡単なコンテキスト処理でHTMLとTXTの電子メールを簡単に送信できるようにするのが好きです:https ://github.com/divio/django-emailit

于 2017-04-20T15:35:42.227 に答える
0

データベースに保存されているテンプレートを使用してレンダリングされた電子メールを送信できるようにするスニペットを作成しました。例:

EmailTemplate.send('expense_notification_to_admin', {
    # context object that email template will be rendered with
    'expense': expense_request,
})
于 2018-02-17T12:03:31.410 に答える
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テンプレートに送信されます。

于 2018-07-26T04:29:54.340 に答える