diff --git a/locales/en.json b/locales/en.json index 5b758a7..e0ffdc3 100644 --- a/locales/en.json +++ b/locales/en.json @@ -52,6 +52,9 @@ "journal.pl.course.attendance": "Attendance", "journal.pl.course.details": "Details", "journal.pl.course.viewDetails": "View details", + "journal.pl.course.progress": "Course progress", + "journal.pl.course.completedLessons": "Completed lessons", + "journal.pl.course.upcomingLessons": "Upcoming lessons", "journal.pl.lesson.created": "Lesson created", "journal.pl.lesson.successMessage": "Lesson {{name}} successfully created", @@ -84,6 +87,7 @@ "journal.pl.attendance.stats.totalLessons": "Total Lessons", "journal.pl.attendance.stats.averageAttendance": "Average Attendance", "journal.pl.attendance.stats.topStudents": "Top 3 Students by Attendance", + "journal.pl.attendance.stats.lowAttendance": "Students with Low Attendance", "journal.pl.attendance.stats.noData": "No data", "journal.pl.attendance.emojis.excellent": "Excellent attendance", diff --git a/locales/ru.json b/locales/ru.json index 65cd08a..99a0662 100644 --- a/locales/ru.json +++ b/locales/ru.json @@ -48,6 +48,9 @@ "journal.pl.course.attendance": "Посещаемость", "journal.pl.course.details": "Детали", "journal.pl.course.viewDetails": "Просмотреть детали", + "journal.pl.course.progress": "Прогресс курса", + "journal.pl.course.completedLessons": "Завершено занятий", + "journal.pl.course.upcomingLessons": "Предстоящие занятия", "journal.pl.lesson.created": "Лекция создана", "journal.pl.lesson.successMessage": "Лекция {{name}} успешно создана", @@ -80,6 +83,7 @@ "journal.pl.attendance.stats.totalLessons": "Всего занятий", "journal.pl.attendance.stats.averageAttendance": "Средняя посещаемость", "journal.pl.attendance.stats.topStudents": "Топ-3 студента по посещаемости", + "journal.pl.attendance.stats.lowAttendance": "Студенты с низкой посещаемостью", "journal.pl.attendance.stats.noData": "Нет данных", "journal.pl.attendance.emojis.excellent": "Отличная посещаемость", diff --git a/src/pages/course-list/course-card.tsx b/src/pages/course-list/course-card.tsx index cd07001..f43ab40 100644 --- a/src/pages/course-list/course-card.tsx +++ b/src/pages/course-list/course-card.tsx @@ -1,4 +1,4 @@ -import React, { useCallback, useEffect, useState } from 'react' +import React, { useCallback, useEffect, useState, useMemo } from 'react' import dayjs from 'dayjs' import { Link as ConnectedLink, generatePath } from 'react-router-dom' import { getNavigationValue } from '@brojs/cli' @@ -9,24 +9,50 @@ import { CardFooter, ButtonGroup, Stack, - StackDivider, Button, Card, Heading, Tooltip, Spinner, + Flex, + IconButton, + Badge, + Progress, + SimpleGrid, + Stat, + StatLabel, + StatNumber, + HStack, + Text, + VStack, + Divider, + useColorMode, + Avatar, + AvatarGroup, + Tag, + TagLabel, + TagLeftIcon, + Wrap, + WrapItem, } from '@chakra-ui/react' import { useTranslation } from 'react-i18next' import { api } from '../../__data__/api/api' -import { ArrowUpIcon, LinkIcon } from '@chakra-ui/icons' +import { ArrowUpIcon, LinkIcon, CalendarIcon, ViewIcon, WarningIcon, StarIcon, TimeIcon } from '@chakra-ui/icons' import { Course } from '../../__data__/model' import { CourseDetails } from './course-details' export const CourseCard = ({ course }: { course: Course }) => { const [getLessonList, populatedCourse] = api.useLazyGetCourseByIdQuery() + const { data: lessonList, isLoading: lessonListLoading } = api.useLessonListQuery(course.id, { + selectFromResult: ({ data, isLoading }) => ({ + data: data?.body, + isLoading, + }), + }) const [isOpened, setIsOpened] = useState(false) const { t } = useTranslation() + const { colorMode } = useColorMode() useEffect(() => { if (isOpened) { @@ -38,85 +64,393 @@ export const CourseCard = ({ course }: { course: Course }) => { setIsOpened((opened) => !opened) }, [setIsOpened]) + // Рассчитываем статистику курса и посещаемости + const stats = useMemo(() => { + if (!populatedCourse.data) { + return { + totalLessons: course.lessons.length, + upcomingLessons: 0, + completedLessons: 0, + progress: 0, + topStudents: [], + lowAttendanceStudents: [] + } + } + + const now = dayjs() + const total = populatedCourse.data.lessons.length + const completed = populatedCourse.data.lessons.filter(lesson => + dayjs(lesson.date).isBefore(now) + ).length + + return { + totalLessons: total, + upcomingLessons: total - completed, + completedLessons: completed, + progress: total > 0 ? (completed / total) * 100 : 0, + topStudents: [], + lowAttendanceStudents: [] + } + }, [populatedCourse.data, course.lessons.length]) + + // Рассчитываем статистику посещаемости студентов + const attendanceStats = useMemo(() => { + if (!lessonList || lessonList.length === 0) { + return { + topStudents: [], + lowAttendanceStudents: [] + } + } + + const studentsMap = new Map() + + // Собираем данные о всех студентах + lessonList.forEach(lesson => { + lesson.students?.forEach(student => { + const studentId = student.sub + const current = studentsMap.get(studentId) || { + id: studentId, + name: (student.family_name && student.given_name + ? `${student.family_name} ${student.given_name}` + : student.name || student.email || student.preferred_username || student.family_name || student.given_name), + attended: 0, + total: 0, + avatarUrl: student.picture, + email: student.email + } + + current.attended += 1 + studentsMap.set(studentId, current) + }) + }) + + // Для каждого студента установить общее количество лекций + studentsMap.forEach(student => { + student.total = lessonList.length + student.percent = (student.attended / student.total) * 100 + }) + + // Преобразуем Map в массив и сортируем + const students = Array.from(studentsMap.values()) + + // Топ-3 студента по посещаемости + const topStudents = [...students] + .sort((a, b) => b.percent - a.percent) + .slice(0, 3) + + // Студенты с низкой посещаемостью (менее 50%) + const lowAttendanceStudents = students + .filter(student => student.percent < 50 && student.total > 0) + .sort((a, b) => a.percent - b.percent) + .slice(0, 3) + + return { + topStudents, + lowAttendanceStudents + } + }, [lessonList]) + + const getProgressColor = (value: number) => { + if (value > 80) return 'green' + if (value > 50) return 'yellow' + return 'blue' + } + + const getAttendanceColor = (value: number) => { + if (value > 80) return 'green' + if (value > 50) return 'yellow' + if (value > 30) return 'orange' + return 'red' + } + return ( - - - - {course.name} - - - {isOpened && ( - - } spacing="8px"> - - {`${t('journal.pl.course.startDate')} - ${dayjs(course.startDt).format(t('journal.pl.lesson.dateFormat'))}`} - - - {t('journal.pl.course.lessonCount')} - {course.lessons.length} - - - {populatedCourse.isFetching && } - {!populatedCourse.isFetching && populatedCourse.isSuccess && ( - - )} - - {getNavigationValue('link.journal.attendance') && ( - - - - )} - - - )} - - - - - - - + + + ) + })} + + + )} + + )} + + + + + + + {getNavigationValue('link.journal.attendance') && ( + + + + )}