Compare commits

..

No commits in common. "main" and "feat/arm-master-filter" have entirely different histories.

39 changed files with 330 additions and 840 deletions

View File

@ -3,9 +3,7 @@ import { jest } from '@jest/globals';
jest.mock('@brojs/cli', () => ({
getConfigValue: jest.fn(() => '/api'),
getFeatures: jest.fn(() => ({
['order-view-status-polling']: { value: '3000' },
['car-img-upload']: { value: 'true' },
['order-cost']: { value: '1000' },
['order-view-status-polling']: { value: '3000' }
})),
getNavigationValue: jest.fn((navKey: string) => {
switch (navKey) {

View File

@ -5,7 +5,7 @@ module.exports = {
},
coverageProvider: 'v8',
coverageDirectory: 'coverage',
collectCoverageFrom: ['**/src/**/*.{ts,tsx}', '!**/src/app.tsx', '!**/src/**/types.ts', '!**/src/**/*.d.ts', '!**/src/models/**/*'],
collectCoverageFrom: ['**/src/**/*.{ts,tsx}', '!**/src/app.tsx'],
collectCoverage: true,
clearMocks: true,
moduleNameMapper: {

View File

@ -67,9 +67,6 @@
"dry-wash.order-view.upload-car-image.file-input.button": "Upload",
"dry-wash.order-view.upload-car-image-query.success.title": "The car image is successfully uploaded",
"dry-wash.order-view.upload-car-image-query.error.title": "Failed to upload the car image",
"dry-wash.order-view.price-car.title": "The level of car contamination:",
"dry-wash.order-view.price-car.description": "The cost of washing:",
"dry-wash.order-view.price-car.error": "Failed to determine the level of car contamination",
"dry-wash.arm.master.add": "Add",
"dry-wash.arm.order.title": "Orders",
"dry-wash.arm.order.table.empty": "Table empty",

View File

@ -122,9 +122,6 @@
"dry-wash.order-view.upload-car-image.file-input.button": "Загрузить",
"dry-wash.order-view.upload-car-image-query.success.title": "Изображение автомобиля успешно загружено",
"dry-wash.order-view.upload-car-image-query.error.title": "Не удалось загрузить изображение автомобиля",
"dry-wash.order-view.price-car.title": "Уровень загрязнения машины:",
"dry-wash.order-view.price-car.description": "Стоимость мойки:",
"dry-wash.order-view.price-car.error": "Не удалось определить уровень загрязнения машины",
"dry-wash.notFound.title": "Страница не найдена",
"dry-wash.notFound.description": "К сожалению, запрашиваемая вами страница не существует.",
"dry-wash.notFound.button.back": "Вернуться на главную",

4
package-lock.json generated
View File

@ -1,12 +1,12 @@
{
"name": "dry-wash",
"version": "0.12.0",
"version": "0.9.2",
"lockfileVersion": 3,
"requires": true,
"packages": {
"": {
"name": "dry-wash",
"version": "0.12.0",
"version": "0.9.2",
"license": "ISC",
"dependencies": {
"@babel/core": "^7.26.7",

View File

@ -1,6 +1,6 @@
{
"name": "dry-wash",
"version": "0.12.0",
"version": "0.9.2",
"description": "<a id=\"readme-top\"></a>",
"main": "./src/index.tsx",
"scripts": {

View File

@ -1,11 +1,8 @@
import { Box, Image, Progress, Text, VStack } from '@chakra-ui/react';
import { Box, Image, Progress, Text } from '@chakra-ui/react';
import React from 'react';
import { getFeatures } from '@brojs/cli';
import { useTranslation } from 'react-i18next';
import { formatPrice, getProgressColor } from './helper';
const PRICE_INCREASE_PERCENT_PER_RATING = 10;
const PRICE_INCREASE_PERCENT_PER_RATING = 10; // 10% за каждый балл
export const PriceCar = ({ image, rating, description }) => {
const BASE_WASH_PRICE: number = Number(
@ -18,56 +15,33 @@ export const PriceCar = ({ image, rating, description }) => {
return BASE_WASH_PRICE + priceIncrease;
};
const { i18n, t } = useTranslation('~', {
keyPrefix: 'dry-wash.order-view.price-car',
});
const washPrice = calculateWashPrice(rating);
const formattedPrice = formatPrice(washPrice, i18n.language);
const progressValue = (rating / 10) * 100;
return (
<Box
alignItems='center'
gap={5}
width='100%'
display='flex'
justifyContent='center'
alignItems='flex-start'
flexWrap='wrap'
flexDirection='column'
>
<Image
maxWidth='600px'
width='100%'
objectFit='contain'
borderRadius='md'
src={image}
alt=''
alt='Car Image'
/>
<Box flex='1 1 40%'>
{!Number.isNaN(progressValue) ? (
<VStack alignItems='stretch'>
<Box>
<Text>{t('title')}</Text>
<Progress
value={progressValue}
size='sm'
sx={{
'& > div': {
backgroundColor: getProgressColor(progressValue),
},
}}
mt={2}
/>
<Text mt={2}>
{t('description')} <b>{formattedPrice}</b>
</Text>
</Box>
<Text fontStyle='italic'>{description}</Text>
</VStack>
) : (
<Text>{t('error')}</Text>
)}
</Box>
{rating ? (
<Box width='100%' maxW='600px'>
<Text>Рейтинг загрязнения машины:</Text>
<Progress value={progressValue} size='sm' colorScheme='red' mt={2} />
<Text mt={2}>Стоимость мойки: {washPrice.toFixed(2)} руб.</Text>
</Box>
) : (
<Text>Не удалость определить уровень загрязнения машины</Text>
)}
<Text>{description}</Text>
</Box>
);
};

View File

@ -1,15 +0,0 @@
export const formatPrice = (price: number, locale = 'ru-RU', currency = 'RUB') => {
return new Intl.NumberFormat(locale, {
style: 'currency',
currency: currency,
minimumFractionDigits: 2,
maximumFractionDigits: 2,
}).format(price);
};
export const getProgressColor = (value: number) => {
const normalizedValue = value / 100;
const hue = 120 - normalizedValue * 120;
return `hsl(${hue}, 100%, 50%)`;
};

View File

@ -40,14 +40,12 @@ export const CarBodySelect = forwardRef<HTMLInputElement, CarBodySelectProps>(
});
return (
<Box width='100%' pos='relative'>
<Box width='100%'>
<Popover
isOpen={isOpen}
autoFocus={false}
placement='bottom-start'
matchWidth
gutter={2}
strategy="fixed"
>
<PopoverAnchor>
<Input

View File

@ -1,2 +1 @@
export { CarBodySelect } from './car-body-select';
export { carBodySelectOptions } from './helper';
export { CarBodySelect } from './car-body-select';

View File

@ -1,75 +0,0 @@
import React from 'react';
import { render, screen, fireEvent } from '@testing-library/react';
import '@testing-library/jest-dom';
import { CarColorSelect } from './car-color-select';
// Mock the translation hook
jest.mock('react-i18next', () => ({
useTranslation: () => ({
t: (key: string) => {
// Return the last part of the key as that's what component is using
const keyParts = key.split('.');
return keyParts[keyParts.length - 1];
},
}),
}));
describe('CarColorSelect', () => {
it('renders color options correctly', () => {
const onChange = jest.fn();
render(<CarColorSelect onChange={onChange} />);
// Check if color buttons are rendered
const colorButtons = screen.getAllByRole('button');
expect(colorButtons.length).toBeGreaterThan(0);
});
it('handles color selection', () => {
const onChange = jest.fn();
render(<CarColorSelect onChange={onChange} />);
// Click the first color button
const colorButtons = screen.getAllByRole('button');
fireEvent.click(colorButtons[0]);
expect(onChange).toHaveBeenCalled();
});
it('handles custom color selection', () => {
const onChange = jest.fn();
render(<CarColorSelect onChange={onChange} />);
// Find and click the custom color button
const customButton = screen.getByText('custom');
fireEvent.click(customButton);
// Check if custom color input appears
const customInput = screen.getByPlaceholderText('placeholder');
expect(customInput).toBeInTheDocument();
// Test custom color input
fireEvent.change(customInput, { target: { value: '#FF0000' } });
expect(onChange).toHaveBeenCalledWith(expect.objectContaining({
target: { value: '#FF0000' },
}));
});
it('shows selected color label when color is selected', () => {
const onChange = jest.fn();
render(<CarColorSelect value="black" onChange={onChange} />);
// Since the color label might not be immediately visible,
// we'll verify the component renders without crashing
const buttons = screen.getAllByRole('button');
expect(buttons.length).toBeGreaterThan(0);
});
it('handles invalid state', () => {
render(<CarColorSelect isInvalid={true} />);
// Since the component doesn't show explicit invalid state UI,
// we'll verify that the component renders without crashing
expect(screen.getAllByRole('button').length).toBeGreaterThan(0);
});
});

View File

@ -1,10 +1,14 @@
import React, { forwardRef, useState } from 'react';
import { Input, Box, Stack, Text, Flex } from '@chakra-ui/react';
import {
Input,
Box,
Stack,
Text,
Flex,
} from '@chakra-ui/react';
import { useTranslation } from 'react-i18next';
import { Car } from '../../../../models';
import { carColorSelectOptions } from './helper';
import { CAR_COLORS } from './helper';
interface CarColorSelectProps {
value?: string;
@ -14,11 +18,11 @@ interface CarColorSelectProps {
}
export const CarColorSelect = forwardRef<HTMLInputElement, CarColorSelectProps>(
function CarColorSelect(props, ref) {
function CarColorSelect(props) {
const [customColor, setCustomColor] = useState('');
const [isCustom, setIsCustom] = useState(false);
const handleColorChange = (value: Car.Color | string) => {
const handleColorChange = (value: string) => {
if (value === 'custom') {
setIsCustom(true);
return;
@ -29,9 +33,7 @@ export const CarColorSelect = forwardRef<HTMLInputElement, CarColorSelectProps>(
} as React.ChangeEvent<HTMLInputElement>);
};
const handleCustomColorChange = (
e: React.ChangeEvent<HTMLInputElement>,
) => {
const handleCustomColorChange = (e: React.ChangeEvent<HTMLInputElement>) => {
const value = e.target.value;
setCustomColor(value);
props.onChange?.({
@ -46,124 +48,107 @@ export const CarColorSelect = forwardRef<HTMLInputElement, CarColorSelectProps>(
const currentValue = isCustom ? 'custom' : props.value;
return (
<Stack spacing={4} width='100%' ref={ref}>
<Flex gap={2} wrap='wrap' pb={2}>
{carColorSelectOptions.map(({ value, labelTKey, code }) => (
<Box
key={value}
<Stack spacing={4} width="100%">
<Flex gap={3} wrap="nowrap" overflowX="auto" pb={2}>
{CAR_COLORS.map(({ name, code }) => (
<Box
key={name}
flexShrink={0}
as='button'
type='button'
onClick={() => handleColorChange(value)}
as="button"
type="button"
onClick={() => handleColorChange(name)}
>
<Flex
align='center'
gap={2}
p={1}
borderRadius='full'
borderWidth='2px'
borderColor='gray.200'
bg='white'
_hover={{
<Flex
align="center"
gap={2}
p={2}
borderRadius="full"
borderWidth="2px"
borderColor={currentValue === name ? 'primary.500' : 'gray.200'}
bg={currentValue === name ? 'primary.50' : 'white'}
_hover={{
borderColor: 'primary.500',
bg: 'gray.50',
bg: currentValue === name ? 'primary.50' : 'gray.50'
}}
justify='center'
transition='all 0.2s'
{...(currentValue === value && {
borderColor: 'primary.500',
bg: 'primary.50',
paddingInlineEnd: 3,
_hover: {
bg: 'primary.50',
},
})}
minW={currentValue === name ? '120px' : 'auto'}
h="48px"
justify="center"
transition="all 0.2s"
>
<Flex align='center' gap={2}>
<Flex align="center" gap={2}>
<Box
w='32px'
h='32px'
borderRadius='full'
w="32px"
h="32px"
borderRadius="full"
bg={code}
border='1px'
borderColor='gray.200'
transition='all 0.2s'
boxShadow='none'
{...(currentValue === value && {
borderColor: 'primary.500',
boxShadow: 'sm',
})}
border="1px"
borderColor={currentValue === name ? 'primary.500' : 'gray.200'}
transition="all 0.2s"
boxShadow={currentValue === name ? 'sm' : 'none'}
/>
{currentValue === value && (
<Text fontSize='xs' color='primary.700' fontWeight='medium'>
{t(`colors.${labelTKey}`)}
{currentValue === name && (
<Text fontSize="xs" color="primary.700" fontWeight="medium">
{t(`colors.${name}`)}
</Text>
)}
</Flex>
</Flex>
</Box>
))}
<Box
<Box
flexShrink={0}
as='button'
type='button'
as="button"
type="button"
onClick={() => handleColorChange('custom')}
>
<Flex
align='center'
<Flex
align="center"
gap={2}
p={1}
paddingInlineEnd={3}
borderRadius='full'
borderWidth='2px'
borderColor='gray.200'
bg='white'
_hover={{
p={2}
borderRadius="full"
borderWidth="2px"
borderColor={isCustom ? 'primary.500' : 'gray.200'}
bg={isCustom ? 'primary.50' : 'white'}
_hover={{
borderColor: 'primary.500',
bg: 'gray.50',
bg: isCustom ? 'primary.50' : 'gray.50'
}}
justify='center'
transition='all 0.2s'
{...(isCustom && {
borderColor: 'primary.500',
paddingInlineStart: 3,
bg: 'primary.50',
_hover: {
bg: 'primary.50',
},
})}
minW={isCustom ? '200px' : 'auto'}
h="48px"
justify="center"
transition="all 0.2s"
>
{isCustom ? (
<Flex gap={2} align='center'>
<Text fontSize='xs' color='primary.700' fontWeight='medium'>
<Flex gap={2} align="center">
<Text fontSize="xs" color="primary.700" fontWeight="medium">
{t('custom-label')}
</Text>
<Input
size='sm'
width='120px'
size="sm"
width="120px"
value={customColor}
onChange={handleCustomColorChange}
placeholder={t('placeholder')}
onClick={(e) => e.stopPropagation()}
borderColor='primary.200'
borderColor="primary.200"
_focus={{
borderColor: 'primary.500',
boxShadow: '0 0 0 1px var(--chakra-colors-primary-500)',
boxShadow: '0 0 0 1px var(--chakra-colors-primary-500)'
}}
/>
</Flex>
) : (
<Flex align='center' gap={2}>
<Flex align="center" gap={2}>
<Box
w='32px'
h='32px'
borderRadius='full'
bg='gray.100'
border='1px'
borderColor='gray.200'
transition='all 0.2s'
w="32px"
h="32px"
borderRadius="full"
bg="gray.100"
border="1px"
borderColor="gray.200"
transition="all 0.2s"
/>
<Text fontSize='xs' color='gray.500'>
<Text fontSize="xs" color="gray.500">
{t('custom')}
</Text>
</Flex>
@ -174,4 +159,4 @@ export const CarColorSelect = forwardRef<HTMLInputElement, CarColorSelectProps>(
</Stack>
);
},
);
);

View File

@ -1,44 +1,34 @@
import { Car } from "../../../../models";
export const carColorSelectOptions: { value: Car.Color | string; labelTKey: 'white' | 'black' | 'silver' | 'gray' | 'beige-brown' | 'red' | 'blue' | 'green'; code: string }[] = [
export const CAR_COLORS = [
{
value: Car.Color.WHITE,
labelTKey: 'white',
name: 'white',
code: '#ffffff'
},
{
value: Car.Color.BLACK,
labelTKey: 'black',
name: 'black',
code: '#000000'
},
{
value: Car.Color.SILVER,
labelTKey: 'silver',
name: 'silver',
code: '#c0c0c0'
},
{
value: Car.Color.GRAY,
labelTKey: 'gray',
name: 'gray',
code: '#808080'
},
{
value: Car.Color.BEIGE_BROWN,
labelTKey: 'beige-brown',
name: 'beige-brown',
code: '#796745'
},
{
value: Car.Color.RED,
labelTKey: 'red',
name: 'red',
code: '#b90000'
},
{
value: Car.Color.BLUE,
labelTKey: 'blue',
name: 'blue',
code: '#003B62'
},
{
value: Car.Color.GREEN,
labelTKey: 'green',
name: 'green',
code: '#078d51'
},
];
] as const satisfies { name: string; code: string }[];

View File

@ -1,2 +1 @@
export { CarColorSelect } from './car-color-select';
export { carColorSelectOptions } from './helper';
export { CarColorSelect } from './car-color-select';

View File

@ -1,26 +0,0 @@
import dayjs from 'dayjs';
import customParseFormat from 'dayjs/plugin/customParseFormat';
dayjs.extend(customParseFormat);
export const getMinDatetime = (dateTimeString: string, minDateTimeString: string) => {
const time = dayjs(dateTimeString);
const minDate = dayjs(minDateTimeString).format('YYYY-MM-DD');
const minTime = dayjs(minDateTimeString);
const newTime = (time && time.isAfter(minTime)) ? time : minTime;
return [minDate, newTime.format('HH:mm')].join('T');
};
export const getMaxDatetime = (dateTimeString: string, maxDateTimeString: string) => {
const time = dayjs(dateTimeString);
const maxDate = dayjs(maxDateTimeString).format('YYYY-MM-DD');
const maxTime = dayjs(maxDateTimeString);
const newTime = (time && time.isBefore(maxTime)) ? time : maxTime;
return [maxDate, newTime.format('HH:mm')].join('T');
};

View File

@ -1,2 +1 @@
export { type DateTimeInputProps, DateTimeInput } from './date-time';
export { getMinDatetime, getMaxDatetime } from './helper';
export { type DateTimeInputProps, DateTimeInput } from './date-time';

View File

@ -1,4 +1,2 @@
export type { OrderFormValues, OrderFormProps } from './types';
export { OrderForm } from './order-form';
export { carBodySelectOptions } from './car-body';
export { carColorSelectOptions } from './car-color';
export { OrderForm } from './order-form';

View File

@ -1,4 +1,4 @@
import React, { ForwardedRef, forwardRef, memo, useEffect, useState } from 'react';
import React, { forwardRef, memo, useEffect, useState } from 'react';
import {
Input,
Box,
@ -24,130 +24,129 @@ import {
} from './helper';
import { LocationInputProps } from './types';
export const BaseLocationInput = withYMaps(
({ ymaps, value = '', onChange, inputRef, ...props }: LocationInputProps & { inputRef: ForwardedRef<HTMLInputElement> }) => {
const [inputValue, setInputValue] = useState<string>('');
export const LocationInput = memo(
withYMaps(
forwardRef<HTMLInputElement, LocationInputProps>(function LocationInput(
{ ymaps, value, onChange, ...props },
ref,
) {
const [inputValue, setInputValue] = useState<string>('');
useEffect(() => {
setInputValue(value);
}, [value]);
const [suggestions, setSuggestions] = useState<Suggestion[]>([]);
const [isSuggestionsPanelOpen, setIsSuggestionsPanelOpen] =
useState<boolean>(false);
const onInputChange: InputProps['onChange'] = async (e) => {
const newInputValue = e.target.value;
if (
isValidLocation(newInputValue) &&
(await isRealLocation(ymaps, newInputValue))
) {
onChange(newInputValue);
} else {
setInputValue(newInputValue);
if (newInputValue.trim().length > 3) {
try {
const address = extractAddress(newInputValue);
const results = await ymaps.suggest(address);
setSuggestions(results);
} catch (error) {
console.error(error);
}
} else {
setSuggestions([]);
}
setIsSuggestionsPanelOpen(suggestions.length > 1);
}
};
const onFocus: InputProps['onFocus'] = () => {
setIsSuggestionsPanelOpen(suggestions.length > 1);
};
const onBlur: InputProps['onBlur'] = async (e) => {
const inputValue = e.target.value;
if (
isValidLocation(inputValue) &&
(await isRealLocation(ymaps, inputValue))
) {
onChange(inputValue);
} else {
useEffect(() => {
setInputValue(value);
}
setIsSuggestionsPanelOpen(false);
};
}, [value]);
const handleSuggestionClick = async ({ value: address }: Suggestion) => {
try {
const location = await getLocationByAddress(ymaps, address);
const newValue = formatLocation(location);
setInputValue(newValue);
onChange(newValue);
} catch (error) {
console.error(error);
}
};
const [suggestions, setSuggestions] = useState<Suggestion[]>([]);
const [isSuggestionsPanelOpen, setIsSuggestionsPanelOpen] =
useState<boolean>(false);
const { t } = useTranslation('~', {
keyPrefix: 'dry-wash.order-create.form.washing-location-field',
});
const onInputChange: InputProps['onChange'] = async (e) => {
const newInputValue = e.target.value;
return (
<Box width='100%'>
<Popover
isOpen={isSuggestionsPanelOpen}
autoFocus={false}
placement='bottom-start'
>
<PopoverAnchor>
<Input
{...props}
ref={inputRef}
onBlur={onBlur}
value={inputValue || value}
onChange={onInputChange}
onFocus={onFocus}
placeholder={t('placeholder')}
/>
</PopoverAnchor>
<PopoverContent width='100%' maxWidth='100%'>
<PopoverBody border='1px' borderColor='gray.300' p={0}>
<List>
{suggestions.map((suggestion, index) => (
<ListItem
key={index}
p={2}
cursor='pointer'
_hover={{
bgColor: 'primary.50',
}}
_active={{
bgColor: 'primary.100',
}}
onClick={() => handleSuggestionClick(suggestion)}
>
{suggestion.displayName}
</ListItem>
))}
</List>
</PopoverBody>
</PopoverContent>
</Popover>
</Box>
);
},
true,
['suggest', 'geocode'],
if (
isValidLocation(newInputValue) &&
(await isRealLocation(ymaps, newInputValue))
) {
onChange(newInputValue);
} else {
setInputValue(newInputValue);
if (newInputValue.trim().length > 3) {
try {
const address = extractAddress(newInputValue);
const results = await ymaps.suggest(address);
setSuggestions(results);
} catch (error) {
console.error(error);
}
} else {
setSuggestions([]);
}
setIsSuggestionsPanelOpen(suggestions.length > 1);
}
};
const onFocus: InputProps['onFocus'] = () => {
setIsSuggestionsPanelOpen(suggestions.length > 1);
};
const onBlur: InputProps['onBlur'] = async (e) => {
const inputValue = e.target.value;
if (
isValidLocation(inputValue) &&
(await isRealLocation(ymaps, inputValue))
) {
onChange(inputValue);
} else {
setInputValue(value);
}
setIsSuggestionsPanelOpen(false);
};
const handleSuggestionClick = async ({ value: address }: Suggestion) => {
try {
const location = await getLocationByAddress(ymaps, address);
const newValue = formatLocation(location);
setInputValue(newValue);
onChange(newValue);
} catch (error) {
console.error(error);
}
};
const { t } = useTranslation('~', {
keyPrefix: 'dry-wash.order-create.form.washing-location-field',
});
return (
<Box width='100%'>
<Popover
isOpen={isSuggestionsPanelOpen}
autoFocus={false}
placement='bottom-start'
>
<PopoverAnchor>
<Input
{...props}
ref={ref}
onBlur={onBlur}
value={inputValue ?? value}
onChange={onInputChange}
onFocus={onFocus}
placeholder={t('placeholder')}
/>
</PopoverAnchor>
<PopoverContent width='100%' maxWidth='100%'>
<PopoverBody border='1px' borderColor='gray.300' p={0}>
<List>
{suggestions.map((suggestion, index) => (
<ListItem
key={index}
p={2}
cursor='pointer'
_hover={{
bgColor: 'primary.50',
}}
_active={{
bgColor: 'primary.100',
}}
onClick={() => handleSuggestionClick(suggestion)}
>
{suggestion.displayName}
</ListItem>
))}
</List>
</PopoverBody>
</PopoverContent>
</Popover>
</Box>
);
}),
true,
['suggest', 'geocode'],
),
);
export const LocationInput = memo(forwardRef<HTMLInputElement, LocationInputProps>(
function LocationInput(props, ref) {
return <BaseLocationInput {...props} inputRef={ref} />;
},
));
// todo: i18n
// todo: replace console.error with toast

View File

@ -31,22 +31,8 @@ export const MapComponent: FC<{
}
}, [selectedLocation]);
const [windowWidth, setWindowWidth] = useState(window.innerWidth);
useEffect(() => {
const handleResize = () => {
setWindowWidth(window.innerWidth);
};
window.addEventListener('resize', handleResize);
return () => {
window.removeEventListener('resize', handleResize);
};
}, []);
return (
<Map
key={windowWidth}
state={{
center: mapCenter,
zoom:

View File

@ -1,4 +1,4 @@
import React, { useEffect } from 'react';
import React from 'react';
import { useForm } from 'react-hook-form';
import { useTranslation } from 'react-i18next';
import { Box, Flex, FormControl, FormLabel, VStack } from '@chakra-ui/react';
@ -10,7 +10,7 @@ import { OrderFormProps, OrderFormValues } from './types';
import { PhoneInput } from './phone';
import { SubmitButton } from './submit';
import { defaultValues, useGetValidationRules } from './helper';
import { DateTimeInput, getMinDatetime, getMaxDatetime } from './date-time';
import { DateTimeInput } from './date-time';
import {
LocationInput,
MapComponent,
@ -40,19 +40,6 @@ export const OrderForm = ({ onSubmit, loading, ...props }: OrderFormProps) => {
'carLocation',
]);
useEffect(() => {
if (!availableDatetimeBegin) {
return;
}
setValue('availableDatetimeEnd', getMinDatetime(availableDatetimeEnd, availableDatetimeBegin));
}, [availableDatetimeBegin]);
useEffect(() => {
if (!availableDatetimeEnd) {
return;
}
setValue('availableDatetimeBegin', getMaxDatetime(availableDatetimeBegin, availableDatetimeEnd));
}, [availableDatetimeEnd]);
return (
<Box p={4} marginInline='auto' {...props}>
<VStack

View File

@ -1,29 +0,0 @@
import React from 'react';
import { FC } from 'react';
import { Flex, Image } from '@chakra-ui/react';
import { Order } from '../../../../models';
import {
carBodySelectOptions,
carColorSelectOptions,
} from '../../../order-form';
import { LicensePlate } from './license-plate';
type Props = Pick<Order.View, 'carNumber' | 'carBody' | 'carColor'>;
export const CarDetails: FC<Props> = ({ carNumber, carBody, carColor }) => {
const image = carBodySelectOptions.find(({ value }) => value === carBody).img;
const color =
carColorSelectOptions.find(({ value }) => value === carColor)?.code ??
'black';
return (
<Flex direction='column' alignItems='center' p={2}>
<div style={{ backgroundColor: color, width: 'fit-content' }}>
<Image src={image} style={{ mixBlendMode: 'lighten' }} />
</div>
<LicensePlate carNumber={carNumber} />
</Flex>
);
};

View File

@ -1 +0,0 @@
export { CarDetails } from './car-details';

View File

@ -1 +0,0 @@
export { LicensePlate } from './license-plate';

View File

@ -1,52 +0,0 @@
import React, { FC } from 'react';
import { Flex, HStack, Text } from '@chakra-ui/react';
import { Order } from '../../../../../models';
export const LicensePlate: FC<Pick<Order.View, 'carNumber'>> = ({
carNumber,
}) => {
const firstLetter = carNumber.substring(0, 1);
const digits = carNumber.substring(1, 4);
const lastLetters = carNumber.substring(4, 6);
const region = carNumber.substring(6);
return (
<Flex
align='center'
bg='black'
borderRadius='md'
width='fit-content'
boxShadow='md'
fontFamily='mono'
fontWeight='bold'
fontSize='24px'
textTransform='uppercase'
color='black'
alignItems='stretch'
>
<HStack
bg='white'
border='2px solid black'
borderRadius='md'
px={2}
gap={0}
alignItems='baseline'
>
<Text>{firstLetter}</Text>
<Text fontSize='28px' lineHeight={0}>{digits}</Text>
<Text>{lastLetters}</Text>
</HStack>
<Flex
bg='white'
border='2px solid black'
borderInlineStart='none'
borderRadius='md'
px={2}
alignItems='center'
>
{region}
</Flex>
</Flex>
);
};

View File

@ -7,21 +7,17 @@ import {
UnorderedList,
ListItem,
Text,
Flex,
} from '@chakra-ui/react';
import { useTranslation } from 'react-i18next';
import dayjs from 'dayjs';
import localizedFormat from 'dayjs/plugin/localizedFormat';
import localizedFormat from "dayjs/plugin/localizedFormat";
dayjs.extend(localizedFormat);
import 'dayjs/locale/ru';
import 'dayjs/locale/en';
import { Order } from '../../../models/landing';
import { formatDatetime } from '../../../lib';
import { carBodySelectOptions, carColorSelectOptions } from '../../order-form';
import { carBodySelectOptions } from '../../order-form/form/car-body/helper';
import { OrderStatus } from './status';
import { CarDetails } from './car';
type OrderDetailsProps = Pick<
Order.View,
@ -47,73 +43,66 @@ export const OrderDetails: FC<OrderDetailsProps> = ({
location,
startWashTime,
endWashTime,
created,
created
}) => {
const { t, i18n } = useTranslation('~', {
const { t } = useTranslation('~', {
keyPrefix: 'dry-wash.order-view.details',
});
dayjs.locale(i18n.language);
const { t: tCarBody } = useTranslation('~', {
keyPrefix: 'dry-wash.order-create.car-body-select.options',
});
const { t: tCarColor } = useTranslation('~', {
keyPrefix: 'dry-wash.order-create.car-color-select.colors',
});
const carColorTKey = carColorSelectOptions.find(
({ value }) => value === carColor,
)?.labelTKey;
return (
<>
<Heading as='h2' size='lg' marginInline='auto'>
{t('title', { number: orderNumber })}
</Heading>
<HStack
width='full'
flexWrap='wrap'
justifyContent='space-between'
gap={2}
>
<Text>{dayjs(created).format('LLL')}</Text>
<Heading as='h2' size='lg'>
{t('title', { number: orderNumber })} ({dayjs(created).format('LLLL')})
</Heading>
<OrderStatus value={status} />
</HStack>
<Flex direction={{ base: 'column', md: 'row-reverse' }} gap={4}>
<CarDetails
carNumber={carNumber}
carBody={carBody}
carColor={carColor}
/>
<UnorderedList styleType='none'>
{[
{
label: t('car'),
value: `${tCarBody(carBodySelectOptions.find(({ value }) => value === carBody)?.labelTKey)} (${carColorTKey ? tCarColor(carColorTKey) : carColor})`,
},
{
label: t('owner'),
value: phone,
},
{
label: t('location'),
value: location,
},
{
label: t('datetime-range'),
value: [
formatDatetime(startWashTime),
formatDatetime(endWashTime),
].join(' - '),
},
].map(({ label, value }, i) => (
<ListItem key={i}>
<Text as='span' color='primary.400'>
{label}:
</Text>{' '}
<Text as='span'>{value}</Text>
</ListItem>
))}
</UnorderedList>
</Flex>
<UnorderedList styleType='none'>
{[
{
label: t('owner'),
value: phone,
},
{
label: t('car'),
value: [
carNumber,
tCarBody(
`${carBodySelectOptions.find(({ value }) => value === carBody)?.labelTKey}`,
),
carColor,
]
.filter((v) => v)
.join(', '),
},
{
label: t('location'),
value: location,
},
{
label: t('datetime-range'),
value: [
formatDatetime(startWashTime),
formatDatetime(endWashTime),
].join(' - '),
},
].map(({ label, value }, i) => (
<ListItem key={i}>
{label}:{' '}
<Text as='span' color='primary.500' fontWeight='bold'>
{value}
</Text>
</ListItem>
))}
</UnorderedList>
<Alert status='info' alignItems='flex-start'>
<AlertIcon />
{t('alert')}

View File

@ -1,15 +1,6 @@
export type RegistrationNumber = string; // А012ВЕ16
export const enum Color {
WHITE,
BLACK,
SILVER,
GRAY,
BEIGE_BROWN,
RED,
BLUE,
GREEN,
}
export type Color = string; // #000000
export const enum BodyStyle {
UNKNOWN = 0,

View File

@ -18,7 +18,7 @@ export type Create = {
car: {
number: Car.RegistrationNumber;
body: Car.BodyStyle;
color: Car.Color | string;
color: Car.Color;
};
washing: {
location: Washing.Location;
@ -33,7 +33,7 @@ export type View = {
phone: Customer.PhoneNumber;
carNumber: Car.RegistrationNumber;
carBody: Car.BodyStyle;
carColor?: Car.Color | string;
carColor?: Car.Color;
location: Washing.Location;
startWashTime: Washing.AvailableBeginDateTime;
endWashTime: Washing.AvailableEndDateTime;

View File

@ -25,6 +25,10 @@ exports[`Master Page should display master list and show details when master but
>
Заказы
</a>
<hr
aria-orientation="vertical"
class="chakra-divider css-zw0v9u"
/>
<a
class="chakra-button css-g11sl9"
data-testid="master-button"
@ -48,7 +52,7 @@ exports[`Master Page should display master list and show details when master but
class="css-1glkkdp"
>
<div
class="css-1dvg3xs"
class="css-sd3fvu"
>
<h2
class="chakra-heading css-1jb3vzl"
@ -64,45 +68,6 @@ exports[`Master Page should display master list and show details when master but
Добавить
</button>
</div>
<div
class="css-1u3smh"
>
<button
class="chakra-button css-ez23ye"
type="button"
>
<svg
class="chakra-icon css-onkibi"
focusable="false"
viewBox="0 0 24 24"
>
<path
d="M20 11H7.83l5.59-5.59L12 4l-8 8 8 8 1.41-1.41L7.83 13H20v-2z"
fill="currentColor"
/>
</svg>
</button>
<p
class="chakra-text css-52ukzg"
>
17.03.2025
</p>
<button
class="chakra-button css-ez23ye"
type="button"
>
<svg
class="chakra-icon css-onkibi"
focusable="false"
viewBox="0 0 24 24"
>
<path
d="M12 4l-1.41 1.41L16.17 11H4v2h12.17l-5.58 5.59L12 20l8-8z"
fill="currentColor"
/>
</svg>
</button>
</div>
<table
class="chakra-table css-5605sr"
>
@ -257,11 +222,11 @@ exports[`Master Page should display master list and show details when master but
class="css-zgoslk"
>
<button
aria-controls="menu-list-:r3:"
aria-controls="menu-list-:r2:"
aria-expanded="false"
aria-haspopup="menu"
class="chakra-button chakra-menu__menu-button css-13sr8jm"
id="menu-button-:r3:"
id="menu-button-:r2:"
type="button"
>
<svg
@ -292,7 +257,7 @@ exports[`Master Page should display master list and show details when master but
<div
aria-orientation="vertical"
class="chakra-menu__menu-list css-s5t7bz"
id="menu-list-:r3:"
id="menu-list-:r2:"
role="menu"
style="transform-origin: var(--popper-transform-origin); opacity: 0; visibility: hidden; transform: scale(0.8) translateZ(0);"
tabindex="-1"
@ -301,7 +266,7 @@ exports[`Master Page should display master list and show details when master but
aria-disabled="false"
class="chakra-menu__menuitem css-y7jzs3"
data-index="0"
id="menu-list-:r3:-menuitem-:r4:"
id="menu-list-:r2:-menuitem-:r3:"
role="menuitem"
tabindex="-1"
type="button"
@ -432,11 +397,11 @@ exports[`Master Page should display master list and show details when master but
class="css-zgoslk"
>
<button
aria-controls="menu-list-:r6:"
aria-controls="menu-list-:r5:"
aria-expanded="false"
aria-haspopup="menu"
class="chakra-button chakra-menu__menu-button css-13sr8jm"
id="menu-button-:r6:"
id="menu-button-:r5:"
type="button"
>
<svg
@ -467,7 +432,7 @@ exports[`Master Page should display master list and show details when master but
<div
aria-orientation="vertical"
class="chakra-menu__menu-list css-s5t7bz"
id="menu-list-:r6:"
id="menu-list-:r5:"
role="menu"
style="transform-origin: var(--popper-transform-origin); opacity: 0; visibility: hidden; transform: scale(0.8) translateZ(0);"
tabindex="-1"
@ -476,7 +441,7 @@ exports[`Master Page should display master list and show details when master but
aria-disabled="false"
class="chakra-menu__menuitem css-y7jzs3"
data-index="0"
id="menu-list-:r6:-menuitem-:r7:"
id="menu-list-:r5:-menuitem-:r6:"
role="menuitem"
tabindex="-1"
type="button"
@ -612,11 +577,11 @@ exports[`Master Page should display master list and show details when master but
class="css-zgoslk"
>
<button
aria-controls="menu-list-:r9:"
aria-controls="menu-list-:r8:"
aria-expanded="false"
aria-haspopup="menu"
class="chakra-button chakra-menu__menu-button css-13sr8jm"
id="menu-button-:r9:"
id="menu-button-:r8:"
type="button"
>
<svg
@ -647,7 +612,7 @@ exports[`Master Page should display master list and show details when master but
<div
aria-orientation="vertical"
class="chakra-menu__menu-list css-s5t7bz"
id="menu-list-:r9:"
id="menu-list-:r8:"
role="menu"
style="transform-origin: var(--popper-transform-origin); opacity: 0; visibility: hidden; transform: scale(0.8) translateZ(0);"
tabindex="-1"
@ -656,7 +621,7 @@ exports[`Master Page should display master list and show details when master but
aria-disabled="false"
class="chakra-menu__menuitem css-y7jzs3"
data-index="0"
id="menu-list-:r9:-menuitem-:ra:"
id="menu-list-:r8:-menuitem-:r9:"
role="menuitem"
tabindex="-1"
type="button"

View File

@ -94,14 +94,14 @@ exports[`Create Order page renders page structure 1`] = `
class="chakra-stack css-uv9e93"
>
<div
class="css-ed0q6j"
class="css-dbqfkc"
>
<button
class="css-6su6fj"
type="button"
>
<div
class="css-11g98ql"
class="css-1nsxgdr"
>
<div
class="css-1k9efnl"
@ -117,7 +117,7 @@ exports[`Create Order page renders page structure 1`] = `
type="button"
>
<div
class="css-11g98ql"
class="css-1nsxgdr"
>
<div
class="css-1k9efnl"
@ -133,7 +133,7 @@ exports[`Create Order page renders page structure 1`] = `
type="button"
>
<div
class="css-11g98ql"
class="css-1nsxgdr"
>
<div
class="css-1k9efnl"
@ -149,7 +149,7 @@ exports[`Create Order page renders page structure 1`] = `
type="button"
>
<div
class="css-11g98ql"
class="css-1nsxgdr"
>
<div
class="css-1k9efnl"
@ -165,7 +165,7 @@ exports[`Create Order page renders page structure 1`] = `
type="button"
>
<div
class="css-11g98ql"
class="css-1nsxgdr"
>
<div
class="css-1k9efnl"
@ -181,7 +181,7 @@ exports[`Create Order page renders page structure 1`] = `
type="button"
>
<div
class="css-11g98ql"
class="css-1nsxgdr"
>
<div
class="css-1k9efnl"
@ -197,7 +197,7 @@ exports[`Create Order page renders page structure 1`] = `
type="button"
>
<div
class="css-11g98ql"
class="css-1nsxgdr"
>
<div
class="css-1k9efnl"
@ -213,7 +213,7 @@ exports[`Create Order page renders page structure 1`] = `
type="button"
>
<div
class="css-11g98ql"
class="css-1nsxgdr"
>
<div
class="css-1k9efnl"
@ -229,7 +229,7 @@ exports[`Create Order page renders page structure 1`] = `
type="button"
>
<div
class="css-bf4qsc"
class="css-1nsxgdr"
>
<div
class="css-1k9efnl"
@ -267,7 +267,7 @@ exports[`Create Order page renders page structure 1`] = `
</span>
</label>
<div
class="css-1kxonj9"
class="css-8atqhb"
>
<input
aria-readonly="true"
@ -282,7 +282,7 @@ exports[`Create Order page renders page structure 1`] = `
/>
<div
class="chakra-popover__popper css-iy22zq"
style="visibility: hidden; position: fixed; inset: 0 auto auto 0;"
style="visibility: hidden; position: absolute; inset: 0 auto auto 0;"
>
<section
aria-describedby="popover-body-:r7:"

File diff suppressed because one or more lines are too long

View File

@ -25,6 +25,10 @@ exports[`Страница заказов должна корректно ото
>
Заказы
</a>
<hr
aria-orientation="vertical"
class="chakra-divider css-zw0v9u"
/>
<a
class="chakra-button css-g11sl9"
data-testid="master-button"
@ -73,7 +77,7 @@ exports[`Страница заказов должна корректно ото
<p
class="chakra-text css-52ukzg"
>
17.03.2025
09.03.2025
</p>
<button
class="chakra-button css-ez23ye"
@ -268,7 +272,7 @@ exports[`Страница заказов должна корректно ото
>
<a
class="chakra-button css-ez23ye"
href="/auth/login/arm//auth/login?lat=55.78&lon=49.12&currentDate=Mon Mar 17 2025 20:55:45 GMT+0300 (Moscow Standard Time)"
href="/auth/login/arm//auth/login?lat=55.78&lon=49.12&currentDate=Sun Mar 09 2025 11:23:09 GMT+0300 (Moscow Standard Time)"
>
<svg
class="chakra-icon css-onkibi"
@ -424,7 +428,7 @@ exports[`Страница заказов должна корректно ото
>
<a
class="chakra-button css-ez23ye"
href="/auth/login/arm//auth/login?lat=55.78&lon=49.12&currentDate=Mon Mar 17 2025 20:55:45 GMT+0300 (Moscow Standard Time)"
href="/auth/login/arm//auth/login?lat=55.78&lon=49.12&currentDate=Sun Mar 09 2025 11:23:09 GMT+0300 (Moscow Standard Time)"
>
<svg
class="chakra-icon css-onkibi"

View File

@ -20,7 +20,7 @@ import { store } from '../../__data__/store';
import Page from '../arm';
const server = setupServer(
http.post('/api/arm/masters/list', () => {
http.get('/api/arm/masters', () => {
return HttpResponse.json({
success: true,
body: [

View File

@ -1,63 +0,0 @@
import React from 'react';
import { render, screen } from '@testing-library/react';
import { BrowserRouter } from 'react-router-dom';
import { ChakraProvider } from '@chakra-ui/react';
import NotFound from '../notFound/notFound';
// Mock the translation hook
jest.mock('react-i18next', () => ({
useTranslation: () => ({
t: (key: string) => {
const translations = {
'notFound.title': 'Page Not Found',
'notFound.description': 'The page you are looking for does not exist',
'notFound.button.back': 'Back to Home'
};
return translations[key] || key;
}
})
}));
// Mock the Lottie Player component
jest.mock('@lottiefiles/react-lottie-player', () => ({
Player: () => <div data-testid="lottie-animation">Animation Mock</div>
}));
describe('NotFound Component', () => {
const renderNotFound = () => {
return render(
<ChakraProvider>
<BrowserRouter>
<NotFound />
</BrowserRouter>
</ChakraProvider>
);
};
it('renders without crashing', () => {
renderNotFound();
});
it('displays the correct content', () => {
renderNotFound();
// Check if title is present
expect(screen.getByText('Page Not Found')).toBeInTheDocument();
// Check if description is present
expect(screen.getByText('The page you are looking for does not exist')).toBeInTheDocument();
// Check if back button is present
expect(screen.getByText('Back to Home')).toBeInTheDocument();
// Check if Lottie animation is rendered
expect(screen.getByTestId('lottie-animation')).toBeInTheDocument();
});
it('contains a link to the dry-wash page', () => {
renderNotFound();
const backButton = screen.getByText('Back to Home');
expect(backButton.closest('a')).toHaveAttribute('href', '/dry-wash');
});
});

View File

@ -25,7 +25,7 @@ const server = setupServer(
body: [],
});
}),
http.post('/api/arm/masters/list', () => {
http.get('/api/arm/masters', () => {
return HttpResponse.json({
success: true,
body: [],

View File

@ -24,7 +24,7 @@ const server = setupServer(
http.post('/api/arm/orders', () => {
return HttpResponse.json({}, { status: 500 });
}),
http.post('/api/arm/masters/list', () => {
http.get('/api/arm/masters', () => {
return HttpResponse.json({
success: true,
body: [

View File

@ -55,7 +55,7 @@ const server = setupServer(
],
});
}),
http.post('/api/arm/masters/list', () => {
http.get('/api/arm/masters', () => {
return HttpResponse.json({
success: true,
body: [

View File

@ -74,7 +74,7 @@ const Page: FC = () => {
<VStack
p={4}
alignItems='flex-start'
gap={6}
gap={4}
data-testid='order-details'
>
<OrderDetails

View File

@ -4,7 +4,7 @@
"phone": "+79876543210",
"carNumber": "А123АА16",
"carBody": 2,
"carColor": 5,
"carColor": "#ffffff",
"startWashTime": "2025-01-19T14:03:00.000Z",
"endWashTime": "2025-01-19T14:03:00.000Z",
"location": "55.793833888711006,49.19037910644527 Республика Татарстан (Татарстан), Казань, жилой район Седьмое Небо",

View File

@ -4,7 +4,7 @@
"phone": "+79876543210",
"carNumber": "А123АА16",
"carBody": 2,
"carColor": "мокрый асфальт",
"carColor": "#ffffff",
"startWashTime": "2025-01-19T14:03:00.000Z",
"endWashTime": "2025-01-19T14:03:00.000Z",
"location": "55.793833888711006,49.19037910644527 Республика Татарстан (Татарстан), Казань, жилой район Седьмое Небо",