Add app to git

This commit is contained in:
2025-01-18 20:40:08 -05:00
parent abf4dd3b8a
commit 887b8c5919
18 changed files with 1877 additions and 263 deletions

540
components/arcade.tsx Normal file
View File

@@ -0,0 +1,540 @@
import React, { useState, useEffect } from 'react';
import { Button } from "@/components/ui/button";
import { Input } from "@/components/ui/input";
import { Card, CardHeader, CardTitle, CardContent, CardFooter, CardDescription } from "@/components/ui/card";
import { Plus, Minus, Trash2, ArrowLeft } from "lucide-react";
import { motion, AnimatePresence } from "framer-motion";
import { Alert, AlertDescription } from "@/components/ui/alert";
import {
Dialog,
DialogContent,
DialogDescription,
DialogFooter,
DialogHeader,
DialogTitle,
DialogTrigger,
} from "@/components/ui/dialog";
import { Label } from "@/components/ui/label";
import { Progress } from "@/components/ui/progress";
interface ParticipantSetup {
id: number;
name: string;
}
interface Prize {
id: string;
name: string;
points: number;
}
interface Participant {
id: number;
name: string;
pointsAvailable: number;
prizes: Prize[];
}
interface StoredData {
stage: Stage;
numParticipants: number;
participantSetup: ParticipantSetup[];
pointInputs: number[];
participants: Participant[];
totalPoints: number;
}
type Stage = 'setup' | 'points' | 'tracking';
const STORAGE_KEY = 'arcadeTrackerData';
const ArcadeTracker: React.FC = () => {
const [stage, setStage] = useState<Stage>('setup');
const [numParticipants, setNumParticipants] = useState<number>(2);
const [pointInputs, setPointInputs] = useState<number[]>([]);
const [participants, setParticipants] = useState<Participant[]>([]);
const [totalPoints, setTotalPoints] = useState<number>(0);
const [newPrizeName, setNewPrizeName] = useState<string>('');
const [newPrizePoints, setNewPrizePoints] = useState<string>('');
const [participantSetup, setParticipantSetup] = useState<ParticipantSetup[]>([]);
const [showResetDialog, setShowResetDialog] = useState(false);
const [editingParticipantId, setEditingParticipantId] = useState<number | null>(null);
useEffect(() => {
// Initialize participant setup when component mounts
if (participantSetup.length === 0) {
setParticipantSetup([
{ id: 1, name: 'Player 1' },
{ id: 2, name: 'Player 2' }
]);
}
}, [participantSetup.length]); // Add the dependency
useEffect(() => {
const savedData = localStorage.getItem(STORAGE_KEY);
if (savedData) {
try {
const parsed = JSON.parse(savedData) as StoredData;
setStage(parsed.stage);
setNumParticipants(parsed.numParticipants);
setParticipantSetup(parsed.participantSetup || []);
setPointInputs(parsed.pointInputs);
setParticipants(parsed.participants);
setTotalPoints(parsed.totalPoints);
} catch (error) {
console.error('Error parsing saved data:', error);
}
}
}, []);
useEffect(() => {
const dataToSave: StoredData = {
stage,
numParticipants,
participantSetup,
pointInputs,
participants,
totalPoints,
};
localStorage.setItem(STORAGE_KEY, JSON.stringify(dataToSave));
}, [stage, numParticipants, pointInputs, participants, totalPoints, participantSetup]); // Add participantSetup
const handleParticipantNameChange = (id: number, name: string) => {
setParticipantSetup(prev =>
prev.map(p => p.id === id ? { ...p, name } : p)
);
};
const handleNumParticipantsChange = (change: number) => {
const newNum = Math.max(2, Math.min(10, numParticipants + change));
setNumParticipants(newNum);
// Update participant setup array
setParticipantSetup(prev => {
const newSetup = Array(newNum).fill(null).map((_, i) => ({
id: i + 1,
name: prev[i]?.name || `Player ${i + 1}`
}));
return newSetup;
});
};
const handleUpdatePoints = () => {
const total = pointInputs.reduce((sum, points) => sum + points, 0);
const pointsPerPerson = Math.floor(total / numParticipants);
// Update each participant's points while preserving prizes
const updatedParticipants = participantSetup.map((setup) => {
const existingParticipant = participants.find(p => p.id === setup.id);
const currentPrizePoints = existingParticipant?.prizes.reduce((sum, prize) => sum + prize.points, 0) || 0;
return {
id: setup.id,
name: setup.name,
pointsAvailable: pointsPerPerson - currentPrizePoints,
prizes: existingParticipant?.prizes || []
};
});
setTotalPoints(total);
setParticipants(updatedParticipants);
setStage('tracking');
};
const handleAddPrize = (participantId: number) => {
// Just add the prize, no validation
const points = parseInt(newPrizePoints) || 0;
setParticipants(current =>
current.map(p => {
if (p.id === participantId) {
return {
...p,
pointsAvailable: p.pointsAvailable - points,
prizes: [
...p.prizes,
{
id: Date.now().toString(),
name: newPrizeName || 'Prize',
points
}
]
};
}
return p;
})
);
// Clear inputs and close dialog
setNewPrizeName('');
setNewPrizePoints('');
setEditingParticipantId(null);
};
const removePrize = (participantId: number, prizeId: string) => {
setParticipants(participants.map(p => {
if (p.id === participantId) {
const prizeToRemove = p.prizes.find(prize => prize.id === prizeId);
return {
...p,
pointsAvailable: p.pointsAvailable + (prizeToRemove?.points || 0),
prizes: p.prizes.filter(prize => prize.id !== prizeId)
};
}
return p;
}));
};
const handlePointInput = (index: number, value: string) => {
const newInputs = [...pointInputs];
newInputs[index] = value === '' ? 0 : parseInt(value) || 0;
setPointInputs(newInputs);
};
const resetApp = () => {
localStorage.removeItem(STORAGE_KEY);
setStage('setup');
setNumParticipants(2);
setParticipantSetup([
{ id: 1, name: 'Player 1' },
{ id: 2, name: 'Player 2' }
]);
setPointInputs([]);
setParticipants([]);
setTotalPoints(0);
setShowResetDialog(false);
};
const renderSetupStage = () => (
<div className="p-4 max-w-md mx-auto">
<Card className="shadow-lg">
<CardHeader>
<CardTitle>Arcade Point Tracker</CardTitle>
<CardDescription>Set up your group&apos;s point tracking</CardDescription>
</CardHeader>
<CardContent>
<div className="space-y-6">
<div>
<Label>Number of Participants (2-10)</Label>
<div className="flex items-center gap-4 mt-2">
<Button
variant="outline"
size="icon"
onClick={() => handleNumParticipantsChange(-1)}
disabled={numParticipants <= 2}
>
<Minus className="h-4 w-4" />
</Button>
<div className="text-2xl font-medium w-8 text-center">
{numParticipants}
</div>
<Button
variant="outline"
size="icon"
onClick={() => handleNumParticipantsChange(1)}
disabled={numParticipants >= 10}
>
<Plus className="h-4 w-4" />
</Button>
</div>
</div>
<div className="space-y-4">
<Label>Participant Names</Label>
{participantSetup.map((p, index) => (
<div key={p.id} className="flex gap-2">
<Input
value={p.name}
onChange={(e) => handleParticipantNameChange(p.id, e.target.value)}
placeholder={`Player ${index + 1}`}
onClick={(e) => (e.target as HTMLInputElement).select()}
className="transition-colors focus:bg-accent focus:text-accent-foreground"
/>
</div>
))}
</div>
<Button
className="w-full"
onClick={() => {
setPointInputs(Array(numParticipants).fill(0));
setStage('points');
}}
disabled={participantSetup.some(p => !p.name.trim())}
>
Next
</Button>
</div>
</CardContent>
</Card>
</div>
);
const renderPointsStage = () => (
<div className="p-4 max-w-md mx-auto">
<Card className="shadow-lg">
<CardHeader>
<CardTitle>Enter Points</CardTitle>
<CardDescription>Input the points from each card</CardDescription>
</CardHeader>
<CardContent>
<div className="space-y-4">
{pointInputs.map((points, index) => (
<div key={index}>
<Label htmlFor={`card-${index}`}>Card {index + 1} Points</Label>
<Input
key={`card-${index}`} // Key helps ensure clean re-render
id={`card-${index}`}
type="text" // Changed from number
inputMode="numeric" // Still shows number keyboard on mobile
value={pointInputs[index] === 0 ? '' : pointInputs[index]} // Empty if 0
onChange={(e) => handlePointInput(index, e.target.value)}
className="mt-1"
placeholder="Enter points"
/>
</div>
))}
</div>
</CardContent>
<CardFooter className="flex justify-between">
<Button
variant="outline"
onClick={() => setStage('setup')}
>
<ArrowLeft className="w-4 h-4 mr-2" />
Back
</Button>
<Button
onClick={handleUpdatePoints} // Changed from calculatePoints
disabled={pointInputs.some(p => !p)}
>
Calculate
</Button> </CardFooter>
</Card>
</div>
);
const renderTrackingStage = () => (
<>
<div className="fixed top-0 left-0 right-0 z-10 bg-background/95 backdrop-blur supports-[backdrop-filter]:bg-background/60">
<div className="max-w-md mx-auto p-4">
<Card className="shadow-lg">
<CardHeader className="space-y-2">
<div className="flex justify-between items-start gap-4">
<CardTitle className="flex flex-col gap-1">
<div>Total Points: {totalPoints}</div>
<div className="text-base font-normal text-muted-foreground">
Points Used: {participants.reduce((total, p) =>
total + p.prizes.reduce((sum, prize) => sum + prize.points, 0)
, 0)}
</div>
</CardTitle>
<div className="space-x-2 flex-shrink-0">
<Button
variant="outline"
size="sm"
onClick={() => setStage('points')}
>
Edit Points
</Button>
<Button
variant="destructive"
size="sm"
onClick={() => setShowResetDialog(true)}
>
Reset App
</Button>
</div>
</div>
<div className="space-y-1">
<Progress
value={(participants.reduce((total, p) =>
total + p.prizes.reduce((sum, prize) => sum + prize.points, 0)
, 0) / totalPoints) * 100}
className={`h-2 ${(participants.reduce((total, p) =>
total + p.prizes.reduce((sum, prize) => sum + prize.points, 0)
, 0) > totalPoints) ? '[&>div]:bg-destructive' : ''}`}
/>
<CardDescription className={`text-right text-xs ${(participants.reduce((total, p) =>
total + p.prizes.reduce((sum, prize) => sum + prize.points, 0)
, 0) > totalPoints) ? 'text-destructive font-medium' : ''}`}>
{((participants.reduce((total, p) =>
total + p.prizes.reduce((sum, prize) => sum + prize.points, 0)
, 0) / totalPoints) * 100).toFixed(1)}% used
</CardDescription>
</div>
</CardHeader>
</Card>
</div>
</div>
<div className="max-w-md mx-auto">
<div className="h-[150px]" /> {/* Spacer for fixed header */}
<div className="p-4 space-y-4">
<Dialog open={showResetDialog} onOpenChange={setShowResetDialog}>
<DialogContent>
<DialogHeader>
<DialogTitle>Reset Application</DialogTitle>
<DialogDescription>
Are you sure you want to reset all data? This action cannot be undone.
</DialogDescription>
</DialogHeader>
<DialogFooter>
<Button variant="outline" onClick={() => setShowResetDialog(false)}>
Cancel
</Button>
<Button variant="destructive" onClick={resetApp}>
Reset
</Button>
</DialogFooter>
</DialogContent>
</Dialog>
<AnimatePresence>
{participants.map((participant, index) => (
<motion.div
key={participant.id}
initial={{ opacity: 0, y: 20 }}
animate={{ opacity: 1, y: 0 }}
exit={{ opacity: 0, y: -20 }}
transition={{ duration: 0.2, delay: index * 0.1 }}
>
<Card className="shadow-lg">
<CardHeader>
<div className="flex justify-between items-center">
<CardTitle>{participant.name}</CardTitle>
</div>
<div className="space-y-2">
<div className="text-sm text-muted-foreground flex justify-between items-center">
<span>Points Available: {participant.pointsAvailable} / {Math.floor(totalPoints / participants.length)}</span>
<span className={`text-xs ${participant.pointsAvailable < 0 ? 'text-destructive font-medium' : ''}`}>
{((participant.pointsAvailable / (totalPoints / participants.length)) * 100).toFixed(1)}%
</span>
</div>
<Progress
value={100 - ((participant.pointsAvailable / (totalPoints / participants.length)) * 100)}
className={`h-2 ${participant.pointsAvailable < 0 ? '[&>div]:bg-destructive' : ''}`}
/>
</div>
</CardHeader>
<CardContent className="pt-0">
<div className="space-y-2">
<AnimatePresence mode="popLayout">
{participant.prizes.map((prize) => (
<motion.div
key={`${participant.id}-${prize.id}`}
layout
initial={{ opacity: 0, height: 0 }}
animate={{ opacity: 1, height: "auto" }}
exit={{ opacity: 0, height: 0 }}
transition={{
type: "spring",
stiffness: 500,
damping: 30,
opacity: { duration: 0.2 }
}}
className="overflow-hidden"
>
<div className="flex justify-between items-center p-2 bg-secondary rounded">
<div>
<div className="font-medium">{prize.name}</div>
<div className="text-sm text-muted-foreground">{prize.points} points</div>
</div>
<Button
variant="ghost"
size="icon"
onClick={() => removePrize(participant.id, prize.id)}
>
<Trash2 className="h-4 w-4" />
</Button>
</div>
</motion.div>
))}
</AnimatePresence>
{!participant.prizes.length && (
<Alert variant="default" className="bg-muted">
<AlertDescription>
&quot;No prizes added yet. Click &quot;Add Prize&quot; to get started.&quot;
</AlertDescription>
</Alert>
)}
<Dialog open={editingParticipantId === participant.id} onOpenChange={(open) => {
if (!open) setEditingParticipantId(null);
}}>
<DialogTrigger asChild>
<Button
className="w-full"
variant="outline"
onClick={() => setEditingParticipantId(participant.id)}
>
<Plus className="h-4 w-4 mr-2" />
Add Prize
</Button>
</DialogTrigger>
<DialogContent>
<DialogHeader>
<DialogTitle>Add Prize for {participant.name}</DialogTitle>
<DialogDescription>
Available Points: {participant.pointsAvailable}
</DialogDescription>
</DialogHeader>
<div className="space-y-4 py-4">
<div className="space-y-2">
<Label htmlFor="prize-name">Prize Name</Label>
<Input
id="prize-name"
value={newPrizeName}
onChange={(e) => setNewPrizeName(e.target.value)}
/>
</div>
<div className="space-y-2">
<Label htmlFor="prize-points">Points Cost</Label>
<Input
id="prize-points"
type="text"
inputMode="numeric"
value={newPrizePoints}
onChange={(e) => setNewPrizePoints(e.target.value)}
/>
</div>
</div>
<DialogFooter>
<Button
variant="outline"
onClick={() => setEditingParticipantId(null)}
>
Cancel
</Button>
<Button
onClick={() => handleAddPrize(participant.id)}
disabled={!newPrizeName}
>
Add Prize
</Button>
</DialogFooter>
</DialogContent>
</Dialog>
</div>
</CardContent>
</Card>
</motion.div>
))}
</AnimatePresence>
</div>
</div>
</>
);
switch (stage) {
case 'setup':
return renderSetupStage();
case 'points':
return renderPointsStage();
case 'tracking':
return renderTrackingStage();
default:
return null;
}
};
export default ArcadeTracker;

View File

@@ -0,0 +1,141 @@
"use client"
import * as React from "react"
import * as AlertDialogPrimitive from "@radix-ui/react-alert-dialog"
import { cn } from "@/lib/utils"
import { buttonVariants } from "@/components/ui/button"
const AlertDialog = AlertDialogPrimitive.Root
const AlertDialogTrigger = AlertDialogPrimitive.Trigger
const AlertDialogPortal = AlertDialogPrimitive.Portal
const AlertDialogOverlay = React.forwardRef<
React.ElementRef<typeof AlertDialogPrimitive.Overlay>,
React.ComponentPropsWithoutRef<typeof AlertDialogPrimitive.Overlay>
>(({ className, ...props }, ref) => (
<AlertDialogPrimitive.Overlay
className={cn(
"fixed inset-0 z-50 bg-black/80 data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0",
className
)}
{...props}
ref={ref}
/>
))
AlertDialogOverlay.displayName = AlertDialogPrimitive.Overlay.displayName
const AlertDialogContent = React.forwardRef<
React.ElementRef<typeof AlertDialogPrimitive.Content>,
React.ComponentPropsWithoutRef<typeof AlertDialogPrimitive.Content>
>(({ className, ...props }, ref) => (
<AlertDialogPortal>
<AlertDialogOverlay />
<AlertDialogPrimitive.Content
ref={ref}
className={cn(
"fixed left-[50%] top-[50%] z-50 grid w-full max-w-lg translate-x-[-50%] translate-y-[-50%] gap-4 border bg-background p-6 shadow-lg duration-200 data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-95 data-[state=closed]:slide-out-to-left-1/2 data-[state=closed]:slide-out-to-top-[48%] data-[state=open]:slide-in-from-left-1/2 data-[state=open]:slide-in-from-top-[48%] sm:rounded-lg",
className
)}
{...props}
/>
</AlertDialogPortal>
))
AlertDialogContent.displayName = AlertDialogPrimitive.Content.displayName
const AlertDialogHeader = ({
className,
...props
}: React.HTMLAttributes<HTMLDivElement>) => (
<div
className={cn(
"flex flex-col space-y-2 text-center sm:text-left",
className
)}
{...props}
/>
)
AlertDialogHeader.displayName = "AlertDialogHeader"
const AlertDialogFooter = ({
className,
...props
}: React.HTMLAttributes<HTMLDivElement>) => (
<div
className={cn(
"flex flex-col-reverse sm:flex-row sm:justify-end sm:space-x-2",
className
)}
{...props}
/>
)
AlertDialogFooter.displayName = "AlertDialogFooter"
const AlertDialogTitle = React.forwardRef<
React.ElementRef<typeof AlertDialogPrimitive.Title>,
React.ComponentPropsWithoutRef<typeof AlertDialogPrimitive.Title>
>(({ className, ...props }, ref) => (
<AlertDialogPrimitive.Title
ref={ref}
className={cn("text-lg font-semibold", className)}
{...props}
/>
))
AlertDialogTitle.displayName = AlertDialogPrimitive.Title.displayName
const AlertDialogDescription = React.forwardRef<
React.ElementRef<typeof AlertDialogPrimitive.Description>,
React.ComponentPropsWithoutRef<typeof AlertDialogPrimitive.Description>
>(({ className, ...props }, ref) => (
<AlertDialogPrimitive.Description
ref={ref}
className={cn("text-sm text-muted-foreground", className)}
{...props}
/>
))
AlertDialogDescription.displayName =
AlertDialogPrimitive.Description.displayName
const AlertDialogAction = React.forwardRef<
React.ElementRef<typeof AlertDialogPrimitive.Action>,
React.ComponentPropsWithoutRef<typeof AlertDialogPrimitive.Action>
>(({ className, ...props }, ref) => (
<AlertDialogPrimitive.Action
ref={ref}
className={cn(buttonVariants(), className)}
{...props}
/>
))
AlertDialogAction.displayName = AlertDialogPrimitive.Action.displayName
const AlertDialogCancel = React.forwardRef<
React.ElementRef<typeof AlertDialogPrimitive.Cancel>,
React.ComponentPropsWithoutRef<typeof AlertDialogPrimitive.Cancel>
>(({ className, ...props }, ref) => (
<AlertDialogPrimitive.Cancel
ref={ref}
className={cn(
buttonVariants({ variant: "outline" }),
"mt-2 sm:mt-0",
className
)}
{...props}
/>
))
AlertDialogCancel.displayName = AlertDialogPrimitive.Cancel.displayName
export {
AlertDialog,
AlertDialogPortal,
AlertDialogOverlay,
AlertDialogTrigger,
AlertDialogContent,
AlertDialogHeader,
AlertDialogFooter,
AlertDialogTitle,
AlertDialogDescription,
AlertDialogAction,
AlertDialogCancel,
}

59
components/ui/alert.tsx Normal file
View File

@@ -0,0 +1,59 @@
import * as React from "react"
import { cva, type VariantProps } from "class-variance-authority"
import { cn } from "@/lib/utils"
const alertVariants = cva(
"relative w-full rounded-lg border px-4 py-3 text-sm [&>svg+div]:translate-y-[-3px] [&>svg]:absolute [&>svg]:left-4 [&>svg]:top-4 [&>svg]:text-foreground [&>svg~*]:pl-7",
{
variants: {
variant: {
default: "bg-background text-foreground",
destructive:
"border-destructive/50 text-destructive dark:border-destructive [&>svg]:text-destructive",
},
},
defaultVariants: {
variant: "default",
},
}
)
const Alert = React.forwardRef<
HTMLDivElement,
React.HTMLAttributes<HTMLDivElement> & VariantProps<typeof alertVariants>
>(({ className, variant, ...props }, ref) => (
<div
ref={ref}
role="alert"
className={cn(alertVariants({ variant }), className)}
{...props}
/>
))
Alert.displayName = "Alert"
const AlertTitle = React.forwardRef<
HTMLParagraphElement,
React.HTMLAttributes<HTMLHeadingElement>
>(({ className, ...props }, ref) => (
<h5
ref={ref}
className={cn("mb-1 font-medium leading-none tracking-tight", className)}
{...props}
/>
))
AlertTitle.displayName = "AlertTitle"
const AlertDescription = React.forwardRef<
HTMLParagraphElement,
React.HTMLAttributes<HTMLParagraphElement>
>(({ className, ...props }, ref) => (
<div
ref={ref}
className={cn("text-sm [&_p]:leading-relaxed", className)}
{...props}
/>
))
AlertDescription.displayName = "AlertDescription"
export { Alert, AlertTitle, AlertDescription }

57
components/ui/button.tsx Normal file
View File

@@ -0,0 +1,57 @@
import * as React from "react"
import { Slot } from "@radix-ui/react-slot"
import { cva, type VariantProps } from "class-variance-authority"
import { cn } from "@/lib/utils"
const buttonVariants = cva(
"inline-flex items-center justify-center gap-2 whitespace-nowrap rounded-md text-sm font-medium transition-colors focus-visible:outline-none focus-visible:ring-1 focus-visible:ring-ring disabled:pointer-events-none disabled:opacity-50 [&_svg]:pointer-events-none [&_svg]:size-4 [&_svg]:shrink-0",
{
variants: {
variant: {
default:
"bg-primary text-primary-foreground shadow hover:bg-primary/90",
destructive:
"bg-destructive text-destructive-foreground shadow-sm hover:bg-destructive/90",
outline:
"border border-input bg-background shadow-sm hover:bg-accent hover:text-accent-foreground",
secondary:
"bg-secondary text-secondary-foreground shadow-sm hover:bg-secondary/80",
ghost: "hover:bg-accent hover:text-accent-foreground",
link: "text-primary underline-offset-4 hover:underline",
},
size: {
default: "h-9 px-4 py-2",
sm: "h-8 rounded-md px-3 text-xs",
lg: "h-10 rounded-md px-8",
icon: "h-9 w-9",
},
},
defaultVariants: {
variant: "default",
size: "default",
},
}
)
export interface ButtonProps
extends React.ButtonHTMLAttributes<HTMLButtonElement>,
VariantProps<typeof buttonVariants> {
asChild?: boolean
}
const Button = React.forwardRef<HTMLButtonElement, ButtonProps>(
({ className, variant, size, asChild = false, ...props }, ref) => {
const Comp = asChild ? Slot : "button"
return (
<Comp
className={cn(buttonVariants({ variant, size, className }))}
ref={ref}
{...props}
/>
)
}
)
Button.displayName = "Button"
export { Button, buttonVariants }

76
components/ui/card.tsx Normal file
View File

@@ -0,0 +1,76 @@
import * as React from "react"
import { cn } from "@/lib/utils"
const Card = React.forwardRef<
HTMLDivElement,
React.HTMLAttributes<HTMLDivElement>
>(({ className, ...props }, ref) => (
<div
ref={ref}
className={cn(
"rounded-xl border bg-card text-card-foreground shadow",
className
)}
{...props}
/>
))
Card.displayName = "Card"
const CardHeader = React.forwardRef<
HTMLDivElement,
React.HTMLAttributes<HTMLDivElement>
>(({ className, ...props }, ref) => (
<div
ref={ref}
className={cn("flex flex-col space-y-1.5 p-6", className)}
{...props}
/>
))
CardHeader.displayName = "CardHeader"
const CardTitle = React.forwardRef<
HTMLDivElement,
React.HTMLAttributes<HTMLDivElement>
>(({ className, ...props }, ref) => (
<div
ref={ref}
className={cn("font-semibold leading-none tracking-tight", className)}
{...props}
/>
))
CardTitle.displayName = "CardTitle"
const CardDescription = React.forwardRef<
HTMLDivElement,
React.HTMLAttributes<HTMLDivElement>
>(({ className, ...props }, ref) => (
<div
ref={ref}
className={cn("text-sm text-muted-foreground", className)}
{...props}
/>
))
CardDescription.displayName = "CardDescription"
const CardContent = React.forwardRef<
HTMLDivElement,
React.HTMLAttributes<HTMLDivElement>
>(({ className, ...props }, ref) => (
<div ref={ref} className={cn("p-6 pt-0", className)} {...props} />
))
CardContent.displayName = "CardContent"
const CardFooter = React.forwardRef<
HTMLDivElement,
React.HTMLAttributes<HTMLDivElement>
>(({ className, ...props }, ref) => (
<div
ref={ref}
className={cn("flex items-center p-6 pt-0", className)}
{...props}
/>
))
CardFooter.displayName = "CardFooter"
export { Card, CardHeader, CardFooter, CardTitle, CardDescription, CardContent }

122
components/ui/dialog.tsx Normal file
View File

@@ -0,0 +1,122 @@
"use client"
import * as React from "react"
import * as DialogPrimitive from "@radix-ui/react-dialog"
import { X } from "lucide-react"
import { cn } from "@/lib/utils"
const Dialog = DialogPrimitive.Root
const DialogTrigger = DialogPrimitive.Trigger
const DialogPortal = DialogPrimitive.Portal
const DialogClose = DialogPrimitive.Close
const DialogOverlay = React.forwardRef<
React.ElementRef<typeof DialogPrimitive.Overlay>,
React.ComponentPropsWithoutRef<typeof DialogPrimitive.Overlay>
>(({ className, ...props }, ref) => (
<DialogPrimitive.Overlay
ref={ref}
className={cn(
"fixed inset-0 z-50 bg-black/80 data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0",
className
)}
{...props}
/>
))
DialogOverlay.displayName = DialogPrimitive.Overlay.displayName
const DialogContent = React.forwardRef<
React.ElementRef<typeof DialogPrimitive.Content>,
React.ComponentPropsWithoutRef<typeof DialogPrimitive.Content>
>(({ className, children, ...props }, ref) => (
<DialogPortal>
<DialogOverlay />
<DialogPrimitive.Content
ref={ref}
className={cn(
"fixed left-[50%] top-[50%] z-50 grid w-full max-w-lg translate-x-[-50%] translate-y-[-50%] gap-4 border bg-background p-6 shadow-lg duration-200 data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-95 data-[state=closed]:slide-out-to-left-1/2 data-[state=closed]:slide-out-to-top-[48%] data-[state=open]:slide-in-from-left-1/2 data-[state=open]:slide-in-from-top-[48%] sm:rounded-lg",
className
)}
{...props}
>
{children}
<DialogPrimitive.Close className="absolute right-4 top-4 rounded-sm opacity-70 ring-offset-background transition-opacity hover:opacity-100 focus:outline-none focus:ring-2 focus:ring-ring focus:ring-offset-2 disabled:pointer-events-none data-[state=open]:bg-accent data-[state=open]:text-muted-foreground">
<X className="h-4 w-4" />
<span className="sr-only">Close</span>
</DialogPrimitive.Close>
</DialogPrimitive.Content>
</DialogPortal>
))
DialogContent.displayName = DialogPrimitive.Content.displayName
const DialogHeader = ({
className,
...props
}: React.HTMLAttributes<HTMLDivElement>) => (
<div
className={cn(
"flex flex-col space-y-1.5 text-center sm:text-left",
className
)}
{...props}
/>
)
DialogHeader.displayName = "DialogHeader"
const DialogFooter = ({
className,
...props
}: React.HTMLAttributes<HTMLDivElement>) => (
<div
className={cn(
"flex flex-col-reverse sm:flex-row sm:justify-end sm:space-x-2",
className
)}
{...props}
/>
)
DialogFooter.displayName = "DialogFooter"
const DialogTitle = React.forwardRef<
React.ElementRef<typeof DialogPrimitive.Title>,
React.ComponentPropsWithoutRef<typeof DialogPrimitive.Title>
>(({ className, ...props }, ref) => (
<DialogPrimitive.Title
ref={ref}
className={cn(
"text-lg font-semibold leading-none tracking-tight",
className
)}
{...props}
/>
))
DialogTitle.displayName = DialogPrimitive.Title.displayName
const DialogDescription = React.forwardRef<
React.ElementRef<typeof DialogPrimitive.Description>,
React.ComponentPropsWithoutRef<typeof DialogPrimitive.Description>
>(({ className, ...props }, ref) => (
<DialogPrimitive.Description
ref={ref}
className={cn("text-sm text-muted-foreground", className)}
{...props}
/>
))
DialogDescription.displayName = DialogPrimitive.Description.displayName
export {
Dialog,
DialogPortal,
DialogOverlay,
DialogTrigger,
DialogClose,
DialogContent,
DialogHeader,
DialogFooter,
DialogTitle,
DialogDescription,
}

22
components/ui/input.tsx Normal file
View File

@@ -0,0 +1,22 @@
import * as React from "react"
import { cn } from "@/lib/utils"
const Input = React.forwardRef<HTMLInputElement, React.ComponentProps<"input">>(
({ className, type, ...props }, ref) => {
return (
<input
type={type}
className={cn(
"flex h-9 w-full rounded-md border border-input bg-transparent px-3 py-1 text-base shadow-sm transition-colors file:border-0 file:bg-transparent file:text-sm file:font-medium file:text-foreground placeholder:text-muted-foreground focus-visible:outline-none focus-visible:ring-1 focus-visible:ring-ring disabled:cursor-not-allowed disabled:opacity-50 md:text-sm",
className
)}
ref={ref}
{...props}
/>
)
}
)
Input.displayName = "Input"
export { Input }

26
components/ui/label.tsx Normal file
View File

@@ -0,0 +1,26 @@
"use client"
import * as React from "react"
import * as LabelPrimitive from "@radix-ui/react-label"
import { cva, type VariantProps } from "class-variance-authority"
import { cn } from "@/lib/utils"
const labelVariants = cva(
"text-sm font-medium leading-none peer-disabled:cursor-not-allowed peer-disabled:opacity-70"
)
const Label = React.forwardRef<
React.ElementRef<typeof LabelPrimitive.Root>,
React.ComponentPropsWithoutRef<typeof LabelPrimitive.Root> &
VariantProps<typeof labelVariants>
>(({ className, ...props }, ref) => (
<LabelPrimitive.Root
ref={ref}
className={cn(labelVariants(), className)}
{...props}
/>
))
Label.displayName = LabelPrimitive.Root.displayName
export { Label }

View File

@@ -0,0 +1,28 @@
"use client"
import * as React from "react"
import * as ProgressPrimitive from "@radix-ui/react-progress"
import { cn } from "@/lib/utils"
const Progress = React.forwardRef<
React.ElementRef<typeof ProgressPrimitive.Root>,
React.ComponentPropsWithoutRef<typeof ProgressPrimitive.Root>
>(({ className, value, ...props }, ref) => (
<ProgressPrimitive.Root
ref={ref}
className={cn(
"relative h-2 w-full overflow-hidden rounded-full bg-primary/20",
className
)}
{...props}
>
<ProgressPrimitive.Indicator
className="h-full w-full flex-1 bg-primary transition-all"
style={{ transform: `translateX(-${100 - (value || 0)}%)` }}
/>
</ProgressPrimitive.Root>
))
Progress.displayName = ProgressPrimitive.Root.displayName
export { Progress }