112 lines
3.1 KiB
TypeScript
112 lines
3.1 KiB
TypeScript
"use client";
|
|
|
|
import { useState } from "react";
|
|
import { Input } from "../../component/ui/input";
|
|
import { Button } from "../../component/ui/button";
|
|
import Link from "next/link";
|
|
|
|
export default function RegisterPage() {
|
|
const [isLoading, setIsLoading] = useState(false);
|
|
const [error, setError] = useState("");
|
|
|
|
const handleSubmit = async (e: React.FormEvent<HTMLFormElement>) => {
|
|
e.preventDefault();
|
|
setIsLoading(true);
|
|
setError("");
|
|
|
|
const formData = new FormData(e.currentTarget);
|
|
const email = formData.get("email");
|
|
const password = formData.get("password");
|
|
const firstName = formData.get("firstName");
|
|
const lastName = formData.get("lastName");
|
|
|
|
try {
|
|
const response = await fetch("http://localhost:3000/api/auth/register", {
|
|
method: "POST",
|
|
headers: {
|
|
"Content-Type": "application/json",
|
|
},
|
|
body: JSON.stringify({ email, password, firstName, lastName }),
|
|
});
|
|
|
|
if (!response.ok) {
|
|
throw new Error("Registration failed");
|
|
}
|
|
|
|
const data = await response.json();
|
|
localStorage.setItem("token", data.access_token);
|
|
window.location.href = "/dashboard";
|
|
} catch (err) {
|
|
setError("Registration failed. Please try again.");
|
|
} finally {
|
|
setIsLoading(false);
|
|
}
|
|
};
|
|
|
|
return (
|
|
<div className="min-h-screen flex items-center justify-center px-4">
|
|
<div className="w-full max-w-md space-y-8">
|
|
<div className="text-center">
|
|
<h2 className="text-3xl font-bold">Create an account</h2>
|
|
<p className="mt-2 text-gray-600 dark:text-gray-400">
|
|
Get started with your account
|
|
</p>
|
|
</div>
|
|
|
|
<form onSubmit={handleSubmit} className="mt-8 space-y-6">
|
|
{error && (
|
|
<div className="p-3 text-sm text-red-500 bg-red-100 rounded-lg dark:bg-red-900/30">
|
|
{error}
|
|
</div>
|
|
)}
|
|
|
|
<div className="grid grid-cols-2 gap-4">
|
|
<Input
|
|
label="First name"
|
|
name="firstName"
|
|
required
|
|
placeholder="Enter your first name"
|
|
/>
|
|
<Input
|
|
label="Last name"
|
|
name="lastName"
|
|
required
|
|
placeholder="Enter your last name"
|
|
/>
|
|
</div>
|
|
|
|
<Input
|
|
label="Email address"
|
|
name="email"
|
|
type="email"
|
|
required
|
|
placeholder="Enter your email"
|
|
/>
|
|
|
|
<Input
|
|
label="Password"
|
|
name="password"
|
|
type="password"
|
|
required
|
|
placeholder="Create a password"
|
|
/>
|
|
|
|
<Button type="submit" isLoading={isLoading}>
|
|
Create account
|
|
</Button>
|
|
|
|
<p className="text-center text-sm text-gray-600 dark:text-gray-400">
|
|
Already have an account?{" "}
|
|
<Link
|
|
href="/login"
|
|
className="font-medium text-blue-600 hover:text-blue-500 dark:text-blue-400"
|
|
>
|
|
Sign in
|
|
</Link>
|
|
</p>
|
|
</form>
|
|
</div>
|
|
</div>
|
|
);
|
|
}
|