What's the simplest entity you can think of? It will probably be something like Tag
, which only holds an id
and a name
. Let's create this new entity in the database, the model for it, then create a CRUD Panel to let admins manage entries for this entity.
We assume:
Tag
model in your project;NEW!!! Starting with Aug 2021, there's a much simpler way to generate everything ๐ Check out our new paid addon - Backpack DevTools. It's a GUI that will help you generate Migrations, Models (complete with relationships), CRUDs from the browser ๐ฑ It does cost extra, but it's well worth the price if you use Backpack regularly or your models are not dead-simple.
Since we don't have an Eloquent model for it already, we're going to use Jeffrey Way's Generators package, which you've most likely installed along with Backpack, to generate the migration.
# install a 3rd party tool to generate migrations from the command line
composer require --dev laracasts/generators
# generate a migration and run it
php artisan make:migration:schema create_tags_table --schema="name:string:unique"
php artisan migrate
Now that we have the tags
table in the database, let's generate the actual files we'll be using:
php artisan backpack:crud tag #use singular, not plural
The code above will have generated:
database/migrations/yyyy_mm_dd_xyz_create_tags_table.php
);tags
with just two columns: id
and name
);app/Models/Tag.php
);app/Http/Controllers/Admin/TagCrudController.php
);app/Http/Requests/TagCrudRequest.php
);routes/backpack/custom.php
;resources/views/vendor/backpack/base/inc/sidebar_content.blade.php
;Next up: we'll need to go through the generated files, and customize for our needs.
We'll skip the migration and database table, since there's nothing there specific to Backpack, nothing to customize, and we've already run the migration.
Let's take a look at the generated model:
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
use Backpack\CRUD\app\Models\Traits\CrudTrait;
class Tag extends Model {
use CrudTrait;
/*
|--------------------------------------------------------------------------
| GLOBAL VARIABLES
|--------------------------------------------------------------------------
*/
protected $table = 'tags';
// protected $primaryKey = 'id';
// public $timestamps = false;
protected $guarded = ['id'];
// protected $fillable = [];
// protected $hidden = [];
// protected $dates = [];
/*
|--------------------------------------------------------------------------
| FUNCTIONS
|--------------------------------------------------------------------------
*/
/*
|--------------------------------------------------------------------------
| RELATIONS
|--------------------------------------------------------------------------
*/
/*
|--------------------------------------------------------------------------
| SCOPES
|--------------------------------------------------------------------------
*/
/*
|--------------------------------------------------------------------------
| ACCESSORS
|--------------------------------------------------------------------------
*/
/*
|--------------------------------------------------------------------------
| MUTATORS
|--------------------------------------------------------------------------
*/
}
As we can see, this is a pretty standard Eloquent model. The only differences:
CrudTrait
;By default, the model uses $guarded
to prevent people from editing certain attributes. But, as with all generated classes, it might not be exactly what you want. We should make sure:
$table
contains the right table name (it does);$guarded
contains all the attributes we want the admin to NOT be able to change; alternatively, specify which fields the admin is allowed to edit using $fillable
; Tag
model);This is all standard procedure for new Laravel models - nothing Backpack-specific here. In this particular case, where the entity is so simple and has no relationships, we don't need to make any changes to the generated model.
We're now done configuring the model - because we didn't already have a valid Eloquent model to use for our CRUD Panel. If we did have a working Eloquent model, we only needed to add use \Backpack\CRUD\app\Models\Traits\CrudTrait;
Let's take a look at app/Http/Controllers/Admin/TagCrudController.php
. It should look something like this:
<?php namespace App\Http\Controllers\Admin;
use Backpack\CRUD\app\Http\Controllers\CrudController;
use App\Http\Requests\TagRequest;
class TagCrudController 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;
public function setup()
{
$this->crud->setModel("App\Models\Tag");
$this->crud->setRoute("admin/tag");
$this->crud->setEntityNameStrings('tag', 'tags');
}
protected function setupListOperation()
{
// TODO: remove setFromDb() and manually define Columns, maybe Filters
$this->crud->setFromDb();
}
protected function setupCreateOperation()
{
$this->crud->setValidation(TagRequest::class);
// TODO: remove setFromDb() and manually define Fields
$this->crud->setFromDb();
}
protected function setupUpdateOperation()
{
$this->setupCreateOperation();
}
}
What we should notice inside this TagCrudController is that:
TagCrudController extends CrudController
;TagCrudController
has a setup()
method, where can plug in the basics of our CRUD panel; everything we write here is applied on ALL operations;setupXxxOperation()
method;As we can tell from the comments in our setupXxxOperation()
methods, in most cases we shouldn't use $this->crud->setFromDb()
, which automagically figures out which columns and fields to show. That's because for real models, in real projects, it would never be able to 100% figure out which field types to use. Real projects are very custom - that's a fact. In real projects, models are complicated, use a bunch of field types and you'll want to customize things. Instead of using setFromDb()
then gradually changing what you don't like, we heavily recommend you manually define all fields and columns you need.
That being said, since our Tag
model is so simple, we can leave it like this - it will work perfectly, since we only need a text
field and a text
column. But let's not do that. Let's define our fields and columns manually, like big boys & girls.
We can either define each operations inside its setupXxxOperation()
method:
protected function setupListOperation()
{
$this->crud->addColumn(['name' => 'name', 'type' => 'text', 'label' => 'Name']);
}
protected function setupCreateOperation()
{
$this->crud->setValidation(TagRequest::class);
$this->crud->addField(['name' => 'name', 'type' => 'text', 'label' => 'Name']);
}
protected function setupUpdateOperation()
{
$this->setupCreateOperation(); // since this calls the methods above, no need to do anything here
}
This will:
setFromDb()
functionality (since we deleted that line);text
column for our name
attribute for the List operation (the table view);text
field for our name
attribute to the Create and Update forms;It's the exact same thing setFromDb()
would have figured out, but done manually. This way, if we want to add other columns) or other fields, we can easily do that. If we want to change the label of the name
field from Name
to Tag name
, we just make that small change. The benefits of not using setFromDb()
will be more obvious once you use Backpack on real models, we promise.
An alternative to defining operation inside setupXxxOperation()
methods is to do it inside the setup()
method. However, as we've mentioned before, everything you run in your setup()
method is run for ALL operations. So you can easily end up bloating your operation with unnecessary operations. If you don't like having a method to configure each operation, and would like to define everything in setup()
, you should do so inside an operation()
closure. Whatever's inside that closure will only be run for that operation. For example, everything we've done above would look like this if done inside operation closures:
public function setup()
{
$this->crud->setModel('App\Models\Tag');
$this->crud->setRoute(config('backpack.base.route_prefix') . '/tag');
$this->crud->setEntityNameStrings('tag', 'tags');
$this->crud->operation('list', function() {
$this->crud->addColumn(['name' => 'name', 'type' => 'text', 'label' => 'Name']);
});
$this->crud->operation(['create', 'update'], function() {
$this->crud->addValidation(TagCrudRequest::class);
$this->crud->addField(['name' => 'name', 'type' => 'text', 'label' => 'Name']);
});
}
}
Here, inside your setup()
or setupXxxOperation
methods, you can also do a lot of other things, like adding buttons, adding filters, customizing your query, etc. For a full list of the things you can do inside setup()
check out our cheat sheet.
Next, let's continue to another generated file.
Backpack will also generate a standard FormRequest file, that you can use for validation of the Create and Update forms. There is nothing Backpack-specific in here, but let's take a look at the generated app/Http/Requests/TagRequest.php
file:
<?php
namespace App\Http\Requests;
use App\Http\Requests\Request;
use Illuminate\Foundation\Http\FormRequest;
class TagRequest extends FormRequest
{
/**
* Determine if the user is authorized to make this request.
*
* @return bool
*/
public function authorize()
{
// only allow updates if the user is logged in
return backpack_auth()->check();
}
/**
* Get the validation rules that apply to the request.
*
* @return array
*/
public function rules()
{
return [
// 'name' => 'required|min:5|max:255'
];
}
/**
* Get the validation attributes that apply to the request.
*
* @return array
*/
public function attributes()
{
return [
//
];
}
/**
* Get the validation messages that apply to the request.
*
* @return array
*/
public function messages()
{
return [
//
];
}
}
This file is a 100% pure FormRequest file - all Laravel, nothing particular to Backpack. In generated FormRequest files, no validation rules are imposed by default. But we do want name
to be required
and unique
, so let's do that, using the standard Laravel validation rules:
/**
* Get the validation rules that apply to the request.
*
* @return array
*/
public function rules()
{
return [
- // 'name' => 'required|min:5|max:255'
+ 'name' => 'required|min:5|max:255|unique:tags,name'
];
}
If your validation needs to be different between the Create and Update operations, you can easily do that too, by specifying different FormRequest files for each operation.
We have already generated our CRUD route, and we don't need to do anything about it, but let's check our routes/backpack/custom.php
. It should look like this:
<?php
// --------------------------
// Custom Backpack Routes
// --------------------------
// This route file is loaded automatically by Backpack\Base.
// Routes you generate using Backpack\Generators will be placed here.
Route::group([
'prefix' => config('backpack.base.route_prefix', 'admin'),
'middleware' => ['web', config('backpack.base.middleware_key', 'admin')],
'namespace' => 'App\Http\Controllers\Admin',
], function () { // custom admin routes
// CRUD resources and other admin routes
Route::crud('tag', 'TagCrudController');
}); // this should be the absolute last line of this file
Here, we can see that our routes have been placed:
config/backpack/base.php
;config/backpack/base.php
;App\Http\Controllers\Admin
namespace, because that's where our custom CrudControllers will be generated;It's generally a good idea to have the all admin routes in this separate file. If you edit this file in the future, make sure you leave the last line intact, so that other routes can be automatically generated inside this file. And of course, add your routes inside this route group, so that:
admin/tag
, admin/product
, admin/dashboard
);App\Http\Controllers\Admin
);We've previously generated a menu item in the views/vendor/backpack/base/inc/sidebar_content.php
file. You'll see this file is pure HTML. This will allow you to customize the menu as much as you want. The "active" state of the menu is done with JavaScript, based on the href
attribute.
This is the bit that has been generated for you:
<li class='nav-item'><a class='nav-link' href='{{ backpack_url('tag') }}'><i class='nav-icon fa fa-tag'></i> Tags</a></li>
You can of course change anything here, if you want.
You are now ready to go to your-app-name.domain/admin/tag
and see your fully functional admin panel for Tags
.
Congratulations, you should now have a good understanding of how Backpack\CRUD works! This is a very very basic example, but the process will be identical for Models with 50+ attributes, complicated logic, etc.
If you do have complex models, we heavily recommend you go purchase Backpack DevTools right now. It's the official paid GUI for generating all of the above. And while you're at it, you can purchase a Backpack license too ๐
Then you'll love our premium add-ons - productivity tools and tons of new features.