Flask is a popular Python web framework and the preferred choice for many web developers. It’s often referred to as a microframework because of its limited capabilities and the general minimalist approach to developing in Python. As such, it also doesn’t offer a native solution for sending emails, but it more than makes up for it with an excellent Flask-Mail extension.
In this article, we’ll explain how to configure and send emails with Flask-Mail. We’ll discuss the various options for sending and testing Flask emails, both individually and in bulk. We’ll also touch on a number of other configuration options, so bear with us.
Why send emails from Flask?
Sending emails is a vital part of many Flask applications. When users create an account, a confirmation email should hit their inboxes right away. When they forget their password, a handy mechanism for resetting it built into an app will make their life a lot easier. As things stand in 2021, this process almost always relies on email too.
There are also many other situations when an auto-generated email is a must. Luckily, it’s really easy to set things up and send the first emails within minutes. Flask-Mail is our preferred choice for this tutorial.
It’s built on top of the popular Python’s smtplib module, which it enhances in a number of ways. It provides a simple-to-use interface and makes it easy to send bulk emails and attachments and configure a number of other settings with ease.
If you prefer, you can still send emails with smtplib, but for more on that, we invite you to read our more general article on sending emails in Python.
Getting started with Flask-Mail
To get started, we’ll need to take care of a few brief installs, traditionally done with a pip. If you don’t have Flask installed yet, add it right away:
pip install Flask
To install Flask-Mail, use the following:
pip install Flask-Mail
Adding and configuring virtualenv [optional]
It’s not required, but if you wish to isolate this environment, consider adding virtualenv to the mix. It’s included in all the modern Python modules.
Then, launch the terminal and head to the folder you’ll use for this project. Type in the following.
On macOS or Linux:
python -m venv new_environment
On Windows:
py -m venv new_environment
Replace ‘new_environment’ with whatever you want to name the environment, and then activate it.
On macOS or Linux:
source new_environment/bin/activate
On Windows:
.\new_environment\Scripts\activate
Configuring Flask-Mail
Now we’ll need to do some basic configuration – decide how we’re going to send emails using Flask, insert our credentials, pick the encryption or choose to send without it, etc.
As we don’t really want to email customers just yet, we’ll capture all test emails with Mailtrap Email Testing – a tool devs use to preview, inspect and debug emails in staging before they are sent to recipients.
We will talk more about email testing with Mailtrap’s tool a bit later. For now, let’s just cover how to integrate it into a Flask app so you can mimic sending but actually receive all the emails in your Mailtrap Email Testing virtual inbox.
So, with an active Mailtrap account, log into the dashboard, go to Email Testing -> Inboxes, and in the Integrations section under SMTP Settings, pick Flask-Mail.
That should provide you with configuration details to insert into your app:
app.config['MAIL_SERVER']='sandbox.smtp.mailtrap.io'
app.config['MAIL_PORT'] = 2525
app.config['MAIL_USERNAME'] = 'your_email@example.com'
app.config['MAIL_PASSWORD'] = 'your_password'
app.config['MAIL_USE_TLS'] = True
app.config['MAIL_USE_SSL'] = False
When moving to a production environment, it’s probably a good idea not to hardcode the credentials in the code. Instead, store them in environment variables and quickly update them without rewriting the code:
app.config['MAIL_USERNAME'] = os.environ.get('MAIL_USERNAME')
app.config['MAIL_PASSWORD'] = os.environ.get('MAIL_PASSWORD')
Using Gmail SMTP server
Gmail can be an appealing option if you’re on a budget. But, if it doesn’t work for you, and you have a rather small volume, there are quite a few other options to get a free SMTP server for your app.
Sending via Gmail is popular because virtually everyone has a Gmail account. If you have one, you can send up to 100 emails for free per each rolling 24 hours. And upgrading to one of the paid plans will give you a much higher sending capacity.
To use your Gmail account to send emails with Flask, you’ll simply need to change a few details in the code we used for Mailtrap Email Testing:
app.config['MAIL_SERVER']='smtp.gmail.com'
app.config['MAIL_PORT'] = 465
app.config['MAIL_USERNAME'] = 'your_email@gmail.com'
app.config['MAIL_PASSWORD'] = 'your_password'
app.config['MAIL_USE_TLS'] = False
app.config['MAIL_USE_SSL'] = True
There is some chance that’s all you’ll have to do. Most likely, though, you’ll need to make a few tweaks to send any emails via Gmail:
- Allow less secure apps
By default, Google blocks connections from applications it deems not secure. Yours is very probably one of them, but it’s nothing to be afraid of – nearly all newly connected apps fall into this category.
It’s easy to fix!
Head over to your list of less secure apps and toggle on “allow less secure apps”.
- Make sure no 2FA is set
If you have 2-factor authentication enabled on your account, you also won’t be able to send any messages using Flask-Mail and Gmail. You’ll see an alert about it if this applies to you.
If you use a given email address for something more than emailing from Flask, we would highly encourage you not to disable 2FA at this point. Instead, consider creating a new Gmail account just for the purpose of sending emails from your Flask app. Or, better yet, set up an application-specific password.
Sending emails in Flask
Email sending in Flask-Mail is handled by an instance of the Mail class.
from flask import Flask
from flask_mail import Mail, Message
app = Flask(__name__)
mail = Mail(app)
We’ll need to set up a Message object, mapped by the URL rule (‘/’), and insert the base details of our message:
@app.route("/")
def index():
msg = Message('Hello from the other side!', sender = 'peter@mailtrap.io', recipients = ['paul@mailtrap.io'])
msg.body = "Hey Paul, sending you this email from my Flask app, lmk if it works"
mail.send(msg)
return "Message sent!"
The entire code will look like this:
from flask import Flask
from flask_mail import Mail, Message
app = Flask(__name__)
app.config['MAIL_SERVER'] = 'sandbox.smtp.mailtrap.io'
app.config['MAIL_PORT'] = 2525
app.config['MAIL_USERNAME'] = 'your_username'
app.config['MAIL_PASSWORD'] = 'your_password'
app.config['MAIL_USE_TLS'] = True
app.config['MAIL_USE_SSL'] = False
mail = Mail(app)
@app.route("/")
def index():
msg = Message(subject='Hello from the other side!', sender='peter@mailtrap.io', recipients=['paul@mailtrap.io'])
msg.body = "Hey Paul, sending you this email from my Flask app, lmk if it works"
mail.send(msg)
return "Message sent!"
if __name__ == '__main__':
app.run(debug=True)
Run it in Python Shell, open http://localhost:5000/, and check whether the email arrived in your inbox.
Using Mailtrap Email Sending
The other way of sending emails in Flask is to use an email API solution such as the one provided by Mailtrap.
Mailtrap Email Sending is a reliable and hassle-free email API/SMTP service that delivers emails to recipients’ inboxes just in time.
With Mailtrap Email Sending in your arsenal, you will have not only a stable working email infrastructure but also full control over email deliverability, made possible thanks to helicopter view dashboards, in-depth analytics, and alerts.
The email delivery time of Mailtrap Email Sending is ≈ 1 sec and represents just one of the benefits this solution comes with, which also include a smooth and secure setup.
So, how does one start using Mailtrap Email Sending? The process is pretty straightforward, as you don’t need to fill out any forms or give validation credentials. Instead, you just have to set up your domain with the help of a wizard and use Mailtrap’s official Python client.
This is what the process looks like for integrating Mailtrap Email Sending into a Flask app after your domain has been verified.
Log into the Mailtrap dashboard and go to Settings → API tokens and copy your credentials across your verified sending domain.
Then go back to your Flask app or project and install the package version 2.0.0. or higher.
pip install mailtrap
After that, you can send a simple email with the following code snippet:
import mailtrap as mt
# create mail object
mail = mt.Mail(
sender=mt.Address(email="mailtrap@example.com", name="Mailtrap Test"),
to=[mt.Address(email="your@email.com")],
subject="You are awesome!",
text="Congrats for sending test email with Mailtrap!",
)
# create client and send
client = mt.MailtrapClient(token="your-api-key")
client.send(mail)
Obviously, you can modify the variables such as sender
(email and name), recipient (to
), subject
, and text
. your-api-key
should be substituted with the actual API key you copied in your Mailtrap account.
Mailtrap’s Python client also enables you to send HTML emails to multiple recipients with attachments. For that, you’ll need the following sample code:
import base64
from pathlib import Path
import mailtrap as mt
welcome_image = Path(__file__).parent.joinpath("welcome.png").read_bytes()
mail = mt.Mail(
sender=mt.Address(email="mailtrap@example.com", name="Mailtrap Test"),
to=[mt.Address(email="your@email.com", name="Your name")],
cc=[mt.Address(email="cc@email.com", name="Copy to")],
bcc=[mt.Address(email="bcc@email.com", name="Hidden Recipient")],
subject="You are awesome!",
text="Congrats for sending test email with Mailtrap!",
html="""
<!doctype html>
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
</head>
<body style="font-family: sans-serif;">
<div style="display: block; margin: auto; max-width: 600px;" class="main">
<h1 style="font-size: 18px; font-weight: bold; margin-top: 20px">
Congrats for sending test email with Mailtrap!
</h1>
<p>Inspect it using the tabs you see above and learn how this email can be improved.</p>
<img alt="Inspect with Tabs" src="cid:welcome.png" style="width: 100%;">
<p>Now send your email using our fake SMTP server and integration of your choice!</p>
<p>Good luck! Hope it works.</p>
</div>
<!-- Example of invalid for email html/css, will be detected by Mailtrap: -->
<style>
.main { background-color: white; }
a:hover { border-left-width: 1em; min-height: 2em; }
</style>
</body>
</html>
""",
category="Test",
attachments=[
mt.Attachment(
content=base64.b64encode(welcome_image),
filename="welcome.png",
disposition=mt.Disposition.INLINE,
mimetype="image/png",
content_id="welcome.png",
)
],
headers={"X-MT-Header": "Custom header"},
custom_variables={"year": 2023},
)
client = mt.MailtrapClient(token="your-api-key")
client.send(mail)
For more details on using the Mailtrap Python client, refer to the GitHub page.
If you aren’t up for doing the whole API integration thing, you will be happy to hear that Mailtrap also provides you with SMTP credentials for sending emails that you just have to put into your app, project, or email-sending service. For this, you can use the same code from the Configuring Flask-Mail section of this article but with different credentials within the code.
And voila, that is all it takes to start sending with Mailtrap!
Customizing a bit
Now let’s go back to our Flask-Mail to figure out how to customize it.
MAIL_DEFAULT_SENDER from the configuration is, by default, set to none, and we skipped it in our setup. However, if you want to keep sending from the same address, it makes sense to specify it there.
A good idea is to also specify the display name for the sender:
msg = Message('Hello from the other side!', sender=('Peter from Mailtrap', 'peter@mailtrap.io'), recipients=['paul@mailtrap.io']
)
You can also specify an HTML version of the message. This can be sent along with a body message or without it.
msg.body = "Hey Paul, sending you this email from my Flask app, lmk if it works"
msg.html = "<b>Hey Paul</b>, sending you this email from my <a href='https://google.com'>Flask app</a>, lmk if it works"
You may also add someone in cc and/or bcc, set a reply-to address, add extra headers, and so on.
Here’s the full list of parameters available:
flask_mail.Message(subject='', recipients=None, body=None, html=None, sender=None, cc=None, bcc=None, attachments=None, reply_to=None, date=None, charset=None, extra_headers=None, mail_options=None, rcpt_options=None)
Adding an attachment
Flask-Mail also provides an easy way to put an attachment to our message.
We need to load it with the open_resource() method and then use a Python “with” statement to add a file to our email.
with app.open_resource("invoice.pdf") as fp:
msg.attach("invoice.pdf", "application/pdf", fp.read())
Make sure you pick a proper MIME Type for each file and that each is uploaded to the same directory as your script.
Sending bulk messages
Most often, the Flask-Mail example above will be sufficient, but there are situations when you need to send dozens or even hundreds of emails for each request. Think about various cron jobs, for example.
For that, we can use a Python “with” statement. The connection to our email will be kept alive until all emails have been sent (at which point it will close automatically). If you wish to specify the maximum number of emails to be sent, use MAIL_MAX_EMAILS from the configuration (by default, no limit is set).
users = [{"email": "paul@mailtrap.io"}, {"email": "peter@mailtrap.io"}]
with mail.connect() as conn:
for user in users:
sender = "test@mailtrap.io"
message = "..."
subject = "Hello from the other side!"
msg = Message(recipients=[user["email"]],
body=message,
subject=subject,
sender=sender)
conn.send(msg)
Other options
Flask-Mail also provides many more options for you to quickly configure an email, and add the headers, body, and a number of other parameters. It’s concise and very easy to grasp.
Check the official documentation here to see them all.
Sending emails asynchronously
An important aspect to consider when setting up emails is the possibility of sending them asynchronously.
Let’s look at a typical situation. A user enters your site with the intention of sending you an email. They fill out a form, hit a ‘send’ button, and wait.
In the background, a template is put together, and an attempt to reach an ESP (email sending provider) is initiated. Most of the time, it responds within a few milliseconds and sends an email while the user is redirected to some “thank you” page.
The problems pile up if the server isn’t very responsive at the moment, and it takes seconds rather than milliseconds to get a response. At times, the connection may even time out. Add to this the fact that multiple users could be attempting to perform this or another request at the same time, effectively clogging up the server. If your app crashes because of that, no emails will be sent either.
But, this is often a hypothetical scenario.
Reputable ESPs earned their reputations because of their reliability. Send them dozens of emails at once, and they’ll handle them with ease.
As a matter of fact, most, if not all, of the popular ESPs send emails async anyway. It’s because of the underlying verifications each of them runs in the background in attempts to protect their sender reputation.
None of these things change the fact that your app still connects to an external service every time an email is sent. That’s why you may want to consider adding an async capability to your app.
Celery
Python has an async/await capability available out of the box. It’s a decent solution, but it has its limitations. For that reason, a very common substitute is a package called Celery.
Celery is a tool for distributing work across threads and machines. When an email is sent, a Flask app calls a Celery task that takes the ESP connection process on its shoulders. And your app can quickly respond and display a “thank you” message to a user nearly instantly.
In the background, Celery builds a queue of tasks that will be processed outside of Flask. You can configure it to retry unsuccessful sends at certain intervals or limit the number of requests a user can submit before they need to take a break. All of these things speed up the sending process, protect you from possible timeouts and, ultimately, make for a better user experience.
Sending an email with Celery and Flask-Mail
Let’s start by installing Celery:
pip install celery
Note that Celery is no longer supported on Windows. Try to configure the following environment variable, as suggested in the repository thread:
import os
os.environ.setdefault('FORKED_BY_MULTIPROCESSING', '1')
Celery requires something to store your queue of tasks, and there are multiple options available – you can check them in detail here. A quick one to get you started is having Redis running on your machine. If you are not sure whether you have it installed, you can use it through docker with the following command:
docker run -d -p 6379:6379 redis
And you will need to install Python’s dependency to use Redis:
pip install redis
Then, you need to configure a Celery variable, which will take care of connecting to Redis. It needs to be available on the file where you will define your tasks to run in the background later. For a simple example, you can keep it on the same file we’re already using for the Flask routes.
celery = Celery(app.name, broker='redis://localhost:6379/0')
Now, with Celery configured, we want to send a very simple email. To simplify, we skipped the earlier configuration – make sure you have it sorted out in this or another file. Remember that you should add one more variable to the configuration for it to work:
app.config['SECRET_KEY'] = 'not_a_secret'
Also, we included how you could pick a custom recipient from a submitted form.
@app.route('/', methods=['GET', 'POST'])
def index():
if request.method == 'GET':
return render_template('index.html', email=session.get('email', ''))
email = request.form['email']
email_data = {
'subject': 'Hello from the other side!',
'to': email,
'body': 'Hey Paul, sending you this email from my Flask app, lmk if it works'
}
send_async_email.delay(email_data)
flash(f'Sending email to {email}')
return redirect(url_for('index'))
We send this email with the send_async_email method, invoked by delay(). As the last step, we need to specify the background task Celery is expected to perform.
@celery.task
def send_async_email(email_data):
msg = Message(email_data['subject'],
sender=app.config['MAIL_DEFAULT_SENDER'],
recipients=[email_data['to']])
msg.body = email_data['body']
with app.app_context():
mail.send(msg)
If you make a request now, a task will be put on Celery’s queue to send an email. But there isn’t anything processing this queue yet. You need to run a separate Celery process, which will take care of picking tasks from the queue and processing them. On a separate terminal, run:
celery -A main.celery worker --loglevel=INFO
Where “main” is the name of your Python file, and “celery” is the name of your Celery variable.
Lastly, check your Mailtrap Email Testing inbox and see whether an email has arrived. If nothing shows up, check the output of the Celery worker for more details.
Testing emails in Flask
Before deploying any email functionality, you certainly need a way to test whether emails are actually sent without spamming users. You may also want to see some of those emails because chances are there will be a thing or two to improve.
The first part can be easily handled with simple Flask settings that will block sending. It can be done in two ways, with an identical outcome:
- Set MAIL_SUPPRESS_SEND from the earlier configuration to False, or
- Add a new setting to the configuration file – TESTING – and set it to True.
Then, you can use the record_messages method to see what’s being sent from your Flask app (make sure you have blinker package installed). You’ll see the list of Message instances under outbox.
with mail.record_messages() as outbox:
mail.send_message(subject='testing',
body='test',
recipients=emails)
assert len(outbox) == 1
assert outbox[0].subject == "testing"
If, however, you wish to see the emails that your app sends, you’ll need a different solution.
Testing with Mailtrap Email Testing
One solution we use for easy email testing is Mailtrap Email Testing we briefly touched upon this at the beginning of the article and mentioned that it’s a tool utilized for previewing, inspecting, and debugging emails.
By using Mailtrap Email Testing, you essentially create a safe environment for running email tests and don’t risk accidentally sending a testing email to recipients. Plus, as you are enabled to create automated test flows and scenarios with Mailtrap Email Testing, you no longer have to do things manually.
Within the batch of features offered by Mailtrap Email Testing, you can find email content spam score checking, HTML/CSS analysis, blacklist reports, and more.
Other cool included features that could help you out significantly during email testing are a dedicated email address for each of your inboxes as well as automatic and manual email forwarding to whitelisted recipients.
Thanks to everything mentioned, Mailtrap Email Testing can facilitate a more comfortable way of testing than the one using Flask settings and enable you to test a lot more than just the sending functionality.
To get started with Mailtrap Email Testing, simply follow the same steps we covered in the Configuring Flask-Mail section of this article.
Other considerations
As we mentioned earlier, Flask-Mail isn’t the only method for sending emails in Flask – Python’s smtplib is also available. We didn’t cover it in this article because Flask-Mail is much more powerful, and, in all honesty, there’s no reason not to use it.
If, however, you want to explore this option of sending emails, then be sure to check out our Python tutorial. Some other interesting reads could include Sending emails with Django and Python email validation.
Thanks for your time, and we’ll see you around!