mirror of
https://github.com/linsa-io/linsa.git
synced 2026-01-12 12:20:23 +01:00
755 lines
25 KiB
TypeScript
755 lines
25 KiB
TypeScript
import { useEffect, useMemo, useState, type FormEvent, type ReactNode } from "react"
|
|
import { createFileRoute } from "@tanstack/react-router"
|
|
import { authClient } from "@/lib/auth-client"
|
|
import SettingsPanel from "@/components/Settings-panel"
|
|
import {
|
|
Check,
|
|
ChevronDown,
|
|
LogOut,
|
|
Sparkles,
|
|
UserRoundPen,
|
|
Lock,
|
|
MessageCircle,
|
|
HelpCircle,
|
|
} from "lucide-react"
|
|
|
|
type SectionId = "preferences" | "profile" | "billing"
|
|
|
|
const PLAN_CARD_NOISE =
|
|
"data:image/svg+xml,%3Csvg xmlns='http://www.w3.org/2000/svg' width='160' height='160' viewBox='0 0 160 160'%3E%3Cfilter id='n'%3E%3CfeTurbulence type='fractalNoise' baseFrequency='0.8' numOctaves='4' stitchTiles='stitch'/%3E%3C/filter%3E%3Crect width='160' height='160' filter='url(%23n)' opacity='0.18'/%3E%3C/svg%3E"
|
|
|
|
export const Route = createFileRoute("/settings")({
|
|
component: SettingsPage,
|
|
ssr: false,
|
|
})
|
|
|
|
type Option = { value: string; label: string }
|
|
|
|
function InlineSelect({
|
|
value,
|
|
options,
|
|
onChange,
|
|
}: {
|
|
value: string
|
|
options: Option[]
|
|
onChange: (value: string) => void
|
|
}) {
|
|
return (
|
|
<div className="relative">
|
|
<select
|
|
value={value}
|
|
onChange={(e) => onChange(e.target.value)}
|
|
className="appearance-none bg-white/5 border border-white/10 text-white text-sm pl-3 pr-8 py-2 rounded-xl focus:outline-none focus:ring-2 focus:ring-teal-500"
|
|
>
|
|
{options.map((option) => (
|
|
<option key={option.value} value={option.value}>
|
|
{option.label}
|
|
</option>
|
|
))}
|
|
</select>
|
|
<ChevronDown className="absolute right-2 top-1/2 -translate-y-1/2 w-4 h-4 text-slate-400 pointer-events-none" />
|
|
</div>
|
|
)
|
|
}
|
|
|
|
function ToggleSwitch({
|
|
checked,
|
|
onChange,
|
|
}: {
|
|
checked: boolean
|
|
onChange: (next: boolean) => void
|
|
}) {
|
|
return (
|
|
<button
|
|
type="button"
|
|
onClick={() => onChange(!checked)}
|
|
className={`w-11 h-6 rounded-full transition-colors duration-200 relative ${
|
|
checked ? "bg-teal-500" : "bg-white/10"
|
|
}`}
|
|
>
|
|
<span
|
|
className={`absolute top-[3px] left-[3px] h-5 w-5 rounded-full bg-white shadow transition-transform duration-200 ${
|
|
checked ? "translate-x-[22px]" : "translate-x-0"
|
|
}`}
|
|
/>
|
|
</button>
|
|
)
|
|
}
|
|
|
|
function SettingRow({
|
|
title,
|
|
description,
|
|
control,
|
|
}: {
|
|
title: string
|
|
description: string
|
|
control?: ReactNode
|
|
}) {
|
|
return (
|
|
<div className="flex items-center justify-between gap-4 py-3">
|
|
<div className="flex-1 flex flex-col gap-2 min-w-0">
|
|
<p className="text-sm font-medium text-white">{title}</p>
|
|
<p className="text-xs text-white/70 mt-0.5">{description}</p>
|
|
</div>
|
|
{control ? <div className="shrink-0">{control}</div> : null}
|
|
</div>
|
|
)
|
|
}
|
|
|
|
function SettingCard({
|
|
title,
|
|
children,
|
|
}: {
|
|
title: string
|
|
children: ReactNode
|
|
}) {
|
|
return (
|
|
<div className="bg-[#0c0f18] border border-white/5 rounded-2xl p-5 shadow-[0_12px_40px_-24px_rgba(0,0,0,0.7)]">
|
|
<h3 className="text-md font-semibold text-white mb-3">{title}</h3>
|
|
<div className="divide-y divide-white/5">{children}</div>
|
|
</div>
|
|
)
|
|
}
|
|
|
|
function Modal({
|
|
title,
|
|
description,
|
|
onClose,
|
|
children,
|
|
}: {
|
|
title: string
|
|
description?: string
|
|
onClose: () => void
|
|
children: ReactNode
|
|
}) {
|
|
return (
|
|
<div
|
|
className="fixed inset-0 z-50 grid place-items-center bg-black/30 backdrop-blur-sm"
|
|
onClick={onClose}
|
|
>
|
|
<div
|
|
className="relative p-8 bg-[#0c0f18] max-w-xl mx-auto flex flex-col gap-2 border border-white/10 rounded-2xl shadow-[0_16px_60px_rgba(0,0,0,0.6)] w-full animate-in fade-in-0 zoom-in-95 duration-300"
|
|
onClickCapture={(e) => e.stopPropagation()}
|
|
>
|
|
<h3 className="text-lg font-semibold text-white">{title}</h3>
|
|
{description ? (
|
|
<p className="text-md text-white/85 font-medium mt-1">
|
|
{description}
|
|
</p>
|
|
) : null}
|
|
<div className="mt-4 space-y-4">{children}</div>
|
|
</div>
|
|
</div>
|
|
)
|
|
}
|
|
|
|
function SectionHeader({
|
|
title,
|
|
description,
|
|
}: {
|
|
title: string
|
|
description?: string
|
|
}) {
|
|
return (
|
|
<div className="mb-4">
|
|
<h2 className="text-xl font-semibold text-white">{title}</h2>
|
|
{description ? (
|
|
<p className="text-sm text-white/70 mt-1">{description}</p>
|
|
) : null}
|
|
</div>
|
|
)
|
|
}
|
|
|
|
function PreferencesSection() {
|
|
const [homeView, setHomeView] = useState("Active issues")
|
|
const [displayFullNames, setDisplayFullNames] = useState(false)
|
|
const [firstDay, setFirstDay] = useState("Sunday")
|
|
const [convertEmojis, setConvertEmojis] = useState(true)
|
|
const [sidebar, setSidebar] = useState("Customize")
|
|
const [fontSize, setFontSize] = useState("Default")
|
|
const [pointerCursor, setPointerCursor] = useState(false)
|
|
const [theme, setTheme] = useState("System preference")
|
|
const [lightTheme, setLightTheme] = useState("Light")
|
|
const [darkTheme, setDarkTheme] = useState("Dark")
|
|
|
|
return (
|
|
<div id="preferences" className="scroll-mt-24">
|
|
<SectionHeader
|
|
title="Preferences"
|
|
description="Tune how your workspace looks and behaves."
|
|
/>
|
|
<div className="space-y-5">
|
|
<SettingCard title="General">
|
|
<SettingRow
|
|
title="Default home view"
|
|
description="Choose what opens first when you launch the app."
|
|
control={
|
|
<InlineSelect
|
|
value={homeView}
|
|
options={[
|
|
{ value: "Active issues", label: "Active issues" },
|
|
{ value: "All issues", label: "All issues" },
|
|
{ value: "My tasks", label: "My tasks" },
|
|
]}
|
|
onChange={setHomeView}
|
|
/>
|
|
}
|
|
/>
|
|
<SettingRow
|
|
title="Display full names"
|
|
description="Show full names instead of short handles."
|
|
control={
|
|
<ToggleSwitch
|
|
checked={displayFullNames}
|
|
onChange={setDisplayFullNames}
|
|
/>
|
|
}
|
|
/>
|
|
<SettingRow
|
|
title="First day of the week"
|
|
description="Used across date pickers."
|
|
control={
|
|
<InlineSelect
|
|
value={firstDay}
|
|
options={[
|
|
{ value: "Sunday", label: "Sunday" },
|
|
{ value: "Monday", label: "Monday" },
|
|
]}
|
|
onChange={setFirstDay}
|
|
/>
|
|
}
|
|
/>
|
|
<SettingRow
|
|
title="Convert emoticons to emoji"
|
|
description="Strings like :) will be rendered as emoji."
|
|
control={
|
|
<ToggleSwitch
|
|
checked={convertEmojis}
|
|
onChange={setConvertEmojis}
|
|
/>
|
|
}
|
|
/>
|
|
</SettingCard>
|
|
|
|
<SettingCard title="Appearance">
|
|
<SettingRow
|
|
title="Interface theme"
|
|
description="Select or customize your color scheme."
|
|
control={
|
|
<InlineSelect
|
|
value={theme}
|
|
options={[
|
|
{ value: "System preference", label: "System preference" },
|
|
{ value: "Light", label: "Light" },
|
|
{ value: "Dark", label: "Dark" },
|
|
]}
|
|
onChange={setTheme}
|
|
/>
|
|
}
|
|
/>
|
|
<SettingRow
|
|
title="Font size"
|
|
description="Adjust text size across the app."
|
|
control={
|
|
<InlineSelect
|
|
value={fontSize}
|
|
options={[
|
|
{ value: "Default", label: "Default" },
|
|
{ value: "Large", label: "Large" },
|
|
{ value: "Compact", label: "Compact" },
|
|
]}
|
|
onChange={setFontSize}
|
|
/>
|
|
}
|
|
/>
|
|
</SettingCard>
|
|
</div>
|
|
</div>
|
|
)
|
|
}
|
|
|
|
function ProfileSection({
|
|
profile,
|
|
onLogout,
|
|
onChangeEmail,
|
|
onChangePassword,
|
|
}: {
|
|
profile: { name?: string | null; email: string; username?: string | null } | null | undefined
|
|
onLogout: () => Promise<void>
|
|
onChangeEmail: () => void
|
|
onChangePassword: () => void
|
|
}) {
|
|
const [username, setUsername] = useState(profile?.username ?? "")
|
|
const [name, setName] = useState(profile?.name ?? "")
|
|
const [saving, setSaving] = useState(false)
|
|
const [error, setError] = useState<string | null>(null)
|
|
const [saved, setSaved] = useState(false)
|
|
|
|
const initials = useMemo(() => {
|
|
if (!profile) return "G"
|
|
return (
|
|
profile.name?.slice(0, 1) ??
|
|
profile.email?.slice(0, 1)?.toUpperCase() ??
|
|
"G"
|
|
)
|
|
}, [profile])
|
|
|
|
const handleSaveProfile = async () => {
|
|
setSaving(true)
|
|
setError(null)
|
|
setSaved(false)
|
|
try {
|
|
const res = await fetch("/api/profile", {
|
|
method: "PUT",
|
|
headers: { "Content-Type": "application/json" },
|
|
credentials: "include",
|
|
body: JSON.stringify({ name, username: username.toLowerCase() }),
|
|
})
|
|
const data = await res.json()
|
|
if (!res.ok) {
|
|
setError(data.error || "Failed to save")
|
|
} else {
|
|
setSaved(true)
|
|
setTimeout(() => setSaved(false), 2000)
|
|
}
|
|
} catch {
|
|
setError("Network error")
|
|
} finally {
|
|
setSaving(false)
|
|
}
|
|
}
|
|
|
|
const hasChanges = username !== (profile?.username ?? "") || name !== (profile?.name ?? "")
|
|
|
|
return (
|
|
<div id="profile" className="scroll-mt-24">
|
|
<SectionHeader
|
|
title="Profile"
|
|
description="Manage your account details and security."
|
|
/>
|
|
<div className="space-y-5">
|
|
<SettingCard title="Account">
|
|
<div className="flex items-center gap-4 py-2">
|
|
<div className="w-11 h-11 rounded-full bg-white/10 grid place-items-center text-lg font-semibold text-white">
|
|
{initials}
|
|
</div>
|
|
<div className="flex-1">
|
|
<p className="text-md text-white font-semibold">
|
|
{profile?.name ?? "Guest user"}
|
|
</p>
|
|
<p className="text-md text-white/85">{profile?.email ?? "-"}</p>
|
|
</div>
|
|
<button
|
|
type="button"
|
|
onClick={onChangeEmail}
|
|
className="inline-flex items-center gap-2 text-sm bg-white/5 hover:bg-white/10 text-white px-3 py-2 rounded-lg border border-white/10 transition-colors"
|
|
>
|
|
<UserRoundPen className="w-4 h-4" />
|
|
Change email
|
|
</button>
|
|
</div>
|
|
</SettingCard>
|
|
|
|
<SettingCard title="Public Profile">
|
|
<div className="space-y-4">
|
|
<div className="space-y-2">
|
|
<label className="text-sm text-white/70">Display Name</label>
|
|
<input
|
|
type="text"
|
|
value={name}
|
|
onChange={(e) => setName(e.target.value)}
|
|
placeholder="Your name"
|
|
className="w-full bg-white/5 border border-white/10 rounded-lg px-3 py-2 text-white placeholder:text-slate-500 focus:outline-none focus:ring-2 focus:ring-teal-500"
|
|
/>
|
|
</div>
|
|
<div className="space-y-2">
|
|
<label className="text-sm text-white/70">Username</label>
|
|
<div className="flex items-center gap-2">
|
|
<span className="text-white/50">linsa.io/</span>
|
|
<input
|
|
type="text"
|
|
value={username}
|
|
onChange={(e) => setUsername(e.target.value.toLowerCase().replace(/[^a-z0-9_-]/g, ""))}
|
|
placeholder="username"
|
|
className="flex-1 bg-white/5 border border-white/10 rounded-lg px-3 py-2 text-white placeholder:text-slate-500 focus:outline-none focus:ring-2 focus:ring-teal-500"
|
|
/>
|
|
</div>
|
|
<p className="text-xs text-white/50">
|
|
This is your public stream URL. Only lowercase letters, numbers, hyphens, and underscores.
|
|
</p>
|
|
</div>
|
|
{error && <p className="text-sm text-rose-400">{error}</p>}
|
|
<div className="flex justify-end gap-2">
|
|
{saved && <span className="text-sm text-teal-400 flex items-center gap-1"><Check className="w-4 h-4" /> Saved</span>}
|
|
<button
|
|
type="button"
|
|
onClick={handleSaveProfile}
|
|
disabled={saving || !hasChanges}
|
|
className="px-4 py-2 rounded-lg text-sm font-semibold text-white bg-teal-600 hover:bg-teal-500 disabled:opacity-50 disabled:cursor-not-allowed transition-colors"
|
|
>
|
|
{saving ? "Saving..." : "Save Profile"}
|
|
</button>
|
|
</div>
|
|
</div>
|
|
</SettingCard>
|
|
|
|
<SettingCard title="Password">
|
|
<SettingRow
|
|
title="Password"
|
|
description="Change your password."
|
|
control={
|
|
<button
|
|
type="button"
|
|
onClick={onChangePassword}
|
|
className="text-sm flex items-center gap-2 bg-white/5 hover:bg-white/10 text-white px-3 py-2 rounded-lg border border-white/10 transition-colors"
|
|
>
|
|
<Lock className="w-4 h-4" />
|
|
Change
|
|
</button>
|
|
}
|
|
/>
|
|
</SettingCard>
|
|
|
|
<SettingCard title="Workspace access">
|
|
<div className="flex items-start justify-between">
|
|
<div className="flex flex-col gap-2 text-sm text-white/70">
|
|
<p className="font-medium text-white">Sign out</p>
|
|
<p className="text-xs text-white/70">
|
|
Revoke access on this device.
|
|
</p>
|
|
</div>
|
|
<button
|
|
type="button"
|
|
onClick={onLogout}
|
|
className="inline-flex items-center gap-2 text-sm font-medium text-rose-600 hover:bg-rose-600/10 hover:text-rose-500 rounded-lg px-4 py-2 cursor-pointer transition-colors"
|
|
>
|
|
<LogOut className="w-4 h-4" />
|
|
Leave
|
|
</button>
|
|
</div>
|
|
</SettingCard>
|
|
|
|
<SettingCard title="Support">
|
|
<div className="flex items-start justify-between py-2">
|
|
<div className="flex flex-col gap-2">
|
|
<p className="font-medium text-white">Get help</p>
|
|
<p className="text-xs text-white/70">
|
|
Join our Discord community or contact support.
|
|
</p>
|
|
</div>
|
|
<div className="flex items-center gap-2">
|
|
<a
|
|
href="https://discord.com/invite/bxtD8x6aNF"
|
|
target="_blank"
|
|
rel="noopener noreferrer"
|
|
className="inline-flex items-center gap-2 text-sm bg-white/5 hover:bg-white/10 text-white px-3 py-2 rounded-lg border border-white/10 transition-colors"
|
|
>
|
|
<MessageCircle className="w-4 h-4" />
|
|
Discord
|
|
</a>
|
|
<a
|
|
href="mailto:support@linsa.io"
|
|
className="inline-flex items-center gap-2 text-sm bg-white/5 hover:bg-white/10 text-white px-3 py-2 rounded-lg border border-white/10 transition-colors"
|
|
>
|
|
<HelpCircle className="w-4 h-4" />
|
|
Support
|
|
</a>
|
|
</div>
|
|
</div>
|
|
</SettingCard>
|
|
</div>
|
|
</div>
|
|
)
|
|
}
|
|
|
|
function BillingSection() {
|
|
const [isSubscribed, setIsSubscribed] = useState(false)
|
|
const [loading, setLoading] = useState(true)
|
|
const [subscribing, setSubscribing] = useState(false)
|
|
|
|
useEffect(() => {
|
|
const checkSubscription = async () => {
|
|
try {
|
|
const res = await fetch("/api/stripe/billing", { credentials: "include" })
|
|
if (res.ok) {
|
|
const data = await res.json()
|
|
setIsSubscribed(data.hasActiveSubscription)
|
|
}
|
|
} catch {
|
|
// Ignore errors
|
|
} finally {
|
|
setLoading(false)
|
|
}
|
|
}
|
|
checkSubscription()
|
|
}, [])
|
|
|
|
const handleSubscribe = async () => {
|
|
setSubscribing(true)
|
|
try {
|
|
const res = await fetch("/api/stripe/checkout", {
|
|
method: "POST",
|
|
credentials: "include",
|
|
})
|
|
const data = await res.json()
|
|
if (data.url) {
|
|
window.location.href = data.url
|
|
}
|
|
} catch (err) {
|
|
console.error("Failed to start checkout:", err)
|
|
} finally {
|
|
setSubscribing(false)
|
|
}
|
|
}
|
|
|
|
const handleManageBilling = async () => {
|
|
try {
|
|
const res = await fetch("/api/stripe/portal", {
|
|
method: "POST",
|
|
credentials: "include",
|
|
})
|
|
const data = await res.json()
|
|
if (data.url) {
|
|
window.location.href = data.url
|
|
}
|
|
} catch (err) {
|
|
console.error("Failed to open billing portal:", err)
|
|
}
|
|
}
|
|
|
|
return (
|
|
<div id="billing" className="scroll-mt-24 mx-auto">
|
|
<SectionHeader
|
|
title="Subscription"
|
|
description="Manage your Linsa Pro subscription."
|
|
/>
|
|
|
|
<div className="max-w-xl">
|
|
{/* Plan Card */}
|
|
<div
|
|
className="rounded-3xl p-6 border border-white/10 relative overflow-hidden"
|
|
style={{
|
|
backgroundImage: `url("${PLAN_CARD_NOISE}")`,
|
|
background: "linear-gradient(135deg, #1a1a2e 0%, #16213e 50%, #0f3460 100%)",
|
|
backgroundBlendMode: "overlay, normal",
|
|
}}
|
|
>
|
|
{isSubscribed && (
|
|
<span className="absolute top-4 right-4 text-xs px-3 py-1 rounded-full bg-teal-500/20 text-teal-400 border border-teal-500/30">
|
|
Active
|
|
</span>
|
|
)}
|
|
|
|
<div className="flex items-center gap-3 mb-4">
|
|
<Sparkles className="w-6 h-6 text-teal-400" />
|
|
<h3 className="text-2xl font-bold text-white">Linsa Pro</h3>
|
|
</div>
|
|
|
|
<div className="flex items-baseline gap-1 mb-6">
|
|
<span className="text-4xl font-bold text-white">$8</span>
|
|
<span className="text-white/60">/ month</span>
|
|
</div>
|
|
|
|
<ul className="space-y-3 mb-6">
|
|
<li className="flex items-center gap-3 text-white/90">
|
|
<Check className="w-5 h-5 text-teal-400 shrink-0" />
|
|
<span>Unlimited bookmark saving</span>
|
|
</li>
|
|
<li className="flex items-center gap-3 text-white/90">
|
|
<Check className="w-5 h-5 text-teal-400 shrink-0" />
|
|
<span>Access to all stream archives</span>
|
|
</li>
|
|
<li className="flex items-center gap-3 text-white/90">
|
|
<Check className="w-5 h-5 text-teal-400 shrink-0" />
|
|
<span>Priority support</span>
|
|
</li>
|
|
</ul>
|
|
|
|
{loading ? (
|
|
<div className="h-12 bg-white/5 rounded-xl animate-pulse" />
|
|
) : isSubscribed ? (
|
|
<button
|
|
type="button"
|
|
onClick={handleManageBilling}
|
|
className="w-full py-3 rounded-xl text-sm font-medium bg-white/10 hover:bg-white/15 text-white border border-white/10 transition-colors"
|
|
>
|
|
Manage Billing
|
|
</button>
|
|
) : (
|
|
<button
|
|
type="button"
|
|
onClick={handleSubscribe}
|
|
disabled={subscribing}
|
|
className="w-full py-3 rounded-xl text-sm font-semibold bg-teal-500 hover:bg-teal-400 text-white transition-colors disabled:opacity-50"
|
|
>
|
|
{subscribing ? "Loading..." : "Subscribe Now"}
|
|
</button>
|
|
)}
|
|
</div>
|
|
|
|
{!isSubscribed && !loading && (
|
|
<p className="text-center text-white/50 text-sm mt-4">
|
|
Cancel anytime. No questions asked.
|
|
</p>
|
|
)}
|
|
</div>
|
|
</div>
|
|
)
|
|
}
|
|
|
|
function SettingsPage() {
|
|
const { data: session, isPending } = authClient.useSession()
|
|
const [activeSection, setActiveSection] = useState<SectionId>("preferences")
|
|
const [showEmailModal, setShowEmailModal] = useState(false)
|
|
const [showPasswordModal, setShowPasswordModal] = useState(false)
|
|
const [emailInput, setEmailInput] = useState("")
|
|
const [currentPassword, setCurrentPassword] = useState("")
|
|
const [newPassword, setNewPassword] = useState("")
|
|
|
|
const handleLogout = async () => {
|
|
await authClient.signOut()
|
|
window.location.href = "/"
|
|
}
|
|
|
|
const openEmailModal = () => {
|
|
setEmailInput(session?.user?.email ?? "")
|
|
setShowEmailModal(true)
|
|
}
|
|
|
|
const openPasswordModal = () => {
|
|
setCurrentPassword("")
|
|
setNewPassword("")
|
|
setShowPasswordModal(true)
|
|
}
|
|
|
|
const handleEmailSubmit = (event: FormEvent) => {
|
|
event.preventDefault()
|
|
setShowEmailModal(false)
|
|
}
|
|
|
|
const handlePasswordSubmit = (event: FormEvent) => {
|
|
event.preventDefault()
|
|
setShowPasswordModal(false)
|
|
setCurrentPassword("")
|
|
setNewPassword("")
|
|
}
|
|
|
|
if (isPending) {
|
|
return (
|
|
<div className="min-h-screen text-white grid place-items-center">
|
|
<p className="text-slate-400">Loading settings…</p>
|
|
</div>
|
|
)
|
|
}
|
|
|
|
return (
|
|
<>
|
|
<div className="min-h-screen max-w-5xl mx-auto text-white">
|
|
<div className="max-w-6xl mx-auto px-4 md:px-6 py-10 flex gap-6">
|
|
<SettingsPanel
|
|
activeSection={activeSection}
|
|
onSelect={setActiveSection}
|
|
profile={session?.user}
|
|
/>
|
|
<div className="flex-1 space-y-12 overflow-auto pr-1 pb-12">
|
|
{activeSection === "preferences" ? (
|
|
<PreferencesSection />
|
|
) : activeSection === "profile" ? (
|
|
<ProfileSection
|
|
profile={session?.user}
|
|
onLogout={handleLogout}
|
|
onChangeEmail={openEmailModal}
|
|
onChangePassword={openPasswordModal}
|
|
/>
|
|
) : activeSection === "billing" ? (
|
|
<BillingSection />
|
|
) : null}
|
|
</div>
|
|
</div>
|
|
</div>
|
|
|
|
{showEmailModal ? (
|
|
<Modal
|
|
title="Change email"
|
|
description="Enter the new email address you would like to use."
|
|
onClose={() => setShowEmailModal(false)}
|
|
>
|
|
<form onSubmit={handleEmailSubmit} className="space-y-4">
|
|
<input
|
|
type="email"
|
|
required
|
|
value={emailInput}
|
|
onChange={(event) => setEmailInput(event.target.value)}
|
|
className="w-full bg-white/2 border border-white/10 rounded-lg px-3 py-2 text-white placeholder:text-slate-500 focus:outline-none focus:ring-1 focus:ring-teal-100/40 focus:border-transparent"
|
|
placeholder="email@example.com"
|
|
/>
|
|
<div className="flex justify-end gap-2">
|
|
<button
|
|
type="button"
|
|
onClick={() => setShowEmailModal(false)}
|
|
className="px-4 py-2 rounded-lg text-sm text-slate-200 bg-white/5 hover:bg-white/10 border border-white/10 transition-colors"
|
|
>
|
|
Cancel
|
|
</button>
|
|
<button
|
|
type="submit"
|
|
className="px-4 py-2 rounded-lg text-sm font-semibold text-white bg-teal-600 hover:bg-teal-500 transition-colors"
|
|
>
|
|
Save email
|
|
</button>
|
|
</div>
|
|
</form>
|
|
</Modal>
|
|
) : null}
|
|
|
|
{showPasswordModal ? (
|
|
<Modal
|
|
title="Change password"
|
|
description="Confirm your current password and set a new one."
|
|
onClose={() => setShowPasswordModal(false)}
|
|
>
|
|
<form onSubmit={handlePasswordSubmit} className="space-y-4">
|
|
<label className="block space-y-2">
|
|
<span className="text-sm text-slate-300">Current password</span>
|
|
<input
|
|
type="password"
|
|
required
|
|
value={currentPassword}
|
|
onChange={(event) => setCurrentPassword(event.target.value)}
|
|
className="w-full bg-white/5 border border-white/10 rounded-lg px-3 py-2 text-white placeholder:text-slate-500 focus:outline-none focus:ring-2 focus:ring-teal-500 focus:border-transparent"
|
|
placeholder="Enter your current password"
|
|
/>
|
|
</label>
|
|
<label className="block space-y-2">
|
|
<span className="text-sm text-slate-300">New password</span>
|
|
<input
|
|
type="password"
|
|
required
|
|
value={newPassword}
|
|
onChange={(event) => setNewPassword(event.target.value)}
|
|
className="w-full bg-white/5 border border-white/10 rounded-lg px-3 py-2 text-white placeholder:text-slate-500 focus:outline-none focus:ring-2 focus:ring-teal-500 focus:border-transparent"
|
|
placeholder="Create a new password"
|
|
/>
|
|
</label>
|
|
<div className="flex justify-end gap-2">
|
|
<button
|
|
type="button"
|
|
onClick={() => setShowPasswordModal(false)}
|
|
className="px-4 py-2 rounded-lg text-sm text-slate-200 bg-white/5 hover:bg-white/10 border border-white/10 transition-colors"
|
|
>
|
|
Cancel
|
|
</button>
|
|
<button
|
|
type="submit"
|
|
className="px-4 py-2 rounded-lg text-sm font-semibold text-white bg-teal-600 hover:bg-teal-500 transition-colors"
|
|
>
|
|
Save password
|
|
</button>
|
|
</div>
|
|
</form>
|
|
</Modal>
|
|
) : null}
|
|
</>
|
|
)
|
|
}
|