Laravel Backpack Import Operation

redsquirrelstudio/laravel-backpack-import-operation

Latest Version on Packagist

Total Downloads

Adds a configurable interface that allows your admin users to:

  • Upload a spreadsheet file.
  • Map the file's columns to your CRUD model's fields.
  • Import their data.

and allows you as the developer to:

  • Customise each CRUD's import behaviour using the Backpack API you know and love.
  • Choose between queued or instant imports.
  • Completely customise the operation's behaviour.

"Buy Me A Coffee"

If you're looking for a great team of developers to handle some Backpack/Laravel development for you, drop us a line at Sprechen

Also need full exports for your CRUD? Check out redsquirrelstudio/laravel-backpack-export-operation

Screenshot of the operation's mapping screen

Powering the imports in the background is maatwebsite/excel and if you wish, you can define your own import class for the operation to use.

However, The real power lies in being able to configure an import lightning fast using the same syntax as you would to define your list views.

Table of Contents

  1. Installation
  2. Usage
  3. Column Types
  4. Text
  5. Number
  6. Boolean
  7. Date
  8. Array
  9. Primary Keys
  10. Imports Without Primary Keys
  11. Validation
  12. Adding an Example File
  13. Adding Your Own Columns
  14. Custom Import Classes
  15. Disabling User Mapping
  16. Delete Spreadsheet on Completion
  17. Queued Imports
  18. Configuration
  19. File Uploads
  20. Queues
  21. Changing the Import log Model
  22. Customising Translations
  23. Customising Views
  24. Events
  25. Restricting Access
  26. Credits
  27. License

Installation

Environment Requirements

  • PHP extension php_zip
  • PHP extension php_xml
  • PHP extension php_gd2
  • PHP extension php_iconv
  • PHP extension php_simplexml
  • PHP extension php_xmlreader
  • PHP extension php_zlib

Step 1.

Require the package with composer:

composer require redsquirrelstudio/laravel-backpack-import-operation

This will also install maatwebsite/excel if it's not already in your project.

Step 2. (Optional)

The service provider at: RedSquirrelStudio\LaravelBackpackImportOperation\Providers\ImportOperationProvider will be auto-discovered and registered by default. Although, if you're like me, you can add it to your config/app.php.

    'providers' => ServiceProvider::defaultProviders()->merge([
        /*
         * Package Service Providers...
         */
        //Some other package's service providers...
        RedSquirrelStudio\LaravelBackpackImportOperation\Providers\ImportOperationProvider::class,
    ])->toArray(),

Step 3.

Publish the config file:

php artisan vendor:publish --tag=laravel-backpack-import-operation-config

This will create a new file at config/backpack/operations/import.php allowing you to customise things such as the disk and path uploaded files should be stored at.

Step 4.

Publish and run the migration:

php artisan vendor:publish --tag=laravel-backpack-import-operation-migrations

Then

php artisan migrate

Usage

In your CRUD Controller where you need the import operation.

Wait for it...

Add the import operation:

class ExampleCrudController extends CrudController
{
    use \Backpack\CRUD\app\Http\Controllers\Operations\ListOperation;
    use \Backpack\CRUD\app\Http\Controllers\Operations\CreateOperation;
    use \Backpack\CRUD\app\Http\Controllers\Operations\UpdateOperation;
    use \Backpack\CRUD\app\Http\Controllers\Operations\DeleteOperation;
    use \Backpack\CRUD\app\Http\Controllers\Operations\ShowOperation;
    use \RedSquirrelStudio\LaravelBackpackImportOperation\ImportOperation;
    //...

But wait! There's more!

Configuring the Import

Configuring a CRUD import is very similar to configuring the list or show view, here's an example:

    //Probably some more CRUD config...
    
    protected function setupImportOperation()
    {
        CRUD::addColumn([
           'name' => 'id',
           'label' => 'ID',
           'type' => 'number',
        ]);

        CRUD::addColumn([
           'name' => 'name',
           'label' => 'Name',
           'type' => 'text',
        ]);  
    }
    
    //Fetch functions or something...  

Within the setupImportOperation() function you can add CRUD columns with, in most cases, a name, label, and type. Each column corresponds to a model field.

The type of column is important as it specifies how the data from the spreadsheet will be processed before it is saved against the model.

=========IMPORTANT==========

The columns you specify here correspond to the model fields NOT the spreadsheet columns. The user has the option to assign any spreadsheet column to any import column within the interface.

=============================

Column Types

Text

The simplest type of column, just takes the text from the spreadsheet and saves it to the model field.

Example

CRUD::addColumn([
   'name' => 'name',
   'label' => 'Name',
   'type' => 'text',
]);  

Number

This column will check whether the number is numeric, if it is, it will be saved against the model otherwise null will be used. (This field also supports decimal values).

Example

CRUD::addColumn([
   'name' => 'age',
   'label' => 'Age',
   'type' => 'number',
]);  

Boolean

By default, this column will evaluate whether the column contains: 'true', '1', or 'y' (case-insensitive). But you can specify what should be counted as true or false using the 'options' key.

Example

CRUD::addColumn([
   'name' => 'active',
   'label' => 'Active Customer',
   'type' => 'boolean',
   'options' => [
        false => 'No',
        true => 'Yes',
    ]  
]);  

Date

This column will take the input and try to convert it to a datetime, if successful, the datetime will be return as a Carbon\Carbon instance, otherwise it will return null.

Example

CRUD::addColumn([
   'name' => 'date_of_birth',
   'label' => 'Birthday',
   'type' => 'date',
]);  

Array

This column is ideal for only importing one or more of a number of options. Example

CRUD::addColumn([
   'name' => 'type',
   'label' => 'Customer Type',
   'type' => 'array',
   'options' => [
        'retail' => 'Retail',
        'trade' => 'Trade',
        'other' => 'Other',
    ]
]);  

In this example, the import will only save data from the column if it is 'Retail', 'Trade', or 'Other'. In these instances, values 'retail', 'trade', and 'other' will be saved respectively.

Multiple Values

The array column also supports multiple values.

Example

CRUD::addColumn([
   'name' => 'type',
   'label' => 'Customer Type',
   'type' => 'array',
   'multiple' => true,
   'options' => [
        'retail' => 'Retail',
        'trade' => 'Trade',
        'other' => 'Other',
    ]
]);  

In this example, the user could import the following data:

Retail,Trade,Other

and the column would save the following array against the model's type field:

[
    'retail',
    'trade',
    'other'
]

For this to work, make sure to cast the model's field as an array within the $casts array, as shown below:

  protected $casts = [
        'types' => 'array',
  ];

In the case where you would like the user to be able to specify a comma seperated list of any values. You can add the following to the CRUD column config.

CRUD::addColumn([
   'name' => 'type',
   'label' => 'Customer Type',
   'type' => 'array',
   'multiple' => true,
   'options' => 'any'
]);  

With this configuration, the user could put whatever they like. For example, if they imported dog,cat,rat - It would be saved to the model as:

[
    'dog',
    'cat',
    'rat'
]

'options' => 'any'

cannot be used without

'multiple' => true

as it does not make sense for this column type. In this case, just use a text column.

Primary Keys

The import operation needs to know your model's primary key so that it knows whether to create or update with the row's data. By default, the operation will try to find a column you have added that has the model's primary key as the name.

For example, if your model's primary key is id, the operation would use this column as the primary key:

CRUD::addColumn([
   'name' => 'id',
   'type' => 'number',
]);

You'll be able to see on the mapping screen which column has been identified as the primary key.

If your primary key cannot be found, the operation instead will look for the first text or number column you have added.

You can also set a column as the primary key by adding the following config to the column:

CRUD::addColumn([
   'name' => 'id',
   'type' => 'number',
   'primary_key' => true,
]);

Imports Without Primary Keys

You can disable the requirement for a primary key, however, it will mean that your import can only create new models and won't be able to update existing data. This can be useful in cases where you don't have a defined primary key and are relying on the model's auto-incrementing ID. This setting can also help where you want to be able to specify a unique column that the user shouldn't be able to create multiples of or change existing data for.

TLDR: Imports with this setting enabled cannot update existing data, only import new data.

Add the following line to your setupImportOperation function:

    protected function setupImportOperation()
    {
        $this->withoutPrimaryKey();
        //Some column config...

Validation

Validating your imports works similarly to how you would validate a create or update method, call the following function within the setupImportOperation function:

    protected function setupImportOperation()
    {
        CRUD::setValidation(CustomerRequest::class);
        //Some column config...

The form request should validate what is required for your model, Not the spreadsheet columns, again because the column headers shouldn't matter as the user can map them.

Adding an Example File

You can also add a link for your user to download an example spreadsheet with data that you would expect them to upload. To set this use the following function within the setupImportOperation function:

    protected function setupImportOperation()
    {
        $this->setExampleFileUrl('https://example.com/link-to-your-download/file.csv');
        //Some column config...

Doing this will provide them with a link like this when uploading their file:

Screenshot of the operation's example download

Adding Your Own Columns

The import operation offers the option to create your own handlers. This only takes two steps.

Step 1.

I've included an artisan command to generate a custom column skeleton:

php artisan backpack:import-column ExampleColumn

This will generate a blank import column for you at app\Imports\Columns.

<?php

namespace App\Imports\Columns;

use RedSquirrelStudio\LaravelBackpackImportOperation\Columns\ImportColumn;

class ExampleColumn extends ImportColumn
{
    public function output(): mixed
    {
        return $this->data;
    }
}

When building your custom column you have access to $this->data which is the input from the spreadsheet column. You can also access the configuration for the import column using $this->getConfig() and the model that you are importing using $this->getModel().

Process the data how you need to and return it from the output() function.

Voila!

By default, the column type name will take the first part of the class name for example, if you had ExampleColumn, the label would be 'Example'. You can customise this by returning a string from the getName() function in your column.

Screenshot of a column type label

Step 2.

Add your new class to the file at config/backpack/operations/import.php under the 'column_aliases' array. The key should be what you specify as the column type in setupImportOperation

    //...
    // Aliases for import column types to be used in operation setup
    'column_aliases' => [
        'array' => Columns\ArrayColumn::class,
        'boolean' => Columns\BooleanColumn::class,
        'date' => Columns\DateColumn::class,
        'number' => Columns\NumberColumn::class,
        'text' => Columns\TextColumn::class,
        'column_type' => App\Imports\Columns\ExampleColumn::class
    ]

Boom

Your column is ready for action.

CRUD::addColumn([
   'name' => 'name',
   'label' => 'Name',
   'type' => 'example',
]);  

Note: you can skip adding a column aliases and specify the column class directly against the type key:

CRUD::addColumn([
   'name' => 'name',
   'label' => 'Name',
   'type' => App\ImportColumns\ExampleColumn::class,
]);  

Custom Import Classes

If you don't want to use the column mapping interface, you also have the option to specify your own import class. To do this, create your import class using:

php artisan make:import <YourImportName>

You can then follow the maatwebsite/excel documentation to build an import with finer control if required.

This package provides an interface WithCrudSupport for your custom import classes that allows your IDE to grab the method stubs providing you with the import log ID and validation class.

use RedSquirrelStudio\LaravelBackpackImportOperation\Interfaces\WithCrudSupport;

class CustomImport implements OnEachRow, WithCrudSupport
{
    public function __construct(int $import_log_id, ?string $validator = null)
    {

    }

    public function onRow(Row $row)
    {
        $row = $row->toArray();
        //Your import handling

This may make life easier, add it or don't, I'm not your boss!

Once you've created your beautiful import class, set it using this function within the setupImportOperation function:

    protected function setupImportOperation()
    {
        $this->setImportHandler(CustomImport::class);
        //Some column config...

Disabling User Mapping

Sometimes, you may not want the user to map their columns, or just need a fast import. In these cases, you can disable the user mapping step.

When user mapping is disabled, the import handler will match the spreadsheet headings to your CRUD column config.

For example: A spreadsheet column called "name" or "Name" would be matched with this config:

CRUD::addColumn([
    'name' => 'name',
    'label' => 'Name',
    'type' => 'text',
]);

To enable this behaviour, add this one line of code to the setupImportOperation() function:

    //...
    protected function setupImportOperation()
    {
        $this->disableUserMapping();
    //...

Delete Spreadsheet on Completion

By default, the uploaded spreadsheet will remain in storage after an import is completed. This is useful for debugging/logging purposes but may not suit your requirements. If you would like your file to be deleted after an import is complete, add this one line of code to the setupImportOperation() function:

  //...
    protected function setupImportOperation()
    {
        $this->deleteFileAfterImport();
    //...

Queued Imports

In most situations, it is going to be better for the user if your imports are processed in the background rather than making them wait for the import to happen on a button press.

Therefore, you have the option to queue your imports by adding this one line of code to the setupImportOperation() function:

    //...
    protected function setupImportOperation()
    {
        $this->queueImport();
    //...

Of course, for this to work, you will need to set up a queue for your application to dispatch jobs to, to do that, follow Laravel's official docs.

Configuration

File Uploads

By default, spreadsheets will be stored in your default disk at the path /imports. but this can be altered either by changing the following env variables:

FILESYSTEM_DISK="s3"
BACKPACK_IMPORT_FILE_PATH="/2023/application-name/imports"

Or by directly changing the options within config/backpack/operations/import.php.

    //...
    //Filesystem disk to store uploaded import files
    'disk' => "s3",
    
    //Path to store uploaded import files
    'path' => "/2023/application-name/imports",
    //...

Queues

You can also change the queue that queued imports are dispatched to and the number of rows processed per chunk by changing the following env variables:

QUEUE_CONNECTION="import-queue"
BACKPACK_IMPORT_CHUNK_SIZE=300

or changing the value directly within config/backpack/operations/import.php.

    //...
    //Queue to dispatch import jobs to
    'queue' => 'import-queue',

    //Chunk size for reading import files
    'chunk_size' => 300,
    //...

Import Log

In very rare cases, you may wish to also change the model that is used to log imports, I can't think of a reason why, but I'm sure someone will come up with one.

If you do, make sure to update the migration, and specify your own model at config/backpack/operations/import.php.

//...
return [
    'import_log_model' => ImportLog::class,
    //...

Translations

You can update the operation translations if required. To do this run:

php artisan vendor:publish --tag=laravel-backpack-import-operation-translations

this will publish the operation lang files to resources/lang/vendor/backpack/import-operation The files stored in this directory take priority over the package's default lang files.

Views

You can update the operation views if required. To do this run:

php artisan vendor:publish --tag=laravel-backpack-import-operation-views

this will publish the operation blade files to resources/views/vendor/backpack/import-operation The files stored in this directory take priority over the package's default views.

Events

This package dispatches events at different points during the import process. This way you can track when import rows fail, succeeds, and when an import starts and ends.

Import Started Event

This event is fired when an import begins processing.

Class:
RedSquirrelStudio\LaravelBackpackImportOperation\Events\ImportStartedEvent::class
Payload:
[
    //The Import being processed 
   'import_log' => RedSquirrelStudio\LaravelBackpackImportOperation\Models\ImportLog::class 
]

Import Completed Event

This event is fired when an import has been completed.

Event Class:
RedSquirrelStudio\LaravelBackpackImportOperation\Events\ImportCompleteEvent::class
Payload:
[
    //The Completed Import
   'import_log' => RedSquirrelStudio\LaravelBackpackImportOperation\Models\ImportLog::class 
]

Import Row Processed Event

Each time a row is successfully processed, this event is fired.

Event Class:
RedSquirrelStudio\LaravelBackpackImportOperation\Events\ImportRowProcessedEvent::class
Payload:
[
    //The Import being processed 
   'import_log' => RedSquirrelStudio\LaravelBackpackImportOperation\Models\ImportLog::class,
   //The data from the spreadsheet row
   'row_data' => array(),
   //The created/update model from the row
   'entry' => \Illuminate\Database\Eloquent\Model::class 
]

Import Row Skipped Event

When a row fails validation and is skipped, this event is fired.

Event Class:
RedSquirrelStudio\LaravelBackpackImportOperation\Events\ImportRowSkippedEvent::class
Payload:
[
    //The Import being processed 
   'import_log' => RedSquirrelStudio\LaravelBackpackImportOperation\Models\ImportLog::class,
   //The data from the spreadsheet row
   'row_data' => array(),
]

Restricting Access

Like most operations in Backpack, you can restrict user access using the following line of code in your CRUD Controller's setup function:

    public function setup()
    {
        //...
        CRUD::denyAccess('import');
        //...
    }

Credits

License

MIT. Please see the license file for more information.

Package Published On: 15/07/2023