refactor: refactor color tool to match calculate blueprint

Rewrites all color components to use the glass panel design language,
fixed-height two-panel layout, and tab-based navigation.

- ColorManipulation: lg:grid-cols-5 split — left 2/5 shows ColorPicker
  + ColorInfo always; right 3/5 has Info/Adjust/Harmony/Gradient tabs;
  mobile 'Pick | Explore' switcher
- ColorPicker: removes shadcn Input/Label, native input with dynamic
  contrast color matching the picked hue
- ColorInfo: removes shadcn Button, native copy buttons on hover,
  metadata chips with bg-primary/5 background
- ManipulationPanel: keeps Slider, replaces Button with glass action
  buttons, tighter spacing and muted labels
- ExportMenu: keeps Select, replaces Buttons with glass action buttons,
  code preview in dark terminal box (#06060e)
- ColorSwatch: rectangular full-width design for palette grids,
  hover reveals copy icon, hex label at bottom
- PaletteGrid: denser grid (4→5 cols), smaller swatch height

Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com>
This commit is contained in:
2026-03-01 08:15:33 +01:00
parent 50dc009fdf
commit 0727ec7675
7 changed files with 496 additions and 652 deletions

View File

@@ -7,27 +7,32 @@ import { ColorInfo } from '@/components/color/ColorInfo';
import { ManipulationPanel } from '@/components/color/ManipulationPanel';
import { PaletteGrid } from '@/components/color/PaletteGrid';
import { ExportMenu } from '@/components/color/ExportMenu';
import { Card, CardContent, CardHeader, CardTitle } from '@/components/ui/card';
import { useColorInfo, useGeneratePalette, useGenerateGradient } from '@/lib/color/api/queries';
import { Loader2, Share2, Palette, Plus, X, Layers } from 'lucide-react';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Label } from '@/components/ui/label';
import {
Select,
SelectContent,
SelectItem,
SelectTrigger,
SelectValue,
} from '@/components/ui/select';
import { Loader2, Share2, Plus, X, Palette, Layers } from 'lucide-react';
import { toast } from 'sonner';
import { cn } from '@/lib/utils';
type HarmonyType =
| 'monochromatic'
| 'analogous'
| 'complementary'
| 'triadic'
| 'tetradic';
type HarmonyType = 'monochromatic' | 'analogous' | 'complementary' | 'triadic' | 'tetradic';
type RightTab = 'info' | 'adjust' | 'harmony' | 'gradient';
type MobileTab = 'pick' | 'explore';
const HARMONY_OPTS: { value: HarmonyType; label: string; desc: string }[] = [
{ value: 'monochromatic', label: 'Mono', desc: 'Single hue, varied lightness' },
{ value: 'analogous', label: 'Analogous', desc: 'Adjacent colors ±30°' },
{ value: 'complementary', label: 'Complement', desc: 'Opposite on wheel 180°' },
{ value: 'triadic', label: 'Triadic', desc: 'Three equal 120° steps' },
{ value: 'tetradic', label: 'Tetradic', desc: 'Four equal 90° steps' },
];
const RIGHT_TABS: { value: RightTab; label: string }[] = [
{ value: 'info', label: 'Info' },
{ value: 'adjust', label: 'Adjust' },
{ value: 'harmony', label: 'Harmony' },
{ value: 'gradient', label: 'Gradient' },
];
const actionBtn =
'flex items-center gap-1 px-2.5 py-1 text-xs glass rounded-md border border-border/30 text-muted-foreground hover:text-primary hover:border-primary/30 hover:bg-primary/10 transition-all disabled:opacity-40 disabled:cursor-not-allowed';
function ColorManipulationContent() {
const searchParams = useSearchParams();
@@ -37,24 +42,23 @@ function ColorManipulationContent() {
return urlColor ? `#${urlColor.replace('#', '')}` : '#ff0099';
});
// Harmony state
const [rightTab, setRightTab] = useState<RightTab>('info');
const [mobileTab, setMobileTab] = useState<MobileTab>('pick');
// Harmony
const [harmonyType, setHarmonyType] = useState<HarmonyType>('complementary');
const [palette, setPalette] = useState<string[]>([]);
const paletteMutation = useGeneratePalette();
// Gradient state
// Gradient
const [stops, setStops] = useState<string[]>(['#ff0099', '#0099ff']);
const [gradientCount, setGradientCount] = useState(10);
const [gradientResult, setGradientResult] = useState<string[]>([]);
const gradientMutation = useGenerateGradient();
const { data, isLoading, isError, error } = useColorInfo({
colors: [color],
});
const { data, isLoading } = useColorInfo({ colors: [color] });
const colorInfo = data?.colors[0];
// Update URL when color changes
useEffect(() => {
const hex = color.replace('#', '');
if (hex.length === 6 || hex.length === 3) {
@@ -64,301 +68,289 @@ function ColorManipulationContent() {
// Sync first gradient stop with active color
useEffect(() => {
const newStops = [...stops];
newStops[0] = color;
setStops(newStops);
setStops((prev) => [color, ...prev.slice(1)]);
}, [color]);
const handleShare = () => {
const url = `${window.location.origin}/color?color=${color.replace('#', '')}`;
navigator.clipboard.writeText(url);
toast.success('Link copied to clipboard!');
navigator.clipboard.writeText(`${window.location.origin}/color?color=${color.replace('#', '')}`);
toast.success('Link copied!');
};
const generateHarmony = async () => {
try {
const result = await paletteMutation.mutateAsync({
base: color,
scheme: harmonyType,
});
const colors = [result.palette.primary, ...result.palette.secondary];
setPalette(colors);
toast.success(`Generated ${harmonyType} harmony palette`);
} catch (error) {
toast.error('Failed to generate harmony palette');
console.error(error);
}
const result = await paletteMutation.mutateAsync({ base: color, scheme: harmonyType });
setPalette([result.palette.primary, ...result.palette.secondary]);
toast.success(`Generated ${harmonyType} palette`);
} catch { toast.error('Failed to generate palette'); }
};
const generateGradient = async () => {
try {
const result = await gradientMutation.mutateAsync({
stops,
count: gradientCount,
});
const result = await gradientMutation.mutateAsync({ stops, count: gradientCount });
setGradientResult(result.gradient);
toast.success(`Generated ${result.gradient.length} colors`);
} catch (error) {
toast.error('Failed to generate gradient');
}
} catch { toast.error('Failed to generate gradient'); }
};
const addStop = () => {
setStops([...stops, '#000000']);
};
const removeStop = (index: number) => {
if (index === 0) return;
if (stops.length > 2) {
setStops(stops.filter((_, i) => i !== index));
}
};
const updateStop = (index: number, colorValue: string) => {
const newStops = [...stops];
newStops[index] = colorValue;
setStops(newStops);
if (index === 0) setColor(colorValue);
};
const harmonyDescriptions: Record<HarmonyType, string> = {
monochromatic: 'Single color with variations',
analogous: 'Colors adjacent on the color wheel (±30°)',
complementary: 'Colors opposite on the color wheel (180°)',
triadic: 'Three colors evenly spaced on the color wheel (120°)',
tetradic: 'Four colors evenly spaced on the color wheel (90°)',
const updateStop = (i: number, v: string) => {
const next = [...stops];
next[i] = v;
setStops(next);
if (i === 0) setColor(v);
};
return (
<div className="space-y-6">
{/* Row 1: Workspace */}
<div className="grid grid-cols-1 lg:grid-cols-3 gap-6 items-stretch">
{/* Main Workspace: Color Picker and Information */}
<div className="lg:col-span-2">
<Card className="h-full">
<CardHeader className="flex flex-row items-center justify-between space-y-0">
<CardTitle>Color Picker</CardTitle>
<Button onClick={handleShare} variant="outline" size="xs">
<Share2 className="h-3 w-3 mr-1" />
Share
</Button>
</CardHeader>
<CardContent>
<div className="flex flex-col md:flex-row gap-8">
<div className="flex-shrink-0 mx-auto md:mx-0">
<ColorPicker color={color} onChange={setColor} />
</div>
<div className="flex flex-col gap-4">
<div className="flex-1 min-w-0">
{isLoading && (
<div className="flex items-center justify-center py-12">
<Loader2 className="h-6 w-6 animate-spin text-muted-foreground" />
</div>
)}
{isError && (
<div className="p-3 bg-destructive/10 text-destructive rounded-lg text-sm">
<p className="font-medium">Error loading color information</p>
<p className="mt-1">{error?.message || 'Unknown error'}</p>
</div>
)}
{colorInfo && <ColorInfo info={colorInfo} />}
</div>
</div>
</CardContent>
</Card>
</div>
{/* Sidebar: Color Manipulation */}
<div className="lg:col-span-1">
<Card className="h-full">
<CardHeader>
<CardTitle>Adjustments</CardTitle>
</CardHeader>
<CardContent>
<ManipulationPanel color={color} onColorChange={setColor} />
</CardContent>
</Card>
</div>
{/* ── Mobile tab switcher ────────────────────────────────── */}
<div className="flex lg:hidden glass rounded-xl p-1 gap-1">
{(['pick', 'explore'] as MobileTab[]).map((t) => (
<button
key={t}
onClick={() => setMobileTab(t)}
className={cn(
'flex-1 py-2.5 rounded-lg text-sm font-medium capitalize transition-all',
mobileTab === t
? 'bg-primary text-primary-foreground shadow-sm'
: 'text-muted-foreground hover:text-foreground'
)}
>
{t === 'pick' ? 'Pick' : 'Explore'}
</button>
))}
</div>
{/* Row 2: Harmony Generator */}
<div className="grid grid-cols-1 lg:grid-cols-3 gap-6 items-stretch">
{/* Harmony Controls */}
<div className="lg:col-span-1">
<Card className="h-full">
<CardHeader>
<CardTitle>Harmony</CardTitle>
</CardHeader>
<CardContent className="space-y-4">
<Select
value={harmonyType}
onValueChange={(value) => setHarmonyType(value as HarmonyType)}
>
<SelectTrigger className="w-full">
<SelectValue placeholder="Select harmony" />
</SelectTrigger>
<SelectContent>
<SelectItem value="monochromatic">Monochromatic</SelectItem>
<SelectItem value="analogous">Analogous</SelectItem>
<SelectItem value="complementary">Complementary</SelectItem>
<SelectItem value="triadic">Triadic</SelectItem>
<SelectItem value="tetradic">Tetradic (Square)</SelectItem>
</SelectContent>
</Select>
{/* ── Main layout ────────────────────────────────────────── */}
<div
className="grid grid-cols-1 lg:grid-cols-5 gap-4"
style={{ height: 'calc(100svh - 220px)', minHeight: '620px' }}
>
<p className="text-xs text-muted-foreground">
{harmonyDescriptions[harmonyType]}
</p>
{/* Left panel: Picker + ColorInfo */}
<div
className={cn(
'lg:col-span-2 flex flex-col gap-3 overflow-hidden',
mobileTab !== 'pick' && 'hidden lg:flex'
)}
>
{/* Color picker card */}
<div className="glass rounded-xl p-4 shrink-0">
<div className="flex items-center justify-between mb-3">
<span className="text-[10px] font-semibold text-muted-foreground uppercase tracking-widest">
Color
</span>
<button onClick={handleShare} className={actionBtn}>
<Share2 className="w-3 h-3" /> Share
</button>
</div>
<ColorPicker color={color} onChange={setColor} />
</div>
<Button
onClick={generateHarmony}
disabled={paletteMutation.isPending}
className="w-full"
>
{paletteMutation.isPending ? (
<>
<Loader2 className="h-3.5 w-3.5 mr-1.5 animate-spin" />
Generating...
</>
) : (
'Generate'
)}
</Button>
</CardContent>
</Card>
</div>
{/* Harmony Results */}
<div className="lg:col-span-2">
<Card className="h-full">
<CardHeader>
<CardTitle>
Palette {palette.length > 0 && <span className="text-muted-foreground font-normal text-sm ml-1">({palette.length})</span>}
</CardTitle>
</CardHeader>
<CardContent>
{palette.length > 0 ? (
<div className="space-y-5">
<PaletteGrid colors={palette} onColorClick={setColor} />
<div className="pt-3 border-t">
<ExportMenu colors={palette} />
</div>
{/* Color info card */}
<div className="glass rounded-xl p-4 flex flex-col flex-1 min-h-0 overflow-hidden">
<span className="text-[10px] font-semibold text-muted-foreground uppercase tracking-widest block mb-3 shrink-0">
Info
</span>
<div className="flex-1 min-h-0 overflow-y-auto scrollbar-thin scrollbar-thumb-primary/20 scrollbar-track-transparent">
{isLoading ? (
<div className="flex justify-center py-8">
<Loader2 className="w-4 w-4 animate-spin text-muted-foreground/40" />
</div>
) : (
<div className="py-8 text-center text-muted-foreground text-xs">
<Palette className="h-8 w-8 mx-auto mb-2 opacity-20" />
<p>Generate a harmony palette from the current color</p>
</div>
)}
</CardContent>
</Card>
</div>
</div>
{/* Row 3: Gradient Generator */}
<div className="grid grid-cols-1 lg:grid-cols-3 gap-6 items-stretch">
{/* Gradient Controls */}
<div className="lg:col-span-1">
<Card className="h-full">
<CardHeader>
<CardTitle>Gradient</CardTitle>
</CardHeader>
<CardContent className="space-y-4">
<div className="space-y-2">
<Label className="text-xs">Color Stops</Label>
{stops.map((stop, index) => (
<div key={index} className="flex items-center gap-2">
<Input
type="color"
value={stop}
onChange={(e) => updateStop(index, e.target.value)}
className="w-9 h-9 p-1 shrink-0 cursor-pointer"
/>
<Input
type="text"
value={stop}
onChange={(e) => updateStop(index, e.target.value)}
className="font-mono text-xs flex-1"
/>
{index !== 0 && stops.length > 2 && (
<Button
variant="ghost"
size="icon-xs"
onClick={() => removeStop(index)}
>
<X className="h-3.5 w-3.5" />
</Button>
)}
</div>
))}
<Button onClick={addStop} variant="outline" className="w-full">
<Plus className="h-3.5 w-3.5 mr-1.5" />
Add Stop
</Button>
</div>
<div className="space-y-2">
<Label className="text-xs">Steps</Label>
<Input
type="number"
min={2}
max={100}
value={gradientCount}
onChange={(e) => setGradientCount(parseInt(e.target.value))}
/>
</div>
<Button
onClick={generateGradient}
disabled={gradientMutation.isPending}
className="w-full"
>
{gradientMutation.isPending ? (
<>
<Loader2 className="h-3.5 w-3.5 mr-1.5 animate-spin" />
Generating...
</>
) : (
'Generate'
)}
</Button>
</CardContent>
</Card>
) : colorInfo ? (
<ColorInfo info={colorInfo} />
) : null}
</div>
</div>
</div>
{/* Gradient Results */}
<div className="lg:col-span-2">
<Card className="h-full">
<CardHeader>
<CardTitle>
Gradient {gradientResult.length > 0 && <span className="text-muted-foreground font-normal text-sm ml-1">({gradientResult.length})</span>}
</CardTitle>
</CardHeader>
<CardContent>
{gradientResult.length > 0 ? (
<div className="space-y-5">
{/* Right panel: tabbed tools */}
<div
className={cn(
'lg:col-span-3 flex flex-col overflow-hidden',
mobileTab !== 'explore' && 'hidden lg:flex'
)}
>
<div className="glass rounded-xl p-4 flex flex-col flex-1 min-h-0 overflow-hidden">
{/* Tab switcher */}
<div className="flex glass rounded-lg p-0.5 gap-0.5 mb-4 shrink-0">
{RIGHT_TABS.map(({ value, label }) => (
<button
key={value}
onClick={() => setRightTab(value)}
className={cn(
'flex-1 py-1.5 rounded-md text-xs font-medium transition-all',
rightTab === value
? 'bg-primary text-primary-foreground shadow-sm'
: 'text-muted-foreground hover:text-foreground'
)}
>
{label}
</button>
))}
</div>
{/* Tab content */}
<div className="flex-1 min-h-0 overflow-y-auto scrollbar-thin scrollbar-thumb-primary/20 scrollbar-track-transparent pr-0.5">
{/* ── Info tab ─────────────────────────────── */}
{rightTab === 'info' && (
<div className="space-y-3">
{/* Large color preview */}
<div
className="h-16 w-full rounded-lg border"
style={{
background: `linear-gradient(to right, ${gradientResult.join(', ')})`,
}}
className="w-full rounded-xl border border-white/8 transition-colors duration-300"
style={{ height: '140px', background: color }}
/>
<PaletteGrid colors={gradientResult} onColorClick={setColor} />
<div className="pt-3 border-t">
<ExportMenu colors={gradientResult} />
</div>
</div>
) : (
<div className="py-8 text-center text-muted-foreground text-xs">
<Layers className="h-8 w-8 mx-auto mb-2 opacity-20" />
<p>Add color stops and generate a smooth gradient</p>
{isLoading ? (
<div className="flex justify-center py-6">
<Loader2 className="w-5 h-5 animate-spin text-muted-foreground/40" />
</div>
) : colorInfo ? (
<ColorInfo info={colorInfo} />
) : null}
</div>
)}
</CardContent>
</Card>
{/* ── Adjust tab ───────────────────────────── */}
{rightTab === 'adjust' && (
<ManipulationPanel color={color} onColorChange={setColor} />
)}
{/* ── Harmony tab ──────────────────────────── */}
{rightTab === 'harmony' && (
<div className="space-y-4">
{/* Scheme selector */}
<div className="space-y-2">
<span className="text-[10px] font-semibold text-muted-foreground uppercase tracking-widest">
Scheme
</span>
<div className="flex flex-wrap gap-1.5">
{HARMONY_OPTS.map((opt) => (
<button
key={opt.value}
onClick={() => setHarmonyType(opt.value)}
className={cn(
'px-2.5 py-1 rounded-lg border text-xs font-mono transition-all',
harmonyType === opt.value
? 'bg-primary/10 border-primary/40 text-primary'
: 'border-border/30 text-muted-foreground hover:border-primary/30 hover:text-foreground'
)}
>
{opt.label}
</button>
))}
</div>
<p className="text-[10px] text-muted-foreground/50 font-mono">
{HARMONY_OPTS.find((o) => o.value === harmonyType)?.desc}
</p>
</div>
<button
onClick={generateHarmony}
disabled={paletteMutation.isPending}
className={cn(actionBtn, 'w-full justify-center py-2')}
>
{paletteMutation.isPending
? <><Loader2 className="w-3 h-3 animate-spin" /> Generating</>
: <><Palette className="w-3 h-3" /> Generate Palette</>
}
</button>
{palette.length > 0 && (
<div className="space-y-4">
<PaletteGrid colors={palette} onColorClick={setColor} />
<div className="border-t border-border/25 pt-4">
<ExportMenu colors={palette} />
</div>
</div>
)}
</div>
)}
{/* ── Gradient tab ─────────────────────────── */}
{rightTab === 'gradient' && (
<div className="space-y-4">
{/* Color stops */}
<div className="space-y-2">
<span className="text-[10px] font-semibold text-muted-foreground uppercase tracking-widest">
Stops
</span>
{stops.map((stop, i) => (
<div key={i} className="flex items-center gap-2">
<input
type="color"
value={stop}
onChange={(e) => updateStop(i, e.target.value)}
className="w-8 h-8 rounded-lg cursor-pointer border border-border/40 bg-transparent shrink-0 p-0.5"
/>
<input
type="text"
value={stop}
onChange={(e) => updateStop(i, e.target.value)}
className="flex-1 bg-transparent border border-border/40 rounded-lg px-2.5 py-1.5 text-xs font-mono outline-none focus:border-primary/50 transition-colors"
/>
{i !== 0 && stops.length > 2 && (
<button
onClick={() => setStops(stops.filter((_, idx) => idx !== i))}
className="shrink-0 text-muted-foreground/35 hover:text-destructive transition-colors"
>
<X className="w-3.5 h-3.5" />
</button>
)}
</div>
))}
<button
onClick={() => setStops([...stops, '#000000'])}
className="w-full py-1.5 rounded-lg border border-dashed border-border/30 text-xs text-muted-foreground/40 hover:text-foreground hover:border-primary/30 transition-all flex items-center justify-center gap-1"
>
<Plus className="w-3 h-3" /> Add stop
</button>
</div>
{/* Steps */}
<div className="flex items-center gap-3">
<span className="text-[10px] font-semibold text-muted-foreground uppercase tracking-widest shrink-0">
Steps
</span>
<input
type="number"
min={2}
max={100}
value={gradientCount}
onChange={(e) => setGradientCount(parseInt(e.target.value))}
className="w-20 bg-transparent border border-border/40 rounded-lg px-2.5 py-1.5 text-xs font-mono text-center outline-none focus:border-primary/50 transition-colors"
/>
</div>
<button
onClick={generateGradient}
disabled={gradientMutation.isPending}
className={cn(actionBtn, 'w-full justify-center py-2')}
>
{gradientMutation.isPending
? <><Loader2 className="w-3 h-3 animate-spin" /> Generating</>
: <><Layers className="w-3 h-3" /> Generate Gradient</>
}
</button>
{gradientResult.length > 0 && (
<div className="space-y-4">
{/* Gradient preview bar */}
<div
className="h-12 w-full rounded-xl border border-white/8"
style={{ background: `linear-gradient(to right, ${gradientResult.join(', ')})` }}
/>
<PaletteGrid colors={gradientResult} onColorClick={setColor} />
<div className="border-t border-border/25 pt-4">
<ExportMenu colors={gradientResult} />
</div>
</div>
)}
</div>
)}
</div>
</div>
</div>
</div>
</div>
@@ -369,7 +361,7 @@ export function ColorManipulation() {
return (
<Suspense fallback={
<div className="flex items-center justify-center py-12">
<Loader2 className="h-8 w-8 animate-spin text-muted-foreground" />
<Loader2 className="h-8 w-8 animate-spin text-muted-foreground/40" />
</div>
}>
<ColorManipulationContent />