Important

You are browsing the documentation for version 4.1 of OroCommerce, OroCRM and OroPlatform, which is no longer maintained. Read version 5.1 (the latest LTS version) of the Oro documentation to get up-to-date information.

See our Release Process documentation for more information on the currently supported and upcoming releases.

Import and Export Entities

You have to create some services and add some configuration to make OroPlatform capable to export your custom entities as CSV files and load data from CSV files for your entities.

All the configuration described below is added to the importexport.yml file in the Resources/config directory of your application bundle. Make sure that you have a container extension class in your bundle that loads the configuration file:

 1// src/AppBundle/DependencyInjection/AppExtension.php
 2namespace AppBundle\DependencyInjection;
 3
 4use Symfony\Component\Config\FileLocator;
 5use Symfony\Component\DependencyInjection\ContainerBuilder;
 6use Symfony\Component\DependencyInjection\Extension\Extension;
 7use Symfony\Component\DependencyInjection\Loader\YamlFileLoader;
 8
 9class AppExtension extends Extension
10{
11    public function load(array $configs, ContainerBuilder $container)
12    {
13        $loader = new YamlFileLoader($container, new FileLocator(__DIR__.'/Resources/config'));
14        $loader->load('importexport.yml');
15    }
16}

Set Up the Import and Export Processor

Import and export are handled by processors which transform imported data into actual entities, and vice versa. The easiest way to quickly set up import and export processors for your entities is to reuse the Oro\Bundle\ImportExportBundle\Processor\ImportProcessor and Oro\Bundle\ImportExportBundle\Processor\ExportProcessor classes that ship with the OroImportExportBundle. All you need to do is creating services that are based on abstract services from the OroImportExportBundle and let them know which entity class they have to handle:

 1# src/AppBundle/Resources/config/importexport.yml
 2services:
 3    app.importexport.data_converter:
 4        parent: oro_importexport.data_converter.configurable
 5
 6    app.importexport.processor.export:
 7        parent: oro_importexport.processor.export_abstract
 8        calls:
 9            - [setDataConverter, ['@app.importexport.data_converter']]
10        tags:
11            - name: oro_importexport.processor
12              type: export
13              entity: AppBundle\Entity\Task
14              alias: app_task
15    app.importexport.processor.import:
16        parent: oro_importexport.processor.import_abstract
17        calls:
18            - [setDataConverter, ['@app.importexport.data_converter']]
19        tags:
20            - name: oro_importexport.processor
21              type: import
22              entity: AppBundle\Entity\Task
23              alias: app_task

Provide Sample Data

To make it easier for your users to understand the format in which they need to enter the data to be imported, you can provide them with an example file that will be created based on some template fixtures:

 1// src/AppBundle/ImportExport/TemplateFixture;
 2namespace AppBundle\ImportExport\TemplateFixture;
 3
 4use AppBundle\Entity\Task;
 5use Oro\Bundle\ImportExportBundle\TemplateFixture\AbstractTemplateRepository;
 6use Oro\Bundle\ImportExportBundle\TemplateFixture\TemplateFixtureInterface;
 7
 8class TaskFixture extends AbstractTemplateRepository implements TemplateFixtureInterface
 9{
10    public function getEntityClass()
11    {
12        return 'AppBundle\Entity\Task';
13    }
14
15    public function getData()
16    {
17        return $this->getEntityData('example-task');
18    }
19
20    public function fillEntityData($key, $entity)
21    {
22        $entity->setId(1);
23        $entity->setSubject('Call customer');
24        $entity->setDescription('Please call the customer to talk about their future plans.');
25        $entity->setDueDate(new \DateTime('+3 days'));
26    }
27
28    protected function createEntity($key)
29    {
30        return new Task();
31    }
32}

Then, register your fixtures class as a service:

1# src/AppBundle/Resources/config/importexport.yml
2services:
3    # ...
4
5    app.importexport.template_fixture.task:
6        class: AppBundle\ImportExport\TemplateFixture\TaskFixture
7        tags:
8            - { name: oro_importexport.template_fixture }

Add Import and Export Actions to UI

Finally, you need to add control elements to the UI to let your users export existing data and add new entities by uploading a CSV file. You can include the buttons.html.twig template from the OroImportExportBundle while passing it the names of the needed services (see the configuration above) to do so:

 1{# src/AppBundle/Resources/views/Task/index.html.twig #}
 2{% extends 'OroUIBundle:actions:index.html.twig' %}
 3
 4{% set gridName = 'app-tasks-grid' %}
 5{% set pageTitle = 'Task' %}
 6
 7{% block navButtons %}
 8    {% include 'OroImportExportBundle:ImportExport:buttons.html.twig' with {
 9        entity_class: 'AppBundle\\Entity\\Task',
10        exportProcessor: 'app_task',
11        exportTitle: 'Export',
12        importProcessor: 'app_task',
13        importTitle: 'Import',
14        datagridName: gridName
15    } %}
16
17    {# ... #}
18{% endblock %}

Import and Export Entity Data

The OroImportExportBundle is intended to import entities into or export them out of OroPlatform. The bundle uses the OroBatchBundle to organize the execution of import/export operations. Any import/export operation is a job.

A job itself is abstract. It doesn’t know any specific details of what is happening during its execution. A job consists of steps which can be configured to run in an execution context and are executed by the client.

Each step aggregates three crucial components which are not aware of each other:

  • Reader

  • Processor

  • Writer

A step uses the reader to read data from the source. Once the reader has run, the data is passed to the processor. The processor can modify the data before it is forwarded to the writer. Finally, the writer saves data to its final destination.

See also

You can take a look at the code in the OroCRM ContactBundle for a real-world example. It extends base classes from the ImportExportBundle (see classes in the ImportExport namespace) to implement contact specific behavior. The configuration is located in the Resources/config/importexport.yml file.

Import and Export Configuration

Import is a basic operation for any entity. The import operation is one step. See the following example configuration:

 1# Oro/Bundle/ImportExportBundle/Resources/config/batch_jobs.yml
 2connector:
 3    name: oro_importexport
 4    jobs:
 5        entity_import_from_csv:
 6            title: "Entity Import from CSV"
 7            type: import
 8            steps:
 9                import:
10                    title:     import
11                    class:     Oro\Bundle\BatchBundle\Step\ItemStep
12                    services:
13                        reader:    oro_importexport.reader.csv
14                        processor: oro_importexport.processor.import_delegate
15                        writer:    oro_importexport.writer.entity
16                    parameters: ~

The import algorithm being performed is (in pseudocode):

1Process job:
2  - Process step 1:
3    - loop
4      - read item from source
5      - if source is empty exit from loop
6      - process item
7      - save processed item to array of entities
8    - end loop
9    - save array of prepared entities to DB

The OroBatchBundle provides the Oro\Bundle\BatchBundle\Step\ItemStep class that executes each step of a job. In its doExecute() method, it creates a Oro\Bundle\BatchBundle\Step\StepExecutor instance, passes a Oro\Bundle\ImportExportBundle\Reader\ReaderInterface, a Oro\Bundle\ImportExportBundle\Processor\ProcessorInterface and a writer to it and executes it in the StepExecutor through the execute() method. After this step is done, all imported items are written to the destination.

Import Process in Detail

For example, here is what happens in detail when you import contact data from a CSV file:

  1. The Oro\Bundle\ImportExportBundle\Reader\CsvFileReader reads one row from the CSV file in its read() method and transforms it to an array representing the columns of that row.

  2. The data being read is then passed to the process() method of the Oro\Bundle\ImportExportBundle\Processor\ImportProcessor class which converts the item to a complex array using the convertToImportFormat() method of the Oro\Bundle\ImportExportBundle\Converter\ConfigurableTableDataConverter data converter class.

  3. The processor deserializes the item from the converted array using the Oro\Bundle\ImportExportBundle\Serializer\Serializer class.

  4. Optionally, the deserialized object can then be modified by the Oro\Bundle\ImportExportBundle\Strategy\Import\ConfigurableAddOrReplaceStrategy class.

  5. Finally, the processed entity is returned by the processor and then passed to the Oro\Bundle\ImportExportBundle\Writer\EntityWriter class. This writer stores the data when its write() method is executed.

Export Process in Detail

The export process is essentially the import process in reverse, except that it doesn’t use a strategy:

  1. First, the Oro\Bundle\ImportExportBundle\Reader\EntityReader class reads an object.

  2. Then, the Oro\Bundle\ImportExportBundle\Processor\ExportProcessor class serializes and converts the object into an associative array with property names as keys and the property values as values of the array.

  3. The Oro\Bundle\ImportExportBundle\Serializer\Serializer class normalizes each field and converts objects to complex arrays.

  4. A Oro\Bundle\ImportExportBundle\Converter\ConfigurableTableDataConverter converts the associative array into a dimensional array.

  5. Finally, all array entries are written to a CSV file by the Oro\Bundle\ImportExportBundle\Writer\CsvFileWriter class.

The export algorithm being performed is (in pseudocode):

1Process job:
2  - Process step 1:
3    - loop
4      - read entity from DB
5      - if source is empty exit from loop
6      - process entity
7      - save plain array to array of items for save
8    - end loop
9    - save array of prepared items to DB

Serializer and Normalizer

One very important concept to know is how we normalize/denormalize relations between entities and other complex data.

The Serializer class extends the standard serializer of the Symfony Serializer component and has its own normalizers and denormalizers. Each entity that you want to export/import should be supported by the serializer. This means that you should add normalizers and denormalizers that will take care of converting your entity to the array/scalar representation (normalization during serialization) and vice versa, converting arrays to the entity object representation (denormalization during deserialization).

The platform converts entities to complex arrays for which it uses the normalize() method from the ConfigurableEntityNormalizer class. This method uses the field helper to process the fields:

  • If the configuration excludes the field, it will be skipped during normalization.

  • If the field is an object, another entity or a collection, the normalize() method for this type of object will be called.

  • If the field is a scalar value, the field will be added with this value to the array of normalized values.

You can configure your fields in the UI under System / Entities / Entity Management. Alternatively, you can describe the field configuration in your entity directly using Oro\Bundle\EntityConfigBundle\Metadata\Annotation\ConfigField:

1 /**
2  * @ConfigField(
3  *      defaultValues={
4  *          "importexport"={
5  *              "order"=200,
6  *              "full"=true
7  *          }
8  *      }
9  */

You can use the following options:

Option

Description

identity

If true, the field is part of the key used to identify an instance of the entity. It is required to configure the object identity to support imports.

order

The position of the property in the export.

excluded

The skip is field during export if excluded is true.

full

If false, the normalize() method returns only identity fields of associated entities during exports. If true, all fields of the related entity are exported. Fields with Excluded option are skipped.This option cannot be configured in the user interface, but can only be set using annotations.

Import One-to-Many Relations

If you want to import one-to-many relations from a CSV file, you should use the following field name rules for the header columns: “RelationFieldName NumberOfInstance FieldName” where these strings have the following meaning:

  • RelationFieldName (string): entity relation name;

  • NumberOfInstance (integer): for example 1;

  • FieldName (string): The name of the referenced field name.

For example:

1"Addresses 1 First name"

FieldName may be a field label or a column name from a configuration field. You can look it into UI System/Entities/Entity Management. You should import all identity fields for the related entity.

Import Many-to-One Relations

If you want to import many-to-one relations, you should use the following rule: “RelationFieldName IdentityFieldName” where these placeholders have the following meaning:

  • RelationFieldName (string): entity relation name;

  • IdentityFieldName (string): identity field of the related entity. If the related entity has two or more identity fields, you should import all identity fields of the related entity.

For example:

1"Owner Username"

Extension of Import/Export Contacts

Add a New Provider to Support Different Formats

To write your own provider for import operations, you should create a class that extends the Oro\Bundle\ImportExportBundle\Reader\AbstractReader class. To support custom export formats, you just need to create a new class that implements the ItemWriterInterface from the Akeneo BatchBundle. The new classes must be declared as services:

1services:
2    oro_importexport.reader.csv:
3        class: Acme\DemoBundle\ImportExport\Reader\ExcelFileReader
4
5    oro_importexport.writer.csv:
6        class: Oro\Bundle\ImportExportBundle\Writer\CsvFileWriter

Change Import Strategy

OroPlatform provides a basic “add or substitute” import strategy. The basic process is implemented in the ConfigurableAddOrReplaceStrategy class. To create your own import strategy you can extend this class and override the following methods:

  • process()

  • processEntity()

  • updateRelations()

  • findExistingEntity()

See also

You can see an example of an adapted strategy in the ContactAddOrReplaceStrategy from the OroCRM ContactBundle.

Add Normalizers

The serializer is involved both in the import and export operations. It is extended from the standard Symfony’s Serializer and uses the extended DenormalizerInterface and NormalizerInterface interfaces (with a context support for supportsNormalization and supportsDenormalization). The serializer’s responsibility is to convert the entities to a plain array representation (serialization) and vice versa converting the plain array representation to entity objects (deserialization).

The serializer uses normalizers for the entities that will be imported/exported to perform converting of objects.

The following requirements should be met for the normalizers to implement interfaces: * Oro\Bundle\ImportExportBundle\Serializer\Normalizer\NormalizerInterface - used in export. * Oro\Bundle\ImportExportBundle\Serializer\Normalizer\DenormalizerInterface - used in import.

Generally, you should implement both interfaces if you need to add both import and export for the entity.

Example of a Simple Normalizer

 1namespace Oro\Bundle\ContactBundle\ImportExport\Serializer\Normalizer;
 2
 3use Oro\Bundle\ImportExportBundle\Serializer\Normalizer\ConfigurableEntityNormalizer;
 4
 5use Oro\Bundle\ContactBundle\Entity\Group;
 6
 7class GroupNormalizer extends ConfigurableEntityNormalizer
 8{
 9    public function normalize($object, $format = null, array $context = array())
10    {
11        $result = parent::normalize($object, $format, $context);
12
13        // call some service to modify $result
14    }
15
16    public function denormalize($data, $class, $format = null, array $context = array())
17    {
18        // call some service to modify $data
19
20        return parent::denormalize($data, $class, $format, $context);
21    }
22
23    public function supportsNormalization($data, $format = null, array $context = array())
24    {
25        return $data instanceof Group;
26    }
27
28    public function supportsDenormalization($data, $type, $format = null, array $context = array())
29    {
30        return is_array($data) && $type == 'Oro\Bundle\ContactBundle\Entity\Group';
31    }
32}

The serializer of OroImportExportBundle should be aware of its normalizer. To make it possible, use the appropriate tag in the DI configuration:

Example of Normalizer Service Configuration

1services:
2    orocrm_contact.importexport.normalizer.group:
3        class: Oro\Bundle\ContactBundle\ImportExport\Serializer\Normalizer\GroupNormalizer
4        parent: oro_importexport.serializer.configurable_entity_normalizer
5        tags:
6            - { name: oro_importexport.normalizer }

Add Data Converter

The data converter is responsible for converting the header of the import/export file. Assuming that an entity has some properties to be exposed in the export file. You can use the default Oro\Bundle\ImportExportBundle\Converter\DefaultDataConverter Data Converter however, if there is a necessity to have custom labels instead of the properties names in the export/import files, you can extend Oro\Bundle\ImportExportBundle\Converter\AbstractTableDataConverter.

Example Of a Custom Data Converter

 1 namespace Oro\Bundle\ContactBundle\ImportExport\Converter;
 2
 3 use Oro\Bundle\ImportExportBundle\Converter\AbstractTableDataConverter;
 4 use Oro\Bundle\ContactBundle\ImportExport\Provider\ContactHeaderProvider;
 5
 6 class GroupDataConverter extends AbstractTableDataConverter
 7 {
 8     /**
 9      * {@inheritDoc}
10      */
11     protected function getHeaderConversionRules()
12     {
13         return array('ID' => 'id', 'Label' => 'label');
14     }
15
16     /**
17      * {@inheritDoc}
18      */
19     protected function getBackendHeader()
20     {
21         return array('id', 'label');
22     }
23 }

Service

1 services:
2     oro_contact.importexport.data_converter.group:
3         parent: oro_importexport.data_converter.configurable

Here, there is a more complex example of DataConverter in OroContactBundle Oro\Bundle\MagentoBundle\ImportExport\Converter\OrderAddressDataConverter.

Export Processor

Once the normalizers are registered and the data converter is available, you can configure the export settings using the DI configuration.

1 services:
2     oro_contact.importexport.processor.export_group:
3         parent: oro_importexport.processor.export_abstract
4         calls:
5              - [setDataConverter, ['@orocrm_contact.importexport.data_converter.group']]
6         tags:
7             - { name: oro_importexport.processor, type: export, entity: 'Oro\Bundle\ContactBundle\Entity\Group', alias: orocrm_contact_group }

There is a controller in OroImportExportBundle that is used to request a CSV file export. See the controller action, defined in the OroImportExportBundle:ImportExport:instantExport method, route oro_importexport_export_instant.

Now, if you send a request to the /export/instant/orocrm_contact_group URL you will receive a response with the URL of the exported file results and some additional information:

1 {
2     "success":true,
3     "url":"/export/download/orocrm_contact_group_2013_10_03_13_44_53_524d4aa53ffb9.csv",
4     "readsCount":3,
5     "errorsCount":0
6 }

Import Strategy

The strategy is a class that is responsible for the import logic processing, such as adding new records or updating the existing ones.

Example of the Import Strategy

 1 namespace Oro\Bundle\ContactBundle\ImportExport\Strategy;
 2
 3 use Oro\Bundle\ImportExportBundle\Strategy\Import\ConfigurableAddOrReplaceStrategy;
 4
 5 class ContactAddOrReplaceStrategy extends ConfigurableAddOrReplaceStrategy
 6 {
 7     /**
 8      * {@inheritdoc}
 9      */
10     public function process($entity)
11     {
12         $entity = parent::process($entity);
13
14         if ($entity) {
15             $this
16                 ->updateAddresses($entity);
17         }
18
19         return $entity;
20     }
21
22     // other methods

Also, you can use [rows postponing](rows-postponing.md) in the strategy .

Service

1 services:
2     oro_contact.importexport.strategy.contact.add_or_replace:
3         class: Oro\Bundle\ContactBundle\ImportExport\Strategy\ContactAddOrReplaceStrategy
4         parent: oro_importexport.strategy.configurable_add_or_replace

Import Processor

Once the normalizers are registered, the data converter is available, and the strategy is implemented, you can configure the import using the following DI configuration.

 1 services:
 2     # Import processor
 3     oro_contact.importexport.processor.import_group:
 4         parent: oro_importexport.processor.import_abstract
 5         calls:
 6              - [setDataConverter, ['@orocrm_contact.importexport.data_converter.group']]
 7              - [setStrategy, ['@orocrm_contact.importexport.strategy.group.add_or_replace']]
 8         tags:
 9             - { name: oro_importexport.processor, type: import, entity: 'Oro\Bundle\ContactBundle\Entity\Group', alias: orocrm_contact.add_or_replace_group }
10             - { name: oro_importexport.processor, type: import_validation, entity: 'Oro\Bundle\ContactBundle\Entity\Contact', alias: orocrm_contact.add_or_replace_group }

Note, that the import requires a processor for import validation as in the example above.

The import can be done in three steps.

At the first step, a user fills out the form (defined in the OroImportExportBundle:ImportExport:importForm, route “oro_importexport_import_form”) in a source file that they want to import and submits it. This action requires the “entity” parameter which is a class name of the imported entity.

At the second step, the import validation action (defined in the OroImportExportBundle:ImportExport:importValidate method, route “oro_importexport_import_validate”) is triggered. As a result, all the actions performed by import and all the errors occurred are visible to the user. The records with errors cannot be imported, though the errors do not block further processing of the valid records.

At the last step, the import action (defined in the OroImportExportBundle:ImportExport:importProcess method, route “oro_importexport_import_process”) is processed.

Fixture Services

The fixture implementation is based on the default import/export process.

Create class:

 1 namespace Oro\Bundle\ContactBundle\ImportExport\TemplateFixture;
 2
 3 use Oro\Bundle\ImportExportBundle\TemplateFixture\TemplateFixtureInterface;
 4
 5 use Oro\Bundle\ContactBundle\Entity\Contact;
 6
 7 class ContactFixture implements TemplateFixtureInterface
 8 {
 9     /**
10      * @var TemplateFixtureInterface
11      */
12     protected $userFixture;
13
14     /**
15      * @param TemplateFixtureInterface $userFixture
16      */
17     public function __construct(TemplateFixtureInterface $userFixture)
18     {
19         $this->userFixture = $userFixture;
20     }
21
22     /**
23      * {@inheritdoc}
24      */
25     public function getData()
26     {
27         $contact = new Contact();
28         $contact
29             ->setFirstName('Jerry')
30             ->setLastName('Coleman');
31
32         return new \ArrayIterator(array($contact));
33     }
34
35     public function getEntityClass()
36     {
37         return Contact::class;
38     }
39
40     public function getEntity($key)
41     {
42         return new Contact();
43     }
44
45     public function fillEntityData($key, $entity)
46     {}
47 }

Define a service:

1 services:
2     oro_contact.importexport.template_fixture.contact:
3         class: Oro\Bundle\ContactBundle\ImportExport\TemplateFixture\ContactFixture
4         tags:
5             - { name: oro_importexport.template_fixture }

Define fixture converter:

1 oro_contact.importexport.template_fixture.data_converter.contact:
2     parent: oro_importexport.data_converter.template_fixture.configurable

Define export processor:

1 oro_contact.importexport.processor.export_template:
2     parent: oro_importexport.processor.export_abstract
3     calls:
4         - [setDataConverter, ['@orocrm_contact.importexport.template_fixture.data_converter.contact']]
5     tags:
6         - { name: oro_importexport.processor, type: export_template, entity: 'Oro\Bundle\ContactBundle\Entity\Contact', alias: orocrm_contact }

Import and Export UI setup

In order to have the import (and download template) and export buttons displayed on your page, you have to include the buttons generation template from OroImportExportBundle. There are multiple options that can be used to configure the display of these buttons and the pop-ups that can be set to appear in certain cases (export and download template).

Options for the import/export buttons configuration:

General:

  • refreshPageOnSuccess: set to true in order to refresh the page after the successful import.

  • afterRefreshPageMessage: the message that is displayed if the previous option is set.

  • datagridName: the ID of the grid that is used to refresh the data after the import operation is completed (alternative to the previous refresh option).

  • options: options to pass to the import/export route.

  • entity_class: a full class name of the entity.

Export:

  • exportJob: the ID of the export job you have defined.

  • exportProcessor: the alias ID of the export processor or an array with the alias IDs of the processors if they are more than one.

  • exportLabel: the label that should be used for the export options pop-up (in case of multiple export processors).

Export template:

  • exportTemplateJob: the ID of the export template job you have defined.

  • exportTemplateProcessor: the alias ID of the export template processor or an array with the alias IDs of the processors if they are more than one.

  • exportTemplateLabel: the label that should be used for the export template options pop-up (in case of multiple export processors).

Import:

  • importProcessor: the alias ID of the import processor.

  • importLabel: the label used for the import pop-up.

  • importJob: the ID of the import job you have defined.

  • importValidateJob: the ID of the import validation job you have defined.

Display import/export buttons:

 1 {% include 'OroImportExportBundle:ImportExport:buttons.html.twig' with {
 2     entity_class: entity_class,
 3     exportJob: 'your_custom_entity_class_export_to_csv',
 4     exportProcessor: exportProcessor,
 5     importProcessor: 'oro.importexport.processor.import',
 6     exportTemplateProcessor: exportTemplateProcessor,
 7     exportTemplateLabel: 'oro.importexport.processor.export.template_popup.title'|trans,
 8     exportLabel: 'oro.importexport.processor.export.popup.title'|trans,
 9     datagridName: gridName
10 } %}

Displaying import/export buttons for multiple entities:

In order to display import/export buttons for several entities, you need to create configuration providers for each entity with options, described in the beginning of the section:

 1 namespace Oro\Bundle\ProductBundle\ImportExport\Configuration;
 2
 3 use Oro\Bundle\ImportExportBundle\Configuration\ImportExportConfiguration;
 4 use Oro\Bundle\ImportExportBundle\Configuration\ImportExportConfigurationInterface;
 5 use Oro\Bundle\ImportExportBundle\Configuration\ImportExportConfigurationProviderInterface;
 6 use Oro\Bundle\ProductBundle\Entity\Product;
 7 use Symfony\Contracts\Translation\TranslatorInterface;
 8
 9 class ProductImportExportConfigurationProvider implements ImportExportConfigurationProviderInterface
10 {
11     /**
12      * @var TranslatorInterface
13      */
14     private $translator;
15
16     /**
17      * @param TranslatorInterface $translator
18      */
19     public function __construct(TranslatorInterface $translator)
20     {
21         $this->translator = $translator;
22     }
23
24     /**
25      * {@inheritDoc}
26      *
27      * @throws \InvalidArgumentException
28      */
29     public function get(): ImportExportConfigurationInterface
30     {
31         return new ImportExportConfiguration([
32             ImportExportConfiguration::FIELD_ENTITY_CLASS => Product::class,
33             ImportExportConfiguration::FIELD_EXPORT_PROCESSOR_ALIAS => 'oro_product_product',
34             ImportExportConfiguration::FIELD_EXPORT_TEMPLATE_PROCESSOR_ALIAS => 'oro_product_product_export_template',
35             ImportExportConfiguration::FIELD_IMPORT_PROCESSOR_ALIAS => 'oro_product_product.add_or_replace',
36             ImportExportConfiguration::FIELD_DATA_GRID_NAME => 'products-grid',
37             ImportExportConfiguration::FIELD_IMPORT_BUTTON_LABEL =>
38                 $this->translator->trans('oro.product.import.button.label'),
39             ImportExportConfiguration::FIELD_IMPORT_VALIDATION_BUTTON_LABEL =>
40                 $this->translator->trans('oro.product.import_validation.button.label'),
41             ImportExportConfiguration::FIELD_EXPORT_TEMPLATE_BUTTON_LABEL =>
42                 $this->translator->trans('oro.product.export_template.button.label'),
43             ImportExportConfiguration::FIELD_EXPORT_BUTTON_LABEL =>
44                 $this->translator->trans('oro.product.export.button.label'),
45             ImportExportConfiguration::FIELD_IMPORT_POPUP_TITLE =>
46                 $this->translator->trans('oro.product.import.popup.title'),
47         ]);
48     }
49 }

Provider’s service should have a tag with the name oro_importexport.configuration and some alias. The alias is used to group import/export buttons with different configurations on one page:

1 oro_product.importexport.configuration_provider.product:
2     class: Oro\Bundle\ProductBundle\ImportExport\Configuration\ProductImportExportConfigurationProvider
3     arguments:
4         - '@translator'
5     tags:
6         - { name: oro_importexport.configuration, alias: oro_product_index }

To show all import/export buttons on a page, which are defined by configuration providers with an alias, include following template:

1 {% include 'OroImportExportBundle:ImportExport:buttons_from_configuration.html.twig' with {
2     'alias': 'oro_product_index'
3 } %}

Import pop-up:

By using the default import configuration (like in the examples above), a user has an import button displayed on the configured page. By clicking this button, a pop-up is displayed and the user needs to input a file for uploading (and validation) as well as selecting the import strategy. As described in the import strategy section, the import process requires a strategy, but it can also have multiple strategies defined.

Each strategy is used by an import processor, so the strategy has to be passed to the import processor defined for the current entity class. While generating the import pop-up, the framework is searching for the defined import processors for the given entity class and displays them in the selection of strategies.

Exceptional use cases:

The basic use case of import/export implies defining an import/export processor for an entity which is used when the user selects the import/export operation from the application.

There are also cases when the export operation needs to extract the data in multiple ways or from multiple entities and you want to provide different export options to the user. In this situation, you must define multiple export processors which can handle the types of exports that you want to offer to the user.

If multiple export processors are defined for an entity and the user wants to perform an export, the platform displays a pop-up with a possibility to select a required option corresponding to the defined export processors. Depending on the option selected, the corresponding export processor is used. You also have to define translation keys for the IDs of the processors. These translation keys are used in the selected option in the pop-up.

The same thing is applicable for the export of the templates used for the import. You can have multiple export template processors which are displayed as options in a pop-up when the user wants to download a data template.

Export processors definition:

 1 oro.importexport.processor.export.some_type:
 2     parent: oro_importexport.processor.export_abstract
 3     calls:
 4         - [setDataConverter, ['@oro.importexport.data_converter']]
 5     tags:
 6         - { name: oro_importexport.processor, type: export, entity: 'Acme\DemoBundle\Entity\EntityName', alias: oro_some_type }
 7
 8 oro.importexport.processor.export.another_type:
 9     parent: oro_importexport.processor.export_abstract
10     calls:
11         - [setDataConverter, ['@oro.importexport.data_converter']]
12     tags:
13         - { name: oro_importexport.processor, type: export, entity: 'Acme\DemoBundle\Entity\EntityName', alias: oro_another_type }

Translation keys for selections in an export pop-up:

1#messages.en.yml
2oro.importexport.export.oro_some_type: Some export type
3oro.importexport.export.oro_another_type: Some other export type

In this case, you have to specify the processors that can be used as selected options in the pop-up. On the import/export buttons configuration, specify the processors as array, like in the example bellow (exportProcessors and/or exportTemplateProcessors):

1 {% include 'OroImportExportBundle:ImportExport:buttons.html.twig' with {
2     ...
3     exportProcessor: exportProcessors,
4     exportTemplateProcessor: exportTemplateProcessors,
5     ...
6 } %}

Change an import/export pop-up dialog:

Import a pop-up customization:

To implement custom behaviour of the import pop-up, you can extend the default ImportType from OroImportExportBundle and implement a custom form appearance.

 1 use Symfony\Component\Form\AbstractTypeExtension;
 2 use Symfony\Component\Form\FormBuilderInterface;
 3
 4 use Oro\Bundle\ImportExportBundle\Form\Type\ImportType;
 5
 6 class CustomImportTypeExtension extends AbstractTypeExtension
 7 {
 8     /**
 9      * {@inheritdoc}
10      */
11     public static function getExtendedTypes(): iterable
12     {
13         return [ImportType::NAME];
14     }
15
16     /**
17      * {@inheritdoc}
18      */
19     public function buildForm(FormBuilderInterface $builder, array $options)
20     {
21         //TODO: add custom implementation to generate the form
22     }
23 }

Export a pop-up customization:

To display the export/export template options in a different way (other than the default options selection), you can extend the base types (ExportType and ExportTemplateType) from the ImportExport bundle. These types are used when displaying the form with options in the pop-up.

Example of displaying the form with choice (radio buttons):

 1 use Symfony\Component\Form\AbstractTypeExtension;
 2 use Symfony\Component\Form\FormBuilderInterface;
 3
 4 use Oro\Bundle\ImportExportBundle\Form\Type\ExportType;
 5
 6 class CustomExportTypeExtension extends AbstractTypeExtension
 7 {
 8     /**
 9      * {@inheritdoc}
10      */
11     public static function getExtendedTypes(): iterable
12     {
13         return [ExportType::NAME];
14     }
15
16     /**
17      * {@inheritdoc}
18      */
19     public function buildForm(FormBuilderInterface $builder, array $options)
20     {
21         //TODO: add custom implementation to generate the form
22     }
23 }

Storage Configuration

OroImportExportBundle uses KnpGaufretteBundle to provide a filesystem abstraction layer.

By default, it is configured to store files in the var/import_export directory of your project. You can change it in the Resources/config/oro/app.yml file. A user can reconfigure these settings. More information about the KnpGaufretteBundle configuration can be found in KnpGaufretteBundle documentation.