Untitled

 avatar
unknown
plain_text
11 days ago
6.6 kB
4
Indexable
// /components/circular-progress.tsx
'use client'

import { useEffect, useState, useMemo } from 'react'
import { useTheme } from 'next-themes'
import { Label, PolarGrid, PolarRadiusAxis, RadialBar, RadialBarChart } from "recharts"
import { Card, CardContent } from "@/components/ui/card"
import { ChartContainer, ChartConfig } from "@/components/ui/chart"
import { cn } from "@/lib/utils"
import { useSettings } from "@/hooks/useSettings"
import { useTranslation, type SupportedLanguages } from "@/utils/translations"
import { Timer, AlertTriangle, Clock } from 'lucide-react'
import {
  Tooltip,
  TooltipContent,
  TooltipProvider,
  TooltipTrigger,
} from "@/components/ui/tooltip"
import { useFillPredictions } from '@/hooks/useFillPredictions'

interface CircularProgressProps {
  binId: string
  fillLevel: number
  color: string
  darkColor: string
  name: string
}

const DEFAULT_BINS = ['Biomüll', 'Gelber Sack', 'Papier', 'Restmüll'];

export function CircularProgress({ binId, fillLevel, color, darkColor, name }: CircularProgressProps) {
  const { theme } = useTheme()
  const [progress, setProgress] = useState(0)
  const { settings } = useSettings()
  const { t } = useTranslation(settings?.language as SupportedLanguages || 'EN')
  const { predictions } = useFillPredictions()

  const prediction = predictions.find(p => p.binId === binId)

  useEffect(() => {
    const timer = setTimeout(() => setProgress(fillLevel), 100)
    return () => clearTimeout(timer)
  }, [fillLevel])

  const isDarkMode = theme === 'dark'
  const bgColor = isDarkMode ? darkColor : color
  const progressColor = getProgressColor(fillLevel, isDarkMode)

  const displayName = useMemo(() => 
    DEFAULT_BINS.includes(name) ? t(`bins.${name}`) : name,
  [name, t])

  const chartConfig: ChartConfig = useMemo(() => ({
    [binId]: {
      label: displayName,
      color: progressColor,
    },
  }), [binId, displayName, progressColor])

  const chartData = useMemo(() => ([
    {
      name: `${binId}-progress`,
      value: progress,
      fill: progressColor
    }
  ]), [binId, progress, progressColor])

  const getPredictionColor = (hours: number) => {
    if (hours < 1) return 'text-red-500'
    if (hours < 12) return 'text-orange-500'
    if (hours < 24) return 'text-yellow-500'
    return 'text-green-500'
  }

  const formatPredictionTime = (date: Date) => {
    return new Intl.DateTimeFormat(settings?.language === 'DE' ? 'de-DE' : 'en-US', {
      day: 'numeric',
      month: 'short',
      hour: '2-digit',
      minute: '2-digit'
    }).format(date)
  }

  return (
    <TooltipProvider>
      <Tooltip>
        <TooltipTrigger asChild>
          <Card className="border-0 bg-transparent shadow-none w-[460px] min-w-[460px]">
            <CardContent className="p-0">
              <ChartContainer config={chartConfig} className="relative w-full aspect-square">
                <div className="absolute inset-0 flex items-center justify-center">
                  <div
                    className={cn(
                      "rounded-full",
                      isDarkMode ? "opacity-[0.15]" : "opacity-[0.55]"
                    )}
                    style={{
                      backgroundColor: bgColor,
                      width: "57%",
                      height: "57%",
                      position: "absolute",
                      left: "50%",
                      top: "50%",
                      transform: "translate(-50%, -50%)"
                    }}
                  />
                </div>
                <RadialBarChart
                  width="100%"
                  height="100%"
                  data={chartData}
                  startAngle={90}
                  endAngle={90 - (progress * 3.6)}
                  innerRadius="65%"
                  outerRadius="90%"
                  barSize={12}
                >
                  <PolarRadiusAxis tick={false} axisLine={false} tickLine={false} stroke="none">
                    <Label
                      content={({ viewBox }) => {
                        if (viewBox && "cx" in viewBox && "cy" in viewBox) {
                          return (
                            <text
                              x={viewBox.cx}
                              y={viewBox.cy}
                              textAnchor="middle"
                              dominantBaseline="middle"
                              className="fill-foreground text-2xl font-medium"
                            >
                              {displayName}
                            </text>
                          );
                        }
                      }}
                    />
                  </PolarRadiusAxis>
                  <RadialBar
                    background={false}
                    dataKey="value"
                    cornerRadius={15}
                    className="stroke-none"
                  />
                </RadialBarChart>
              </ChartContainer>
            </CardContent>
          </Card>
        </TooltipTrigger>
        {prediction && (
          <TooltipContent 
            className="flex items-center gap-2 p-3"
            sideOffset={5}
          >
            <div className={cn(
              "flex items-center gap-2",
              getPredictionColor(prediction.timeUntilFull)
            )}>
              {prediction.timeUntilFull < 1 ? (
                <AlertTriangle className="h-4 w-4" />
              ) : prediction.timeUntilFull < 24 ? (
                <Timer className="h-4 w-4" />
              ) : (
                <Clock className="h-4 w-4" />
              )}
              <span>
                {t('predictions.fullBy', {
                  time: formatPredictionTime(prediction.predictedFullTime)
                })}
              </span>
            </div>
            <div className="text-sm text-muted-foreground">
              ({Math.round(prediction.fillRate * 10) / 10}%/h)
            </div>
          </TooltipContent>
        )}
      </Tooltip>
    </TooltipProvider>
  )
}

function getProgressColor(level: number, isDark: boolean) {
  if (isDark) {
    if (level >= 80) return '#ff3b30'
    if (level >= 60) return '#ff9f0a'
    if (level >= 40) return '#ffd60a'
    return '#30d158'
  } else {
    if (level >= 80) return '#ff453a'
    if (level >= 60) return '#ff9f0a'
    if (level >= 40) return '#ffd60a'
    return '#34c759'
  }
}
Leave a Comment