Pagination Feature Guide
Client-side pagination is enabled by default in Material React Table. There are a number of ways to customize pagination, turn off pagination, or completely replace the built in pagination with your own manual or server-side pagination logic.
Relevant Props
Relevant State Options
# | State Option | Type | Default Value | More Info Links | |
---|---|---|---|---|---|
1 |
|
| TanStack Table Pagination Docs | ||
No Description Provided... Yet... |
Disable Pagination
If you simply want to disable pagination, you can set the enablePagination
prop to false
. This will both hide the pagination controls and disable the pagination functionality.
If you only want to disable the pagination logic, but still want to show and use the pagination controls, take a look down below at the Manual Pagination docs.
<MaterialTable columns={columns} data={data} enablePagination={false} />
Customize Pagination
Customize Pagination Behavior
There are a few props that you can use to customize the pagination behavior. The first one is autoResetPagination
. This prop is true
by default, and causes a table to automatically reset the table back to the first page whenever sorting, filtering, or grouping occurs. This makes sense for most use cases, but if you want to disable this behavior, you can set this prop to false
.
Next there is paginateExpandedRows
, which works in conjunction expanding features. This prop is true
by default, and forces the table to still only render the same number of rows per page that is set as the page size, even as sub-rows become expanded. However, this does cause expanded rows to sometimes not be on the same page as their parent row, so you can turn this off to keep sub rows with their parent row on the same page.
Customize Pagination Components
You can customize the pagination component with the muiTablePaginationProps
prop to change things like the rowsPerPageOptions
or whether or not to show the first and last page buttons, and more.
<MaterialReactTablecolumns={columns}data={data}muiTablePaginationProps={{rowsPerPageOptions: [5, 10],showFirstLastPageButtons: false,}}/>
View all table pagination options that you can tweak in the Material UI Table Pagination API Docs.
Manual or Server-Side Pagination
Manual Pagination
The default pagination features are client-side. This means you have to have all of your data fetched and stored in the table all at once. This may not be ideal for large datasets, but don't worry, Material React Table supports server-side pagination.
When the manualPagination
prop is set to true
, Material React Table will assume that the data
that is passed to the table already has had the pagination logic applied. Usually you would do this in your back-end logic.
Override Page Count and Row Count
If you are using manual pagination, the default page count and row count in the Material UI pagination component will be incorrect, as it is only derived from the number of rows provided in the client-side data
prop. Luckily, you can override these values and set your own page count or row count in the pageCount
and rowCount
props.
<MaterialTablecolumns={columns}data={data}manualPaginationrowCount={data.meta.totalDBRowCount} //you can tell the pagination how many rows there are in your back-end data/>
Manage Pagination State
For either client-side or server-side pagination, you may want to have access to the pagination state yourself. You can do this like so with state
:
//store pagination state in your own stateconst [pagination, setPagination] = useState({pageIndex: 0,pageSize: 5, //customize the default page size});useEffect(() => {//do something when the pagination state changes}, [pagination.pageIndex, pagination.pageSize]);return (<MaterialTablecolumns={columns}data={data}onPaginationChange={setPagination} //hoist pagination state to your state when it changes internallystate={{ pagination }} //pass the pagination state to the table/>);
Alternatively, if all you care about is customizing the initial pagination state and don't need to react to its changes, like customizing the default page size or the page index, you can do that like so with initialState
:
<MaterialTablecolumns={columns}data={data}initialState={{ pagination: { pageSize: 25, pageIndex: 2 } }}/>
Here is the full Remote Data example showing off server-side filtering, pagination, and sorting.
First Name | Last Name | Address | State | Phone Number | |
---|---|---|---|---|---|
No records to display |
1import React, { FC, useEffect, useMemo, useState } from 'react';2import MaterialReactTable, { MRT_ColumnDef } from 'material-react-table';3import type {4 ColumnFiltersState,5 PaginationState,6 SortingState,7} from '@tanstack/react-table';89type UserApiResponse = {10 data: Array<User>;11 meta: {12 totalRowCount: number;13 };14};1516type User = {17 firstName: string;18 lastName: string;19 address: string;20 state: string;21 phoneNumber: string;22};2324const Example: FC = () => {25 const [data, setData] = useState<User[]>([]);26 const [isError, setIsError] = useState(false);27 const [isLoading, setIsLoading] = useState(false);28 const [isRefetching, setIsRefetching] = useState(false);29 const [columnFilters, setColumnFilters] = useState<ColumnFiltersState>([]);30 const [globalFilter, setGlobalFilter] = useState('');31 const [sorting, setSorting] = useState<SortingState>([]);32 const [pagination, setPagination] = useState<PaginationState>({33 pageIndex: 0,34 pageSize: 10,35 });36 const [rowCount, setRowCount] = useState(0);3738 //if you want to avoid useEffect, look at the React Query example instead39 useEffect(() => {40 const fetchData = async () => {41 if (!data.length) {42 setIsLoading(true);43 } else {44 setIsRefetching(true);45 }4647 const url = new URL('/api/data', 'https://www.material-react-table.com');48 url.searchParams.set(49 'start',50 `${pagination.pageIndex * pagination.pageSize}`,51 );52 url.searchParams.set('size', `${pagination.pageSize}`);53 url.searchParams.set('filters', JSON.stringify(columnFilters ?? []));54 url.searchParams.set('globalFilter', globalFilter ?? '');55 url.searchParams.set('sorting', JSON.stringify(sorting ?? []));5657 try {58 const response = await fetch(url.href);59 const json = (await response.json()) as UserApiResponse;60 setData(json.data);61 setRowCount(json.meta.totalRowCount);62 } catch (error) {63 setIsError(true);64 console.error(error);65 return;66 }67 setIsError(false);68 setIsLoading(false);69 setIsRefetching(false);70 };71 fetchData();72 // eslint-disable-next-line react-hooks/exhaustive-deps73 }, [74 columnFilters,75 globalFilter,76 pagination.pageIndex,77 pagination.pageSize,78 sorting,79 ]);8081 const columns = useMemo<MRT_ColumnDef<User>[]>(82 () => [83 {84 accessorKey: 'firstName',85 header: 'First Name',86 },87 //column definitions...105 ],106 [],107 );108109 return (110 <MaterialReactTable111 columns={columns}112 data={data}113 enableRowSelection114 getRowId={(row) => row.phoneNumber}115 initialState={{ showColumnFilters: true }}116 manualFiltering117 manualPagination118 manualSorting119 muiToolbarAlertBannerProps={120 isError121 ? {122 color: 'error',123 children: 'Error loading data',124 }125 : undefined126 }127 onColumnFiltersChange={setColumnFilters}128 onGlobalFilterChange={setGlobalFilter}129 onPaginationChange={setPagination}130 onSortingChange={setSorting}131 rowCount={rowCount}132 state={{133 columnFilters,134 globalFilter,135 isLoading,136 pagination,137 showAlertBanner: isError,138 showProgressBars: isRefetching,139 sorting,140 }}141 />142 );143};144145export default Example;146
View Extra Storybook Examples