a new start

This commit is contained in:
valknarness
2025-10-25 16:09:02 +02:00
commit b63592f153
94 changed files with 23058 additions and 0 deletions

View File

@@ -0,0 +1,177 @@
'use client'
import * as React from 'react'
import Link from 'next/link'
import { usePathname } from 'next/navigation'
import { Search, Home, BookOpen, Menu, List as ListIcon } from 'lucide-react'
import { Button } from '@/components/ui/button'
import { ThemeSwitcher } from '@/components/theme/theme-switcher'
import { Badge } from '@/components/ui/badge'
import { AwesomeIcon } from '@/components/ui/awesome-icon'
import { cn } from '@/lib/utils'
import {
Sheet,
SheetContent,
SheetHeader,
SheetTitle,
SheetTrigger,
} from '@/components/ui/sheet'
import { usePersonalListStore } from '@/lib/personal-list-store'
export function AppHeader() {
const pathname = usePathname()
const [isScrolled, setIsScrolled] = React.useState(false)
const { items } = usePersonalListStore()
React.useEffect(() => {
const handleScroll = () => {
setIsScrolled(window.scrollY > 10)
}
window.addEventListener('scroll', handleScroll)
return () => window.removeEventListener('scroll', handleScroll)
}, [])
const navigation = [
{
name: 'Home',
href: '/',
icon: Home,
},
{
name: 'Search',
href: '/search',
icon: Search,
},
{
name: 'Browse',
href: '/browse',
icon: BookOpen,
},
]
return (
<header
className={cn(
'sticky top-0 z-50 w-full border-b transition-all duration-300',
isScrolled
? 'border-border/40 bg-background/95 shadow-lg backdrop-blur-xl'
: 'border-transparent bg-background/80 backdrop-blur-sm'
)}
>
<div className="mx-auto flex h-16 max-w-7xl items-center justify-between gap-4 px-6">
{/* Logo */}
<Link href="/" className="flex items-center gap-2 transition-transform hover:scale-105">
<div className="relative flex h-10 w-10 items-center justify-center rounded-lg bg-background p-1.5 shadow-lg ring-1 ring-primary/10 transition-all hover:ring-primary/30 hover:shadow-xl hover:shadow-primary/20">
<AwesomeIcon size={32} className="drop-shadow-sm" />
</div>
<span className="gradient-text hidden text-xl font-bold sm:inline">
Awesome
</span>
</Link>
{/* Desktop Navigation */}
<nav className="hidden items-center gap-1 md:flex">
{navigation.map((item) => {
const Icon = item.icon
const isActive = pathname === item.href
return (
<Link
key={item.name}
href={item.href}
className={cn(
'flex items-center gap-2 rounded-lg px-4 py-2 text-sm font-medium transition-all',
isActive
? 'bg-primary/10 text-primary'
: 'text-muted-foreground hover:bg-primary/5 hover:text-foreground'
)}
>
<Icon className="h-4 w-4" />
{item.name}
</Link>
)
})}
</nav>
{/* Right Side */}
<div className="flex items-center gap-2">
{/* Search Button - Hidden on search page */}
{pathname !== '/search' && (
<Link href="/search">
<Button
variant="outline"
size="sm"
className="hidden gap-2 border-primary/20 sm:inline-flex"
>
<Search className="h-4 w-4" />
<span className="hidden lg:inline">Search</span>
<kbd className="hidden rounded bg-muted px-1.5 py-0.5 text-xs lg:inline">
K
</kbd>
</Button>
</Link>
)}
{/* Personal List Button */}
<Link href="/my-list">
<Button
variant="outline"
size="sm"
className="hidden gap-2 border-primary/20 sm:inline-flex"
>
<ListIcon className="h-4 w-4" />
<span className="hidden lg:inline">My List</span>
{items.length > 0 && (
<Badge variant="default" className="h-5 min-w-5 px-1 text-xs">
{items.length}
</Badge>
)}
</Button>
</Link>
{/* Theme Switcher */}
<ThemeSwitcher />
{/* Mobile Menu */}
<Sheet>
<SheetTrigger asChild className="md:hidden">
<Button variant="outline" size="icon" className="border-primary/20">
<Menu className="h-5 w-5" />
<span className="sr-only">Toggle menu</span>
</Button>
</SheetTrigger>
<SheetContent side="right" className="w-[300px]">
<SheetHeader>
<SheetTitle className="flex items-center gap-2">
<AwesomeIcon size={20} />
<span className="gradient-text">Awesome</span>
</SheetTitle>
</SheetHeader>
<nav className="mt-6 flex flex-col gap-2">
{navigation.map((item) => {
const Icon = item.icon
const isActive = pathname === item.href
return (
<Link
key={item.name}
href={item.href}
className={cn(
'flex items-center gap-3 rounded-lg px-4 py-3 text-sm font-medium transition-all',
isActive
? 'bg-primary/10 text-primary'
: 'text-muted-foreground hover:bg-primary/5 hover:text-foreground'
)}
>
<Icon className="h-5 w-5" />
{item.name}
</Link>
)
})}
</nav>
</SheetContent>
</Sheet>
</div>
</div>
</header>
)
}

View File

@@ -0,0 +1,265 @@
'use client'
import * as React from 'react'
import Link from 'next/link'
import { usePathname } from 'next/navigation'
import {
ChevronRight,
Home,
Search,
Star,
BookOpen,
Code,
Layers,
Package,
Globe,
} from 'lucide-react'
import {
Sidebar,
SidebarContent,
SidebarGroup,
SidebarGroupContent,
SidebarGroupLabel,
SidebarMenu,
SidebarMenuButton,
SidebarMenuItem,
SidebarMenuSub,
SidebarMenuSubButton,
SidebarMenuSubItem,
} from '@/components/ui/sidebar'
import { ScrollArea } from '@/components/ui/scroll-area'
import { Input } from '@/components/ui/input'
import { cn } from '@/lib/utils'
import { AwesomeIcon } from '@/components/ui/awesome-icon'
interface Category {
name: string
icon: React.ReactNode
lists: ListItem[]
expanded?: boolean
}
interface ListItem {
id: string
name: string
url: string
stars?: number
}
export function AppSidebar() {
const pathname = usePathname()
const [searchQuery, setSearchQuery] = React.useState('')
const [expandedCategories, setExpandedCategories] = React.useState<Set<string>>(
new Set(['Front-end Development'])
)
// Mock data - will be replaced with actual API call
const categories: Category[] = [
{
name: 'Front-end Development',
icon: <Code className="h-4 w-4" />,
lists: [
{ id: 'react', name: 'React', url: '/list/react', stars: 45000 },
{ id: 'vue', name: 'Vue.js', url: '/list/vue', stars: 38000 },
{ id: 'angular', name: 'Angular', url: '/list/angular', stars: 32000 },
{ id: 'svelte', name: 'Svelte', url: '/list/svelte', stars: 28000 },
{ id: 'css', name: 'CSS', url: '/list/css', stars: 25000 },
{ id: 'tailwind', name: 'Tailwind CSS', url: '/list/tailwind', stars: 22000 },
],
},
{
name: 'Back-end Development',
icon: <Layers className="h-4 w-4" />,
lists: [
{ id: 'nodejs', name: 'Node.js', url: '/list/nodejs', stars: 38000 },
{ id: 'python', name: 'Python', url: '/list/python', stars: 52000 },
{ id: 'go', name: 'Go', url: '/list/go', stars: 35000 },
{ id: 'rust', name: 'Rust', url: '/list/rust', stars: 30000 },
{ id: 'java', name: 'Java', url: '/list/java', stars: 28000 },
{ id: 'dotnet', name: '.NET', url: '/list/dotnet', stars: 24000 },
],
},
{
name: 'Programming Languages',
icon: <Code className="h-4 w-4" />,
lists: [
{ id: 'javascript', name: 'JavaScript', url: '/list/javascript', stars: 48000 },
{ id: 'typescript', name: 'TypeScript', url: '/list/typescript', stars: 42000 },
{ id: 'python-lang', name: 'Python', url: '/list/python-lang', stars: 52000 },
{ id: 'rust-lang', name: 'Rust', url: '/list/rust-lang', stars: 30000 },
{ id: 'go-lang', name: 'Go', url: '/list/go-lang', stars: 35000 },
],
},
{
name: 'Platforms',
icon: <Globe className="h-4 w-4" />,
lists: [
{ id: 'docker', name: 'Docker', url: '/list/docker', stars: 40000 },
{ id: 'kubernetes', name: 'Kubernetes', url: '/list/kubernetes', stars: 38000 },
{ id: 'aws', name: 'AWS', url: '/list/aws', stars: 35000 },
{ id: 'azure', name: 'Azure', url: '/list/azure', stars: 28000 },
],
},
{
name: 'Tools',
icon: <Package className="h-4 w-4" />,
lists: [
{ id: 'vscode', name: 'VS Code', url: '/list/vscode', stars: 45000 },
{ id: 'git', name: 'Git', url: '/list/git', stars: 42000 },
{ id: 'vim', name: 'Vim', url: '/list/vim', stars: 38000 },
{ id: 'cli', name: 'CLI', url: '/list/cli', stars: 35000 },
],
},
]
const toggleCategory = (categoryName: string) => {
setExpandedCategories((prev) => {
const next = new Set(prev)
if (next.has(categoryName)) {
next.delete(categoryName)
} else {
next.add(categoryName)
}
return next
})
}
const filteredCategories = React.useMemo(() => {
if (!searchQuery) return categories
return categories
.map((category) => ({
...category,
lists: category.lists.filter((list) =>
list.name.toLowerCase().includes(searchQuery.toLowerCase())
),
}))
.filter((category) => category.lists.length > 0)
}, [searchQuery])
return (
<Sidebar>
<SidebarContent>
{/* Header */}
<SidebarGroup>
<div className="px-4 py-4">
<Link href="/" className="flex items-center gap-2">
<AwesomeIcon size={24} />
<span className="gradient-text text-xl font-bold">Awesome</span>
</Link>
</div>
</SidebarGroup>
{/* Search Input */}
<SidebarGroup>
<div className="px-3">
<div className="relative">
<Search className="absolute left-3 top-1/2 h-4 w-4 -translate-y-1/2 text-muted-foreground" />
<Input
type="search"
placeholder="Search lists..."
className="pl-9"
value={searchQuery}
onChange={(e) => setSearchQuery(e.target.value)}
/>
</div>
</div>
</SidebarGroup>
{/* Main Navigation */}
<SidebarGroup>
<SidebarGroupContent>
<SidebarMenu>
<SidebarMenuItem>
<SidebarMenuButton asChild isActive={pathname === '/'}>
<Link href="/">
<Home className="h-4 w-4" />
<span>Home</span>
</Link>
</SidebarMenuButton>
</SidebarMenuItem>
<SidebarMenuItem>
<SidebarMenuButton asChild isActive={pathname === '/search'}>
<Link href="/search">
<Search className="h-4 w-4" />
<span>Search</span>
</Link>
</SidebarMenuButton>
</SidebarMenuItem>
<SidebarMenuItem>
<SidebarMenuButton asChild isActive={pathname === '/browse'}>
<Link href="/browse">
<BookOpen className="h-4 w-4" />
<span>Browse</span>
</Link>
</SidebarMenuButton>
</SidebarMenuItem>
</SidebarMenu>
</SidebarGroupContent>
</SidebarGroup>
{/* Categories */}
<ScrollArea className="flex-1">
{filteredCategories.map((category) => {
const isExpanded = expandedCategories.has(category.name)
return (
<SidebarGroup key={category.name}>
<SidebarGroupLabel asChild>
<button
onClick={() => toggleCategory(category.name)}
className="group flex w-full items-center justify-between px-2 py-1.5 text-sm font-semibold transition-colors hover:bg-accent"
>
<div className="flex items-center gap-2">
{category.icon}
<span>{category.name}</span>
</div>
<ChevronRight
className={cn(
'h-4 w-4 transition-transform',
isExpanded && 'rotate-90'
)}
/>
</button>
</SidebarGroupLabel>
{isExpanded && (
<SidebarGroupContent>
<SidebarMenuSub>
{category.lists.map((list) => (
<SidebarMenuSubItem key={list.id}>
<SidebarMenuSubButton
asChild
isActive={pathname === list.url}
>
<Link href={list.url}>
<span className="flex-1">{list.name}</span>
{list.stars && (
<span className="flex items-center gap-1 text-xs text-muted-foreground">
<Star className="h-3 w-3 fill-current" />
{(list.stars / 1000).toFixed(0)}k
</span>
)}
</Link>
</SidebarMenuSubButton>
</SidebarMenuSubItem>
))}
</SidebarMenuSub>
</SidebarGroupContent>
)}
</SidebarGroup>
)
})}
</ScrollArea>
{/* Footer */}
<SidebarGroup className="mt-auto border-t">
<div className="px-4 py-3 text-xs text-muted-foreground">
<div className="mb-1 font-semibold">Built with 💜💗💛</div>
<div>Updated every 6 hours</div>
</div>
</SidebarGroup>
</SidebarContent>
</Sidebar>
)
}

View File

@@ -0,0 +1,171 @@
'use client'
import * as React from 'react'
import { useRouter } from 'next/navigation'
import {
CommandDialog,
CommandEmpty,
CommandGroup,
CommandInput,
CommandItem,
CommandList,
CommandSeparator,
} from '@/components/ui/command'
import { Search, Star, BookOpen, Home, FileText, Code } from 'lucide-react'
interface CommandMenuProps {
open: boolean
setOpen: (open: boolean) => void
}
export function CommandMenu({ open, setOpen }: CommandMenuProps) {
const router = useRouter()
const [search, setSearch] = React.useState('')
const [results, setResults] = React.useState([])
const [loading, setLoading] = React.useState(false)
// declare the async data fetching function
const fetchData = React.useCallback(async () => {
const response = await fetch(`/api/search?q=${encodeURIComponent(search)}`)
const data = await response.json()
setResults(...data.results);
}, [])
React.useEffect(() => {
const down = (e: KeyboardEvent) => {
if (e.key === 'k' && (e.metaKey || e.ctrlKey)) {
e.preventDefault()
setOpen(!open)
}
}
document.addEventListener('keydown', down)
return () => document.removeEventListener('keydown', down)
}, [open, setOpen])
React.useEffect(() => {
if (!search) {
return
}
setLoading(true)
fetchData()
console.log(results)
setLoading(false)
}, [search])
const runCommand = React.useCallback((command: () => void) => {
setOpen(false)
command()
}, [setOpen])
const pages = [
{
id: 'home',
type: 'page',
title: 'Home',
url: '/',
},
{
id: 'browse',
type: 'page',
title: 'Browse Collections',
url: '/browse',
},
{
id: 'search',
type: 'page',
title: 'Search',
url: '/search',
},
]
const getIcon = (type: string) => {
switch (type) {
case 'list':
return <Star className="mr-2 h-4 w-4" />
case 'repo':
return <Code className="mr-2 h-4 w-4" />
case 'page':
return <FileText className="mr-2 h-4 w-4" />
default:
return <BookOpen className="mr-2 h-4 w-4" />
}
}
return (
<CommandDialog open={open} onOpenChange={setOpen}>
<CommandInput
placeholder="Search awesome lists, repos, and more..."
value={search}
onValueChange={setSearch}
/>
<CommandList>
<CommandEmpty>
{loading ? (
<div className="flex items-center justify-center py-6">
<div className="spinner-awesome h-8 w-8" />
</div>
) : (
<div className="py-6 text-center text-sm">
No results found for &quot;{search}&quot;
</div>
)}
</CommandEmpty>
{!search && (
<React.Fragment key="pages-group">
<CommandGroup heading="Pages">
{pages.map((page) => (
<CommandItem
key={page.id}
value={page.title}
onSelect={() => runCommand(() => router.push(page.url))}
>
{getIcon(page.type)}
<span>{page.title}</span>
</CommandItem>
))}
</CommandGroup>
<CommandSeparator />
</React.Fragment>
)}
{results.length > 0 && (
<CommandGroup heading="Search Results">
{results.map((result: any) => (
<CommandItem
key={result.repository_id}
value={result.repository_name}
onSelect={() => runCommand(() => router.push(result.url))}
>
{getIcon(result.type)}
<div className="flex flex-1 flex-col gap-1">
<div className="flex items-center gap-2">
<span className="font-medium">{result.title}</span>
{result.stars && (
<span className="flex items-center gap-1 text-xs text-muted-foreground">
<Star className="h-3 w-3 fill-current" />
{result.stars.toLocaleString()}
</span>
)}
</div>
{result.description && (
<span className="text-xs text-muted-foreground line-clamp-1">
{result.description}
</span>
)}
{result.category && (
<span className="text-xs text-primary">
{result.category}
</span>
)}
</div>
</CommandItem>
))}
</CommandGroup>
)}
</CommandList>
</CommandDialog>
)
}

View File

@@ -0,0 +1,338 @@
'use client'
import * as React from 'react'
import {
Download,
Upload,
FileText,
Eye,
Code,
LayoutGrid,
Trash2,
Save,
Copy,
Check,
} from 'lucide-react'
import { toast } from 'sonner'
import { Button } from '@/components/ui/button'
import { Separator } from '@/components/ui/separator'
import {
Tooltip,
TooltipContent,
TooltipProvider,
TooltipTrigger,
} from '@/components/ui/tooltip'
import {
EditorProvider,
EditorBubbleMenu,
EditorFormatBold,
EditorFormatItalic,
EditorFormatStrike,
EditorFormatCode,
EditorNodeHeading1,
EditorNodeHeading2,
EditorNodeHeading3,
EditorNodeBulletList,
EditorNodeOrderedList,
EditorNodeTaskList,
EditorNodeQuote,
EditorNodeCode,
EditorLinkSelector,
EditorClearFormatting,
type JSONContent,
} from '@/components/ui/shadcn-io/editor'
import { usePersonalListStore } from '@/lib/personal-list-store'
import { cn } from '@/lib/utils'
import { PersonalListItems } from './personal-list-items'
export function PersonalListEditor() {
const {
markdown,
setMarkdown,
activeView,
setActiveView,
items,
generateMarkdown,
exportList,
importList,
clearList,
} = usePersonalListStore()
const [content, setContent] = React.useState<JSONContent | string>(markdown)
const [copied, setCopied] = React.useState(false)
const fileInputRef = React.useRef<HTMLInputElement>(null)
// Update content when markdown changes
React.useEffect(() => {
setContent(markdown)
}, [markdown])
const handleEditorUpdate = React.useCallback(
({ editor }: { editor: any }) => {
const md = editor.storage.markdown?.getMarkdown() || editor.getText()
setMarkdown(md)
},
[setMarkdown]
)
const handleExportMarkdown = () => {
const md = generateMarkdown()
const blob = new Blob([md], { type: 'text/markdown' })
const url = URL.createObjectURL(blob)
const a = document.createElement('a')
a.href = url
a.download = `my-awesome-list-${Date.now()}.md`
document.body.appendChild(a)
a.click()
document.body.removeChild(a)
URL.revokeObjectURL(url)
toast.success('Markdown exported successfully!')
}
const handleExportJSON = () => {
const data = exportList()
const blob = new Blob([JSON.stringify(data, null, 2)], {
type: 'application/json',
})
const url = URL.createObjectURL(blob)
const a = document.createElement('a')
a.href = url
a.download = `my-awesome-list-${Date.now()}.json`
document.body.appendChild(a)
a.click()
document.body.removeChild(a)
URL.revokeObjectURL(url)
toast.success('List exported successfully!')
}
const handleImportJSON = (event: React.ChangeEvent<HTMLInputElement>) => {
const file = event.target.files?.[0]
if (!file) return
const reader = new FileReader()
reader.onload = (e) => {
try {
const data = JSON.parse(e.target?.result as string)
importList(data)
toast.success('List imported successfully!')
} catch (error) {
toast.error('Failed to import list. Invalid JSON format.')
}
}
reader.readAsText(file)
}
const handleCopyMarkdown = async () => {
const md = generateMarkdown()
await navigator.clipboard.writeText(md)
setCopied(true)
setTimeout(() => setCopied(false), 2000)
toast.success('Markdown copied to clipboard!')
}
const handleClear = () => {
if (confirm('Are you sure you want to clear your entire list? This cannot be undone.')) {
clearList()
toast.success('List cleared successfully!')
}
}
return (
<div className="flex h-full flex-col">
{/* Toolbar */}
<div className="flex items-center justify-between border-b border-border bg-muted/30 px-4 py-2">
<TooltipProvider>
<div className="flex items-center gap-1">
{/* View Mode Toggle */}
<Tooltip>
<TooltipTrigger asChild>
<Button
variant={activeView === 'editor' ? 'default' : 'ghost'}
size="sm"
className="h-8 w-8 p-0"
onClick={() => setActiveView('editor')}
>
<Code className="h-4 w-4" />
</Button>
</TooltipTrigger>
<TooltipContent>Editor Mode</TooltipContent>
</Tooltip>
<Tooltip>
<TooltipTrigger asChild>
<Button
variant={activeView === 'split' ? 'default' : 'ghost'}
size="sm"
className="h-8 w-8 p-0"
onClick={() => setActiveView('split')}
>
<LayoutGrid className="h-4 w-4" />
</Button>
</TooltipTrigger>
<TooltipContent>Split View</TooltipContent>
</Tooltip>
<Tooltip>
<TooltipTrigger asChild>
<Button
variant={activeView === 'preview' ? 'default' : 'ghost'}
size="sm"
className="h-8 w-8 p-0"
onClick={() => setActiveView('preview')}
>
<Eye className="h-4 w-4" />
</Button>
</TooltipTrigger>
<TooltipContent>Preview Mode</TooltipContent>
</Tooltip>
<Separator orientation="vertical" className="mx-2 h-6" />
{/* Actions */}
<Tooltip>
<TooltipTrigger asChild>
<Button
variant="ghost"
size="sm"
className="h-8 w-8 p-0"
onClick={handleCopyMarkdown}
>
{copied ? (
<Check className="h-4 w-4 text-green-500" />
) : (
<Copy className="h-4 w-4" />
)}
</Button>
</TooltipTrigger>
<TooltipContent>Copy Markdown</TooltipContent>
</Tooltip>
<Tooltip>
<TooltipTrigger asChild>
<Button
variant="ghost"
size="sm"
className="h-8 w-8 p-0"
onClick={handleExportMarkdown}
>
<FileText className="h-4 w-4" />
</Button>
</TooltipTrigger>
<TooltipContent>Export Markdown</TooltipContent>
</Tooltip>
<Tooltip>
<TooltipTrigger asChild>
<Button
variant="ghost"
size="sm"
className="h-8 w-8 p-0"
onClick={handleExportJSON}
>
<Download className="h-4 w-4" />
</Button>
</TooltipTrigger>
<TooltipContent>Export JSON</TooltipContent>
</Tooltip>
<Tooltip>
<TooltipTrigger asChild>
<Button
variant="ghost"
size="sm"
className="h-8 w-8 p-0"
onClick={() => fileInputRef.current?.click()}
>
<Upload className="h-4 w-4" />
</Button>
</TooltipTrigger>
<TooltipContent>Import JSON</TooltipContent>
</Tooltip>
<input
ref={fileInputRef}
type="file"
accept=".json"
className="hidden"
onChange={handleImportJSON}
/>
<Separator orientation="vertical" className="mx-2 h-6" />
<Tooltip>
<TooltipTrigger asChild>
<Button
variant="ghost"
size="sm"
className="h-8 w-8 p-0 text-destructive hover:bg-destructive/10 hover:text-destructive"
onClick={handleClear}
>
<Trash2 className="h-4 w-4" />
</Button>
</TooltipTrigger>
<TooltipContent>Clear List</TooltipContent>
</Tooltip>
</div>
</TooltipProvider>
<div className="text-muted-foreground text-xs">
{items.length} {items.length === 1 ? 'item' : 'items'}
</div>
</div>
{/* Content */}
<div className="flex flex-1 overflow-hidden">
{/* Editor View */}
{(activeView === 'editor' || activeView === 'split') && (
<div
className={cn(
'flex-1 overflow-auto border-r border-border p-4',
activeView === 'split' && 'w-1/2'
)}
>
<EditorProvider
content={content}
onUpdate={handleEditorUpdate}
placeholder="Start writing your awesome list in markdown..."
className="prose prose-sm dark:prose-invert max-w-none"
immediatelyRender={false}
>
<EditorBubbleMenu>
<EditorFormatBold hideName />
<EditorFormatItalic hideName />
<EditorFormatStrike hideName />
<EditorFormatCode hideName />
<Separator orientation="vertical" />
<EditorNodeHeading1 hideName />
<EditorNodeHeading2 hideName />
<EditorNodeHeading3 hideName />
<Separator orientation="vertical" />
<EditorNodeBulletList hideName />
<EditorNodeOrderedList hideName />
<EditorNodeTaskList hideName />
<Separator orientation="vertical" />
<EditorNodeQuote hideName />
<EditorNodeCode hideName />
<EditorLinkSelector />
<Separator orientation="vertical" />
<EditorClearFormatting hideName />
</EditorBubbleMenu>
</EditorProvider>
</div>
)}
{/* Preview/Items View */}
{(activeView === 'preview' || activeView === 'split') && (
<div
className={cn(
'flex-1 overflow-auto bg-muted/10 p-4',
activeView === 'split' && 'w-1/2'
)}
>
<PersonalListItems />
</div>
)}
</div>
</div>
)
}

View File

@@ -0,0 +1,136 @@
'use client'
import * as React from 'react'
import { Trash2, ExternalLink, Calendar, Tag, Folder } from 'lucide-react'
import { Button } from '@/components/ui/button'
import { Badge } from '@/components/ui/badge'
import { Card, CardContent, CardHeader, CardTitle } from '@/components/ui/card'
import { usePersonalListStore } from '@/lib/personal-list-store'
import { cn } from '@/lib/utils'
export function PersonalListItems() {
const { items, removeItem } = usePersonalListStore()
if (items.length === 0) {
return (
<div className="flex h-full items-center justify-center">
<div className="text-center">
<div className="mx-auto mb-4 flex h-16 w-16 items-center justify-center rounded-full bg-muted">
<Folder className="h-8 w-8 text-muted-foreground" />
</div>
<h3 className="mb-2 font-semibold text-lg">No items yet</h3>
<p className="text-muted-foreground text-sm">
Start building your awesome list by clicking
<br />
<span className="gradient-text font-semibold">&quot;Push to my list&quot;</span>{' '}
on any repository
</p>
</div>
</div>
)
}
// Group items by category
const categorized = items.reduce((acc, item) => {
const category = item.category || 'Uncategorized'
if (!acc[category]) {
acc[category] = []
}
acc[category].push(item)
return acc
}, {} as Record<string, typeof items>)
return (
<div className="space-y-6">
{Object.entries(categorized).map(([category, categoryItems]) => (
<div key={category} className="space-y-3">
<h3 className="flex items-center gap-2 font-semibold text-lg">
<Folder className="h-5 w-5 text-primary" />
<span className="gradient-text">{category}</span>
<Badge variant="secondary" className="ml-auto">
{categoryItems.length}
</Badge>
</h3>
<div className="space-y-3">
{categoryItems.map((item) => (
<Card
key={item.id}
className="group card-awesome border-l-4 transition-all hover:shadow-lg"
style={{
borderLeftColor: 'var(--color-primary)',
}}
>
<CardHeader className="pb-3">
<CardTitle className="flex items-start justify-between gap-2">
<a
href={item.url}
target="_blank"
rel="noopener noreferrer"
className="flex items-center gap-2 text-foreground transition-colors hover:text-primary"
>
<span className="line-clamp-1">{item.title}</span>
<ExternalLink className="h-4 w-4 shrink-0 opacity-0 transition-opacity group-hover:opacity-100" />
</a>
<Button
variant="ghost"
size="icon"
className="h-8 w-8 shrink-0 text-muted-foreground opacity-0 transition-opacity hover:text-destructive group-hover:opacity-100"
onClick={() => removeItem(item.id)}
>
<Trash2 className="h-4 w-4" />
<span className="sr-only">Remove item</span>
</Button>
</CardTitle>
</CardHeader>
<CardContent className="space-y-3">
<p className="text-muted-foreground text-sm">{item.description}</p>
{item.repository && (
<div className="flex items-center gap-2 text-xs">
<Badge variant="outline" className="font-mono">
{item.repository}
</Badge>
</div>
)}
<div className="flex flex-wrap items-center gap-2 text-muted-foreground text-xs">
<div className="flex items-center gap-1">
<Calendar className="h-3 w-3" />
<span>
{new Date(item.addedAt).toLocaleDateString(undefined, {
month: 'short',
day: 'numeric',
year: 'numeric',
})}
</span>
</div>
{item.tags && item.tags.length > 0 && (
<>
<span className="text-muted-foreground/50"></span>
<div className="flex items-center gap-1.5">
<Tag className="h-3 w-3" />
{item.tags.map((tag) => (
<Badge
key={tag}
variant="secondary"
className="h-5 px-1.5 text-xs"
>
{tag}
</Badge>
))}
</div>
</>
)}
</div>
</CardContent>
</Card>
))}
</div>
</div>
))}
</div>
)
}

View File

@@ -0,0 +1,268 @@
'use client'
import * as React from 'react'
import { Plus, Check } from 'lucide-react'
import { toast } from 'sonner'
import { Button } from '@/components/ui/button'
import { AwesomeIcon } from '@/components/ui/awesome-icon'
import {
Dialog,
DialogContent,
DialogDescription,
DialogFooter,
DialogHeader,
DialogTitle,
} from '@/components/ui/dialog'
import { Input } from '@/components/ui/input'
import { Label } from '@/components/ui/label'
import { Textarea } from '@/components/ui/textarea'
import {
Select,
SelectContent,
SelectItem,
SelectTrigger,
SelectValue,
} from '@/components/ui/select'
import { usePersonalListStore, type PersonalListItem } from '@/lib/personal-list-store'
import { cn } from '@/lib/utils'
interface PushToListButtonProps {
title: string
description: string
url: string
repository?: string
variant?: 'default' | 'ghost' | 'outline'
size?: 'default' | 'sm' | 'lg' | 'icon'
className?: string
showLabel?: boolean
onPush?: () => void
}
const DEFAULT_CATEGORIES = [
'Development',
'Design',
'Tools',
'Resources',
'Libraries',
'Frameworks',
'Documentation',
'Learning',
'Inspiration',
'Other',
]
export function PushToListButton({
title: initialTitle,
description: initialDescription,
url,
repository,
variant = 'outline',
size = 'default',
className,
showLabel = true,
onPush,
}: PushToListButtonProps) {
const { addItem, openEditor, items } = usePersonalListStore()
const [isDialogOpen, setIsDialogOpen] = React.useState(false)
const [isAdded, setIsAdded] = React.useState(false)
const [formData, setFormData] = React.useState({
title: initialTitle,
description: initialDescription,
url,
repository: repository || '',
category: 'Development',
tags: '',
})
// Check if item is already added
React.useEffect(() => {
const alreadyAdded = items.some((item) => item.url === url)
setIsAdded(alreadyAdded)
}, [items, url])
const handleSubmit = (e: React.FormEvent) => {
e.preventDefault()
const tags = formData.tags
.split(',')
.map((tag) => tag.trim())
.filter(Boolean)
addItem({
title: formData.title,
description: formData.description,
url: formData.url,
repository: formData.repository || undefined,
category: formData.category,
tags: tags.length > 0 ? tags : undefined,
})
setIsDialogOpen(false)
setIsAdded(true)
toast.success(
<div className="flex items-center gap-2">
<AwesomeIcon size={16} />
<span>Added to your awesome list!</span>
</div>,
{
action: {
label: 'View List',
onClick: () => openEditor(),
},
}
)
onPush?.()
}
return (
<>
<Button
variant={isAdded ? 'default' : variant}
size={size}
className={cn(
'group transition-all',
isAdded && 'btn-awesome cursor-default',
className
)}
onClick={() => !isAdded && setIsDialogOpen(true)}
disabled={isAdded}
>
{isAdded ? (
<>
<Check className="h-4 w-4" />
{showLabel && <span className="ml-2">Added</span>}
</>
) : (
<>
<Plus className="h-4 w-4 transition-transform group-hover:rotate-90" />
{showLabel && <span className="ml-2">Push to my list</span>}
</>
)}
</Button>
<Dialog open={isDialogOpen} onOpenChange={setIsDialogOpen}>
<DialogContent className="sm:max-w-[500px]">
<form onSubmit={handleSubmit}>
<DialogHeader>
<DialogTitle className="flex items-center gap-2">
<AwesomeIcon size={20} />
<span className="gradient-text">Add to My Awesome List</span>
</DialogTitle>
<DialogDescription>
Customize the details before adding this item to your personal list.
</DialogDescription>
</DialogHeader>
<div className="space-y-4 py-4">
<div className="space-y-2">
<Label htmlFor="title">Title *</Label>
<Input
id="title"
value={formData.title}
onChange={(e) =>
setFormData({ ...formData, title: e.target.value })
}
required
placeholder="Enter title"
/>
</div>
<div className="space-y-2">
<Label htmlFor="description">Description *</Label>
<Textarea
id="description"
value={formData.description}
onChange={(e) =>
setFormData({ ...formData, description: e.target.value })
}
required
placeholder="Enter description"
rows={3}
/>
</div>
<div className="space-y-2">
<Label htmlFor="url">URL *</Label>
<Input
id="url"
type="url"
value={formData.url}
onChange={(e) =>
setFormData({ ...formData, url: e.target.value })
}
required
placeholder="https://..."
/>
</div>
<div className="space-y-2">
<Label htmlFor="repository">Repository (optional)</Label>
<Input
id="repository"
value={formData.repository}
onChange={(e) =>
setFormData({ ...formData, repository: e.target.value })
}
placeholder="owner/repo"
/>
</div>
<div className="space-y-2">
<Label htmlFor="category">Category *</Label>
<Select
value={formData.category || 'Development'}
onValueChange={(value) =>
setFormData({ ...formData, category: value || 'Development' })
}
>
<SelectTrigger id="category">
<SelectValue placeholder="Select a category" />
</SelectTrigger>
<SelectContent>
{DEFAULT_CATEGORIES.filter(cat => cat && cat.trim()).map((category) => (
<SelectItem key={category} value={category}>
{category}
</SelectItem>
))}
</SelectContent>
</Select>
</div>
<div className="space-y-2">
<Label htmlFor="tags">Tags (optional)</Label>
<Input
id="tags"
value={formData.tags}
onChange={(e) =>
setFormData({ ...formData, tags: e.target.value })
}
placeholder="react, typescript, ui (comma separated)"
/>
<p className="text-muted-foreground text-xs">
Separate tags with commas
</p>
</div>
</div>
<DialogFooter>
<Button
type="button"
variant="ghost"
onClick={() => setIsDialogOpen(false)}
>
Cancel
</Button>
<Button type="submit" className="btn-awesome">
<Plus className="mr-2 h-4 w-4" />
Add to List
</Button>
</DialogFooter>
</form>
</DialogContent>
</Dialog>
</>
)
}

View File

@@ -0,0 +1,209 @@
'use client'
import * as React from 'react'
import { motion, useMotionValue, useSpring, useTransform } from 'motion/react'
import { GripVerticalIcon, X } from 'lucide-react'
import { cn } from '@/lib/utils'
import { Button } from '@/components/ui/button'
interface SlidingPanelContextType {
panelWidth: number
setPanelWidth: (width: number) => void
motionPanelWidth: ReturnType<typeof useMotionValue<number>>
isPanelOpen: boolean
closePanel: () => void
}
const SlidingPanelContext = React.createContext<SlidingPanelContextType | undefined>(undefined)
const useSlidingPanel = () => {
const context = React.useContext(SlidingPanelContext)
if (!context) {
throw new Error('useSlidingPanel must be used within a SlidingPanel')
}
return context
}
export interface SlidingPanelProps {
children: React.ReactNode
isOpen: boolean
onClose: () => void
defaultWidth?: number
minWidth?: number
maxWidth?: number
className?: string
}
export function SlidingPanel({
children,
isOpen,
onClose,
defaultWidth = 50,
minWidth = 30,
maxWidth = 70,
className,
}: SlidingPanelProps) {
const [isDragging, setIsDragging] = React.useState(false)
const motionValue = useMotionValue(defaultWidth)
const motionPanelWidth = useSpring(motionValue, {
bounce: 0,
duration: isDragging ? 0 : 300,
})
const [panelWidth, setPanelWidth] = React.useState(defaultWidth)
// Calculate resizer position - must be called unconditionally
const resizerLeft = useTransform(motionPanelWidth, (value) => `${value}%`)
const handleDrag = (domRect: DOMRect, clientX: number) => {
if (!isDragging) return
const x = clientX - domRect.left
const percentage = Math.min(
Math.max((x / domRect.width) * 100, minWidth),
maxWidth
)
motionValue.set(percentage)
setPanelWidth(percentage)
}
const handleMouseDrag = (event: React.MouseEvent<HTMLDivElement>) => {
if (!event.currentTarget) return
const containerRect = event.currentTarget.getBoundingClientRect()
handleDrag(containerRect, event.clientX)
}
const handleTouchDrag = (event: React.TouchEvent<HTMLDivElement>) => {
if (!event.currentTarget) return
const containerRect = event.currentTarget.getBoundingClientRect()
const touch = event.touches[0]
if (touch) {
handleDrag(containerRect, touch.clientX)
}
}
return (
<SlidingPanelContext.Provider
value={{
panelWidth,
setPanelWidth,
motionPanelWidth,
isPanelOpen: isOpen,
closePanel: onClose,
}}
>
<div
className={cn(
'relative w-full',
isDragging && 'select-none',
className
)}
onMouseMove={handleMouseDrag}
onMouseUp={() => setIsDragging(false)}
onMouseLeave={() => setIsDragging(false)}
onTouchMove={handleTouchDrag}
onTouchEnd={() => setIsDragging(false)}
>
{children}
{/* Resizer Handle */}
{isOpen && (
<motion.div
className={cn(
'absolute top-0 z-50 flex h-full w-1 items-center justify-center bg-primary/10 transition-colors hover:bg-primary/30',
isDragging && 'bg-primary/40'
)}
style={{
left: resizerLeft,
}}
>
<motion.div
className={cn(
'absolute flex h-16 w-6 cursor-col-resize items-center justify-center rounded-md border-2 border-primary/20 bg-background shadow-lg transition-all hover:border-primary/60 hover:shadow-xl',
isDragging && 'border-primary/60 shadow-xl'
)}
onMouseDown={() => setIsDragging(true)}
onTouchStart={() => setIsDragging(true)}
>
<GripVerticalIcon className="h-4 w-4 text-muted-foreground" />
</motion.div>
</motion.div>
)}
</div>
</SlidingPanelContext.Provider>
)
}
export interface SlidingPanelContentProps {
children: React.ReactNode
className?: string
}
export function SlidingPanelMain({ children, className }: SlidingPanelContentProps) {
const { motionPanelWidth, isPanelOpen } = useSlidingPanel()
const width = useTransform(
motionPanelWidth,
(value: number) => isPanelOpen ? `${value}%` : '100%'
)
return (
<motion.div
className={cn('h-full overflow-auto', className)}
style={{ width }}
>
{children}
</motion.div>
)
}
export interface SlidingPanelSideProps {
children: React.ReactNode
className?: string
title?: string
}
export function SlidingPanelSide({ children, className, title }: SlidingPanelSideProps) {
const { motionPanelWidth, isPanelOpen, closePanel } = useSlidingPanel()
const width = useTransform(
motionPanelWidth,
(value: number) => `${100 - value}%`
)
if (!isPanelOpen) return null
return (
<motion.div
className={cn(
'absolute right-0 top-0 h-full border-l border-border bg-background',
className
)}
style={{ width }}
initial={{ x: '100%' }}
animate={{ x: 0 }}
exit={{ x: '100%' }}
transition={{ duration: 0.3, ease: [0.32, 0.72, 0, 1] }}
>
{/* Header */}
<div className="flex items-center justify-between border-b border-border bg-muted/30 px-4 py-3 backdrop-blur-sm">
<h2 className="gradient-text text-lg font-semibold">
{title || 'My Awesome List'}
</h2>
<Button
variant="ghost"
size="icon"
onClick={closePanel}
className="h-8 w-8 rounded-full"
>
<X className="h-4 w-4" />
<span className="sr-only">Close panel</span>
</Button>
</div>
{/* Content */}
<div className="h-[calc(100%-57px)] overflow-auto">
{children}
</div>
</motion.div>
)
}

View File

@@ -0,0 +1,15 @@
'use client'
import * as React from 'react'
import { CommandMenu } from '@/components/layout/command-menu'
export function CommandProvider({ children }: { children: React.ReactNode }) {
const [open, setOpen] = React.useState(false)
return (
<>
{children}
<CommandMenu open={open} setOpen={setOpen} />
</>
)
}

View File

@@ -0,0 +1,112 @@
'use client'
import * as React from 'react'
import { toast } from 'sonner'
interface WorkerContextType {
isUpdateAvailable: boolean
currentVersion: string | null
refreshData: () => void
}
const WorkerContext = React.createContext<WorkerContextType>({
isUpdateAvailable: false,
currentVersion: null,
refreshData: () => {},
})
export function useWorker() {
const context = React.useContext(WorkerContext)
if (!context) {
throw new Error('useWorker must be used within WorkerProvider')
}
return context
}
export function WorkerProvider({ children }: { children: React.ReactNode }) {
const [isUpdateAvailable, setIsUpdateAvailable] = React.useState(false)
const [currentVersion, setCurrentVersion] = React.useState<string | null>(null)
const [worker, setWorker] = React.useState<ServiceWorker | null>(null)
React.useEffect(() => {
// Check if service workers are supported
if (!('serviceWorker' in navigator)) {
console.warn('Service Workers not supported')
return
}
// Register service worker
navigator.serviceWorker
.register('/worker.js')
.then((registration) => {
console.log('Service Worker registered:', registration)
setWorker(registration.active)
// Check for updates periodically
const checkForUpdates = () => {
registration.update()
}
// Check every 5 minutes
const interval = setInterval(checkForUpdates, 5 * 60 * 1000)
return () => clearInterval(interval)
})
.catch((error) => {
console.error('Service Worker registration failed:', error)
})
// Listen for messages from service worker
navigator.serviceWorker.addEventListener('message', (event) => {
if (event.data.type === 'UPDATE_AVAILABLE') {
setIsUpdateAvailable(true)
setCurrentVersion(event.data.version)
// Show toast notification
toast.info('New content available!', {
description: 'A new version of the database is ready.',
action: {
label: 'Refresh',
onClick: () => refreshData(),
},
duration: Infinity, // Keep toast until user dismisses or clicks
})
}
})
// Fetch initial version
fetch('/api/db-version')
.then((res) => res.json())
.then((data) => {
setCurrentVersion(data.version)
})
.catch((error) => {
console.error('Failed to fetch database version:', error)
})
}, [])
const refreshData = React.useCallback(() => {
// Clear cache and reload
if ('caches' in window) {
caches.keys().then((names) => {
names.forEach((name) => {
caches.delete(name)
})
})
}
// Reload the page
window.location.reload()
}, [])
const value = React.useMemo(
() => ({
isUpdateAvailable,
currentVersion,
refreshData,
}),
[isUpdateAvailable, currentVersion, refreshData]
)
return <WorkerContext.Provider value={value}>{children}</WorkerContext.Provider>
}

View File

@@ -0,0 +1,136 @@
'use client'
import * as React from 'react'
import Link from 'next/link'
import { Star, Share2, ExternalLink, Copy, Mail, MessageSquare } from 'lucide-react'
import { Button } from '@/components/ui/button'
import {
DropdownMenu,
DropdownMenuContent,
DropdownMenuItem,
DropdownMenuTrigger,
} from '@/components/ui/dropdown-menu'
import { toast } from 'sonner'
interface ReadmeHeaderProps {
metadata: {
title: string
description: string
stars: number
lastUpdated: string
url: string
}
}
export function ReadmeHeader({ metadata }: ReadmeHeaderProps) {
const [isSticky, setIsSticky] = React.useState(false)
React.useEffect(() => {
const handleScroll = () => {
setIsSticky(window.scrollY > 100)
}
window.addEventListener('scroll', handleScroll)
return () => window.removeEventListener('scroll', handleScroll)
}, [])
const handleCopyLink = async () => {
try {
await navigator.clipboard.writeText(window.location.href)
toast.success('Link copied to clipboard!')
} catch (error) {
toast.error('Failed to copy link')
}
}
const handleShare = (type: 'twitter' | 'email' | 'reddit') => {
const url = encodeURIComponent(window.location.href)
const text = encodeURIComponent(`Check out ${metadata.title}: ${metadata.description}`)
const shareUrls = {
twitter: `https://twitter.com/intent/tweet?text=${text}&url=${url}`,
email: `mailto:?subject=${encodeURIComponent(metadata.title)}&body=${text}%20${url}`,
reddit: `https://reddit.com/submit?url=${url}&title=${encodeURIComponent(metadata.title)}`,
}
window.open(shareUrls[type], '_blank', 'noopener,noreferrer')
}
return (
<header
className={`sticky top-0 z-50 border-b transition-all duration-300 ${
isSticky
? 'bg-background/95 shadow-lg backdrop-blur-sm'
: 'bg-background/80 backdrop-blur-sm'
}`}
>
<div className="mx-auto max-w-7xl px-6 py-4">
<div className="flex flex-col gap-4 sm:flex-row sm:items-center sm:justify-between">
{/* Left side */}
<div className="flex-1">
<h1 className="gradient-text mb-2 text-2xl font-bold sm:text-3xl">
{metadata.title}
</h1>
<p className="text-sm text-muted-foreground sm:text-base">
{metadata.description}
</p>
</div>
{/* Right side - Actions */}
<div className="flex flex-wrap items-center gap-2">
{/* Stars */}
<div className="flex items-center gap-1.5 rounded-lg border border-primary/20 bg-primary/10 px-3 py-2 text-sm font-medium text-primary">
<Star className="h-4 w-4 fill-current" />
<span>{metadata.stars.toLocaleString()}</span>
</div>
{/* Share Button */}
<DropdownMenu>
<DropdownMenuTrigger asChild>
<Button variant="outline" size="default" className="gap-2">
<Share2 className="h-4 w-4" />
<span className="hidden sm:inline">Share</span>
</Button>
</DropdownMenuTrigger>
<DropdownMenuContent align="end">
<DropdownMenuItem onClick={handleCopyLink}>
<Copy className="mr-2 h-4 w-4" />
Copy Link
</DropdownMenuItem>
<DropdownMenuItem onClick={() => handleShare('twitter')}>
<MessageSquare className="mr-2 h-4 w-4" />
Share on Twitter
</DropdownMenuItem>
<DropdownMenuItem onClick={() => handleShare('reddit')}>
<MessageSquare className="mr-2 h-4 w-4" />
Share on Reddit
</DropdownMenuItem>
<DropdownMenuItem onClick={() => handleShare('email')}>
<Mail className="mr-2 h-4 w-4" />
Share via Email
</DropdownMenuItem>
</DropdownMenuContent>
</DropdownMenu>
{/* GitHub Link */}
<Button asChild variant="default" size="default" className="gap-2">
<Link href={metadata.url} target="_blank" rel="noopener noreferrer">
<ExternalLink className="h-4 w-4" />
<span className="hidden sm:inline">View on GitHub</span>
</Link>
</Button>
</div>
</div>
{/* Last updated */}
<div className="mt-2 text-xs text-muted-foreground">
Last updated: {new Date(metadata.lastUpdated).toLocaleDateString('en-US', {
year: 'numeric',
month: 'long',
day: 'numeric',
})}
</div>
</div>
</header>
)
}

View File

@@ -0,0 +1,47 @@
'use client'
import * as React from 'react'
import { Marked } from 'marked'
import { markedHighlight } from 'marked-highlight'
import hljs from 'highlight.js'
import 'highlight.js/styles/github-dark.css'
interface ReadmeViewerProps {
content: string
}
export function ReadmeViewer({ content }: ReadmeViewerProps) {
const [html, setHtml] = React.useState('')
React.useEffect(() => {
const marked = new Marked(
markedHighlight({
langPrefix: 'hljs language-',
highlight(code, lang) {
const language = hljs.getLanguage(lang) ? lang : 'plaintext'
return hljs.highlight(code, { language }).value
},
})
)
// Configure marked options
marked.setOptions({
gfm: true,
breaks: true,
})
// Parse markdown
const parseMarkdown = async () => {
const result = await marked.parse(content)
setHtml(result)
}
parseMarkdown()
}, [content])
return (
<article
className="prose prose-lg dark:prose-invert max-w-none prose-headings:gradient-text prose-headings:font-bold prose-a:text-primary prose-a:no-underline hover:prose-a:underline prose-code:rounded prose-code:bg-muted prose-code:px-1.5 prose-code:py-0.5 prose-code:font-mono prose-code:text-sm prose-pre:rounded-lg prose-pre:border prose-pre:border-primary/20 prose-pre:bg-muted/50 prose-img:rounded-lg prose-hr:border-primary/20"
dangerouslySetInnerHTML={{ __html: html }}
/>
)
}

View File

@@ -0,0 +1,191 @@
'use client'
import * as React from 'react'
import { Moon, Sun, Palette, Check } from 'lucide-react'
import { useTheme } from 'next-themes'
import { Button } from '@/components/ui/button'
import {
DropdownMenu,
DropdownMenuContent,
DropdownMenuItem,
DropdownMenuLabel,
DropdownMenuSeparator,
DropdownMenuTrigger,
} from '@/components/ui/dropdown-menu'
import { colorPalettes, type ColorPalette } from '@/lib/themes'
export function ThemeSwitcher() {
const { theme, setTheme } = useTheme()
const [selectedPalette, setSelectedPalette] = React.useState('awesome')
const [mounted, setMounted] = React.useState(false)
React.useEffect(() => {
setMounted(true)
// Load saved palette from localStorage
const savedPalette = localStorage.getItem('color-palette')
if (savedPalette) {
setSelectedPalette(savedPalette)
applyPalette(colorPalettes.find(p => p.id === savedPalette) || colorPalettes[0])
}
}, [])
const applyPalette = (palette: ColorPalette) => {
const root = document.documentElement
// Apply CSS custom properties
root.style.setProperty('--color-primary', palette.colors.primary)
root.style.setProperty('--color-primary-light', palette.colors.primaryLight)
root.style.setProperty('--color-primary-dark', palette.colors.primaryDark)
root.style.setProperty('--color-secondary', palette.colors.secondary)
root.style.setProperty('--color-secondary-light', palette.colors.secondaryLight)
root.style.setProperty('--color-secondary-dark', palette.colors.secondaryDark)
root.style.setProperty('--color-accent', palette.colors.accent)
root.style.setProperty('--color-accent-light', palette.colors.accentLight)
root.style.setProperty('--color-accent-dark', palette.colors.accentDark)
root.style.setProperty('--gradient-awesome', palette.gradient)
// Update awesome-specific colors
root.style.setProperty('--awesome-purple', palette.colors.primary)
root.style.setProperty('--awesome-pink', palette.colors.secondary)
root.style.setProperty('--awesome-gold', palette.colors.accent)
// Save to localStorage
localStorage.setItem('color-palette', palette.id)
setSelectedPalette(palette.id)
}
const handlePaletteChange = (palette: ColorPalette) => {
applyPalette(palette)
}
if (!mounted) {
return null
}
const isDark = theme === 'dark'
return (
<DropdownMenu>
<DropdownMenuTrigger asChild>
<Button
variant="outline"
size="icon"
className="relative h-10 w-10 rounded-full border-2 border-primary/20 bg-background/80 backdrop-blur-sm transition-all hover:border-primary/40 hover:bg-primary/5"
>
<div className="absolute inset-0 rounded-full bg-gradient-awesome opacity-10" />
{isDark ? (
<Moon className="h-5 w-5 text-primary" />
) : (
<Sun className="h-5 w-5 text-primary" />
)}
<span className="sr-only">Toggle theme</span>
</Button>
</DropdownMenuTrigger>
<DropdownMenuContent
align="end"
className="w-[320px] border-2 border-primary/20 bg-background/95 backdrop-blur-xl"
>
<DropdownMenuLabel className="flex items-center gap-2 text-base">
<Palette className="h-5 w-5 text-primary" />
<span className="gradient-text font-bold">Theme Settings</span>
</DropdownMenuLabel>
<DropdownMenuSeparator className="bg-primary/20" />
{/* Mode Selection */}
<div className="px-2 py-3">
<div className="mb-2 text-xs font-semibold text-muted-foreground">
MODE
</div>
<div className="grid grid-cols-2 gap-2">
<Button
variant={!isDark ? 'default' : 'outline'}
size="sm"
onClick={() => setTheme('light')}
className={!isDark ? 'btn-awesome' : ''}
>
<Sun className="mr-2 h-4 w-4" />
Light
</Button>
<Button
variant={isDark ? 'default' : 'outline'}
size="sm"
onClick={() => setTheme('dark')}
className={isDark ? 'btn-awesome' : ''}
>
<Moon className="mr-2 h-4 w-4" />
Dark
</Button>
</div>
</div>
<DropdownMenuSeparator className="bg-primary/20" />
{/* Palette Selection */}
<div className="px-2 py-3">
<div className="mb-3 text-xs font-semibold text-muted-foreground">
COLOR PALETTE
</div>
<div className="max-h-[300px] space-y-2 overflow-y-auto pr-1">
{colorPalettes.map((palette) => (
<button
key={palette.id}
onClick={() => handlePaletteChange(palette)}
className={`group relative w-full rounded-lg border-2 p-3 text-left transition-all hover:border-primary/40 hover:bg-primary/5 ${
selectedPalette === palette.id
? 'border-primary/60 bg-primary/10'
: 'border-border/40'
}`}
>
{/* Color Preview */}
<div className="mb-2 flex gap-1.5">
<div
className="h-6 w-6 rounded-md ring-1 ring-black/10"
style={{ background: palette.colors.primary }}
/>
<div
className="h-6 w-6 rounded-md ring-1 ring-black/10"
style={{ background: palette.colors.secondary }}
/>
<div
className="h-6 w-6 rounded-md ring-1 ring-black/10"
style={{ background: palette.colors.accent }}
/>
{selectedPalette === palette.id && (
<div className="ml-auto flex h-6 w-6 items-center justify-center rounded-md bg-primary">
<Check className="h-4 w-4 text-white" />
</div>
)}
</div>
{/* Palette Info */}
<div className="font-semibold text-foreground">
{palette.name}
</div>
<div className="text-xs text-muted-foreground">
{palette.description}
</div>
{/* Gradient Preview */}
<div
className="mt-2 h-1.5 rounded-full"
style={{ background: palette.gradient }}
/>
</button>
))}
</div>
</div>
<DropdownMenuSeparator className="bg-primary/20" />
{/* Footer */}
<div className="px-4 py-2 text-center text-xs text-muted-foreground">
Choose your awesome style! 💜💗💛
</div>
</DropdownMenuContent>
</DropdownMenu>
)
}

View File

@@ -0,0 +1,66 @@
import * as React from 'react'
import { cn } from '@/lib/utils'
interface AwesomeIconProps {
className?: string
size?: number
}
export function AwesomeIcon({ className, size = 24 }: AwesomeIconProps) {
return (
<svg
xmlns="http://www.w3.org/2000/svg"
viewBox="0 0 48 48"
width={size}
height={size}
className={cn('awesome-icon', className)}
aria-label="Awesome Logo"
>
{/* Main structure */}
<path
className="fill-(--color-primary-dark)"
d="m39.4 23l-.8-4L26 21.6V8h-4v12.3l-13.9-9l-2.2 3.4l15.2 9.8L9.4 39.8l3.2 2.4l11.3-14.8l8.4 12.7l3.4-2.2l-8.4-12.5z"
/>
{/* Center circle */}
<circle
cx="24"
cy="24"
r="7"
className="fill-secondary"
/>
{/* Outer circles - themed */}
<circle
cx="24"
cy="8"
r="5"
className="fill-primary"
/>
<circle
cx="39"
cy="21"
r="5"
className="fill-secondary"
/>
<circle
cx="7"
cy="13"
r="5"
className="fill-(--color-primary-dark)"
/>
<circle
cx="11"
cy="41"
r="5"
className="fill-(--color-secondary-dark)"
/>
<circle
cx="34"
cy="39"
r="5"
className="fill-(--color-primary-light)"
/>
</svg>
)
}

36
components/ui/badge.tsx Normal file
View File

@@ -0,0 +1,36 @@
import * as React from "react"
import { cva, type VariantProps } from "class-variance-authority"
import { cn } from "@/lib/utils"
const badgeVariants = cva(
"inline-flex items-center rounded-md border px-2.5 py-0.5 text-xs font-semibold transition-colors focus:outline-none focus:ring-2 focus:ring-ring focus:ring-offset-2",
{
variants: {
variant: {
default:
"border-transparent bg-primary text-primary-foreground shadow hover:bg-primary/80",
secondary:
"border-transparent bg-secondary text-secondary-foreground hover:bg-secondary/80",
destructive:
"border-transparent bg-destructive text-destructive-foreground shadow hover:bg-destructive/80",
outline: "text-foreground",
},
},
defaultVariants: {
variant: "default",
},
}
)
export interface BadgeProps
extends React.HTMLAttributes<HTMLDivElement>,
VariantProps<typeof badgeVariants> {}
function Badge({ className, variant, ...props }: BadgeProps) {
return (
<div className={cn(badgeVariants({ variant }), className)} {...props} />
)
}
export { Badge, badgeVariants }

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

@@ -0,0 +1,60 @@
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-all disabled:pointer-events-none disabled:opacity-50 [&_svg]:pointer-events-none [&_svg:not([class*='size-'])]:size-4 shrink-0 [&_svg]:shrink-0 outline-none focus-visible:border-ring focus-visible:ring-ring/50 focus-visible:ring-[3px] aria-invalid:ring-destructive/20 dark:aria-invalid:ring-destructive/40 aria-invalid:border-destructive",
{
variants: {
variant: {
default: "bg-primary text-primary-foreground hover:bg-primary/90",
destructive:
"bg-destructive text-white hover:bg-destructive/90 focus-visible:ring-destructive/20 dark:focus-visible:ring-destructive/40 dark:bg-destructive/60",
outline:
"border bg-background shadow-xs hover:bg-accent hover:text-accent-foreground dark:bg-input/30 dark:border-input dark:hover:bg-input/50",
secondary:
"bg-secondary text-secondary-foreground hover:bg-secondary/80",
ghost:
"hover:bg-accent hover:text-accent-foreground dark:hover:bg-accent/50",
link: "text-primary underline-offset-4 hover:underline",
},
size: {
default: "h-9 px-4 py-2 has-[>svg]:px-3",
sm: "h-8 rounded-md gap-1.5 px-3 has-[>svg]:px-2.5",
lg: "h-10 rounded-md px-6 has-[>svg]:px-4",
icon: "size-9",
"icon-sm": "size-8",
"icon-lg": "size-10",
},
},
defaultVariants: {
variant: "default",
size: "default",
},
}
)
function Button({
className,
variant,
size,
asChild = false,
...props
}: React.ComponentProps<"button"> &
VariantProps<typeof buttonVariants> & {
asChild?: boolean
}) {
const Comp = asChild ? Slot : "button"
return (
<Comp
data-slot="button"
className={cn(buttonVariants({ variant, size, className }))}
{...props}
/>
)
}
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<
HTMLParagraphElement,
React.HTMLAttributes<HTMLHeadingElement>
>(({ className, ...props }, ref) => (
<h3
ref={ref}
className={cn("font-semibold leading-none tracking-tight", className)}
{...props}
/>
))
CardTitle.displayName = "CardTitle"
const CardDescription = React.forwardRef<
HTMLParagraphElement,
React.HTMLAttributes<HTMLParagraphElement>
>(({ className, ...props }, ref) => (
<p
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 }

153
components/ui/command.tsx Normal file
View File

@@ -0,0 +1,153 @@
"use client"
import * as React from "react"
import { type DialogProps } from "@radix-ui/react-dialog"
import { Command as CommandPrimitive } from "cmdk"
import { Search } from "lucide-react"
import { cn } from "@/lib/utils"
import { Dialog, DialogContent } from "@/components/ui/dialog"
const Command = React.forwardRef<
React.ElementRef<typeof CommandPrimitive>,
React.ComponentPropsWithoutRef<typeof CommandPrimitive>
>(({ className, ...props }, ref) => (
<CommandPrimitive
ref={ref}
className={cn(
"flex h-full w-full flex-col overflow-hidden rounded-md bg-popover text-popover-foreground",
className
)}
{...props}
/>
))
Command.displayName = CommandPrimitive.displayName
const CommandDialog = ({ children, ...props }: DialogProps) => {
return (
<Dialog {...props}>
<DialogContent className="overflow-hidden p-0">
<Command className="[&_[cmdk-group-heading]]:px-2 [&_[cmdk-group-heading]]:font-medium [&_[cmdk-group-heading]]:text-muted-foreground [&_[cmdk-group]:not([hidden])_~[cmdk-group]]:pt-0 [&_[cmdk-group]]:px-2 [&_[cmdk-input-wrapper]_svg]:h-5 [&_[cmdk-input-wrapper]_svg]:w-5 [&_[cmdk-input]]:h-12 [&_[cmdk-item]]:px-2 [&_[cmdk-item]]:py-3 [&_[cmdk-item]_svg]:h-5 [&_[cmdk-item]_svg]:w-5">
{children}
</Command>
</DialogContent>
</Dialog>
)
}
const CommandInput = React.forwardRef<
React.ElementRef<typeof CommandPrimitive.Input>,
React.ComponentPropsWithoutRef<typeof CommandPrimitive.Input>
>(({ className, ...props }, ref) => (
<div className="flex items-center border-b px-3" cmdk-input-wrapper="">
<Search className="mr-2 h-4 w-4 shrink-0 opacity-50" />
<CommandPrimitive.Input
ref={ref}
className={cn(
"flex h-10 w-full rounded-md bg-transparent py-3 text-sm outline-none placeholder:text-muted-foreground disabled:cursor-not-allowed disabled:opacity-50",
className
)}
{...props}
/>
</div>
))
CommandInput.displayName = CommandPrimitive.Input.displayName
const CommandList = React.forwardRef<
React.ElementRef<typeof CommandPrimitive.List>,
React.ComponentPropsWithoutRef<typeof CommandPrimitive.List>
>(({ className, ...props }, ref) => (
<CommandPrimitive.List
ref={ref}
className={cn("max-h-[300px] overflow-y-auto overflow-x-hidden", className)}
{...props}
/>
))
CommandList.displayName = CommandPrimitive.List.displayName
const CommandEmpty = React.forwardRef<
React.ElementRef<typeof CommandPrimitive.Empty>,
React.ComponentPropsWithoutRef<typeof CommandPrimitive.Empty>
>((props, ref) => (
<CommandPrimitive.Empty
ref={ref}
className="py-6 text-center text-sm"
{...props}
/>
))
CommandEmpty.displayName = CommandPrimitive.Empty.displayName
const CommandGroup = React.forwardRef<
React.ElementRef<typeof CommandPrimitive.Group>,
React.ComponentPropsWithoutRef<typeof CommandPrimitive.Group>
>(({ className, ...props }, ref) => (
<CommandPrimitive.Group
ref={ref}
className={cn(
"overflow-hidden p-1 text-foreground [&_[cmdk-group-heading]]:px-2 [&_[cmdk-group-heading]]:py-1.5 [&_[cmdk-group-heading]]:text-xs [&_[cmdk-group-heading]]:font-medium [&_[cmdk-group-heading]]:text-muted-foreground",
className
)}
{...props}
/>
))
CommandGroup.displayName = CommandPrimitive.Group.displayName
const CommandSeparator = React.forwardRef<
React.ElementRef<typeof CommandPrimitive.Separator>,
React.ComponentPropsWithoutRef<typeof CommandPrimitive.Separator>
>(({ className, ...props }, ref) => (
<CommandPrimitive.Separator
ref={ref}
className={cn("-mx-1 h-px bg-border", className)}
{...props}
/>
))
CommandSeparator.displayName = CommandPrimitive.Separator.displayName
const CommandItem = React.forwardRef<
React.ElementRef<typeof CommandPrimitive.Item>,
React.ComponentPropsWithoutRef<typeof CommandPrimitive.Item>
>(({ className, ...props }, ref) => (
<CommandPrimitive.Item
ref={ref}
className={cn(
"relative flex cursor-default gap-2 select-none items-center rounded-sm px-2 py-1.5 text-sm outline-none data-[disabled=true]:pointer-events-none data-[selected=true]:bg-accent data-[selected=true]:text-accent-foreground data-[disabled=true]:opacity-50 [&_svg]:pointer-events-none [&_svg]:size-4 [&_svg]:shrink-0",
className
)}
{...props}
/>
))
CommandItem.displayName = CommandPrimitive.Item.displayName
const CommandShortcut = ({
className,
...props
}: React.HTMLAttributes<HTMLSpanElement>) => {
return (
<span
className={cn(
"ml-auto text-xs tracking-widest text-muted-foreground",
className
)}
{...props}
/>
)
}
CommandShortcut.displayName = "CommandShortcut"
export {
Command,
CommandDialog,
CommandInput,
CommandList,
CommandEmpty,
CommandGroup,
CommandItem,
CommandShortcut,
CommandSeparator,
}

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

@@ -0,0 +1,143 @@
"use client"
import * as React from "react"
import * as DialogPrimitive from "@radix-ui/react-dialog"
import { XIcon } from "lucide-react"
import { cn } from "@/lib/utils"
function Dialog({
...props
}: React.ComponentProps<typeof DialogPrimitive.Root>) {
return <DialogPrimitive.Root data-slot="dialog" {...props} />
}
function DialogTrigger({
...props
}: React.ComponentProps<typeof DialogPrimitive.Trigger>) {
return <DialogPrimitive.Trigger data-slot="dialog-trigger" {...props} />
}
function DialogPortal({
...props
}: React.ComponentProps<typeof DialogPrimitive.Portal>) {
return <DialogPrimitive.Portal data-slot="dialog-portal" {...props} />
}
function DialogClose({
...props
}: React.ComponentProps<typeof DialogPrimitive.Close>) {
return <DialogPrimitive.Close data-slot="dialog-close" {...props} />
}
function DialogOverlay({
className,
...props
}: React.ComponentProps<typeof DialogPrimitive.Overlay>) {
return (
<DialogPrimitive.Overlay
data-slot="dialog-overlay"
className={cn(
"data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 fixed inset-0 z-50 bg-black/50",
className
)}
{...props}
/>
)
}
function DialogContent({
className,
children,
showCloseButton = true,
...props
}: React.ComponentProps<typeof DialogPrimitive.Content> & {
showCloseButton?: boolean
}) {
return (
<DialogPortal data-slot="dialog-portal">
<DialogOverlay />
<DialogPrimitive.Content
data-slot="dialog-content"
className={cn(
"bg-background 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 fixed top-[50%] left-[50%] z-50 grid w-full max-w-[calc(100%-2rem)] translate-x-[-50%] translate-y-[-50%] gap-4 rounded-lg border p-6 shadow-lg duration-200 sm:max-w-lg",
className
)}
{...props}
>
{children}
{showCloseButton && (
<DialogPrimitive.Close
data-slot="dialog-close"
className="ring-offset-background focus:ring-ring data-[state=open]:bg-accent data-[state=open]:text-muted-foreground absolute top-4 right-4 rounded-xs opacity-70 transition-opacity hover:opacity-100 focus:ring-2 focus:ring-offset-2 focus:outline-hidden disabled:pointer-events-none [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4"
>
<XIcon />
<span className="sr-only">Close</span>
</DialogPrimitive.Close>
)}
</DialogPrimitive.Content>
</DialogPortal>
)
}
function DialogHeader({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="dialog-header"
className={cn("flex flex-col gap-2 text-center sm:text-left", className)}
{...props}
/>
)
}
function DialogFooter({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="dialog-footer"
className={cn(
"flex flex-col-reverse gap-2 sm:flex-row sm:justify-end",
className
)}
{...props}
/>
)
}
function DialogTitle({
className,
...props
}: React.ComponentProps<typeof DialogPrimitive.Title>) {
return (
<DialogPrimitive.Title
data-slot="dialog-title"
className={cn("text-lg leading-none font-semibold", className)}
{...props}
/>
)
}
function DialogDescription({
className,
...props
}: React.ComponentProps<typeof DialogPrimitive.Description>) {
return (
<DialogPrimitive.Description
data-slot="dialog-description"
className={cn("text-muted-foreground text-sm", className)}
{...props}
/>
)
}
export {
Dialog,
DialogClose,
DialogContent,
DialogDescription,
DialogFooter,
DialogHeader,
DialogOverlay,
DialogPortal,
DialogTitle,
DialogTrigger,
}

View File

@@ -0,0 +1,257 @@
"use client"
import * as React from "react"
import * as DropdownMenuPrimitive from "@radix-ui/react-dropdown-menu"
import { CheckIcon, ChevronRightIcon, CircleIcon } from "lucide-react"
import { cn } from "@/lib/utils"
function DropdownMenu({
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Root>) {
return <DropdownMenuPrimitive.Root data-slot="dropdown-menu" {...props} />
}
function DropdownMenuPortal({
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Portal>) {
return (
<DropdownMenuPrimitive.Portal data-slot="dropdown-menu-portal" {...props} />
)
}
function DropdownMenuTrigger({
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Trigger>) {
return (
<DropdownMenuPrimitive.Trigger
data-slot="dropdown-menu-trigger"
{...props}
/>
)
}
function DropdownMenuContent({
className,
sideOffset = 4,
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Content>) {
return (
<DropdownMenuPrimitive.Portal>
<DropdownMenuPrimitive.Content
data-slot="dropdown-menu-content"
sideOffset={sideOffset}
className={cn(
"bg-popover text-popover-foreground 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-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2 z-50 max-h-(--radix-dropdown-menu-content-available-height) min-w-32 origin-(--radix-dropdown-menu-content-transform-origin) overflow-x-hidden overflow-y-auto rounded-md border p-1 shadow-md",
className
)}
{...props}
/>
</DropdownMenuPrimitive.Portal>
)
}
function DropdownMenuGroup({
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Group>) {
return (
<DropdownMenuPrimitive.Group data-slot="dropdown-menu-group" {...props} />
)
}
function DropdownMenuItem({
className,
inset,
variant = "default",
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Item> & {
inset?: boolean
variant?: "default" | "destructive"
}) {
return (
<DropdownMenuPrimitive.Item
data-slot="dropdown-menu-item"
data-inset={inset}
data-variant={variant}
className={cn(
"focus:bg-accent focus:text-accent-foreground data-[variant=destructive]:text-destructive data-[variant=destructive]:focus:bg-destructive/10 dark:data-[variant=destructive]:focus:bg-destructive/20 data-[variant=destructive]:focus:text-destructive data-[variant=destructive]:*:[svg]:text-destructive! [&_svg:not([class*='text-'])]:text-muted-foreground relative flex cursor-default items-center gap-2 rounded-sm px-2 py-1.5 text-sm outline-hidden select-none data-disabled:pointer-events-none data-disabled:opacity-50 data-inset:pl-8 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
className
)}
{...props}
/>
)
}
function DropdownMenuCheckboxItem({
className,
children,
checked,
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.CheckboxItem>) {
return (
<DropdownMenuPrimitive.CheckboxItem
data-slot="dropdown-menu-checkbox-item"
className={cn(
"focus:bg-accent focus:text-accent-foreground relative flex cursor-default items-center gap-2 rounded-sm py-1.5 pr-2 pl-8 text-sm outline-hidden select-none data-disabled:pointer-events-none data-disabled:opacity-50 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
className
)}
checked={checked}
{...props}
>
<span className="pointer-events-none absolute left-2 flex size-3.5 items-center justify-center">
<DropdownMenuPrimitive.ItemIndicator>
<CheckIcon className="size-4" />
</DropdownMenuPrimitive.ItemIndicator>
</span>
{children}
</DropdownMenuPrimitive.CheckboxItem>
)
}
function DropdownMenuRadioGroup({
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.RadioGroup>) {
return (
<DropdownMenuPrimitive.RadioGroup
data-slot="dropdown-menu-radio-group"
{...props}
/>
)
}
function DropdownMenuRadioItem({
className,
children,
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.RadioItem>) {
return (
<DropdownMenuPrimitive.RadioItem
data-slot="dropdown-menu-radio-item"
className={cn(
"focus:bg-accent focus:text-accent-foreground relative flex cursor-default items-center gap-2 rounded-sm py-1.5 pr-2 pl-8 text-sm outline-hidden select-none data-disabled:pointer-events-none data-disabled:opacity-50 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
className
)}
{...props}
>
<span className="pointer-events-none absolute left-2 flex size-3.5 items-center justify-center">
<DropdownMenuPrimitive.ItemIndicator>
<CircleIcon className="size-2 fill-current" />
</DropdownMenuPrimitive.ItemIndicator>
</span>
{children}
</DropdownMenuPrimitive.RadioItem>
)
}
function DropdownMenuLabel({
className,
inset,
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Label> & {
inset?: boolean
}) {
return (
<DropdownMenuPrimitive.Label
data-slot="dropdown-menu-label"
data-inset={inset}
className={cn(
"px-2 py-1.5 text-sm font-medium data-inset:pl-8",
className
)}
{...props}
/>
)
}
function DropdownMenuSeparator({
className,
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Separator>) {
return (
<DropdownMenuPrimitive.Separator
data-slot="dropdown-menu-separator"
className={cn("bg-border -mx-1 my-1 h-px", className)}
{...props}
/>
)
}
function DropdownMenuShortcut({
className,
...props
}: React.ComponentProps<"span">) {
return (
<span
data-slot="dropdown-menu-shortcut"
className={cn(
"text-muted-foreground ml-auto text-xs tracking-widest",
className
)}
{...props}
/>
)
}
function DropdownMenuSub({
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Sub>) {
return <DropdownMenuPrimitive.Sub data-slot="dropdown-menu-sub" {...props} />
}
function DropdownMenuSubTrigger({
className,
inset,
children,
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.SubTrigger> & {
inset?: boolean
}) {
return (
<DropdownMenuPrimitive.SubTrigger
data-slot="dropdown-menu-sub-trigger"
data-inset={inset}
className={cn(
"focus:bg-accent focus:text-accent-foreground data-[state=open]:bg-accent data-[state=open]:text-accent-foreground [&_svg:not([class*='text-'])]:text-muted-foreground flex cursor-default items-center gap-2 rounded-sm px-2 py-1.5 text-sm outline-hidden select-none data-inset:pl-8 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
className
)}
{...props}
>
{children}
<ChevronRightIcon className="ml-auto size-4" />
</DropdownMenuPrimitive.SubTrigger>
)
}
function DropdownMenuSubContent({
className,
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.SubContent>) {
return (
<DropdownMenuPrimitive.SubContent
data-slot="dropdown-menu-sub-content"
className={cn(
"bg-popover text-popover-foreground 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-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2 z-50 min-w-32 origin-(--radix-dropdown-menu-content-transform-origin) overflow-hidden rounded-md border p-1 shadow-lg",
className
)}
{...props}
/>
)
}
export {
DropdownMenu,
DropdownMenuPortal,
DropdownMenuTrigger,
DropdownMenuContent,
DropdownMenuGroup,
DropdownMenuLabel,
DropdownMenuItem,
DropdownMenuCheckboxItem,
DropdownMenuRadioGroup,
DropdownMenuRadioItem,
DropdownMenuSeparator,
DropdownMenuShortcut,
DropdownMenuSub,
DropdownMenuSubTrigger,
DropdownMenuSubContent,
}

View File

@@ -0,0 +1,170 @@
"use client"
import * as React from "react"
import { cva, type VariantProps } from "class-variance-authority"
import { cn } from "@/lib/utils"
import { Button } from "@/components/ui/button"
import { Input } from "@/components/ui/input"
import { Textarea } from "@/components/ui/textarea"
function InputGroup({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="input-group"
role="group"
className={cn(
"group/input-group border-input dark:bg-input/30 shadow-xs relative flex w-full items-center rounded-md border outline-none transition-[color,box-shadow]",
"h-9 has-[>textarea]:h-auto",
// Variants based on alignment.
"has-[>[data-align=inline-start]]:[&>input]:pl-2",
"has-[>[data-align=inline-end]]:[&>input]:pr-2",
"has-[>[data-align=block-start]]:h-auto has-[>[data-align=block-start]]:flex-col has-[>[data-align=block-start]]:[&>input]:pb-3",
"has-[>[data-align=block-end]]:h-auto has-[>[data-align=block-end]]:flex-col has-[>[data-align=block-end]]:[&>input]:pt-3",
// Focus state.
"has-[[data-slot=input-group-control]:focus-visible]:ring-ring has-[[data-slot=input-group-control]:focus-visible]:ring-1",
// Error state.
"has-[[data-slot][aria-invalid=true]]:ring-destructive/20 has-[[data-slot][aria-invalid=true]]:border-destructive dark:has-[[data-slot][aria-invalid=true]]:ring-destructive/40",
className
)}
{...props}
/>
)
}
const inputGroupAddonVariants = cva(
"text-muted-foreground flex h-auto cursor-text select-none items-center justify-center gap-2 py-1.5 text-sm font-medium group-data-[disabled=true]/input-group:opacity-50 [&>kbd]:rounded-[calc(var(--radius)-5px)] [&>svg:not([class*='size-'])]:size-4",
{
variants: {
align: {
"inline-start":
"order-first pl-3 has-[>button]:ml-[-0.45rem] has-[>kbd]:ml-[-0.35rem]",
"inline-end":
"order-last pr-3 has-[>button]:mr-[-0.4rem] has-[>kbd]:mr-[-0.35rem]",
"block-start":
"[.border-b]:pb-3 order-first w-full justify-start px-3 pt-3 group-has-[>input]/input-group:pt-2.5",
"block-end":
"[.border-t]:pt-3 order-last w-full justify-start px-3 pb-3 group-has-[>input]/input-group:pb-2.5",
},
},
defaultVariants: {
align: "inline-start",
},
}
)
function InputGroupAddon({
className,
align = "inline-start",
...props
}: React.ComponentProps<"div"> & VariantProps<typeof inputGroupAddonVariants>) {
return (
<div
role="group"
data-slot="input-group-addon"
data-align={align}
className={cn(inputGroupAddonVariants({ align }), className)}
onClick={(e) => {
if ((e.target as HTMLElement).closest("button")) {
return
}
e.currentTarget.parentElement?.querySelector("input")?.focus()
}}
{...props}
/>
)
}
const inputGroupButtonVariants = cva(
"flex items-center gap-2 text-sm shadow-none",
{
variants: {
size: {
xs: "h-6 gap-1 rounded-[calc(var(--radius)-5px)] px-2 has-[>svg]:px-2 [&>svg:not([class*='size-'])]:size-3.5",
sm: "h-8 gap-1.5 rounded-md px-2.5 has-[>svg]:px-2.5",
"icon-xs":
"size-6 rounded-[calc(var(--radius)-5px)] p-0 has-[>svg]:p-0",
"icon-sm": "size-8 p-0 has-[>svg]:p-0",
},
},
defaultVariants: {
size: "xs",
},
}
)
function InputGroupButton({
className,
type = "button",
variant = "ghost",
size = "xs",
...props
}: Omit<React.ComponentProps<typeof Button>, "size"> &
VariantProps<typeof inputGroupButtonVariants>) {
return (
<Button
type={type}
data-size={size}
variant={variant}
className={cn(inputGroupButtonVariants({ size }), className)}
{...props}
/>
)
}
function InputGroupText({ className, ...props }: React.ComponentProps<"span">) {
return (
<span
className={cn(
"text-muted-foreground flex items-center gap-2 text-sm [&_svg:not([class*='size-'])]:size-4 [&_svg]:pointer-events-none",
className
)}
{...props}
/>
)
}
function InputGroupInput({
className,
...props
}: React.ComponentProps<"input">) {
return (
<Input
data-slot="input-group-control"
className={cn(
"flex-1 rounded-none border-0 bg-transparent shadow-none focus-visible:ring-0 dark:bg-transparent",
className
)}
{...props}
/>
)
}
function InputGroupTextarea({
className,
...props
}: React.ComponentProps<"textarea">) {
return (
<Textarea
data-slot="input-group-control"
className={cn(
"flex-1 resize-none rounded-none border-0 bg-transparent py-3 shadow-none focus-visible:ring-0 dark:bg-transparent",
className
)}
{...props}
/>
)
}
export {
InputGroup,
InputGroupAddon,
InputGroupButton,
InputGroupText,
InputGroupInput,
InputGroupTextarea,
}

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

@@ -0,0 +1,21 @@
import * as React from "react"
import { cn } from "@/lib/utils"
function Input({ className, type, ...props }: React.ComponentProps<"input">) {
return (
<input
type={type}
data-slot="input"
className={cn(
"file:text-foreground placeholder:text-muted-foreground selection:bg-primary selection:text-primary-foreground dark:bg-input/30 border-input h-9 w-full min-w-0 rounded-md border bg-transparent px-3 py-1 text-base shadow-xs transition-[color,box-shadow] outline-none file:inline-flex file:h-7 file:border-0 file:bg-transparent file:text-sm file:font-medium disabled:pointer-events-none disabled:cursor-not-allowed disabled:opacity-50 md:text-sm",
"focus-visible:border-ring focus-visible:ring-ring/50 focus-visible:ring-[3px]",
"aria-invalid:ring-destructive/20 dark:aria-invalid:ring-destructive/40 aria-invalid:border-destructive",
className
)}
{...props}
/>
)
}
export { Input }

28
components/ui/kbd.tsx Normal file
View File

@@ -0,0 +1,28 @@
import { cn } from "@/lib/utils"
function Kbd({ className, ...props }: React.ComponentProps<"kbd">) {
return (
<kbd
data-slot="kbd"
className={cn(
"bg-muted text-muted-foreground pointer-events-none inline-flex h-5 w-fit min-w-5 select-none items-center justify-center gap-1 rounded-sm px-1 font-sans text-xs font-medium",
"[&_svg:not([class*='size-'])]:size-3",
"in-data-[slot=tooltip-content]:bg-background/20 in-data-[slot=tooltip-content]:text-background dark:in-data-[slot=tooltip-content]:bg-background/10",
className
)}
{...props}
/>
)
}
function KbdGroup({ className, ...props }: React.ComponentProps<"div">) {
return (
<kbd
data-slot="kbd-group"
className={cn("inline-flex items-center gap-1", className)}
{...props}
/>
)
}
export { Kbd, KbdGroup }

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,128 @@
import * as React from "react"
import * as NavigationMenuPrimitive from "@radix-ui/react-navigation-menu"
import { cva } from "class-variance-authority"
import { ChevronDown } from "lucide-react"
import { cn } from "@/lib/utils"
const NavigationMenu = React.forwardRef<
React.ElementRef<typeof NavigationMenuPrimitive.Root>,
React.ComponentPropsWithoutRef<typeof NavigationMenuPrimitive.Root>
>(({ className, children, ...props }, ref) => (
<NavigationMenuPrimitive.Root
ref={ref}
className={cn(
"relative z-10 flex max-w-max flex-1 items-center justify-center",
className
)}
{...props}
>
{children}
<NavigationMenuViewport />
</NavigationMenuPrimitive.Root>
))
NavigationMenu.displayName = NavigationMenuPrimitive.Root.displayName
const NavigationMenuList = React.forwardRef<
React.ElementRef<typeof NavigationMenuPrimitive.List>,
React.ComponentPropsWithoutRef<typeof NavigationMenuPrimitive.List>
>(({ className, ...props }, ref) => (
<NavigationMenuPrimitive.List
ref={ref}
className={cn(
"group flex flex-1 list-none items-center justify-center space-x-1",
className
)}
{...props}
/>
))
NavigationMenuList.displayName = NavigationMenuPrimitive.List.displayName
const NavigationMenuItem = NavigationMenuPrimitive.Item
const navigationMenuTriggerStyle = cva(
"group inline-flex h-9 w-max items-center justify-center rounded-md bg-background px-4 py-2 text-sm font-medium transition-colors hover:bg-accent hover:text-accent-foreground focus:bg-accent focus:text-accent-foreground focus:outline-none disabled:pointer-events-none disabled:opacity-50 data-[state=open]:text-accent-foreground data-[state=open]:bg-accent/50 data-[state=open]:hover:bg-accent data-[state=open]:focus:bg-accent"
)
const NavigationMenuTrigger = React.forwardRef<
React.ElementRef<typeof NavigationMenuPrimitive.Trigger>,
React.ComponentPropsWithoutRef<typeof NavigationMenuPrimitive.Trigger>
>(({ className, children, ...props }, ref) => (
<NavigationMenuPrimitive.Trigger
ref={ref}
className={cn(navigationMenuTriggerStyle(), "group", className)}
{...props}
>
{children}{" "}
<ChevronDown
className="relative top-px ml-1 h-3 w-3 transition duration-300 group-data-[state=open]:rotate-180"
aria-hidden="true"
/>
</NavigationMenuPrimitive.Trigger>
))
NavigationMenuTrigger.displayName = NavigationMenuPrimitive.Trigger.displayName
const NavigationMenuContent = React.forwardRef<
React.ElementRef<typeof NavigationMenuPrimitive.Content>,
React.ComponentPropsWithoutRef<typeof NavigationMenuPrimitive.Content>
>(({ className, ...props }, ref) => (
<NavigationMenuPrimitive.Content
ref={ref}
className={cn(
"left-0 top-0 w-full data-[motion^=from-]:animate-in data-[motion^=to-]:animate-out data-[motion^=from-]:fade-in data-[motion^=to-]:fade-out data-[motion=from-end]:slide-in-from-right-52 data-[motion=from-start]:slide-in-from-left-52 data-[motion=to-end]:slide-out-to-right-52 data-[motion=to-start]:slide-out-to-left-52 md:absolute md:w-auto ",
className
)}
{...props}
/>
))
NavigationMenuContent.displayName = NavigationMenuPrimitive.Content.displayName
const NavigationMenuLink = NavigationMenuPrimitive.Link
const NavigationMenuViewport = React.forwardRef<
React.ElementRef<typeof NavigationMenuPrimitive.Viewport>,
React.ComponentPropsWithoutRef<typeof NavigationMenuPrimitive.Viewport>
>(({ className, ...props }, ref) => (
<div className={cn("absolute left-0 top-full flex justify-center")}>
<NavigationMenuPrimitive.Viewport
className={cn(
"origin-top-center relative mt-1.5 h-(--radix-navigation-menu-viewport-height) w-full overflow-hidden rounded-md border bg-popover text-popover-foreground shadow data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-90 md:w-(--radix-navigation-menu-viewport-width)",
className
)}
ref={ref}
{...props}
/>
</div>
))
NavigationMenuViewport.displayName =
NavigationMenuPrimitive.Viewport.displayName
const NavigationMenuIndicator = React.forwardRef<
React.ElementRef<typeof NavigationMenuPrimitive.Indicator>,
React.ComponentPropsWithoutRef<typeof NavigationMenuPrimitive.Indicator>
>(({ className, ...props }, ref) => (
<NavigationMenuPrimitive.Indicator
ref={ref}
className={cn(
"top-full z-1 flex h-1.5 items-end justify-center overflow-hidden data-[state=visible]:animate-in data-[state=hidden]:animate-out data-[state=hidden]:fade-out data-[state=visible]:fade-in",
className
)}
{...props}
>
<div className="relative top-[60%] h-2 w-2 rotate-45 rounded-tl-sm bg-border shadow-md" />
</NavigationMenuPrimitive.Indicator>
))
NavigationMenuIndicator.displayName =
NavigationMenuPrimitive.Indicator.displayName
export {
navigationMenuTriggerStyle,
NavigationMenu,
NavigationMenuList,
NavigationMenuItem,
NavigationMenuContent,
NavigationMenuTrigger,
NavigationMenuLink,
NavigationMenuIndicator,
NavigationMenuViewport,
}

View File

@@ -0,0 +1,118 @@
import * as React from "react"
import { ChevronLeft, ChevronRight, MoreHorizontal } from "lucide-react"
import { type VariantProps } from "class-variance-authority"
import { cn } from "@/lib/utils"
import { buttonVariants } from "@/components/ui/button"
const Pagination = ({ className, ...props }: React.ComponentProps<"nav">) => (
<nav
role="navigation"
aria-label="pagination"
className={cn("mx-auto flex w-full justify-center", className)}
{...props}
/>
)
Pagination.displayName = "Pagination"
const PaginationContent = React.forwardRef<
HTMLUListElement,
React.ComponentProps<"ul">
>(({ className, ...props }, ref) => (
<ul
ref={ref}
className={cn("flex flex-row items-center gap-1", className)}
{...props}
/>
))
PaginationContent.displayName = "PaginationContent"
const PaginationItem = React.forwardRef<
HTMLLIElement,
React.ComponentProps<"li">
>(({ className, ...props }, ref) => (
<li ref={ref} className={cn("", className)} {...props} />
))
PaginationItem.displayName = "PaginationItem"
type PaginationLinkProps = {
isActive?: boolean
} & Pick<VariantProps<typeof buttonVariants>, "size"> &
React.ComponentProps<"a">
const PaginationLink = ({
className,
isActive,
size = "icon",
...props
}: PaginationLinkProps) => (
<a
aria-current={isActive ? "page" : undefined}
className={cn(
buttonVariants({
variant: isActive ? "outline" : "ghost",
size,
}),
className
)}
{...props}
/>
)
PaginationLink.displayName = "PaginationLink"
const PaginationPrevious = ({
className,
...props
}: React.ComponentProps<typeof PaginationLink>) => (
<PaginationLink
aria-label="Go to previous page"
size="default"
className={cn("gap-1 pl-2.5", className)}
{...props}
>
<ChevronLeft className="h-4 w-4" />
<span>Previous</span>
</PaginationLink>
)
PaginationPrevious.displayName = "PaginationPrevious"
const PaginationNext = ({
className,
...props
}: React.ComponentProps<typeof PaginationLink>) => (
<PaginationLink
aria-label="Go to next page"
size="default"
className={cn("gap-1 pr-2.5", className)}
{...props}
>
<span>Next</span>
<ChevronRight className="h-4 w-4" />
</PaginationLink>
)
PaginationNext.displayName = "PaginationNext"
const PaginationEllipsis = ({
className,
...props
}: React.ComponentProps<"span">) => (
<span
aria-hidden
className={cn("flex h-9 w-9 items-center justify-center", className)}
{...props}
>
<MoreHorizontal className="h-4 w-4" />
<span className="sr-only">More pages</span>
</span>
)
PaginationEllipsis.displayName = "PaginationEllipsis"
export {
Pagination,
PaginationContent,
PaginationLink,
PaginationItem,
PaginationPrevious,
PaginationNext,
PaginationEllipsis,
}

48
components/ui/popover.tsx Normal file
View File

@@ -0,0 +1,48 @@
"use client"
import * as React from "react"
import * as PopoverPrimitive from "@radix-ui/react-popover"
import { cn } from "@/lib/utils"
function Popover({
...props
}: React.ComponentProps<typeof PopoverPrimitive.Root>) {
return <PopoverPrimitive.Root data-slot="popover" {...props} />
}
function PopoverTrigger({
...props
}: React.ComponentProps<typeof PopoverPrimitive.Trigger>) {
return <PopoverPrimitive.Trigger data-slot="popover-trigger" {...props} />
}
function PopoverContent({
className,
align = "center",
sideOffset = 4,
...props
}: React.ComponentProps<typeof PopoverPrimitive.Content>) {
return (
<PopoverPrimitive.Portal>
<PopoverPrimitive.Content
data-slot="popover-content"
align={align}
sideOffset={sideOffset}
className={cn(
"bg-popover text-popover-foreground 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-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2 z-50 w-72 origin-(--radix-popover-content-transform-origin) rounded-md border p-4 shadow-md outline-hidden",
className
)}
{...props}
/>
</PopoverPrimitive.Portal>
)
}
function PopoverAnchor({
...props
}: React.ComponentProps<typeof PopoverPrimitive.Anchor>) {
return <PopoverPrimitive.Anchor data-slot="popover-anchor" {...props} />
}
export { Popover, PopoverTrigger, PopoverContent, PopoverAnchor }

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 }

View File

@@ -0,0 +1,48 @@
"use client"
import * as React from "react"
import * as ScrollAreaPrimitive from "@radix-ui/react-scroll-area"
import { cn } from "@/lib/utils"
const ScrollArea = React.forwardRef<
React.ElementRef<typeof ScrollAreaPrimitive.Root>,
React.ComponentPropsWithoutRef<typeof ScrollAreaPrimitive.Root>
>(({ className, children, ...props }, ref) => (
<ScrollAreaPrimitive.Root
ref={ref}
className={cn("relative overflow-hidden", className)}
{...props}
>
<ScrollAreaPrimitive.Viewport className="h-full w-full rounded-[inherit]">
{children}
</ScrollAreaPrimitive.Viewport>
<ScrollBar />
<ScrollAreaPrimitive.Corner />
</ScrollAreaPrimitive.Root>
))
ScrollArea.displayName = ScrollAreaPrimitive.Root.displayName
const ScrollBar = React.forwardRef<
React.ElementRef<typeof ScrollAreaPrimitive.ScrollAreaScrollbar>,
React.ComponentPropsWithoutRef<typeof ScrollAreaPrimitive.ScrollAreaScrollbar>
>(({ className, orientation = "vertical", ...props }, ref) => (
<ScrollAreaPrimitive.ScrollAreaScrollbar
ref={ref}
orientation={orientation}
className={cn(
"flex touch-none select-none transition-colors",
orientation === "vertical" &&
"h-full w-2.5 border-l border-l-transparent p-px",
orientation === "horizontal" &&
"h-2.5 flex-col border-t border-t-transparent p-px",
className
)}
{...props}
>
<ScrollAreaPrimitive.ScrollAreaThumb className="relative flex-1 rounded-full bg-border" />
</ScrollAreaPrimitive.ScrollAreaScrollbar>
))
ScrollBar.displayName = ScrollAreaPrimitive.ScrollAreaScrollbar.displayName
export { ScrollArea, ScrollBar }

160
components/ui/select.tsx Normal file
View File

@@ -0,0 +1,160 @@
"use client"
import * as React from "react"
import * as SelectPrimitive from "@radix-ui/react-select"
import { Check, ChevronDown, ChevronUp } from "lucide-react"
import { cn } from "@/lib/utils"
const Select = SelectPrimitive.Root
const SelectGroup = SelectPrimitive.Group
const SelectValue = SelectPrimitive.Value
const SelectTrigger = React.forwardRef<
React.ElementRef<typeof SelectPrimitive.Trigger>,
React.ComponentPropsWithoutRef<typeof SelectPrimitive.Trigger>
>(({ className, children, ...props }, ref) => (
<SelectPrimitive.Trigger
ref={ref}
className={cn(
"flex h-10 w-full items-center justify-between rounded-md border border-input bg-background px-3 py-2 text-sm ring-offset-background placeholder:text-muted-foreground focus:outline-none focus:ring-2 focus:ring-ring focus:ring-offset-2 disabled:cursor-not-allowed disabled:opacity-50 [&>span]:line-clamp-1",
className
)}
{...props}
>
{children}
<SelectPrimitive.Icon asChild>
<ChevronDown className="h-4 w-4 opacity-50" />
</SelectPrimitive.Icon>
</SelectPrimitive.Trigger>
))
SelectTrigger.displayName = SelectPrimitive.Trigger.displayName
const SelectScrollUpButton = React.forwardRef<
React.ElementRef<typeof SelectPrimitive.ScrollUpButton>,
React.ComponentPropsWithoutRef<typeof SelectPrimitive.ScrollUpButton>
>(({ className, ...props }, ref) => (
<SelectPrimitive.ScrollUpButton
ref={ref}
className={cn(
"flex cursor-default items-center justify-center py-1",
className
)}
{...props}
>
<ChevronUp className="h-4 w-4" />
</SelectPrimitive.ScrollUpButton>
))
SelectScrollUpButton.displayName = SelectPrimitive.ScrollUpButton.displayName
const SelectScrollDownButton = React.forwardRef<
React.ElementRef<typeof SelectPrimitive.ScrollDownButton>,
React.ComponentPropsWithoutRef<typeof SelectPrimitive.ScrollDownButton>
>(({ className, ...props }, ref) => (
<SelectPrimitive.ScrollDownButton
ref={ref}
className={cn(
"flex cursor-default items-center justify-center py-1",
className
)}
{...props}
>
<ChevronDown className="h-4 w-4" />
</SelectPrimitive.ScrollDownButton>
))
SelectScrollDownButton.displayName =
SelectPrimitive.ScrollDownButton.displayName
const SelectContent = React.forwardRef<
React.ElementRef<typeof SelectPrimitive.Content>,
React.ComponentPropsWithoutRef<typeof SelectPrimitive.Content>
>(({ className, children, position = "popper", ...props }, ref) => (
<SelectPrimitive.Portal>
<SelectPrimitive.Content
ref={ref}
className={cn(
"relative z-50 max-h-96 min-w-32 overflow-hidden rounded-md border bg-popover text-popover-foreground shadow-md 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-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2",
position === "popper" &&
"data-[side=bottom]:translate-y-1 data-[side=left]:-translate-x-1 data-[side=right]:translate-x-1 data-[side=top]:-translate-y-1",
className
)}
position={position}
{...props}
>
<SelectScrollUpButton />
<SelectPrimitive.Viewport
className={cn(
"p-1",
position === "popper" &&
"h-(--radix-select-trigger-height) w-full min-w-(--radix-select-trigger-width)"
)}
>
{children}
</SelectPrimitive.Viewport>
<SelectScrollDownButton />
</SelectPrimitive.Content>
</SelectPrimitive.Portal>
))
SelectContent.displayName = SelectPrimitive.Content.displayName
const SelectLabel = React.forwardRef<
React.ElementRef<typeof SelectPrimitive.Label>,
React.ComponentPropsWithoutRef<typeof SelectPrimitive.Label>
>(({ className, ...props }, ref) => (
<SelectPrimitive.Label
ref={ref}
className={cn("py-1.5 pl-8 pr-2 text-sm font-semibold", className)}
{...props}
/>
))
SelectLabel.displayName = SelectPrimitive.Label.displayName
const SelectItem = React.forwardRef<
React.ElementRef<typeof SelectPrimitive.Item>,
React.ComponentPropsWithoutRef<typeof SelectPrimitive.Item>
>(({ className, children, ...props }, ref) => (
<SelectPrimitive.Item
ref={ref}
className={cn(
"relative flex w-full cursor-default select-none items-center rounded-sm py-1.5 pl-8 pr-2 text-sm outline-none focus:bg-accent focus:text-accent-foreground data-disabled:pointer-events-none data-disabled:opacity-50",
className
)}
{...props}
>
<span className="absolute left-2 flex h-3.5 w-3.5 items-center justify-center">
<SelectPrimitive.ItemIndicator>
<Check className="h-4 w-4" />
</SelectPrimitive.ItemIndicator>
</span>
<SelectPrimitive.ItemText>{children}</SelectPrimitive.ItemText>
</SelectPrimitive.Item>
))
SelectItem.displayName = SelectPrimitive.Item.displayName
const SelectSeparator = React.forwardRef<
React.ElementRef<typeof SelectPrimitive.Separator>,
React.ComponentPropsWithoutRef<typeof SelectPrimitive.Separator>
>(({ className, ...props }, ref) => (
<SelectPrimitive.Separator
ref={ref}
className={cn("-mx-1 my-1 h-px bg-muted", className)}
{...props}
/>
))
SelectSeparator.displayName = SelectPrimitive.Separator.displayName
export {
Select,
SelectGroup,
SelectValue,
SelectTrigger,
SelectContent,
SelectLabel,
SelectItem,
SelectSeparator,
SelectScrollUpButton,
SelectScrollDownButton,
}

View File

@@ -0,0 +1,28 @@
"use client"
import * as React from "react"
import * as SeparatorPrimitive from "@radix-ui/react-separator"
import { cn } from "@/lib/utils"
function Separator({
className,
orientation = "horizontal",
decorative = true,
...props
}: React.ComponentProps<typeof SeparatorPrimitive.Root>) {
return (
<SeparatorPrimitive.Root
data-slot="separator"
decorative={decorative}
orientation={orientation}
className={cn(
"bg-border shrink-0 data-[orientation=horizontal]:h-px data-[orientation=horizontal]:w-full data-[orientation=vertical]:h-full data-[orientation=vertical]:w-px",
className
)}
{...props}
/>
)
}
export { Separator }

View File

@@ -0,0 +1,209 @@
'use client';
import { GripVerticalIcon } from 'lucide-react';
import {
type MotionValue,
motion,
useMotionValue,
useSpring,
useTransform,
} from 'motion/react';
import {
type ComponentProps,
createContext,
type HTMLAttributes,
type MouseEventHandler,
type ReactNode,
type TouchEventHandler,
useContext,
useState,
} from 'react';
import { cn } from '@/lib/utils';
type ImageComparisonContextType = {
sliderPosition: number;
setSliderPosition: (pos: number) => void;
motionSliderPosition: MotionValue<number>;
mode: 'hover' | 'drag';
};
const ImageComparisonContext = createContext<
ImageComparisonContextType | undefined
>(undefined);
const useImageComparisonContext = () => {
const context = useContext(ImageComparisonContext);
if (!context) {
throw new Error(
'useImageComparisonContext must be used within a ImageComparison'
);
}
return context;
};
export type ComparisonProps = HTMLAttributes<HTMLDivElement> & {
mode?: 'hover' | 'drag';
onDragStart?: () => void;
onDragEnd?: () => void;
};
export const Comparison = ({
className,
mode = 'drag',
onDragStart,
onDragEnd,
...props
}: ComparisonProps) => {
const [isDragging, setIsDragging] = useState(false);
const motionValue = useMotionValue(50);
const motionSliderPosition = useSpring(motionValue, {
bounce: 0,
duration: 0,
});
const [sliderPosition, setSliderPosition] = useState(50);
const handleDrag = (domRect: DOMRect, clientX: number) => {
if (!isDragging && mode === 'drag') {
return;
}
const x = clientX - domRect.left;
const percentage = Math.min(Math.max((x / domRect.width) * 100, 0), 100);
motionValue.set(percentage);
setSliderPosition(percentage);
};
const handleMouseDrag: MouseEventHandler<HTMLDivElement> = (event) => {
if (!event) {
return;
}
const containerRect = event.currentTarget.getBoundingClientRect();
handleDrag(containerRect, event.clientX);
};
const handleTouchDrag: TouchEventHandler<HTMLDivElement> = (event) => {
if (!event) {
return;
}
const containerRect = event.currentTarget.getBoundingClientRect();
const touches = Array.from(event.touches);
handleDrag(containerRect, touches.at(0)?.clientX ?? 0);
};
const handleDragStart = () => {
if (mode === 'drag') {
setIsDragging(true);
onDragStart?.();
}
};
const handleDragEnd = () => {
if (mode === 'drag') {
setIsDragging(false);
onDragEnd?.();
}
};
return (
<ImageComparisonContext.Provider
value={{ sliderPosition, setSliderPosition, motionSliderPosition, mode }}
>
<div
aria-label="Comparison slider"
aria-valuemax={100}
aria-valuemin={0}
aria-valuenow={sliderPosition}
className={cn(
'relative isolate w-full select-none overflow-hidden',
className
)}
onMouseDown={handleDragStart}
onMouseLeave={handleDragEnd}
onMouseMove={handleMouseDrag}
onMouseUp={handleDragEnd}
onTouchEnd={handleDragEnd}
onTouchMove={handleTouchDrag}
onTouchStart={handleDragStart}
role="slider"
tabIndex={0}
{...props}
/>
</ImageComparisonContext.Provider>
);
};
export type ComparisonItemProps = ComponentProps<typeof motion.div> & {
position: 'left' | 'right';
};
export const ComparisonItem = ({
className,
position,
...props
}: ComparisonItemProps) => {
const { motionSliderPosition } = useImageComparisonContext();
const leftClipPath = useTransform(
motionSliderPosition,
(value) => `inset(0 0 0 ${value}%)`
);
const rightClipPath = useTransform(
motionSliderPosition,
(value) => `inset(0 ${100 - value}% 0 0)`
);
return (
<motion.div
aria-hidden="true"
className={cn('absolute inset-0 h-full w-full object-cover', className)}
role="img"
style={{
clipPath: position === 'left' ? leftClipPath : rightClipPath,
}}
{...props}
/>
);
};
export type ComparisonHandleProps = ComponentProps<typeof motion.div> & {
children?: ReactNode;
};
export const ComparisonHandle = ({
className,
children,
...props
}: ComparisonHandleProps) => {
const { motionSliderPosition, mode } = useImageComparisonContext();
const left = useTransform(motionSliderPosition, (value) => `${value}%`);
return (
<motion.div
aria-hidden="true"
className={cn(
'-translate-x-1/2 absolute top-0 z-50 flex h-full w-10 items-center justify-center',
mode === 'drag' && 'cursor-grab active:cursor-grabbing',
className
)}
role="presentation"
style={{ left }}
{...props}
>
{children ?? (
<>
<div className="-translate-x-1/2 absolute left-1/2 h-full w-1 bg-background" />
{mode === 'drag' && (
<div className="z-50 flex items-center justify-center rounded-sm bg-background px-0.5 py-1">
<GripVerticalIcon className="h-4 w-4 select-none text-muted-foreground" />
</div>
)}
</>
)}
</motion.div>
);
};

File diff suppressed because it is too large Load Diff

139
components/ui/sheet.tsx Normal file
View File

@@ -0,0 +1,139 @@
"use client"
import * as React from "react"
import * as SheetPrimitive from "@radix-ui/react-dialog"
import { XIcon } from "lucide-react"
import { cn } from "@/lib/utils"
function Sheet({ ...props }: React.ComponentProps<typeof SheetPrimitive.Root>) {
return <SheetPrimitive.Root data-slot="sheet" {...props} />
}
function SheetTrigger({
...props
}: React.ComponentProps<typeof SheetPrimitive.Trigger>) {
return <SheetPrimitive.Trigger data-slot="sheet-trigger" {...props} />
}
function SheetClose({
...props
}: React.ComponentProps<typeof SheetPrimitive.Close>) {
return <SheetPrimitive.Close data-slot="sheet-close" {...props} />
}
function SheetPortal({
...props
}: React.ComponentProps<typeof SheetPrimitive.Portal>) {
return <SheetPrimitive.Portal data-slot="sheet-portal" {...props} />
}
function SheetOverlay({
className,
...props
}: React.ComponentProps<typeof SheetPrimitive.Overlay>) {
return (
<SheetPrimitive.Overlay
data-slot="sheet-overlay"
className={cn(
"data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 fixed inset-0 z-50 bg-black/50",
className
)}
{...props}
/>
)
}
function SheetContent({
className,
children,
side = "right",
...props
}: React.ComponentProps<typeof SheetPrimitive.Content> & {
side?: "top" | "right" | "bottom" | "left"
}) {
return (
<SheetPortal>
<SheetOverlay />
<SheetPrimitive.Content
data-slot="sheet-content"
className={cn(
"bg-background data-[state=open]:animate-in data-[state=closed]:animate-out fixed z-50 flex flex-col gap-4 shadow-lg transition ease-in-out data-[state=closed]:duration-300 data-[state=open]:duration-500",
side === "right" &&
"data-[state=closed]:slide-out-to-right data-[state=open]:slide-in-from-right inset-y-0 right-0 h-full w-3/4 border-l sm:max-w-sm",
side === "left" &&
"data-[state=closed]:slide-out-to-left data-[state=open]:slide-in-from-left inset-y-0 left-0 h-full w-3/4 border-r sm:max-w-sm",
side === "top" &&
"data-[state=closed]:slide-out-to-top data-[state=open]:slide-in-from-top inset-x-0 top-0 h-auto border-b",
side === "bottom" &&
"data-[state=closed]:slide-out-to-bottom data-[state=open]:slide-in-from-bottom inset-x-0 bottom-0 h-auto border-t",
className
)}
{...props}
>
{children}
<SheetPrimitive.Close className="ring-offset-background focus:ring-ring data-[state=open]:bg-secondary absolute top-4 right-4 rounded-xs opacity-70 transition-opacity hover:opacity-100 focus:ring-2 focus:ring-offset-2 focus:outline-hidden disabled:pointer-events-none">
<XIcon className="size-4" />
<span className="sr-only">Close</span>
</SheetPrimitive.Close>
</SheetPrimitive.Content>
</SheetPortal>
)
}
function SheetHeader({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="sheet-header"
className={cn("flex flex-col gap-1.5 p-4", className)}
{...props}
/>
)
}
function SheetFooter({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="sheet-footer"
className={cn("mt-auto flex flex-col gap-2 p-4", className)}
{...props}
/>
)
}
function SheetTitle({
className,
...props
}: React.ComponentProps<typeof SheetPrimitive.Title>) {
return (
<SheetPrimitive.Title
data-slot="sheet-title"
className={cn("text-foreground font-semibold", className)}
{...props}
/>
)
}
function SheetDescription({
className,
...props
}: React.ComponentProps<typeof SheetPrimitive.Description>) {
return (
<SheetPrimitive.Description
data-slot="sheet-description"
className={cn("text-muted-foreground text-sm", className)}
{...props}
/>
)
}
export {
Sheet,
SheetTrigger,
SheetClose,
SheetContent,
SheetHeader,
SheetFooter,
SheetTitle,
SheetDescription,
}

773
components/ui/sidebar.tsx Normal file
View File

@@ -0,0 +1,773 @@
"use client"
import * as React from "react"
import { Slot } from "@radix-ui/react-slot"
import { cva, type VariantProps } from "class-variance-authority"
import { PanelLeft } from "lucide-react"
import { useIsMobile } from "@/hooks/use-mobile"
import { cn } from "@/lib/utils"
import { Button } from "@/components/ui/button"
import { Input } from "@/components/ui/input"
import { Separator } from "@/components/ui/separator"
import {
Sheet,
SheetContent,
SheetDescription,
SheetHeader,
SheetTitle,
} from "@/components/ui/sheet"
import { Skeleton } from "@/components/ui/skeleton"
import {
Tooltip,
TooltipContent,
TooltipProvider,
TooltipTrigger,
} from "@/components/ui/tooltip"
const SIDEBAR_COOKIE_NAME = "sidebar_state"
const SIDEBAR_COOKIE_MAX_AGE = 60 * 60 * 24 * 7
const SIDEBAR_WIDTH = "16rem"
const SIDEBAR_WIDTH_MOBILE = "18rem"
const SIDEBAR_WIDTH_ICON = "3rem"
const SIDEBAR_KEYBOARD_SHORTCUT = "b"
type SidebarContextProps = {
state: "expanded" | "collapsed"
open: boolean
setOpen: (open: boolean) => void
openMobile: boolean
setOpenMobile: (open: boolean) => void
isMobile: boolean
toggleSidebar: () => void
}
const SidebarContext = React.createContext<SidebarContextProps | null>(null)
function useSidebar() {
const context = React.useContext(SidebarContext)
if (!context) {
throw new Error("useSidebar must be used within a SidebarProvider.")
}
return context
}
const SidebarProvider = React.forwardRef<
HTMLDivElement,
React.ComponentProps<"div"> & {
defaultOpen?: boolean
open?: boolean
onOpenChange?: (open: boolean) => void
}
>(
(
{
defaultOpen = true,
open: openProp,
onOpenChange: setOpenProp,
className,
style,
children,
...props
},
ref
) => {
const isMobile = useIsMobile()
const [openMobile, setOpenMobile] = React.useState(false)
// This is the internal state of the sidebar.
// We use openProp and setOpenProp for control from outside the component.
const [_open, _setOpen] = React.useState(defaultOpen)
const open = openProp ?? _open
const setOpen = React.useCallback(
(value: boolean | ((value: boolean) => boolean)) => {
const openState = typeof value === "function" ? value(open) : value
if (setOpenProp) {
setOpenProp(openState)
} else {
_setOpen(openState)
}
// This sets the cookie to keep the sidebar state.
document.cookie = `${SIDEBAR_COOKIE_NAME}=${openState}; path=/; max-age=${SIDEBAR_COOKIE_MAX_AGE}`
},
[setOpenProp, open]
)
// Helper to toggle the sidebar.
const toggleSidebar = React.useCallback(() => {
return isMobile
? setOpenMobile((open) => !open)
: setOpen((open) => !open)
}, [isMobile, setOpen, setOpenMobile])
// Adds a keyboard shortcut to toggle the sidebar.
React.useEffect(() => {
const handleKeyDown = (event: KeyboardEvent) => {
if (
event.key === SIDEBAR_KEYBOARD_SHORTCUT &&
(event.metaKey || event.ctrlKey)
) {
event.preventDefault()
toggleSidebar()
}
}
window.addEventListener("keydown", handleKeyDown)
return () => window.removeEventListener("keydown", handleKeyDown)
}, [toggleSidebar])
// We add a state so that we can do data-state="expanded" or "collapsed".
// This makes it easier to style the sidebar with Tailwind classes.
const state = open ? "expanded" : "collapsed"
const contextValue = React.useMemo<SidebarContextProps>(
() => ({
state,
open,
setOpen,
isMobile,
openMobile,
setOpenMobile,
toggleSidebar,
}),
[state, open, setOpen, isMobile, openMobile, setOpenMobile, toggleSidebar]
)
return (
<SidebarContext.Provider value={contextValue}>
<TooltipProvider delayDuration={0}>
<div
style={
{
"--sidebar-width": SIDEBAR_WIDTH,
"--sidebar-width-icon": SIDEBAR_WIDTH_ICON,
...style,
} as React.CSSProperties
}
className={cn(
"group/sidebar-wrapper flex min-h-svh w-full has-data-[variant=inset]:bg-sidebar",
className
)}
ref={ref}
{...props}
>
{children}
</div>
</TooltipProvider>
</SidebarContext.Provider>
)
}
)
SidebarProvider.displayName = "SidebarProvider"
const Sidebar = React.forwardRef<
HTMLDivElement,
React.ComponentProps<"div"> & {
side?: "left" | "right"
variant?: "sidebar" | "floating" | "inset"
collapsible?: "offcanvas" | "icon" | "none"
}
>(
(
{
side = "left",
variant = "sidebar",
collapsible = "offcanvas",
className,
children,
...props
},
ref
) => {
const { isMobile, state, openMobile, setOpenMobile } = useSidebar()
if (collapsible === "none") {
return (
<div
className={cn(
"flex h-full w-(--sidebar-width) flex-col bg-sidebar text-sidebar-foreground",
className
)}
ref={ref}
{...props}
>
{children}
</div>
)
}
if (isMobile) {
return (
<Sheet open={openMobile} onOpenChange={setOpenMobile} {...props}>
<SheetContent
data-sidebar="sidebar"
data-mobile="true"
className="w-(--sidebar-width) bg-sidebar p-0 text-sidebar-foreground [&>button]:hidden"
style={
{
"--sidebar-width": SIDEBAR_WIDTH_MOBILE,
} as React.CSSProperties
}
side={side}
>
<SheetHeader className="sr-only">
<SheetTitle>Sidebar</SheetTitle>
<SheetDescription>Displays the mobile sidebar.</SheetDescription>
</SheetHeader>
<div className="flex h-full w-full flex-col">{children}</div>
</SheetContent>
</Sheet>
)
}
return (
<div
ref={ref}
className="group peer hidden text-sidebar-foreground md:block"
data-state={state}
data-collapsible={state === "collapsed" ? collapsible : ""}
data-variant={variant}
data-side={side}
>
{/* This is what handles the sidebar gap on desktop */}
<div
className={cn(
"relative w-(--sidebar-width) bg-transparent transition-[width] duration-200 ease-linear",
"group-data-[collapsible=offcanvas]:w-0",
"group-data-[side=right]:rotate-180",
variant === "floating" || variant === "inset"
? "group-data-[collapsible=icon]:w-[calc(var(--sidebar-width-icon)+(--spacing(4)))]"
: "group-data-[collapsible=icon]:w-(--sidebar-width-icon)"
)}
/>
<div
className={cn(
"fixed inset-y-0 z-10 hidden h-svh w-(--sidebar-width) transition-[left,right,width] duration-200 ease-linear md:flex",
side === "left"
? "left-0 group-data-[collapsible=offcanvas]:left-[calc(var(--sidebar-width)*-1)]"
: "right-0 group-data-[collapsible=offcanvas]:right-[calc(var(--sidebar-width)*-1)]",
// Adjust the padding for floating and inset variants.
variant === "floating" || variant === "inset"
? "p-2 group-data-[collapsible=icon]:w-[calc(var(--sidebar-width-icon)+(--spacing(4))+2px)]"
: "group-data-[collapsible=icon]:w-(--sidebar-width-icon) group-data-[side=left]:border-r group-data-[side=right]:border-l",
className
)}
{...props}
>
<div
data-sidebar="sidebar"
className="flex h-full w-full flex-col bg-sidebar group-data-[variant=floating]:rounded-lg group-data-[variant=floating]:border group-data-[variant=floating]:border-sidebar-border group-data-[variant=floating]:shadow"
>
{children}
</div>
</div>
</div>
)
}
)
Sidebar.displayName = "Sidebar"
const SidebarTrigger = React.forwardRef<
React.ElementRef<typeof Button>,
React.ComponentProps<typeof Button>
>(({ className, onClick, ...props }, ref) => {
const { toggleSidebar } = useSidebar()
return (
<Button
ref={ref}
data-sidebar="trigger"
variant="ghost"
size="icon"
className={cn("h-7 w-7", className)}
onClick={(event) => {
onClick?.(event)
toggleSidebar()
}}
{...props}
>
<PanelLeft />
<span className="sr-only">Toggle Sidebar</span>
</Button>
)
})
SidebarTrigger.displayName = "SidebarTrigger"
const SidebarRail = React.forwardRef<
HTMLButtonElement,
React.ComponentProps<"button">
>(({ className, ...props }, ref) => {
const { toggleSidebar } = useSidebar()
return (
<button
ref={ref}
data-sidebar="rail"
aria-label="Toggle Sidebar"
tabIndex={-1}
onClick={toggleSidebar}
title="Toggle Sidebar"
className={cn(
"absolute inset-y-0 z-20 hidden w-4 -translate-x-1/2 transition-all ease-linear after:absolute after:inset-y-0 after:left-1/2 after:w-[2px] hover:after:bg-sidebar-border group-data-[side=left]:-right-4 group-data-[side=right]:left-0 sm:flex",
"in-data-[side=left]:cursor-w-resize in-data-[side=right]:cursor-e-resize",
"[[data-side=left][data-state=collapsed]_&]:cursor-e-resize [[data-side=right][data-state=collapsed]_&]:cursor-w-resize",
"group-data-[collapsible=offcanvas]:translate-x-0 group-data-[collapsible=offcanvas]:after:left-full group-data-[collapsible=offcanvas]:hover:bg-sidebar",
"[[data-side=left][data-collapsible=offcanvas]_&]:-right-2",
"[[data-side=right][data-collapsible=offcanvas]_&]:-left-2",
className
)}
{...props}
/>
)
})
SidebarRail.displayName = "SidebarRail"
const SidebarInset = React.forwardRef<
HTMLDivElement,
React.ComponentProps<"main">
>(({ className, ...props }, ref) => {
return (
<main
ref={ref}
className={cn(
"relative flex w-full flex-1 flex-col bg-background",
"md:peer-data-[variant=inset]:m-2 md:peer-data-[state=collapsed]:peer-data-[variant=inset]:ml-2 md:peer-data-[variant=inset]:ml-0 md:peer-data-[variant=inset]:rounded-xl md:peer-data-[variant=inset]:shadow",
className
)}
{...props}
/>
)
})
SidebarInset.displayName = "SidebarInset"
const SidebarInput = React.forwardRef<
React.ElementRef<typeof Input>,
React.ComponentProps<typeof Input>
>(({ className, ...props }, ref) => {
return (
<Input
ref={ref}
data-sidebar="input"
className={cn(
"h-8 w-full bg-background shadow-none focus-visible:ring-2 focus-visible:ring-sidebar-ring",
className
)}
{...props}
/>
)
})
SidebarInput.displayName = "SidebarInput"
const SidebarHeader = React.forwardRef<
HTMLDivElement,
React.ComponentProps<"div">
>(({ className, ...props }, ref) => {
return (
<div
ref={ref}
data-sidebar="header"
className={cn("flex flex-col gap-2 p-2", className)}
{...props}
/>
)
})
SidebarHeader.displayName = "SidebarHeader"
const SidebarFooter = React.forwardRef<
HTMLDivElement,
React.ComponentProps<"div">
>(({ className, ...props }, ref) => {
return (
<div
ref={ref}
data-sidebar="footer"
className={cn("flex flex-col gap-2 p-2", className)}
{...props}
/>
)
})
SidebarFooter.displayName = "SidebarFooter"
const SidebarSeparator = React.forwardRef<
React.ElementRef<typeof Separator>,
React.ComponentProps<typeof Separator>
>(({ className, ...props }, ref) => {
return (
<Separator
ref={ref}
data-sidebar="separator"
className={cn("mx-2 w-auto bg-sidebar-border", className)}
{...props}
/>
)
})
SidebarSeparator.displayName = "SidebarSeparator"
const SidebarContent = React.forwardRef<
HTMLDivElement,
React.ComponentProps<"div">
>(({ className, ...props }, ref) => {
return (
<div
ref={ref}
data-sidebar="content"
className={cn(
"flex min-h-0 flex-1 flex-col gap-2 overflow-auto group-data-[collapsible=icon]:overflow-hidden",
className
)}
{...props}
/>
)
})
SidebarContent.displayName = "SidebarContent"
const SidebarGroup = React.forwardRef<
HTMLDivElement,
React.ComponentProps<"div">
>(({ className, ...props }, ref) => {
return (
<div
ref={ref}
data-sidebar="group"
className={cn("relative flex w-full min-w-0 flex-col p-2", className)}
{...props}
/>
)
})
SidebarGroup.displayName = "SidebarGroup"
const SidebarGroupLabel = React.forwardRef<
HTMLDivElement,
React.ComponentProps<"div"> & { asChild?: boolean }
>(({ className, asChild = false, ...props }, ref) => {
const Comp = asChild ? Slot : "div"
return (
<Comp
ref={ref}
data-sidebar="group-label"
className={cn(
"flex h-8 shrink-0 items-center rounded-md px-2 text-xs font-medium text-sidebar-foreground/70 outline-none ring-sidebar-ring transition-[margin,opacity] duration-200 ease-linear focus-visible:ring-2 [&>svg]:size-4 [&>svg]:shrink-0",
"group-data-[collapsible=icon]:-mt-8 group-data-[collapsible=icon]:opacity-0",
className
)}
{...props}
/>
)
})
SidebarGroupLabel.displayName = "SidebarGroupLabel"
const SidebarGroupAction = React.forwardRef<
HTMLButtonElement,
React.ComponentProps<"button"> & { asChild?: boolean }
>(({ className, asChild = false, ...props }, ref) => {
const Comp = asChild ? Slot : "button"
return (
<Comp
ref={ref}
data-sidebar="group-action"
className={cn(
"absolute right-3 top-3.5 flex aspect-square w-5 items-center justify-center rounded-md p-0 text-sidebar-foreground outline-none ring-sidebar-ring transition-transform hover:bg-sidebar-accent hover:text-sidebar-accent-foreground focus-visible:ring-2 [&>svg]:size-4 [&>svg]:shrink-0",
// Increases the hit area of the button on mobile.
"after:absolute after:-inset-2 after:md:hidden",
"group-data-[collapsible=icon]:hidden",
className
)}
{...props}
/>
)
})
SidebarGroupAction.displayName = "SidebarGroupAction"
const SidebarGroupContent = React.forwardRef<
HTMLDivElement,
React.ComponentProps<"div">
>(({ className, ...props }, ref) => (
<div
ref={ref}
data-sidebar="group-content"
className={cn("w-full text-sm", className)}
{...props}
/>
))
SidebarGroupContent.displayName = "SidebarGroupContent"
const SidebarMenu = React.forwardRef<
HTMLUListElement,
React.ComponentProps<"ul">
>(({ className, ...props }, ref) => (
<ul
ref={ref}
data-sidebar="menu"
className={cn("flex w-full min-w-0 flex-col gap-1", className)}
{...props}
/>
))
SidebarMenu.displayName = "SidebarMenu"
const SidebarMenuItem = React.forwardRef<
HTMLLIElement,
React.ComponentProps<"li">
>(({ className, ...props }, ref) => (
<li
ref={ref}
data-sidebar="menu-item"
className={cn("group/menu-item relative", className)}
{...props}
/>
))
SidebarMenuItem.displayName = "SidebarMenuItem"
const sidebarMenuButtonVariants = cva(
"peer/menu-button flex w-full items-center gap-2 overflow-hidden rounded-md p-2 text-left text-sm outline-none ring-sidebar-ring transition-[width,height,padding] hover:bg-sidebar-accent hover:text-sidebar-accent-foreground focus-visible:ring-2 active:bg-sidebar-accent active:text-sidebar-accent-foreground disabled:pointer-events-none disabled:opacity-50 group-has-data-[sidebar=menu-action]/menu-item:pr-8 aria-disabled:pointer-events-none aria-disabled:opacity-50 data-[active=true]:bg-sidebar-accent data-[active=true]:font-medium data-[active=true]:text-sidebar-accent-foreground data-[state=open]:hover:bg-sidebar-accent data-[state=open]:hover:text-sidebar-accent-foreground group-data-[collapsible=icon]:size-8! group-data-[collapsible=icon]:p-2! [&>span:last-child]:truncate [&>svg]:size-4 [&>svg]:shrink-0",
{
variants: {
variant: {
default: "hover:bg-sidebar-accent hover:text-sidebar-accent-foreground",
outline:
"bg-background shadow-[0_0_0_1px_hsl(var(--sidebar-border))] hover:bg-sidebar-accent hover:text-sidebar-accent-foreground hover:shadow-[0_0_0_1px_hsl(var(--sidebar-accent))]",
},
size: {
default: "h-8 text-sm",
sm: "h-7 text-xs",
lg: "h-12 text-sm group-data-[collapsible=icon]:p-0!",
},
},
defaultVariants: {
variant: "default",
size: "default",
},
}
)
const SidebarMenuButton = React.forwardRef<
HTMLButtonElement,
React.ComponentProps<"button"> & {
asChild?: boolean
isActive?: boolean
tooltip?: string | React.ComponentProps<typeof TooltipContent>
} & VariantProps<typeof sidebarMenuButtonVariants>
>(
(
{
asChild = false,
isActive = false,
variant = "default",
size = "default",
tooltip,
className,
...props
},
ref
) => {
const Comp = asChild ? Slot : "button"
const { isMobile, state } = useSidebar()
const button = (
<Comp
ref={ref}
data-sidebar="menu-button"
data-size={size}
data-active={isActive}
className={cn(sidebarMenuButtonVariants({ variant, size }), className)}
{...props}
/>
)
if (!tooltip) {
return button
}
if (typeof tooltip === "string") {
tooltip = {
children: tooltip,
}
}
return (
<Tooltip>
<TooltipTrigger asChild>{button}</TooltipTrigger>
<TooltipContent
side="right"
align="center"
hidden={state !== "collapsed" || isMobile}
{...tooltip}
/>
</Tooltip>
)
}
)
SidebarMenuButton.displayName = "SidebarMenuButton"
const SidebarMenuAction = React.forwardRef<
HTMLButtonElement,
React.ComponentProps<"button"> & {
asChild?: boolean
showOnHover?: boolean
}
>(({ className, asChild = false, showOnHover = false, ...props }, ref) => {
const Comp = asChild ? Slot : "button"
return (
<Comp
ref={ref}
data-sidebar="menu-action"
className={cn(
"absolute right-1 top-1.5 flex aspect-square w-5 items-center justify-center rounded-md p-0 text-sidebar-foreground outline-none ring-sidebar-ring transition-transform hover:bg-sidebar-accent hover:text-sidebar-accent-foreground focus-visible:ring-2 peer-hover/menu-button:text-sidebar-accent-foreground [&>svg]:size-4 [&>svg]:shrink-0",
// Increases the hit area of the button on mobile.
"after:absolute after:-inset-2 after:md:hidden",
"peer-data-[size=sm]/menu-button:top-1",
"peer-data-[size=default]/menu-button:top-1.5",
"peer-data-[size=lg]/menu-button:top-2.5",
"group-data-[collapsible=icon]:hidden",
showOnHover &&
"group-focus-within/menu-item:opacity-100 group-hover/menu-item:opacity-100 data-[state=open]:opacity-100 peer-data-[active=true]/menu-button:text-sidebar-accent-foreground md:opacity-0",
className
)}
{...props}
/>
)
})
SidebarMenuAction.displayName = "SidebarMenuAction"
const SidebarMenuBadge = React.forwardRef<
HTMLDivElement,
React.ComponentProps<"div">
>(({ className, ...props }, ref) => (
<div
ref={ref}
data-sidebar="menu-badge"
className={cn(
"pointer-events-none absolute right-1 flex h-5 min-w-5 select-none items-center justify-center rounded-md px-1 text-xs font-medium tabular-nums text-sidebar-foreground",
"peer-hover/menu-button:text-sidebar-accent-foreground peer-data-[active=true]/menu-button:text-sidebar-accent-foreground",
"peer-data-[size=sm]/menu-button:top-1",
"peer-data-[size=default]/menu-button:top-1.5",
"peer-data-[size=lg]/menu-button:top-2.5",
"group-data-[collapsible=icon]:hidden",
className
)}
{...props}
/>
))
SidebarMenuBadge.displayName = "SidebarMenuBadge"
const SidebarMenuSkeleton = React.forwardRef<
HTMLDivElement,
React.ComponentProps<"div"> & {
showIcon?: boolean
}
>(({ className, showIcon = false, ...props }, ref) => {
// Random width between 50 to 90%.
const width = React.useMemo(() => {
return `${Math.floor(Math.random() * 40) + 50}%`
}, [])
return (
<div
ref={ref}
data-sidebar="menu-skeleton"
className={cn("flex h-8 items-center gap-2 rounded-md px-2", className)}
{...props}
>
{showIcon && (
<Skeleton
className="size-4 rounded-md"
data-sidebar="menu-skeleton-icon"
/>
)}
<Skeleton
className="h-4 max-w-(--skeleton-width) flex-1"
data-sidebar="menu-skeleton-text"
style={
{
"--skeleton-width": width,
} as React.CSSProperties
}
/>
</div>
)
})
SidebarMenuSkeleton.displayName = "SidebarMenuSkeleton"
const SidebarMenuSub = React.forwardRef<
HTMLUListElement,
React.ComponentProps<"ul">
>(({ className, ...props }, ref) => (
<ul
ref={ref}
data-sidebar="menu-sub"
className={cn(
"mx-3.5 flex min-w-0 translate-x-px flex-col gap-1 border-l border-sidebar-border px-2.5 py-0.5",
"group-data-[collapsible=icon]:hidden",
className
)}
{...props}
/>
))
SidebarMenuSub.displayName = "SidebarMenuSub"
const SidebarMenuSubItem = React.forwardRef<
HTMLLIElement,
React.ComponentProps<"li">
>(({ ...props }, ref) => <li ref={ref} {...props} />)
SidebarMenuSubItem.displayName = "SidebarMenuSubItem"
const SidebarMenuSubButton = React.forwardRef<
HTMLAnchorElement,
React.ComponentProps<"a"> & {
asChild?: boolean
size?: "sm" | "md"
isActive?: boolean
}
>(({ asChild = false, size = "md", isActive, className, ...props }, ref) => {
const Comp = asChild ? Slot : "a"
return (
<Comp
ref={ref}
data-sidebar="menu-sub-button"
data-size={size}
data-active={isActive}
className={cn(
"flex h-7 min-w-0 -translate-x-px items-center gap-2 overflow-hidden rounded-md px-2 text-sidebar-foreground outline-none ring-sidebar-ring hover:bg-sidebar-accent hover:text-sidebar-accent-foreground focus-visible:ring-2 active:bg-sidebar-accent active:text-sidebar-accent-foreground disabled:pointer-events-none disabled:opacity-50 aria-disabled:pointer-events-none aria-disabled:opacity-50 [&>span:last-child]:truncate [&>svg]:size-4 [&>svg]:shrink-0 [&>svg]:text-sidebar-accent-foreground",
"data-[active=true]:bg-sidebar-accent data-[active=true]:text-sidebar-accent-foreground",
size === "sm" && "text-xs",
size === "md" && "text-sm",
"group-data-[collapsible=icon]:hidden",
className
)}
{...props}
/>
)
})
SidebarMenuSubButton.displayName = "SidebarMenuSubButton"
export {
Sidebar,
SidebarContent,
SidebarFooter,
SidebarGroup,
SidebarGroupAction,
SidebarGroupContent,
SidebarGroupLabel,
SidebarHeader,
SidebarInput,
SidebarInset,
SidebarMenu,
SidebarMenuAction,
SidebarMenuBadge,
SidebarMenuButton,
SidebarMenuItem,
SidebarMenuSkeleton,
SidebarMenuSub,
SidebarMenuSubButton,
SidebarMenuSubItem,
SidebarProvider,
SidebarRail,
SidebarSeparator,
SidebarTrigger,
useSidebar,
}

View File

@@ -0,0 +1,13 @@
import { cn } from "@/lib/utils"
function Skeleton({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="skeleton"
className={cn("bg-accent animate-pulse rounded-md", className)}
{...props}
/>
)
}
export { Skeleton }

31
components/ui/sonner.tsx Normal file
View File

@@ -0,0 +1,31 @@
"use client"
import { useTheme } from "next-themes"
import { Toaster as Sonner } from "sonner"
type ToasterProps = React.ComponentProps<typeof Sonner>
const Toaster = ({ ...props }: ToasterProps) => {
const { theme = "system" } = useTheme()
return (
<Sonner
theme={theme as ToasterProps["theme"]}
className="toaster group"
toastOptions={{
classNames: {
toast:
"group toast group-[.toaster]:bg-background group-[.toaster]:text-foreground group-[.toaster]:border-border group-[.toaster]:shadow-lg",
description: "group-[.toast]:text-muted-foreground",
actionButton:
"group-[.toast]:bg-primary group-[.toast]:text-primary-foreground",
cancelButton:
"group-[.toast]:bg-muted group-[.toast]:text-muted-foreground",
},
}}
{...props}
/>
)
}
export { Toaster }

16
components/ui/spinner.tsx Normal file
View File

@@ -0,0 +1,16 @@
import { Loader2Icon } from "lucide-react"
import { cn } from "@/lib/utils"
function Spinner({ className, ...props }: React.ComponentProps<"svg">) {
return (
<Loader2Icon
role="status"
aria-label="Loading"
className={cn("size-4 animate-spin", className)}
{...props}
/>
)
}
export { Spinner }

View File

@@ -0,0 +1,18 @@
import * as React from "react"
import { cn } from "@/lib/utils"
function Textarea({ className, ...props }: React.ComponentProps<"textarea">) {
return (
<textarea
data-slot="textarea"
className={cn(
"border-input placeholder:text-muted-foreground focus-visible:border-ring focus-visible:ring-ring/50 aria-invalid:ring-destructive/20 dark:aria-invalid:ring-destructive/40 aria-invalid:border-destructive dark:bg-input/30 flex field-sizing-content min-h-16 w-full rounded-md border bg-transparent px-3 py-2 text-base shadow-xs transition-[color,box-shadow] outline-none focus-visible:ring-[3px] disabled:cursor-not-allowed disabled:opacity-50 md:text-sm",
className
)}
{...props}
/>
)
}
export { Textarea }

61
components/ui/tooltip.tsx Normal file
View File

@@ -0,0 +1,61 @@
"use client"
import * as React from "react"
import * as TooltipPrimitive from "@radix-ui/react-tooltip"
import { cn } from "@/lib/utils"
function TooltipProvider({
delayDuration = 0,
...props
}: React.ComponentProps<typeof TooltipPrimitive.Provider>) {
return (
<TooltipPrimitive.Provider
data-slot="tooltip-provider"
delayDuration={delayDuration}
{...props}
/>
)
}
function Tooltip({
...props
}: React.ComponentProps<typeof TooltipPrimitive.Root>) {
return (
<TooltipProvider>
<TooltipPrimitive.Root data-slot="tooltip" {...props} />
</TooltipProvider>
)
}
function TooltipTrigger({
...props
}: React.ComponentProps<typeof TooltipPrimitive.Trigger>) {
return <TooltipPrimitive.Trigger data-slot="tooltip-trigger" {...props} />
}
function TooltipContent({
className,
sideOffset = 0,
children,
...props
}: React.ComponentProps<typeof TooltipPrimitive.Content>) {
return (
<TooltipPrimitive.Portal>
<TooltipPrimitive.Content
data-slot="tooltip-content"
sideOffset={sideOffset}
className={cn(
"bg-foreground text-background animate-in fade-in-0 zoom-in-95 data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=closed]:zoom-out-95 data-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2 z-50 w-fit origin-(--radix-tooltip-content-transform-origin) rounded-md px-3 py-1.5 text-xs text-balance",
className
)}
{...props}
>
{children}
<TooltipPrimitive.Arrow className="bg-foreground fill-foreground z-50 size-2.5 translate-y-[calc(-50%-2px)] rotate-45 rounded-[2px]" />
</TooltipPrimitive.Content>
</TooltipPrimitive.Portal>
)
}
export { Tooltip, TooltipTrigger, TooltipContent, TooltipProvider }