Mailosaur logo
Mailosaur logo

How to test email and SMS with Robot Framework

Learn how to test email and SMS messages in Robot Framework, using Mailosaur.

What is Robot Framework?
A hashtag icon

Robot Framework is a Python-based open source automation framework. It can be used for any kind of QA test automation. Robot Framework is in active use by many industry-leading companies as part of their software development lifecycle.

As you are reading an article about testing email and SMS in Robot Framework, you probably already know how to use Robot Framework, however if you are new to it, we would recommend reading the Robot Framework website and documentation to get started.

What is Mailosaur?
A hashtag icon

Mailosaur is a service that allows you to capture and test email and SMS messages. This is crucial for products and websites that send out emails (such as password resets, account setup, marketing emails, etc.) or SMS messages (such as multi-factor authentication, verification, etc.)

With Mailosaur you get an unlimited supply of test email addresses, plus virtual SMTP servers, test SMS numbers to work with, and more - all accessible within your Robot Framework test suite.

1. Install the Mailosaur Python library
A hashtag icon

As Robot Framework is Python-based, you can use our official Python library to quickly start testing email and SMS messages.

Installation
A hashtag icon

Install the Mailosaur Python library with pip:

pip install --upgrade mailosaur

Create a Python file to contain the code you want to expose to Robot Framework, then import the library into it. The value for YOUR_API_KEY is covered in the next step (creating an account):

from mailosaur import MailosaurClient
mailosaur = MailosaurClient("YOUR_API_KEY")

API Reference
A hashtag icon

This library is powered by the Mailosaur API. You can easily check out the API itself by looking at our API reference documentation or via our Postman or Insomnia collections:

Run in PostmanRun in Insomnia

2. Create an account
A hashtag icon

Create a free trial account for Mailosaur, via the website.

Once you have this, navigate to the API tab to find the following values:

  • Server ID - Servers act like projects, which group your tests together. You need this ID whenever you interact with a server via the API.
  • Server Domain - Every server has its own domain name. You’ll need this to send email to your server.
  • API Key - You can create an API key per server (recommended), or an account-level API key to use across your whole account. Learn more about API keys.

3. Test email addresses with Mailosaur
A hashtag icon

Mailosaur gives you an unlimited number of test email addresses - with no setup or code required!

Here’s how it works:

  • When you create an account, you are given a server.
  • Every server has its own Server Domain name (e.g. abc123.mailosaur.net)
  • Any email address that ends with @{YOUR_SERVER_DOMAIN} will work with Mailosaur without any special setup. For example:
    • build-423@abc123.mailosaur.net
    • john.smith@abc123.mailosaur.net
    • rAnDoM63423@abc123.mailosaur.net
  • You can create more servers when you need them. Each one will have its own domain name.

Can’t use test email addresses? You can also use SMTP to test email. By connecting your product or website to Mailosaur via SMTP, Mailosaur will catch all email your application sends, regardless of the email address.

4. Find an email
A hashtag icon

Create a helper class
A hashtag icon

First, we need to create a helper class, which we’ll name Mailosaur.py. This file will let you write helper methods that expose the functionality of the Mailosaur Python library as keywords within your Robot Framework tests:

from mailosaur import MailosaurClient
from mailosaur.models import SearchCriteria

class Mailosaur(object):
  def __init__(self):
    self.client = MailosaurClient("YOUR_API_KEY")

  def find_email(self, server_id, email_address):
    criteria = SearchCriteria()
    criteria.sent_to = email_address
    return self.client.messages.get(server_id, criteria)

  def subject_should_equal(self, message, expected):
    assert(message.subject == expected)

Use the helper class in a Robot Framework test spec
A hashtag icon

Now we can use the helper methods we created above, in our Robot Framework tests. Simply include Mailosaur.py as a Library:

*** Settings ***
Library           SeleniumLibrary
Library           Mailosaur.py

*** Variables ***
${URL}                https://example.mailosaur.com/password-reset
${SERVER_ID}					abc123 # Value from https://mailosaur.com/app/project/api 
${SERVER_DOMAIN}    	abc123.mailosaur.net # Value from https://mailosaur.com/app/project/api

*** Test Cases ***
Test Password Reset
    Request Password Reset

*** Keywords ***
Request Password Reset
    ${TEST_EMAIL_ADDRESS}=  some-random-string@${SERVER_DOMAIN}
    Open Browser  ${URL}
    Input Text    name:email    ${TEST_EMAIL_ADDRESS}
    Click Button  css:button[type="submit"]
    ${MESSAGE}=     Mailosaur.find_email   ${SERVER_ID}    ${TEST_EMAIL_ADDRESS}
    Mailosaur.subject_should_equal    ${MESSAGE}      Thanks for joining!
    [Teardown]    Close Browser

Find an SMS message
A hashtag icon

Important: Trial accounts do not automatically have SMS access. Please contact our support team to enable a trial of SMS functionality.

If your account has SMS testing enabled, you can reserve phone numbers to test with, then use the Mailosaur API in a very similar way to when testing email:

# ...

criteria = SearchCriteria()
criteria.sent_to = "4471235554444"
return self.client.messages.get(server_id, criteria)

Testing plain text content
A hashtag icon

Most emails, and all SMS messages, should have a plain text body. Mailosaur exposes this content via the text.body property on an email or SMS message:

def message_text_contains(self, message, expected):
  assert(expected in message.text.body)

Extracting verification codes from plain text
A hashtag icon

You may have an email or SMS message that contains an account verification code, or some other one-time passcode. You can extract content like this using a simple regex.

Here is how to extract a 6-digit numeric code:

print(message.text.body) # "Your access code is 243546."

match = re.search("([0-9]{6})", message.text.body)
print(match.group()) # "243546"

Read more

Testing HTML content
A hashtag icon

Most emails also have an HTML body, as well as the plain text content. You can access HTML content in a very similar way to plain text:

print(message.html.body) # "<html><head ..."

Working with HTML using Beautiful Soup
A hashtag icon

If you need to traverse the HTML content of an email. For example, finding an element via a CSS selector, you can use the Beautiful Soup library.

pip install beautifulsoup4
from bs4 import BeautifulSoup

// ...

dom = BeautifulSoup(message.html.body, 'html.parser')

el = dom.find('.verification-code')
verification_code = el.text

print(verification_code) # "542163"

Read more

When an email is sent with an HTML body, Mailosaur automatically extracts any hyperlinks found within anchor (<a>) and area (<area>) elements and makes these available via the html.links array.

Each link has a text property, representing the display text of the hyperlink within the body, and an href property containing the target URL:

def count_html_links(self, message, expected):
  # Passes if message has the expected number of links
  assert(expected in len(message.html.links))

  # Accessing the HTML link content
  first_link = message.html.links[0]
  print(first_link.text) # "Google Search"
  print(first_link.href) # "https://www.google.com/"

Important: To ensure you always have valid emails. Mailosaur only extracts links that have been correctly marked up with <a> or <area> tags.

Mailosaur auto-detects links in plain text content too, which is especially useful for SMS testing:

def count_text_links(self, message, expected):
  # Passes if message has the expected number of links
  assert(expected in len(message.text.links))

  # Accessing the HTML link content
  first_link = message.text.links[0]
  print(first_link.href) # "https://www.google.com/"

Working with attachments
A hashtag icon

If your email includes attachments, you can access these via the attachments property:

# How many attachments?
print(len(message.attachments)) # 2

Each attachment contains metadata on the file name and content type:

first_attachment = message.attachments[0]
print(first_attachment.file_name) # "contract.pdf"
print(first_attachment.content_type) # "application/pdf"

The length property returns the size of the attached file (in bytes):

first_attachment = message.attachments[0]
print(first_attachment.length) # 4028

Working with images and web beacons
A hashtag icon

The html.images property of a message contains an array of images found within the HTML content of an email. The length of this array corresponds to the number of images found within an email:

# How many images in the email?
print(len(message.html.images)) # 1

Remotely-hosted images
A hashtag icon

Emails will often contain many images that are hosted elsewhere, such as on your website or product. It is recommended to check that these images are accessible by your recipients.

All images should have an alternative text description, which can be checked using the alt attribute.

image = message.html.images[0]
print(image.alt) # "Hot air balloon"

Triggering web beacons
A hashtag icon

A web beacon is a small image that can be used to track whether an email has been opened by a recipient.

Because a web beacon is simply another form of remotely-hosted image, you can use the src attribute to navigate to that address with Robot Framework. Alternatively use can use the requests library to make a direct HTTP request:

import requests

# ...

const image = message.html.images[0]
print(image.src) # "https://example.com/s.png?abc123"

# Make an HTTP call to trigger the web beacon
response = requests.get(image.src)
print(response.status_code) # 200

Spam checking
A hashtag icon

You can perform a SpamAssassin check against an email. The structure returned matches the spam test object:

result = mailosaur.analysis.spam(message.id)

print(result.score) # 0.5

for r in result.spam_filter_results.spam_assassin:
  print(r.rule)
  print(r.description)
  print(r.score)