chore: initial commit for phase05

This commit is contained in:
hibna 2026-02-21 16:59:21 +03:00
parent 218452706c
commit 0941a9ba46
43 changed files with 4431 additions and 17 deletions

View File

@ -10,13 +10,33 @@
"lint": "eslint src/"
},
"dependencies": {
"@radix-ui/react-avatar": "^1.1.11",
"@radix-ui/react-dialog": "^1.1.15",
"@radix-ui/react-dropdown-menu": "^2.1.16",
"@radix-ui/react-label": "^2.1.8",
"@radix-ui/react-progress": "^1.1.8",
"@radix-ui/react-scroll-area": "^1.2.10",
"@radix-ui/react-select": "^2.2.6",
"@radix-ui/react-separator": "^1.1.8",
"@radix-ui/react-slot": "^1.2.4",
"@radix-ui/react-switch": "^1.2.6",
"@radix-ui/react-tabs": "^1.1.13",
"@radix-ui/react-toast": "^1.2.15",
"@radix-ui/react-tooltip": "^1.2.8",
"@source/shared": "workspace:*",
"@source/ui": "workspace:*",
"@tanstack/react-query": "^5.62.0",
"@xterm/addon-fit": "^0.11.0",
"@xterm/addon-web-links": "^0.12.0",
"@xterm/xterm": "^6.0.0",
"class-variance-authority": "^0.7.0",
"lucide-react": "^0.575.0",
"react": "^19.0.0",
"react-dom": "^19.0.0",
"react-router": "^7.1.0",
"socket.io-client": "^4.8.0"
"socket.io-client": "^4.8.0",
"sonner": "^2.0.7",
"zustand": "^5.0.11"
},
"devDependencies": {
"@types/react": "^19.0.0",

View File

@ -1,5 +1,38 @@
import { useEffect } from 'react';
import { QueryClient, QueryClientProvider } from '@tanstack/react-query';
import { BrowserRouter, Routes, Route } from 'react-router';
import { BrowserRouter, Routes, Route, Navigate, Outlet } from 'react-router';
import { Toaster } from 'sonner';
import { TooltipProvider } from '@/components/ui/tooltip';
import { useAuthStore } from '@/stores/auth';
// Layouts
import { AppLayout } from '@/components/layout/app-layout';
import { ServerLayout } from '@/components/layout/server-layout';
// Auth pages
import { LoginPage } from '@/pages/auth/login';
import { RegisterPage } from '@/pages/auth/register';
// App pages
import { OrganizationsPage } from '@/pages/organizations/index';
import { DashboardPage } from '@/pages/dashboard/index';
import { CreateServerPage } from '@/pages/servers/create';
import { NodesPage } from '@/pages/nodes/index';
import { MembersPage } from '@/pages/settings/members';
// Server pages
import { ConsolePage } from '@/pages/server/console';
import { FilesPage } from '@/pages/server/files';
import { BackupsPage } from '@/pages/server/backups';
import { SchedulesPage } from '@/pages/server/schedules';
import { PluginsPage } from '@/pages/server/plugins';
import { PlayersPage } from '@/pages/server/players';
import { ServerSettingsPage } from '@/pages/server/settings';
// Admin pages
import { AdminUsersPage } from '@/pages/admin/users';
import { AdminGamesPage } from '@/pages/admin/games';
import { AdminAuditLogsPage } from '@/pages/admin/audit-logs';
const queryClient = new QueryClient({
defaultOptions: {
@ -10,24 +43,76 @@ const queryClient = new QueryClient({
},
});
function AuthGuard() {
const { isAuthenticated, isLoading, fetchUser } = useAuthStore();
useEffect(() => {
fetchUser();
}, [fetchUser]);
if (isLoading) {
return (
<div className="flex min-h-screen items-center justify-center">
<div className="h-8 w-8 animate-spin rounded-full border-2 border-primary border-t-transparent" />
</div>
);
}
if (!isAuthenticated) {
return <Navigate to="/login" replace />;
}
return <Outlet />;
}
export function App() {
return (
<QueryClientProvider client={queryClient}>
<TooltipProvider>
<BrowserRouter>
<Routes>
<Route
path="/"
element={
<div className="flex min-h-screen items-center justify-center">
<div className="text-center">
<h1 className="text-4xl font-bold">GamePanel</h1>
<p className="mt-2 text-muted-foreground">Game Server Management Panel</p>
</div>
</div>
}
/>
{/* Public routes */}
<Route path="/login" element={<LoginPage />} />
<Route path="/register" element={<RegisterPage />} />
{/* Protected routes */}
<Route element={<AuthGuard />}>
<Route element={<AppLayout />}>
{/* Organizations */}
<Route path="/" element={<OrganizationsPage />} />
{/* Org-scoped routes */}
<Route path="/org/:orgId/dashboard" element={<DashboardPage />} />
<Route path="/org/:orgId/servers/new" element={<CreateServerPage />} />
<Route path="/org/:orgId/nodes" element={<NodesPage />} />
<Route path="/org/:orgId/settings/members" element={<MembersPage />} />
{/* Server detail */}
<Route path="/org/:orgId/servers/:serverId" element={<ServerLayout />}>
<Route index element={<Navigate to="console" replace />} />
<Route path="console" element={<ConsolePage />} />
<Route path="files" element={<FilesPage />} />
<Route path="backups" element={<BackupsPage />} />
<Route path="schedules" element={<SchedulesPage />} />
<Route path="plugins" element={<PluginsPage />} />
<Route path="players" element={<PlayersPage />} />
<Route path="settings" element={<ServerSettingsPage />} />
</Route>
{/* Admin */}
<Route path="/admin/users" element={<AdminUsersPage />} />
<Route path="/admin/games" element={<AdminGamesPage />} />
<Route path="/admin/nodes" element={<NodesPage />} />
<Route path="/admin/audit-logs" element={<AdminAuditLogsPage />} />
</Route>
</Route>
{/* Fallback */}
<Route path="*" element={<Navigate to="/" replace />} />
</Routes>
</BrowserRouter>
<Toaster position="bottom-right" richColors />
</TooltipProvider>
</QueryClientProvider>
);
}

View File

@ -0,0 +1,17 @@
import { Outlet } from 'react-router';
import { Sidebar } from './sidebar';
import { Header } from './header';
export function AppLayout() {
return (
<div className="flex h-screen overflow-hidden">
<Sidebar />
<div className="flex flex-1 flex-col overflow-hidden">
<Header />
<main className="flex-1 overflow-y-auto p-6">
<Outlet />
</main>
</div>
</div>
);
}

View File

@ -0,0 +1,56 @@
import { useNavigate } from 'react-router';
import { LogOut, User, Moon, Sun } from 'lucide-react';
import { Button } from '@/components/ui/button';
import {
DropdownMenu,
DropdownMenuContent,
DropdownMenuItem,
DropdownMenuLabel,
DropdownMenuSeparator,
DropdownMenuTrigger,
} from '@/components/ui/dropdown-menu';
import { useAuthStore } from '@/stores/auth';
import { useTheme } from '@/hooks/use-theme';
export function Header() {
const navigate = useNavigate();
const { user, logout } = useAuthStore();
const { theme, toggleTheme } = useTheme();
const handleLogout = async () => {
await logout();
navigate('/login');
};
return (
<header className="flex h-14 items-center justify-between border-b bg-card px-6">
<div />
<div className="flex items-center gap-2">
<Button variant="ghost" size="icon" onClick={toggleTheme}>
{theme === 'dark' ? <Sun className="h-4 w-4" /> : <Moon className="h-4 w-4" />}
</Button>
<DropdownMenu>
<DropdownMenuTrigger asChild>
<Button variant="ghost" size="sm" className="gap-2">
<User className="h-4 w-4" />
{user?.username}
</Button>
</DropdownMenuTrigger>
<DropdownMenuContent align="end" className="w-48">
<DropdownMenuLabel>{user?.email}</DropdownMenuLabel>
<DropdownMenuSeparator />
<DropdownMenuItem onClick={() => navigate('/account/security')}>
Account Settings
</DropdownMenuItem>
<DropdownMenuSeparator />
<DropdownMenuItem onClick={handleLogout}>
<LogOut className="h-4 w-4" />
Logout
</DropdownMenuItem>
</DropdownMenuContent>
</DropdownMenu>
</div>
</header>
);
}

View File

@ -0,0 +1,89 @@
import { Outlet, useParams, Link, useLocation } from 'react-router';
import { useQuery } from '@tanstack/react-query';
import { Terminal, FolderOpen, Settings, Calendar, HardDrive, Users, Puzzle } from 'lucide-react';
import { cn } from '@source/ui';
import { api } from '@/lib/api';
import { Badge } from '@/components/ui/badge';
import { PowerControls } from '@/components/server/power-controls';
import { statusBadgeVariant } from '@/lib/utils';
interface ServerDetail {
id: string;
uuid: string;
name: string;
status: string;
nodeName: string;
nodeFqdn: string;
gameName: string;
gameSlug: string;
port: number;
memoryLimit: number;
diskLimit: number;
cpuLimit: number;
}
const tabs = [
{ label: 'Console', path: 'console', icon: Terminal },
{ label: 'Files', path: 'files', icon: FolderOpen },
{ label: 'Backups', path: 'backups', icon: HardDrive },
{ label: 'Schedules', path: 'schedules', icon: Calendar },
{ label: 'Plugins', path: 'plugins', icon: Puzzle },
{ label: 'Players', path: 'players', icon: Users },
{ label: 'Settings', path: 'settings', icon: Settings },
];
export function ServerLayout() {
const { orgId, serverId } = useParams();
const location = useLocation();
const { data: server } = useQuery({
queryKey: ['server', orgId, serverId],
queryFn: () => api.get<ServerDetail>(`/organizations/${orgId}/servers/${serverId}`),
});
const currentTab = location.pathname.split('/').pop();
return (
<div className="space-y-6">
<div className="flex items-center justify-between">
<div>
<div className="flex items-center gap-3">
<h1 className="text-2xl font-bold">{server?.name ?? 'Loading...'}</h1>
{server && (
<Badge variant={statusBadgeVariant(server.status)}>{server.status}</Badge>
)}
</div>
{server && (
<p className="mt-1 text-sm text-muted-foreground">
{server.gameName} &middot; {server.nodeFqdn}:{server.port} &middot; {server.uuid}
</p>
)}
</div>
{server && <PowerControls serverId={server.id} orgId={orgId!} status={server.status} />}
</div>
<nav className="flex gap-1 border-b">
{tabs.map((tab) => {
const isActive = currentTab === tab.path;
return (
<Link
key={tab.path}
to={`/org/${orgId}/servers/${serverId}/${tab.path}`}
className={cn(
'flex items-center gap-1.5 border-b-2 px-3 py-2 text-sm font-medium transition-colors',
isActive
? 'border-primary text-primary'
: 'border-transparent text-muted-foreground hover:text-foreground',
)}
>
<tab.icon className="h-4 w-4" />
{tab.label}
</Link>
);
})}
</nav>
<Outlet context={{ server }} />
</div>
);
}

View File

@ -0,0 +1,115 @@
import { Link, useLocation, useParams } from 'react-router';
import {
Server,
LayoutDashboard,
Network,
Settings,
Users,
Shield,
Gamepad2,
ScrollText,
ChevronLeft,
} from 'lucide-react';
import { cn } from '@source/ui';
import { Button } from '@/components/ui/button';
import { ScrollArea } from '@/components/ui/scroll-area';
import { Separator } from '@/components/ui/separator';
import { useAuthStore } from '@/stores/auth';
interface NavItem {
label: string;
href: string;
icon: React.ComponentType<{ className?: string }>;
}
export function Sidebar() {
const location = useLocation();
const { orgId } = useParams();
const user = useAuthStore((s) => s.user);
const orgNav: NavItem[] = orgId
? [
{ label: 'Dashboard', href: `/org/${orgId}/dashboard`, icon: LayoutDashboard },
{ label: 'Servers', href: `/org/${orgId}/servers`, icon: Server },
{ label: 'Nodes', href: `/org/${orgId}/nodes`, icon: Network },
{ label: 'Members', href: `/org/${orgId}/settings/members`, icon: Users },
{ label: 'Settings', href: `/org/${orgId}/settings`, icon: Settings },
]
: [];
const adminNav: NavItem[] = user?.isSuperAdmin
? [
{ label: 'Users', href: '/admin/users', icon: Users },
{ label: 'Games', href: '/admin/games', icon: Gamepad2 },
{ label: 'Nodes', href: '/admin/nodes', icon: Network },
{ label: 'Audit Logs', href: '/admin/audit-logs', icon: ScrollText },
]
: [];
return (
<div className="flex h-full w-64 flex-col border-r bg-card">
<div className="flex h-14 items-center gap-2 border-b px-4">
<Shield className="h-6 w-6 text-primary" />
<span className="text-lg font-bold">GamePanel</span>
</div>
<ScrollArea className="flex-1 py-2">
{orgId && (
<div className="px-3 py-2">
<div className="mb-1 flex items-center gap-1 px-2">
<Link to="/" className="text-xs text-muted-foreground hover:text-foreground">
<ChevronLeft className="inline h-3 w-3" /> Organizations
</Link>
</div>
<NavSection items={orgNav} currentPath={location.pathname} />
</div>
)}
{!orgId && (
<div className="px-3 py-2">
<p className="mb-2 px-2 text-xs font-medium text-muted-foreground">ORGANIZATIONS</p>
<Link to="/">
<Button variant="ghost" className="w-full justify-start gap-2">
<LayoutDashboard className="h-4 w-4" />
All Organizations
</Button>
</Link>
</div>
)}
{adminNav.length > 0 && (
<>
<Separator className="mx-3 my-2" />
<div className="px-3 py-2">
<p className="mb-2 px-2 text-xs font-medium text-muted-foreground">ADMIN</p>
<NavSection items={adminNav} currentPath={location.pathname} />
</div>
</>
)}
</ScrollArea>
</div>
);
}
function NavSection({ items, currentPath }: { items: NavItem[]; currentPath: string }) {
return (
<nav className="flex flex-col gap-1">
{items.map((item) => {
const isActive =
currentPath === item.href || currentPath.startsWith(item.href + '/');
return (
<Link key={item.href} to={item.href}>
<Button
variant={isActive ? 'secondary' : 'ghost'}
className="w-full justify-start gap-2"
size="sm"
>
<item.icon className={cn('h-4 w-4', isActive && 'text-primary')} />
{item.label}
</Button>
</Link>
);
})}
</nav>
);
}

View File

@ -0,0 +1,102 @@
import { useMutation, useQueryClient } from '@tanstack/react-query';
import { Play, Square, RotateCcw, Skull } from 'lucide-react';
import { api } from '@/lib/api';
import { Button } from '@/components/ui/button';
import {
Dialog,
DialogContent,
DialogDescription,
DialogFooter,
DialogHeader,
DialogTitle,
DialogTrigger,
DialogClose,
} from '@/components/ui/dialog';
interface PowerControlsProps {
serverId: string;
orgId: string;
status: string;
}
export function PowerControls({ serverId, orgId, status }: PowerControlsProps) {
const queryClient = useQueryClient();
const powerMutation = useMutation({
mutationFn: (action: string) =>
api.post(`/organizations/${orgId}/servers/${serverId}/power`, { action }),
onSuccess: () => {
queryClient.invalidateQueries({ queryKey: ['server', orgId, serverId] });
queryClient.invalidateQueries({ queryKey: ['servers', orgId] });
},
});
const isRunning = status === 'running';
const isStopped = status === 'stopped' || status === 'error';
const isTransitioning = status === 'starting' || status === 'stopping' || status === 'installing';
return (
<div className="flex items-center gap-2">
<Button
size="sm"
onClick={() => powerMutation.mutate('start')}
disabled={!isStopped || powerMutation.isPending}
className="bg-green-600 hover:bg-green-700"
>
<Play className="h-4 w-4" />
Start
</Button>
<Button
size="sm"
variant="secondary"
onClick={() => powerMutation.mutate('restart')}
disabled={!isRunning || powerMutation.isPending}
>
<RotateCcw className="h-4 w-4" />
Restart
</Button>
<Button
size="sm"
variant="outline"
onClick={() => powerMutation.mutate('stop')}
disabled={!isRunning || powerMutation.isPending}
>
<Square className="h-4 w-4" />
Stop
</Button>
<Dialog>
<DialogTrigger asChild>
<Button
size="sm"
variant="destructive"
disabled={isTransitioning && !isRunning}
>
<Skull className="h-4 w-4" />
Kill
</Button>
</DialogTrigger>
<DialogContent>
<DialogHeader>
<DialogTitle>Kill Server</DialogTitle>
<DialogDescription>
This will forcefully terminate the server process. Any unsaved data may be lost.
</DialogDescription>
</DialogHeader>
<DialogFooter>
<DialogClose asChild>
<Button variant="outline">Cancel</Button>
</DialogClose>
<DialogClose asChild>
<Button variant="destructive" onClick={() => powerMutation.mutate('kill')}>
Kill Server
</Button>
</DialogClose>
</DialogFooter>
</DialogContent>
</Dialog>
</div>
);
}

View File

@ -0,0 +1,28 @@
import * as React from 'react';
import { cva, type VariantProps } from 'class-variance-authority';
import { cn } from '@source/ui';
const badgeVariants = cva(
'inline-flex items-center rounded-md border px-2.5 py-0.5 text-xs font-semibold transition-colors focus:outline-none focus:ring-2 focus:ring-ring focus:ring-offset-2',
{
variants: {
variant: {
default: 'border-transparent bg-primary text-primary-foreground shadow',
secondary: 'border-transparent bg-secondary text-secondary-foreground',
destructive: 'border-transparent bg-destructive text-destructive-foreground shadow',
outline: 'text-foreground',
},
},
defaultVariants: { variant: 'default' },
},
);
export interface BadgeProps
extends React.HTMLAttributes<HTMLDivElement>,
VariantProps<typeof badgeVariants> {}
function Badge({ className, variant, ...props }: BadgeProps) {
return <div className={cn(badgeVariants({ variant }), className)} {...props} />;
}
export { Badge, badgeVariants };

View File

@ -0,0 +1,46 @@
import * as React from 'react';
import { Slot } from '@radix-ui/react-slot';
import { cva, type VariantProps } from 'class-variance-authority';
import { cn } from '@source/ui';
const buttonVariants = cva(
'inline-flex items-center justify-center gap-2 whitespace-nowrap rounded-md text-sm font-medium transition-colors focus-visible:outline-none focus-visible:ring-1 focus-visible:ring-ring disabled:pointer-events-none disabled:opacity-50 [&_svg]:pointer-events-none [&_svg]:size-4 [&_svg]:shrink-0',
{
variants: {
variant: {
default: 'bg-primary text-primary-foreground shadow hover:bg-primary/90',
destructive: 'bg-destructive text-destructive-foreground shadow-sm hover:bg-destructive/90',
outline: 'border border-input bg-background shadow-sm hover:bg-accent hover:text-accent-foreground',
secondary: 'bg-secondary text-secondary-foreground shadow-sm hover:bg-secondary/80',
ghost: 'hover:bg-accent hover:text-accent-foreground',
link: 'text-primary underline-offset-4 hover:underline',
},
size: {
default: 'h-9 px-4 py-2',
sm: 'h-8 rounded-md px-3 text-xs',
lg: 'h-10 rounded-md px-8',
icon: 'h-9 w-9',
},
},
defaultVariants: {
variant: 'default',
size: 'default',
},
},
);
export interface ButtonProps
extends React.ButtonHTMLAttributes<HTMLButtonElement>,
VariantProps<typeof buttonVariants> {
asChild?: boolean;
}
const Button = React.forwardRef<HTMLButtonElement, ButtonProps>(
({ className, variant, size, asChild = false, ...props }, ref) => {
const Comp = asChild ? Slot : 'button';
return <Comp className={cn(buttonVariants({ variant, size, className }))} ref={ref} {...props} />;
},
);
Button.displayName = 'Button';
export { Button, buttonVariants };

View File

@ -0,0 +1,44 @@
import * as React from 'react';
import { cn } from '@source/ui';
const Card = React.forwardRef<HTMLDivElement, React.HTMLAttributes<HTMLDivElement>>(
({ className, ...props }, ref) => (
<div ref={ref} className={cn('rounded-xl border bg-card text-card-foreground shadow', className)} {...props} />
),
);
Card.displayName = 'Card';
const CardHeader = React.forwardRef<HTMLDivElement, React.HTMLAttributes<HTMLDivElement>>(
({ className, ...props }, ref) => (
<div ref={ref} className={cn('flex flex-col space-y-1.5 p-6', className)} {...props} />
),
);
CardHeader.displayName = 'CardHeader';
const CardTitle = React.forwardRef<HTMLDivElement, React.HTMLAttributes<HTMLDivElement>>(
({ className, ...props }, ref) => (
<div ref={ref} className={cn('font-semibold leading-none tracking-tight', className)} {...props} />
),
);
CardTitle.displayName = 'CardTitle';
const CardDescription = React.forwardRef<HTMLDivElement, React.HTMLAttributes<HTMLDivElement>>(
({ className, ...props }, ref) => (
<div ref={ref} className={cn('text-sm text-muted-foreground', className)} {...props} />
),
);
CardDescription.displayName = 'CardDescription';
const CardContent = React.forwardRef<HTMLDivElement, React.HTMLAttributes<HTMLDivElement>>(
({ className, ...props }, ref) => <div ref={ref} className={cn('p-6 pt-0', className)} {...props} />,
);
CardContent.displayName = 'CardContent';
const CardFooter = React.forwardRef<HTMLDivElement, React.HTMLAttributes<HTMLDivElement>>(
({ className, ...props }, ref) => (
<div ref={ref} className={cn('flex items-center p-6 pt-0', className)} {...props} />
),
);
CardFooter.displayName = 'CardFooter';
export { Card, CardHeader, CardFooter, CardTitle, CardDescription, CardContent };

View File

@ -0,0 +1,90 @@
import * as React from 'react';
import * as DialogPrimitive from '@radix-ui/react-dialog';
import { X } from 'lucide-react';
import { cn } from '@source/ui';
const Dialog = DialogPrimitive.Root;
const DialogTrigger = DialogPrimitive.Trigger;
const DialogClose = DialogPrimitive.Close;
const DialogPortal = DialogPrimitive.Portal;
const DialogOverlay = React.forwardRef<
React.ComponentRef<typeof DialogPrimitive.Overlay>,
React.ComponentPropsWithoutRef<typeof DialogPrimitive.Overlay>
>(({ className, ...props }, ref) => (
<DialogPrimitive.Overlay
ref={ref}
className={cn(
'fixed inset-0 z-50 bg-black/80 data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0',
className,
)}
{...props}
/>
));
DialogOverlay.displayName = DialogPrimitive.Overlay.displayName;
const DialogContent = React.forwardRef<
React.ComponentRef<typeof DialogPrimitive.Content>,
React.ComponentPropsWithoutRef<typeof DialogPrimitive.Content>
>(({ className, children, ...props }, ref) => (
<DialogPortal>
<DialogOverlay />
<DialogPrimitive.Content
ref={ref}
className={cn(
'fixed left-[50%] top-[50%] z-50 grid w-full max-w-lg translate-x-[-50%] translate-y-[-50%] gap-4 border bg-background p-6 shadow-lg duration-200 data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-95 data-[state=closed]:slide-out-to-left-1/2 data-[state=closed]:slide-out-to-top-[48%] data-[state=open]:slide-in-from-left-1/2 data-[state=open]:slide-in-from-top-[48%] sm:rounded-lg',
className,
)}
{...props}
>
{children}
<DialogPrimitive.Close className="absolute right-4 top-4 rounded-sm opacity-70 ring-offset-background transition-opacity hover:opacity-100 focus:outline-none focus:ring-2 focus:ring-ring focus:ring-offset-2 disabled:pointer-events-none data-[state=open]:bg-accent data-[state=open]:text-muted-foreground">
<X className="h-4 w-4" />
<span className="sr-only">Close</span>
</DialogPrimitive.Close>
</DialogPrimitive.Content>
</DialogPortal>
));
DialogContent.displayName = DialogPrimitive.Content.displayName;
const DialogHeader = ({ className, ...props }: React.HTMLAttributes<HTMLDivElement>) => (
<div className={cn('flex flex-col space-y-1.5 text-center sm:text-left', className)} {...props} />
);
const DialogFooter = ({ className, ...props }: React.HTMLAttributes<HTMLDivElement>) => (
<div className={cn('flex flex-col-reverse sm:flex-row sm:justify-end sm:space-x-2', className)} {...props} />
);
const DialogTitle = React.forwardRef<
React.ComponentRef<typeof DialogPrimitive.Title>,
React.ComponentPropsWithoutRef<typeof DialogPrimitive.Title>
>(({ className, ...props }, ref) => (
<DialogPrimitive.Title
ref={ref}
className={cn('text-lg font-semibold leading-none tracking-tight', className)}
{...props}
/>
));
DialogTitle.displayName = DialogPrimitive.Title.displayName;
const DialogDescription = React.forwardRef<
React.ComponentRef<typeof DialogPrimitive.Description>,
React.ComponentPropsWithoutRef<typeof DialogPrimitive.Description>
>(({ className, ...props }, ref) => (
<DialogPrimitive.Description ref={ref} className={cn('text-sm text-muted-foreground', className)} {...props} />
));
DialogDescription.displayName = DialogPrimitive.Description.displayName;
export {
Dialog,
DialogPortal,
DialogOverlay,
DialogTrigger,
DialogClose,
DialogContent,
DialogHeader,
DialogFooter,
DialogTitle,
DialogDescription,
};

View File

@ -0,0 +1,71 @@
import * as React from 'react';
import * as DropdownMenuPrimitive from '@radix-ui/react-dropdown-menu';
import { cn } from '@source/ui';
const DropdownMenu = DropdownMenuPrimitive.Root;
const DropdownMenuTrigger = DropdownMenuPrimitive.Trigger;
const DropdownMenuGroup = DropdownMenuPrimitive.Group;
const DropdownMenuContent = React.forwardRef<
React.ComponentRef<typeof DropdownMenuPrimitive.Content>,
React.ComponentPropsWithoutRef<typeof DropdownMenuPrimitive.Content>
>(({ className, sideOffset = 4, ...props }, ref) => (
<DropdownMenuPrimitive.Portal>
<DropdownMenuPrimitive.Content
ref={ref}
sideOffset={sideOffset}
className={cn(
'z-50 min-w-[8rem] overflow-hidden rounded-md border bg-card p-1 text-card-foreground shadow-md data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-95',
className,
)}
{...props}
/>
</DropdownMenuPrimitive.Portal>
));
DropdownMenuContent.displayName = DropdownMenuPrimitive.Content.displayName;
const DropdownMenuItem = React.forwardRef<
React.ComponentRef<typeof DropdownMenuPrimitive.Item>,
React.ComponentPropsWithoutRef<typeof DropdownMenuPrimitive.Item> & { inset?: boolean }
>(({ className, inset, ...props }, ref) => (
<DropdownMenuPrimitive.Item
ref={ref}
className={cn(
'relative flex cursor-default select-none items-center gap-2 rounded-sm px-2 py-1.5 text-sm outline-none transition-colors focus:bg-accent focus:text-accent-foreground data-[disabled]:pointer-events-none data-[disabled]:opacity-50 [&>svg]:size-4 [&>svg]:shrink-0',
inset && 'pl-8',
className,
)}
{...props}
/>
));
DropdownMenuItem.displayName = DropdownMenuPrimitive.Item.displayName;
const DropdownMenuSeparator = React.forwardRef<
React.ComponentRef<typeof DropdownMenuPrimitive.Separator>,
React.ComponentPropsWithoutRef<typeof DropdownMenuPrimitive.Separator>
>(({ className, ...props }, ref) => (
<DropdownMenuPrimitive.Separator ref={ref} className={cn('-mx-1 my-1 h-px bg-muted', className)} {...props} />
));
DropdownMenuSeparator.displayName = DropdownMenuPrimitive.Separator.displayName;
const DropdownMenuLabel = React.forwardRef<
React.ComponentRef<typeof DropdownMenuPrimitive.Label>,
React.ComponentPropsWithoutRef<typeof DropdownMenuPrimitive.Label> & { inset?: boolean }
>(({ className, inset, ...props }, ref) => (
<DropdownMenuPrimitive.Label
ref={ref}
className={cn('px-2 py-1.5 text-sm font-semibold', inset && 'pl-8', className)}
{...props}
/>
));
DropdownMenuLabel.displayName = DropdownMenuPrimitive.Label.displayName;
export {
DropdownMenu,
DropdownMenuTrigger,
DropdownMenuContent,
DropdownMenuItem,
DropdownMenuSeparator,
DropdownMenuLabel,
DropdownMenuGroup,
};

View File

@ -0,0 +1,21 @@
import * as React from 'react';
import { cn } from '@source/ui';
const Input = React.forwardRef<HTMLInputElement, React.InputHTMLAttributes<HTMLInputElement>>(
({ className, type, ...props }, ref) => {
return (
<input
type={type}
className={cn(
'flex h-9 w-full rounded-md border border-input bg-transparent px-3 py-1 text-sm shadow-sm transition-colors file:border-0 file:bg-transparent file:text-sm file:font-medium placeholder:text-muted-foreground focus-visible:outline-none focus-visible:ring-1 focus-visible:ring-ring disabled:cursor-not-allowed disabled:opacity-50',
className,
)}
ref={ref}
{...props}
/>
);
},
);
Input.displayName = 'Input';
export { Input };

View File

@ -0,0 +1,20 @@
import * as React from 'react';
import * as LabelPrimitive from '@radix-ui/react-label';
import { cn } from '@source/ui';
const Label = React.forwardRef<
React.ComponentRef<typeof LabelPrimitive.Root>,
React.ComponentPropsWithoutRef<typeof LabelPrimitive.Root>
>(({ className, ...props }, ref) => (
<LabelPrimitive.Root
ref={ref}
className={cn(
'text-sm font-medium leading-none peer-disabled:cursor-not-allowed peer-disabled:opacity-70',
className,
)}
{...props}
/>
));
Label.displayName = LabelPrimitive.Root.displayName;
export { Label };

View File

@ -0,0 +1,22 @@
import * as React from 'react';
import * as ProgressPrimitive from '@radix-ui/react-progress';
import { cn } from '@source/ui';
const Progress = React.forwardRef<
React.ComponentRef<typeof ProgressPrimitive.Root>,
React.ComponentPropsWithoutRef<typeof ProgressPrimitive.Root>
>(({ className, value, ...props }, ref) => (
<ProgressPrimitive.Root
ref={ref}
className={cn('relative h-2 w-full overflow-hidden rounded-full bg-primary/20', className)}
{...props}
>
<ProgressPrimitive.Indicator
className="h-full w-full flex-1 bg-primary transition-all"
style={{ transform: `translateX(-${100 - (value || 0)}%)` }}
/>
</ProgressPrimitive.Root>
));
Progress.displayName = ProgressPrimitive.Root.displayName;
export { Progress };

View File

@ -0,0 +1,24 @@
import * as React from 'react';
import * as ScrollAreaPrimitive from '@radix-ui/react-scroll-area';
import { cn } from '@source/ui';
const ScrollArea = React.forwardRef<
React.ComponentRef<typeof ScrollAreaPrimitive.Root>,
React.ComponentPropsWithoutRef<typeof ScrollAreaPrimitive.Root>
>(({ className, children, ...props }, ref) => (
<ScrollAreaPrimitive.Root ref={ref} className={cn('relative overflow-hidden', className)} {...props}>
<ScrollAreaPrimitive.Viewport className="h-full w-full rounded-[inherit]">
{children}
</ScrollAreaPrimitive.Viewport>
<ScrollAreaPrimitive.ScrollAreaScrollbar
orientation="vertical"
className="flex touch-none select-none transition-colors h-full w-2.5 border-l border-l-transparent p-[1px]"
>
<ScrollAreaPrimitive.ScrollAreaThumb className="relative flex-1 rounded-full bg-border" />
</ScrollAreaPrimitive.ScrollAreaScrollbar>
<ScrollAreaPrimitive.Corner />
</ScrollAreaPrimitive.Root>
));
ScrollArea.displayName = ScrollAreaPrimitive.Root.displayName;
export { ScrollArea };

View File

@ -0,0 +1,88 @@
import * as React from 'react';
import * as SelectPrimitive from '@radix-ui/react-select';
import { ChevronDown, ChevronUp, Check } from 'lucide-react';
import { cn } from '@source/ui';
const Select = SelectPrimitive.Root;
const SelectGroup = SelectPrimitive.Group;
const SelectValue = SelectPrimitive.Value;
const SelectTrigger = React.forwardRef<
React.ComponentRef<typeof SelectPrimitive.Trigger>,
React.ComponentPropsWithoutRef<typeof SelectPrimitive.Trigger>
>(({ className, children, ...props }, ref) => (
<SelectPrimitive.Trigger
ref={ref}
className={cn(
'flex h-9 w-full items-center justify-between whitespace-nowrap rounded-md border border-input bg-transparent px-3 py-2 text-sm shadow-sm ring-offset-background placeholder:text-muted-foreground focus:outline-none focus:ring-1 focus:ring-ring disabled:cursor-not-allowed disabled:opacity-50 [&>span]:line-clamp-1',
className,
)}
{...props}
>
{children}
<SelectPrimitive.Icon asChild>
<ChevronDown className="h-4 w-4 opacity-50" />
</SelectPrimitive.Icon>
</SelectPrimitive.Trigger>
));
SelectTrigger.displayName = SelectPrimitive.Trigger.displayName;
const SelectContent = React.forwardRef<
React.ComponentRef<typeof SelectPrimitive.Content>,
React.ComponentPropsWithoutRef<typeof SelectPrimitive.Content>
>(({ className, children, position = 'popper', ...props }, ref) => (
<SelectPrimitive.Portal>
<SelectPrimitive.Content
ref={ref}
className={cn(
'relative z-50 max-h-96 min-w-[8rem] overflow-hidden rounded-md border bg-card text-card-foreground shadow-md data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-95',
position === 'popper' &&
'data-[side=bottom]:translate-y-1 data-[side=left]:-translate-x-1 data-[side=right]:translate-x-1 data-[side=top]:-translate-y-1',
className,
)}
position={position}
{...props}
>
<SelectPrimitive.ScrollUpButton className="flex cursor-default items-center justify-center py-1">
<ChevronUp className="h-4 w-4" />
</SelectPrimitive.ScrollUpButton>
<SelectPrimitive.Viewport
className={cn(
'p-1',
position === 'popper' &&
'h-[var(--radix-select-trigger-height)] w-full min-w-[var(--radix-select-trigger-width)]',
)}
>
{children}
</SelectPrimitive.Viewport>
<SelectPrimitive.ScrollDownButton className="flex cursor-default items-center justify-center py-1">
<ChevronDown className="h-4 w-4" />
</SelectPrimitive.ScrollDownButton>
</SelectPrimitive.Content>
</SelectPrimitive.Portal>
));
SelectContent.displayName = SelectPrimitive.Content.displayName;
const SelectItem = React.forwardRef<
React.ComponentRef<typeof SelectPrimitive.Item>,
React.ComponentPropsWithoutRef<typeof SelectPrimitive.Item>
>(({ className, children, ...props }, ref) => (
<SelectPrimitive.Item
ref={ref}
className={cn(
'relative flex w-full cursor-default select-none items-center rounded-sm py-1.5 pl-2 pr-8 text-sm outline-none focus:bg-accent focus:text-accent-foreground data-[disabled]:pointer-events-none data-[disabled]:opacity-50',
className,
)}
{...props}
>
<span className="absolute right-2 flex h-3.5 w-3.5 items-center justify-center">
<SelectPrimitive.ItemIndicator>
<Check className="h-4 w-4" />
</SelectPrimitive.ItemIndicator>
</span>
<SelectPrimitive.ItemText>{children}</SelectPrimitive.ItemText>
</SelectPrimitive.Item>
));
SelectItem.displayName = SelectPrimitive.Item.displayName;
export { Select, SelectGroup, SelectValue, SelectTrigger, SelectContent, SelectItem };

View File

@ -0,0 +1,23 @@
import * as React from 'react';
import * as SeparatorPrimitive from '@radix-ui/react-separator';
import { cn } from '@source/ui';
const Separator = React.forwardRef<
React.ComponentRef<typeof SeparatorPrimitive.Root>,
React.ComponentPropsWithoutRef<typeof SeparatorPrimitive.Root>
>(({ className, orientation = 'horizontal', decorative = true, ...props }, ref) => (
<SeparatorPrimitive.Root
ref={ref}
decorative={decorative}
orientation={orientation}
className={cn(
'shrink-0 bg-border',
orientation === 'horizontal' ? 'h-[1px] w-full' : 'h-full w-[1px]',
className,
)}
{...props}
/>
));
Separator.displayName = SeparatorPrimitive.Root.displayName;
export { Separator };

View File

@ -0,0 +1,52 @@
import * as React from 'react';
import * as TabsPrimitive from '@radix-ui/react-tabs';
import { cn } from '@source/ui';
const Tabs = TabsPrimitive.Root;
const TabsList = React.forwardRef<
React.ComponentRef<typeof TabsPrimitive.List>,
React.ComponentPropsWithoutRef<typeof TabsPrimitive.List>
>(({ className, ...props }, ref) => (
<TabsPrimitive.List
ref={ref}
className={cn(
'inline-flex h-9 items-center justify-center rounded-lg bg-muted p-1 text-muted-foreground',
className,
)}
{...props}
/>
));
TabsList.displayName = TabsPrimitive.List.displayName;
const TabsTrigger = React.forwardRef<
React.ComponentRef<typeof TabsPrimitive.Trigger>,
React.ComponentPropsWithoutRef<typeof TabsPrimitive.Trigger>
>(({ className, ...props }, ref) => (
<TabsPrimitive.Trigger
ref={ref}
className={cn(
'inline-flex items-center justify-center whitespace-nowrap rounded-md px-3 py-1 text-sm font-medium ring-offset-background transition-all focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-ring focus-visible:ring-offset-2 disabled:pointer-events-none disabled:opacity-50 data-[state=active]:bg-background data-[state=active]:text-foreground data-[state=active]:shadow',
className,
)}
{...props}
/>
));
TabsTrigger.displayName = TabsPrimitive.Trigger.displayName;
const TabsContent = React.forwardRef<
React.ComponentRef<typeof TabsPrimitive.Content>,
React.ComponentPropsWithoutRef<typeof TabsPrimitive.Content>
>(({ className, ...props }, ref) => (
<TabsPrimitive.Content
ref={ref}
className={cn(
'mt-2 ring-offset-background focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-ring focus-visible:ring-offset-2',
className,
)}
{...props}
/>
));
TabsContent.displayName = TabsPrimitive.Content.displayName;
export { Tabs, TabsList, TabsTrigger, TabsContent };

View File

@ -0,0 +1,27 @@
import * as React from 'react';
import * as TooltipPrimitive from '@radix-ui/react-tooltip';
import { cn } from '@source/ui';
const TooltipProvider = TooltipPrimitive.Provider;
const Tooltip = TooltipPrimitive.Root;
const TooltipTrigger = TooltipPrimitive.Trigger;
const TooltipContent = React.forwardRef<
React.ComponentRef<typeof TooltipPrimitive.Content>,
React.ComponentPropsWithoutRef<typeof TooltipPrimitive.Content>
>(({ className, sideOffset = 4, ...props }, ref) => (
<TooltipPrimitive.Portal>
<TooltipPrimitive.Content
ref={ref}
sideOffset={sideOffset}
className={cn(
'z-50 overflow-hidden rounded-md bg-primary px-3 py-1.5 text-xs text-primary-foreground animate-in fade-in-0 zoom-in-95',
className,
)}
{...props}
/>
</TooltipPrimitive.Portal>
));
TooltipContent.displayName = TooltipPrimitive.Content.displayName;
export { Tooltip, TooltipTrigger, TooltipContent, TooltipProvider };

View File

@ -0,0 +1,25 @@
import { useCallback, useSyncExternalStore } from 'react';
function getTheme(): 'dark' | 'light' {
return document.documentElement.classList.contains('dark') ? 'dark' : 'light';
}
const listeners = new Set<() => void>();
function subscribe(listener: () => void) {
listeners.add(listener);
return () => listeners.delete(listener);
}
export function useTheme() {
const theme = useSyncExternalStore(subscribe, getTheme);
const toggleTheme = useCallback(() => {
const next = getTheme() === 'dark' ? 'light' : 'dark';
document.documentElement.classList.toggle('dark', next === 'dark');
localStorage.setItem('theme', next);
listeners.forEach((l) => l());
}, []);
return { theme, toggleTheme };
}

99
apps/web/src/lib/api.ts Normal file
View File

@ -0,0 +1,99 @@
const API_BASE = '/api';
interface RequestOptions extends RequestInit {
params?: Record<string, string>;
}
class ApiError extends Error {
constructor(
public status: number,
public data: unknown,
) {
super(`API Error ${status}`);
this.name = 'ApiError';
}
}
async function request<T>(path: string, options: RequestOptions = {}): Promise<T> {
const { params, ...fetchOptions } = options;
let url = `${API_BASE}${path}`;
if (params) {
const searchParams = new URLSearchParams(params);
url += `?${searchParams.toString()}`;
}
const token = localStorage.getItem('access_token');
const headers: Record<string, string> = {
...(fetchOptions.headers as Record<string, string>),
};
if (token) {
headers['Authorization'] = `Bearer ${token}`;
}
if (fetchOptions.body && typeof fetchOptions.body === 'string') {
headers['Content-Type'] = 'application/json';
}
const res = await fetch(url, { ...fetchOptions, headers });
if (res.status === 401) {
// Try refresh
const refreshed = await refreshToken();
if (refreshed) {
headers['Authorization'] = `Bearer ${localStorage.getItem('access_token')}`;
const retry = await fetch(url, { ...fetchOptions, headers });
if (!retry.ok) throw new ApiError(retry.status, await retry.json().catch(() => null));
if (retry.status === 204) return undefined as T;
return retry.json();
}
localStorage.removeItem('access_token');
window.location.href = '/login';
throw new ApiError(401, null);
}
if (!res.ok) {
throw new ApiError(res.status, await res.json().catch(() => null));
}
if (res.status === 204) return undefined as T;
return res.json();
}
async function refreshToken(): Promise<boolean> {
try {
const res = await fetch(`${API_BASE}/auth/refresh`, {
method: 'POST',
credentials: 'include',
});
if (!res.ok) return false;
const data = await res.json();
localStorage.setItem('access_token', data.accessToken);
return true;
} catch {
return false;
}
}
export const api = {
get: <T>(path: string, params?: Record<string, string>) =>
request<T>(path, { params }),
post: <T>(path: string, body?: unknown) =>
request<T>(path, {
method: 'POST',
body: body ? JSON.stringify(body) : undefined,
}),
patch: <T>(path: string, body?: unknown) =>
request<T>(path, {
method: 'PATCH',
body: body ? JSON.stringify(body) : undefined,
}),
delete: <T>(path: string) =>
request<T>(path, { method: 'DELETE' }),
};
export { ApiError };

View File

@ -0,0 +1,30 @@
import { io, Socket } from 'socket.io-client';
let socket: Socket | null = null;
export function getSocket(): Socket {
if (!socket) {
socket = io('/', {
path: '/socket.io',
auth: {
token: localStorage.getItem('access_token'),
},
autoConnect: false,
});
}
return socket;
}
export function connectSocket() {
const s = getSocket();
if (!s.connected) {
s.auth = { token: localStorage.getItem('access_token') };
s.connect();
}
}
export function disconnectSocket() {
if (socket?.connected) {
socket.disconnect();
}
}

51
apps/web/src/lib/utils.ts Normal file
View File

@ -0,0 +1,51 @@
export function formatBytes(bytes: number, decimals = 1): string {
if (bytes === 0) return '0 B';
const k = 1024;
const sizes = ['B', 'KB', 'MB', 'GB', 'TB'];
const i = Math.floor(Math.log(bytes) / Math.log(k));
return `${parseFloat((bytes / Math.pow(k, i)).toFixed(decimals))} ${sizes[i]}`;
}
export function formatUptime(seconds: number): string {
const days = Math.floor(seconds / 86400);
const hours = Math.floor((seconds % 86400) / 3600);
const mins = Math.floor((seconds % 3600) / 60);
if (days > 0) return `${days}d ${hours}h`;
if (hours > 0) return `${hours}h ${mins}m`;
return `${mins}m`;
}
export function statusColor(status: string): string {
switch (status) {
case 'running':
return 'text-green-500';
case 'stopped':
return 'text-red-500';
case 'starting':
case 'stopping':
case 'installing':
return 'text-yellow-500';
case 'suspended':
return 'text-orange-500';
case 'error':
return 'text-destructive';
default:
return 'text-muted-foreground';
}
}
export function statusBadgeVariant(
status: string,
): 'default' | 'secondary' | 'destructive' | 'outline' {
switch (status) {
case 'running':
return 'default';
case 'stopped':
return 'secondary';
case 'error':
case 'suspended':
return 'destructive';
default:
return 'outline';
}
}

View File

@ -0,0 +1,58 @@
import { useQuery } from '@tanstack/react-query';
import { api } from '@/lib/api';
import { Card, CardContent } from '@/components/ui/card';
import { Badge } from '@/components/ui/badge';
interface AuditLog {
id: string;
action: string;
username: string;
ipAddress: string | null;
metadata: Record<string, unknown>;
createdAt: string;
}
interface PaginatedResponse<T> {
data: T[];
meta: { total: number };
}
export function AdminAuditLogsPage() {
const { data } = useQuery({
queryKey: ['admin-audit-logs'],
queryFn: () => api.get<PaginatedResponse<AuditLog>>('/admin/audit-logs'),
});
const logs = data?.data ?? [];
return (
<div className="space-y-6">
<h1 className="text-2xl font-bold">Audit Logs</h1>
<Card>
<CardContent className="p-0">
<div className="divide-y">
{logs.map((log) => (
<div key={log.id} className="flex items-center justify-between px-4 py-3">
<div className="flex items-center gap-3">
<Badge variant="outline">{log.action}</Badge>
<span className="text-sm">
<span className="font-medium">{log.username}</span>
{log.ipAddress && (
<span className="text-muted-foreground"> from {log.ipAddress}</span>
)}
</span>
</div>
<span className="text-xs text-muted-foreground">
{new Date(log.createdAt).toLocaleString()}
</span>
</div>
))}
{logs.length === 0 && (
<div className="py-12 text-center text-muted-foreground">No audit logs</div>
)}
</div>
</CardContent>
</Card>
</div>
);
}

View File

@ -0,0 +1,152 @@
import { useState } from 'react';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { Plus, Gamepad2 } from 'lucide-react';
import { api } from '@/lib/api';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Label } from '@/components/ui/label';
import { Card, CardContent, CardHeader, CardTitle } from '@/components/ui/card';
import { Badge } from '@/components/ui/badge';
import {
Dialog,
DialogContent,
DialogFooter,
DialogHeader,
DialogTitle,
DialogTrigger,
} from '@/components/ui/dialog';
interface Game {
id: string;
slug: string;
name: string;
dockerImage: string;
defaultPort: number;
startupCommand: string;
}
interface PaginatedResponse<T> {
data: T[];
meta: { total: number };
}
export function AdminGamesPage() {
const queryClient = useQueryClient();
const [open, setOpen] = useState(false);
const [name, setName] = useState('');
const [slug, setSlug] = useState('');
const [dockerImage, setDockerImage] = useState('');
const [defaultPort, setDefaultPort] = useState(25565);
const [startupCommand, setStartupCommand] = useState('');
const { data } = useQuery({
queryKey: ['admin-games'],
queryFn: () => api.get<PaginatedResponse<Game>>('/admin/games'),
});
const createMutation = useMutation({
mutationFn: (body: Record<string, unknown>) => api.post('/admin/games', body),
onSuccess: () => {
queryClient.invalidateQueries({ queryKey: ['admin-games'] });
setOpen(false);
setName('');
setSlug('');
setDockerImage('');
setStartupCommand('');
},
});
const games = data?.data ?? [];
return (
<div className="space-y-6">
<div className="flex items-center justify-between">
<h1 className="text-2xl font-bold">Games</h1>
<Dialog open={open} onOpenChange={setOpen}>
<DialogTrigger asChild>
<Button>
<Plus className="h-4 w-4" /> Add Game
</Button>
</DialogTrigger>
<DialogContent>
<DialogHeader>
<DialogTitle>Add Game</DialogTitle>
</DialogHeader>
<form
onSubmit={(e) => {
e.preventDefault();
createMutation.mutate({ name, slug, dockerImage, defaultPort, startupCommand });
}}
className="space-y-4"
>
<div className="space-y-2">
<Label>Name</Label>
<Input value={name} onChange={(e) => setName(e.target.value)} required />
</div>
<div className="space-y-2">
<Label>Slug</Label>
<Input
value={slug}
onChange={(e) =>
setSlug(e.target.value.toLowerCase().replace(/[^a-z0-9-]/g, ''))
}
required
/>
</div>
<div className="space-y-2">
<Label>Docker Image</Label>
<Input
value={dockerImage}
onChange={(e) => setDockerImage(e.target.value)}
placeholder="itzg/minecraft-server:latest"
required
/>
</div>
<div className="space-y-2">
<Label>Default Port</Label>
<Input
type="number"
value={defaultPort}
onChange={(e) => setDefaultPort(Number(e.target.value))}
/>
</div>
<div className="space-y-2">
<Label>Startup Command</Label>
<Input
value={startupCommand}
onChange={(e) => setStartupCommand(e.target.value)}
required
/>
</div>
<DialogFooter>
<Button type="submit" disabled={createMutation.isPending}>
{createMutation.isPending ? 'Creating...' : 'Create'}
</Button>
</DialogFooter>
</form>
</DialogContent>
</Dialog>
</div>
<div className="grid gap-4 sm:grid-cols-2 lg:grid-cols-3">
{games.map((game) => (
<Card key={game.id}>
<CardHeader className="flex flex-row items-center gap-3 pb-2">
<Gamepad2 className="h-5 w-5 text-primary" />
<CardTitle className="text-base">{game.name}</CardTitle>
</CardHeader>
<CardContent>
<div className="space-y-1 text-sm text-muted-foreground">
<p>
<Badge variant="outline">{game.slug}</Badge>
</p>
<p className="mt-2 font-mono text-xs">{game.dockerImage}</p>
<p>Port: {game.defaultPort}</p>
</div>
</CardContent>
</Card>
))}
</div>
</div>
);
}

View File

@ -0,0 +1,64 @@
import { useQuery } from '@tanstack/react-query';
import { api } from '@/lib/api';
import { Badge } from '@/components/ui/badge';
import { Card, CardContent, CardHeader, CardTitle } from '@/components/ui/card';
interface User {
id: string;
email: string;
username: string;
isSuperAdmin: boolean;
createdAt: string;
}
interface PaginatedResponse<T> {
data: T[];
meta: { total: number };
}
export function AdminUsersPage() {
const { data } = useQuery({
queryKey: ['admin-users'],
queryFn: () => api.get<PaginatedResponse<User>>('/admin/users'),
});
const users = data?.data ?? [];
return (
<div className="space-y-6">
<h1 className="text-2xl font-bold">Users</h1>
<Card>
<CardContent className="p-0">
<table className="w-full">
<thead>
<tr className="border-b text-left text-sm text-muted-foreground">
<th className="p-4 font-medium">Username</th>
<th className="p-4 font-medium">Email</th>
<th className="p-4 font-medium">Role</th>
<th className="p-4 font-medium">Created</th>
</tr>
</thead>
<tbody>
{users.map((user) => (
<tr key={user.id} className="border-b last:border-0">
<td className="p-4 font-medium">{user.username}</td>
<td className="p-4 text-muted-foreground">{user.email}</td>
<td className="p-4">
{user.isSuperAdmin ? (
<Badge>Admin</Badge>
) : (
<Badge variant="secondary">User</Badge>
)}
</td>
<td className="p-4 text-sm text-muted-foreground">
{new Date(user.createdAt).toLocaleDateString()}
</td>
</tr>
))}
</tbody>
</table>
</CardContent>
</Card>
</div>
);
}

View File

@ -0,0 +1,89 @@
import { useState } from 'react';
import { Link, useNavigate } from 'react-router';
import { Shield } from 'lucide-react';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Label } from '@/components/ui/label';
import { Card, CardContent, CardDescription, CardFooter, CardHeader, CardTitle } from '@/components/ui/card';
import { useAuthStore } from '@/stores/auth';
import { ApiError } from '@/lib/api';
export function LoginPage() {
const navigate = useNavigate();
const login = useAuthStore((s) => s.login);
const [email, setEmail] = useState('');
const [password, setPassword] = useState('');
const [error, setError] = useState('');
const [loading, setLoading] = useState(false);
const handleSubmit = async (e: React.FormEvent) => {
e.preventDefault();
setError('');
setLoading(true);
try {
await login(email, password);
navigate('/');
} catch (err) {
if (err instanceof ApiError) {
setError(err.status === 401 ? 'Invalid email or password' : 'An error occurred');
} else {
setError('An error occurred');
}
} finally {
setLoading(false);
}
};
return (
<div className="flex min-h-screen items-center justify-center bg-background p-4">
<Card className="w-full max-w-md">
<CardHeader className="text-center">
<div className="mx-auto mb-2 flex h-12 w-12 items-center justify-center rounded-lg bg-primary">
<Shield className="h-6 w-6 text-primary-foreground" />
</div>
<CardTitle className="text-2xl">Welcome back</CardTitle>
<CardDescription>Sign in to your GamePanel account</CardDescription>
</CardHeader>
<form onSubmit={handleSubmit}>
<CardContent className="space-y-4">
{error && (
<div className="rounded-md bg-destructive/10 p-3 text-sm text-destructive">{error}</div>
)}
<div className="space-y-2">
<Label htmlFor="email">Email</Label>
<Input
id="email"
type="email"
placeholder="you@example.com"
value={email}
onChange={(e) => setEmail(e.target.value)}
required
/>
</div>
<div className="space-y-2">
<Label htmlFor="password">Password</Label>
<Input
id="password"
type="password"
value={password}
onChange={(e) => setPassword(e.target.value)}
required
/>
</div>
</CardContent>
<CardFooter className="flex flex-col gap-3">
<Button type="submit" className="w-full" disabled={loading}>
{loading ? 'Signing in...' : 'Sign in'}
</Button>
<p className="text-sm text-muted-foreground">
Don't have an account?{' '}
<Link to="/register" className="text-primary hover:underline">
Sign up
</Link>
</p>
</CardFooter>
</form>
</Card>
</div>
);
}

View File

@ -0,0 +1,102 @@
import { useState } from 'react';
import { Link, useNavigate } from 'react-router';
import { Shield } from 'lucide-react';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Label } from '@/components/ui/label';
import { Card, CardContent, CardDescription, CardFooter, CardHeader, CardTitle } from '@/components/ui/card';
import { useAuthStore } from '@/stores/auth';
import { ApiError } from '@/lib/api';
export function RegisterPage() {
const navigate = useNavigate();
const register = useAuthStore((s) => s.register);
const [email, setEmail] = useState('');
const [username, setUsername] = useState('');
const [password, setPassword] = useState('');
const [error, setError] = useState('');
const [loading, setLoading] = useState(false);
const handleSubmit = async (e: React.FormEvent) => {
e.preventDefault();
setError('');
setLoading(true);
try {
await register(email, username, password);
navigate('/');
} catch (err) {
if (err instanceof ApiError) {
setError(err.status === 409 ? 'Email or username already taken' : 'An error occurred');
} else {
setError('An error occurred');
}
} finally {
setLoading(false);
}
};
return (
<div className="flex min-h-screen items-center justify-center bg-background p-4">
<Card className="w-full max-w-md">
<CardHeader className="text-center">
<div className="mx-auto mb-2 flex h-12 w-12 items-center justify-center rounded-lg bg-primary">
<Shield className="h-6 w-6 text-primary-foreground" />
</div>
<CardTitle className="text-2xl">Create an account</CardTitle>
<CardDescription>Get started with GamePanel</CardDescription>
</CardHeader>
<form onSubmit={handleSubmit}>
<CardContent className="space-y-4">
{error && (
<div className="rounded-md bg-destructive/10 p-3 text-sm text-destructive">{error}</div>
)}
<div className="space-y-2">
<Label htmlFor="email">Email</Label>
<Input
id="email"
type="email"
placeholder="you@example.com"
value={email}
onChange={(e) => setEmail(e.target.value)}
required
/>
</div>
<div className="space-y-2">
<Label htmlFor="username">Username</Label>
<Input
id="username"
placeholder="username"
value={username}
onChange={(e) => setUsername(e.target.value)}
required
/>
</div>
<div className="space-y-2">
<Label htmlFor="password">Password</Label>
<Input
id="password"
type="password"
placeholder="Min 8 characters"
value={password}
onChange={(e) => setPassword(e.target.value)}
required
minLength={8}
/>
</div>
</CardContent>
<CardFooter className="flex flex-col gap-3">
<Button type="submit" className="w-full" disabled={loading}>
{loading ? 'Creating account...' : 'Create account'}
</Button>
<p className="text-sm text-muted-foreground">
Already have an account?{' '}
<Link to="/login" className="text-primary hover:underline">
Sign in
</Link>
</p>
</CardFooter>
</form>
</Card>
</div>
);
}

View File

@ -0,0 +1,125 @@
import { useParams, Link } from 'react-router';
import { useQuery } from '@tanstack/react-query';
import { Server, Network, Activity, Plus } from 'lucide-react';
import { api } from '@/lib/api';
import { Card, CardContent, CardHeader, CardTitle } from '@/components/ui/card';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import { statusBadgeVariant } from '@/lib/utils';
interface ServerSummary {
id: string;
uuid: string;
name: string;
status: string;
gameName: string;
nodeName: string;
port: number;
}
interface PaginatedResponse<T> {
data: T[];
meta: { total: number; page: number; perPage: number; totalPages: number };
}
export function DashboardPage() {
const { orgId } = useParams();
const { data: serversData } = useQuery({
queryKey: ['servers', orgId],
queryFn: () => api.get<PaginatedResponse<ServerSummary>>(`/organizations/${orgId}/servers`),
});
const { data: nodesData } = useQuery({
queryKey: ['nodes', orgId],
queryFn: () => api.get<PaginatedResponse<{ id: string }>>(`/organizations/${orgId}/nodes`),
});
const servers = serversData?.data ?? [];
const running = servers.filter((s) => s.status === 'running').length;
const totalNodes = nodesData?.meta.total ?? 0;
return (
<div className="space-y-6">
<div className="flex items-center justify-between">
<h1 className="text-2xl font-bold">Dashboard</h1>
<Link to={`/org/${orgId}/servers/new`}>
<Button>
<Plus className="h-4 w-4" />
New Server
</Button>
</Link>
</div>
<div className="grid gap-4 sm:grid-cols-3">
<Card>
<CardHeader className="flex flex-row items-center justify-between pb-2">
<CardTitle className="text-sm font-medium text-muted-foreground">Total Servers</CardTitle>
<Server className="h-4 w-4 text-muted-foreground" />
</CardHeader>
<CardContent>
<div className="text-2xl font-bold">{servers.length}</div>
</CardContent>
</Card>
<Card>
<CardHeader className="flex flex-row items-center justify-between pb-2">
<CardTitle className="text-sm font-medium text-muted-foreground">Running</CardTitle>
<Activity className="h-4 w-4 text-green-500" />
</CardHeader>
<CardContent>
<div className="text-2xl font-bold text-green-500">{running}</div>
</CardContent>
</Card>
<Card>
<CardHeader className="flex flex-row items-center justify-between pb-2">
<CardTitle className="text-sm font-medium text-muted-foreground">Nodes</CardTitle>
<Network className="h-4 w-4 text-muted-foreground" />
</CardHeader>
<CardContent>
<div className="text-2xl font-bold">{totalNodes}</div>
</CardContent>
</Card>
</div>
<div>
<h2 className="mb-4 text-lg font-semibold">Servers</h2>
{servers.length === 0 ? (
<Card>
<CardContent className="flex flex-col items-center justify-center py-12">
<Server className="mb-4 h-12 w-12 text-muted-foreground/50" />
<p className="text-muted-foreground">No servers yet</p>
<Link to={`/org/${orgId}/servers/new`}>
<Button variant="outline" className="mt-4">
Create your first server
</Button>
</Link>
</CardContent>
</Card>
) : (
<div className="grid gap-3">
{servers.map((server) => (
<Link key={server.id} to={`/org/${orgId}/servers/${server.id}/console`}>
<Card className="transition-colors hover:border-primary/50">
<CardContent className="flex items-center justify-between p-4">
<div className="flex items-center gap-4">
<div className="flex h-10 w-10 items-center justify-center rounded-lg bg-primary/10">
<Server className="h-5 w-5 text-primary" />
</div>
<div>
<p className="font-medium">{server.name}</p>
<p className="text-sm text-muted-foreground">
{server.gameName} &middot; {server.nodeName} &middot; :{server.port}
</p>
</div>
</div>
<Badge variant={statusBadgeVariant(server.status)}>{server.status}</Badge>
</CardContent>
</Card>
</Link>
))}
</div>
)}
</div>
</div>
);
}

View File

@ -0,0 +1,182 @@
import { useState } from 'react';
import { useParams } from 'react-router';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { Plus, Network, Wifi, WifiOff } from 'lucide-react';
import { api } from '@/lib/api';
import { formatBytes } from '@/lib/utils';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Label } from '@/components/ui/label';
import { Card, CardContent, CardHeader, CardTitle } from '@/components/ui/card';
import { Badge } from '@/components/ui/badge';
import {
Dialog,
DialogContent,
DialogFooter,
DialogHeader,
DialogTitle,
DialogTrigger,
} from '@/components/ui/dialog';
interface NodeItem {
id: string;
name: string;
fqdn: string;
daemonPort: number;
grpcPort: number;
memoryTotal: number;
diskTotal: number;
isOnline: boolean;
}
interface PaginatedResponse<T> {
data: T[];
meta: { total: number };
}
export function NodesPage() {
const { orgId } = useParams();
const queryClient = useQueryClient();
const [open, setOpen] = useState(false);
const [name, setName] = useState('');
const [fqdn, setFqdn] = useState('');
const [daemonPort, setDaemonPort] = useState(8443);
const [grpcPort, setGrpcPort] = useState(50051);
const [memoryTotal, setMemoryTotal] = useState(8192);
const [diskTotal, setDiskTotal] = useState(51200);
const { data } = useQuery({
queryKey: ['nodes', orgId],
queryFn: () => api.get<PaginatedResponse<NodeItem>>(`/organizations/${orgId}/nodes`),
});
const createMutation = useMutation({
mutationFn: (body: Record<string, unknown>) =>
api.post(`/organizations/${orgId}/nodes`, body),
onSuccess: () => {
queryClient.invalidateQueries({ queryKey: ['nodes', orgId] });
setOpen(false);
setName('');
setFqdn('');
},
});
const nodes = data?.data ?? [];
return (
<div className="space-y-6">
<div className="flex items-center justify-between">
<div>
<h1 className="text-2xl font-bold">Nodes</h1>
<p className="text-muted-foreground">Manage your daemon nodes</p>
</div>
<Dialog open={open} onOpenChange={setOpen}>
<DialogTrigger asChild>
<Button>
<Plus className="h-4 w-4" /> Add Node
</Button>
</DialogTrigger>
<DialogContent>
<DialogHeader>
<DialogTitle>Add Node</DialogTitle>
</DialogHeader>
<form
onSubmit={(e) => {
e.preventDefault();
createMutation.mutate({
name,
fqdn,
daemonPort,
grpcPort,
memoryTotal: memoryTotal * 1024 * 1024,
diskTotal: diskTotal * 1024 * 1024,
});
}}
className="space-y-4"
>
<div className="grid gap-4 sm:grid-cols-2">
<div className="space-y-2">
<Label>Name</Label>
<Input value={name} onChange={(e) => setName(e.target.value)} required />
</div>
<div className="space-y-2">
<Label>FQDN</Label>
<Input
value={fqdn}
onChange={(e) => setFqdn(e.target.value)}
placeholder="node1.example.com"
required
/>
</div>
<div className="space-y-2">
<Label>Daemon Port</Label>
<Input
type="number"
value={daemonPort}
onChange={(e) => setDaemonPort(Number(e.target.value))}
/>
</div>
<div className="space-y-2">
<Label>gRPC Port</Label>
<Input
type="number"
value={grpcPort}
onChange={(e) => setGrpcPort(Number(e.target.value))}
/>
</div>
<div className="space-y-2">
<Label>Memory (MB)</Label>
<Input
type="number"
value={memoryTotal}
onChange={(e) => setMemoryTotal(Number(e.target.value))}
/>
</div>
<div className="space-y-2">
<Label>Disk (MB)</Label>
<Input
type="number"
value={diskTotal}
onChange={(e) => setDiskTotal(Number(e.target.value))}
/>
</div>
</div>
<DialogFooter>
<Button type="submit" disabled={createMutation.isPending}>
{createMutation.isPending ? 'Creating...' : 'Add Node'}
</Button>
</DialogFooter>
</form>
</DialogContent>
</Dialog>
</div>
<div className="grid gap-4 sm:grid-cols-2">
{nodes.map((node) => (
<Card key={node.id}>
<CardHeader className="flex flex-row items-center justify-between pb-2">
<div className="flex items-center gap-3">
<Network className="h-5 w-5 text-primary" />
<CardTitle className="text-base">{node.name}</CardTitle>
</div>
<Badge variant={node.isOnline ? 'default' : 'destructive'}>
{node.isOnline ? (
<><Wifi className="mr-1 h-3 w-3" /> Online</>
) : (
<><WifiOff className="mr-1 h-3 w-3" /> Offline</>
)}
</Badge>
</CardHeader>
<CardContent>
<p className="text-sm text-muted-foreground">{node.fqdn}:{node.daemonPort}</p>
<div className="mt-3 flex gap-4 text-sm">
<span>{formatBytes(node.memoryTotal)} RAM</span>
<span>{formatBytes(node.diskTotal)} Disk</span>
</div>
</CardContent>
</Card>
))}
</div>
</div>
);
}

View File

@ -0,0 +1,129 @@
import { useState } from 'react';
import { Link } from 'react-router';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { Plus, Building2 } from 'lucide-react';
import { api } from '@/lib/api';
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 {
Dialog,
DialogContent,
DialogFooter,
DialogHeader,
DialogTitle,
DialogTrigger,
} from '@/components/ui/dialog';
interface Organization {
id: string;
name: string;
slug: string;
maxServers: number;
maxNodes: number;
createdAt: string;
}
interface PaginatedResponse<T> {
data: T[];
meta: { total: number; page: number; perPage: number; totalPages: number };
}
export function OrganizationsPage() {
const queryClient = useQueryClient();
const [open, setOpen] = useState(false);
const [name, setName] = useState('');
const [slug, setSlug] = useState('');
const { data } = useQuery({
queryKey: ['organizations'],
queryFn: () => api.get<PaginatedResponse<Organization>>('/organizations'),
});
const createMutation = useMutation({
mutationFn: (body: { name: string; slug: string }) => api.post('/organizations', body),
onSuccess: () => {
queryClient.invalidateQueries({ queryKey: ['organizations'] });
setOpen(false);
setName('');
setSlug('');
},
});
return (
<div className="space-y-6">
<div className="flex items-center justify-between">
<div>
<h1 className="text-2xl font-bold">Organizations</h1>
<p className="text-muted-foreground">Manage your organizations</p>
</div>
<Dialog open={open} onOpenChange={setOpen}>
<DialogTrigger asChild>
<Button>
<Plus className="h-4 w-4" />
New Organization
</Button>
</DialogTrigger>
<DialogContent>
<DialogHeader>
<DialogTitle>Create Organization</DialogTitle>
</DialogHeader>
<form
onSubmit={(e) => {
e.preventDefault();
createMutation.mutate({ name, slug });
}}
className="space-y-4"
>
<div className="space-y-2">
<Label>Name</Label>
<Input value={name} onChange={(e) => setName(e.target.value)} required />
</div>
<div className="space-y-2">
<Label>Slug</Label>
<Input
value={slug}
onChange={(e) => setSlug(e.target.value.toLowerCase().replace(/[^a-z0-9-]/g, ''))}
pattern="^[a-z0-9-]+$"
required
/>
</div>
<DialogFooter>
<Button type="submit" disabled={createMutation.isPending}>
{createMutation.isPending ? 'Creating...' : 'Create'}
</Button>
</DialogFooter>
</form>
</DialogContent>
</Dialog>
</div>
<div className="grid gap-4 sm:grid-cols-2 lg:grid-cols-3">
{data?.data.map((org) => (
<Link key={org.id} to={`/org/${org.id}/dashboard`}>
<Card className="transition-colors hover:border-primary/50">
<CardHeader>
<div className="flex items-center gap-3">
<div className="flex h-10 w-10 items-center justify-center rounded-lg bg-primary/10">
<Building2 className="h-5 w-5 text-primary" />
</div>
<div>
<CardTitle className="text-base">{org.name}</CardTitle>
<CardDescription>{org.slug}</CardDescription>
</div>
</div>
</CardHeader>
<CardContent>
<div className="flex gap-4 text-sm text-muted-foreground">
<span>Max {org.maxServers} servers</span>
<span>Max {org.maxNodes} nodes</span>
</div>
</CardContent>
</Card>
</Link>
))}
</div>
</div>
);
}

View File

@ -0,0 +1,17 @@
import { useParams } from 'react-router';
import { HardDrive } from 'lucide-react';
import { Card, CardContent } from '@/components/ui/card';
export function BackupsPage() {
const { serverId } = useParams();
return (
<Card>
<CardContent className="flex flex-col items-center justify-center py-12">
<HardDrive className="mb-4 h-12 w-12 text-muted-foreground/50" />
<p className="text-muted-foreground">Backup management coming soon</p>
<p className="mt-1 text-xs text-muted-foreground">Server: {serverId}</p>
</CardContent>
</Card>
);
}

View File

@ -0,0 +1,127 @@
import { useEffect, useRef, useState } from 'react';
import { useParams } from 'react-router';
import { Terminal } from '@xterm/xterm';
import { FitAddon } from '@xterm/addon-fit';
import { WebLinksAddon } from '@xterm/addon-web-links';
import '@xterm/xterm/css/xterm.css';
import { getSocket, connectSocket } from '@/lib/socket';
import { Input } from '@/components/ui/input';
import { Button } from '@/components/ui/button';
import { Send } from 'lucide-react';
import { Card, CardContent } from '@/components/ui/card';
export function ConsolePage() {
const { orgId, serverId } = useParams();
const termRef = useRef<HTMLDivElement>(null);
const terminalRef = useRef<Terminal | null>(null);
const fitAddonRef = useRef<FitAddon | null>(null);
const [command, setCommand] = useState('');
const [history, setHistory] = useState<string[]>([]);
const [historyIndex, setHistoryIndex] = useState(-1);
useEffect(() => {
if (!termRef.current) return;
const terminal = new Terminal({
cursorBlink: false,
disableStdin: true,
fontSize: 13,
fontFamily: '"JetBrains Mono", "Fira Code", monospace',
theme: {
background: '#0a0a0f',
foreground: '#d4d4d8',
cursor: '#d4d4d8',
selectionBackground: '#27272a',
},
scrollback: 5000,
convertEol: true,
});
const fitAddon = new FitAddon();
terminal.loadAddon(fitAddon);
terminal.loadAddon(new WebLinksAddon());
terminal.open(termRef.current);
fitAddon.fit();
terminalRef.current = terminal;
fitAddonRef.current = fitAddon;
terminal.writeln('\x1b[90m--- Console connected ---\x1b[0m');
// Socket.IO connection
connectSocket();
const socket = getSocket();
socket.emit('server:console:join', { serverId });
const handleOutput = (data: { line: string }) => {
terminal.writeln(data.line);
};
socket.on('server:console:output', handleOutput);
const handleResize = () => fitAddon.fit();
window.addEventListener('resize', handleResize);
return () => {
socket.off('server:console:output', handleOutput);
socket.emit('server:console:leave', { serverId });
window.removeEventListener('resize', handleResize);
terminal.dispose();
};
}, [serverId]);
const sendCommand = () => {
if (!command.trim()) return;
const socket = getSocket();
socket.emit('server:console:command', { serverId, orgId, command: command.trim() });
setHistory((prev) => [...prev, command.trim()]);
setHistoryIndex(-1);
setCommand('');
};
const handleKeyDown = (e: React.KeyboardEvent) => {
if (e.key === 'Enter') {
sendCommand();
} else if (e.key === 'ArrowUp') {
e.preventDefault();
if (history.length === 0) return;
const newIndex = historyIndex < history.length - 1 ? historyIndex + 1 : historyIndex;
setHistoryIndex(newIndex);
setCommand(history[history.length - 1 - newIndex] ?? '');
} else if (e.key === 'ArrowDown') {
e.preventDefault();
if (historyIndex <= 0) {
setHistoryIndex(-1);
setCommand('');
} else {
const newIndex = historyIndex - 1;
setHistoryIndex(newIndex);
setCommand(history[history.length - 1 - newIndex] ?? '');
}
}
};
return (
<div className="flex flex-col gap-3">
<Card className="overflow-hidden">
<CardContent className="p-0">
<div ref={termRef} className="h-[500px]" />
</CardContent>
</Card>
<div className="flex gap-2">
<Input
placeholder="Type a command..."
value={command}
onChange={(e) => setCommand(e.target.value)}
onKeyDown={handleKeyDown}
className="font-mono text-sm"
/>
<Button onClick={sendCommand} size="icon">
<Send className="h-4 w-4" />
</Button>
</div>
</div>
);
}

View File

@ -0,0 +1,279 @@
import { useState } from 'react';
import { useParams } from 'react-router';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import {
Folder,
FileText,
ArrowUp,
Trash2,
Plus,
Download,
Upload,
Save,
X,
} from 'lucide-react';
import { api } from '@/lib/api';
import { formatBytes } from '@/lib/utils';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Card, CardContent, CardHeader, CardTitle } from '@/components/ui/card';
import {
Dialog,
DialogContent,
DialogFooter,
DialogHeader,
DialogTitle,
DialogClose,
} from '@/components/ui/dialog';
interface FileEntry {
name: string;
path: string;
isDirectory: boolean;
size: number;
modifiedAt: number;
}
export function FilesPage() {
const { orgId, serverId } = useParams();
const queryClient = useQueryClient();
const [currentPath, setCurrentPath] = useState('/');
const [editingFile, setEditingFile] = useState<{ path: string; content: string } | null>(null);
const [newFileName, setNewFileName] = useState('');
const [showNewFile, setShowNewFile] = useState(false);
const [deleteTarget, setDeleteTarget] = useState<string | null>(null);
const filesQuery = useQuery({
queryKey: ['files', orgId, serverId, currentPath],
queryFn: () =>
api.get<{ files: FileEntry[] }>(
`/organizations/${orgId}/servers/${serverId}/files`,
{ path: currentPath },
),
enabled: !editingFile,
});
const deleteMutation = useMutation({
mutationFn: (paths: string[]) =>
api.post(`/organizations/${orgId}/servers/${serverId}/files/delete`, { paths }),
onSuccess: () => {
queryClient.invalidateQueries({ queryKey: ['files', orgId, serverId, currentPath] });
setDeleteTarget(null);
},
});
const saveMutation = useMutation({
mutationFn: ({ path, data }: { path: string; data: string }) =>
api.post(`/organizations/${orgId}/servers/${serverId}/files/write`, { path, data }),
onSuccess: () => {
setEditingFile(null);
queryClient.invalidateQueries({ queryKey: ['files', orgId, serverId, currentPath] });
},
});
const createFileMutation = useMutation({
mutationFn: ({ path, data }: { path: string; data: string }) =>
api.post(`/organizations/${orgId}/servers/${serverId}/files/write`, { path, data }),
onSuccess: () => {
setShowNewFile(false);
setNewFileName('');
queryClient.invalidateQueries({ queryKey: ['files', orgId, serverId, currentPath] });
},
});
const openFile = async (file: FileEntry) => {
if (file.isDirectory) {
setCurrentPath(file.path);
return;
}
const res = await api.get<{ data: string }>(
`/organizations/${orgId}/servers/${serverId}/files/read`,
{ path: file.path },
);
setEditingFile({ path: file.path, content: res.data });
};
const goUp = () => {
if (currentPath === '/') return;
const parts = currentPath.split('/').filter(Boolean);
parts.pop();
setCurrentPath('/' + parts.join('/'));
};
const breadcrumbs = currentPath.split('/').filter(Boolean);
const files = filesQuery.data?.files ?? [];
return (
<div className="space-y-4">
{editingFile ? (
<Card>
<CardHeader className="flex flex-row items-center justify-between">
<CardTitle className="text-sm font-mono">{editingFile.path}</CardTitle>
<div className="flex gap-2">
<Button
size="sm"
onClick={() =>
saveMutation.mutate({ path: editingFile.path, data: editingFile.content })
}
disabled={saveMutation.isPending}
>
<Save className="h-4 w-4" />
Save
</Button>
<Button size="sm" variant="outline" onClick={() => setEditingFile(null)}>
<X className="h-4 w-4" />
Close
</Button>
</div>
</CardHeader>
<CardContent>
<textarea
value={editingFile.content}
onChange={(e) => setEditingFile({ ...editingFile, content: e.target.value })}
className="min-h-[500px] w-full rounded-md border bg-background p-3 font-mono text-sm focus:outline-none focus:ring-1 focus:ring-ring"
spellCheck={false}
/>
</CardContent>
</Card>
) : (
<>
<div className="flex items-center justify-between">
<div className="flex items-center gap-2 text-sm">
<Button variant="ghost" size="icon" onClick={goUp} disabled={currentPath === '/'}>
<ArrowUp className="h-4 w-4" />
</Button>
<span className="text-muted-foreground">/</span>
{breadcrumbs.map((crumb, i) => (
<span key={i} className="flex items-center gap-1">
<button
className="text-muted-foreground hover:text-foreground"
onClick={() =>
setCurrentPath('/' + breadcrumbs.slice(0, i + 1).join('/'))
}
>
{crumb}
</button>
{i < breadcrumbs.length - 1 && (
<span className="text-muted-foreground">/</span>
)}
</span>
))}
</div>
<Button size="sm" variant="outline" onClick={() => setShowNewFile(true)}>
<Plus className="h-4 w-4" />
New File
</Button>
</div>
{showNewFile && (
<div className="flex gap-2">
<Input
placeholder="filename.txt"
value={newFileName}
onChange={(e) => setNewFileName(e.target.value)}
onKeyDown={(e) => {
if (e.key === 'Enter' && newFileName) {
const path =
currentPath === '/' ? `/${newFileName}` : `${currentPath}/${newFileName}`;
createFileMutation.mutate({ path, data: '' });
}
}}
/>
<Button
size="sm"
onClick={() => {
if (!newFileName) return;
const path =
currentPath === '/' ? `/${newFileName}` : `${currentPath}/${newFileName}`;
createFileMutation.mutate({ path, data: '' });
}}
>
Create
</Button>
<Button
size="sm"
variant="ghost"
onClick={() => {
setShowNewFile(false);
setNewFileName('');
}}
>
Cancel
</Button>
</div>
)}
<Card>
<CardContent className="p-0">
<div className="divide-y">
{files.length === 0 && (
<div className="flex items-center justify-center py-12 text-muted-foreground">
This directory is empty
</div>
)}
{files.map((file) => (
<div
key={file.path}
className="flex cursor-pointer items-center justify-between px-4 py-2.5 hover:bg-muted/50"
onClick={() => openFile(file)}
>
<div className="flex items-center gap-3">
{file.isDirectory ? (
<Folder className="h-4 w-4 text-blue-400" />
) : (
<FileText className="h-4 w-4 text-muted-foreground" />
)}
<span className="text-sm">{file.name}</span>
</div>
<div className="flex items-center gap-4">
{!file.isDirectory && (
<span className="text-xs text-muted-foreground">
{formatBytes(file.size)}
</span>
)}
<Button
size="icon"
variant="ghost"
className="h-7 w-7"
onClick={(e) => {
e.stopPropagation();
setDeleteTarget(file.path);
}}
>
<Trash2 className="h-3.5 w-3.5 text-muted-foreground" />
</Button>
</div>
</div>
))}
</div>
</CardContent>
</Card>
<Dialog open={!!deleteTarget} onOpenChange={() => setDeleteTarget(null)}>
<DialogContent>
<DialogHeader>
<DialogTitle>Delete File</DialogTitle>
</DialogHeader>
<p className="text-sm text-muted-foreground">
Are you sure you want to delete <code className="font-mono">{deleteTarget}</code>?
</p>
<DialogFooter>
<DialogClose asChild>
<Button variant="outline">Cancel</Button>
</DialogClose>
<Button
variant="destructive"
onClick={() => deleteTarget && deleteMutation.mutate([deleteTarget])}
disabled={deleteMutation.isPending}
>
Delete
</Button>
</DialogFooter>
</DialogContent>
</Dialog>
</>
)}
</div>
);
}

View File

@ -0,0 +1,13 @@
import { Users } from 'lucide-react';
import { Card, CardContent } from '@/components/ui/card';
export function PlayersPage() {
return (
<Card>
<CardContent className="flex flex-col items-center justify-center py-12">
<Users className="mb-4 h-12 w-12 text-muted-foreground/50" />
<p className="text-muted-foreground">Active player tracking coming soon</p>
</CardContent>
</Card>
);
}

View File

@ -0,0 +1,13 @@
import { Puzzle } from 'lucide-react';
import { Card, CardContent } from '@/components/ui/card';
export function PluginsPage() {
return (
<Card>
<CardContent className="flex flex-col items-center justify-center py-12">
<Puzzle className="mb-4 h-12 w-12 text-muted-foreground/50" />
<p className="text-muted-foreground">Plugin management coming soon</p>
</CardContent>
</Card>
);
}

View File

@ -0,0 +1,13 @@
import { Calendar } from 'lucide-react';
import { Card, CardContent } from '@/components/ui/card';
export function SchedulesPage() {
return (
<Card>
<CardContent className="flex flex-col items-center justify-center py-12">
<Calendar className="mb-4 h-12 w-12 text-muted-foreground/50" />
<p className="text-muted-foreground">Scheduled tasks coming soon</p>
</CardContent>
</Card>
);
}

View File

@ -0,0 +1,101 @@
import { useState } from 'react';
import { useParams, useOutletContext } from 'react-router';
import { useMutation, useQueryClient } from '@tanstack/react-query';
import { api } from '@/lib/api';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Label } from '@/components/ui/label';
import { Card, CardContent, CardHeader, CardTitle, CardDescription } from '@/components/ui/card';
import { formatBytes } from '@/lib/utils';
interface ServerDetail {
id: string;
name: string;
description?: string;
memoryLimit: number;
diskLimit: number;
cpuLimit: number;
startupOverride?: string;
environment?: Record<string, string>;
}
export function ServerSettingsPage() {
const { orgId, serverId } = useParams();
const { server } = useOutletContext<{ server?: ServerDetail }>();
const queryClient = useQueryClient();
const [name, setName] = useState(server?.name ?? '');
const [description, setDescription] = useState(server?.description ?? '');
const updateMutation = useMutation({
mutationFn: (body: Record<string, unknown>) =>
api.patch(`/organizations/${orgId}/servers/${serverId}`, body),
onSuccess: () => {
queryClient.invalidateQueries({ queryKey: ['server', orgId, serverId] });
},
});
return (
<div className="space-y-6">
<Card>
<CardHeader>
<CardTitle>General</CardTitle>
<CardDescription>Basic server information</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="space-y-2">
<Label>Name</Label>
<Input value={name} onChange={(e) => setName(e.target.value)} />
</div>
<div className="space-y-2">
<Label>Description</Label>
<Input value={description} onChange={(e) => setDescription(e.target.value)} />
</div>
<Button
onClick={() => updateMutation.mutate({ name, description })}
disabled={updateMutation.isPending}
>
Save Changes
</Button>
</CardContent>
</Card>
<Card>
<CardHeader>
<CardTitle>Resources</CardTitle>
<CardDescription>Current resource limits</CardDescription>
</CardHeader>
<CardContent>
<div className="grid gap-4 sm:grid-cols-3">
<div className="rounded-lg border p-4">
<p className="text-sm text-muted-foreground">Memory</p>
<p className="text-lg font-semibold">
{server ? formatBytes(server.memoryLimit) : '—'}
</p>
</div>
<div className="rounded-lg border p-4">
<p className="text-sm text-muted-foreground">Disk</p>
<p className="text-lg font-semibold">
{server ? formatBytes(server.diskLimit) : '—'}
</p>
</div>
<div className="rounded-lg border p-4">
<p className="text-sm text-muted-foreground">CPU</p>
<p className="text-lg font-semibold">{server?.cpuLimit ?? '—'}%</p>
</div>
</div>
</CardContent>
</Card>
<Card className="border-destructive">
<CardHeader>
<CardTitle className="text-destructive">Danger Zone</CardTitle>
<CardDescription>Irreversible actions</CardDescription>
</CardHeader>
<CardContent>
<Button variant="destructive">Delete Server</Button>
</CardContent>
</Card>
</div>
);
}

View File

@ -0,0 +1,277 @@
import { useState } from 'react';
import { useParams, useNavigate } from 'react-router';
import { useQuery, useMutation } from '@tanstack/react-query';
import { api } from '@/lib/api';
import { formatBytes } from '@/lib/utils';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Label } from '@/components/ui/label';
import { Card, CardContent, CardHeader, CardTitle, CardDescription } from '@/components/ui/card';
import { Select, SelectContent, SelectItem, SelectTrigger, SelectValue } from '@/components/ui/select';
interface Game {
id: string;
name: string;
slug: string;
dockerImage: string;
}
interface Node {
id: string;
name: string;
fqdn: string;
memoryTotal: number;
diskTotal: number;
}
interface Allocation {
id: string;
ip: string;
port: number;
serverId: string | null;
}
interface PaginatedResponse<T> {
data: T[];
meta: { total: number };
}
export function CreateServerPage() {
const { orgId } = useParams();
const navigate = useNavigate();
const [step, setStep] = useState(1);
const [name, setName] = useState('');
const [description, setDescription] = useState('');
const [gameId, setGameId] = useState('');
const [nodeId, setNodeId] = useState('');
const [allocationId, setAllocationId] = useState('');
const [memoryLimit, setMemoryLimit] = useState(1024);
const [diskLimit, setDiskLimit] = useState(5120);
const [cpuLimit, setCpuLimit] = useState(100);
const { data: gamesData } = useQuery({
queryKey: ['admin-games'],
queryFn: () => api.get<PaginatedResponse<Game>>('/admin/games'),
});
const { data: nodesData } = useQuery({
queryKey: ['nodes', orgId],
queryFn: () => api.get<PaginatedResponse<Node>>(`/organizations/${orgId}/nodes`),
});
const { data: allocationsData } = useQuery({
queryKey: ['allocations', orgId, nodeId],
queryFn: () =>
api.get<PaginatedResponse<Allocation>>(
`/organizations/${orgId}/nodes/${nodeId}/allocations`,
),
enabled: !!nodeId,
});
const freeAllocations = (allocationsData?.data ?? []).filter((a) => !a.serverId);
const createMutation = useMutation({
mutationFn: (body: Record<string, unknown>) =>
api.post(`/organizations/${orgId}/servers`, body),
onSuccess: () => {
navigate(`/org/${orgId}/dashboard`);
},
});
const games = gamesData?.data ?? [];
const nodes = nodesData?.data ?? [];
const handleCreate = () => {
createMutation.mutate({
name,
description: description || undefined,
gameId,
nodeId,
allocationId,
memoryLimit: memoryLimit * 1024 * 1024,
diskLimit: diskLimit * 1024 * 1024,
cpuLimit,
});
};
return (
<div className="mx-auto max-w-2xl space-y-6">
<div>
<h1 className="text-2xl font-bold">Create Server</h1>
<p className="text-muted-foreground">Set up a new game server</p>
</div>
<div className="flex gap-2">
{[1, 2, 3].map((s) => (
<div
key={s}
className={`h-1.5 flex-1 rounded-full ${s <= step ? 'bg-primary' : 'bg-muted'}`}
/>
))}
</div>
{step === 1 && (
<Card>
<CardHeader>
<CardTitle>Basic Information</CardTitle>
<CardDescription>Choose a name and game for your server</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="space-y-2">
<Label>Server Name</Label>
<Input
value={name}
onChange={(e) => setName(e.target.value)}
placeholder="My Awesome Server"
/>
</div>
<div className="space-y-2">
<Label>Description (optional)</Label>
<Input
value={description}
onChange={(e) => setDescription(e.target.value)}
placeholder="A short description"
/>
</div>
<div className="space-y-2">
<Label>Game</Label>
<Select value={gameId} onValueChange={setGameId}>
<SelectTrigger>
<SelectValue placeholder="Select a game" />
</SelectTrigger>
<SelectContent>
{games.map((game) => (
<SelectItem key={game.id} value={game.id}>
{game.name}
</SelectItem>
))}
</SelectContent>
</Select>
</div>
<Button onClick={() => setStep(2)} disabled={!name || !gameId}>
Next
</Button>
</CardContent>
</Card>
)}
{step === 2 && (
<Card>
<CardHeader>
<CardTitle>Node & Allocation</CardTitle>
<CardDescription>Choose where to host your server</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="space-y-2">
<Label>Node</Label>
<Select
value={nodeId}
onValueChange={(v) => {
setNodeId(v);
setAllocationId('');
}}
>
<SelectTrigger>
<SelectValue placeholder="Select a node" />
</SelectTrigger>
<SelectContent>
{nodes.map((node) => (
<SelectItem key={node.id} value={node.id}>
{node.name} ({node.fqdn})
</SelectItem>
))}
</SelectContent>
</Select>
</div>
{nodeId && (
<div className="space-y-2">
<Label>Port Allocation</Label>
<Select value={allocationId} onValueChange={setAllocationId}>
<SelectTrigger>
<SelectValue placeholder="Select a port" />
</SelectTrigger>
<SelectContent>
{freeAllocations.map((a) => (
<SelectItem key={a.id} value={a.id}>
{a.ip}:{a.port}
</SelectItem>
))}
</SelectContent>
</Select>
{freeAllocations.length === 0 && nodeId && (
<p className="text-sm text-destructive">No free allocations on this node</p>
)}
</div>
)}
<div className="flex gap-2">
<Button variant="outline" onClick={() => setStep(1)}>
Back
</Button>
<Button onClick={() => setStep(3)} disabled={!nodeId || !allocationId}>
Next
</Button>
</div>
</CardContent>
</Card>
)}
{step === 3 && (
<Card>
<CardHeader>
<CardTitle>Resources</CardTitle>
<CardDescription>Set resource limits for this server</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="space-y-2">
<Label>Memory (MB)</Label>
<Input
type="number"
value={memoryLimit}
onChange={(e) => setMemoryLimit(Number(e.target.value))}
min={128}
/>
<p className="text-xs text-muted-foreground">
{formatBytes(memoryLimit * 1024 * 1024)}
</p>
</div>
<div className="space-y-2">
<Label>Disk (MB)</Label>
<Input
type="number"
value={diskLimit}
onChange={(e) => setDiskLimit(Number(e.target.value))}
min={256}
/>
<p className="text-xs text-muted-foreground">
{formatBytes(diskLimit * 1024 * 1024)}
</p>
</div>
<div className="space-y-2">
<Label>CPU Limit (%)</Label>
<Input
type="number"
value={cpuLimit}
onChange={(e) => setCpuLimit(Number(e.target.value))}
min={10}
max={10000}
/>
<p className="text-xs text-muted-foreground">100% = 1 core</p>
</div>
<div className="flex gap-2">
<Button variant="outline" onClick={() => setStep(2)}>
Back
</Button>
<Button onClick={handleCreate} disabled={createMutation.isPending}>
{createMutation.isPending ? 'Creating...' : 'Create Server'}
</Button>
</div>
{createMutation.isError && (
<p className="text-sm text-destructive">Failed to create server. Please try again.</p>
)}
</CardContent>
</Card>
)}
</div>
);
}

View File

@ -0,0 +1,143 @@
import { useState } from 'react';
import { useParams } from 'react-router';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { Plus, Trash2 } from 'lucide-react';
import { api } from '@/lib/api';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Label } from '@/components/ui/label';
import { Badge } from '@/components/ui/badge';
import { Card, CardContent, CardHeader, CardTitle } from '@/components/ui/card';
import {
Dialog,
DialogContent,
DialogFooter,
DialogHeader,
DialogTitle,
DialogTrigger,
} from '@/components/ui/dialog';
import { Select, SelectContent, SelectItem, SelectTrigger, SelectValue } from '@/components/ui/select';
interface Member {
id: string;
userId: string;
username: string;
email: string;
role: 'admin' | 'user';
}
export function MembersPage() {
const { orgId } = useParams();
const queryClient = useQueryClient();
const [open, setOpen] = useState(false);
const [email, setEmail] = useState('');
const [role, setRole] = useState<'admin' | 'user'>('user');
const { data: members } = useQuery({
queryKey: ['members', orgId],
queryFn: () => api.get<Member[]>(`/organizations/${orgId}/members`),
});
const addMutation = useMutation({
mutationFn: (body: { email: string; role: string }) =>
api.post(`/organizations/${orgId}/members`, body),
onSuccess: () => {
queryClient.invalidateQueries({ queryKey: ['members', orgId] });
setOpen(false);
setEmail('');
},
});
const removeMutation = useMutation({
mutationFn: (memberId: string) =>
api.delete(`/organizations/${orgId}/members/${memberId}`),
onSuccess: () => {
queryClient.invalidateQueries({ queryKey: ['members', orgId] });
},
});
return (
<div className="space-y-6">
<div className="flex items-center justify-between">
<div>
<h1 className="text-2xl font-bold">Members</h1>
<p className="text-muted-foreground">Manage organization members</p>
</div>
<Dialog open={open} onOpenChange={setOpen}>
<DialogTrigger asChild>
<Button>
<Plus className="h-4 w-4" /> Add Member
</Button>
</DialogTrigger>
<DialogContent>
<DialogHeader>
<DialogTitle>Add Member</DialogTitle>
</DialogHeader>
<form
onSubmit={(e) => {
e.preventDefault();
addMutation.mutate({ email, role });
}}
className="space-y-4"
>
<div className="space-y-2">
<Label>Email</Label>
<Input
type="email"
value={email}
onChange={(e) => setEmail(e.target.value)}
required
/>
</div>
<div className="space-y-2">
<Label>Role</Label>
<Select value={role} onValueChange={(v) => setRole(v as 'admin' | 'user')}>
<SelectTrigger>
<SelectValue />
</SelectTrigger>
<SelectContent>
<SelectItem value="admin">Admin</SelectItem>
<SelectItem value="user">User</SelectItem>
</SelectContent>
</Select>
</div>
<DialogFooter>
<Button type="submit" disabled={addMutation.isPending}>
Add
</Button>
</DialogFooter>
</form>
</DialogContent>
</Dialog>
</div>
<Card>
<CardContent className="p-0">
<div className="divide-y">
{(members ?? []).map((member) => (
<div key={member.id} className="flex items-center justify-between px-4 py-3">
<div>
<p className="font-medium">{member.username}</p>
<p className="text-sm text-muted-foreground">{member.email}</p>
</div>
<div className="flex items-center gap-2">
<Badge variant={member.role === 'admin' ? 'default' : 'secondary'}>
{member.role}
</Badge>
<Button
size="icon"
variant="ghost"
className="h-8 w-8"
onClick={() => removeMutation.mutate(member.id)}
>
<Trash2 className="h-4 w-4 text-muted-foreground" />
</Button>
</div>
</div>
))}
</div>
</CardContent>
</Card>
</div>
);
}

View File

@ -0,0 +1,69 @@
import { create } from 'zustand';
import { api, ApiError } from '@/lib/api';
interface User {
id: string;
email: string;
username: string;
isSuperAdmin: boolean;
avatarUrl: string | null;
}
interface AuthState {
user: User | null;
isLoading: boolean;
isAuthenticated: boolean;
login: (email: string, password: string) => Promise<void>;
register: (email: string, username: string, password: string) => Promise<void>;
logout: () => Promise<void>;
fetchUser: () => Promise<void>;
}
export const useAuthStore = create<AuthState>((set) => ({
user: null,
isLoading: true,
isAuthenticated: false,
login: async (email, password) => {
const data = await api.post<{ accessToken: string; user: User }>('/auth/login', {
email,
password,
});
localStorage.setItem('access_token', data.accessToken);
set({ user: data.user, isAuthenticated: true });
},
register: async (email, username, password) => {
const data = await api.post<{ accessToken: string; user: User }>('/auth/register', {
email,
username,
password,
});
localStorage.setItem('access_token', data.accessToken);
set({ user: data.user, isAuthenticated: true });
},
logout: async () => {
try {
await api.post('/auth/logout');
} catch {
// ignore
}
localStorage.removeItem('access_token');
set({ user: null, isAuthenticated: false });
},
fetchUser: async () => {
try {
const user = await api.get<User>('/auth/me');
set({ user, isAuthenticated: true, isLoading: false });
} catch (err) {
if (err instanceof ApiError && err.status === 401) {
set({ user: null, isAuthenticated: false, isLoading: false });
} else {
set({ isLoading: false });
}
}
},
}));

File diff suppressed because it is too large Load Diff