1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
|
import React from 'react';
import { useParams, useHistory } from 'react-router-dom';
import { Formik, Form, Field } from 'formik';
import Page, { Action } from './Page';
import Input from '../components/Input';
import { useProduct } from '../hooks/useAPIClient';
import { post, patch } from '../requests';
interface Params {
id: string;
}
const actions: Action[] = [
{ name: 'Назад', variant: 'outlined', route: '..' },
{ name: 'Сохранить', type: 'submit', form: 'productForm' },
];
const ProductForm: React.FC = () => {
const history = useHistory();
const { id } = useParams<Params>();
const { data: product } = useProduct(id);
const onSubmit = (values: any) => {
const promise = id
? patch(`/products/${id}`, values)
: post('/products', values);
return promise.then(() => history.push('/products'));
};
return (
<Page title={id ? product?.name : 'Новый товар'} actions={actions}>
{(!id || product) && (
<Formik
initialValues={product || { name: '', price: '' }}
onSubmit={onSubmit}
>
{() => (
<Form id="productForm">
<div className="max-w-lg">
<Field name="name" label="Название" as={Input} />
<Field name="price" type="number" label="Цена ($)" as={Input} />
</div>
</Form>
)}
</Formik>
)}
</Page>
);
};
export default ProductForm;
|