461 lines
14 KiB
TypeScript
461 lines
14 KiB
TypeScript
'use client'
|
|
|
|
// React Imports
|
|
import { useCallback, useEffect, useMemo, useState } from 'react'
|
|
|
|
// Next Imports
|
|
import Link from 'next/link'
|
|
import { useParams } from 'next/navigation'
|
|
|
|
// MUI Imports
|
|
import Button from '@mui/material/Button'
|
|
import Card from '@mui/material/Card'
|
|
import CardHeader from '@mui/material/CardHeader'
|
|
import Checkbox from '@mui/material/Checkbox'
|
|
import Chip from '@mui/material/Chip'
|
|
import IconButton from '@mui/material/IconButton'
|
|
import MenuItem from '@mui/material/MenuItem'
|
|
import { styled } from '@mui/material/styles'
|
|
import type { TextFieldProps } from '@mui/material/TextField'
|
|
import Typography from '@mui/material/Typography'
|
|
|
|
// Third-party Imports
|
|
import type { RankingInfo } from '@tanstack/match-sorter-utils'
|
|
import { rankItem } from '@tanstack/match-sorter-utils'
|
|
import type { ColumnDef, FilterFn } from '@tanstack/react-table'
|
|
import { createColumnHelper, flexRender, getCoreRowModel, useReactTable } from '@tanstack/react-table'
|
|
import classnames from 'classnames'
|
|
|
|
// Type Imports
|
|
import type { UsersType } from '@/types/apps/userTypes'
|
|
import type { Locale } from '@configs/i18n'
|
|
|
|
// Component Imports
|
|
import CustomAvatar from '@core/components/mui/Avatar'
|
|
import CustomTextField from '@core/components/mui/TextField'
|
|
import OptionMenu from '@core/components/option-menu'
|
|
|
|
// Util Imports
|
|
import { getInitials } from '@/utils/getInitials'
|
|
import { getLocalizedUrl } from '@/utils/i18n'
|
|
|
|
// Style Imports
|
|
import tableStyles from '@core/styles/table.module.css'
|
|
import { Box, CircularProgress, TablePagination } from '@mui/material'
|
|
import Loading from '../../../../components/layout/shared/Loading'
|
|
import TablePaginationComponent from '../../../../components/TablePaginationComponent'
|
|
import { useUsers } from '../../../../services/queries/users'
|
|
import { User } from '../../../../types/services/user'
|
|
import AddUserDrawer from './AddUserDrawer'
|
|
import { useDispatch } from 'react-redux'
|
|
import { setUser } from '../../../../redux-store/slices/user'
|
|
import { useUsersMutation } from '../../../../services/mutations/users'
|
|
import ConfirmDeleteDialog from '../../../../components/dialogs/confirm-delete'
|
|
|
|
declare module '@tanstack/table-core' {
|
|
interface FilterFns {
|
|
fuzzy: FilterFn<unknown>
|
|
}
|
|
interface FilterMeta {
|
|
itemRank: RankingInfo
|
|
}
|
|
}
|
|
|
|
type UsersTypeWithAction = User & {
|
|
actions?: string
|
|
}
|
|
|
|
type UserRoleType = {
|
|
[key: string]: { icon: string; color: string }
|
|
}
|
|
|
|
// Styled Components
|
|
const Icon = styled('i')({})
|
|
|
|
const fuzzyFilter: FilterFn<any> = (row, columnId, value, addMeta) => {
|
|
// Rank the item
|
|
const itemRank = rankItem(row.getValue(columnId), value)
|
|
|
|
// Store the itemRank info
|
|
addMeta({
|
|
itemRank
|
|
})
|
|
|
|
// Return if the item should be filtered in/out
|
|
return itemRank.passed
|
|
}
|
|
|
|
const DebouncedInput = ({
|
|
value: initialValue,
|
|
onChange,
|
|
debounce = 500,
|
|
...props
|
|
}: {
|
|
value: string | number
|
|
onChange: (value: string | number) => void
|
|
debounce?: number
|
|
} & Omit<TextFieldProps, 'onChange'>) => {
|
|
// States
|
|
const [value, setValue] = useState(initialValue)
|
|
|
|
useEffect(() => {
|
|
setValue(initialValue)
|
|
}, [initialValue])
|
|
|
|
useEffect(() => {
|
|
const timeout = setTimeout(() => {
|
|
onChange(value)
|
|
}, debounce)
|
|
|
|
return () => clearTimeout(timeout)
|
|
// eslint-disable-next-line react-hooks/exhaustive-deps
|
|
}, [value])
|
|
|
|
return <CustomTextField {...props} value={value} onChange={e => setValue(e.target.value)} />
|
|
}
|
|
|
|
// Vars
|
|
const userRoleObj: UserRoleType = {
|
|
admin: { icon: 'tabler-crown', color: 'error' },
|
|
author: { icon: 'tabler-device-desktop', color: 'warning' },
|
|
editor: { icon: 'tabler-edit', color: 'info' },
|
|
cashier: { icon: 'tabler-chart-pie', color: 'success' },
|
|
subscriber: { icon: 'tabler-user', color: 'primary' }
|
|
}
|
|
|
|
// Column Definitions
|
|
const columnHelper = createColumnHelper<UsersTypeWithAction>()
|
|
|
|
const UserListTable = () => {
|
|
const dispatch = useDispatch()
|
|
|
|
// States
|
|
const [addUserOpen, setAddUserOpen] = useState(false)
|
|
const [rowSelection, setRowSelection] = useState({})
|
|
const [currentPage, setCurrentPage] = useState(1)
|
|
const [pageSize, setPageSize] = useState(10)
|
|
const [openConfirm, setOpenConfirm] = useState(false)
|
|
const [userId, setUserId] = useState('')
|
|
const [search, setSearch] = useState('')
|
|
|
|
// Hooks
|
|
const { lang: locale } = useParams()
|
|
|
|
const { data, isLoading, error, isFetching } = useUsers({
|
|
page: currentPage,
|
|
limit: pageSize,
|
|
search
|
|
})
|
|
|
|
const { deleteUser } = useUsersMutation()
|
|
|
|
const users = data?.users ?? []
|
|
const totalCount = data?.pagination.total_count ?? 0
|
|
|
|
const handlePageChange = useCallback((event: unknown, newPage: number) => {
|
|
setCurrentPage(newPage)
|
|
}, [])
|
|
|
|
// Handle page size change
|
|
const handlePageSizeChange = useCallback((event: React.ChangeEvent<HTMLInputElement>) => {
|
|
const newPageSize = parseInt(event.target.value, 10)
|
|
setPageSize(newPageSize)
|
|
setCurrentPage(1) // Reset to first page
|
|
}, [])
|
|
|
|
const handleDelete = () => {
|
|
deleteUser.mutate(userId, {
|
|
onSuccess: () => setOpenConfirm(false)
|
|
})
|
|
}
|
|
|
|
const columns = useMemo<ColumnDef<UsersTypeWithAction, any>[]>(
|
|
() => [
|
|
{
|
|
id: 'select',
|
|
header: ({ table }) => (
|
|
<Checkbox
|
|
{...{
|
|
checked: table.getIsAllRowsSelected(),
|
|
indeterminate: table.getIsSomeRowsSelected(),
|
|
onChange: table.getToggleAllRowsSelectedHandler()
|
|
}}
|
|
/>
|
|
),
|
|
cell: ({ row }) => (
|
|
<Checkbox
|
|
{...{
|
|
checked: row.getIsSelected(),
|
|
disabled: !row.getCanSelect(),
|
|
indeterminate: row.getIsSomeSelected(),
|
|
onChange: row.getToggleSelectedHandler()
|
|
}}
|
|
/>
|
|
)
|
|
},
|
|
columnHelper.accessor('name', {
|
|
header: 'User',
|
|
cell: ({ row }) => (
|
|
<div className='flex items-center gap-4'>
|
|
{getAvatar({ avatar: '', fullName: row.original.name })}
|
|
<div className='flex flex-col'>
|
|
<Typography color='text.primary' className='font-medium'>
|
|
{row.original.name}
|
|
</Typography>
|
|
</div>
|
|
</div>
|
|
)
|
|
}),
|
|
columnHelper.accessor('role', {
|
|
header: 'Role',
|
|
cell: ({ row }) => (
|
|
<div className='flex items-center gap-2'>
|
|
<Icon
|
|
className={userRoleObj[row.original.role].icon}
|
|
sx={{ color: `var(--mui-palette-${userRoleObj[row.original.role].color}-main)` }}
|
|
/>
|
|
<Typography className='capitalize' color='text.primary'>
|
|
{row.original.role}
|
|
</Typography>
|
|
</div>
|
|
)
|
|
}),
|
|
columnHelper.accessor('email', {
|
|
header: 'Email',
|
|
cell: ({ row }) => <Typography>{row.original.email}</Typography>
|
|
}),
|
|
columnHelper.accessor('is_active', {
|
|
header: 'Status',
|
|
cell: ({ row }) => (
|
|
<div className='flex items-center gap-3'>
|
|
<Chip
|
|
variant='tonal'
|
|
label={row.original.is_active ? 'Active' : 'Inactive'}
|
|
size='small'
|
|
color={row.original.is_active ? 'success' : 'error'}
|
|
className='capitalize'
|
|
/>
|
|
</div>
|
|
)
|
|
}),
|
|
columnHelper.accessor('actions', {
|
|
header: 'Action',
|
|
cell: ({ row }) => (
|
|
<div className='flex items-center'>
|
|
<IconButton
|
|
onClick={() => {
|
|
setUserId(row.original.id)
|
|
setOpenConfirm(true)
|
|
}}
|
|
>
|
|
<i className='tabler-trash text-textSecondary' />
|
|
</IconButton>
|
|
<OptionMenu
|
|
iconButtonProps={{ size: 'medium' }}
|
|
iconClassName='text-textSecondary'
|
|
options={[
|
|
{
|
|
text: 'Edit',
|
|
icon: 'tabler-edit',
|
|
menuItemProps: {
|
|
onClick: () => {
|
|
dispatch(setUser(row.original))
|
|
setAddUserOpen(true)
|
|
}
|
|
}
|
|
}
|
|
]}
|
|
/>
|
|
</div>
|
|
),
|
|
enableSorting: false
|
|
})
|
|
],
|
|
// eslint-disable-next-line react-hooks/exhaustive-deps
|
|
[data]
|
|
)
|
|
|
|
const table = useReactTable({
|
|
data: users as User[],
|
|
columns,
|
|
filterFns: {
|
|
fuzzy: fuzzyFilter
|
|
},
|
|
state: {
|
|
rowSelection,
|
|
pagination: {
|
|
pageIndex: currentPage,
|
|
pageSize
|
|
}
|
|
},
|
|
enableRowSelection: true, //enable row selection for all rows
|
|
onRowSelectionChange: setRowSelection,
|
|
getCoreRowModel: getCoreRowModel(),
|
|
// Disable client-side pagination since we're handling it server-side
|
|
manualPagination: true,
|
|
pageCount: Math.ceil(totalCount / pageSize)
|
|
})
|
|
|
|
const getAvatar = (params: Pick<UsersType, 'avatar' | 'fullName'>) => {
|
|
const { avatar, fullName } = params
|
|
|
|
if (avatar) {
|
|
return <CustomAvatar src={avatar} size={34} />
|
|
} else {
|
|
return <CustomAvatar size={34}>{getInitials(fullName as string)}</CustomAvatar>
|
|
}
|
|
}
|
|
|
|
return (
|
|
<>
|
|
<Card>
|
|
{/* <CardHeader title='Filters' className='pbe-4' /> */}
|
|
{/* <TableFilters setData={setFilteredData} tableData={data} /> */}
|
|
<div className='flex justify-between flex-col items-start md:flex-row md:items-center p-6 border-bs gap-4'>
|
|
<DebouncedInput
|
|
value={search}
|
|
onChange={value => setSearch(value as string)}
|
|
placeholder='Search User'
|
|
className='max-sm:is-full'
|
|
/>
|
|
<div className='flex flex-col sm:flex-row max-sm:is-full items-start sm:items-center gap-4'>
|
|
<CustomTextField
|
|
select
|
|
value={pageSize}
|
|
onChange={handlePageSizeChange}
|
|
className='max-sm:is-full sm:is-[70px]'
|
|
>
|
|
<MenuItem value='10'>10</MenuItem>
|
|
<MenuItem value='25'>25</MenuItem>
|
|
<MenuItem value='50'>50</MenuItem>
|
|
</CustomTextField>
|
|
<Button
|
|
color='secondary'
|
|
variant='tonal'
|
|
startIcon={<i className='tabler-upload' />}
|
|
className='max-sm:is-full'
|
|
>
|
|
Export
|
|
</Button>
|
|
<Button
|
|
variant='contained'
|
|
startIcon={<i className='tabler-plus' />}
|
|
onClick={() => setAddUserOpen(!addUserOpen)}
|
|
className='max-sm:is-full'
|
|
>
|
|
Add New User
|
|
</Button>
|
|
</div>
|
|
</div>
|
|
<div className='overflow-x-auto'>
|
|
{isLoading ? (
|
|
<Loading />
|
|
) : (
|
|
<table className={tableStyles.table}>
|
|
<thead>
|
|
{table.getHeaderGroups().map(headerGroup => (
|
|
<tr key={headerGroup.id}>
|
|
{headerGroup.headers.map(header => (
|
|
<th key={header.id}>
|
|
{header.isPlaceholder ? null : (
|
|
<>
|
|
<div
|
|
className={classnames({
|
|
'flex items-center': header.column.getIsSorted(),
|
|
'cursor-pointer select-none': header.column.getCanSort()
|
|
})}
|
|
onClick={header.column.getToggleSortingHandler()}
|
|
>
|
|
{flexRender(header.column.columnDef.header, header.getContext())}
|
|
{{
|
|
asc: <i className='tabler-chevron-up text-xl' />,
|
|
desc: <i className='tabler-chevron-down text-xl' />
|
|
}[header.column.getIsSorted() as 'asc' | 'desc'] ?? null}
|
|
</div>
|
|
</>
|
|
)}
|
|
</th>
|
|
))}
|
|
</tr>
|
|
))}
|
|
</thead>
|
|
{table.getFilteredRowModel().rows.length === 0 ? (
|
|
<tbody>
|
|
<tr>
|
|
<td colSpan={table.getVisibleFlatColumns().length} className='text-center'>
|
|
No data available
|
|
</td>
|
|
</tr>
|
|
</tbody>
|
|
) : (
|
|
<tbody>
|
|
{table
|
|
.getRowModel()
|
|
.rows.slice(0, table.getState().pagination.pageSize)
|
|
.map(row => {
|
|
return (
|
|
<tr key={row.id} className={classnames({ selected: row.getIsSelected() })}>
|
|
{row.getVisibleCells().map(cell => (
|
|
<td key={cell.id}>{flexRender(cell.column.columnDef.cell, cell.getContext())}</td>
|
|
))}
|
|
</tr>
|
|
)
|
|
})}
|
|
</tbody>
|
|
)}
|
|
</table>
|
|
)}
|
|
|
|
{isFetching && !isLoading && (
|
|
<Box
|
|
position='absolute'
|
|
top={0}
|
|
left={0}
|
|
right={0}
|
|
bottom={0}
|
|
display='flex'
|
|
alignItems='center'
|
|
justifyContent='center'
|
|
bgcolor='rgba(255,255,255,0.7)'
|
|
zIndex={1}
|
|
>
|
|
<CircularProgress size={24} />
|
|
</Box>
|
|
)}
|
|
</div>
|
|
|
|
<TablePagination
|
|
component={() => (
|
|
<TablePaginationComponent
|
|
pageIndex={currentPage}
|
|
pageSize={pageSize}
|
|
totalCount={totalCount}
|
|
onPageChange={handlePageChange}
|
|
/>
|
|
)}
|
|
count={totalCount}
|
|
rowsPerPage={pageSize}
|
|
page={currentPage}
|
|
onPageChange={handlePageChange}
|
|
onRowsPerPageChange={handlePageSizeChange}
|
|
rowsPerPageOptions={[10, 25, 50]}
|
|
disabled={isLoading}
|
|
/>
|
|
</Card>
|
|
|
|
<AddUserDrawer open={addUserOpen} handleClose={() => setAddUserOpen(!addUserOpen)} />
|
|
|
|
<ConfirmDeleteDialog
|
|
open={openConfirm}
|
|
onClose={() => setOpenConfirm(false)}
|
|
onConfirm={handleDelete}
|
|
isLoading={deleteUser.isPending}
|
|
title='Delete User'
|
|
message='Are you sure you want to delete this User? This action cannot be undone.'
|
|
/>
|
|
</>
|
|
)
|
|
}
|
|
|
|
export default UserListTable
|