efril #13

Merged
aefril merged 19 commits from efril into main 2025-09-18 04:01:33 +00:00
8 changed files with 1172 additions and 2 deletions
Showing only changes of commit f527b6f004 - Show all commits

View File

@ -0,0 +1,7 @@
import LoyaltyList from '@/views/apps/marketing/loyalty'
const LoyaltiPage = () => {
return <LoyaltyList />
}
export default LoyaltiPage

View File

@ -153,6 +153,9 @@ const VerticalMenu = ({ dictionary, scrollMenu }: Props) => {
> >
{dictionary['navigation'].reports} {dictionary['navigation'].reports}
</MenuItem> </MenuItem>
<SubMenu label={dictionary['navigation'].marketing} icon={<i className='tabler-shopping-cart' />}>
<MenuItem href={`/${locale}/apps/marketing/loyalty`}>{dictionary['navigation'].loyalty}</MenuItem>
</SubMenu>
<SubMenu label={dictionary['navigation'].inventory} icon={<i className='tabler-salad' />}> <SubMenu label={dictionary['navigation'].inventory} icon={<i className='tabler-salad' />}>
<SubMenu label={dictionary['navigation'].products}> <SubMenu label={dictionary['navigation'].products}>
<MenuItem href={`/${locale}/apps/inventory/products/list`}>{dictionary['navigation'].list}</MenuItem> <MenuItem href={`/${locale}/apps/inventory/products/list`}>{dictionary['navigation'].list}</MenuItem>

View File

@ -126,6 +126,8 @@
"expenses": "Expenses", "expenses": "Expenses",
"cash_and_bank": "Cash & Bank", "cash_and_bank": "Cash & Bank",
"account": "Account", "account": "Account",
"fixed_assets": "Fixed Assets" "fixed_assets": "Fixed Assets",
"marketing": "Marketing",
"loyalty": "Loyalty"
} }
} }

View File

@ -126,6 +126,8 @@
"expenses": "Biaya", "expenses": "Biaya",
"cash_and_bank": "Kas & Bank", "cash_and_bank": "Kas & Bank",
"account": "Akun", "account": "Akun",
"fixed_assets": "Aset Tetap" "fixed_assets": "Aset Tetap",
"marketing": "Pemasaran",
"loyalty": "Loyalti"
} }
} }

View File

@ -0,0 +1,9 @@
export interface LoyaltyType {
id: string
name: string
minimumPurchase: number
pointMultiplier: number
benefits: string[]
createdAt: Date
updatedAt: Date
}

View File

@ -0,0 +1,495 @@
// React Imports
import { useState, useEffect } from 'react'
// MUI Imports
import Button from '@mui/material/Button'
import Drawer from '@mui/material/Drawer'
import IconButton from '@mui/material/IconButton'
import MenuItem from '@mui/material/MenuItem'
import Typography from '@mui/material/Typography'
import Divider from '@mui/material/Divider'
import Grid from '@mui/material/Grid2'
import Box from '@mui/material/Box'
import Switch from '@mui/material/Switch'
import FormControlLabel from '@mui/material/FormControlLabel'
import Chip from '@mui/material/Chip'
import InputAdornment from '@mui/material/InputAdornment'
// Third-party Imports
import { useForm, Controller, useFieldArray } from 'react-hook-form'
// Component Imports
import CustomTextField from '@core/components/mui/TextField'
// Types
export interface LoyaltyType {
id: string
name: string
minimumPurchase: number
pointMultiplier: number
benefits: string[]
createdAt: Date
updatedAt: Date
}
export interface LoyaltyRequest {
name: string
minimumPurchase: number
pointMultiplier: number
benefits: string[]
description?: string
isActive?: boolean
}
type Props = {
open: boolean
handleClose: () => void
data?: LoyaltyType // Data loyalty untuk edit (jika ada)
}
type FormValidateType = {
name: string
minimumPurchase: number
pointMultiplier: number
benefits: string[]
description: string
isActive: boolean
newBenefit: string // Temporary field for adding new benefits
}
// Initial form data
const initialData: FormValidateType = {
name: '',
minimumPurchase: 0,
pointMultiplier: 1,
benefits: [],
description: '',
isActive: true,
newBenefit: ''
}
// Mock mutation hooks (replace with actual hooks)
const useLoyaltyMutation = () => {
const createLoyalty = {
mutate: (data: LoyaltyRequest, options?: { onSuccess?: () => void }) => {
console.log('Creating loyalty:', data)
setTimeout(() => options?.onSuccess?.(), 1000)
}
}
const updateLoyalty = {
mutate: (data: { id: string; payload: LoyaltyRequest }, options?: { onSuccess?: () => void }) => {
console.log('Updating loyalty:', data)
setTimeout(() => options?.onSuccess?.(), 1000)
}
}
return { createLoyalty, updateLoyalty }
}
const AddEditLoyaltyDrawer = (props: Props) => {
// Props
const { open, handleClose, data } = props
// States
const [showMore, setShowMore] = useState(false)
const [isSubmitting, setIsSubmitting] = useState(false)
const { createLoyalty, updateLoyalty } = useLoyaltyMutation()
// Determine if this is edit mode
const isEditMode = Boolean(data?.id)
// Hooks
const {
control,
reset: resetForm,
handleSubmit,
watch,
setValue,
formState: { errors }
} = useForm<FormValidateType>({
defaultValues: initialData
})
const watchedBenefits = watch('benefits')
const watchedNewBenefit = watch('newBenefit')
// Effect to populate form when editing
useEffect(() => {
if (isEditMode && data) {
// Populate form with existing data
const formData: FormValidateType = {
name: data.name || '',
minimumPurchase: data.minimumPurchase || 0,
pointMultiplier: data.pointMultiplier || 1,
benefits: data.benefits || [],
description: '', // Add description field if available in your data
isActive: true, // Add isActive field if available in your data
newBenefit: ''
}
resetForm(formData)
setShowMore(true) // Always show more for edit mode
} else {
// Reset to initial data for add mode
resetForm(initialData)
setShowMore(false)
}
}, [data, isEditMode, resetForm])
const handleAddBenefit = () => {
if (watchedNewBenefit.trim()) {
const currentBenefits = watchedBenefits || []
setValue('benefits', [...currentBenefits, watchedNewBenefit.trim()])
setValue('newBenefit', '')
}
}
const handleRemoveBenefit = (index: number) => {
const currentBenefits = watchedBenefits || []
const newBenefits = currentBenefits.filter((_, i) => i !== index)
setValue('benefits', newBenefits)
}
const handleKeyPress = (event: React.KeyboardEvent) => {
if (event.key === 'Enter') {
event.preventDefault()
handleAddBenefit()
}
}
const handleFormSubmit = async (formData: FormValidateType) => {
try {
setIsSubmitting(true)
// Create LoyaltyRequest object
const loyaltyRequest: LoyaltyRequest = {
name: formData.name,
minimumPurchase: formData.minimumPurchase,
pointMultiplier: formData.pointMultiplier,
benefits: formData.benefits,
description: formData.description || undefined,
isActive: formData.isActive
}
if (isEditMode && data?.id) {
// Update existing loyalty
updateLoyalty.mutate(
{ id: data.id, payload: loyaltyRequest },
{
onSuccess: () => {
handleReset()
handleClose()
}
}
)
} else {
// Create new loyalty
createLoyalty.mutate(loyaltyRequest, {
onSuccess: () => {
handleReset()
handleClose()
}
})
}
} catch (error) {
console.error('Error submitting loyalty:', error)
// Handle error (show toast, etc.)
} finally {
setIsSubmitting(false)
}
}
const handleReset = () => {
handleClose()
resetForm(initialData)
setShowMore(false)
}
const formatCurrency = (value: number) => {
return new Intl.NumberFormat('id-ID', {
style: 'currency',
currency: 'IDR',
minimumFractionDigits: 0
}).format(value)
}
return (
<Drawer
open={open}
anchor='right'
variant='temporary'
onClose={handleReset}
ModalProps={{ keepMounted: true }}
sx={{
'& .MuiDrawer-paper': {
width: { xs: 300, sm: 400 },
display: 'flex',
flexDirection: 'column',
height: '100%'
}
}}
>
{/* Sticky Header */}
<Box
sx={{
position: 'sticky',
top: 0,
zIndex: 10,
backgroundColor: 'background.paper',
borderBottom: 1,
borderColor: 'divider'
}}
>
<div className='flex items-center justify-between plb-5 pli-6'>
<Typography variant='h5'>{isEditMode ? 'Edit Program Loyalty' : 'Tambah Program Loyalty Baru'}</Typography>
<IconButton size='small' onClick={handleReset}>
<i className='tabler-x text-2xl text-textPrimary' />
</IconButton>
</div>
</Box>
{/* Scrollable Content */}
<Box sx={{ flex: 1, overflowY: 'auto' }}>
<form id='loyalty-form' onSubmit={handleSubmit(handleFormSubmit)}>
<div className='flex flex-col gap-6 p-6'>
{/* Nama Program Loyalty */}
<div>
<Typography variant='body2' className='mb-2'>
Nama Program Loyalty <span className='text-red-500'>*</span>
</Typography>
<Controller
name='name'
control={control}
rules={{ required: 'Nama program loyalty wajib diisi' }}
render={({ field }) => (
<CustomTextField
{...field}
fullWidth
placeholder='Masukkan nama program loyalty'
error={!!errors.name}
helperText={errors.name?.message}
/>
)}
/>
</div>
{/* Minimum Purchase */}
<div>
<Typography variant='body2' className='mb-2'>
Minimum Pembelian <span className='text-red-500'>*</span>
</Typography>
<Controller
name='minimumPurchase'
control={control}
rules={{
required: 'Minimum pembelian wajib diisi',
min: {
value: 0,
message: 'Minimum pembelian tidak boleh negatif'
}
}}
render={({ field }) => (
<CustomTextField
{...field}
fullWidth
type='number'
placeholder='0'
error={!!errors.minimumPurchase}
helperText={errors.minimumPurchase?.message || (field.value > 0 ? formatCurrency(field.value) : '')}
InputProps={{
startAdornment: <InputAdornment position='start'>Rp</InputAdornment>
}}
onChange={e => field.onChange(Number(e.target.value))}
/>
)}
/>
</div>
{/* Point Multiplier */}
<div>
<Typography variant='body2' className='mb-2'>
Pengali Poin <span className='text-red-500'>*</span>
</Typography>
<Controller
name='pointMultiplier'
control={control}
rules={{
required: 'Pengali poin wajib diisi',
min: {
value: 1,
message: 'Pengali poin minimal 1'
},
max: {
value: 10,
message: 'Pengali poin maksimal 10'
}
}}
render={({ field }) => (
<CustomTextField
{...field}
select
fullWidth
error={!!errors.pointMultiplier}
helperText={errors.pointMultiplier?.message}
onChange={e => field.onChange(Number(e.target.value))}
>
{[1, 2, 3, 4, 5, 6, 7, 8, 9, 10].map(multiplier => (
<MenuItem key={multiplier} value={multiplier}>
{multiplier}x
</MenuItem>
))}
</CustomTextField>
)}
/>
</div>
{/* Benefits */}
<div>
<Typography variant='body2' className='mb-2'>
Manfaat Program <span className='text-red-500'>*</span>
</Typography>
{/* Display current benefits */}
{watchedBenefits && watchedBenefits.length > 0 && (
<div className='flex flex-wrap gap-2 mb-3'>
{watchedBenefits.map((benefit, index) => (
<Chip
key={index}
label={benefit}
onDelete={() => handleRemoveBenefit(index)}
color='primary'
variant='outlined'
size='small'
/>
))}
</div>
)}
{/* Add new benefit */}
<Controller
name='newBenefit'
control={control}
render={({ field }) => (
<CustomTextField
{...field}
fullWidth
placeholder='Tambah manfaat baru'
onKeyPress={handleKeyPress}
InputProps={{
endAdornment: (
<InputAdornment position='end'>
<Button size='small' onClick={handleAddBenefit} disabled={!watchedNewBenefit?.trim()}>
Tambah
</Button>
</InputAdornment>
)
}}
/>
)}
/>
{(!watchedBenefits || watchedBenefits.length === 0) && (
<Typography variant='caption' color='error'>
Minimal satu manfaat harus ditambahkan
</Typography>
)}
</div>
{/* Status Aktif */}
<div>
<Controller
name='isActive'
control={control}
render={({ field }) => (
<FormControlLabel
control={<Switch checked={field.value} onChange={field.onChange} color='primary' />}
label='Program Aktif'
/>
)}
/>
</div>
{/* Tampilkan selengkapnya */}
{!showMore && (
<Button
variant='text'
color='primary'
size='small'
sx={{ textTransform: 'none', fontSize: '14px', p: 0, textAlign: 'left', width: '200px' }}
onClick={() => setShowMore(true)}
>
+ Tampilkan selengkapnya
</Button>
)}
{/* Konten tambahan */}
{showMore && (
<>
{/* Description */}
<div>
<Typography variant='body2' className='mb-2'>
Deskripsi Program
</Typography>
<Controller
name='description'
control={control}
render={({ field }) => (
<CustomTextField
{...field}
fullWidth
placeholder='Deskripsi detail tentang program loyalty'
multiline
rows={4}
/>
)}
/>
</div>
{/* Sembunyikan */}
<Button
variant='text'
color='primary'
size='small'
sx={{ textTransform: 'none', fontSize: '14px', p: 0, textAlign: 'left', width: '200px' }}
onClick={() => setShowMore(false)}
>
- Sembunyikan
</Button>
</>
)}
</div>
</form>
</Box>
{/* Sticky Footer */}
<Box
sx={{
position: 'sticky',
bottom: 0,
zIndex: 10,
backgroundColor: 'background.paper',
borderTop: 1,
borderColor: 'divider',
p: 3
}}
>
<div className='flex items-center gap-4'>
<Button
variant='contained'
type='submit'
form='loyalty-form'
disabled={isSubmitting || !watchedBenefits || watchedBenefits.length === 0}
>
{isSubmitting ? (isEditMode ? 'Mengupdate...' : 'Menyimpan...') : isEditMode ? 'Update' : 'Simpan'}
</Button>
<Button variant='outlined' color='error' onClick={handleReset} disabled={isSubmitting}>
Batal
</Button>
</div>
</Box>
</Drawer>
)
}
export default AddEditLoyaltyDrawer

View File

@ -0,0 +1,635 @@
'use client'
// React Imports
import { useEffect, useState, useMemo, useCallback } from 'react'
// Next Imports
import Link from 'next/link'
import { useParams } from 'next/navigation'
// MUI Imports
import Card from '@mui/material/Card'
import CardHeader from '@mui/material/CardHeader'
import Button from '@mui/material/Button'
import Typography from '@mui/material/Typography'
import Chip from '@mui/material/Chip'
import Checkbox from '@mui/material/Checkbox'
import IconButton from '@mui/material/IconButton'
import { styled } from '@mui/material/styles'
import TablePagination from '@mui/material/TablePagination'
import type { TextFieldProps } from '@mui/material/TextField'
import MenuItem from '@mui/material/MenuItem'
// Third-party Imports
import classnames from 'classnames'
import { rankItem } from '@tanstack/match-sorter-utils'
import {
createColumnHelper,
flexRender,
getCoreRowModel,
useReactTable,
getFilteredRowModel,
getFacetedRowModel,
getFacetedUniqueValues,
getFacetedMinMaxValues,
getPaginationRowModel,
getSortedRowModel
} from '@tanstack/react-table'
import type { ColumnDef, FilterFn } from '@tanstack/react-table'
import type { RankingInfo } from '@tanstack/match-sorter-utils'
// Type Imports
import type { ThemeColor } from '@core/types'
import type { Locale } from '@configs/i18n'
// Component Imports
import OptionMenu from '@core/components/option-menu'
import TablePaginationComponent from '@components/TablePaginationComponent'
import CustomTextField from '@core/components/mui/TextField'
import CustomAvatar from '@core/components/mui/Avatar'
// Util Imports
import { getInitials } from '@/utils/getInitials'
import { getLocalizedUrl } from '@/utils/i18n'
import { formatCurrency } from '@/utils/transform'
// Style Imports
import tableStyles from '@core/styles/table.module.css'
import Loading from '@/components/layout/shared/Loading'
import AddEditLoyaltyDrawer from './AddLoyaltiDrawer'
// Loyalty Type Interface
export interface LoyaltyType {
id: string
name: string
minimumPurchase: number
pointMultiplier: number
benefits: string[]
createdAt: Date
updatedAt: Date
}
declare module '@tanstack/table-core' {
interface FilterFns {
fuzzy: FilterFn<unknown>
}
interface FilterMeta {
itemRank: RankingInfo
}
}
type LoyaltyTypeWithAction = LoyaltyType & {
action?: 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)} />
}
// Dummy data for loyalty programs
const DUMMY_LOYALTY_DATA: LoyaltyType[] = [
{
id: '1',
name: 'Silver Member',
minimumPurchase: 500000,
pointMultiplier: 1,
benefits: ['Gratis ongkir', 'Diskon 5%', 'Priority customer service'],
createdAt: new Date('2024-01-15'),
updatedAt: new Date('2024-02-10')
},
{
id: '2',
name: 'Gold Member',
minimumPurchase: 2000000,
pointMultiplier: 2,
benefits: ['Gratis ongkir', 'Diskon 10%', 'Birthday bonus', 'Priority customer service', 'Akses early sale'],
createdAt: new Date('2024-01-20'),
updatedAt: new Date('2024-02-15')
},
{
id: '3',
name: 'Platinum Member',
minimumPurchase: 5000000,
pointMultiplier: 3,
benefits: [
'Gratis ongkir',
'Diskon 15%',
'Birthday bonus',
'Dedicated account manager',
'VIP event access',
'Personal shopper'
],
createdAt: new Date('2024-01-25'),
updatedAt: new Date('2024-02-20')
},
{
id: '4',
name: 'Diamond Member',
minimumPurchase: 10000000,
pointMultiplier: 5,
benefits: [
'Gratis ongkir',
'Diskon 20%',
'Birthday bonus',
'Dedicated account manager',
'VIP event access',
'Personal shopper',
'Annual gift',
'Luxury experiences'
],
createdAt: new Date('2024-02-01'),
updatedAt: new Date('2024-02-25')
},
{
id: '5',
name: 'Student Discount',
minimumPurchase: 100000,
pointMultiplier: 1,
benefits: ['Diskon 10% khusus mahasiswa', 'Gratis ongkir untuk pembelian minimal 200k'],
createdAt: new Date('2024-02-05'),
updatedAt: new Date('2024-03-01')
},
{
id: '6',
name: 'Senior Citizen',
minimumPurchase: 200000,
pointMultiplier: 2,
benefits: ['Diskon 15% untuk usia 60+', 'Gratis ongkir', 'Konsultasi gratis', 'Priority support'],
createdAt: new Date('2024-02-10'),
updatedAt: new Date('2024-03-05')
},
{
id: '7',
name: 'Corporate Partner',
minimumPurchase: 15000000,
pointMultiplier: 4,
benefits: [
'Diskon 25% untuk pembelian korporat',
'Payment terms 30 hari',
'Dedicated sales rep',
'Bulk discount',
'Invoice payment'
],
createdAt: new Date('2024-02-15'),
updatedAt: new Date('2024-03-10')
},
{
id: '8',
name: 'New Customer Bonus',
minimumPurchase: 0,
pointMultiplier: 1,
benefits: ['Welcome bonus 50 poin', 'Diskon 15% pembelian pertama', 'Gratis ongkir'],
createdAt: new Date('2024-03-01'),
updatedAt: new Date('2024-03-15')
},
{
id: '9',
name: 'Family Package',
minimumPurchase: 1000000,
pointMultiplier: 2,
benefits: [
'Diskon 12% untuk keluarga',
'Poin dapat dibagi ke anggota keluarga',
'Family rewards',
'Group discount'
],
createdAt: new Date('2024-03-05'),
updatedAt: new Date('2024-03-20')
},
{
id: '10',
name: 'Loyalty Plus',
minimumPurchase: 3000000,
pointMultiplier: 3,
benefits: [
'Cashback 8%',
'Exclusive member-only products',
'Free premium packaging',
'Extended warranty',
'Member appreciation events'
],
createdAt: new Date('2024-03-10'),
updatedAt: new Date('2024-03-25')
},
{
id: '11',
name: 'VIP Collector',
minimumPurchase: 7500000,
pointMultiplier: 4,
benefits: [
'Limited edition access',
'Collector item discounts',
'Pre-order privileges',
'Authentication service',
'Storage solutions'
],
createdAt: new Date('2024-03-15'),
updatedAt: new Date('2024-03-30')
},
{
id: '12',
name: 'Seasonal Member',
minimumPurchase: 800000,
pointMultiplier: 2,
benefits: ['Seasonal sale access', 'Holiday bonuses', 'Festival discounts', 'Seasonal gift wrapping'],
createdAt: new Date('2024-03-20'),
updatedAt: new Date('2024-04-05')
}
]
// Mock data hook with dummy data
const useLoyalty = ({ page, limit, search }: { page: number; limit: number; search: string }) => {
const [isLoading, setIsLoading] = useState(false)
// Simulate loading
useEffect(() => {
setIsLoading(true)
const timer = setTimeout(() => setIsLoading(false), 500)
return () => clearTimeout(timer)
}, [page, limit, search])
// Filter data based on search
const filteredData = useMemo(() => {
if (!search) return DUMMY_LOYALTY_DATA
return DUMMY_LOYALTY_DATA.filter(
loyalty =>
loyalty.name.toLowerCase().includes(search.toLowerCase()) ||
loyalty.benefits.some(benefit => benefit.toLowerCase().includes(search.toLowerCase()))
)
}, [search])
// Paginate data
const paginatedData = useMemo(() => {
const startIndex = (page - 1) * limit
const endIndex = startIndex + limit
return filteredData.slice(startIndex, endIndex)
}, [filteredData, page, limit])
return {
data: {
loyalties: paginatedData,
total_count: filteredData.length
},
isLoading,
error: null,
isFetching: isLoading
}
}
// Column Definitions
const columnHelper = createColumnHelper<LoyaltyTypeWithAction>()
const LoyaltyListTable = () => {
// States
const [addLoyaltyOpen, setAddLoyaltyOpen] = useState(false)
const [editLoyaltyData, setEditLoyaltyData] = useState<LoyaltyType | undefined>(undefined)
const [rowSelection, setRowSelection] = useState({})
const [globalFilter, setGlobalFilter] = useState('')
const [currentPage, setCurrentPage] = useState(1)
const [pageSize, setPageSize] = useState(10)
const [search, setSearch] = useState('')
const { data, isLoading, error, isFetching } = useLoyalty({
page: currentPage,
limit: pageSize,
search
})
const loyalties = data?.loyalties ?? []
const totalCount = data?.total_count ?? 0
// Hooks
const { lang: locale } = useParams()
const handlePageChange = useCallback((event: unknown, newPage: number) => {
setCurrentPage(newPage)
}, [])
const handlePageSizeChange = useCallback((event: React.ChangeEvent<HTMLInputElement>) => {
const newPageSize = parseInt(event.target.value, 10)
setPageSize(newPageSize)
setCurrentPage(1) // Reset to first page
}, [])
const handleEditLoyalty = (loyalty: LoyaltyType) => {
setEditLoyaltyData(loyalty)
setAddLoyaltyOpen(true)
}
const handleDeleteLoyalty = (loyaltyId: string) => {
if (confirm('Apakah Anda yakin ingin menghapus program loyalty ini?')) {
console.log('Deleting loyalty:', loyaltyId)
// Add your delete logic here
// deleteLoyalty.mutate(loyaltyId)
}
}
const handleCloseLoyaltyDrawer = () => {
setAddLoyaltyOpen(false)
setEditLoyaltyData(undefined)
}
const columns = useMemo<ColumnDef<LoyaltyTypeWithAction, 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: 'Program Loyalty',
cell: ({ row }) => (
<div className='flex items-center gap-4'>
<div className='flex flex-col'>
<Link href={getLocalizedUrl(`/apps/loyalty/${row.original.id}/detail`, locale as Locale)}>
<Typography className='font-medium cursor-pointer hover:underline text-primary'>
{row.original.name}
</Typography>
</Link>
</div>
</div>
)
}),
columnHelper.accessor('minimumPurchase', {
header: 'Minimum Pembelian',
cell: ({ row }) => (
<div className='flex items-center gap-2'>
<Icon className='tabler-coin' sx={{ color: 'var(--mui-palette-primary-main)' }} />
<Typography color='text.primary'>{formatCurrency(row.original.minimumPurchase)}</Typography>
</div>
)
}),
columnHelper.accessor('pointMultiplier', {
header: 'Pengali Poin',
cell: ({ row }) => (
<Chip label={`${row.original.pointMultiplier}x`} color='primary' variant='tonal' size='small' />
)
}),
columnHelper.accessor('benefits', {
header: 'Manfaat',
cell: ({ row }) => (
<div className='flex flex-wrap gap-1 max-w-xs'>
{row.original.benefits.slice(0, 2).map((benefit, index) => (
<Chip key={index} label={benefit} size='small' variant='outlined' color='secondary' />
))}
{row.original.benefits.length > 2 && (
<Chip
label={`+${row.original.benefits.length - 2} lainnya`}
size='small'
variant='outlined'
color='default'
/>
)}
</div>
)
}),
columnHelper.accessor('createdAt', {
header: 'Tanggal Dibuat',
cell: ({ row }) => (
<Typography color='text.primary'>
{new Date(row.original.createdAt).toLocaleDateString('id-ID', {
year: 'numeric',
month: 'short',
day: 'numeric'
})}
</Typography>
)
}),
{
id: 'actions',
header: 'Aksi',
cell: ({ row }) => (
<div className='flex items-center'>
<OptionMenu
iconButtonProps={{ size: 'medium' }}
iconClassName='text-textSecondary text-[22px]'
options={[
{
text: 'Edit',
icon: 'tabler-edit text-[22px]',
menuItemProps: {
className: 'flex items-center gap-2 text-textSecondary',
onClick: () => handleEditLoyalty(row.original)
}
},
{
text: 'Hapus',
icon: 'tabler-trash text-[22px]',
menuItemProps: {
className: 'flex items-center gap-2 text-textSecondary',
onClick: () => handleDeleteLoyalty(row.original.id)
}
}
]}
/>
</div>
),
enableSorting: false
}
],
// eslint-disable-next-line react-hooks/exhaustive-deps
[locale, handleEditLoyalty, handleDeleteLoyalty]
)
const table = useReactTable({
data: loyalties as LoyaltyType[],
columns,
filterFns: {
fuzzy: fuzzyFilter
},
state: {
rowSelection,
globalFilter,
pagination: {
pageIndex: currentPage,
pageSize
}
},
enableRowSelection: true,
onRowSelectionChange: setRowSelection,
getCoreRowModel: getCoreRowModel(),
manualPagination: true,
pageCount: Math.ceil(totalCount / pageSize)
})
return (
<>
<Card>
<div className='flex justify-between flex-col items-start md:flex-row md:items-center p-6 border-bs gap-4'>
<CustomTextField
select
value={table.getState().pagination.pageSize}
onChange={e => table.setPageSize(Number(e.target.value))}
className='max-sm:is-full sm:is-[70px]'
>
<MenuItem value='10'>10</MenuItem>
<MenuItem value='25'>25</MenuItem>
<MenuItem value='50'>50</MenuItem>
</CustomTextField>
<div className='flex flex-col sm:flex-row max-sm:is-full items-start sm:items-center gap-4'>
<DebouncedInput
value={search ?? ''}
onChange={value => setSearch(value as string)}
placeholder='Cari Program Loyalty'
className='max-sm:is-full'
/>
<Button
color='secondary'
variant='tonal'
startIcon={<i className='tabler-upload' />}
className='max-sm:is-full'
>
Ekspor
</Button>
<Button
variant='contained'
startIcon={<i className='tabler-plus' />}
onClick={() => setAddLoyaltyOpen(!addLoyaltyOpen)}
className='max-sm:is-full'
>
Tambah Program Loyalty
</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'>
Tidak ada data tersedia
</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>
)}
</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>
<AddEditLoyaltyDrawer open={addLoyaltyOpen} handleClose={handleCloseLoyaltyDrawer} data={editLoyaltyData} />
</>
)
}
export default LoyaltyListTable

View File

@ -0,0 +1,17 @@
// MUI Imports
import Grid from '@mui/material/Grid2'
import LoyaltyListTable from './LoyaltyListTable'
// Type Imports
const LoyaltyList = () => {
return (
<Grid container spacing={6}>
<Grid size={{ xs: 12 }}>
<LoyaltyListTable />
</Grid>
</Grid>
)
}
export default LoyaltyList