Django ile e-posta şablonları oluşturma


208

Bunun gibi Django şablonlarını kullanarak HTML e-postaları göndermek istiyorum:

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

Hakkında hiçbir şey bulamıyorum send_mailve django-mailer dinamik veri olmadan sadece HTML şablonları gönderiyor.

E-posta oluşturmak için Django'nun şablon motorunu nasıl kullanırım?


3
Uyarı Django 1.7teklifler html_messageiçinde send_email stackoverflow.com/a/28476681/953553
andilabs

Merhaba @anakin, uzun zamandır bu sorunla mücadele ettim ve bunun için bir paket oluşturmaya karar verdim. Geri bildiriminizi almaktan
Charlesthk

Yanıtlar:


386

Gönderen docs , bu gibi alternatif içerik türlerini kullanmak istediğiniz HTML e-posta göndermek için:

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

Muhtemelen e-postanız için iki şablon isteyeceksiniz - şablon dizininizde aşağıdaki gibi görünen düz bir metin olan email.txt:

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

ve HTMLy bir, altında depolandı email.html:

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

Daha sonra, aşağıdakileri kullanarak bu iki şablonu kullanarak bir e-posta gönderebilirsiniz 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
Ben bu basitleştirmek düşünüyorum render_to_string ayrı hatlar için şablonlar atama kaybetmesine izin hangi, plaintextve htmly, ve sadece tanımladığınızda şablonlar ve bağlamları ayarlanır text_contentve html_content.
cms_mgr

@cms_mgr Ne söylemek istediğinizi ve bunu nasıl kullanabileceğimizi ayrıntılı bir şekilde açıklayabilir misiniz
akki

3
@akki andi'nin aşağıdaki cevabına bakınız, bu da Django 1.7'de send_email () 'e eklenen html_message parametresi sayesinde alternatif parçayı basitleştiriyor
Mike S

Affedersiniz ama neden txt ve htmly'yi aynı anda bir posta için kullanıyoruz. Bu mantığı alamadım
Shashank Vivek

onlar sadece farklı tür yöntemleri göstermek için örneklerdir, bunlardan herhangi birini kullanabilirsiniz @ShashankVivek
erdemlal

243

Erkek ve kızlar!

Django'nun send_email yöntemindeki 1.7'sinden beri html_messageparametre eklendi.

html_message: html_message sağlanırsa, ortaya çıkan e-posta, metin / düz içerik türü olarak mesaj içeren çok parçalı / alternatif bir e-posta ve metin / html içerik türü olarak html_message olur.

Böylece şunları yapabilirsiniz:

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' ve 'email.html' ayarlarda tanımlandığı gibi bir dizin şablonlarındaysa, yalnızca render_to_string ('email.txt', {'some_params': some_params} _
Bruno Vermeulen

render_to_stringİpucu için teşekkürler , çok kullanışlı.
Hoefling

1
Güzel çözüm! Bununla birlikte,send_mailReturn-PathEmailMultiAlternatives's constructor header parameter
Qlimax

26

Bu çözümden esinlenerek bu sorunu çözmek için django-templated-e-postası yaptım (ve bir noktada, django şablonlarını kullanmaktan bir mailchimp vb. İçin işlemsel, şablonlu e-postalar için şablonlar kümesine geçme ihtiyacı kendi projem). Yine de devam eden bir çalışmadır, ancak yukarıdaki örnek için şunları yapabilirsiniz:

from templated_email import send_templated_mail
send_templated_mail(
        'email',
        'from@example.com',
        ['to@example.com'],
        { 'username':username }
    )

Settings.py'ye aşağıdakileri ekleyerek (örneği tamamlamak için):

TEMPLATED_EMAIL_DJANGO_SUBJECTS = {'email':'hello',}

Bu, normal django şablon dizinlerinde / yükleyicilerinde düz ve html bölümleri için sırasıyla 'templated_email / email.txt' ve 'templated_email / email.html' adlı şablonları otomatik olarak arayacaktır (bunlardan en az birini bulamıyorsa şikayet ediyor) .


1
Bana iyi görünüyor. Bunu kesip eklemek için bir bilete attımdjango.shortcuts.send_templated_mail : code.djangoproject.com/ticket/17193
Tom Christie

Serin, django çekirdeği için bir araç olarak önerildiğini görmek sevindim. Lib için kullanım durumum / odağım sadece kısayoldan biraz daha büyük, (posta göndermek için anahtar / değer api'ye sahip posta sağlayıcıları arasında kolay geçiş), ancak çekirdekte eksik bir özellik gibi görünüyor
Darb

15

İki alternatif şablonu (biri düz metin, diğeri html'de) kullanmak için EmailMultiAlternative ve render_to_string kullanın:

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

Göndermek istediğiniz her işlem e-postası için basit, özelleştirilebilir ve yeniden kullanılabilir bir şablona sahip olmak için Django Simple Mail'i oluşturdum .

E-postaların içeriği ve şablonları doğrudan django'nun yöneticisinden düzenlenebilir.

Örneğinizle e-postanızı kaydedersiniz:

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)

Ve şu şekilde gönderin:

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)

Herhangi bir geri bildirim almak isterim.


Deponuza paketinizin bir demo uygulamasını yüklerseniz çok yardımcı olur.
ans2human

Merhaba @ ans2human Bu öneri için teşekkürler, ben iyileştirmeler listesine ekleyin!
Charlesthk


3

Django Mail Templated , Django şablon sistemi ile e-posta göndermek için zengin özelliklere sahip bir Django uygulamasıdır.

Kurulum:

pip install django-mail-templated

Yapılandırma:

INSTALLED_APPS = (
    ...
    'mail_templated'
)

Şablon:

{% 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])

Daha fazla bilgi: https://github.com/artemrizhov/django-mail-templated


Bunu kullanmak gerçekten çok kolaydı. Teşekkürler.
cheenbabes

Merhaba, tüm alıcılarımı BCC'ye nasıl ayarlayabilirim?
aldesabido

@aldesabido Bu standart Django'nun standart EmailMessage sınıfının etrafındaki bir paketleyicidir. Bu tür özellikleri ararken resmi belgeleri okumalısınız: docs.djangoproject.com/en/1.10/topics/email Benzer soruya da göz atın: stackoverflow.com/questions/3470172/…
raacer

Daha açık olmak gerekirse, standart EmailMessage kaydırılmaz, devralınır. Yani bu standart sınıfın uzantısıdır :)
raacer

JS / CSS'yi şablona dahil etmek mümkün mü?
Daniel Shatz

3

Bunun eski bir soru olduğunu biliyorum, ama aynı zamanda bazı insanların benim gibi olduğunu ve her zaman güncel cevaplar aradığını biliyorum , çünkü eski cevaplar güncellenmezse bazen kullanımdan kaldırılabilir.

Şimdi Ocak 2020 ve Django 2.2.6 ve Python 3.7 kullanıyorum

Not: DJANGO REST FRAMEWORK kullanıyorum , e-posta göndermek için aşağıdaki kod benim modelimde bir model görünümündeydiviews.py

Çok güzel cevapları okuduktan sonra bunu yaptım.

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)

Önemli! Peki nasıl render_to_stringolur receipt_email.txtve receipt_email.html? Benim settings.py, ben var TEMPLATESve aşağıda nasıl görünüyor

Dikkat edin DIRS, bu çizgi var os.path.join(BASE_DIR, 'templates', 'email_templates') . Bu çizgi, şablonlarımı erişilebilir hale getiren şeydir. Benim project_dir, ben adında bir klasör var templatesve adında bir sub_directory email_templatesböyle project_dir->templates->email_templates. Şablonlarım receipt_email.txtve alt_dizin receipt_email.htmlaltında email_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',
        ],
    },
},
]

Sadece eklememe izin verin, şöyle recept_email.txtgörünüyor;

Dear {{name}},
Here is the text version of the email from template

Ve şöyle receipt_email.htmlgörünüyor;

Dear {{name}},
<h1>Now here is the html version of the email from the template</h1>

0

Veritabanında saklanan şablonlarla oluşturulan e-postaları göndermenizi sağlayan bir snippet yazdım . Bir örnek:

EmailTemplate.send('expense_notification_to_admin', {
    # context object that email template will be rendered with
    'expense': expense_request,
})

0

Postanız için dinamik e-posta şablonları istiyorsanız, e-posta içeriğini veritabanı tablolarınıza kaydedin. Bu veritabanında HTML kodu olarak kaydettiğim =

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

Sizce:

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

Bu, dinamik HTML şablonunu Db'de kaydettiklerinizi gönderir.


0

send_emai()benim için çalışmadı, bu yüzden EmailMessage burada django belgelerinde kullandım .

Anser'in iki versiyonunu ekledim:

  1. Yalnızca html e-posta sürümü ile
  2. Düz metin e-posta ve html e-posta sürümleri ile
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()

E-postanızın düz metin sürümünü eklemek istiyorsanız, yukarıdakileri şu şekilde değiştirin:

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

Benim düz ve html sürümleri şöyle: 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>

Sitemizi kullandığınızda şunları okuyup anladığınızı kabul etmiş olursunuz: Çerez Politikası ve Gizlilik Politikası.
Licensed under cc by-sa 3.0 with attribution required.