10 Commits

Author SHA1 Message Date
Primakov Alexandr Alexandrovich
e56f0e4e5d 3.5.0 2024-11-06 12:52:36 +03:00
Primakov Alexandr Alexandrovich
5c13ca1cac no width limit in attendance 2024-11-06 12:52:29 +03:00
Primakov Alexandr Alexandrovich
56e07bc2ef attendance table 2024-11-06 12:35:55 +03:00
Primakov Alexandr Alexandrovich
923f7034dd 3.4.1
All checks were successful
platform/bro-js/journal.pl/pipeline/head This commit looks good
2024-10-30 14:44:17 +03:00
Primakov Alexandr Alexandrovich
fd422da06f fix update lesson 2024-10-30 14:44:12 +03:00
Primakov Alexandr Alexandrovich
0034704af6 3.4.0 2024-10-30 14:28:55 +03:00
Primakov Alexandr Alexandrovich
3dfd854a4c inline edit mode 2024-10-30 14:28:42 +03:00
Primakov Alexandr Alexandrovich
6b903b4d54 3.3.1 2024-10-22 17:52:44 +03:00
Primakov Alexandr Alexandrovich
c3de9692d8 fix unmount stuff 2024-10-22 16:56:19 +03:00
Primakov Alexandr Alexandrovich
b2898ef4b3 try open exam as spa 2024-10-22 16:39:32 +03:00
15 changed files with 674 additions and 363 deletions

View File

@@ -10,7 +10,8 @@ module.exports = {
navigations: { navigations: {
'journal.main': '/journal.pl', 'journal.main': '/journal.pl',
'exam.main': '/exam', 'exam.main': '/exam',
'link.exam.details': '/details/:courseId/:examId' 'link.exam.details': '/details/:courseId/:examId',
'link.journal.attendance': '/attendance/:courseId',
}, },
features: { features: {
journal: { journal: {

4
package-lock.json generated
View File

@@ -1,12 +1,12 @@
{ {
"name": "journal.pl", "name": "journal.pl",
"version": "3.3.0", "version": "3.5.0",
"lockfileVersion": 3, "lockfileVersion": 3,
"requires": true, "requires": true,
"packages": { "packages": {
"": { "": {
"name": "journal.pl", "name": "journal.pl",
"version": "3.3.0", "version": "3.5.0",
"license": "MIT", "license": "MIT",
"dependencies": { "dependencies": {
"@brojs/cli": "^0.0.4-beta.0", "@brojs/cli": "^0.0.4-beta.0",

View File

@@ -1,6 +1,6 @@
{ {
"name": "journal.pl", "name": "journal.pl",
"version": "3.3.0", "version": "3.5.0",
"description": "bro-js platform journal ui repo", "description": "bro-js platform journal ui repo",
"main": "./src/index.tsx", "main": "./src/index.tsx",
"scripts": { "scripts": {

View File

@@ -0,0 +1,26 @@
import { Alert } from '@chakra-ui/react'
import React from 'react'
export class ErrorBoundary extends React.Component<
React.PropsWithChildren,
{ hasError: boolean, error?: string }
> {
state = { hasError: false, error: null }
static getDerivedStateFromError(error: Error) {
return { hasError: true, error: error.message }
}
render() {
if (this.state.hasError) {
return (
<Alert status="error" title="Ошибка">
Что-то пошло не так<br />
{this.state.error && <span>{this.state.error}</span>}
</Alert>
)
}
return this.props.children
}
}

View File

@@ -9,23 +9,28 @@ import {
LessonDetailsPage, LessonDetailsPage,
LessonListPage, LessonListPage,
UserPage, UserPage,
AttendancePage,
} from './pages' } from './pages'
import { ErrorBoundary } from './components/error-boundary'
const Wrapper = ({ children }: { children: React.ReactElement }) => ( const Wrapper = ({ children }: { children: React.ReactElement }) => (
<Suspense <Suspense
fallback={ fallback={
<Container> <ErrorBoundary>
<VStack> <Container>
<Box mt="150"> <VStack>
<Spinner <Box mt="150">
thickness="4px" <Spinner
speed="0.65s" thickness="4px"
emptyColor="gray.200" speed="0.65s"
color="blue.500" emptyColor="gray.200"
size="xl" color="blue.500"
/></Box> size="xl"
</VStack> />
</Container> </Box>
</VStack>
</Container>
</ErrorBoundary>
} }
> >
{children} {children}
@@ -67,6 +72,14 @@ export const Dashboard = ({ store }) => (
</Wrapper> </Wrapper>
} }
/> />
<Route
path={`${getNavigationsValue('journal.main')}${getNavigationsValue('link.journal.attendance')}`}
element={
<Wrapper>
<AttendancePage />
</Wrapper>
}
/>
</Routes> </Routes>
</Provider> </Provider>
) )

View File

@@ -1,3 +1,4 @@
/* eslint-disable react/display-name */
import React from 'react'; import React from 'react';
import ReactDOM from 'react-dom/client'; import ReactDOM from 'react-dom/client';
@@ -24,7 +25,7 @@ export const mount = async (Сomponent, element = document.getElementById('app')
} }
const store = createStore({ user }); const store = createStore({ user });
const rootElement = ReactDOM.createRoot(element); rootElement = ReactDOM.createRoot(element);
rootElement.render(<Сomponent store={store} />); rootElement.render(<Сomponent store={store} />);
if(module.hot) { if(module.hot) {

View File

@@ -0,0 +1,88 @@
import React, { useMemo } from 'react'
import { useParams } from 'react-router-dom'
import styled from '@emotion/styled'
import { api } from '../../__data__/api/api'
import { PageLoader } from '../../components/page-loader/page-loader'
import { Box, Container, Heading } from '@chakra-ui/react'
import dayjs from 'dayjs'
export const Attendance = () => {
const { courseId } = useParams()
const { data: attendance, isLoading } = api.useLessonListQuery(courseId, {
selectFromResult: ({ data, isLoading }) => ({
data: data?.body,
isLoading,
}),
})
const { data: courseInfo, isLoading: courseInfoIssLoading } =
api.useGetCourseByIdQuery(courseId)
const data = useMemo(() => {
if (!attendance) return null
const studentsMap = new Map()
attendance.forEach((lesson) => {
lesson.students.forEach((student) => {
studentsMap.set(student.sub, {
...student,
value:
student.family_name && student.given_name
? `${student.family_name} ${student.given_name}`
: student.name || student.email,
})
})
})
const compare = Intl.Collator('ru').compare
const students = [...studentsMap.values()]
students.sort(({ family_name: name }, { family_name: nname }) =>
compare(name, nname),
)
return {
students,
}
}, [attendance])
if (!data || isLoading || courseInfoIssLoading) {
return <PageLoader />
}
return (
<Box>
<Box mt={12} mb={12}>
<Heading>{courseInfo.name}</Heading>
</Box>
<Box>
<table>
<thead>
<tr>
<th>Дата</th>
<th>Название занятия</th>
{data.students.map((student) => (
<th key={student.sub}>{student.name}</th>
))}
</tr>
</thead>
<tbody>
{attendance.map((lesson, index) => (
<tr key={lesson.name}>
<td>{dayjs(lesson.date).format('DD.MM.YYYY')}</td>
<td>{lesson.name}</td>
{data.students.map((st) => {
const wasThere =
lesson.students.findIndex((u) => u.sub === st.sub) !== -1
return <td style={{
textAlign: 'center',
backgroundColor: wasThere ? '#8ef78a' : '#e09797',
}} key={st.sub}>{wasThere ? '+' : '-'}</td>
})}
</tr>
))}
</tbody>
</table>
</Box>
</Box>
)
}

View File

@@ -0,0 +1,3 @@
import { Attendance } from './attendance'
export default Attendance

View File

@@ -1,20 +1,20 @@
import React, { useCallback, useEffect, useState } from 'react' import React, { useCallback, useEffect, useState } from 'react'
import dayjs from 'dayjs' import dayjs from 'dayjs'
import { Link as ConnectedLink } from 'react-router-dom' import { Link as ConnectedLink, generatePath } from 'react-router-dom'
import { getNavigationsValue } from '@brojs/cli' import { getNavigationsValue } from '@brojs/cli'
import { import {
Box, Box,
CardHeader, CardHeader,
CardBody, CardBody,
CardFooter, CardFooter,
ButtonGroup, ButtonGroup,
Stack, Stack,
StackDivider, StackDivider,
Button, Button,
Card, Card,
Heading, Heading,
Tooltip, Tooltip,
Spinner, Spinner,
} from '@chakra-ui/react' } from '@chakra-ui/react'
import { api } from '../../__data__/api/api' import { api } from '../../__data__/api/api'
@@ -22,72 +22,94 @@ import { ArrowUpIcon, LinkIcon } from '@chakra-ui/icons'
import { Course } from '../../__data__/model' import { Course } from '../../__data__/model'
import { CourseDetails } from './course-details' import { CourseDetails } from './course-details'
export const CourseCard = ({ export const CourseCard = ({ course }: { course: Course }) => {
course, const [getLessonList, populatedCourse] = api.useLazyGetCourseByIdQuery()
}: { const [isOpened, setIsOpened] = useState(false)
course: Course useEffect(() => {
}) => { if (isOpened) {
const [getLessonList, populatedCourse] = api.useLazyGetCourseByIdQuery() getLessonList(course.id, true)
const [isOpened, setIsOpened] = useState(false) }
useEffect(() => { }, [isOpened])
if (isOpened) {
getLessonList(course.id, true)
}
}, [isOpened])
const handleToggleOpene = useCallback(() => { const handleToggleOpene = useCallback(() => {
setIsOpened(opened => !opened) setIsOpened((opened) => !opened)
}, [setIsOpened]) }, [setIsOpened])
return ( return (
<Card key={course._id} align="left"> <Card key={course._id} align="left">
<CardHeader> <CardHeader>
<Heading as="h2" mt="0"> <Heading as="h2" mt="0">
{course.name} {course.name}
</Heading> </Heading>
</CardHeader> </CardHeader>
{isOpened && ( {isOpened && (
<CardBody mt="16px"> <CardBody mt="16px">
<Stack divider={<StackDivider />} spacing="8px"> <Stack divider={<StackDivider />} spacing="8px">
<Box as="span" textAlign="left"> <Box as="span" textAlign="left">
{`Дата начала курса - ${dayjs(course.startDt).format('DD MMMM YYYYг.')}`} {`Дата начала курса - ${dayjs(course.startDt).format('DD MMMM YYYYг.')}`}
</Box> </Box>
<Box as="span" textAlign="left"> <Box as="span" textAlign="left">
Количество занятий - {course.lessons.length} Количество занятий - {course.lessons.length}
</Box> </Box>
{populatedCourse.isFetching && <Spinner />} {populatedCourse.isFetching && <Spinner />}
{!populatedCourse.isFetching && populatedCourse.isSuccess && <CourseDetails populatedCourse={populatedCourse.data} />} {!populatedCourse.isFetching && populatedCourse.isSuccess && (
</Stack> <CourseDetails populatedCourse={populatedCourse.data} />
</CardBody>
)} )}
<CardFooter>
<ButtonGroup spacing={[0, 4]} mt="16px" flexDirection={['column', 'row']}> <Tooltip label="На страницу с лекциями" fontSize="12px" top="16px">
<Tooltip label="На страницу с лекциями" fontSize="12px" top="16px"> <Button
<Button leftIcon={<LinkIcon />}
leftIcon={<LinkIcon />} as={ConnectedLink}
as={ConnectedLink} variant="outline"
colorScheme="blue" colorScheme="blue"
to={`${getNavigationsValue('journal.main')}/lessons-list/${course._id}`} to={generatePath(
> `${getNavigationsValue('journal.main')}${getNavigationsValue('link.journal.attendance')}`,
Открыть { courseId: course.id },
</Button> )}
</Tooltip> >
<Tooltip label="Детали" fontSize="12px" top="16px"> <Box mt={3}></Box>
<Button Посещаемость
colorScheme="blue" </Button>
mt={["16px", 0]} </Tooltip>
variant="outline" </Stack>
leftIcon={<ArrowUpIcon transform={isOpened ? 'rotate(0)' : 'rotate(180deg)'} />} </CardBody>
loadingText="Загрузка" )}
isLoading={populatedCourse.isFetching} <CardFooter>
onClick={handleToggleOpene} <ButtonGroup
> spacing={[0, 4]}
{isOpened ? 'Закрыть' : 'Просмотреть детали'} mt="16px"
</Button> flexDirection={['column', 'row']}
</Tooltip> >
</ButtonGroup> <Tooltip label="На страницу с лекциями" fontSize="12px" top="16px">
</CardFooter> <Button
</Card> leftIcon={<LinkIcon />}
) as={ConnectedLink}
colorScheme="blue"
to={`${getNavigationsValue('journal.main')}/lessons-list/${course._id}`}
>
Открыть
</Button>
</Tooltip>
<Tooltip label="Детали" fontSize="12px" top="16px">
<Button
colorScheme="blue"
mt={['16px', 0]}
variant="outline"
leftIcon={
<ArrowUpIcon
transform={isOpened ? 'rotate(0)' : 'rotate(180deg)'}
/>
}
loadingText="Загрузка"
isLoading={populatedCourse.isFetching}
onClick={handleToggleOpene}
>
{isOpened ? 'Закрыть' : 'Просмотреть детали'}
</Button>
</Tooltip>
</ButtonGroup>
</CardFooter>
</Card>
)
} }

View File

@@ -1,15 +1,8 @@
import React from 'react' import React from 'react'
import dayjs from 'dayjs' import dayjs from 'dayjs'
import { Link as ConnectedLink } from 'react-router-dom' import { Link as ConnectedLink } from 'react-router-dom'
import { getNavigationsValue } from '@brojs/cli' import { getNavigationsValue, getHistory } from '@brojs/cli'
import { import { Stack, Heading, Link, Button, Tooltip, Box } from '@chakra-ui/react'
Stack,
Heading,
Link,
Button,
Tooltip,
Box,
} from '@chakra-ui/react'
import { useAppSelector } from '../../__data__/store' import { useAppSelector } from '../../__data__/store'
import { isTeacher } from '../../utils/user' import { isTeacher } from '../../utils/user'
@@ -18,76 +11,98 @@ import { api } from '../../__data__/api/api'
import { LinkIcon } from '@chakra-ui/icons' import { LinkIcon } from '@chakra-ui/icons'
type CourseDetailsProps = { type CourseDetailsProps = {
populatedCourse: PopulatedCourse; populatedCourse: PopulatedCourse
} }
const history = getHistory()
export const CourseDetails = ({ populatedCourse }: CourseDetailsProps) => { export const CourseDetails = ({ populatedCourse }: CourseDetailsProps) => {
const user = useAppSelector((s) => s.user) const user = useAppSelector((s) => s.user)
const exam = populatedCourse.examWithJury const exam = populatedCourse.examWithJury
const [toggleExamWithJury, examWithJuryRequest] = api.useToggleExamWithJuryMutation() const [toggleExamWithJury, examWithJuryRequest] =
api.useToggleExamWithJuryMutation()
return ( return (
<>
{isTeacher(user) && (
<Heading as="h3" mt={4} mb={3} size="lg">
Экзамен: {exam?.name}{' '}
{exam && (
<Tooltip label="Начать экзамен" fontSize="12px" top="16px">
<Button
leftIcon={<LinkIcon />}
as={'a'}
colorScheme="blue"
href={
getNavigationsValue('exam.main') +
getNavigationsValue('link.exam.details')
.replace(':courseId', populatedCourse.id)
.replace(':examId', exam.id)
}
onClick={(event) => {
event.preventDefault()
history.push(
getNavigationsValue('exam.main') +
getNavigationsValue('link.exam.details')
.replace(':courseId', populatedCourse.id)
.replace(':examId', exam.id),
)
}}
>
Открыть
</Button>
</Tooltip>
)}
</Heading>
)}
{!Boolean(exam) && (
<> <>
<Heading as="h3" mt={4} mb={3} size="lg"> <Heading as="h3" mt={4} mb={3} size="lg">
Экзамен: {exam?.name} {exam && <Tooltip label="Начать экзамен" fontSize="12px" top="16px"> Не задан
<Button </Heading>
leftIcon={<LinkIcon />} <Box mt={10}>
as={'a'} <Tooltip label="Создать экзамен с жюри" fontSize="12px" top="16px">
colorScheme="blue" <Button
href={getNavigationsValue('exam.main') + getNavigationsValue('link.exam.details').replace(':courseId', populatedCourse.id).replace(':examId', exam.id)} colorScheme="blue"
> mt={['16px', 0]}
Открыть variant="outline"
</Button> isLoading={examWithJuryRequest.isLoading}
</Tooltip>} onClick={() => toggleExamWithJury(populatedCourse.id)}
</Heading> >
{!Boolean(exam) && ( Создать
<> </Button>
<Heading as="h3" mt={4} mb={3} size="lg"> </Tooltip>
Не задан </Box>
</Heading>
<Box mt={10}>
<Tooltip label="Создать экзамен с жюри" fontSize="12px" top="16px">
<Button
colorScheme="blue"
mt={["16px", 0]}
variant="outline"
isLoading={examWithJuryRequest.isLoading}
onClick={() => toggleExamWithJury(populatedCourse.id)}
>
Создать
</Button>
</Tooltip>
</Box>
</>
)}
{Boolean(exam) && (
<>
<Heading as="h3" mt={4} mb={3} size="lg">
Количество членов жюри:
</Heading>
<Heading as="h3" mt={4} mb={3} size="lg">
{populatedCourse.examWithJury.jury.length}
</Heading></>
)}
<Heading as="h3" mt={4} mb={3} size="lg">
Список занятий:
</Heading>
<Stack>
{populatedCourse?.lessons?.map((lesson) => (
<Link
as={ConnectedLink}
key={lesson.id}
to={
isTeacher(user)
? `${getNavigationsValue('journal.main')}/lesson/${populatedCourse.id}/${lesson.id}`
: ''
}
>
{lesson.name}
</Link>
))}
</Stack>
</> </>
) )}
} {Boolean(exam) && (
<>
<Heading as="h3" mt={4} mb={3} size="lg">
Количество членов жюри:
</Heading>
<Heading as="h3" mt={4} mb={3} size="lg">
{populatedCourse.examWithJury.jury.length}
</Heading>
</>
)}
<Heading as="h3" mt={4} mb={3} size="lg">
Список занятий:
</Heading>
<Stack>
{populatedCourse?.lessons?.map((lesson) => (
<Link
as={ConnectedLink}
key={lesson.id}
to={
isTeacher(user)
? `${getNavigationsValue('journal.main')}/lesson/${populatedCourse.id}/${lesson.id}`
: ''
}
>
{lesson.name}
</Link>
))}
</Stack>
</>
)
}

View File

@@ -4,3 +4,4 @@ export const CourseListPage = lazy(() => import(/* webpackChunkName: "course-lis
export const LessonDetailsPage = lazy(() => import(/* webpackChunkName: "lesson-details" */ './lesson-details')); export const LessonDetailsPage = lazy(() => import(/* webpackChunkName: "lesson-details" */ './lesson-details'));
export const LessonListPage = lazy(() => import(/* webpackChunkName: "lesson-list" */ './lesson-list')); export const LessonListPage = lazy(() => import(/* webpackChunkName: "lesson-list" */ './lesson-list'));
export const UserPage = lazy(() => import(/* webpackChunkName: "user-page" */ './user-page')); export const UserPage = lazy(() => import(/* webpackChunkName: "user-page" */ './user-page'));
export const AttendancePage = lazy(() => import(/* webpackChunkName: "attendance-page" */ './attendance'));

View File

@@ -0,0 +1,144 @@
import React, { useEffect, useRef, useState } from 'react'
import dayjs from 'dayjs'
import { Link } from 'react-router-dom'
import { getNavigationsValue, getFeatures } from '@brojs/cli'
import {
Button,
Tr,
Td,
Menu,
MenuButton,
MenuItem,
MenuList,
useToast,
} from '@chakra-ui/react'
import { EditIcon } from '@chakra-ui/icons'
import { qrCode } from '../../../assets'
import { LessonForm } from './lessons-form'
import { api } from '../../../__data__/api/api'
const features = getFeatures('journal')
const groupByDate = features?.['group.by.date']
type ItemProps = {
id: string
date: string
name: string
isTeacher: boolean
courseId: string
setlessonToDelete(): void
students: unknown[]
}
export const Item: React.FC<ItemProps> = ({
id,
date,
name,
isTeacher,
courseId,
setlessonToDelete,
students,
}) => {
const [edit, setEdit] = useState(false)
const toastRef = useRef(null)
const toast = useToast()
const [updateLesson, updateLessonRqst] = api.useUpdateLessonMutation()
const createdLessonRef = useRef(null)
const onSubmit = (lessonData) => {
toastRef.current = toast({
title: 'Отправляем',
status: 'loading',
duration: 9000,
})
createdLessonRef.current = lessonData
if (navigator.onLine) {
updateLesson(lessonData)
} else {
toast.update(toastRef.current, {
title: 'Отсутствует интернет',
status: 'error',
duration: 3000
})
}
}
useEffect(() => {
if (updateLessonRqst.isSuccess) {
const toastProps = {
title: 'Лекция Обновлена',
description: `Лекция ${createdLessonRef.current?.name} успешно обновлена`,
status: 'success' as const,
duration: 9000,
isClosable: true,
}
if (toastRef.current) toast.update(toastRef.current, toastProps)
else toast(toastProps)
setEdit(false)
}
}, [updateLessonRqst.isSuccess])
if (edit && isTeacher) {
return (
<Tr>
<Td colSpan={5}>
<LessonForm
isLoading={updateLessonRqst.isLoading}
error={(updateLessonRqst.error as any)?.error}
onSubmit={onSubmit}
onCancel={() => {
setEdit(false)
}}
lesson={{ _id: id, id, name, date }}
title={'Редактирование лекции'}
nameButton={'Сохранить'}
/>
</Td>
</Tr>
)
}
return (
<Tr>
{isTeacher && (
<Td>
<Link
to={`${getNavigationsValue('journal.main')}/lesson/${courseId}/${id}`}
style={{ display: 'flex' }}
>
<img width={24} src={qrCode} style={{ margin: '0 auto' }} />
</Link>
</Td>
)}
<Td textAlign="center">
{dayjs(date).format(groupByDate ? 'HH:mm' : 'HH:mm DD.MM.YY')}
</Td>
<Td>{name}</Td>
{isTeacher && (
<Td>
{!edit && (
<Menu>
<MenuButton as={Button}>
<EditIcon />
</MenuButton>
<MenuList>
<MenuItem
onClick={() => {
setEdit(true)
}}
>
Edit
</MenuItem>
<MenuItem onClick={setlessonToDelete}>Delete</MenuItem>
</MenuList>
</Menu>
)}
{edit && <Button onClick={setlessonToDelete}>Сохранить</Button>}
</Td>
)}
<Td isNumeric>{students.length}</Td>
</Tr>
)
}

View File

@@ -0,0 +1,45 @@
import React from 'react'
import dayjs from 'dayjs'
import {
Tr,
Td,
} from '@chakra-ui/react'
import { Lesson } from '../../../__data__/model'
import { Item } from './item'
type LessonItemProps = {
date: string
lessons: Lesson[]
isTeacher: boolean
courseId: string
setlessonToDelete(lesson: Lesson): void
}
export const LessonItems: React.FC<LessonItemProps> = ({
date,
lessons,
isTeacher,
courseId,
setlessonToDelete,
}) => (
<>
{date && (
<Tr>
<Td colSpan={isTeacher ? 5 : 3}>
{dayjs(date).format('DD MMMM YYYY')}
</Td>
</Tr>
)}
{lessons.map((lesson) => (
<Item
key={lesson.id}
{...lesson}
setlessonToDelete={() => setlessonToDelete(lesson)}
courseId={courseId}
isTeacher={isTeacher}
/>
))}
</>
)

View File

@@ -1,19 +1,19 @@
import React from 'react' import React from 'react'
import { useForm, Controller } from 'react-hook-form' import { useForm, Controller } from 'react-hook-form'
import { import {
Box, Box,
Card, Card,
CardBody, CardBody,
CardHeader, CardHeader,
Heading, Heading,
Button, Button,
CloseButton, CloseButton,
VStack, VStack,
FormControl, FormControl,
FormLabel, FormLabel,
FormHelperText, FormHelperText,
FormErrorMessage, FormErrorMessage,
Input, Input,
} from '@chakra-ui/react' } from '@chakra-ui/react'
import { AddIcon } from '@chakra-ui/icons' import { AddIcon } from '@chakra-ui/icons'
@@ -22,116 +22,119 @@ import { Lesson } from '../../../__data__/model'
import { ErrorSpan } from '../style' import { ErrorSpan } from '../style'
interface NewLessonForm { interface NewLessonForm {
name: string; name: string
date: string; date: string
} }
interface LessonFormProps { interface LessonFormProps {
lesson?: Partial<Lesson> lesson?: Partial<Lesson>
isLoading: boolean isLoading: boolean
onCancel: () => void onCancel: () => void
onSubmit: (lesson: Lesson) => void onSubmit: (lesson: Lesson) => void
error?: string error?: string
title: string title: string
nameButton: string nameButton: string
} }
export const LessonForm = ({ export const LessonForm = ({
lesson, lesson,
isLoading, isLoading,
onCancel, onCancel,
onSubmit, onSubmit,
error, error,
title, title,
nameButton, nameButton,
}: LessonFormProps) => { }: LessonFormProps) => {
const { const {
control, control,
handleSubmit, handleSubmit,
reset, reset,
formState: { errors }, formState: { errors },
} = useForm<NewLessonForm>({ } = useForm<NewLessonForm>({
defaultValues: (lesson && { ...lesson, date: dateToCalendarFormat(lesson.date) }) || { defaultValues: (lesson && {
name: '', ...lesson,
date: dateToCalendarFormat(), date: dateToCalendarFormat(lesson.date),
}, }) || {
}) name: '',
date: dateToCalendarFormat(),
return ( },
<Card align="left"> })
<CardHeader display="flex">
return (
<Card align="left">
<CardHeader display="flex">
<Heading as="h2" mt="0"> <Heading as="h2" mt="0">
{title} {title}
</Heading> </Heading>
<CloseButton <CloseButton
ml="auto" ml="auto"
onClick={() => { onClick={() => {
reset() reset()
onCancel() onCancel()
}} }}
/> />
</CardHeader> </CardHeader>
<CardBody> <CardBody>
<form onSubmit={handleSubmit(onSubmit)}> <form onSubmit={handleSubmit(onSubmit)}>
<VStack spacing="10" align="left"> <VStack spacing="10" align="left">
<Controller <Controller
control={control} control={control}
name="date" name="date"
rules={{ required: 'Обязательное поле' }} rules={{ required: 'Обязательное поле' }}
render={({ field }) => ( render={({ field }) => (
<FormControl> <FormControl>
<FormLabel>Дата</FormLabel> <FormLabel>Дата</FormLabel>
<Input <Input
{...field} {...field}
required={false} required={false}
placeholder="Укажите дату лекции" placeholder="Укажите дату лекции"
size="md" size="md"
type="datetime-local" type="datetime-local"
/>
{errors.date ? (
<FormErrorMessage>{errors.date?.message}</FormErrorMessage>
) : (
<FormHelperText>Укажите дату и время лекции</FormHelperText>
)}
</FormControl>
)}
/> />
{errors.date ? (
<FormErrorMessage>{errors.date?.message}</FormErrorMessage> <Controller
) : ( control={control}
<FormHelperText>Укажите дату и время лекции</FormHelperText> name="name"
)} rules={{ required: 'Обязательное поле' }}
</FormControl> render={({ field }) => (
)} <FormControl isRequired isInvalid={Boolean(errors.name)}>
/> <FormLabel>Название новой лекции:</FormLabel>
<Input
<Controller {...field}
control={control} required={false}
name="name" placeholder="Название лекции"
rules={{ required: 'Обязательное поле' }} size="md"
render={({ field }) => ( />
<FormControl isRequired isInvalid={Boolean(errors.name)}> {errors.name && (
<FormLabel>Название новой лекции:</FormLabel> <FormErrorMessage>{errors.name.message}</FormErrorMessage>
<Input )}
{...field} </FormControl>
required={false} )}
placeholder="Название лекции"
size="md"
/> />
{errors.name && ( <Box mt="10">
<FormErrorMessage>{errors.name.message}</FormErrorMessage> <Button
)} size="lg"
</FormControl> type="submit"
)} leftIcon={<AddIcon />}
/> colorScheme="blue"
<Box mt="10"> isLoading={isLoading}
<Button >
size="lg" {nameButton}
type="submit" </Button>
leftIcon={<AddIcon />} </Box>
colorScheme="blue" </VStack>
isLoading={isLoading}
> {error && <ErrorSpan>{error}</ErrorSpan>}
{nameButton}
</Button>
</Box>
</VStack>
{error && <ErrorSpan>{error}</ErrorSpan>}
</form> </form>
</CardBody> </CardBody>
</Card> </Card>
) )
} }

View File

@@ -1,11 +1,6 @@
import React, { import React, { useEffect, useMemo, useRef, useState } from 'react'
useEffect,
useMemo,
useRef,
useState,
} from 'react'
import dayjs from 'dayjs' import dayjs from 'dayjs'
import { Link, useParams } from 'react-router-dom' import { generatePath, Link, useParams } from 'react-router-dom'
import { getNavigationsValue, getFeatures } from '@brojs/cli' import { getNavigationsValue, getFeatures } from '@brojs/cli'
import { import {
Breadcrumb, Breadcrumb,
@@ -22,12 +17,7 @@ import {
Tr, Tr,
Th, Th,
Tbody, Tbody,
Td,
Menu,
MenuButton,
MenuItem,
Text, Text,
MenuList,
AlertDialog, AlertDialog,
AlertDialogBody, AlertDialogBody,
AlertDialogContent, AlertDialogContent,
@@ -35,18 +25,18 @@ import {
AlertDialogHeader, AlertDialogHeader,
AlertDialogOverlay, AlertDialogOverlay,
} from '@chakra-ui/react' } from '@chakra-ui/react'
import { AddIcon, EditIcon } from '@chakra-ui/icons' import { AddIcon } from '@chakra-ui/icons'
import { useAppSelector } from '../../__data__/store' import { useAppSelector } from '../../__data__/store'
import { api } from '../../__data__/api/api' import { api } from '../../__data__/api/api'
import { isTeacher } from '../../utils/user' import { isTeacher } from '../../utils/user'
import { qrCode } from '../../assets'
import { Lesson } from '../../__data__/model' import { Lesson } from '../../__data__/model'
import { XlSpinner } from '../../components/xl-spinner' import { XlSpinner } from '../../components/xl-spinner'
import { LessonForm } from './components/lessons-form' import { LessonForm } from './components/lessons-form'
import { BreadcrumbsWrapper } from './style'
import { Bar } from './components/bar' import { Bar } from './components/bar'
import { LessonItems } from './components/lesson-items'
import { BreadcrumbsWrapper } from './style'
const features = getFeatures('journal') const features = getFeatures('journal')
@@ -67,7 +57,10 @@ const LessonList = () => {
const toastRef = useRef(null) const toastRef = useRef(null)
const createdLessonRef = useRef(null) const createdLessonRef = useRef(null)
const [editLesson, setEditLesson] = useState<Lesson>(null) const [editLesson, setEditLesson] = useState<Lesson>(null)
const sorted = useMemo(() => [...(data?.body || [])]?.sort((a, b) => a.date > b.date ? 1 : -1), [data, data?.body]) const sorted = useMemo(
() => [...(data?.body || [])]?.sort((a, b) => (a.date > b.date ? 1 : -1)),
[data, data?.body],
)
const lessonCalc = useMemo(() => { const lessonCalc = useMemo(() => {
if (!isSuccess) { if (!isSuccess) {
@@ -95,7 +88,7 @@ const LessonList = () => {
} }
} }
return lessonsData.sort((a, b) => a.date < b.date? 1 : -1) return lessonsData.sort((a, b) => (a.date < b.date ? 1 : -1))
}, [groupByDate, isSuccess, sorted]) }, [groupByDate, isSuccess, sorted])
const onSubmit = (lessonData) => { const onSubmit = (lessonData) => {
@@ -153,8 +146,8 @@ const LessonList = () => {
if (crLQuery.isSuccess) { if (crLQuery.isSuccess) {
const toastProps = { const toastProps = {
title: 'Лекция создана', title: 'Лекция создана',
description: `Лекция ${createdLessonRef.current.name} успешно создана`, description: `Лекция ${createdLessonRef.current?.name} успешно создана`,
status: 'success' as 'success', status: 'success' as const,
duration: 9000, duration: 9000,
isClosable: true, isClosable: true,
} }
@@ -168,8 +161,8 @@ const LessonList = () => {
if (updateLessonRqst.isSuccess) { if (updateLessonRqst.isSuccess) {
const toastProps = { const toastProps = {
title: 'Лекция Обновлена', title: 'Лекция Обновлена',
description: `Лекция ${createdLessonRef.current.name} успешно обновлена`, description: `Лекция ${createdLessonRef.current?.name} успешно обновлена`,
status: 'success' as 'success', status: 'success' as const,
duration: 9000, duration: 9000,
isClosable: true, isClosable: true,
} }
@@ -180,7 +173,7 @@ const LessonList = () => {
}, [updateLessonRqst.isSuccess]) }, [updateLessonRqst.isSuccess])
if (isLoading) { if (isLoading) {
return <XlSpinner />; return <XlSpinner />
} }
return ( return (
@@ -213,7 +206,7 @@ const LessonList = () => {
colorScheme="red" colorScheme="red"
loadingText="" loadingText=""
isLoading={deletingRqst.isLoading} isLoading={deletingRqst.isLoading}
onClick={() => deleteLesson(lessonToDelete._id)} onClick={() => deleteLesson(lessonToDelete.id)}
ml={3} ml={3}
> >
Delete Delete
@@ -240,7 +233,7 @@ const LessonList = () => {
<Box mt="15" mb="15"> <Box mt="15" mb="15">
{showForm ? ( {showForm ? (
<LessonForm <LessonForm
key={editLesson?._id} key={editLesson?.id}
isLoading={crLQuery.isLoading} isLoading={crLQuery.isLoading}
onSubmit={onSubmit} onSubmit={onSubmit}
onCancel={() => { onCancel={() => {
@@ -253,19 +246,17 @@ const LessonList = () => {
nameButton={editLesson ? 'Редактировать' : 'Создать'} nameButton={editLesson ? 'Редактировать' : 'Создать'}
/> />
) : ( ) : (
<Box p="2" m="2"> <Button
<Button leftIcon={<AddIcon />}
leftIcon={<AddIcon />} colorScheme="green"
colorScheme="green" onClick={() => setShowForm(true)}
onClick={() => setShowForm(true)} >
> Добавить
Добавить </Button>
</Button>
</Box>
)} )}
</Box> </Box>
)} )}
{barFeature && sorted?.length && ( {barFeature && sorted?.length > 1 && (
<Box height="300"> <Box height="300">
<Bar <Bar
data={sorted.map((lesson, index) => ({ data={sorted.map((lesson, index) => ({
@@ -285,7 +276,7 @@ const LessonList = () => {
</Th> </Th>
)} )}
<Th textAlign="center" width={1}> <Th textAlign="center" width={1}>
Дата {groupByDate ? 'Время' : 'Дата'}
</Th> </Th>
<Th width="100%">Название</Th> <Th width="100%">Название</Th>
{isTeacher(user) && <Th>action</Th>} {isTeacher(user) && <Th>action</Th>}
@@ -294,56 +285,14 @@ const LessonList = () => {
</Thead> </Thead>
<Tbody> <Tbody>
{lessonCalc?.map(({ data: lessons, date }) => ( {lessonCalc?.map(({ data: lessons, date }) => (
<React.Fragment key={date}> <LessonItems
{date && <Tr><Td colSpan={isTeacher(user) ? 5 : 3}>{dayjs(date).format('DD MMMM YYYY')}</Td></Tr>} courseId={courseId}
{lessons.map((lesson) => ( date={date}
<Tr key={lesson._id}> isTeacher={isTeacher(user)}
{isTeacher(user) && ( lessons={lessons}
<Td> setlessonToDelete={setlessonToDelete}
<Link key={date}
to={`${getNavigationsValue('journal.main')}/lesson/${courseId}/${lesson._id}`} />
style={{ display: 'flex' }}
>
<img
width={24}
src={qrCode}
style={{ margin: '0 auto' }}
/>
</Link>
</Td>
)}
<Td textAlign="center">
{dayjs(lesson.date).format(groupByDate ? 'HH:mm' : 'HH:mm DD.MM.YY')}
</Td>
<Td>{lesson.name}</Td>
{isTeacher(user) && (
<Td>
<Menu>
<MenuButton as={Button}>
<EditIcon />
</MenuButton>
<MenuList>
<MenuItem
onClick={() => {
setShowForm(true)
setEditLesson(lesson)
}}
>
Edit
</MenuItem>
<MenuItem
onClick={() => setlessonToDelete(lesson)}
>
Delete
</MenuItem>
</MenuList>
</Menu>
</Td>
)}
<Td isNumeric>{lesson.students.length}</Td>
</Tr>
))}
</React.Fragment>
))} ))}
</Tbody> </Tbody>
</Table> </Table>