In HTML it's possible to create email links that, when clicked, open a new email message with some pre-filled information rather than linking to some other page:
1 2 3 4 5 6 7 8 9 10 11
<!-- creates an empty email with only the recipient address pre-filled -->
<a href="mailto:someone@example.com">Send email</a>
<!-- creates an email with most of its elements pre-filled -->
<a href="mailto:someone@example.com
?cc=other@example.com
&bcc=another@example.com
&subject=Lorem%20Ipsum
&body=Some%20content%20of%20the%20email">
Send email
</a>
However, sometimes you need to create a full email, with lots of contents and
even file attachments. You can't do that with the mailto:
feature. That's
why Symfony 6.1 will add a feature to create draft emails.
Draft emails are email messages created as a file with the .eml
extension
and with the X-Unsent
header set. This allows email clients to interpret
them as draft emails that you can use to create the email to be sent.
First, use the new DraftEmail
class to create those emails:
1 2 3 4 5 6
use Symfony\Component\Mime\DraftEmail;
$message = (new DraftEmail())
// ...
->html($this->renderView('...'))
->attach('...');
Now you can define a controller that downloads this draft email as a .eml
file:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32
// src/Controller/DownloadEmailController.php
namespace App\Controller;
use Symfony\Bundle\FrameworkBundle\Controller\AbstractController;
use Symfony\Component\HttpFoundation\Response;
use Symfony\Component\HttpFoundation\ResponseHeaderBag;
use Symfony\Component\Mime\DraftEmail;
use Symfony\Component\Routing\Annotation\Route;
class BudgetController extends AbstractController
{
#[Route('/budget/estimate-generator/{clientId}')]
public function estimateGenerator(): Response
{
// ...
$message = (new DraftEmail())
->subject('Your estimate is now available')
->html($this->renderView('...'))
->attach('...');
$response = new Response($message->toString());
$contentDisposition = $response->headers->makeDisposition(
ResponseHeaderBag::DISPOSITION_ATTACHMENT,
'estimate.eml'
);
$response->headers->set('Content-Type', 'message/rfc822');
$response->headers->set('Content-Disposition', $contentDisposition);
return $response;
}
}
This sound cool but depends on a lot factors:
This works well if you know your clients (i.e. using this technique in internals applications).
You're correct, it is a bit of a niche feature. In our app, we provide 2 links, an "Outlook Email" link (most of our clients use Outlook) and a simple fallback "mailto:" link.
@Thomas don't think only about generating emails for visitors of your website/webapp. You can use this for example to automate many of the repetitive emails sent by your own employees. In that case, you can control which email client is used, so there would be no problem.
In the example of this blog post we do that, imagining that this is used to automate the sending of budget estimates to clients.