import React, { useCallback, useEffect, useState, useMemo } from 'react' import { formatDate } from '../../utils/dayjs-config' import dayjs from 'dayjs' import { Link as ConnectedLink, generatePath } from 'react-router-dom' import { getNavigationValue } from '@brojs/cli' import { Box, CardHeader, CardBody, CardFooter, ButtonGroup, Stack, 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, useBreakpointValue, useMediaQuery, Icon } from '@chakra-ui/react' import { useTranslation } from 'react-i18next' import { FaExpand, FaCompress } from 'react-icons/fa' import { api } from '../../__data__/api/api' import { ArrowUpIcon, LinkIcon, CalendarIcon, ViewIcon, WarningIcon, StarIcon, TimeIcon } from '@chakra-ui/icons' import { Course } from '../../__data__/model' 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 [isLessonsExpanded, setIsLessonsExpanded] = useState(false) const { t } = useTranslation() const { colorMode } = useColorMode() // Адаптивные размеры и компоновка для различных размеров экрана const headingSize = useBreakpointValue({ base: 'sm', md: 'md' }) const buttonSize = useBreakpointValue({ base: 'xs', md: 'md' }) const tagSize = useBreakpointValue({ base: 'sm', md: 'md' }) const avatarSize = useBreakpointValue({ base: 'xs', md: 'sm' }) const cardPadding = useBreakpointValue({ base: 2, md: 4 }) // Используем медиа-запросы для определения направления бейджей const [isLargerThanSm] = useMediaQuery("(min-width: 480px)") const [badgeDirection, setBadgeDirection] = useState<'column' | 'row'>('row') useEffect(() => { setBadgeDirection(isLargerThanSm ? 'row' : 'column') }, [isLargerThanSm]) useEffect(() => { if (isOpened) { getLessonList(course.id, true) } }, [isOpened]) const handleToggleOpene = useCallback(() => { setIsOpened((opened) => !opened) }, [setIsOpened]) const handleToggleExpand = useCallback(() => { setIsLessonsExpanded((expanded) => !expanded) }, [setIsLessonsExpanded]) // Рассчитываем статистику курса и посещаемости 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() const now = dayjs() // Фильтруем только прошедшие лекции const pastLessons = lessonList.filter(lesson => dayjs(lesson.date).isBefore(now)) // Если прошедших лекций нет, возвращаем пустую статистику if (pastLessons.length === 0) { return { topStudents: [], lowAttendanceStudents: [] } } // Собираем данные о всех студентах (только для прошедших лекций) pastLessons.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 = pastLessons.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} } size="sm" colorScheme="blue" variant="ghost" isLoading={populatedCourse.isFetching} onClick={handleToggleOpene} /> {badgeDirection === 'column' ? ( {formatDate(course.startDt, 'DD.MM.YYYY')} {stats.totalLessons} {t('journal.pl.common.lesson').toLowerCase()} ) : ( {formatDate(course.startDt, 'DD.MM.YYYY')} {stats.totalLessons} {t('journal.pl.common.lesson').toLowerCase()} )} {!isOpened && ( {lessonListLoading ? ( ) : attendanceStats.topStudents.length > 0 ? ( {t('journal.pl.attendance.stats.topStudents')}: {attendanceStats.topStudents.map(student => ( ))} ) : ( {t('journal.pl.attendance.stats.noData')} )} )} {isOpened && ( {t('journal.pl.course.completedLessons')} {stats.completedLessons} / {stats.totalLessons} {t('journal.pl.course.upcomingLessons')} {stats.upcomingLessons} {populatedCourse.data?.lessons .filter(lesson => dayjs(lesson.date).isAfter(dayjs())) .sort((a, b) => dayjs(a.date).valueOf() - dayjs(b.date).valueOf())[0]?.date ? formatDate( populatedCourse.data?.lessons .filter(lesson => dayjs(lesson.date).isAfter(dayjs())) .sort((a, b) => dayjs(a.date).valueOf() - dayjs(b.date).valueOf())[0]?.date, 'DD.MM.YYYY' ) : t('journal.pl.common.noData') } {lessonListLoading ? ( ) : ( {t('journal.pl.attendance.stats.title')} {attendanceStats.topStudents.length > 0 && ( {t('journal.pl.attendance.stats.topStudents')}: {attendanceStats.topStudents.map((student, index) => ( {student.name} {student.attended} / {student.total} ))} )} {attendanceStats.lowAttendanceStudents.length > 0 && ( {t('journal.pl.attendance.stats.lowAttendance')}: {attendanceStats.lowAttendanceStudents.map((student) => ( {student.name} {student.attended} / {student.total} ))} )} )} {populatedCourse.isFetching && ( )} {!populatedCourse.isFetching && populatedCourse.isSuccess && populatedCourse.data && ( <> {t('journal.pl.lesson.list')} : } size="xs" onClick={handleToggleExpand} /> {[...populatedCourse.data.lessons] .sort((a, b) => dayjs(b.date).valueOf() - dayjs(a.date).valueOf()) .map(lesson => { const isPast = dayjs(lesson.date).isBefore(dayjs()) const lessonAttendance = lessonList?.find(l => l._id === lesson._id) const attendanceCount = lessonAttendance?.students?.length || 0 // Безопасный расчёт общего количества студентов const totalStudentsCount = lessonList && lessonList.length > 0 ? new Set(lessonList.flatMap(l => (l.students || []).map(s => s.sub))).size : 1 // Избегаем деления на ноль const attendancePercent = totalStudentsCount > 0 ? (attendanceCount / totalStudentsCount) * 100 : 0 return ( {lesson.name} {formatDate(lesson.date, 'DD.MM.YYYY')} {isPast && lessonAttendance && ( {attendanceCount} {t('journal.pl.common.students')} )} ) })} )} )} {getNavigationValue('link.journal.attendance') && ( )} ) }