How to Create your Custom Encoder
Warning: You are browsing the documentation for Symfony 2.x, which is no longer maintained.
Read the updated version of this page for Symfony 7.3 (the current stable version).
The Serializer Component uses Normalizers to transform any data to an array. Then, by leveraging Encoders, that data can be converted into any data-structure (e.g. JSON).
The Component provides several built-in encoders that are described in their own section but you may want to use another structure that's not supported.
Creating a new encoder
Imagine you want to serialize and deserialize Yaml. For that you'll have to create your own encoder that uses the Yaml Component:
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
namespace AppBundle\Serializer;
use Symfony\Component\Serializer\Encoder\DecoderInterface;
use Symfony\Component\Serializer\Encoder\EncoderInterface;
use Symfony\Component\Yaml\Yaml;
class YamlEncoder implements EncoderInterface, DecoderInterface
{
    public function encode($data, $format, array $context = array())
    {
        return Yaml::dump($data);
    }
    public function supportsEncoding($format)
    {
        return 'yaml' === $format;
    }
    public function decode($data, $format, array $context = array())
    {
        return Yaml::parse($data);
    }
    public function supportsDecoding($format)
    {
        return 'yaml' === $format;
    }
}Registering it in your app
If you use the Symfony Framework. then you probably want to register this encoder
as a service in your app. Then, you only need to tag it with serializer.encoder
to inject your custom encoder into the Serializer.
1 2 3 4 5 6
# app/config/services.yml
services:
    app.yaml_encoder:
        class: AppBundle\Serializer\YamlEncoder
        tags:
            - { name: serializer.encoder }Now you'll be able to serialize and deserialize Yaml!