Voucher
This commit is contained in:
parent
18ee652731
commit
2643963b49
@ -0,0 +1,7 @@
|
|||||||
|
import VoucherList from '@/views/apps/marketing/voucher'
|
||||||
|
|
||||||
|
const VoucherPage = () => {
|
||||||
|
return <VoucherList />
|
||||||
|
}
|
||||||
|
|
||||||
|
export default VoucherPage
|
||||||
@ -165,6 +165,7 @@ const VerticalMenu = ({ dictionary, scrollMenu }: Props) => {
|
|||||||
<MenuItem href={`/${locale}/apps/marketing/customer-analytics`}>
|
<MenuItem href={`/${locale}/apps/marketing/customer-analytics`}>
|
||||||
{dictionary['navigation'].customer_analytics}
|
{dictionary['navigation'].customer_analytics}
|
||||||
</MenuItem>
|
</MenuItem>
|
||||||
|
<MenuItem href={`/${locale}/apps/marketing/voucher`}>{dictionary['navigation'].voucher}</MenuItem>
|
||||||
</SubMenu>
|
</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}>
|
||||||
|
|||||||
@ -133,6 +133,7 @@
|
|||||||
"gamification": "Gamification",
|
"gamification": "Gamification",
|
||||||
"wheel_spin": "Wheel Spin",
|
"wheel_spin": "Wheel Spin",
|
||||||
"campaign": "Campaign",
|
"campaign": "Campaign",
|
||||||
"customer_analytics": "Customer Analytics"
|
"customer_analytics": "Customer Analytics",
|
||||||
|
"voucher": "Voucher"
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@ -133,6 +133,7 @@
|
|||||||
"gamification": "Gamifikasi",
|
"gamification": "Gamifikasi",
|
||||||
"wheel_spin": "Wheel Spin",
|
"wheel_spin": "Wheel Spin",
|
||||||
"campaign": "Kampanye",
|
"campaign": "Kampanye",
|
||||||
"customer_analytics": "Analisis Pelanggan"
|
"customer_analytics": "Analisis Pelanggan",
|
||||||
|
"voucher": "Vocher"
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@ -21,3 +21,15 @@ export interface VoucherApiResponse {
|
|||||||
data: VoucherRowsResponse
|
data: VoucherRowsResponse
|
||||||
errors: any
|
errors: any
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export interface VoucherType {
|
||||||
|
id: number
|
||||||
|
code: string
|
||||||
|
type: 'discount' | 'cashback' | 'free_shipping' | 'product'
|
||||||
|
discountType?: 'fixed' | 'percent'
|
||||||
|
discountValue?: number
|
||||||
|
minPurchase?: number
|
||||||
|
validFrom: string
|
||||||
|
validUntil: string
|
||||||
|
isActive: boolean
|
||||||
|
}
|
||||||
|
|||||||
896
src/views/apps/marketing/voucher/AddEditVoucherDrawer.tsx
Normal file
896
src/views/apps/marketing/voucher/AddEditVoucherDrawer.tsx
Normal file
@ -0,0 +1,896 @@
|
|||||||
|
// 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'
|
||||||
|
import Avatar from '@mui/material/Avatar'
|
||||||
|
import Card from '@mui/material/Card'
|
||||||
|
import CardContent from '@mui/material/CardContent'
|
||||||
|
import FormHelperText from '@mui/material/FormHelperText'
|
||||||
|
|
||||||
|
// Third-party Imports
|
||||||
|
import { useForm, Controller } from 'react-hook-form'
|
||||||
|
|
||||||
|
// Component Imports
|
||||||
|
import CustomTextField from '@core/components/mui/TextField'
|
||||||
|
|
||||||
|
// Types - Updated to match the integrated voucher structure
|
||||||
|
export interface VoucherCatalogType {
|
||||||
|
id: string
|
||||||
|
name: string
|
||||||
|
description?: string
|
||||||
|
pointCost: number
|
||||||
|
stock?: number
|
||||||
|
isActive: boolean
|
||||||
|
validUntil?: Date
|
||||||
|
imageUrl?: string
|
||||||
|
createdAt: Date
|
||||||
|
updatedAt: Date
|
||||||
|
// Voucher-specific fields
|
||||||
|
code: string
|
||||||
|
type: 'discount' | 'cashback' | 'free_shipping' | 'product'
|
||||||
|
discountType?: 'fixed' | 'percent'
|
||||||
|
discountValue?: number
|
||||||
|
minPurchase?: number
|
||||||
|
validFrom: string
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface VoucherRequest {
|
||||||
|
name: string
|
||||||
|
description?: string
|
||||||
|
pointCost: number
|
||||||
|
stock?: number
|
||||||
|
isActive: boolean
|
||||||
|
validUntil?: Date
|
||||||
|
imageUrl?: string
|
||||||
|
code: string
|
||||||
|
type: 'discount' | 'cashback' | 'free_shipping' | 'product'
|
||||||
|
discountType?: 'fixed' | 'percent'
|
||||||
|
discountValue?: number
|
||||||
|
minPurchase?: number
|
||||||
|
validFrom: string
|
||||||
|
terms?: string
|
||||||
|
}
|
||||||
|
|
||||||
|
type Props = {
|
||||||
|
open: boolean
|
||||||
|
handleClose: () => void
|
||||||
|
data?: VoucherCatalogType // Data voucher untuk edit (jika ada)
|
||||||
|
}
|
||||||
|
|
||||||
|
type FormValidateType = {
|
||||||
|
name: string
|
||||||
|
description: string
|
||||||
|
pointCost: number
|
||||||
|
stock: number | ''
|
||||||
|
isActive: boolean
|
||||||
|
validUntil: string
|
||||||
|
imageUrl: string
|
||||||
|
code: string
|
||||||
|
type: 'discount' | 'cashback' | 'free_shipping' | 'product'
|
||||||
|
discountType: 'fixed' | 'percent'
|
||||||
|
discountValue: number | ''
|
||||||
|
minPurchase: number | ''
|
||||||
|
validFrom: string
|
||||||
|
terms: string
|
||||||
|
hasUnlimitedStock: boolean
|
||||||
|
hasValidUntil: boolean
|
||||||
|
hasMinPurchase: boolean
|
||||||
|
}
|
||||||
|
|
||||||
|
// Initial form data
|
||||||
|
const initialData: FormValidateType = {
|
||||||
|
name: '',
|
||||||
|
description: '',
|
||||||
|
pointCost: 100,
|
||||||
|
stock: '',
|
||||||
|
isActive: true,
|
||||||
|
validUntil: '',
|
||||||
|
imageUrl: '',
|
||||||
|
code: '',
|
||||||
|
type: 'discount',
|
||||||
|
discountType: 'fixed',
|
||||||
|
discountValue: '',
|
||||||
|
minPurchase: '',
|
||||||
|
validFrom: new Date().toISOString().split('T')[0],
|
||||||
|
terms: '',
|
||||||
|
hasUnlimitedStock: false,
|
||||||
|
hasValidUntil: false,
|
||||||
|
hasMinPurchase: false
|
||||||
|
}
|
||||||
|
|
||||||
|
// Mock mutation hooks (replace with actual hooks)
|
||||||
|
const useVoucherMutation = () => {
|
||||||
|
const createVoucher = {
|
||||||
|
mutate: (data: VoucherRequest, options?: { onSuccess?: () => void }) => {
|
||||||
|
console.log('Creating voucher:', data)
|
||||||
|
setTimeout(() => options?.onSuccess?.(), 1000)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const updateVoucher = {
|
||||||
|
mutate: (data: { id: string; payload: VoucherRequest }, options?: { onSuccess?: () => void }) => {
|
||||||
|
console.log('Updating voucher:', data)
|
||||||
|
setTimeout(() => options?.onSuccess?.(), 1000)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return { createVoucher, updateVoucher }
|
||||||
|
}
|
||||||
|
|
||||||
|
// Voucher types
|
||||||
|
const VOUCHER_TYPES = [
|
||||||
|
{ value: 'discount', label: 'Diskon', icon: 'tabler-percentage' },
|
||||||
|
{ value: 'cashback', label: 'Cashback', icon: 'tabler-cash' },
|
||||||
|
{ value: 'free_shipping', label: 'Gratis Ongkir', icon: 'tabler-truck-delivery' },
|
||||||
|
{ value: 'product', label: 'Produk Fisik', icon: 'tabler-package' }
|
||||||
|
]
|
||||||
|
|
||||||
|
// Discount types
|
||||||
|
const DISCOUNT_TYPES = [
|
||||||
|
{ value: 'fixed', label: 'Nilai Tetap (Rp)' },
|
||||||
|
{ value: 'percent', label: 'Persentase (%)' }
|
||||||
|
]
|
||||||
|
|
||||||
|
const AddEditVoucherDrawer = (props: Props) => {
|
||||||
|
// Props
|
||||||
|
const { open, handleClose, data } = props
|
||||||
|
|
||||||
|
// States
|
||||||
|
const [showMore, setShowMore] = useState(false)
|
||||||
|
const [isSubmitting, setIsSubmitting] = useState(false)
|
||||||
|
const [imagePreview, setImagePreview] = useState<string | null>(null)
|
||||||
|
|
||||||
|
const { createVoucher, updateVoucher } = useVoucherMutation()
|
||||||
|
|
||||||
|
// 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 watchedImageUrl = watch('imageUrl')
|
||||||
|
const watchedHasUnlimitedStock = watch('hasUnlimitedStock')
|
||||||
|
const watchedHasValidUntil = watch('hasValidUntil')
|
||||||
|
const watchedHasMinPurchase = watch('hasMinPurchase')
|
||||||
|
const watchedStock = watch('stock')
|
||||||
|
const watchedPointCost = watch('pointCost')
|
||||||
|
const watchedType = watch('type')
|
||||||
|
const watchedDiscountType = watch('discountType')
|
||||||
|
const watchedDiscountValue = watch('discountValue')
|
||||||
|
|
||||||
|
// Effect to populate form when editing
|
||||||
|
useEffect(() => {
|
||||||
|
if (isEditMode && data) {
|
||||||
|
// Populate form with existing data
|
||||||
|
const formData: FormValidateType = {
|
||||||
|
name: data.name || '',
|
||||||
|
description: data.description || '',
|
||||||
|
pointCost: data.pointCost || 100,
|
||||||
|
stock: data.stock ?? '',
|
||||||
|
isActive: data.isActive ?? true,
|
||||||
|
validUntil: data.validUntil ? new Date(data.validUntil).toISOString().split('T')[0] : '',
|
||||||
|
imageUrl: data.imageUrl || '',
|
||||||
|
code: data.code || '',
|
||||||
|
type: data.type || 'discount',
|
||||||
|
discountType: data.discountType || 'fixed',
|
||||||
|
discountValue: data.discountValue ?? '',
|
||||||
|
minPurchase: data.minPurchase ?? '',
|
||||||
|
validFrom: data.validFrom
|
||||||
|
? new Date(data.validFrom).toISOString().split('T')[0]
|
||||||
|
: new Date().toISOString().split('T')[0],
|
||||||
|
terms: '',
|
||||||
|
hasUnlimitedStock: data.stock === undefined || data.stock === null,
|
||||||
|
hasValidUntil: Boolean(data.validUntil),
|
||||||
|
hasMinPurchase: Boolean(data.minPurchase)
|
||||||
|
}
|
||||||
|
|
||||||
|
resetForm(formData)
|
||||||
|
setShowMore(true) // Always show more for edit mode
|
||||||
|
setImagePreview(data.imageUrl || null)
|
||||||
|
} else {
|
||||||
|
// Reset to initial data for add mode
|
||||||
|
resetForm(initialData)
|
||||||
|
setShowMore(false)
|
||||||
|
setImagePreview(null)
|
||||||
|
}
|
||||||
|
}, [data, isEditMode, resetForm])
|
||||||
|
|
||||||
|
// Handle image URL change
|
||||||
|
useEffect(() => {
|
||||||
|
if (watchedImageUrl) {
|
||||||
|
setImagePreview(watchedImageUrl)
|
||||||
|
} else {
|
||||||
|
setImagePreview(null)
|
||||||
|
}
|
||||||
|
}, [watchedImageUrl])
|
||||||
|
|
||||||
|
// Handle unlimited stock toggle
|
||||||
|
useEffect(() => {
|
||||||
|
if (watchedHasUnlimitedStock) {
|
||||||
|
setValue('stock', '')
|
||||||
|
}
|
||||||
|
}, [watchedHasUnlimitedStock, setValue])
|
||||||
|
|
||||||
|
// Handle valid until toggle
|
||||||
|
useEffect(() => {
|
||||||
|
if (!watchedHasValidUntil) {
|
||||||
|
setValue('validUntil', '')
|
||||||
|
}
|
||||||
|
}, [watchedHasValidUntil, setValue])
|
||||||
|
|
||||||
|
// Handle minimum purchase toggle
|
||||||
|
useEffect(() => {
|
||||||
|
if (!watchedHasMinPurchase) {
|
||||||
|
setValue('minPurchase', '')
|
||||||
|
}
|
||||||
|
}, [watchedHasMinPurchase, setValue])
|
||||||
|
|
||||||
|
// Auto-generate voucher code
|
||||||
|
const generateVoucherCode = () => {
|
||||||
|
const prefix = watchedType.toUpperCase()
|
||||||
|
const randomSuffix = Math.random().toString(36).substring(2, 8).toUpperCase()
|
||||||
|
return `${prefix}_${randomSuffix}`
|
||||||
|
}
|
||||||
|
|
||||||
|
const handleFormSubmit = async (formData: FormValidateType) => {
|
||||||
|
try {
|
||||||
|
setIsSubmitting(true)
|
||||||
|
|
||||||
|
// Create VoucherRequest object
|
||||||
|
const voucherRequest: VoucherRequest = {
|
||||||
|
name: formData.name,
|
||||||
|
description: formData.description || undefined,
|
||||||
|
pointCost: formData.pointCost,
|
||||||
|
stock: formData.hasUnlimitedStock ? undefined : (formData.stock as number) || undefined,
|
||||||
|
isActive: formData.isActive,
|
||||||
|
validUntil: formData.hasValidUntil && formData.validUntil ? new Date(formData.validUntil) : undefined,
|
||||||
|
imageUrl: formData.imageUrl || undefined,
|
||||||
|
code: formData.code,
|
||||||
|
type: formData.type,
|
||||||
|
discountType: ['discount', 'cashback'].includes(formData.type) ? formData.discountType : undefined,
|
||||||
|
discountValue:
|
||||||
|
['discount', 'cashback'].includes(formData.type) && formData.discountValue
|
||||||
|
? Number(formData.discountValue)
|
||||||
|
: undefined,
|
||||||
|
minPurchase: formData.hasMinPurchase && formData.minPurchase ? Number(formData.minPurchase) : undefined,
|
||||||
|
validFrom: formData.validFrom,
|
||||||
|
terms: formData.terms || undefined
|
||||||
|
}
|
||||||
|
|
||||||
|
if (isEditMode && data?.id) {
|
||||||
|
// Update existing voucher
|
||||||
|
updateVoucher.mutate(
|
||||||
|
{ id: data.id, payload: voucherRequest },
|
||||||
|
{
|
||||||
|
onSuccess: () => {
|
||||||
|
handleReset()
|
||||||
|
handleClose()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
)
|
||||||
|
} else {
|
||||||
|
// Create new voucher
|
||||||
|
createVoucher.mutate(voucherRequest, {
|
||||||
|
onSuccess: () => {
|
||||||
|
handleReset()
|
||||||
|
handleClose()
|
||||||
|
}
|
||||||
|
})
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
console.error('Error submitting voucher:', error)
|
||||||
|
// Handle error (show toast, etc.)
|
||||||
|
} finally {
|
||||||
|
setIsSubmitting(false)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const handleReset = () => {
|
||||||
|
handleClose()
|
||||||
|
resetForm(initialData)
|
||||||
|
setShowMore(false)
|
||||||
|
setImagePreview(null)
|
||||||
|
}
|
||||||
|
|
||||||
|
const formatPoints = (value: number) => {
|
||||||
|
return value.toLocaleString('id-ID') + ' poin'
|
||||||
|
}
|
||||||
|
|
||||||
|
const formatCurrency = (value: number) => {
|
||||||
|
return new Intl.NumberFormat('id-ID', {
|
||||||
|
style: 'currency',
|
||||||
|
currency: 'IDR'
|
||||||
|
}).format(value)
|
||||||
|
}
|
||||||
|
|
||||||
|
const getStockDisplay = () => {
|
||||||
|
if (watchedHasUnlimitedStock) return 'Unlimited'
|
||||||
|
if (watchedStock === '' || watchedStock === 0) return 'Tidak ada stok'
|
||||||
|
return `${watchedStock} item`
|
||||||
|
}
|
||||||
|
|
||||||
|
const getDiscountValueDisplay = () => {
|
||||||
|
if (!watchedDiscountValue) return ''
|
||||||
|
if (watchedDiscountType === 'percent') {
|
||||||
|
return `${watchedDiscountValue}%`
|
||||||
|
} else {
|
||||||
|
return formatCurrency(Number(watchedDiscountValue))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const shouldShowDiscountFields = ['discount', 'cashback'].includes(watchedType)
|
||||||
|
|
||||||
|
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 Voucher' : 'Tambah Voucher 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='voucher-form' onSubmit={handleSubmit(handleFormSubmit)}>
|
||||||
|
<div className='flex flex-col gap-6 p-6'>
|
||||||
|
{/* Image Preview */}
|
||||||
|
{imagePreview && (
|
||||||
|
<Card variant='outlined' sx={{ mb: 2 }}>
|
||||||
|
<CardContent sx={{ p: 2 }}>
|
||||||
|
<Typography variant='subtitle2' className='mb-2'>
|
||||||
|
Preview Gambar
|
||||||
|
</Typography>
|
||||||
|
<Avatar
|
||||||
|
src={imagePreview}
|
||||||
|
sx={{
|
||||||
|
width: 80,
|
||||||
|
height: 80,
|
||||||
|
mx: 'auto',
|
||||||
|
mb: 1
|
||||||
|
}}
|
||||||
|
variant='rounded'
|
||||||
|
>
|
||||||
|
<i className='tabler-ticket text-2xl' />
|
||||||
|
</Avatar>
|
||||||
|
</CardContent>
|
||||||
|
</Card>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* Nama Voucher */}
|
||||||
|
<div>
|
||||||
|
<Typography variant='body2' className='mb-2'>
|
||||||
|
Nama Voucher <span className='text-red-500'>*</span>
|
||||||
|
</Typography>
|
||||||
|
<Controller
|
||||||
|
name='name'
|
||||||
|
control={control}
|
||||||
|
rules={{ required: 'Nama voucher wajib diisi' }}
|
||||||
|
render={({ field }) => (
|
||||||
|
<CustomTextField
|
||||||
|
{...field}
|
||||||
|
fullWidth
|
||||||
|
placeholder='Masukkan nama voucher'
|
||||||
|
error={!!errors.name}
|
||||||
|
helperText={errors.name?.message}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Tipe Voucher */}
|
||||||
|
<div>
|
||||||
|
<Typography variant='body2' className='mb-2'>
|
||||||
|
Tipe Voucher <span className='text-red-500'>*</span>
|
||||||
|
</Typography>
|
||||||
|
<Controller
|
||||||
|
name='type'
|
||||||
|
control={control}
|
||||||
|
rules={{ required: 'Tipe voucher wajib dipilih' }}
|
||||||
|
render={({ field }) => (
|
||||||
|
<CustomTextField {...field} select fullWidth error={!!errors.type} helperText={errors.type?.message}>
|
||||||
|
{VOUCHER_TYPES.map(type => (
|
||||||
|
<MenuItem key={type.value} value={type.value}>
|
||||||
|
<div className='flex items-center gap-2'>
|
||||||
|
<i className={type.icon} />
|
||||||
|
{type.label}
|
||||||
|
</div>
|
||||||
|
</MenuItem>
|
||||||
|
))}
|
||||||
|
</CustomTextField>
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Kode Voucher */}
|
||||||
|
<div>
|
||||||
|
<Typography variant='body2' className='mb-2'>
|
||||||
|
Kode Voucher <span className='text-red-500'>*</span>
|
||||||
|
</Typography>
|
||||||
|
<Controller
|
||||||
|
name='code'
|
||||||
|
control={control}
|
||||||
|
rules={{
|
||||||
|
required: 'Kode voucher wajib diisi',
|
||||||
|
pattern: {
|
||||||
|
value: /^[A-Z0-9_-]+$/,
|
||||||
|
message: 'Kode voucher hanya boleh menggunakan huruf besar, angka, underscore, dan strip'
|
||||||
|
}
|
||||||
|
}}
|
||||||
|
render={({ field }) => (
|
||||||
|
<CustomTextField
|
||||||
|
{...field}
|
||||||
|
fullWidth
|
||||||
|
placeholder='DISC50K'
|
||||||
|
error={!!errors.code}
|
||||||
|
helperText={errors.code?.message || 'Gunakan huruf besar, angka, _, dan - saja'}
|
||||||
|
InputProps={{
|
||||||
|
endAdornment: (
|
||||||
|
<InputAdornment position='end'>
|
||||||
|
<Button
|
||||||
|
variant='text'
|
||||||
|
size='small'
|
||||||
|
onClick={() => setValue('code', generateVoucherCode())}
|
||||||
|
sx={{ minWidth: 'auto', p: 1 }}
|
||||||
|
>
|
||||||
|
<i className='tabler-refresh text-lg' />
|
||||||
|
</Button>
|
||||||
|
</InputAdornment>
|
||||||
|
)
|
||||||
|
}}
|
||||||
|
onChange={e => field.onChange(e.target.value.toUpperCase())}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Discount Fields - Only show for discount and cashback */}
|
||||||
|
{shouldShowDiscountFields && (
|
||||||
|
<>
|
||||||
|
{/* Tipe Diskon */}
|
||||||
|
<div>
|
||||||
|
<Typography variant='body2' className='mb-2'>
|
||||||
|
Tipe Diskon <span className='text-red-500'>*</span>
|
||||||
|
</Typography>
|
||||||
|
<Controller
|
||||||
|
name='discountType'
|
||||||
|
control={control}
|
||||||
|
rules={{ required: shouldShowDiscountFields ? 'Tipe diskon wajib dipilih' : false }}
|
||||||
|
render={({ field }) => (
|
||||||
|
<CustomTextField
|
||||||
|
{...field}
|
||||||
|
select
|
||||||
|
fullWidth
|
||||||
|
error={!!errors.discountType}
|
||||||
|
helperText={errors.discountType?.message}
|
||||||
|
>
|
||||||
|
{DISCOUNT_TYPES.map(type => (
|
||||||
|
<MenuItem key={type.value} value={type.value}>
|
||||||
|
{type.label}
|
||||||
|
</MenuItem>
|
||||||
|
))}
|
||||||
|
</CustomTextField>
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Nilai Diskon */}
|
||||||
|
<div>
|
||||||
|
<Typography variant='body2' className='mb-2'>
|
||||||
|
Nilai Diskon <span className='text-red-500'>*</span>
|
||||||
|
</Typography>
|
||||||
|
<Controller
|
||||||
|
name='discountValue'
|
||||||
|
control={control}
|
||||||
|
rules={{
|
||||||
|
required: shouldShowDiscountFields ? 'Nilai diskon wajib diisi' : false,
|
||||||
|
min: {
|
||||||
|
value: watchedDiscountType === 'percent' ? 1 : 1000,
|
||||||
|
message: watchedDiscountType === 'percent' ? 'Minimal 1%' : 'Minimal Rp 1.000'
|
||||||
|
},
|
||||||
|
max: {
|
||||||
|
value: watchedDiscountType === 'percent' ? 100 : 100,
|
||||||
|
message: 'Maksimal 100%'
|
||||||
|
}
|
||||||
|
}}
|
||||||
|
render={({ field }) => (
|
||||||
|
<CustomTextField
|
||||||
|
{...field}
|
||||||
|
fullWidth
|
||||||
|
type='number'
|
||||||
|
placeholder={watchedDiscountType === 'percent' ? '10' : '50000'}
|
||||||
|
error={!!errors.discountValue}
|
||||||
|
helperText={errors.discountValue?.message || getDiscountValueDisplay()}
|
||||||
|
InputProps={{
|
||||||
|
startAdornment: (
|
||||||
|
<InputAdornment position='start'>
|
||||||
|
{watchedDiscountType === 'percent' ? '%' : 'Rp'}
|
||||||
|
</InputAdornment>
|
||||||
|
)
|
||||||
|
}}
|
||||||
|
onChange={e => field.onChange(e.target.value ? Number(e.target.value) : '')}
|
||||||
|
value={field.value === '' ? '' : field.value}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* Point Cost */}
|
||||||
|
<div>
|
||||||
|
<Typography variant='body2' className='mb-2'>
|
||||||
|
Biaya Poin <span className='text-red-500'>*</span>
|
||||||
|
</Typography>
|
||||||
|
<Controller
|
||||||
|
name='pointCost'
|
||||||
|
control={control}
|
||||||
|
rules={{
|
||||||
|
required: 'Biaya poin wajib diisi',
|
||||||
|
min: {
|
||||||
|
value: 1,
|
||||||
|
message: 'Biaya poin minimal 1'
|
||||||
|
}
|
||||||
|
}}
|
||||||
|
render={({ field }) => (
|
||||||
|
<CustomTextField
|
||||||
|
{...field}
|
||||||
|
fullWidth
|
||||||
|
type='number'
|
||||||
|
placeholder='100'
|
||||||
|
error={!!errors.pointCost}
|
||||||
|
helperText={errors.pointCost?.message || (field.value > 0 ? formatPoints(field.value) : '')}
|
||||||
|
InputProps={{
|
||||||
|
startAdornment: (
|
||||||
|
<InputAdornment position='start'>
|
||||||
|
<i className='tabler-star-filled text-warning' />
|
||||||
|
</InputAdornment>
|
||||||
|
)
|
||||||
|
}}
|
||||||
|
onChange={e => field.onChange(Number(e.target.value))}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Valid From */}
|
||||||
|
<div>
|
||||||
|
<Typography variant='body2' className='mb-2'>
|
||||||
|
Berlaku Mulai <span className='text-red-500'>*</span>
|
||||||
|
</Typography>
|
||||||
|
<Controller
|
||||||
|
name='validFrom'
|
||||||
|
control={control}
|
||||||
|
rules={{ required: 'Tanggal mulai berlaku wajib diisi' }}
|
||||||
|
render={({ field }) => (
|
||||||
|
<CustomTextField
|
||||||
|
{...field}
|
||||||
|
fullWidth
|
||||||
|
type='date'
|
||||||
|
error={!!errors.validFrom}
|
||||||
|
helperText={errors.validFrom?.message}
|
||||||
|
InputLabelProps={{
|
||||||
|
shrink: true
|
||||||
|
}}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Minimum Purchase */}
|
||||||
|
<div>
|
||||||
|
<Typography variant='body2' className='mb-2'>
|
||||||
|
Pembelian Minimum
|
||||||
|
</Typography>
|
||||||
|
<Controller
|
||||||
|
name='hasMinPurchase'
|
||||||
|
control={control}
|
||||||
|
render={({ field }) => (
|
||||||
|
<FormControlLabel
|
||||||
|
control={<Switch checked={field.value} onChange={field.onChange} color='primary' />}
|
||||||
|
label='Memiliki syarat pembelian minimum'
|
||||||
|
className='mb-2'
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
{watchedHasMinPurchase && (
|
||||||
|
<Controller
|
||||||
|
name='minPurchase'
|
||||||
|
control={control}
|
||||||
|
rules={{
|
||||||
|
required: watchedHasMinPurchase ? 'Minimal pembelian wajib diisi' : false,
|
||||||
|
min: {
|
||||||
|
value: 1000,
|
||||||
|
message: 'Minimal pembelian tidak boleh kurang dari Rp 1.000'
|
||||||
|
}
|
||||||
|
}}
|
||||||
|
render={({ field }) => (
|
||||||
|
<CustomTextField
|
||||||
|
{...field}
|
||||||
|
fullWidth
|
||||||
|
type='number'
|
||||||
|
placeholder='50000'
|
||||||
|
error={!!errors.minPurchase}
|
||||||
|
helperText={
|
||||||
|
errors.minPurchase?.message || (field.value ? formatCurrency(Number(field.value)) : '')
|
||||||
|
}
|
||||||
|
InputProps={{
|
||||||
|
startAdornment: <InputAdornment position='start'>Rp</InputAdornment>
|
||||||
|
}}
|
||||||
|
onChange={e => field.onChange(e.target.value ? Number(e.target.value) : '')}
|
||||||
|
value={field.value === '' ? '' : field.value}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Stock Management */}
|
||||||
|
<div>
|
||||||
|
<Typography variant='body2' className='mb-2'>
|
||||||
|
Manajemen Stok
|
||||||
|
</Typography>
|
||||||
|
<Controller
|
||||||
|
name='hasUnlimitedStock'
|
||||||
|
control={control}
|
||||||
|
render={({ field }) => (
|
||||||
|
<FormControlLabel
|
||||||
|
control={<Switch checked={field.value} onChange={field.onChange} color='primary' />}
|
||||||
|
label='Stok Unlimited'
|
||||||
|
className='mb-2'
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
{!watchedHasUnlimitedStock && (
|
||||||
|
<Controller
|
||||||
|
name='stock'
|
||||||
|
control={control}
|
||||||
|
rules={{
|
||||||
|
required: !watchedHasUnlimitedStock ? 'Jumlah stok wajib diisi' : false,
|
||||||
|
min: {
|
||||||
|
value: 0,
|
||||||
|
message: 'Stok tidak boleh negatif'
|
||||||
|
}
|
||||||
|
}}
|
||||||
|
render={({ field }) => (
|
||||||
|
<CustomTextField
|
||||||
|
{...field}
|
||||||
|
fullWidth
|
||||||
|
type='number'
|
||||||
|
placeholder='0'
|
||||||
|
error={!!errors.stock}
|
||||||
|
helperText={errors.stock?.message || getStockDisplay()}
|
||||||
|
InputProps={{
|
||||||
|
startAdornment: <InputAdornment position='start'>Qty</InputAdornment>
|
||||||
|
}}
|
||||||
|
onChange={e => field.onChange(e.target.value ? Number(e.target.value) : '')}
|
||||||
|
value={field.value === '' ? '' : field.value}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Status Aktif */}
|
||||||
|
<div>
|
||||||
|
<Controller
|
||||||
|
name='isActive'
|
||||||
|
control={control}
|
||||||
|
render={({ field }) => (
|
||||||
|
<FormControlLabel
|
||||||
|
control={<Switch checked={field.value} onChange={field.onChange} color='primary' />}
|
||||||
|
label='Voucher 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 Voucher
|
||||||
|
</Typography>
|
||||||
|
<Controller
|
||||||
|
name='description'
|
||||||
|
control={control}
|
||||||
|
render={({ field }) => (
|
||||||
|
<CustomTextField
|
||||||
|
{...field}
|
||||||
|
fullWidth
|
||||||
|
placeholder='Deskripsi detail tentang voucher'
|
||||||
|
multiline
|
||||||
|
rows={3}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Image URL */}
|
||||||
|
<div>
|
||||||
|
<Typography variant='body2' className='mb-2'>
|
||||||
|
URL Gambar
|
||||||
|
</Typography>
|
||||||
|
<Controller
|
||||||
|
name='imageUrl'
|
||||||
|
control={control}
|
||||||
|
render={({ field }) => (
|
||||||
|
<CustomTextField
|
||||||
|
{...field}
|
||||||
|
fullWidth
|
||||||
|
placeholder='https://example.com/image.jpg'
|
||||||
|
type='url'
|
||||||
|
InputProps={{
|
||||||
|
startAdornment: (
|
||||||
|
<InputAdornment position='start'>
|
||||||
|
<i className='tabler-photo' />
|
||||||
|
</InputAdornment>
|
||||||
|
)
|
||||||
|
}}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Valid Until */}
|
||||||
|
<div>
|
||||||
|
<Typography variant='body2' className='mb-2'>
|
||||||
|
Masa Berlaku
|
||||||
|
</Typography>
|
||||||
|
<Controller
|
||||||
|
name='hasValidUntil'
|
||||||
|
control={control}
|
||||||
|
render={({ field }) => (
|
||||||
|
<FormControlLabel
|
||||||
|
control={<Switch checked={field.value} onChange={field.onChange} color='primary' />}
|
||||||
|
label='Memiliki batas waktu'
|
||||||
|
className='mb-2'
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
{watchedHasValidUntil && (
|
||||||
|
<Controller
|
||||||
|
name='validUntil'
|
||||||
|
control={control}
|
||||||
|
rules={{
|
||||||
|
required: watchedHasValidUntil ? 'Tanggal kadaluarsa wajib diisi' : false
|
||||||
|
}}
|
||||||
|
render={({ field }) => (
|
||||||
|
<CustomTextField
|
||||||
|
{...field}
|
||||||
|
fullWidth
|
||||||
|
type='date'
|
||||||
|
error={!!errors.validUntil}
|
||||||
|
helperText={errors.validUntil?.message}
|
||||||
|
InputLabelProps={{
|
||||||
|
shrink: true
|
||||||
|
}}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Terms & Conditions */}
|
||||||
|
<div>
|
||||||
|
<Typography variant='body2' className='mb-2'>
|
||||||
|
Syarat & Ketentuan
|
||||||
|
</Typography>
|
||||||
|
<Controller
|
||||||
|
name='terms'
|
||||||
|
control={control}
|
||||||
|
render={({ field }) => (
|
||||||
|
<CustomTextField
|
||||||
|
{...field}
|
||||||
|
fullWidth
|
||||||
|
placeholder='Syarat dan ketentuan penggunaan voucher'
|
||||||
|
multiline
|
||||||
|
rows={3}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
</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='voucher-form' disabled={isSubmitting}>
|
||||||
|
{isSubmitting ? (isEditMode ? 'Mengupdate...' : 'Menyimpan...') : isEditMode ? 'Update' : 'Simpan'}
|
||||||
|
</Button>
|
||||||
|
<Button variant='outlined' color='error' onClick={handleReset} disabled={isSubmitting}>
|
||||||
|
Batal
|
||||||
|
</Button>
|
||||||
|
</div>
|
||||||
|
</Box>
|
||||||
|
</Drawer>
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
|
export default AddEditVoucherDrawer
|
||||||
755
src/views/apps/marketing/voucher/VoucherListTable.tsx
Normal file
755
src/views/apps/marketing/voucher/VoucherListTable.tsx
Normal file
@ -0,0 +1,755 @@
|
|||||||
|
'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 AddEditVoucherDrawer from './AddEditVoucherDrawer'
|
||||||
|
|
||||||
|
// Voucher Type Interface
|
||||||
|
export interface VoucherType {
|
||||||
|
id: number
|
||||||
|
code: string
|
||||||
|
type: 'discount' | 'cashback' | 'free_shipping' | 'product'
|
||||||
|
discountType?: 'fixed' | 'percent'
|
||||||
|
discountValue?: number
|
||||||
|
minPurchase?: number
|
||||||
|
validFrom: string
|
||||||
|
validUntil: string
|
||||||
|
isActive: boolean
|
||||||
|
}
|
||||||
|
|
||||||
|
// Main Voucher Catalog Type Interface
|
||||||
|
export interface VoucherCatalogType {
|
||||||
|
id: string
|
||||||
|
name: string
|
||||||
|
description?: string
|
||||||
|
pointCost: number
|
||||||
|
stock?: number
|
||||||
|
isActive: boolean
|
||||||
|
validUntil?: Date
|
||||||
|
imageUrl?: string
|
||||||
|
createdAt: Date
|
||||||
|
updatedAt: Date
|
||||||
|
// Voucher-specific fields
|
||||||
|
code: string
|
||||||
|
type: 'discount' | 'cashback' | 'free_shipping' | 'product'
|
||||||
|
discountType?: 'fixed' | 'percent'
|
||||||
|
discountValue?: number
|
||||||
|
minPurchase?: number
|
||||||
|
validFrom: string
|
||||||
|
}
|
||||||
|
|
||||||
|
declare module '@tanstack/table-core' {
|
||||||
|
interface FilterFns {
|
||||||
|
fuzzy: FilterFn<unknown>
|
||||||
|
}
|
||||||
|
interface FilterMeta {
|
||||||
|
itemRank: RankingInfo
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
type VoucherCatalogTypeWithAction = VoucherCatalogType & {
|
||||||
|
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)} />
|
||||||
|
}
|
||||||
|
|
||||||
|
// Updated dummy data with integrated voucher information
|
||||||
|
const DUMMY_VOUCHER_DATA: VoucherCatalogType[] = [
|
||||||
|
{
|
||||||
|
id: '1',
|
||||||
|
name: 'Voucher Diskon 50K',
|
||||||
|
description: 'Voucher diskon Rp 50.000 untuk pembelian minimal Rp 200.000',
|
||||||
|
pointCost: 500,
|
||||||
|
stock: 100,
|
||||||
|
isActive: true,
|
||||||
|
validUntil: new Date('2024-12-31'),
|
||||||
|
imageUrl: 'https://example.com/voucher-50k.jpg',
|
||||||
|
createdAt: new Date('2024-01-15'),
|
||||||
|
updatedAt: new Date('2024-02-10'),
|
||||||
|
code: 'DISC50K',
|
||||||
|
type: 'discount',
|
||||||
|
discountType: 'fixed',
|
||||||
|
discountValue: 50000,
|
||||||
|
minPurchase: 200000,
|
||||||
|
validFrom: '2024-01-15'
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: '2',
|
||||||
|
name: 'Free Shipping Voucher',
|
||||||
|
description: 'Gratis ongkos kirim untuk seluruh Indonesia',
|
||||||
|
pointCost: 200,
|
||||||
|
stock: 500,
|
||||||
|
isActive: true,
|
||||||
|
validUntil: new Date('2024-06-30'),
|
||||||
|
imageUrl: 'https://example.com/free-shipping.jpg',
|
||||||
|
createdAt: new Date('2024-01-20'),
|
||||||
|
updatedAt: new Date('2024-02-15'),
|
||||||
|
code: 'FREESHIP',
|
||||||
|
type: 'free_shipping',
|
||||||
|
validFrom: '2024-01-20'
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: '3',
|
||||||
|
name: 'Bluetooth Speaker Premium',
|
||||||
|
description: 'Speaker bluetooth kualitas premium dengan bass yang menggelegar',
|
||||||
|
pointCost: 2500,
|
||||||
|
stock: 25,
|
||||||
|
isActive: true,
|
||||||
|
validUntil: new Date('2024-09-30'),
|
||||||
|
imageUrl: 'https://example.com/bluetooth-speaker.jpg',
|
||||||
|
createdAt: new Date('2024-01-25'),
|
||||||
|
updatedAt: new Date('2024-02-20'),
|
||||||
|
code: 'SPEAKER25',
|
||||||
|
type: 'product',
|
||||||
|
validFrom: '2024-01-25'
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: '4',
|
||||||
|
name: 'Voucher Cashback 20%',
|
||||||
|
description: 'Cashback 20% maksimal Rp 100.000 untuk kategori elektronik',
|
||||||
|
pointCost: 800,
|
||||||
|
stock: 200,
|
||||||
|
isActive: true,
|
||||||
|
validUntil: new Date('2024-08-31'),
|
||||||
|
createdAt: new Date('2024-02-01'),
|
||||||
|
updatedAt: new Date('2024-02-25'),
|
||||||
|
code: 'CASHBACK20',
|
||||||
|
type: 'cashback',
|
||||||
|
discountType: 'percent',
|
||||||
|
discountValue: 20,
|
||||||
|
minPurchase: 100000,
|
||||||
|
validFrom: '2024-02-01'
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: '5',
|
||||||
|
name: 'Smartwatch Fitness',
|
||||||
|
description: 'Smartwatch dengan fitur fitness tracking dan heart rate monitor',
|
||||||
|
pointCost: 5000,
|
||||||
|
stock: 15,
|
||||||
|
isActive: true,
|
||||||
|
validUntil: new Date('2024-12-31'),
|
||||||
|
createdAt: new Date('2024-02-05'),
|
||||||
|
updatedAt: new Date('2024-03-01'),
|
||||||
|
code: 'WATCH15',
|
||||||
|
type: 'product',
|
||||||
|
validFrom: '2024-02-05'
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: '6',
|
||||||
|
name: 'Tumbler Stainless Premium',
|
||||||
|
description: 'Tumbler stainless steel 500ml dengan desain eksklusif',
|
||||||
|
pointCost: 1200,
|
||||||
|
stock: 50,
|
||||||
|
isActive: true,
|
||||||
|
validUntil: new Date('2024-10-31'),
|
||||||
|
createdAt: new Date('2024-02-10'),
|
||||||
|
updatedAt: new Date('2024-03-05'),
|
||||||
|
code: 'TUMBLER50',
|
||||||
|
type: 'product',
|
||||||
|
validFrom: '2024-02-10'
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: '7',
|
||||||
|
name: 'Gift Card 100K',
|
||||||
|
description: 'Gift card senilai Rp 100.000 yang bisa digunakan untuk semua produk',
|
||||||
|
pointCost: 1000,
|
||||||
|
stock: 300,
|
||||||
|
isActive: true,
|
||||||
|
validUntil: new Date('2024-12-31'),
|
||||||
|
createdAt: new Date('2024-02-15'),
|
||||||
|
updatedAt: new Date('2024-03-10'),
|
||||||
|
code: 'GIFT100K',
|
||||||
|
type: 'discount',
|
||||||
|
discountType: 'fixed',
|
||||||
|
discountValue: 100000,
|
||||||
|
validFrom: '2024-02-15'
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: '8',
|
||||||
|
name: 'Wireless Earbuds',
|
||||||
|
description: 'Earbuds wireless dengan noise cancellation dan case charging',
|
||||||
|
pointCost: 3500,
|
||||||
|
stock: 30,
|
||||||
|
isActive: true,
|
||||||
|
validUntil: new Date('2024-11-30'),
|
||||||
|
createdAt: new Date('2024-03-01'),
|
||||||
|
updatedAt: new Date('2024-03-15'),
|
||||||
|
code: 'EARBUDS30',
|
||||||
|
type: 'product',
|
||||||
|
validFrom: '2024-03-01'
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: '9',
|
||||||
|
name: 'Voucher Buy 1 Get 1',
|
||||||
|
description: 'Beli 1 gratis 1 untuk kategori fashion wanita',
|
||||||
|
pointCost: 600,
|
||||||
|
stock: 150,
|
||||||
|
isActive: false,
|
||||||
|
validUntil: new Date('2024-07-31'),
|
||||||
|
createdAt: new Date('2024-03-05'),
|
||||||
|
updatedAt: new Date('2024-03-20'),
|
||||||
|
code: 'BUY1GET1',
|
||||||
|
type: 'discount',
|
||||||
|
discountType: 'percent',
|
||||||
|
discountValue: 50,
|
||||||
|
minPurchase: 50000,
|
||||||
|
validFrom: '2024-03-05'
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: '10',
|
||||||
|
name: 'Power Bank 20000mAh',
|
||||||
|
description: 'Power bank fast charging 20000mAh dengan 3 port USB',
|
||||||
|
pointCost: 1800,
|
||||||
|
stock: 40,
|
||||||
|
isActive: true,
|
||||||
|
validUntil: new Date('2024-12-31'),
|
||||||
|
createdAt: new Date('2024-03-10'),
|
||||||
|
updatedAt: new Date('2024-03-25'),
|
||||||
|
code: 'POWERBANK40',
|
||||||
|
type: 'product',
|
||||||
|
validFrom: '2024-03-10'
|
||||||
|
}
|
||||||
|
]
|
||||||
|
|
||||||
|
// Helper function to get voucher type display text
|
||||||
|
const getVoucherTypeDisplay = (type: string) => {
|
||||||
|
const typeMap = {
|
||||||
|
discount: 'Diskon',
|
||||||
|
cashback: 'Cashback',
|
||||||
|
free_shipping: 'Gratis Ongkir',
|
||||||
|
product: 'Produk'
|
||||||
|
}
|
||||||
|
return typeMap[type as keyof typeof typeMap] || type
|
||||||
|
}
|
||||||
|
|
||||||
|
// Helper function to get voucher value display
|
||||||
|
const getVoucherValueDisplay = (voucher: VoucherCatalogType) => {
|
||||||
|
if (voucher.type === 'free_shipping') return 'Gratis Ongkir'
|
||||||
|
if (voucher.type === 'product') return 'Produk Fisik'
|
||||||
|
|
||||||
|
if (voucher.discountValue) {
|
||||||
|
if (voucher.discountType === 'percent') {
|
||||||
|
return `${voucher.discountValue}%`
|
||||||
|
} else {
|
||||||
|
return formatCurrency(voucher.discountValue)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return '-'
|
||||||
|
}
|
||||||
|
|
||||||
|
// Mock data hook with dummy data
|
||||||
|
const useVoucherCatalog = ({ 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_VOUCHER_DATA
|
||||||
|
|
||||||
|
return DUMMY_VOUCHER_DATA.filter(
|
||||||
|
voucher =>
|
||||||
|
voucher.name.toLowerCase().includes(search.toLowerCase()) ||
|
||||||
|
voucher.description?.toLowerCase().includes(search.toLowerCase()) ||
|
||||||
|
voucher.code.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: {
|
||||||
|
vouchers: paginatedData,
|
||||||
|
total_count: filteredData.length
|
||||||
|
},
|
||||||
|
isLoading,
|
||||||
|
error: null,
|
||||||
|
isFetching: isLoading
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// Column Definitions
|
||||||
|
const columnHelper = createColumnHelper<VoucherCatalogTypeWithAction>()
|
||||||
|
|
||||||
|
const VoucherListTable = () => {
|
||||||
|
// States
|
||||||
|
const [addVoucherOpen, setAddVoucherOpen] = useState(false)
|
||||||
|
const [editVoucherData, setEditVoucherData] = useState<VoucherCatalogType | 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 } = useVoucherCatalog({
|
||||||
|
page: currentPage,
|
||||||
|
limit: pageSize,
|
||||||
|
search
|
||||||
|
})
|
||||||
|
|
||||||
|
const vouchers = data?.vouchers ?? []
|
||||||
|
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 handleEditVoucher = (voucher: VoucherCatalogType) => {
|
||||||
|
setEditVoucherData(voucher)
|
||||||
|
setAddVoucherOpen(true)
|
||||||
|
}
|
||||||
|
|
||||||
|
const handleDeleteVoucher = (voucherId: string) => {
|
||||||
|
if (confirm('Apakah Anda yakin ingin menghapus voucher ini?')) {
|
||||||
|
console.log('Deleting voucher:', voucherId)
|
||||||
|
// Add your delete logic here
|
||||||
|
// deleteVoucher.mutate(voucherId)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const handleToggleActive = (voucherId: string, currentStatus: boolean) => {
|
||||||
|
console.log('Toggling active status for voucher:', voucherId, !currentStatus)
|
||||||
|
// Add your toggle logic here
|
||||||
|
// toggleVoucherStatus.mutate({ id: voucherId, isActive: !currentStatus })
|
||||||
|
}
|
||||||
|
|
||||||
|
const handleCloseVoucherDrawer = () => {
|
||||||
|
setAddVoucherOpen(false)
|
||||||
|
setEditVoucherData(undefined)
|
||||||
|
}
|
||||||
|
|
||||||
|
const columns = useMemo<ColumnDef<VoucherCatalogTypeWithAction, 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: 'Nama Voucher',
|
||||||
|
cell: ({ row }) => (
|
||||||
|
<div className='flex items-center gap-4'>
|
||||||
|
<CustomAvatar src={row.original.imageUrl} size={40}>
|
||||||
|
{getInitials(row.original.name)}
|
||||||
|
</CustomAvatar>
|
||||||
|
<div className='flex flex-col'>
|
||||||
|
<Link href={getLocalizedUrl(`/apps/vouchers/${row.original.id}/detail`, locale as Locale)}>
|
||||||
|
<Typography className='font-medium cursor-pointer hover:underline text-primary'>
|
||||||
|
{row.original.name}
|
||||||
|
</Typography>
|
||||||
|
</Link>
|
||||||
|
{row.original.description && (
|
||||||
|
<Typography variant='caption' color='textSecondary' className='max-w-xs truncate'>
|
||||||
|
{row.original.description}
|
||||||
|
</Typography>
|
||||||
|
)}
|
||||||
|
<Typography variant='caption' color='textSecondary' className='font-mono'>
|
||||||
|
{row.original.code}
|
||||||
|
</Typography>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
)
|
||||||
|
}),
|
||||||
|
columnHelper.accessor('type', {
|
||||||
|
header: 'Tipe Voucher',
|
||||||
|
cell: ({ row }) => {
|
||||||
|
const typeColors = {
|
||||||
|
discount: 'primary',
|
||||||
|
cashback: 'success',
|
||||||
|
free_shipping: 'info',
|
||||||
|
product: 'warning'
|
||||||
|
} as const
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Chip
|
||||||
|
label={getVoucherTypeDisplay(row.original.type)}
|
||||||
|
color={typeColors[row.original.type] || 'default'}
|
||||||
|
variant='tonal'
|
||||||
|
size='small'
|
||||||
|
/>
|
||||||
|
)
|
||||||
|
}
|
||||||
|
}),
|
||||||
|
columnHelper.accessor('discountValue', {
|
||||||
|
header: 'Nilai Voucher',
|
||||||
|
cell: ({ row }) => (
|
||||||
|
<Typography color='text.primary' className='font-medium'>
|
||||||
|
{getVoucherValueDisplay(row.original)}
|
||||||
|
</Typography>
|
||||||
|
)
|
||||||
|
}),
|
||||||
|
columnHelper.accessor('pointCost', {
|
||||||
|
header: 'Biaya Poin',
|
||||||
|
cell: ({ row }) => (
|
||||||
|
<div className='flex items-center gap-2'>
|
||||||
|
<Icon className='tabler-star-filled' sx={{ color: 'var(--mui-palette-warning-main)' }} />
|
||||||
|
<Typography color='text.primary' className='font-medium'>
|
||||||
|
{row.original.pointCost.toLocaleString('id-ID')} poin
|
||||||
|
</Typography>
|
||||||
|
</div>
|
||||||
|
)
|
||||||
|
}),
|
||||||
|
columnHelper.accessor('minPurchase', {
|
||||||
|
header: 'Min. Pembelian',
|
||||||
|
cell: ({ row }) => (
|
||||||
|
<Typography color='text.primary'>
|
||||||
|
{row.original.minPurchase ? formatCurrency(row.original.minPurchase) : '-'}
|
||||||
|
</Typography>
|
||||||
|
)
|
||||||
|
}),
|
||||||
|
columnHelper.accessor('stock', {
|
||||||
|
header: 'Stok',
|
||||||
|
cell: ({ row }) => {
|
||||||
|
const stock = row.original.stock
|
||||||
|
const stockColor = stock === 0 ? 'error' : stock && stock <= 10 ? 'warning' : 'success'
|
||||||
|
const stockText = stock === undefined ? 'Unlimited' : stock === 0 ? 'Habis' : stock.toString()
|
||||||
|
|
||||||
|
return <Chip label={stockText} color={stockColor} variant='tonal' size='small' />
|
||||||
|
}
|
||||||
|
}),
|
||||||
|
columnHelper.accessor('isActive', {
|
||||||
|
header: 'Status',
|
||||||
|
cell: ({ row }) => (
|
||||||
|
<Chip
|
||||||
|
label={row.original.isActive ? 'Aktif' : 'Nonaktif'}
|
||||||
|
color={row.original.isActive ? 'success' : 'error'}
|
||||||
|
variant='tonal'
|
||||||
|
size='small'
|
||||||
|
/>
|
||||||
|
)
|
||||||
|
}),
|
||||||
|
columnHelper.accessor('validUntil', {
|
||||||
|
header: 'Berlaku Hingga',
|
||||||
|
cell: ({ row }) => (
|
||||||
|
<Typography color='text.primary'>
|
||||||
|
{row.original.validUntil
|
||||||
|
? new Date(row.original.validUntil).toLocaleDateString('id-ID', {
|
||||||
|
year: 'numeric',
|
||||||
|
month: 'short',
|
||||||
|
day: 'numeric'
|
||||||
|
})
|
||||||
|
: 'Tidak terbatas'}
|
||||||
|
</Typography>
|
||||||
|
)
|
||||||
|
}),
|
||||||
|
{
|
||||||
|
id: 'actions',
|
||||||
|
header: 'Aksi',
|
||||||
|
cell: ({ row }) => (
|
||||||
|
<div className='flex items-center'>
|
||||||
|
<OptionMenu
|
||||||
|
iconButtonProps={{ size: 'medium' }}
|
||||||
|
iconClassName='text-textSecondary text-[22px]'
|
||||||
|
options={[
|
||||||
|
{
|
||||||
|
text: row.original.isActive ? 'Nonaktifkan' : 'Aktifkan',
|
||||||
|
icon: row.original.isActive ? 'tabler-eye-off text-[22px]' : 'tabler-eye text-[22px]',
|
||||||
|
menuItemProps: {
|
||||||
|
className: 'flex items-center gap-2 text-textSecondary',
|
||||||
|
onClick: () => handleToggleActive(row.original.id, row.original.isActive)
|
||||||
|
}
|
||||||
|
},
|
||||||
|
{
|
||||||
|
text: 'Edit',
|
||||||
|
icon: 'tabler-edit text-[22px]',
|
||||||
|
menuItemProps: {
|
||||||
|
className: 'flex items-center gap-2 text-textSecondary',
|
||||||
|
onClick: () => handleEditVoucher(row.original)
|
||||||
|
}
|
||||||
|
},
|
||||||
|
{
|
||||||
|
text: 'Hapus',
|
||||||
|
icon: 'tabler-trash text-[22px]',
|
||||||
|
menuItemProps: {
|
||||||
|
className: 'flex items-center gap-2 text-textSecondary',
|
||||||
|
onClick: () => handleDeleteVoucher(row.original.id)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
]}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
),
|
||||||
|
enableSorting: false
|
||||||
|
}
|
||||||
|
],
|
||||||
|
// eslint-disable-next-line react-hooks/exhaustive-deps
|
||||||
|
[locale, handleEditVoucher, handleDeleteVoucher, handleToggleActive]
|
||||||
|
)
|
||||||
|
|
||||||
|
const table = useReactTable({
|
||||||
|
data: vouchers as VoucherCatalogType[],
|
||||||
|
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 Voucher'
|
||||||
|
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={() => setAddVoucherOpen(!addVoucherOpen)}
|
||||||
|
className='max-sm:is-full'
|
||||||
|
>
|
||||||
|
Tambah Voucher
|
||||||
|
</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>
|
||||||
|
<AddEditVoucherDrawer open={addVoucherOpen} handleClose={handleCloseVoucherDrawer} data={editVoucherData} />
|
||||||
|
</>
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
|
export default VoucherListTable
|
||||||
17
src/views/apps/marketing/voucher/index.tsx
Normal file
17
src/views/apps/marketing/voucher/index.tsx
Normal file
@ -0,0 +1,17 @@
|
|||||||
|
// MUI Imports
|
||||||
|
import Grid from '@mui/material/Grid2'
|
||||||
|
import VoucherListTable from './VoucherListTable'
|
||||||
|
|
||||||
|
// Type Imports
|
||||||
|
|
||||||
|
const VoucherList = () => {
|
||||||
|
return (
|
||||||
|
<Grid container spacing={6}>
|
||||||
|
<Grid size={{ xs: 12 }}>
|
||||||
|
<VoucherListTable />
|
||||||
|
</Grid>
|
||||||
|
</Grid>
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
|
export default VoucherList
|
||||||
Loading…
x
Reference in New Issue
Block a user