Building an Admin Dashboard with React-admin
React admin has been one of the holy grail frontend frameworks for building responsive admin panels. It offers a lot of really cool features such as data validation, optimistic rendering, accessibility, and action undo. React-admin is also plug-and-play as it supports standard REST APIs and a handful of GraphQL dialects. Being a Reactjs framework, it also gives you access to thousands of plugins and libraries available in Javascript and the React ecosystem.
In this article, I would like to show you how to build an admin panel using React-admin.
Weāre going to be building a react admin dashboard to manage DVD movie rentals for a local rental store. The first page would have a table listing all registered members of the store. The second page will have a table that holds all rental records. From here, new rental entries can be created and existing rentals can be updated i.e from borrowed to returned. We would also be able to click on a customer from the first page and then be taken to the rentals page to see his rental history.
Hereās a gif and a link to the completed application
You can view the demo app here
Dashboard link:Ā as-react-admin.netlify.app
username:Ā cokoghenun@appsmith.com
password: 123456
Through building this dashboard, weāre going to cover core React-admin concepts such as
Resources
List view
Edit/Create view
Reference inputs and
Authentication
Since React-admin requires an API server we would need to build one on top of the database. Speaking of the database, weāll be making use of MongoDB and the demo dataset is a modified version of theĀ Sakila dataset.
To save time and get to the fun part of building the dashboard with React-admin, weāll be making use ofĀ LoopbackĀ to generate a Nodejs API over the database. If you are not familiar with Loopback, it is a highly extensible Node.js and TypeScript framework for building APIs and microservices.
Weāre almost set. But before we begin, Iād like to give you a mini-map of the entire article.
The first part of this article will focus on generating an API server over the database on MongoDB using Loopback.
The second part of this article would cover how to use React-admin to build a dashboard from the API generated in the first section.
Alright, everything looks good. Letās get started!
Generating an API server
āāNOTE: You can skip this if you already have an API to use.
There are many ways to build an API server. You can roll up your sleeves and build one yourself(this takes a lot of time) or you can choose to go with a framework. Loopback is the fastest framework I found to build Nodejs APIs over a database. It supports a host of databases ranging from in-memory to document to relational databases.
The API that would be generated using Loopback will have three resources, the first being theĀ customerĀ resource that represents customers who come to rent DVDs from the store. We also have theĀ filmĀ resource, representing DVDs that are in stock. Lastly, we have the rental resource, which records each rental.
Hereās the schema for each resource
// Customer resource{"store_id": String,
"first_name": String,
"last_name": String,
"email": String,
"address_id": String,
"activebool": Boolean,
"create_date": Date,
"last_update": Date,
"active": Number
}
// Film resource
{
"title": String,
"description": String,
"release_year": Number,
"language_id": String,
"rental_duration": Number,
"rental_rate": Number,
"length": Number,
"replacement_cost": Number,
"rating": String,
"last_update": Date,
"special_features": String,
"fulltext": String
}
// Rental resource
{
"status": String,
"rental_date": Date,
"film_title": String,
"customer_email": String,
"return_date": Date,
"staff_id": String,
"last_update": Date
}
Okay! Now letās get started by installing Loopback CLI with npm
npm i -g @loopback/cli
We can easily scaffold the Nodejs server using the Loopback CLI. It configures a Typescript compiler and installs all required dependencies. Letās run the CLI and answer a few prompts to generate a new app
lb4 app
You should have your app configured as shown below
Hit enter and give the CLI some time to set up the app.
Creating a model
Now that the loopback app has been scaffolded,Ā cdĀ (change directory) into the app folder, and letās start by creating a model for each resource. A model communicates the shape of each document for a particular resource, much like the schema shown earlier.
Letās create a model for theĀ customerĀ resource using the Loopback CLI
lb4 model
As we did when generating the app, answer the CLI prompts. Yours should look like this
Great Job! Now, go ahead and do the same for theĀ filmĀ andĀ rentalĀ resources. Donāt forget that to create a new model, youāll need to run theĀ lb4 modelĀ command.
Connecting to the database
Next, weāll need to link the Loopback app to the Mongo database. Loopback provides two entities to help us accomplish this, and they are theĀ datasourceĀ andĀ repositoryĀ mechanisms.
A datasource represents a database connection that would be used to store and retrieve documents from the database i.e MongoDB or PostgreSQL. On the other hand, a repository links a resource on the Loopback app to a particular table or collection in the database. For example, theĀ customerĀ resource is linked to theĀ CustomerĀ collection in the database using a repository.
Now, letās add a datasource to the app, and link it to our MongoDB database. We can easily do this using the CLI command below
lb4 datasource
As usual, go ahead and answer the CLI prompts, supplying the database credentials to the CLI
Awesome! Now we can add aĀ repositoryĀ for each resource.
Run the command below and letās set up a repository for theĀ customerĀ resource. Notice that we have to link the created resource to the target resource, and in this case, it is theĀ customerĀ resource
lb4 repository
Cool! Go ahead and do the same for theĀ filmĀ andĀ rentalĀ repositories. Iām confident you can finish up on your own š
Adding CRUD functionality
Great Job! That was a lot we just covered. Right now, we have models for each resource, a datasource, and repositories linking each model to its respective collection in the database.
The last piece of the puzzle is to add CRUD functionality for each resource.
We can do this by creating controllers. Controllers do the grunt work of creating, reading, updating, and deleting documents for each resource.
As you may have already guessed, we can create a controller using theĀ controllerĀ command. Now, letās create a REST controller for theĀ customerĀ resource. Notice weāll need to use the model and repository created earlier for theĀ customerĀ resource.
lb4 controller
Note that the Id is a string and is not required when creating a new instance
As usual, go ahead and do the same for theĀ filmĀ andĀ rentalĀ resources.
Awesome! We now have a full-blown REST API that was generated in a few minutes. Open up the project folder in your favorite code editor and youāll see all the code(and folders) generated by Loopback.
I recommend you change the default port in the index.ts file to something else i.e 4000 because Create React App (used by React-admin) runs by default on port 3000.
You can start the server using theĀ startĀ script:
npm start
You can find a playground and the auto-generated API documentation for your server by visiting the server address on your browser i.eĀ http://localhost:4000/
Alright! Now we have a REST API server with CRUD functionality, we can move on with creating the admin dashboard for using React-admin.
Enter React-admin
Weāve finally gotten to the fun part, yay!
As a quick recap, we have a Loopback API generated in the last section that serves theĀ customer,Ā film, andĀ rentalĀ resource with the following endpoints and data schema
// /customers endpoint
{
"store_id": String,
"first_name": String,
"last_name": String,
"email": String,
"address_id": String,
"activebool": Boolean,
"create_date": Date,
"last_update": Date,
"active": Number
}
// /films endpoint
{
"title": String,
"description": String,
"release_year": Number,
"language_id": String,
"rental_duration": Number,
"rental_rate": Number,
"length": Number,
"replacement_cost": Number,
"rating": String,
"last_update": Date,
"special_features": String,
"fulltext": String
}
// /rentals endpoint
{
"status": String,
"rental_date": Date,
"film_title": String,
"customer_email": String,
"return_date": Date,
"staff_id": String,
"last_update": Date
}
So hereās the game plan. Weāre going to use this API to build a dashboard to manage DVD movie rentals. The first page would be a table showing all customers. Then we can click on a customer and view all his rentals on a new page. We can update the return date and status of each rental i.e from borrowed to returned. Lastly, we can view all rentals on the rentals page and create a new entry or edit an existing one.
Phew! Now we can finally begin with React-admin š
React-admin is a powerful front-end framework for building admin panels and dashboards. It is highly customizable and has a host of other great features. Since it is based on Reactjs, it can be used with thousands of other Reactjs and Javascript libraries.
React admin requires a base Reactjs project. We are going to be going with Create-React-App (CRA) in this article. So letās set up the project with CRA
npx create-react-app rental-admin-panel
Give the CLI some time to install all dependencies and finish setting up the project. Then,Ā cdĀ into the project directory and install React-admin and the Loopback dataprovider.
npm install react-admin react-admin-lb4
AĀ dataProviderĀ is the mechanism with which React-admin communicates with a REST/GraphQL API. The Loopback provider for React-admin enables it to understand and use Loopback APIs i.e how to paginate or filter requests. If you arenāt using a Loopback generated API, you should look into usingĀ one of these dataProviders for React-admin.
Open up the project in your favorite code editor and replace everything in theĀ App.jsĀ file with the below starter code
//src/App.jsimport React from'react';
import lb4Provider from'react-admin-lb4';
import { Admin, Resource } from'react-admin';
functionApp() {
return (
// ------------- Replace the below endpoint with your API endpoint -------------
);
}
exportdefault App;
So far so good. But we have some new concepts to clear up. In the starter code above, we supply a dataProvider to React-admin which enables it to query the API. The next thing we did up there is to register a resource from the API that we would like to use in React-admin. This is done simply by supplying the endpoint as a name prop to theĀ
You donāt need to add the forward-slash ā/ā to the resource name.
Going by this rule, we must register it as a resource whenever we need to query a new API endpoint. In this way, React-admin becomes aware of it. Moving on...
Creating the Customers' table
The easiest way to view all customersā info is to have a paginated table displaying all customersā info. React-admin makes it easy to do this by providing us with aĀ Ā component.
TheĀ Ā component generates a paginated table that lists out all documents in a particular resource. We can choose which fields we want to show up on the table by wrapping them in the appropriateĀ
The data property on the document is linked to theĀ
We can also create aĀ filterĀ for the table using theĀ
Alright! So we want aĀ customerĀ table to show all the customers. We also want this table to be filterable by customer email. Lastly, we want to be able to click on a customer and see all his rentals (we havenāt created the rentals page yet, but we will shortly).
Letās see all of this in action. Go ahead to create aĀ customerĀ list component with the following content:
//src/components/CustomerList.js
import React from'react';
import { List, Filter, Datagrid, TextField, SearchInput, } from'react-admin';
// ------------- filter component which filters by customer email -------------
const CustomerFilter = (props) => (
);
const CustomerList = (props) => (
} title='List of Customers'>
// ------------- rowclick action that redirects to the rentals of the selected customer using the customer id -------------
{
return/rentals?filter=%7B%22customer_email%22%3A%22${record.email}%22%7D&order=ASC&page=1&perPage=10&sort=film_title;
}}
>
);
exportdefault CustomerList;
Next, we need to link the
//src/App.js// ------------- import CustomerList -------------import CustomerList from'./components/CustomerList';
//ā¦// ------------- use CustomerList as the list view on the customer resource -------------
Save your code and letās head over to the browser. You can see we have a nice paginated, and filterableĀ customerĀ table that has been automatically generated and is rendering customer information from the API. Cool right? š
Not so fast! Go ahead and create a similar list table for theĀ rentalĀ resource. You can name this componentĀ RentalList. If you are curious or get stock, feel free to fall back on theĀ code here.
Creating and Editing a Rental
We have two more views to create and they are the edit and create a view for theĀ rentalĀ resource. They are quite similar to each other and are both similar to the list view but with a few differences.
The edit view would be used to edit an item clicked on theĀ rentalĀ table.
To wire up this behavior ensures that you have rowClick='edit' on the
An edit view uses aĀ
Bringing it all together, the edit view for theĀ rentalĀ resource would look like this:
Notice that some inputs have been disabled using the disabled props
// src/components/RentalEdit.sjimport React from'react';
import {
Edit,
SimpleForm,
TextInput,
DateTimeInput,
SelectInput,
} from'react-admin';
const RentalEdit = (props) => (
);
exportdefault RentalEdit;
Donāt forget to import and use the edit view in theĀ rentalĀ resource component in yourĀ App.jsĀ file.
//src/App.js// ------------- import RentalEdit' -------------import RentalEdit from'./components/RentalEdit';
//ā¦// ------------- use RentalEdit as the edit view on the rental resource -------------
Save your files and letās head to the browser. Click on an order to see the magic!
Okay, so weāve completed the edit view. Now moving on to make the create view.
The create view is quite similar to the edit view. Itās so similar that Iām just going to paste the code right here and you wouldnāt be able to tell the difference. Just kidding š. Anyway, hereās the code for the create view:
// src/components/RentalCreate.js
import React, { useState, useEffect } from'react';
import {
Create,
SimpleForm,
DateTimeInput,
SelectInput,
useNotify,
useRefresh,
useRedirect,
useQuery,
TextInput,
} from'react-admin';
const RentalCreate = (props) => {
const notify = useNotify();
const refresh = useRefresh();
const redirect = useRedirect();
const onSuccess = ({ data }) => {
notify(New Rental created );
redirect(/rentals?filter=%7B"id"%3A"${data.id}"%7D);
refresh();
};
const [customers, setCustomers] = useState([]);
const { data: customer } = useQuery({
type: 'getList',
resource: 'customers',
payload: {
pagination: { page: 1, perPage: 600 },
sort: { field: 'email', order: 'ASC' },
filter: {},
},
});
const [films, setFilms] = useState([]);
const { data: film } = useQuery({
type: 'getList',
resource: 'films',
payload: {
pagination: { page: 1, perPage: 1000 },
sort: { field: 'title', order: 'ASC' },
filter: {},
},
});
useEffect(() => {
if (film) setFilms(film.map((d) => ({ id: d.title, name: d.title })));
if (customer)
setCustomers(customer.map((d) => ({ id: d.email, name: d.email })));
}, [film, customer]);
return (
);
};
exportdefault RentalCreate;
The only difference here is that we have two select inputs that display a list of all customers and films by manually querying those resources.
Instead of writing custom logic to query theĀ customerĀ andĀ filmĀ resources, we could have easily use theĀ built-in
Do not forget to import and use the create view we just made. Also, register theĀ filmĀ resource inĀ App.js
//src/App.js// ------------- import RentalCreate -------------import RentalCreate from'./components/RentalCreate';
//ā¦// ------------- use RentalCreate as the create view on the rental resource -------------// ------------- register the film resource -------------
If a resource is registered and no list view is passed to it, React-admin hides it from the navbar. But the resource is still useful for querying as we did for the film select input in the
This is the moment youāve been waiting for! Save your files and head over to the browser. Youāll notice that we now have a create button on the rentals table, and clicking on a rental takes you to edit that rental. Sweet!
Weāve finally completed the dashboard! š„³ š š
We have a complete admin panel to manage rentals. We can see a list of customers, select a customer and view all his orders and lastly, we can create new rental entries or edit existing ones. Awesome!
For some extra credit, let's add some authentication.
Extra credit: Authentication
You must add some authentication to your apps, else anyone would be able to use it, even malicious individuals! Thankfully, adding authentication to our API and admin dashboard is not too difficult.
The first part of this section will focus on adding authentication to the Loopback API. You can skip this if youāve been following along with your API. Next, weāll look at implementing auth on the React-admin panel.
Securing the API
Loopback has various authentication strategies that we can implore to secure the API. We are going to be going with the JWT authentication strategy, mostly because itās super easy to set up and is fully supported by React-admin.
Enough talk, let's get started by installing the JWT auth extension library and Validatorjs on the Loopback API server.
npm i --save @loopback/authentication @loopback/authentication-jwt @types/validator
Next, bind the authentication components to the application class inĀ src/application.ts
// src/appliation.ts// ----------- Add imports -------------import {AuthenticationComponent} from'@loopback/authentication';
import {
JWTAuthenticationComponent,
SECURITY_SCHEME_SPEC,
UserServiceBindings,
} from'@loopback/authentication-jwt';
import {MongoDataSource} from'./datasources';
// ------------------------------------exportclassTodoListApplicationextendsBootMixin(
ServiceMixin(RepositoryMixin(RestApplication)),
) {
constructor(options: ApplicationConfig = {}) {
//ā¦// ------ Add snippet at the bottom ---------// Mount authentication systemthis.component(AuthenticationComponent);
// Mount jwt componentthis.component(JWTAuthenticationComponent);
// Bind datasourcethis.dataSource(MongoDataSource, UserServiceBindings.DATASOURCE_NAME);
// ------------- End of snippet -------------
}
}
Great job! We now have a foundation for auth.
Authentication usually works by validating the credentials of the user attempting to sign in and allowing him to go through if valid credentials are supplied. Thus, weāll then need to create aĀ userĀ resource to represent a user. For our purposes, a user only has an id and an email field.
Alright, letās create theĀ userĀ model using the Loopback CLI. Answer the CLI prompts as usual
lb4 model
Weāll also need to create a controller for theĀ userĀ resource that handles all authentication logic. You can use the CLI to generate an empty controller.
Note that this controller would need to be an empty controller and not a REST controller:
lb4 controller
The generated empty controller file can be found inĀ src/controllers/user.controller.ts. Copy the contents of the file linked here into your controller file. It contains all the authentication logic.Ā You can find the file here
Visit the link above and copy its contents into the user.controller.ts file
Finally, we can secure theĀ customerĀ resource by adding the authentication strategy we just implemented to its controller. Hereās how to do it:
// src/controllers/order.controller.ts// ---------- Add imports -------------import {authenticate} from'@loopback/authentication';
// ------------------ Add auth decorator -----------
@authenticate('jwt') // <---- Apply the @authenticate decorator at the class levelexportclassCustomerController{
//...
}
Do the same for theĀ filmĀ andĀ rentalĀ resources by adding the authentication strategy to their respective controller files
And thatās it! Visiting the API playground on the browserĀ http://localhost:4000/explorer/ youāll notice we have a nice green Authorize button at the top of the page. We also now haveĀ signupĀ andĀ loginĀ routes to create user accounts and log in.
Youāll need to use this playground/explorer to create a new user
Now, letās use this authentication on the React-admin dashboard.
Adding authentication to React-admin
Implementing authentication on the React-admin dashboard is fairly straightforward. We need anĀ authProviderĀ which is an object that contains methods for the authentication logic, and also aĀ httpClientĀ that adds the authorization header to every request made by the dashboard.
Create anĀ Auth.jsĀ file inĀ src/Auth.jsĀ that contains theĀ authProviderĀ method, and theĀ httpClientĀ function. Hereās what the content of the file should be
// src/Auth.jsexportconst httpClient = () => {
const { token } = JSON.parse(localStorage.getItem('auth')) || {};
return { Authorization: Bearer ${token} };
};
exportconst authProvider = {
// authentication
login: ({ username, password }) => {
const request = new Request(
process.env.REACT_APP_API_URL + '/users/login',
{
method: 'POST',
body: JSON.stringify({ email: username, password }),
headers: new Headers({ 'Content-Type': 'application/json' }),
}
);
return fetch(request)
.then((response) => {
if (response.status < 200 || response.status >= 300) {
thrownewError(response.statusText);
}
return response.json();
})
.then((auth) => {
localStorage.setItem(
'auth',
JSON.stringify({ ...auth, fullName: username })
);
})
.catch(() => {
thrownewError('Network error');
});
},
checkError: (error) => {
const status = error.status;
if (status === 401 || status === 403) {
localStorage.removeItem('auth');
returnPromise.reject();
}
// other error code (404, 500, etc): no need to log outreturnPromise.resolve();
},
checkAuth: () =>
localStorage.getItem('auth')
? Promise.resolve()
: Promise.reject({ message: 'login required' }),
logout: () => {
localStorage.removeItem('auth');
returnPromise.resolve();
},
getIdentity: () => {
try {
const { id, fullName, avatar } = JSON.parse(localStorage.getItem('auth'));
returnPromise.resolve({ id, fullName, avatar });
} catch (error) {
returnPromise.reject(error);
}
},
getPermissions: (params) =>Promise.resolve(),
};
Alright! Now letās make use of theĀ authProviderĀ andĀ httpClientĀ in our app. ImportĀ authProviderĀ andĀ httpClientĀ from āAuth.jsintoApp.jsand passhttpClientas a second parameter tolb4Provider. Then add an authProvider prop to theAdmincomponent and pass inauthProvider` as its value.
Simple and easy!
// ----------- Import Auth -------------import { authProvider, httpClient } from'./Auth';
//ā¦// ------------ Use httpClient and authProvider in the Admin component ---------//...
Save the files and head back to the browser and youāll be greeted with a login screen. Fill in the email and password of your registered user and youāll be taken to the customersā table like before.
And thatās it! We now have a super-secured app! šŖ
Deploy š
We now have a fully functional admin dashboard with authentication. Lastly, Iāll like to walk you through deployment to your favorite cloud provider.
Since the API generated using Loopback is a standard Nodejs server, you can deploy your app to any Nodejs hosting provider i.e Heroku or Glitch. But note that you will need to move all packages underĀ devDependenciesĀ to theĀ dependenciesĀ section in yourĀ package.jsonĀ file.
And for the React-admin dashboard, you can deploy it on any static hosting service i.e Netlify or Vercel. Donāt forget to replace theĀ lb4ProviderĀ URL with that of your hosted backend.