Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add support for Mailtrap #406

Draft
wants to merge 23 commits into
base: main
Choose a base branch
from
Draft
Show file tree
Hide file tree
Changes from all commits
Commits
Show all changes
23 commits
Select commit Hold shift + click to select a range
68832b4
Add support for Mailtrap
cahna Nov 10, 2024
73b9145
Fix typing errors in older python builds
cahna Nov 10, 2024
1c59a04
Mailtrap: implement MailtrapPayload.set_reply_to
cahna Nov 17, 2024
fba5d23
Mailtrap: add webhook tests and update test configs
cahna Nov 17, 2024
a9ae0d3
Mailtrap backend: remove user-agent header
cahna Nov 24, 2024
d2cc770
Mailtrap backend: quote user-provided url parts
cahna Nov 24, 2024
80224ae
Mailtrap backend: reply-to headers suggestions
cahna Nov 24, 2024
d04ed7d
Mailtrap backend: remove set_merge_data
cahna Nov 24, 2024
c4bf5d1
Mailtrap backend: add type hint to set_merge_global_data
cahna Nov 24, 2024
957a0de
Mailtrap backend: fix template_id to template_uuid
cahna Nov 24, 2024
bac1399
Mailtrap backend: make test_inbox_id required if testing_enabled
cahna Nov 24, 2024
dfd2de9
Mailtrap backend: add set_tags
cahna Nov 24, 2024
27d62a5
Mailtrap webhook: fix for empty category/tag
cahna Nov 24, 2024
43258d9
Mailtrap webhook: remove None defaults
cahna Nov 24, 2024
1da6971
Mailtrap webhook: fix incorrect reject_reason default
cahna Nov 24, 2024
7597448
Mailtrap webhook tests: remove unnecessary json.dumps
cahna Nov 24, 2024
f5c6302
Mailtrap: only depend on typing_extensions for py<3.11
cahna Nov 24, 2024
7f253b4
Mailtrap backend: remove bulk_api_url
cahna Nov 24, 2024
747d4bb
Mailtrap: fix dependency version string
cahna Nov 24, 2024
c5f9140
Mailtrap backend: update payload to keep track of recipient ordering
cahna Nov 24, 2024
f80dc55
Mailtrap: add backend unit tests, set_track_clicks, and set_track_opens
cahna Nov 30, 2024
cc96be5
Mailtrap: begin work on docs page
cahna Nov 30, 2024
9162fc0
Mailtrap: update feature matrix
cahna Nov 30, 2024
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
1 change: 1 addition & 0 deletions .github/workflows/integration-test.yml
Original file line number Diff line number Diff line change
Expand Up @@ -44,6 +44,7 @@ jobs:
- { tox: django41-py310-mailersend, python: "3.12" }
- { tox: django41-py310-mailgun, python: "3.12" }
- { tox: django41-py310-mailjet, python: "3.12" }
- { tox: django41-py310-mailtrap, python: "3.12" }
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

You'll also need to add vars.ANYMAIL_TEST_MAILTRAP_DOMAIN, vars. ANYMAIL_TEST_MAILTRAP_TEST_INBOX_ID and secrets. ANYMAIL_TEST_MAILTRAP_API_TOKEN in the big env: section below. (Around line 91; GitHub won't let me add a review comment down there.)

- { tox: django41-py310-mandrill, python: "3.12" }
- { tox: django41-py310-postal, python: "3.12" }
- { tox: django41-py310-postmark, python: "3.12" }
Expand Down
1 change: 1 addition & 0 deletions README.rst
Original file line number Diff line number Diff line change
Expand Up @@ -31,6 +31,7 @@ Anymail currently supports these ESPs:
* **MailerSend**
* **Mailgun** (Sinch transactional email)
* **Mailjet** (Sinch transactional email)
* **Mailtrap**
* **Mandrill** (MailChimp transactional email)
* **Postal** (self-hosted ESP)
* **Postmark** (ActiveCampaign transactional email)
Expand Down
272 changes: 272 additions & 0 deletions anymail/backends/mailtrap.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,272 @@
import sys
from urllib.parse import quote

if sys.version_info < (3, 11):
from typing_extensions import Any, Dict, List, Literal, NotRequired, TypedDict
else:
from typing import Any, Dict, List, Literal, NotRequired, TypedDict

from ..exceptions import AnymailRequestsAPIError
from ..message import AnymailMessage, AnymailRecipientStatus
from ..utils import Attachment, EmailAddress, get_anymail_setting, update_deep
from .base_requests import AnymailRequestsBackend, RequestsPayload


class MailtrapAddress(TypedDict):
email: str
name: NotRequired[str]


class MailtrapAttachment(TypedDict):
content: str
type: NotRequired[str]
filename: str
disposition: NotRequired[Literal["attachment", "inline"]]
content_id: NotRequired[str]


MailtrapData = TypedDict(
"MailtrapData",
{
"from": MailtrapAddress,
"to": NotRequired[List[MailtrapAddress]],
"cc": NotRequired[List[MailtrapAddress]],
"bcc": NotRequired[List[MailtrapAddress]],
"attachments": NotRequired[List[MailtrapAttachment]],
"headers": NotRequired[Dict[str, str]],
"custom_variables": NotRequired[Dict[str, str]],
"subject": str,
"text": str,
"html": NotRequired[str],
"category": NotRequired[str],
"template_id": NotRequired[str],
"template_variables": NotRequired[Dict[str, Any]],
},
)


class MailtrapPayload(RequestsPayload):
def __init__(
self,
message: AnymailMessage,
defaults,
backend: "EmailBackend",
*args,
**kwargs,
):
http_headers = {
"Api-Token": backend.api_token,
"Content-Type": "application/json",
"Accept": "application/json",
}
# Yes, the parent sets this, but setting it here, too, gives type hints
self.backend = backend
self.metadata = None

# needed for backend.parse_recipient_status
self.recipients_to: List[str] = []
self.recipients_cc: List[str] = []
self.recipients_bcc: List[str] = []
Comment on lines +67 to +69
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I might instead use something like:

Suggested change
self.recipients_to: List[str] = []
self.recipients_cc: List[str] = []
self.recipients_bcc: List[str] = []
self.recipients: Dict[Literal["to", "cc", "bcc"], List[EmailAddress]] = {"to": [], "cc": [], "bcc": []}

just to simplify the code later in set_recipients() to: self.recipients[recipient_type] = emails. (And then grab the addr_specs in parse_recipients_status().) But what you have now will work, so feel free to ignore this suggestion.


super().__init__(
message, defaults, backend, *args, headers=http_headers, **kwargs
)

def get_api_endpoint(self):
if self.backend.testing_enabled:
test_inbox_id = quote(self.backend.test_inbox_id, safe="")
return f"send/{test_inbox_id}"
return "send"

def serialize_data(self):
return self.serialize_json(self.data)

#
# Payload construction
#

def init_payload(self):
self.data: MailtrapData = {
"from": {
"email": "",
},
"subject": "",
"text": "",
}

@staticmethod
def _mailtrap_email(email: EmailAddress) -> MailtrapAddress:
"""Expand an Anymail EmailAddress into Mailtrap's {"email", "name"} dict"""
result = {"email": email.addr_spec}
if email.display_name:
result["name"] = email.display_name
return result

def set_from_email(self, email: EmailAddress):
self.data["from"] = self._mailtrap_email(email)

def set_recipients(
self, recipient_type: Literal["to", "cc", "bcc"], emails: List[EmailAddress]
):
assert recipient_type in ["to", "cc", "bcc"]
if emails:
self.data[recipient_type] = [
self._mailtrap_email(email) for email in emails
]

if recipient_type == "to":
self.recipients_to = [email.addr_spec for email in emails]
elif recipient_type == "cc":
self.recipients_cc = [email.addr_spec for email in emails]
elif recipient_type == "bcc":
self.recipients_bcc = [email.addr_spec for email in emails]

def set_subject(self, subject):
self.data["subject"] = subject

def set_reply_to(self, emails: List[EmailAddress]):
self.data.setdefault("headers", {})["Reply-To"] = ", ".join(
email.address for email in emails
)

def set_extra_headers(self, headers):
self.data.setdefault("headers", {}).update(headers)

def set_text_body(self, body):
self.data["text"] = body

def set_html_body(self, body):
if "html" in self.data:
# second html body could show up through multiple alternatives,
# or html body + alternative
self.unsupported_feature("multiple html parts")
self.data["html"] = body

def add_attachment(self, attachment: Attachment):
att: MailtrapAttachment = {
"filename": attachment.name or "",
"content": attachment.b64content,
}
if attachment.mimetype:
att["type"] = attachment.mimetype
if attachment.inline:
att["disposition"] = "inline"
att["content_id"] = attachment.cid
self.data.setdefault("attachments", []).append(att)

def set_tags(self, tags: List[str]):
if len(tags) > 1:
self.unsupported_feature("multiple tags")
if len(tags) > 0:
self.data["category"] = tags[0]

def set_track_clicks(self, *args, **kwargs):
"""Do nothing. Mailtrap supports this, but it is not configured in the send request."""
pass

def set_track_opens(self, *args, **kwargs):
"""Do nothing. Mailtrap supports this, but it is not configured in the send request."""
pass

Comment on lines +163 to +170
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

This is (somewhat confusingly) not the correct way to handle this. Anymail's track_clicks and track_opens are meant to override the account defaults for message tracking: e.g., to disable link rewriting on password reset emails, or all tracking for mail to a particular user.

If Mailtrap doesn't support per-message tracking overrides, then these options are indeed "unsupported" and should raise errors if used. (You've correctly labeled them No [#nocontrol]_ in the big feature matrix in the docs.)

Suggested change
def set_track_clicks(self, *args, **kwargs):
"""Do nothing. Mailtrap supports this, but it is not configured in the send request."""
pass
def set_track_opens(self, *args, **kwargs):
"""Do nothing. Mailtrap supports this, but it is not configured in the send request."""
pass

def set_metadata(self, metadata):
self.data.setdefault("custom_variables", {}).update(
{str(k): str(v) for k, v in metadata.items()}
)
self.metadata = metadata # save for set_merge_metadata

def set_template_id(self, template_id):
self.data["template_uuid"] = template_id

def set_merge_global_data(self, merge_global_data: Dict[str, Any]):
self.data.setdefault("template_variables", {}).update(merge_global_data)

def set_esp_extra(self, extra):
update_deep(self.data, extra)


class EmailBackend(AnymailRequestsBackend):
"""
Mailtrap API Email Backend
"""

esp_name = "Mailtrap"

def __init__(self, **kwargs):
"""Init options from Django settings"""
self.api_token = get_anymail_setting(
"api_token", esp_name=self.esp_name, kwargs=kwargs, allow_bare=True
)
api_url = get_anymail_setting(
"api_url",
esp_name=self.esp_name,
kwargs=kwargs,
default="https://send.api.mailtrap.io/api/",
)
if not api_url.endswith("/"):
api_url += "/"

test_api_url = get_anymail_setting(
"test_api_url",
esp_name=self.esp_name,
kwargs=kwargs,
default="https://sandbox.api.mailtrap.io/api/",
)
if not test_api_url.endswith("/"):
test_api_url += "/"
self.test_api_url = test_api_url

self.testing_enabled = get_anymail_setting(
"testing",
esp_name=self.esp_name,
kwargs=kwargs,
default=False,
)

if self.testing_enabled:
self.test_inbox_id = get_anymail_setting(
"test_inbox_id",
esp_name=self.esp_name,
kwargs=kwargs,
# (no default means required -- error if not set)
)
api_url = self.test_api_url
else:
self.test_inbox_id = None

super().__init__(api_url, **kwargs)

def build_message_payload(self, message, defaults):
return MailtrapPayload(message, defaults, self)

def parse_recipient_status(
self, response, payload: MailtrapPayload, message: AnymailMessage
):
parsed_response = self.deserialize_json_response(response, payload, message)

# TODO: how to handle fail_silently?
if not self.fail_silently and (
Copy link
Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

While trying to duplicate test coverage from the other backend tests, I found that the fail_silently test(s) don't work, and this doesn't seem to be the correct way to do this. How should I handle that? Should I?

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

fail_silently should be handled for you in AnymailBaseBackend.send_messages(). The important part is that any errors raised by this function need to be one of the Anymail errors, not generic Python errors like KeyError.

It's helpful to distinguish a few different cases:

  • If the API uses HTTP status codes to indicate an error, that's already been reported in AnymailRequestsBackend.raise_for_status() (so parse_recipients_status() won't be called). It looks to me like that's the case for all Mailtrap error responses.
  • (If the API indicates errors by returning HTTP 2xx but with an "errors" field in the response, that needs to be reported as an AnymailRequestsAPIError with the message extracted from the response. This doesn't seem to apply to Mailtrap.)
  • If the API indicated success, but the response isn't parseable (e.g., missing keys), that should be reported as an AnymailRequestsAPIError with a message describing the invalid response format. I'll add a separate review comment with a suggestion for that.

not parsed_response.get("success")
or ("errors" in parsed_response and parsed_response["errors"])
or ("message_ids" not in parsed_response)
):
raise AnymailRequestsAPIError(
email_message=message, payload=payload, response=response, backend=self
)
else:
# message-ids will be in this order
recipient_status_order = [
*payload.recipients_to,
*payload.recipients_cc,
*payload.recipients_bcc,
]
recipient_status = {
email: AnymailRecipientStatus(
message_id=message_id,
status="sent",
)
for email, message_id in zip(
recipient_status_order, parsed_response["message_ids"]
)
}
Comment on lines +246 to +270
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Here's an approach for reporting invalid responses. It's also probably worth checking the number of message_ids, since zip() won't raise an error for that.

Suggested change
# TODO: how to handle fail_silently?
if not self.fail_silently and (
not parsed_response.get("success")
or ("errors" in parsed_response and parsed_response["errors"])
or ("message_ids" not in parsed_response)
):
raise AnymailRequestsAPIError(
email_message=message, payload=payload, response=response, backend=self
)
else:
# message-ids will be in this order
recipient_status_order = [
*payload.recipients_to,
*payload.recipients_cc,
*payload.recipients_bcc,
]
recipient_status = {
email: AnymailRecipientStatus(
message_id=message_id,
status="sent",
)
for email, message_id in zip(
recipient_status_order, parsed_response["message_ids"]
)
}
try:
message_ids = parsed_response["message_ids"]
except KeyError as err:
raise AnymailRequestsAPIError(
"Invalid response format: missing message_ids",
email_message=message, payload=payload, response=response, backend=self
) from err
# message-ids will be in this order
recipient_status_order = [
*payload.recipients_to,
*payload.recipients_cc,
*payload.recipients_bcc,
]
if len(recipient_status_order) != len(message_ids):
raise AnymailRequestsAPIError(
"Invalid response format: wrong number of message_ids",
email_message=message, payload=payload, response=response, backend=self
)
recipient_status = {
email: AnymailRecipientStatus(
message_id=message_id,
status="sent",
)
for email, message_id in zip(recipient_status_order, message_ids)
}

API error responses should already be covered by raise_for_status() in the superclass. (But if you wanted to add a check like if parsed_response.get("errors") or not parsed_response.get("success"): raise AnymailRequestsAPIError("Unexpected errors in {response.status_code} response", ...), that wouldn't hurt anything.)


return recipient_status
6 changes: 6 additions & 0 deletions anymail/urls.py
Original file line number Diff line number Diff line change
Expand Up @@ -11,6 +11,7 @@
)
from .webhooks.mailgun import MailgunInboundWebhookView, MailgunTrackingWebhookView
from .webhooks.mailjet import MailjetInboundWebhookView, MailjetTrackingWebhookView
from .webhooks.mailtrap import MailtrapTrackingWebhookView
from .webhooks.mandrill import MandrillCombinedWebhookView
from .webhooks.postal import PostalInboundWebhookView, PostalTrackingWebhookView
from .webhooks.postmark import PostmarkInboundWebhookView, PostmarkTrackingWebhookView
Expand Down Expand Up @@ -108,6 +109,11 @@
MailjetTrackingWebhookView.as_view(),
name="mailjet_tracking_webhook",
),
path(
"mailtrap/tracking/",
MailtrapTrackingWebhookView.as_view(),
name="mailtrap_tracking_webhook",
),
path(
"postal/tracking/",
PostalTrackingWebhookView.as_view(),
Expand Down
Loading
Loading