source: src/sections/client/customer-new-edit-form.tsx@ 87c9f1e

main
Last change on this file since 87c9f1e was 87c9f1e, checked in by Naum Shapkarovski <naumshapkarovski@…>, 5 weeks ago

update the seed script. update the prisma schema, use mapping

  • Property mode set to 100644
File size: 8.1 KB
Line 
1import * as Yup from 'yup';
2import { useCallback, useMemo } from 'react';
3import { useForm, Controller } from 'react-hook-form';
4import { zodResolver } from '@hookform/resolvers/zod';
5// @mui
6import LoadingButton from '@mui/lab/LoadingButton';
7import Box from '@mui/material/Box';
8import Card from '@mui/material/Card';
9import Stack from '@mui/material/Stack';
10import Switch from '@mui/material/Switch';
11import Grid from '@mui/material/Unstable_Grid2';
12import Typography from '@mui/material/Typography';
13import FormControlLabel from '@mui/material/FormControlLabel';
14// utils
15import { fData } from 'src/utils/format-number';
16// routes
17import { paths } from 'src/routes/paths';
18import { useRouter } from 'src/routes/hooks';
19// types
20import { Customer, NewCustomer, newCustomerSchema } from 'src/schemas';
21// components
22import Label from 'src/components/label';
23import { useSnackbar } from 'src/components/snackbar';
24import FormProvider, { RHFTextField, RHFUploadAvatar } from 'src/components/hook-form';
25import uploadToFirebaseStorage from 'src/utils/upload-to-firebase-storage';
26import { addDoc, collection } from 'firebase/firestore';
27import { db } from 'src/lib/firebase';
28import { createCustomer } from 'src/api/customer';
29
30// ----------------------------------------------------------------------
31
32type Props = {
33 currentUser?: Customer;
34};
35
36export default function CustomerNewEditForm({ currentUser: currentCustomer }: Props) {
37 const router = useRouter();
38
39 const { enqueueSnackbar } = useSnackbar();
40
41 const defaultValues: NewCustomer = useMemo(
42 () => ({
43 name: currentCustomer?.name || '',
44 representative: currentCustomer?.representative || '',
45 email: currentCustomer?.email || '',
46 logoUrl: currentCustomer?.logoUrl || null,
47 address: currentCustomer?.address || {
48 country: '',
49 state: '',
50 street: '',
51 zip: '',
52 city: '',
53 },
54 vatNumber: currentCustomer?.vatNumber || '',
55 companyNumber: currentCustomer?.companyNumber || '',
56 id: currentCustomer?.id || '',
57 phoneNumber: currentCustomer?.phoneNumber || '',
58 status: 'active',
59 }),
60 [currentCustomer]
61 );
62
63 const methods = useForm({
64 resolver: zodResolver(newCustomerSchema),
65 defaultValues,
66 });
67
68 const {
69 reset,
70 watch,
71 control,
72 setValue,
73 handleSubmit,
74 formState: { isSubmitting },
75 } = methods;
76
77 const values = watch();
78
79 const onSubmit = handleSubmit(async (data) => {
80 try {
81 // await new Promise((resolve) => setTimeout(resolve, 500));
82 const logoFile = data.logoUrl as File & { preview: string };
83
84 const storagePath: string = `customers/${logoFile.name}`;
85 const logoUrl = await uploadToFirebaseStorage(logoFile, storagePath);
86
87 await createCustomer({ ...data, logoUrl });
88
89 reset();
90 enqueueSnackbar(currentCustomer ? 'Update success!' : 'Create success!');
91 router.push(paths.dashboard.customer.list);
92 console.info('DATA', data);
93 } catch (error) {
94 console.error(error);
95 }
96 });
97
98 const handleDrop = useCallback(
99 (acceptedFiles: File[]) => {
100 const file = acceptedFiles[0];
101
102 const newFile = Object.assign(file, {
103 preview: URL.createObjectURL(file),
104 });
105
106 if (file) {
107 setValue('logoUrl', newFile, { shouldValidate: true });
108 }
109 },
110 [setValue]
111 );
112
113 return (
114 <FormProvider methods={methods} onSubmit={onSubmit}>
115 <Grid container spacing={3}>
116 <Grid xs={12} md={4}>
117 <Card sx={{ pt: 10, pb: 5, px: 3 }}>
118 {currentCustomer && (
119 <Label
120 color={
121 (values.status === 'active' && 'success') ||
122 (values.status === 'banned' && 'error') ||
123 'warning'
124 }
125 sx={{ position: 'absolute', top: 24, right: 24 }}
126 >
127 {values.status}
128 </Label>
129 )}
130
131 <Box sx={{ mb: 5 }}>
132 <RHFUploadAvatar
133 name="logoUrl"
134 maxSize={3145728}
135 onDrop={handleDrop}
136 helperText={
137 <Typography
138 variant="caption"
139 sx={{
140 mt: 3,
141 mx: 'auto',
142 display: 'block',
143 textAlign: 'center',
144 color: 'text.disabled',
145 }}
146 >
147 Allowed *.jpeg, *.jpg, *.png, *.gif
148 <br /> max size of {fData(3145728)}
149 </Typography>
150 }
151 />
152 </Box>
153
154 {currentCustomer && (
155 <FormControlLabel
156 labelPlacement="start"
157 control={
158 <Controller
159 name="status"
160 control={control}
161 render={({ field }) => (
162 <Switch
163 {...field}
164 checked={field.value !== 'active'}
165 onChange={(event) =>
166 field.onChange(event.target.checked ? 'banned' : 'active')
167 }
168 />
169 )}
170 />
171 }
172 label={
173 <>
174 <Typography variant="subtitle2" sx={{ mb: 0.5 }}>
175 Banned
176 </Typography>
177 <Typography variant="body2" sx={{ color: 'text.secondary' }}>
178 Apply disable account
179 </Typography>
180 </>
181 }
182 sx={{ mx: 0, mb: 3, width: 1, justifyContent: 'space-between' }}
183 />
184 )}
185 </Card>
186 </Grid>
187
188 <Grid xs={12} md={8}>
189 <Card sx={{ p: 3 }}>
190 <Box
191 rowGap={3}
192 columnGap={2}
193 display="grid"
194 gridTemplateColumns={{
195 xs: 'repeat(1, 1fr)',
196 sm: 'repeat(2, 1fr)',
197 }}
198 >
199 <RHFTextField name="name" label="Name" />
200 <RHFTextField name="email" label="Email Address" />
201 <RHFTextField name="representative" label="Representative" />
202 <RHFTextField name="phoneNumber" label="Phone Number" />
203
204 <RHFTextField name="address.country" label="Country" />
205
206 {/* <RHFAutocomplete
207 name="address.country"
208 label="Country"
209 options={countries.map((country) => country.label)}
210 getOptionLabel={(option) => option}
211 isOptionEqualToValue={(option, value) => option === value}
212 renderOption={(props, option) => {
213 const { code, label, phone } = countries.filter(
214 (country) => country.label === option
215 )[0];
216
217 if (!label) {
218 return null;
219 }
220
221 return (
222 <li {...props} key={label}>
223 <Iconify
224 key={label}
225 icon={`circle-flags:${code.toLowerCase()}`}
226 width={28}
227 sx={{ mr: 1 }}
228 />
229 {label} ({code}) +{phone}
230 </li>
231 );
232 }}
233 /> */}
234
235 <RHFTextField name="address.state" label="State/Region" />
236 <RHFTextField name="address.city" label="City" />
237 <RHFTextField name="address.street" label="Street" />
238 <RHFTextField name="address.zip" label="Zip/Code" />
239 <RHFTextField name="vatNumber" label="VAT" />
240 <RHFTextField name="companyNumber" label="Company Number" />
241 </Box>
242
243 <Stack alignItems="flex-end" sx={{ mt: 3 }}>
244 <LoadingButton type="submit" variant="contained" loading={isSubmitting}>
245 {!currentCustomer ? 'Create Customer' : 'Save Changes'}
246 </LoadingButton>
247 </Stack>
248 </Card>
249 </Grid>
250 </Grid>
251 </FormProvider>
252 );
253}
Note: See TracBrowser for help on using the repository browser.