Files
caddy-proxy-manager/app/(auth)/link-account/LinkAccountClient.tsx
fuomag9 3a16d6e9b1 Replace next-auth with Better Auth, migrate DB columns to camelCase
- Replace next-auth v5 beta with better-auth v1.6.2 (stable releases)
- Add multi-provider OAuth support with admin UI configuration
- New oauthProviders table with encrypted secrets (AES-256-GCM)
- Env var bootstrap (OAUTH_*) syncs to DB, UI-created providers fully editable
- OAuth provider REST API: GET/POST/PUT/DELETE /api/v1/oauth-providers
- Settings page "Authentication Providers" section for admin management
- Account linking uses new accounts table (multi-provider per user)
- Username plugin for credentials sign-in (replaces email@localhost pattern)
- bcrypt password compatibility (existing hashes work)
- Database-backed sessions via Kysely adapter (bun:sqlite direct)
- Configurable rate limiting via AUTH_RATE_LIMIT_* env vars
- All DB columns migrated from snake_case to camelCase
- All TypeScript types/models migrated to camelCase properties
- Removed casing: "snake_case" from Drizzle config
- Callback URL format: {baseUrl}/api/auth/oauth2/callback/{providerId}
- package-lock.json removed and gitignored (using bun.lock)

Co-Authored-By: Claude Opus 4.6 (1M context) <noreply@anthropic.com>
2026-04-12 21:11:48 +02:00

123 lines
3.7 KiB
TypeScript

"use client";
import { useState, FormEvent } from "react";
import { useRouter } from "next/navigation";
import { authClient } from "@/src/lib/auth-client";
import { Button } from "@/components/ui/button";
import { Input } from "@/components/ui/input";
import { Label } from "@/components/ui/label";
import { Card, CardContent, CardDescription, CardHeader, CardTitle } from "@/components/ui/card";
import { Alert, AlertDescription } from "@/components/ui/alert";
interface LinkAccountClientProps {
provider: string;
email: string;
linkingId: string;
}
export default function LinkAccountClient({
provider,
email,
linkingId
}: LinkAccountClientProps) {
const router = useRouter();
const [password, setPassword] = useState("");
const [error, setError] = useState<string | null>(null);
const [loading, setLoading] = useState(false);
const handleLinkAccount = async (event: FormEvent) => {
event.preventDefault();
setError(null);
setLoading(true);
try {
const response = await fetch("/api/auth/link-account", {
method: "POST",
headers: { "Content-Type": "application/json" },
body: JSON.stringify({ linkingId, password })
});
const data = await response.json();
if (!response.ok) {
setError(data.error || "Failed to link account");
setLoading(false);
return;
}
await authClient.signIn.social({ provider, callbackURL: "/" });
} catch {
setError("An error occurred while linking your account");
setLoading(false);
}
};
const handleUsePassword = () => {
router.push("/login");
};
const providerName = provider.charAt(0).toUpperCase() + provider.slice(1);
return (
<div className="min-h-screen flex items-center justify-center bg-background px-4">
<Card className="w-full max-w-sm">
<CardHeader className="text-center space-y-1">
<CardTitle className="text-2xl font-bold">Link Your Account</CardTitle>
<CardDescription>
An account with <strong>{email}</strong> already exists
</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<p className="text-sm text-muted-foreground text-center">
Would you like to link your <strong>{providerName}</strong> account to your existing
account? Enter your password to confirm.
</p>
{error && (
<Alert variant="destructive">
<AlertDescription>{error}</AlertDescription>
</Alert>
)}
<form onSubmit={handleLinkAccount} className="space-y-3">
<div className="space-y-1.5">
<Label htmlFor="password">Password</Label>
<Input
id="password"
type="password"
value={password}
onChange={(e) => setPassword(e.target.value)}
required
autoComplete="current-password"
autoFocus
disabled={loading}
/>
</div>
<Button type="submit" className="w-full" disabled={loading}>
{loading ? (
<>
<span className="h-4 w-4 animate-spin rounded-full border-2 border-current border-t-transparent mr-2" />
Linking Account
</>
) : (
"Link Account"
)}
</Button>
<Button
type="button"
variant="outline"
className="w-full"
onClick={handleUsePassword}
disabled={loading}
>
Sign in with Password Instead
</Button>
</form>
</CardContent>
</Card>
</div>
);
}