Files
CatsOfMastodonGo-Admin/src/components/LoginPage.tsx
2025-05-25 15:02:14 +03:30

101 lines
2.9 KiB
TypeScript

import React, { useState } from 'react';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Card, CardContent, CardHeader, CardTitle } from '@/components/ui/card';
import { toast } from '@/hooks/use-toast';
import { Lock } from 'lucide-react';
interface LoginPageProps {
onLogin: (token: string) => void;
}
const LoginPage = ({ onLogin }: LoginPageProps) => {
const [password, setPassword] = useState('');
const [isLoading, setIsLoading] = useState(false);
const handleLogin = async (e: React.FormEvent) => {
e.preventDefault();
if (!password.trim()) {
toast({
title: "Error",
description: "Please enter a password",
variant: "destructive",
});
return;
}
setIsLoading(true);
try {
const response = await fetch('/admin/api/login', {
method: 'POST',
headers: {
'Content-Type': 'application/json',
},
body: JSON.stringify({ Password: password }),
});
const data = await response.json();
if (response.ok && data.token) {
toast({
title: "Success",
description: data.message || "Login successful",
});
onLogin(data.token);
} else {
toast({
title: "Error",
description: data.message || "Login failed",
variant: "destructive",
});
}
} catch (error) {
toast({
title: "Error",
description: "Network error. Please try again.",
variant: "destructive",
});
} finally {
setIsLoading(false);
}
};
return (
<div className="min-h-screen flex items-center justify-center bg-gradient-to-br from-slate-50 to-slate-100">
<Card className="w-full max-w-md shadow-lg">
<CardHeader className="text-center pb-4">
<div className="mx-auto w-12 h-12 bg-slate-100 rounded-full flex items-center justify-center mb-4">
<Lock className="w-6 h-6 text-slate-600" />
</div>
<CardTitle className="text-2xl font-semibold text-slate-800">Admin Login</CardTitle>
</CardHeader>
<CardContent>
<form onSubmit={handleLogin} className="space-y-6">
<div className="space-y-2">
<Input
type="password"
placeholder="Enter admin password"
value={password}
onChange={(e) => setPassword(e.target.value)}
className="h-12"
disabled={isLoading}
/>
</div>
<Button
type="submit"
className="w-full h-12 text-base"
disabled={isLoading}
>
{isLoading ? "Signing in..." : "Sign In"}
</Button>
</form>
</CardContent>
</Card>
</div>
);
};
export default LoginPage;