Transparent pixel response with Symfony, how to track email opening

Track email opens with a transparent pixel in Symfony for improved email marketing analytics

If you have ever heard about “transparent pixel”, “1x1 blank pixel”, “tracking pixel” or simply “tracking image” you probably know what we are going to talk about and can just skip to the implementation!

Introduction

Transparent pixel image is a technique often used to track some user behavior (often visits or views to a certain online content) in scenarios where you can’t use javascript.

One of the most common scenarios is probably email opening tracking. Can you put Google Analytics into an email? Well, probably it would not work as expected… So there’s something we can do? Of course there is, let’s jump into a concrete example.

Track email opening

The following image shows the typical tracking flow applied to emails:

Tracking email opening

  1. A user receives our HTML email. Within the email content there’s a “smart” tracking image: <img src="http://example.com/track.gif?id=1234">. Notice that it points to our server example.com and has a parameter id=1234.

  2. When the user opens the email, his email client will start to download all the resources linked into the HTML code (usually images) and it will trigger a request to download the tracking image.

  3. The request is handled by the example.com webserver. It does not handle the request as a static image but it executes some logic. It checks the id parameter and uses it to determine which email has triggered the request. Then it marks that email as opened in its own database for future reports. The mail client is still waiting for an answer and it expects an image. So the webserver generates on the fly the most small image possible: a 1x1 transparent image!

  4. Then the image is sent back to the client that will render it on the screen. Anyway the image is trasparent and so small that the user will barely notice it.

Symfony implementation

Now let’s see how to implement this tracking flow using the Symfony framework.

Notice that you should have your own logic to generate emails, to store and send them. I will not cover these parts, but only the one related to the tracking flow explained before.

First of all, we want to have a dedicated Response class to send back a transparent pixel to the client, let’s call it TransparentPixelResponse:

<?php

namespace LMammino\Http;

use Symfony\Component\HttpFoundation\Response;

/**
 * Class TransparentPixelResponse
 * @package LMammino\Http
 * @author Luciano Mammino <[email protected]>
 */
class TransparentPixelResponse extends Response
{
    /**
     * Base 64 encoded contents for 1px transparent gif and png
     * @var string
     */
    const IMAGE_CONTENT =
        'R0lGODlhAQABAJAAAP8AAAAAACH5BAUQAAAALAAAAAABAAEAAAICBAEAOw=='
    ;

    /**
     * The response content type
     * @var string
     */
    const CONTENT_TYPE = 'image/gif';

    /**
     * Constructor
     */
    public function __construct()
    {
        $content = base64_decode(self::IMAGE_CONTENT);
        parent::__construct($content);
        $this->headers->set('Content-Type', self::CONTENT_TYPE);
        $this->setPrivate();
        $this->headers->addCacheControlDirective('no-cache', true);
        $this->headers->addCacheControlDirective('must-revalidate', true);
    }
}

The logic is very simple here. We have hardcoded the content of a 1x1 transparent gif image using a base64 encoded string. We use this string to set the content of the response object. We also set some cache headers to mark the response as not cacheable.

Now we can write a controller that will handle the tracking request:

<?php

use Symfony\Bundle\FrameworkBundle\Controller\Controller;
use Symfony\Component\HttpFoundation\Request;
use Sensio\Bundle\FrameworkExtraBundle\Configuration\Route;

use LMammino\Http\TransparentPixelResponse;

class TrackingController extends Controller
{
	/**
     * @Route('/track.gif')
     */
    public function trackEmailAction(Request $request)
    {
    	$id = $request->query->get('id');
        if (null !== $id) {
            //... executes some logic to retrieve the email and mark it as opened
        }
        return new TransparentPixelResponse();
    }
}

Here the logic is pretty simple too. We created a controller with a trackEmail action. The action has been assigned to the route /track.gif using the Route annotation (if you prefer you can do it also by using the yaml or the xml convention). Within this action we just read the parameter id from the request and used it to execute the persistence logic to retrive the email record and mark it as opened (skipped in the example). Then we just have to return a new instance of our TransparentPixelResponse class.

That’s it! Pretty simple, isn’t it?

###Improve performance

UPDATE 2014-06-16: A comment from Lumbendil pointed out that it would be possible to do the “heavy logic” within a kernel.terminate event listener. So let’s refactor our code to follow this good suggestion:

<?php

use Symfony\Bundle\FrameworkBundle\Controller\Controller;
use Symfony\Component\HttpKernel\Event\KernelEvent;
use Symfony\Component\HttpKernel\KernelEvents;
use Symfony\Component\HttpFoundation\Request;
use Sensio\Bundle\FrameworkExtraBundle\Configuration\Route;

use LMammino\Http\TransparentPixelResponse;

class TrackingController extends Controller
{
	/**
     * @Route('/track.gif')
     */
    public function trackEmailAction(Request $request)
    {
    	$id = $request->query->get('id');
        if (null !== $id) {
        	$dispatcher = $this->get('event_dispatcher');
            $dispatcher->addListener(KernelEvents::TERMINATE,
                function(KernelEvent $event) use ($id){
                   //... executes some logic to retrieve
                   // the email and mark it as opened
                }
            );
        }
        return new TransparentPixelResponse();
    }
}

Notice that we have “wrapped” our potentially heavy logic within a callable function that gets executed when the kernel.terminate event is fired. This way the response is returned immediatly (before executing all the heavy logic) and the requesting client will not have to wait for processing.

Obviously, from the point of view of the server, we are not “really” improving performance. The code is not executed faster, but only in a different order. There’s only an apparent performance improvement for the web client who receives the response quicker and doesn’t care about the processing logic that will keep running on the server side.

Keep in mind that the kernel.terminate event is optional, and should only be called if your kernel implements TerminableInterface (it should work if you are using the Symfony Standard Edition).

Lumbendil also pointed out that this solution is not the only one possible. You can also rely on some messaging/queue system such as RabbitMq, Gearman or Beanstalkd. These are great tools but they add new dependencies and a whole new layer of complexity to the web infrastructure, so I will suggest to use one of them only if your logic is very complex or heavy (or if you are designing you whole infrastructure from scratch to leverage a work queue system).

Considerations

You can apply this method to track email opening or views on other online contents such as Html webpages (in cases where you can’t or don’t want to use javascript). Anyway, regarding tracking email opening, you should be aware that some e-mail clients block images loading when you open an e-mail from an unknown sender. Yes, they do it not only to save your bandwidth, but mostly to avoid triggering tracking images! So in this cases you will not able to track the email opening, unless the user authorizes its client to load all the images in that specific email.

UPDATE 2014-06-17: Jelte Steijaert reported that using email authentication systems such as DKIM or SPF will increase chances for images to get autoloaded by email clients. This authentication methods are also very useful to save your emails from ending up into the spam folder, so they are very recommended!

If you have some other consideration you are very welcome to write a comment, as always!

Sharing is caring!

If you got value from this article, please consider sharing it with your friends and colleagues.

Found a typo or something that can be improved?

In the spirit of Open Source, you can contribute to this article by submitting a PR on GitHub.

You might also like

Cover picture for a blog post titled Symfony, edit the Response globally using the Kernel Response event

Symfony, edit the Response globally using the Kernel Response event

The Symfony HttpKernel Component allows interacting with the response generation through events. The Kernel Response event permits modifying the response before sending it out. Two examples show how to use it to add custom headers and cookies without touching controller logic.

Calendar Icon

Cover picture for a blog post titled 6 Rules of thumb to build blazing fast web server applications

6 Rules of thumb to build blazing fast web server applications

This post highlights 6 important rules to keep in mind when developing performant web applications: avoid premature optimization, do the minimum required work, defer non-critical tasks, leverage caching, avoid N+1 queries, and design for horizontal scaling. Following these guidelines will help you write efficient code from the start and build apps ready to handle growth.

Calendar Icon

Cover picture for a blog post titled Write a console application using Symfony and Pimple

Write a console application using Symfony and Pimple

This article shows how to build a simple command line application using the Symfony Console component and Pimple dependency injection container. It provides a step-by-step guide on structuring the code, defining services, configuring parameters and wiring everything together to create a executable console app.

Calendar Icon

Cover picture for a blog post titled Integrating Twig.js and BazingaJsTranslationBundle

Integrating Twig.js and BazingaJsTranslationBundle

The post explains how to integrate twig.js with BazingaJsTranslationBundle to handle translations consistently between PHP and JavaScript. It shows how to build a custom Twig extension to translate strings with the Bazinga Translator object and handle differences in parameter formatting.

Calendar Icon

Cover picture for a blog post titled Symfony security: authentication made simple (well, maybe!)

Symfony security: authentication made simple (well, maybe!)

This post collects resources and provides a graph to understand how Symfony authentication works behind the scenes, from the initial request to the final authenticated token. It clarifies the relationships between key classes like firewall, authentication provider and authentication listener.

Calendar Icon

Cover picture for a blog post titled 6 Tips to Build Fast Web Applications (Php Dublin March 2016 Talk)

6 Tips to Build Fast Web Applications (Php Dublin March 2016 Talk)

This post shares 6 tips to build fast web applications based on a talk at Php Dublin in March 2016. It includes slides and covers topics like caching, compression, database optimization, and more.

Calendar Icon