diff --git a/locales/en.json b/locales/en.json index 9948000..c0b62e1 100644 --- a/locales/en.json +++ b/locales/en.json @@ -143,5 +143,17 @@ "journal.pl.lesson.form.date": "Date", "journal.pl.lesson.form.dateTime": "Specify date and time of the lesson", "journal.pl.lesson.form.datePlaceholder": "Specify lesson date", - "journal.pl.lesson.form.namePlaceholder": "Lesson name" + "journal.pl.lesson.form.namePlaceholder": "Lesson name", + + "journal.pl.statistics.title": "Course Statistics", + "journal.pl.statistics.totalLessons": "Total Lessons", + "journal.pl.statistics.completed": "completed", + "journal.pl.statistics.attendanceRate": "Attendance Rate", + "journal.pl.statistics.totalStudents": "Total Students", + "journal.pl.statistics.perLesson": "per lesson", + "journal.pl.statistics.nextLesson": "Next Lesson", + "journal.pl.statistics.noUpcoming": "Not scheduled", + "journal.pl.statistics.in": "in", + "journal.pl.statistics.days": "days", + "journal.pl.statistics.courseProgress": "Course Progress" } \ No newline at end of file diff --git a/locales/ru.json b/locales/ru.json index 9e0fdcd..88a1844 100644 --- a/locales/ru.json +++ b/locales/ru.json @@ -140,5 +140,17 @@ "journal.pl.lesson.form.date": "Дата", "journal.pl.lesson.form.dateTime": "Укажите дату и время лекции", "journal.pl.lesson.form.datePlaceholder": "Укажите дату лекции", - "journal.pl.lesson.form.namePlaceholder": "Название лекции" + "journal.pl.lesson.form.namePlaceholder": "Название лекции", + + "journal.pl.statistics.title": "Статистика курса", + "journal.pl.statistics.totalLessons": "Всего занятий", + "journal.pl.statistics.completed": "завершено", + "journal.pl.statistics.attendanceRate": "Посещаемость", + "journal.pl.statistics.totalStudents": "Всего студентов", + "journal.pl.statistics.perLesson": "на занятие", + "journal.pl.statistics.nextLesson": "Следующее занятие", + "journal.pl.statistics.noUpcoming": "Не запланировано", + "journal.pl.statistics.in": "через", + "journal.pl.statistics.days": "дн.", + "journal.pl.statistics.courseProgress": "Прогресс курса" } \ No newline at end of file diff --git a/src/pages/lesson-list/components/statistics.tsx b/src/pages/lesson-list/components/statistics.tsx new file mode 100644 index 0000000..8b11bf1 --- /dev/null +++ b/src/pages/lesson-list/components/statistics.tsx @@ -0,0 +1,308 @@ +import React, { useMemo } from 'react' +import dayjs from 'dayjs' +import { + Box, + Heading, + Text, + SimpleGrid, + Stat, + StatLabel, + StatNumber, + StatHelpText, + StatArrow, + StatGroup, + Flex, + Icon, + Progress, + Divider, + Badge, + VStack, + HStack, + useColorModeValue +} from '@chakra-ui/react' +import { useTranslation } from 'react-i18next' +import { + FaChalkboardTeacher, + FaUserGraduate, + FaClock, + FaCalendarCheck, + FaCalendarAlt, + FaPercentage +} from 'react-icons/fa' +import { CalendarIcon, StarIcon, TimeIcon } from '@chakra-ui/icons' + +import { Lesson } from '../../../__data__/model' + +interface CourseStatisticsProps { + lessons: Lesson[] + isLoading: boolean +} + +export const CourseStatistics: React.FC = ({ lessons = [], isLoading }) => { + const { t } = useTranslation() + const statBgColor = useColorModeValue('white', 'gray.700') + const borderColor = useColorModeValue('gray.200', 'gray.600') + + // Вычисляем статистику курса + const stats = useMemo(() => { + if (!lessons.length) { + return { + totalLessons: 0, + completedLessons: 0, + upcomingLessons: 0, + attendanceRate: 0, + averageStudentsPerLesson: 0, + nextLessonDate: null, + mostAttendedLesson: null, + attendanceTrend: 0, + totalStudents: 0, + daysUntilNextLesson: 0, + percentageCompleted: 0 + } + } + + const now = dayjs() + const completed = lessons.filter(lesson => dayjs(lesson.date).isBefore(now)) + const upcoming = lessons.filter(lesson => dayjs(lesson.date).isAfter(now)) + + // Сортируем предстоящие занятия по дате (ближайшие вперед) + const sortedUpcoming = [...upcoming].sort((a, b) => + dayjs(a.date).valueOf() - dayjs(b.date).valueOf() + ) + + // Находим ближайшее занятие + const nextLesson = sortedUpcoming.length > 0 ? sortedUpcoming[0] : null + + // Вычисляем среднее количество студентов на занятии + const totalStudentsCount = completed.reduce( + (sum, lesson) => sum + (lesson.students?.length || 0), + 0 + ) + + const averageStudents = completed.length + ? totalStudentsCount / completed.length + : 0 + + // Находим занятие с наибольшей посещаемостью + let mostAttended = null + let maxAttendance = 0 + + completed.forEach(lesson => { + const attendance = lesson.students?.length || 0 + if (attendance > maxAttendance) { + maxAttendance = attendance + mostAttended = lesson + } + }) + + // Вычисляем тренд посещаемости (положительный или отрицательный) + let attendanceTrend = 0 + + if (completed.length >= 2) { + // Берем последние 5 занятий или меньше, если их меньше 5 + const recentLessons = [...completed] + .sort((a, b) => dayjs(b.date).valueOf() - dayjs(a.date).valueOf()) + .slice(0, 5) + + if (recentLessons.length >= 2) { + const lastLesson = recentLessons[0] + const previousLessons = recentLessons.slice(1) + + const lastAttendance = lastLesson.students?.length || 0 + const avgPreviousAttendance = previousLessons.reduce( + (sum, lesson) => sum + (lesson.students?.length || 0), + 0 + ) / previousLessons.length + + // Вычисляем процентное изменение + attendanceTrend = avgPreviousAttendance + ? ((lastAttendance - avgPreviousAttendance) / avgPreviousAttendance) * 100 + : 0 + } + } + + // Вычисляем количество дней до следующего занятия + const daysUntilNext = nextLesson + ? dayjs(nextLesson.date).diff(now, 'day') + : 0 + + // Собираем все уникальные ID студентов + const uniqueStudents = new Set() + lessons.forEach(lesson => { + lesson.students?.forEach(student => { + uniqueStudents.add(student.sub) + }) + }) + + // Вычисляем процент завершенного курса + const percentComplete = lessons.length + ? (completed.length / lessons.length) * 100 + : 0 + + return { + totalLessons: lessons.length, + completedLessons: completed.length, + upcomingLessons: upcoming.length, + attendanceRate: completed.length ? (totalStudentsCount / (completed.length * uniqueStudents.size || 1)) * 100 : 0, + averageStudentsPerLesson: Math.round(averageStudents * 10) / 10, + nextLessonDate: nextLesson?.date || null, + mostAttendedLesson: mostAttended, + attendanceTrend, + totalStudents: uniqueStudents.size, + daysUntilNextLesson: daysUntilNext, + percentageCompleted: percentComplete + } + }, [lessons]) + + // Определяем цвет для показателей статистики + const getProgressColor = (value) => { + if (value > 80) return 'green' + if (value > 50) return 'blue' + if (value > 30) return 'yellow' + return 'red' + } + + if (isLoading || !lessons.length) { + return null + } + + return ( + + + {t('journal.pl.statistics.title')} + + + + {/* Статистика по занятиям */} + + + + {t('journal.pl.statistics.totalLessons')} + + {stats.totalLessons} + + + + {stats.completedLessons} {t('journal.pl.statistics.completed')} + + + + + {/* Статистика по посещаемости */} + + + + {t('journal.pl.statistics.attendanceRate')} + + + {Math.round(stats.attendanceRate)}% + + + {stats.attendanceTrend !== 0 && ( + + 0 ? 'increase' : 'decrease'} + /> + + {Math.abs(Math.round(stats.attendanceTrend))}% + + + )} + + + + {/* Статистика по студентам */} + + + + {t('journal.pl.statistics.totalStudents')} + + {stats.totalStudents} + + + ~ {stats.averageStudentsPerLesson} {t('journal.pl.statistics.perLesson')} + + + + + {/* Следующее занятие */} + + + + {t('journal.pl.statistics.nextLesson')} + + + {stats.nextLessonDate + ? dayjs(stats.nextLessonDate).format('DD.MM.YYYY') + : t('journal.pl.statistics.noUpcoming') + } + + + {stats.nextLessonDate && ( + + {t('journal.pl.statistics.in')} {stats.daysUntilNextLesson} {t('journal.pl.statistics.days')} + + )} + + + + + + + {t('journal.pl.statistics.courseProgress')} + + + + + {t('journal.pl.statistics.completed')}: {stats.completedLessons} / {stats.totalLessons} + + + {Math.round(stats.percentageCompleted)}% + + + + + ) +} \ No newline at end of file diff --git a/src/pages/lesson-list/lesson-list.tsx b/src/pages/lesson-list/lesson-list.tsx index fd333c6..ae31dab 100644 --- a/src/pages/lesson-list/lesson-list.tsx +++ b/src/pages/lesson-list/lesson-list.tsx @@ -40,6 +40,7 @@ import { LessonForm } from './components/lessons-form' import { Bar } from './components/bar' import { LessonItems } from './components/lesson-items' import { BreadcrumbsWrapper } from './style' +import { CourseStatistics } from './components/statistics' const features = getFeatures('journal') @@ -346,6 +347,12 @@ const LessonList = () => { )} )} + + {/* Статистика курса */} + {!showForm && ( + + )} + {barFeature && sorted?.length > 1 && (