Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Dynamic Django Mail Configuration

I don't want to use email configuration fields in setting.py, i want to put them in to a model.

class Configuration(models.Model):
    email_use_tls = models.BooleanField(_(u'EMAIL_USE_TLS'),default=True)
    email_host = models.CharField(_(u'EMAIL_HOST'),max_length=1024)
    email_host_user = models.CharField(_(u'EMAIL_HOST_USER'),max_length=255)
    email_host_password = models.CharField(_(u'EMAIL_HOST_PASSWORD'),max_length=255)
    email_port = models.PositiveSmallIntegerField(_(u'EMAIL_PORT'),default=587)
    ....

What is the best practice to configure django.core.mail.send_mail behaviour? Should i copy send_mail code to my project? Thats not what i want.

like image 604
yet Avatar asked Mar 09 '14 11:03

yet


2 Answers

Very interesting question. It seems like this is already implemented in EmailMessage class.

First you need to configure email backend

from django.core.mail import EmailMessage
from django.core.mail.backends.smtp import EmailBackend


config = Configuration.objects.get(**lookup_kwargs)

backend = EmailBackend(host=config.host, port=congig.port, username=config.username, 
                       password=config.password, use_tls=config.use_tls, fail_silently=config.fail_silently)

Then just pass connection to EmailMessage

email = EmailMessage(subject='subj', body='body', from_email=from_email, to=to, 
             connection=backend)

Then send email :)

email.send()

Ofc if you want html or file attachments use EmailMultiAlternatives instead

like image 195
Andrey Nelubin Avatar answered Oct 20 '22 10:10

Andrey Nelubin


There is little error in the answer above (Andrey Nelubin's answer). No need to call get_connection(backend=backend). You should pass backend to the EmailMessage constructor, like this:

backend = EmailBackend(host=config.host, port=congig.port, username=config.username, 
                               password=config.password, use_tls=config.use_tls, fail_silently=config.fail_silently)
email = EmailMessage(subject='subj', body='body', from_email=from_email, to=to, 
                 connection=backend)

I can not add comment that answer and dicided to post new one. Please someone who have permissions move it there or correct the answer.

like image 35
Marselo Bonagi Avatar answered Oct 20 '22 09:10

Marselo Bonagi