Add Next.js admin panel and implement background worker jobs

- Add full Next.js admin panel with:
  - User, residence, task, contractor, document management
  - Notifications and notification preferences management
  - Subscriptions and auth token management
  - Dashboard with stats
  - Lookup tables management (categories, priorities, statuses, etc.)
  - Admin user management

- Implement background worker job handlers:
  - HandleTaskReminder: sends push notifications for tasks due within 24h
  - HandleOverdueReminder: sends push notifications for overdue tasks
  - HandleDailyDigest: sends daily summary of pending tasks
  - HandleSendEmail: processes email sending jobs
  - HandleSendPush: processes push notification jobs

- Make worker job schedules configurable via environment variables:
  - TASK_REMINDER_HOUR, TASK_REMINDER_MINUTE (default: 20:00 UTC)
  - OVERDUE_REMINDER_HOUR (default: 09:00 UTC)
  - DAILY_DIGEST_HOUR (default: 11:00 UTC)

🤖 Generated with [Claude Code](https://claude.com/claude-code)

Co-Authored-By: Claude <noreply@anthropic.com>
This commit is contained in:
Trey t
2025-11-27 23:35:00 -06:00
parent eed5c21586
commit 2817deee3c
129 changed files with 26838 additions and 693 deletions

3
.gitignore vendored
View File

@@ -7,7 +7,8 @@
bin/
api
worker
admin
/admin
!admin/
*.exe
*.exe~
*.dll

41
admin/.gitignore vendored Normal file
View File

@@ -0,0 +1,41 @@
# See https://help.github.com/articles/ignoring-files/ for more about ignoring files.
# dependencies
/node_modules
/.pnp
.pnp.*
.yarn/*
!.yarn/patches
!.yarn/plugins
!.yarn/releases
!.yarn/versions
# testing
/coverage
# next.js
/.next/
/out/
# production
/build
# misc
.DS_Store
*.pem
# debug
npm-debug.log*
yarn-debug.log*
yarn-error.log*
.pnpm-debug.log*
# env files (can opt-in for committing if needed)
.env*
# vercel
.vercel
# typescript
*.tsbuildinfo
next-env.d.ts

36
admin/README.md Normal file
View File

@@ -0,0 +1,36 @@
This is a [Next.js](https://nextjs.org) project bootstrapped with [`create-next-app`](https://nextjs.org/docs/app/api-reference/cli/create-next-app).
## Getting Started
First, run the development server:
```bash
npm run dev
# or
yarn dev
# or
pnpm dev
# or
bun dev
```
Open [http://localhost:3000](http://localhost:3000) with your browser to see the result.
You can start editing the page by modifying `app/page.tsx`. The page auto-updates as you edit the file.
This project uses [`next/font`](https://nextjs.org/docs/app/building-your-application/optimizing/fonts) to automatically optimize and load [Geist](https://vercel.com/font), a new font family for Vercel.
## Learn More
To learn more about Next.js, take a look at the following resources:
- [Next.js Documentation](https://nextjs.org/docs) - learn about Next.js features and API.
- [Learn Next.js](https://nextjs.org/learn) - an interactive Next.js tutorial.
You can check out [the Next.js GitHub repository](https://github.com/vercel/next.js) - your feedback and contributions are welcome!
## Deploy on Vercel
The easiest way to deploy your Next.js app is to use the [Vercel Platform](https://vercel.com/new?utm_medium=default-template&filter=next.js&utm_source=create-next-app&utm_campaign=create-next-app-readme) from the creators of Next.js.
Check out our [Next.js deployment documentation](https://nextjs.org/docs/app/building-your-application/deploying) for more details.

22
admin/components.json Normal file
View File

@@ -0,0 +1,22 @@
{
"$schema": "https://ui.shadcn.com/schema.json",
"style": "new-york",
"rsc": true,
"tsx": true,
"tailwind": {
"config": "",
"css": "src/app/globals.css",
"baseColor": "zinc",
"cssVariables": true,
"prefix": ""
},
"iconLibrary": "lucide",
"aliases": {
"components": "@/components",
"utils": "@/lib/utils",
"ui": "@/components/ui",
"lib": "@/lib",
"hooks": "@/hooks"
},
"registries": {}
}

18
admin/eslint.config.mjs Normal file
View File

@@ -0,0 +1,18 @@
import { defineConfig, globalIgnores } from "eslint/config";
import nextVitals from "eslint-config-next/core-web-vitals";
import nextTs from "eslint-config-next/typescript";
const eslintConfig = defineConfig([
...nextVitals,
...nextTs,
// Override default ignores of eslint-config-next.
globalIgnores([
// Default ignores of eslint-config-next:
".next/**",
"out/**",
"build/**",
"next-env.d.ts",
]),
]);
export default eslintConfig;

12
admin/next.config.ts Normal file
View File

@@ -0,0 +1,12 @@
import type { NextConfig } from "next";
const nextConfig: NextConfig = {
output: "standalone",
basePath: "/admin",
trailingSlash: true,
images: {
unoptimized: true,
},
};
export default nextConfig;

8051
admin/package-lock.json generated Normal file

File diff suppressed because it is too large Load Diff

51
admin/package.json Normal file
View File

@@ -0,0 +1,51 @@
{
"name": "admin",
"version": "0.1.0",
"private": true,
"scripts": {
"dev": "next dev",
"build": "next build",
"start": "next start",
"lint": "eslint"
},
"dependencies": {
"@hookform/resolvers": "^5.2.2",
"@radix-ui/react-alert-dialog": "^1.1.15",
"@radix-ui/react-checkbox": "^1.3.3",
"@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-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-tooltip": "^1.2.8",
"@tanstack/react-query": "^5.90.11",
"@tanstack/react-table": "^8.21.3",
"axios": "^1.13.2",
"class-variance-authority": "^0.7.1",
"clsx": "^2.1.1",
"lucide-react": "^0.555.0",
"next": "16.0.5",
"next-themes": "^0.4.6",
"react": "19.2.0",
"react-dom": "19.2.0",
"react-hook-form": "^7.66.1",
"sonner": "^2.0.7",
"tailwind-merge": "^3.4.0",
"zod": "^4.1.13",
"zustand": "^5.0.8"
},
"devDependencies": {
"@tailwindcss/postcss": "^4",
"@types/node": "^20",
"@types/react": "^19",
"@types/react-dom": "^19",
"eslint": "^9",
"eslint-config-next": "16.0.5",
"tailwindcss": "^4",
"tw-animate-css": "^1.4.0",
"typescript": "^5"
}
}

7
admin/postcss.config.mjs Normal file
View File

@@ -0,0 +1,7 @@
const config = {
plugins: {
"@tailwindcss/postcss": {},
},
};
export default config;

1
admin/public/file.svg Normal file
View File

@@ -0,0 +1 @@
<svg fill="none" viewBox="0 0 16 16" xmlns="http://www.w3.org/2000/svg"><path d="M14.5 13.5V5.41a1 1 0 0 0-.3-.7L9.8.29A1 1 0 0 0 9.08 0H1.5v13.5A2.5 2.5 0 0 0 4 16h8a2.5 2.5 0 0 0 2.5-2.5m-1.5 0v-7H8v-5H3v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1M9.5 5V2.12L12.38 5zM5.13 5h-.62v1.25h2.12V5zm-.62 3h7.12v1.25H4.5zm.62 3h-.62v1.25h7.12V11z" clip-rule="evenodd" fill="#666" fill-rule="evenodd"/></svg>

After

Width:  |  Height:  |  Size: 391 B

1
admin/public/globe.svg Normal file
View File

@@ -0,0 +1 @@
<svg fill="none" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16"><g clip-path="url(#a)"><path fill-rule="evenodd" clip-rule="evenodd" d="M10.27 14.1a6.5 6.5 0 0 0 3.67-3.45q-1.24.21-2.7.34-.31 1.83-.97 3.1M8 16A8 8 0 1 0 8 0a8 8 0 0 0 0 16m.48-1.52a7 7 0 0 1-.96 0H7.5a4 4 0 0 1-.84-1.32q-.38-.89-.63-2.08a40 40 0 0 0 3.92 0q-.25 1.2-.63 2.08a4 4 0 0 1-.84 1.31zm2.94-4.76q1.66-.15 2.95-.43a7 7 0 0 0 0-2.58q-1.3-.27-2.95-.43a18 18 0 0 1 0 3.44m-1.27-3.54a17 17 0 0 1 0 3.64 39 39 0 0 1-4.3 0 17 17 0 0 1 0-3.64 39 39 0 0 1 4.3 0m1.1-1.17q1.45.13 2.69.34a6.5 6.5 0 0 0-3.67-3.44q.65 1.26.98 3.1M8.48 1.5l.01.02q.41.37.84 1.31.38.89.63 2.08a40 40 0 0 0-3.92 0q.25-1.2.63-2.08a4 4 0 0 1 .85-1.32 7 7 0 0 1 .96 0m-2.75.4a6.5 6.5 0 0 0-3.67 3.44 29 29 0 0 1 2.7-.34q.31-1.83.97-3.1M4.58 6.28q-1.66.16-2.95.43a7 7 0 0 0 0 2.58q1.3.27 2.95.43a18 18 0 0 1 0-3.44m.17 4.71q-1.45-.12-2.69-.34a6.5 6.5 0 0 0 3.67 3.44q-.65-1.27-.98-3.1" fill="#666"/></g><defs><clipPath id="a"><path fill="#fff" d="M0 0h16v16H0z"/></clipPath></defs></svg>

After

Width:  |  Height:  |  Size: 1.0 KiB

1
admin/public/next.svg Normal file
View File

@@ -0,0 +1 @@
<svg xmlns="http://www.w3.org/2000/svg" fill="none" viewBox="0 0 394 80"><path fill="#000" d="M262 0h68.5v12.7h-27.2v66.6h-13.6V12.7H262V0ZM149 0v12.7H94v20.4h44.3v12.6H94v21h55v12.6H80.5V0h68.7zm34.3 0h-17.8l63.8 79.4h17.9l-32-39.7 32-39.6h-17.9l-23 28.6-23-28.6zm18.3 56.7-9-11-27.1 33.7h17.8l18.3-22.7z"/><path fill="#000" d="M81 79.3 17 0H0v79.3h13.6V17l50.2 62.3H81Zm252.6-.4c-1 0-1.8-.4-2.5-1s-1.1-1.6-1.1-2.6.3-1.8 1-2.5 1.6-1 2.6-1 1.8.3 2.5 1a3.4 3.4 0 0 1 .6 4.3 3.7 3.7 0 0 1-3 1.8zm23.2-33.5h6v23.3c0 2.1-.4 4-1.3 5.5a9.1 9.1 0 0 1-3.8 3.5c-1.6.8-3.5 1.3-5.7 1.3-2 0-3.7-.4-5.3-1s-2.8-1.8-3.7-3.2c-.9-1.3-1.4-3-1.4-5h6c.1.8.3 1.6.7 2.2s1 1.2 1.6 1.5c.7.4 1.5.5 2.4.5 1 0 1.8-.2 2.4-.6a4 4 0 0 0 1.6-1.8c.3-.8.5-1.8.5-3V45.5zm30.9 9.1a4.4 4.4 0 0 0-2-3.3 7.5 7.5 0 0 0-4.3-1.1c-1.3 0-2.4.2-3.3.5-.9.4-1.6 1-2 1.6a3.5 3.5 0 0 0-.3 4c.3.5.7.9 1.3 1.2l1.8 1 2 .5 3.2.8c1.3.3 2.5.7 3.7 1.2a13 13 0 0 1 3.2 1.8 8.1 8.1 0 0 1 3 6.5c0 2-.5 3.7-1.5 5.1a10 10 0 0 1-4.4 3.5c-1.8.8-4.1 1.2-6.8 1.2-2.6 0-4.9-.4-6.8-1.2-2-.8-3.4-2-4.5-3.5a10 10 0 0 1-1.7-5.6h6a5 5 0 0 0 3.5 4.6c1 .4 2.2.6 3.4.6 1.3 0 2.5-.2 3.5-.6 1-.4 1.8-1 2.4-1.7a4 4 0 0 0 .8-2.4c0-.9-.2-1.6-.7-2.2a11 11 0 0 0-2.1-1.4l-3.2-1-3.8-1c-2.8-.7-5-1.7-6.6-3.2a7.2 7.2 0 0 1-2.4-5.7 8 8 0 0 1 1.7-5 10 10 0 0 1 4.3-3.5c2-.8 4-1.2 6.4-1.2 2.3 0 4.4.4 6.2 1.2 1.8.8 3.2 2 4.3 3.4 1 1.4 1.5 3 1.5 5h-5.8z"/></svg>

After

Width:  |  Height:  |  Size: 1.3 KiB

1
admin/public/vercel.svg Normal file
View File

@@ -0,0 +1 @@
<svg fill="none" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 1155 1000"><path d="m577.3 0 577.4 1000H0z" fill="#fff"/></svg>

After

Width:  |  Height:  |  Size: 128 B

1
admin/public/window.svg Normal file
View File

@@ -0,0 +1 @@
<svg fill="none" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 16 16"><path fill-rule="evenodd" clip-rule="evenodd" d="M1.5 2.5h13v10a1 1 0 0 1-1 1h-11a1 1 0 0 1-1-1zM0 1h16v11.5a2.5 2.5 0 0 1-2.5 2.5h-11A2.5 2.5 0 0 1 0 12.5zm3.75 4.5a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5M7 4.75a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0m1.75.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5" fill="#666"/></svg>

After

Width:  |  Height:  |  Size: 385 B

View File

@@ -0,0 +1,310 @@
'use client';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { useParams, useRouter } from 'next/navigation';
import Link from 'next/link';
import { ArrowLeft, Save } from 'lucide-react';
import { toast } from 'sonner';
import { useForm } from 'react-hook-form';
import { zodResolver } from '@hookform/resolvers/zod';
import * as z from 'zod';
import { useEffect } from 'react';
import { adminUsersApi, type UpdateAdminUserRequest } from '@/lib/api';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Switch } from '@/components/ui/switch';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import {
Form,
FormControl,
FormDescription,
FormField,
FormItem,
FormLabel,
FormMessage,
} from '@/components/ui/form';
import {
Select,
SelectContent,
SelectItem,
SelectTrigger,
SelectValue,
} from '@/components/ui/select';
import { useAuthStore } from '@/store/auth';
const formSchema = z.object({
email: z.string().email('Invalid email address'),
password: z.string().min(8, 'Password must be at least 8 characters').optional().or(z.literal('')),
first_name: z.string().max(100).optional(),
last_name: z.string().max(100).optional(),
role: z.enum(['admin', 'super_admin']).optional(),
is_active: z.boolean().optional(),
});
type FormValues = z.infer<typeof formSchema>;
export default function EditAdminUserPage() {
const params = useParams();
const router = useRouter();
const queryClient = useQueryClient();
const { user: currentUser } = useAuthStore();
const adminUserId = Number(params.id);
const isSuperAdmin = currentUser?.role === 'super_admin';
const isSelf = currentUser?.id === adminUserId;
const { data: adminUser, isLoading: isLoadingUser } = useQuery({
queryKey: ['admin-user', adminUserId],
queryFn: () => adminUsersApi.get(adminUserId),
enabled: !!adminUserId,
});
const form = useForm<FormValues>({
resolver: zodResolver(formSchema),
defaultValues: {
email: '',
password: '',
first_name: '',
last_name: '',
role: 'admin',
is_active: true,
},
});
useEffect(() => {
if (adminUser) {
form.reset({
email: adminUser.email,
password: '',
first_name: adminUser.first_name || '',
last_name: adminUser.last_name || '',
role: adminUser.role,
is_active: adminUser.is_active,
});
}
}, [adminUser, form]);
const updateMutation = useMutation({
mutationFn: (data: UpdateAdminUserRequest) => adminUsersApi.update(adminUserId, data),
onSuccess: () => {
toast.success('Admin user updated successfully');
queryClient.invalidateQueries({ queryKey: ['admin-users'] });
queryClient.invalidateQueries({ queryKey: ['admin-user', adminUserId] });
router.push(`/admin-users/${adminUserId}`);
},
onError: (error: Error & { response?: { data?: { error?: string } } }) => {
toast.error(error.response?.data?.error || 'Failed to update admin user');
},
});
const onSubmit = (values: FormValues) => {
const data: UpdateAdminUserRequest = {};
if (values.email !== adminUser?.email) {
data.email = values.email;
}
if (values.password && values.password.length > 0) {
data.password = values.password;
}
if (values.first_name !== adminUser?.first_name) {
data.first_name = values.first_name;
}
if (values.last_name !== adminUser?.last_name) {
data.last_name = values.last_name;
}
if (isSuperAdmin && values.role !== adminUser?.role) {
data.role = values.role;
}
if (isSuperAdmin && values.is_active !== adminUser?.is_active) {
data.is_active = values.is_active;
}
updateMutation.mutate(data);
};
if (isLoadingUser) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-muted-foreground">Loading...</div>
</div>
);
}
if (!adminUser) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-red-500">Admin user not found</div>
</div>
);
}
// Check permissions
if (!isSuperAdmin && !isSelf) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-red-500">You do not have permission to edit this admin user</div>
</div>
);
}
return (
<div className="space-y-6">
{/* Header */}
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href={`/admin-users/${adminUserId}`}>
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<h1 className="text-2xl font-bold">Edit Admin User</h1>
<p className="text-muted-foreground">{adminUser.email}</p>
</div>
</div>
<Form {...form}>
<form onSubmit={form.handleSubmit(onSubmit)} className="space-y-6">
<Card>
<CardHeader>
<CardTitle>Account Details</CardTitle>
<CardDescription>Update administrator account information</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<FormField
control={form.control}
name="email"
render={({ field }) => (
<FormItem>
<FormLabel>Email</FormLabel>
<FormControl>
<Input type="email" {...field} />
</FormControl>
<FormMessage />
</FormItem>
)}
/>
<FormField
control={form.control}
name="password"
render={({ field }) => (
<FormItem>
<FormLabel>Password</FormLabel>
<FormControl>
<Input type="password" placeholder="Leave blank to keep current password" {...field} />
</FormControl>
<FormDescription>
Only fill this if you want to change the password
</FormDescription>
<FormMessage />
</FormItem>
)}
/>
<div className="grid grid-cols-2 gap-4">
<FormField
control={form.control}
name="first_name"
render={({ field }) => (
<FormItem>
<FormLabel>First Name</FormLabel>
<FormControl>
<Input {...field} />
</FormControl>
<FormMessage />
</FormItem>
)}
/>
<FormField
control={form.control}
name="last_name"
render={({ field }) => (
<FormItem>
<FormLabel>Last Name</FormLabel>
<FormControl>
<Input {...field} />
</FormControl>
<FormMessage />
</FormItem>
)}
/>
</div>
{isSuperAdmin && (
<>
<FormField
control={form.control}
name="role"
render={({ field }) => (
<FormItem>
<FormLabel>Role</FormLabel>
<Select onValueChange={field.onChange} value={field.value}>
<FormControl>
<SelectTrigger>
<SelectValue placeholder="Select a role" />
</SelectTrigger>
</FormControl>
<SelectContent>
<SelectItem value="admin">Admin</SelectItem>
<SelectItem value="super_admin">Super Admin</SelectItem>
</SelectContent>
</Select>
<FormDescription>
Super admins can manage other admin users
</FormDescription>
<FormMessage />
</FormItem>
)}
/>
<FormField
control={form.control}
name="is_active"
render={({ field }) => (
<FormItem className="flex flex-row items-center justify-between rounded-lg border p-4">
<div className="space-y-0.5">
<FormLabel className="text-base">Active</FormLabel>
<FormDescription>
{isSelf
? 'You cannot deactivate your own account'
: 'Inactive accounts cannot log in'
}
</FormDescription>
</div>
<FormControl>
<Switch
checked={field.value}
onCheckedChange={field.onChange}
disabled={isSelf}
/>
</FormControl>
</FormItem>
)}
/>
</>
)}
</CardContent>
</Card>
<div className="flex justify-end gap-4">
<Button type="button" variant="outline" asChild>
<Link href={`/admin-users/${adminUserId}`}>Cancel</Link>
</Button>
<Button type="submit" disabled={updateMutation.isPending}>
<Save className="mr-2 h-4 w-4" />
{updateMutation.isPending ? 'Saving...' : 'Save Changes'}
</Button>
</div>
</form>
</Form>
</div>
);
}

View File

@@ -0,0 +1,211 @@
'use client';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { useParams, useRouter } from 'next/navigation';
import Link from 'next/link';
import { ArrowLeft, Trash2, UserCog, Pencil } from 'lucide-react';
import { toast } from 'sonner';
import { adminUsersApi } from '@/lib/api';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import {
AlertDialog,
AlertDialogAction,
AlertDialogCancel,
AlertDialogContent,
AlertDialogDescription,
AlertDialogFooter,
AlertDialogHeader,
AlertDialogTitle,
} from '@/components/ui/alert-dialog';
import { useState } from 'react';
import { useAuthStore } from '@/store/auth';
const roleColors: Record<string, 'default' | 'secondary' | 'destructive'> = {
super_admin: 'destructive',
admin: 'default',
};
export default function AdminUserDetailPage() {
const params = useParams();
const router = useRouter();
const queryClient = useQueryClient();
const { user: currentUser } = useAuthStore();
const adminUserId = Number(params.id);
const [showDeleteDialog, setShowDeleteDialog] = useState(false);
const isSuperAdmin = currentUser?.role === 'super_admin';
const isSelf = currentUser?.id === adminUserId;
const { data: adminUser, isLoading, error } = useQuery({
queryKey: ['admin-user', adminUserId],
queryFn: () => adminUsersApi.get(adminUserId),
enabled: !!adminUserId,
});
const deleteMutation = useMutation({
mutationFn: () => adminUsersApi.delete(adminUserId),
onSuccess: () => {
toast.success('Admin user deleted successfully');
queryClient.invalidateQueries({ queryKey: ['admin-users'] });
router.push('/admin-users');
},
onError: () => {
toast.error('Failed to delete admin user');
},
});
if (isLoading) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-muted-foreground">Loading...</div>
</div>
);
}
if (error || !adminUser) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-red-500">Failed to load admin user</div>
</div>
);
}
return (
<div className="space-y-6">
{/* Header */}
<div className="flex items-center justify-between">
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href="/admin-users">
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<div className="flex items-center gap-2">
<UserCog className="h-5 w-5 text-muted-foreground" />
<h1 className="text-2xl font-bold">{adminUser.email}</h1>
<Badge variant={roleColors[adminUser.role] || 'secondary'} className="capitalize">
{adminUser.role.replace('_', ' ')}
</Badge>
</div>
<p className="text-muted-foreground">
{adminUser.first_name} {adminUser.last_name}
</p>
</div>
</div>
<div className="flex items-center gap-2">
{(isSuperAdmin || isSelf) && (
<Button variant="outline" asChild>
<Link href={`/admin-users/${adminUserId}/edit`}>
<Pencil className="mr-2 h-4 w-4" />
Edit
</Link>
</Button>
)}
{isSuperAdmin && !isSelf && (
<Button
variant="destructive"
onClick={() => setShowDeleteDialog(true)}
disabled={deleteMutation.isPending}
>
<Trash2 className="mr-2 h-4 w-4" />
Delete
</Button>
)}
</div>
</div>
<div className="grid gap-6 md:grid-cols-2">
{/* Admin Details */}
<Card>
<CardHeader>
<CardTitle>Account Details</CardTitle>
<CardDescription>Administrator account information</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-2 gap-4">
<div>
<div className="text-sm font-medium text-muted-foreground">Email</div>
<div className="font-medium">{adminUser.email}</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Status</div>
<Badge variant={adminUser.is_active ? 'default' : 'secondary'}>
{adminUser.is_active ? 'Active' : 'Inactive'}
</Badge>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">First Name</div>
<div>{adminUser.first_name || '-'}</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Last Name</div>
<div>{adminUser.last_name || '-'}</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Role</div>
<Badge variant={roleColors[adminUser.role] || 'secondary'} className="capitalize">
{adminUser.role.replace('_', ' ')}
</Badge>
</div>
</div>
</CardContent>
</Card>
{/* Activity */}
<Card>
<CardHeader>
<CardTitle>Activity</CardTitle>
<CardDescription>Login and account activity</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-2 gap-4">
<div>
<div className="text-sm font-medium text-muted-foreground">Last Login</div>
<div>
{adminUser.last_login
? new Date(adminUser.last_login).toLocaleString()
: 'Never'}
</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Created</div>
<div>{new Date(adminUser.created_at).toLocaleString()}</div>
</div>
</div>
</CardContent>
</Card>
</div>
<AlertDialog open={showDeleteDialog} onOpenChange={setShowDeleteDialog}>
<AlertDialogContent>
<AlertDialogHeader>
<AlertDialogTitle>Delete Admin User</AlertDialogTitle>
<AlertDialogDescription>
Are you sure you want to delete the admin user &quot;{adminUser.email}&quot;?
This action cannot be undone.
</AlertDialogDescription>
</AlertDialogHeader>
<AlertDialogFooter>
<AlertDialogCancel>Cancel</AlertDialogCancel>
<AlertDialogAction
onClick={() => deleteMutation.mutate()}
className="bg-red-600 hover:bg-red-700"
>
{deleteMutation.isPending ? 'Deleting...' : 'Delete'}
</AlertDialogAction>
</AlertDialogFooter>
</AlertDialogContent>
</AlertDialog>
</div>
);
}

View File

@@ -0,0 +1,250 @@
'use client';
import { useMutation, useQueryClient } from '@tanstack/react-query';
import { useRouter } from 'next/navigation';
import Link from 'next/link';
import { ArrowLeft, Save } from 'lucide-react';
import { toast } from 'sonner';
import { useForm } from 'react-hook-form';
import { zodResolver } from '@hookform/resolvers/zod';
import * as z from 'zod';
import { adminUsersApi, type CreateAdminUserRequest } from '@/lib/api';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Switch } from '@/components/ui/switch';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import {
Form,
FormControl,
FormDescription,
FormField,
FormItem,
FormLabel,
FormMessage,
} from '@/components/ui/form';
import {
Select,
SelectContent,
SelectItem,
SelectTrigger,
SelectValue,
} from '@/components/ui/select';
import { useAuthStore } from '@/store/auth';
const formSchema = z.object({
email: z.string().email('Invalid email address'),
password: z.string().min(8, 'Password must be at least 8 characters'),
first_name: z.string().max(100).optional(),
last_name: z.string().max(100).optional(),
role: z.enum(['admin', 'super_admin']),
is_active: z.boolean(),
});
type FormValues = z.infer<typeof formSchema>;
export default function NewAdminUserPage() {
const router = useRouter();
const queryClient = useQueryClient();
const { user: currentUser } = useAuthStore();
const isSuperAdmin = currentUser?.role === 'super_admin';
const form = useForm<FormValues>({
resolver: zodResolver(formSchema),
defaultValues: {
email: '',
password: '',
first_name: '',
last_name: '',
role: 'admin',
is_active: true,
},
});
const createMutation = useMutation({
mutationFn: (data: CreateAdminUserRequest) => adminUsersApi.create(data),
onSuccess: (data) => {
toast.success('Admin user created successfully');
queryClient.invalidateQueries({ queryKey: ['admin-users'] });
router.push(`/admin-users/${data.id}`);
},
onError: (error: Error & { response?: { data?: { error?: string } } }) => {
toast.error(error.response?.data?.error || 'Failed to create admin user');
},
});
const onSubmit = (values: FormValues) => {
const data: CreateAdminUserRequest = {
email: values.email,
password: values.password,
first_name: values.first_name || undefined,
last_name: values.last_name || undefined,
role: values.role,
is_active: values.is_active,
};
createMutation.mutate(data);
};
// Only super admins can create admin users
if (!isSuperAdmin) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-red-500">Only super admins can create admin users</div>
</div>
);
}
return (
<div className="space-y-6">
{/* Header */}
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href="/admin-users">
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<h1 className="text-2xl font-bold">New Admin User</h1>
<p className="text-muted-foreground">Create a new administrator account</p>
</div>
</div>
<Form {...form}>
<form onSubmit={form.handleSubmit(onSubmit)} className="space-y-6">
<Card>
<CardHeader>
<CardTitle>Account Details</CardTitle>
<CardDescription>Enter the administrator account information</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<FormField
control={form.control}
name="email"
render={({ field }) => (
<FormItem>
<FormLabel>Email</FormLabel>
<FormControl>
<Input type="email" placeholder="admin@example.com" {...field} />
</FormControl>
<FormMessage />
</FormItem>
)}
/>
<FormField
control={form.control}
name="password"
render={({ field }) => (
<FormItem>
<FormLabel>Password</FormLabel>
<FormControl>
<Input type="password" placeholder="Enter a strong password" {...field} />
</FormControl>
<FormDescription>
Must be at least 8 characters
</FormDescription>
<FormMessage />
</FormItem>
)}
/>
<div className="grid grid-cols-2 gap-4">
<FormField
control={form.control}
name="first_name"
render={({ field }) => (
<FormItem>
<FormLabel>First Name</FormLabel>
<FormControl>
<Input {...field} />
</FormControl>
<FormMessage />
</FormItem>
)}
/>
<FormField
control={form.control}
name="last_name"
render={({ field }) => (
<FormItem>
<FormLabel>Last Name</FormLabel>
<FormControl>
<Input {...field} />
</FormControl>
<FormMessage />
</FormItem>
)}
/>
</div>
<FormField
control={form.control}
name="role"
render={({ field }) => (
<FormItem>
<FormLabel>Role</FormLabel>
<Select onValueChange={field.onChange} value={field.value}>
<FormControl>
<SelectTrigger>
<SelectValue placeholder="Select a role" />
</SelectTrigger>
</FormControl>
<SelectContent>
<SelectItem value="admin">Admin</SelectItem>
<SelectItem value="super_admin">Super Admin</SelectItem>
</SelectContent>
</Select>
<FormDescription>
Super admins can manage other admin users
</FormDescription>
<FormMessage />
</FormItem>
)}
/>
<FormField
control={form.control}
name="is_active"
render={({ field }) => (
<FormItem className="flex flex-row items-center justify-between rounded-lg border p-4">
<div className="space-y-0.5">
<FormLabel className="text-base">Active</FormLabel>
<FormDescription>
Inactive accounts cannot log in
</FormDescription>
</div>
<FormControl>
<Switch
checked={field.value}
onCheckedChange={field.onChange}
/>
</FormControl>
</FormItem>
)}
/>
</CardContent>
</Card>
<div className="flex justify-end gap-4">
<Button type="button" variant="outline" asChild>
<Link href="/admin-users">Cancel</Link>
</Button>
<Button type="submit" disabled={createMutation.isPending}>
<Save className="mr-2 h-4 w-4" />
{createMutation.isPending ? 'Creating...' : 'Create Admin User'}
</Button>
</div>
</form>
</Form>
</div>
);
}

View File

@@ -0,0 +1,246 @@
'use client';
import { useState } from 'react';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { ColumnDef } from '@tanstack/react-table';
import Link from 'next/link';
import { MoreHorizontal, Plus, Trash2 } from 'lucide-react';
import { adminUsersApi, type ManagedAdminUser } from '@/lib/api';
import { DataTable } from '@/components/data-table';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import {
DropdownMenu,
DropdownMenuContent,
DropdownMenuItem,
DropdownMenuLabel,
DropdownMenuSeparator,
DropdownMenuTrigger,
} from '@/components/ui/dropdown-menu';
import {
AlertDialog,
AlertDialogAction,
AlertDialogCancel,
AlertDialogContent,
AlertDialogDescription,
AlertDialogFooter,
AlertDialogHeader,
AlertDialogTitle,
} from '@/components/ui/alert-dialog';
import { toast } from 'sonner';
import { useAuthStore } from '@/store/auth';
const roleColors: Record<string, 'default' | 'secondary' | 'destructive'> = {
super_admin: 'destructive',
admin: 'default',
};
const columns: ColumnDef<ManagedAdminUser>[] = [
{
accessorKey: 'email',
header: 'Email',
cell: ({ row }) => (
<Link
href={`/admin-users/${row.original.id}`}
className="font-medium text-blue-600 hover:underline"
>
{row.original.email}
</Link>
),
},
{
accessorKey: 'first_name',
header: 'Name',
cell: ({ row }) => {
const firstName = row.original.first_name;
const lastName = row.original.last_name;
return firstName || lastName ? `${firstName} ${lastName}`.trim() : '-';
},
},
{
accessorKey: 'role',
header: 'Role',
cell: ({ row }) => (
<Badge variant={roleColors[row.original.role] || 'secondary'} className="capitalize">
{row.original.role.replace('_', ' ')}
</Badge>
),
},
{
accessorKey: 'is_active',
header: 'Status',
cell: ({ row }) => (
<Badge variant={row.original.is_active ? 'default' : 'secondary'}>
{row.original.is_active ? 'Active' : 'Inactive'}
</Badge>
),
},
{
accessorKey: 'last_login',
header: 'Last Login',
cell: ({ row }) => {
const lastLogin = row.original.last_login;
if (!lastLogin) return '-';
return new Date(lastLogin).toLocaleString();
},
},
{
accessorKey: 'created_at',
header: 'Created',
cell: ({ row }) => {
const date = new Date(row.original.created_at);
return date.toLocaleDateString();
},
},
{
id: 'actions',
cell: ({ row }) => {
const adminUser = row.original;
return (
<DropdownMenu>
<DropdownMenuTrigger asChild>
<Button variant="ghost" className="h-8 w-8 p-0">
<span className="sr-only">Open menu</span>
<MoreHorizontal className="h-4 w-4" />
</Button>
</DropdownMenuTrigger>
<DropdownMenuContent align="end">
<DropdownMenuLabel>Actions</DropdownMenuLabel>
<DropdownMenuItem asChild>
<Link href={`/admin-users/${adminUser.id}`}>View details</Link>
</DropdownMenuItem>
<DropdownMenuItem asChild>
<Link href={`/admin-users/${adminUser.id}/edit`}>Edit</Link>
</DropdownMenuItem>
<DropdownMenuSeparator />
<DropdownMenuItem className="text-red-600">
Delete
</DropdownMenuItem>
</DropdownMenuContent>
</DropdownMenu>
);
},
},
];
export default function AdminUsersPage() {
const queryClient = useQueryClient();
const { user } = useAuthStore();
const [page, setPage] = useState(1);
const [pageSize, setPageSize] = useState(20);
const [search, setSearch] = useState('');
const [selectedRows, setSelectedRows] = useState<ManagedAdminUser[]>([]);
const [showDeleteDialog, setShowDeleteDialog] = useState(false);
const isSuperAdmin = user?.role === 'super_admin';
const { data, isLoading } = useQuery({
queryKey: ['admin-users', { page, per_page: pageSize, search }],
queryFn: () => adminUsersApi.list({ page, per_page: pageSize, search: search || undefined }),
});
const deleteMutation = useMutation({
mutationFn: async (ids: number[]) => {
for (const id of ids) {
await adminUsersApi.delete(id);
}
},
onSuccess: () => {
queryClient.invalidateQueries({ queryKey: ['admin-users'] });
setSelectedRows([]);
setShowDeleteDialog(false);
toast.success(`${selectedRows.length} admin user(s) deleted`);
},
onError: () => {
toast.error('Failed to delete admin users');
},
});
const handleDelete = () => {
const ids = selectedRows.map((u) => u.id);
deleteMutation.mutate(ids);
};
return (
<div className="space-y-4">
<div className="flex items-center justify-between">
<div>
<h1 className="text-2xl font-bold">Admin Users</h1>
<p className="text-muted-foreground">
Manage administrator accounts
</p>
</div>
<div className="flex items-center gap-2">
{selectedRows.length > 0 && isSuperAdmin && (
<Button
variant="destructive"
size="sm"
onClick={() => setShowDeleteDialog(true)}
>
<Trash2 className="h-4 w-4 mr-2" />
Delete ({selectedRows.length})
</Button>
)}
{isSuperAdmin && (
<Button asChild>
<Link href="/admin-users/new">
<Plus className="mr-2 h-4 w-4" />
Add Admin
</Link>
</Button>
)}
</div>
</div>
{!isSuperAdmin && (
<div className="bg-yellow-50 border border-yellow-200 rounded-md p-4 text-yellow-800 text-sm">
Only super admins can create, edit, or delete admin users.
</div>
)}
<DataTable
columns={columns}
data={data?.data ?? []}
totalCount={data?.total ?? 0}
page={page}
pageSize={pageSize}
onPageChange={setPage}
onPageSizeChange={(size) => {
setPageSize(size);
setPage(1);
}}
searchValue={search}
onSearchChange={(value) => {
setSearch(value);
setPage(1);
}}
searchPlaceholder="Search admin users..."
isLoading={isLoading}
enableRowSelection={isSuperAdmin}
onRowSelectionChange={setSelectedRows}
/>
<AlertDialog open={showDeleteDialog} onOpenChange={setShowDeleteDialog}>
<AlertDialogContent>
<AlertDialogHeader>
<AlertDialogTitle>Delete Admin Users</AlertDialogTitle>
<AlertDialogDescription>
Are you sure you want to delete {selectedRows.length} admin user(s)?
This action cannot be undone.
</AlertDialogDescription>
</AlertDialogHeader>
<AlertDialogFooter>
<AlertDialogCancel>Cancel</AlertDialogCancel>
<AlertDialogAction
onClick={handleDelete}
className="bg-red-600 hover:bg-red-700"
>
{deleteMutation.isPending ? 'Deleting...' : 'Delete'}
</AlertDialogAction>
</AlertDialogFooter>
</AlertDialogContent>
</AlertDialog>
</div>
);
}

View File

@@ -0,0 +1,297 @@
'use client';
import { useState } from 'react';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import Link from 'next/link';
import { Key, Trash2, Search, ChevronLeft, ChevronRight } from 'lucide-react';
import { toast } from 'sonner';
import { authTokensApi, type AuthToken, type AuthTokenListParams } from '@/lib/api';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Checkbox } from '@/components/ui/checkbox';
import {
Table,
TableBody,
TableCell,
TableHead,
TableHeader,
TableRow,
} from '@/components/ui/table';
import {
AlertDialog,
AlertDialogAction,
AlertDialogCancel,
AlertDialogContent,
AlertDialogDescription,
AlertDialogFooter,
AlertDialogHeader,
AlertDialogTitle,
AlertDialogTrigger,
} from '@/components/ui/alert-dialog';
export default function AuthTokensPage() {
const queryClient = useQueryClient();
const [params, setParams] = useState<AuthTokenListParams>({
page: 1,
per_page: 20,
});
const [search, setSearch] = useState('');
const [selectedRows, setSelectedRows] = useState<number[]>([]);
const { data, isLoading, error } = useQuery({
queryKey: ['auth-tokens', params],
queryFn: () => authTokensApi.list(params),
});
const revokeMutation = useMutation({
mutationFn: (userId: number) => authTokensApi.revoke(userId),
onSuccess: () => {
toast.success('Token revoked successfully');
queryClient.invalidateQueries({ queryKey: ['auth-tokens'] });
},
onError: () => {
toast.error('Failed to revoke token');
},
});
const bulkRevokeMutation = useMutation({
mutationFn: (userIds: number[]) => authTokensApi.bulkRevoke(userIds),
onSuccess: () => {
toast.success('Tokens revoked successfully');
queryClient.invalidateQueries({ queryKey: ['auth-tokens'] });
setSelectedRows([]);
},
onError: () => {
toast.error('Failed to revoke tokens');
},
});
const handleSearch = (e: React.FormEvent) => {
e.preventDefault();
setParams({ ...params, search, page: 1 });
};
const handleSelectAll = (checked: boolean) => {
if (checked && data?.data) {
setSelectedRows(data.data.map((t) => t.user_id));
} else {
setSelectedRows([]);
}
};
const handleSelectRow = (userId: number, checked: boolean) => {
if (checked) {
setSelectedRows([...selectedRows, userId]);
} else {
setSelectedRows(selectedRows.filter((id) => id !== userId));
}
};
const totalPages = data ? Math.ceil(data.total / (params.per_page || 20)) : 0;
if (error) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-red-500">Failed to load auth tokens</div>
</div>
);
}
return (
<div className="space-y-6">
<div className="flex items-center justify-between">
<div>
<h1 className="text-2xl font-bold">Auth Tokens</h1>
<p className="text-muted-foreground">
Manage user authentication tokens
</p>
</div>
</div>
{/* Search and Bulk Actions */}
<div className="flex items-center justify-between gap-4">
<form onSubmit={handleSearch} className="flex gap-2 flex-1 max-w-md">
<div className="relative flex-1">
<Search className="absolute left-3 top-1/2 h-4 w-4 -translate-y-1/2 text-muted-foreground" />
<Input
placeholder="Search by username, email, or key..."
value={search}
onChange={(e) => setSearch(e.target.value)}
className="pl-9"
/>
</div>
<Button type="submit" variant="secondary">
Search
</Button>
</form>
{selectedRows.length > 0 && (
<AlertDialog>
<AlertDialogTrigger asChild>
<Button variant="destructive">
<Trash2 className="mr-2 h-4 w-4" />
Revoke Selected ({selectedRows.length})
</Button>
</AlertDialogTrigger>
<AlertDialogContent>
<AlertDialogHeader>
<AlertDialogTitle>Revoke Selected Tokens?</AlertDialogTitle>
<AlertDialogDescription>
This will revoke {selectedRows.length} token(s). Users will need to log in again.
</AlertDialogDescription>
</AlertDialogHeader>
<AlertDialogFooter>
<AlertDialogCancel>Cancel</AlertDialogCancel>
<AlertDialogAction
onClick={() => bulkRevokeMutation.mutate(selectedRows)}
className="bg-destructive text-destructive-foreground hover:bg-destructive/90"
>
Revoke
</AlertDialogAction>
</AlertDialogFooter>
</AlertDialogContent>
</AlertDialog>
)}
</div>
{/* Table */}
<div className="rounded-md border">
<Table>
<TableHeader>
<TableRow>
<TableHead className="w-12">
<Checkbox
checked={
data?.data &&
data.data.length > 0 &&
selectedRows.length === data.data.length
}
onCheckedChange={handleSelectAll}
/>
</TableHead>
<TableHead>User</TableHead>
<TableHead>Email</TableHead>
<TableHead>Token</TableHead>
<TableHead>Created</TableHead>
<TableHead className="w-24">Actions</TableHead>
</TableRow>
</TableHeader>
<TableBody>
{isLoading ? (
<TableRow>
<TableCell colSpan={6} className="text-center py-8">
Loading...
</TableCell>
</TableRow>
) : data?.data?.length === 0 ? (
<TableRow>
<TableCell colSpan={6} className="text-center py-8">
No auth tokens found
</TableCell>
</TableRow>
) : (
data?.data?.map((token) => (
<TableRow key={token.user_id}>
<TableCell>
<Checkbox
checked={selectedRows.includes(token.user_id)}
onCheckedChange={(checked) =>
handleSelectRow(token.user_id, checked as boolean)
}
/>
</TableCell>
<TableCell>
<Link
href={`/admin/users/${token.user_id}`}
className="font-medium text-blue-600 hover:underline"
>
{token.username}
</Link>
</TableCell>
<TableCell>{token.email}</TableCell>
<TableCell>
<code className="text-xs bg-muted px-2 py-1 rounded">
{token.key.substring(0, 8)}...{token.key.substring(token.key.length - 4)}
</code>
</TableCell>
<TableCell>
{new Date(token.created).toLocaleDateString()}
</TableCell>
<TableCell>
<AlertDialog>
<AlertDialogTrigger asChild>
<Button
variant="ghost"
size="icon"
className="text-red-600 hover:text-red-700 hover:bg-red-50"
>
<Trash2 className="h-4 w-4" />
</Button>
</AlertDialogTrigger>
<AlertDialogContent>
<AlertDialogHeader>
<AlertDialogTitle>Revoke Token?</AlertDialogTitle>
<AlertDialogDescription>
This will revoke the token for {token.username}. They will need to log in again.
</AlertDialogDescription>
</AlertDialogHeader>
<AlertDialogFooter>
<AlertDialogCancel>Cancel</AlertDialogCancel>
<AlertDialogAction
onClick={() => revokeMutation.mutate(token.user_id)}
className="bg-destructive text-destructive-foreground hover:bg-destructive/90"
>
Revoke
</AlertDialogAction>
</AlertDialogFooter>
</AlertDialogContent>
</AlertDialog>
</TableCell>
</TableRow>
))
)}
</TableBody>
</Table>
</div>
{/* Pagination */}
{data && totalPages > 1 && (
<div className="flex items-center justify-between">
<div className="text-sm text-muted-foreground">
Showing {((params.page || 1) - 1) * (params.per_page || 20) + 1} to{' '}
{Math.min(
(params.page || 1) * (params.per_page || 20),
data.total
)}{' '}
of {data.total} tokens
</div>
<div className="flex items-center gap-2">
<Button
variant="outline"
size="sm"
disabled={(params.page || 1) <= 1}
onClick={() =>
setParams({ ...params, page: (params.page || 1) - 1 })
}
>
<ChevronLeft className="h-4 w-4" />
Previous
</Button>
<Button
variant="outline"
size="sm"
disabled={(params.page || 1) >= totalPages}
onClick={() =>
setParams({ ...params, page: (params.page || 1) + 1 })
}
>
Next
<ChevronRight className="h-4 w-4" />
</Button>
</div>
</div>
)}
</div>
);
}

View File

@@ -0,0 +1,133 @@
'use client';
import { useEffect, useState } from 'react';
import { useRouter, useParams } from 'next/navigation';
import { useMutation, useQuery } from '@tanstack/react-query';
import { ArrowLeft } from 'lucide-react';
import Link from 'next/link';
import { completionsApi } from '@/lib/api';
import type { UpdateCompletionRequest } from '@/types/models';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Label } from '@/components/ui/label';
import { Textarea } from '@/components/ui/textarea';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import { toast } from 'sonner';
export default function EditCompletionPage() {
const router = useRouter();
const params = useParams();
const completionId = Number(params.id);
const [formData, setFormData] = useState<UpdateCompletionRequest>({
notes: '',
actual_cost: '',
});
const { data: completion, isLoading } = useQuery({
queryKey: ['completion', completionId],
queryFn: () => completionsApi.get(completionId),
enabled: !!completionId,
});
useEffect(() => {
if (completion) {
setFormData({
notes: completion.notes || '',
actual_cost: completion.actual_cost || '',
});
}
}, [completion]);
const updateMutation = useMutation({
mutationFn: (data: UpdateCompletionRequest) => completionsApi.update(completionId, data),
onSuccess: () => {
toast.success('Completion updated successfully');
router.push(`/completions/${completionId}`);
},
onError: (error: Error) => {
toast.error(error.message || 'Failed to update completion');
},
});
const handleSubmit = (e: React.FormEvent) => {
e.preventDefault();
updateMutation.mutate(formData);
};
const updateField = (field: keyof UpdateCompletionRequest, value: string) => {
setFormData((prev) => ({ ...prev, [field]: value }));
};
if (isLoading) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-muted-foreground">Loading...</div>
</div>
);
}
return (
<div className="space-y-6">
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href={`/completions/${completionId}`}>
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<h1 className="text-2xl font-bold">Edit Completion</h1>
<p className="text-muted-foreground">Update completion details for {completion?.task_title}</p>
</div>
</div>
<form onSubmit={handleSubmit} className="space-y-6">
<Card>
<CardHeader>
<CardTitle>Completion Details</CardTitle>
<CardDescription>Update the completion information</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="space-y-2">
<Label htmlFor="actual_cost">Actual Cost</Label>
<Input
id="actual_cost"
type="number"
step="0.01"
value={formData.actual_cost || ''}
onChange={(e) => updateField('actual_cost', e.target.value)}
placeholder="0.00"
/>
</div>
<div className="space-y-2">
<Label htmlFor="notes">Notes</Label>
<Textarea
id="notes"
value={formData.notes || ''}
onChange={(e) => updateField('notes', e.target.value)}
placeholder="Completion notes..."
rows={4}
/>
</div>
</CardContent>
</Card>
<div className="flex justify-end gap-4">
<Button type="button" variant="outline" asChild>
<Link href={`/completions/${completionId}`}>Cancel</Link>
</Button>
<Button type="submit" disabled={updateMutation.isPending}>
{updateMutation.isPending ? 'Saving...' : 'Save Changes'}
</Button>
</div>
</form>
</div>
);
}

View File

@@ -0,0 +1,247 @@
'use client';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { useParams, useRouter } from 'next/navigation';
import Link from 'next/link';
import { ArrowLeft, Trash2, ExternalLink, Calendar, DollarSign, User, ClipboardList, Building2, Pencil } from 'lucide-react';
import { toast } from 'sonner';
import { completionsApi } from '@/lib/api';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import {
AlertDialog,
AlertDialogAction,
AlertDialogCancel,
AlertDialogContent,
AlertDialogDescription,
AlertDialogFooter,
AlertDialogHeader,
AlertDialogTitle,
AlertDialogTrigger,
} from '@/components/ui/alert-dialog';
export default function CompletionDetailPage() {
const params = useParams();
const router = useRouter();
const queryClient = useQueryClient();
const completionId = Number(params.id);
const { data: completion, isLoading, error } = useQuery({
queryKey: ['completion', completionId],
queryFn: () => completionsApi.get(completionId),
enabled: !!completionId,
});
const deleteMutation = useMutation({
mutationFn: () => completionsApi.delete(completionId),
onSuccess: () => {
toast.success('Completion deleted successfully');
queryClient.invalidateQueries({ queryKey: ['completions'] });
router.push('/completions');
},
onError: () => {
toast.error('Failed to delete completion');
},
});
if (isLoading) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-muted-foreground">Loading...</div>
</div>
);
}
if (error || !completion) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-red-500">Failed to load completion</div>
</div>
);
}
return (
<div className="space-y-6">
{/* Header */}
<div className="flex items-center justify-between">
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href="/completions">
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<h1 className="text-2xl font-bold">Task Completion #{completion.id}</h1>
<p className="text-muted-foreground">
Completed on {new Date(completion.completed_at).toLocaleDateString()}
</p>
</div>
</div>
<div className="flex items-center gap-2">
<Button variant="outline" asChild>
<Link href={`/completions/${completionId}/edit`}>
<Pencil className="mr-2 h-4 w-4" />
Edit
</Link>
</Button>
<AlertDialog>
<AlertDialogTrigger asChild>
<Button variant="destructive">
<Trash2 className="mr-2 h-4 w-4" />
Delete
</Button>
</AlertDialogTrigger>
<AlertDialogContent>
<AlertDialogHeader>
<AlertDialogTitle>Delete Completion?</AlertDialogTitle>
<AlertDialogDescription>
This will permanently delete this completion record. This action cannot be undone.
</AlertDialogDescription>
</AlertDialogHeader>
<AlertDialogFooter>
<AlertDialogCancel>Cancel</AlertDialogCancel>
<AlertDialogAction
onClick={() => deleteMutation.mutate()}
className="bg-destructive text-destructive-foreground hover:bg-destructive/90"
>
Delete
</AlertDialogAction>
</AlertDialogFooter>
</AlertDialogContent>
</AlertDialog>
</div>
</div>
<div className="grid gap-6 md:grid-cols-2">
{/* Task Info */}
<Card>
<CardHeader>
<CardTitle className="flex items-center gap-2">
<ClipboardList className="h-5 w-5" />
Task Information
</CardTitle>
<CardDescription>Details about the completed task</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div>
<div className="text-sm font-medium text-muted-foreground">Task</div>
<Link
href={`/tasks/${completion.task_id}`}
className="text-lg font-medium text-blue-600 hover:underline"
>
{completion.task_title}
</Link>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Residence</div>
<Link
href={`/residences/${completion.residence_id}`}
className="text-blue-600 hover:underline flex items-center gap-1"
>
<Building2 className="h-4 w-4" />
{completion.residence_name}
</Link>
</div>
</CardContent>
</Card>
{/* Completion Details */}
<Card>
<CardHeader>
<CardTitle className="flex items-center gap-2">
<Calendar className="h-5 w-5" />
Completion Details
</CardTitle>
<CardDescription>When and who completed the task</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div>
<div className="text-sm font-medium text-muted-foreground">Completed By</div>
<Link
href={`/users/${completion.completed_by_id}`}
className="text-blue-600 hover:underline flex items-center gap-1"
>
<User className="h-4 w-4" />
{completion.completed_by}
</Link>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Completed At</div>
<div>{new Date(completion.completed_at).toLocaleString()}</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Actual Cost</div>
{completion.actual_cost ? (
<Badge variant="outline" className="text-base">
<DollarSign className="h-4 w-4 mr-1" />
{completion.actual_cost}
</Badge>
) : (
<span className="text-muted-foreground">Not recorded</span>
)}
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Record Created</div>
<div>{new Date(completion.created_at).toLocaleString()}</div>
</div>
</CardContent>
</Card>
{/* Notes */}
<Card className="md:col-span-2">
<CardHeader>
<CardTitle>Notes</CardTitle>
<CardDescription>Additional notes about this completion</CardDescription>
</CardHeader>
<CardContent>
{completion.notes ? (
<p className="whitespace-pre-wrap">{completion.notes}</p>
) : (
<p className="text-muted-foreground italic">No notes provided</p>
)}
</CardContent>
</Card>
{/* Photo */}
{completion.photo_url && (
<Card className="md:col-span-2">
<CardHeader>
<CardTitle>Completion Photo</CardTitle>
<CardDescription>Photo evidence of task completion</CardDescription>
</CardHeader>
<CardContent>
<div className="space-y-4">
<div className="relative max-w-2xl mx-auto">
<img
src={completion.photo_url}
alt="Completion photo"
className="rounded-lg border object-contain w-full"
/>
</div>
<div className="flex justify-center">
<a
href={completion.photo_url}
target="_blank"
rel="noopener noreferrer"
className="flex items-center gap-1 text-sm text-blue-600 hover:underline"
>
<ExternalLink className="h-4 w-4" />
Open full size in new tab
</a>
</div>
</div>
</CardContent>
</Card>
)}
</div>
</div>
);
}

View File

@@ -0,0 +1,365 @@
'use client';
import { useState } from 'react';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import Link from 'next/link';
import Image from 'next/image';
import { CheckCircle, Trash2, Search, ChevronLeft, ChevronRight, ExternalLink, Image as ImageIcon } from 'lucide-react';
import { toast } from 'sonner';
import { completionsApi, type TaskCompletion, type CompletionListParams } from '@/lib/api';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Checkbox } from '@/components/ui/checkbox';
import { Badge } from '@/components/ui/badge';
import {
Table,
TableBody,
TableCell,
TableHead,
TableHeader,
TableRow,
} from '@/components/ui/table';
import {
AlertDialog,
AlertDialogAction,
AlertDialogCancel,
AlertDialogContent,
AlertDialogDescription,
AlertDialogFooter,
AlertDialogHeader,
AlertDialogTitle,
AlertDialogTrigger,
} from '@/components/ui/alert-dialog';
import {
Dialog,
DialogContent,
DialogHeader,
DialogTitle,
DialogTrigger,
} from '@/components/ui/dialog';
export default function CompletionsPage() {
const queryClient = useQueryClient();
const [params, setParams] = useState<CompletionListParams>({
page: 1,
per_page: 20,
});
const [search, setSearch] = useState('');
const [selectedRows, setSelectedRows] = useState<number[]>([]);
const { data, isLoading, error } = useQuery({
queryKey: ['completions', params],
queryFn: () => completionsApi.list(params),
});
const deleteMutation = useMutation({
mutationFn: (id: number) => completionsApi.delete(id),
onSuccess: () => {
toast.success('Completion deleted successfully');
queryClient.invalidateQueries({ queryKey: ['completions'] });
},
onError: () => {
toast.error('Failed to delete completion');
},
});
const bulkDeleteMutation = useMutation({
mutationFn: (ids: number[]) => completionsApi.bulkDelete(ids),
onSuccess: () => {
toast.success('Completions deleted successfully');
queryClient.invalidateQueries({ queryKey: ['completions'] });
setSelectedRows([]);
},
onError: () => {
toast.error('Failed to delete completions');
},
});
const handleSearch = (e: React.FormEvent) => {
e.preventDefault();
setParams({ ...params, search, page: 1 });
};
const handleSelectAll = (checked: boolean) => {
if (checked && data?.data) {
setSelectedRows(data.data.map((c) => c.id));
} else {
setSelectedRows([]);
}
};
const handleSelectRow = (id: number, checked: boolean) => {
if (checked) {
setSelectedRows([...selectedRows, id]);
} else {
setSelectedRows(selectedRows.filter((rowId) => rowId !== id));
}
};
const totalPages = data ? Math.ceil(data.total / (params.per_page || 20)) : 0;
if (error) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-red-500">Failed to load completions</div>
</div>
);
}
return (
<div className="space-y-6">
<div className="flex items-center justify-between">
<div>
<h1 className="text-2xl font-bold">Task Completions</h1>
<p className="text-muted-foreground">
View all completed tasks with photos and notes
</p>
</div>
</div>
{/* Search and Bulk Actions */}
<div className="flex items-center justify-between gap-4">
<form onSubmit={handleSearch} className="flex gap-2 flex-1 max-w-md">
<div className="relative flex-1">
<Search className="absolute left-3 top-1/2 h-4 w-4 -translate-y-1/2 text-muted-foreground" />
<Input
placeholder="Search by task title, username, or notes..."
value={search}
onChange={(e) => setSearch(e.target.value)}
className="pl-9"
/>
</div>
<Button type="submit" variant="secondary">
Search
</Button>
</form>
{selectedRows.length > 0 && (
<AlertDialog>
<AlertDialogTrigger asChild>
<Button variant="destructive">
<Trash2 className="mr-2 h-4 w-4" />
Delete Selected ({selectedRows.length})
</Button>
</AlertDialogTrigger>
<AlertDialogContent>
<AlertDialogHeader>
<AlertDialogTitle>Delete Selected Completions?</AlertDialogTitle>
<AlertDialogDescription>
This will permanently delete {selectedRows.length} completion record(s). This action cannot be undone.
</AlertDialogDescription>
</AlertDialogHeader>
<AlertDialogFooter>
<AlertDialogCancel>Cancel</AlertDialogCancel>
<AlertDialogAction
onClick={() => bulkDeleteMutation.mutate(selectedRows)}
className="bg-destructive text-destructive-foreground hover:bg-destructive/90"
>
Delete
</AlertDialogAction>
</AlertDialogFooter>
</AlertDialogContent>
</AlertDialog>
)}
</div>
{/* Table */}
<div className="rounded-md border">
<Table>
<TableHeader>
<TableRow>
<TableHead className="w-12">
<Checkbox
checked={
data?.data &&
data.data.length > 0 &&
selectedRows.length === data.data.length
}
onCheckedChange={handleSelectAll}
/>
</TableHead>
<TableHead>Task</TableHead>
<TableHead>Residence</TableHead>
<TableHead>Completed By</TableHead>
<TableHead>Completed At</TableHead>
<TableHead>Cost</TableHead>
<TableHead>Photo</TableHead>
<TableHead className="w-24">Actions</TableHead>
</TableRow>
</TableHeader>
<TableBody>
{isLoading ? (
<TableRow>
<TableCell colSpan={8} className="text-center py-8">
Loading...
</TableCell>
</TableRow>
) : data?.data?.length === 0 ? (
<TableRow>
<TableCell colSpan={8} className="text-center py-8">
No completions found
</TableCell>
</TableRow>
) : (
data?.data?.map((completion) => (
<TableRow key={completion.id}>
<TableCell>
<Checkbox
checked={selectedRows.includes(completion.id)}
onCheckedChange={(checked) =>
handleSelectRow(completion.id, checked as boolean)
}
/>
</TableCell>
<TableCell>
<Link
href={`/completions/${completion.id}`}
className="font-medium text-blue-600 hover:underline"
>
{completion.task_title}
</Link>
{completion.notes && (
<p className="text-xs text-muted-foreground mt-1 truncate max-w-xs">
{completion.notes}
</p>
)}
</TableCell>
<TableCell>
<Link
href={`/residences/${completion.residence_id}`}
className="text-blue-600 hover:underline"
>
{completion.residence_name}
</Link>
</TableCell>
<TableCell>
<Link
href={`/users/${completion.completed_by_id}`}
className="text-blue-600 hover:underline"
>
{completion.completed_by}
</Link>
</TableCell>
<TableCell>
{new Date(completion.completed_at).toLocaleDateString()}
</TableCell>
<TableCell>
{completion.actual_cost ? (
<Badge variant="outline">${completion.actual_cost}</Badge>
) : (
<span className="text-muted-foreground">-</span>
)}
</TableCell>
<TableCell>
{completion.photo_url ? (
<Dialog>
<DialogTrigger asChild>
<Button variant="ghost" size="sm">
<ImageIcon className="h-4 w-4 mr-1" />
View
</Button>
</DialogTrigger>
<DialogContent className="max-w-2xl">
<DialogHeader>
<DialogTitle>Completion Photo</DialogTitle>
</DialogHeader>
<div className="relative aspect-video">
<img
src={completion.photo_url}
alt="Completion photo"
className="object-contain w-full h-full rounded-lg"
/>
</div>
<a
href={completion.photo_url}
target="_blank"
rel="noopener noreferrer"
className="flex items-center gap-1 text-sm text-blue-600 hover:underline"
>
<ExternalLink className="h-3 w-3" />
Open in new tab
</a>
</DialogContent>
</Dialog>
) : (
<span className="text-muted-foreground">-</span>
)}
</TableCell>
<TableCell>
<AlertDialog>
<AlertDialogTrigger asChild>
<Button
variant="ghost"
size="icon"
className="text-red-600 hover:text-red-700 hover:bg-red-50"
>
<Trash2 className="h-4 w-4" />
</Button>
</AlertDialogTrigger>
<AlertDialogContent>
<AlertDialogHeader>
<AlertDialogTitle>Delete Completion?</AlertDialogTitle>
<AlertDialogDescription>
This will permanently delete this completion record. This action cannot be undone.
</AlertDialogDescription>
</AlertDialogHeader>
<AlertDialogFooter>
<AlertDialogCancel>Cancel</AlertDialogCancel>
<AlertDialogAction
onClick={() => deleteMutation.mutate(completion.id)}
className="bg-destructive text-destructive-foreground hover:bg-destructive/90"
>
Delete
</AlertDialogAction>
</AlertDialogFooter>
</AlertDialogContent>
</AlertDialog>
</TableCell>
</TableRow>
))
)}
</TableBody>
</Table>
</div>
{/* Pagination */}
{data && totalPages > 1 && (
<div className="flex items-center justify-between">
<div className="text-sm text-muted-foreground">
Showing {((params.page || 1) - 1) * (params.per_page || 20) + 1} to{' '}
{Math.min(
(params.page || 1) * (params.per_page || 20),
data.total
)}{' '}
of {data.total} completions
</div>
<div className="flex items-center gap-2">
<Button
variant="outline"
size="sm"
disabled={(params.page || 1) <= 1}
onClick={() =>
setParams({ ...params, page: (params.page || 1) - 1 })
}
>
<ChevronLeft className="h-4 w-4" />
Previous
</Button>
<Button
variant="outline"
size="sm"
disabled={(params.page || 1) >= totalPages}
onClick={() =>
setParams({ ...params, page: (params.page || 1) + 1 })
}
>
Next
<ChevronRight className="h-4 w-4" />
</Button>
</div>
</div>
)}
</div>
);
}

View File

@@ -0,0 +1,206 @@
'use client';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { useParams, useRouter } from 'next/navigation';
import Link from 'next/link';
import { ArrowLeft, Trash2, Star, Globe, Phone, Mail, Pencil } from 'lucide-react';
import { toast } from 'sonner';
import { contractorsApi } from '@/lib/api';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import { Separator } from '@/components/ui/separator';
export function ContractorDetailClient() {
const params = useParams();
const router = useRouter();
const queryClient = useQueryClient();
const contractorId = Number(params.id);
const { data: contractor, isLoading, error } = useQuery({
queryKey: ['contractor', contractorId],
queryFn: () => contractorsApi.get(contractorId),
enabled: !!contractorId,
});
const deleteMutation = useMutation({
mutationFn: () => contractorsApi.delete(contractorId),
onSuccess: () => {
toast.success('Contractor deactivated successfully');
queryClient.invalidateQueries({ queryKey: ['contractors'] });
router.push('/contractors');
},
onError: () => {
toast.error('Failed to deactivate contractor');
},
});
if (isLoading) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-muted-foreground">Loading...</div>
</div>
);
}
if (error || !contractor) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-red-500">Failed to load contractor</div>
</div>
);
}
return (
<div className="space-y-6">
{/* Header */}
<div className="flex items-center justify-between">
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href="/contractors">
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<div className="flex items-center gap-2">
<h1 className="text-2xl font-bold">{contractor.name}</h1>
{contractor.is_favorite && (
<Star className="h-5 w-5 fill-yellow-400 text-yellow-400" />
)}
</div>
<p className="text-muted-foreground">{contractor.company || contractor.residence_name}</p>
</div>
</div>
<div className="flex items-center gap-2">
<Button variant="outline" asChild>
<Link href={`/contractors/${contractorId}/edit`}>
<Pencil className="mr-2 h-4 w-4" />
Edit
</Link>
</Button>
<Button
variant="destructive"
onClick={() => {
if (confirm('Are you sure you want to deactivate this contractor?')) {
deleteMutation.mutate();
}
}}
disabled={deleteMutation.isPending}
>
<Trash2 className="mr-2 h-4 w-4" />
Deactivate
</Button>
</div>
</div>
<div className="grid gap-6 md:grid-cols-2">
{/* Contact Info */}
<Card>
<CardHeader>
<CardTitle>Contact Information</CardTitle>
<CardDescription>Ways to reach this contractor</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="space-y-3">
{contractor.phone && (
<div className="flex items-center gap-2">
<Phone className="h-4 w-4 text-muted-foreground" />
<span>{contractor.phone}</span>
</div>
)}
{contractor.email && (
<div className="flex items-center gap-2">
<Mail className="h-4 w-4 text-muted-foreground" />
<a href={`mailto:${contractor.email}`} className="text-blue-600 hover:underline">
{contractor.email}
</a>
</div>
)}
{contractor.website && (
<div className="flex items-center gap-2">
<Globe className="h-4 w-4 text-muted-foreground" />
<a
href={contractor.website}
target="_blank"
rel="noopener noreferrer"
className="text-blue-600 hover:underline"
>
{contractor.website}
</a>
</div>
)}
{contractor.city && (
<div className="text-muted-foreground">{contractor.city}</div>
)}
</div>
</CardContent>
</Card>
{/* Status & Details */}
<Card>
<CardHeader>
<CardTitle>Status & Details</CardTitle>
<CardDescription>Contractor status and statistics</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-2 gap-4">
<div>
<div className="text-sm font-medium text-muted-foreground">Active</div>
<Badge variant={contractor.is_active ? 'default' : 'secondary'}>
{contractor.is_active ? 'Yes' : 'No'}
</Badge>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Favorite</div>
<Badge variant={contractor.is_favorite ? 'default' : 'outline'}>
{contractor.is_favorite ? 'Yes' : 'No'}
</Badge>
</div>
</div>
<Separator />
<div className="grid grid-cols-2 gap-4">
<div>
<div className="text-sm font-medium text-muted-foreground">Rating</div>
<div className="text-2xl font-bold">
{contractor.rating?.toFixed(1) ?? '-'}
</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Tasks</div>
<div className="text-2xl font-bold">{contractor.task_count}</div>
</div>
</div>
</CardContent>
</Card>
{/* Specialties */}
{contractor.specialties && contractor.specialties.length > 0 && (
<Card className="md:col-span-2">
<CardHeader>
<CardTitle>Specialties</CardTitle>
<CardDescription>Areas of expertise</CardDescription>
</CardHeader>
<CardContent>
<div className="flex flex-wrap gap-2">
{contractor.specialties.map((specialty) => (
<Badge key={specialty} variant="outline">
{specialty}
</Badge>
))}
</div>
</CardContent>
</Card>
)}
</div>
</div>
);
}

View File

@@ -0,0 +1,220 @@
'use client';
import { useEffect, useState } from 'react';
import { useRouter, useParams } from 'next/navigation';
import { useMutation, useQuery } from '@tanstack/react-query';
import { ArrowLeft } from 'lucide-react';
import Link from 'next/link';
import { contractorsApi } from '@/lib/api';
import type { UpdateContractorRequest } from '@/types/models';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Label } from '@/components/ui/label';
import { Textarea } from '@/components/ui/textarea';
import { Switch } from '@/components/ui/switch';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import { toast } from 'sonner';
export default function EditContractorPage() {
const router = useRouter();
const params = useParams();
const contractorId = Number(params.id);
const [formData, setFormData] = useState<UpdateContractorRequest>({
name: '',
company: '',
phone: '',
email: '',
website: '',
notes: '',
is_favorite: false,
is_active: true,
});
const { data: contractor, isLoading } = useQuery({
queryKey: ['contractor', contractorId],
queryFn: () => contractorsApi.get(contractorId),
enabled: !!contractorId,
});
useEffect(() => {
if (contractor) {
setFormData({
name: contractor.name,
company: contractor.company,
phone: contractor.phone,
email: contractor.email,
website: contractor.website,
is_favorite: contractor.is_favorite,
is_active: contractor.is_active,
});
}
}, [contractor]);
const updateMutation = useMutation({
mutationFn: (data: UpdateContractorRequest) => contractorsApi.update(contractorId, data),
onSuccess: () => {
toast.success('Contractor updated successfully');
router.push(`/contractors/${contractorId}`);
},
onError: (error: Error) => {
toast.error(error.message || 'Failed to update contractor');
},
});
const handleSubmit = (e: React.FormEvent) => {
e.preventDefault();
if (!formData.name) {
toast.error('Please enter a contractor name');
return;
}
updateMutation.mutate(formData);
};
const updateField = (field: keyof UpdateContractorRequest, value: unknown) => {
setFormData((prev) => ({ ...prev, [field]: value }));
};
if (isLoading) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-muted-foreground">Loading...</div>
</div>
);
}
return (
<div className="space-y-6">
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href={`/contractors/${contractorId}`}>
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<h1 className="text-2xl font-bold">Edit Contractor</h1>
<p className="text-muted-foreground">Update contractor details</p>
</div>
</div>
<form onSubmit={handleSubmit} className="space-y-6">
<Card>
<CardHeader>
<CardTitle>Basic Information</CardTitle>
<CardDescription>Update the contractor details</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="name">Name *</Label>
<Input
id="name"
value={formData.name || ''}
onChange={(e) => updateField('name', e.target.value)}
placeholder="John Doe"
/>
</div>
<div className="space-y-2">
<Label htmlFor="company">Company</Label>
<Input
id="company"
value={formData.company || ''}
onChange={(e) => updateField('company', e.target.value)}
placeholder="ABC Plumbing"
/>
</div>
</div>
<div className="flex items-center gap-6">
<div className="flex items-center space-x-2">
<Switch
id="is_favorite"
checked={formData.is_favorite}
onCheckedChange={(checked) => updateField('is_favorite', checked)}
/>
<Label htmlFor="is_favorite">Favorite</Label>
</div>
<div className="flex items-center space-x-2">
<Switch
id="is_active"
checked={formData.is_active}
onCheckedChange={(checked) => updateField('is_active', checked)}
/>
<Label htmlFor="is_active">Active</Label>
</div>
</div>
</CardContent>
</Card>
<Card>
<CardHeader>
<CardTitle>Contact Information</CardTitle>
<CardDescription>Update contact details</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="phone">Phone</Label>
<Input
id="phone"
value={formData.phone || ''}
onChange={(e) => updateField('phone', e.target.value)}
placeholder="(555) 123-4567"
/>
</div>
<div className="space-y-2">
<Label htmlFor="email">Email</Label>
<Input
id="email"
type="email"
value={formData.email || ''}
onChange={(e) => updateField('email', e.target.value)}
placeholder="contractor@example.com"
/>
</div>
</div>
<div className="space-y-2">
<Label htmlFor="website">Website</Label>
<Input
id="website"
value={formData.website || ''}
onChange={(e) => updateField('website', e.target.value)}
placeholder="https://example.com"
/>
</div>
</CardContent>
</Card>
<Card>
<CardHeader>
<CardTitle>Notes</CardTitle>
<CardDescription>Additional information</CardDescription>
</CardHeader>
<CardContent>
<Textarea
id="notes"
value={formData.notes || ''}
onChange={(e) => updateField('notes', e.target.value)}
placeholder="Any additional notes about this contractor..."
/>
</CardContent>
</Card>
<div className="flex justify-end gap-4">
<Button type="button" variant="outline" asChild>
<Link href={`/contractors/${contractorId}`}>Cancel</Link>
</Button>
<Button type="submit" disabled={updateMutation.isPending}>
{updateMutation.isPending ? 'Saving...' : 'Save Changes'}
</Button>
</div>
</form>
</div>
);
}

View File

@@ -0,0 +1,5 @@
import { ContractorDetailClient } from './client';
export default function ContractorDetailPage() {
return <ContractorDetailClient />;
}

View File

@@ -0,0 +1,265 @@
'use client';
import { useState } from 'react';
import { useRouter } from 'next/navigation';
import { useMutation, useQuery } from '@tanstack/react-query';
import { ArrowLeft } from 'lucide-react';
import Link from 'next/link';
import { contractorsApi, usersApi, residencesApi } from '@/lib/api';
import type { CreateContractorRequest } from '@/types/models';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Label } from '@/components/ui/label';
import { Textarea } from '@/components/ui/textarea';
import { Switch } from '@/components/ui/switch';
import {
Select,
SelectContent,
SelectItem,
SelectTrigger,
SelectValue,
} from '@/components/ui/select';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import { toast } from 'sonner';
export default function NewContractorPage() {
const router = useRouter();
const [formData, setFormData] = useState<CreateContractorRequest>({
residence_id: 0,
created_by_id: 0,
name: '',
company: '',
phone: '',
email: '',
website: '',
notes: '',
city: '',
state_province: '',
is_favorite: false,
});
const { data: residencesData } = useQuery({
queryKey: ['residences-list'],
queryFn: () => residencesApi.list({ per_page: 100, is_active: true }),
});
const { data: usersData } = useQuery({
queryKey: ['users-list'],
queryFn: () => usersApi.list({ per_page: 100, is_active: true }),
});
const createMutation = useMutation({
mutationFn: (data: CreateContractorRequest) => contractorsApi.create(data),
onSuccess: () => {
toast.success('Contractor created successfully');
router.push('/contractors');
},
onError: (error: Error) => {
toast.error(error.message || 'Failed to create contractor');
},
});
const handleSubmit = (e: React.FormEvent) => {
e.preventDefault();
if (!formData.residence_id) {
toast.error('Please select a residence');
return;
}
if (!formData.created_by_id) {
toast.error('Please select a creator');
return;
}
if (!formData.name) {
toast.error('Please enter a contractor name');
return;
}
createMutation.mutate(formData);
};
const updateField = (field: keyof CreateContractorRequest, value: unknown) => {
setFormData((prev) => ({ ...prev, [field]: value }));
};
return (
<div className="space-y-6">
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href="/contractors">
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<h1 className="text-2xl font-bold">New Contractor</h1>
<p className="text-muted-foreground">Add a new service provider</p>
</div>
</div>
<form onSubmit={handleSubmit} className="space-y-6">
<Card>
<CardHeader>
<CardTitle>Basic Information</CardTitle>
<CardDescription>Enter the contractor details</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="residence_id">Residence *</Label>
<Select
value={formData.residence_id?.toString() || ''}
onValueChange={(value) => updateField('residence_id', parseInt(value))}
>
<SelectTrigger>
<SelectValue placeholder="Select residence" />
</SelectTrigger>
<SelectContent>
{residencesData?.data?.map((residence) => (
<SelectItem key={residence.id} value={residence.id.toString()}>
{residence.name}
</SelectItem>
))}
</SelectContent>
</Select>
</div>
<div className="space-y-2">
<Label htmlFor="created_by_id">Created By *</Label>
<Select
value={formData.created_by_id?.toString() || ''}
onValueChange={(value) => updateField('created_by_id', parseInt(value))}
>
<SelectTrigger>
<SelectValue placeholder="Select creator" />
</SelectTrigger>
<SelectContent>
{usersData?.data?.map((user) => (
<SelectItem key={user.id} value={user.id.toString()}>
{user.username} ({user.email})
</SelectItem>
))}
</SelectContent>
</Select>
</div>
</div>
<div className="grid grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="name">Name *</Label>
<Input
id="name"
value={formData.name}
onChange={(e) => updateField('name', e.target.value)}
placeholder="John Doe"
/>
</div>
<div className="space-y-2">
<Label htmlFor="company">Company</Label>
<Input
id="company"
value={formData.company || ''}
onChange={(e) => updateField('company', e.target.value)}
placeholder="ABC Plumbing"
/>
</div>
</div>
<div className="flex items-center space-x-2">
<Switch
id="is_favorite"
checked={formData.is_favorite}
onCheckedChange={(checked) => updateField('is_favorite', checked)}
/>
<Label htmlFor="is_favorite">Mark as Favorite</Label>
</div>
</CardContent>
</Card>
<Card>
<CardHeader>
<CardTitle>Contact Information</CardTitle>
<CardDescription>Contact details for this contractor</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="phone">Phone</Label>
<Input
id="phone"
value={formData.phone || ''}
onChange={(e) => updateField('phone', e.target.value)}
placeholder="(555) 123-4567"
/>
</div>
<div className="space-y-2">
<Label htmlFor="email">Email</Label>
<Input
id="email"
type="email"
value={formData.email || ''}
onChange={(e) => updateField('email', e.target.value)}
placeholder="contractor@example.com"
/>
</div>
</div>
<div className="space-y-2">
<Label htmlFor="website">Website</Label>
<Input
id="website"
value={formData.website || ''}
onChange={(e) => updateField('website', e.target.value)}
placeholder="https://example.com"
/>
</div>
<div className="grid grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="city">City</Label>
<Input
id="city"
value={formData.city || ''}
onChange={(e) => updateField('city', e.target.value)}
placeholder="City"
/>
</div>
<div className="space-y-2">
<Label htmlFor="state_province">State/Province</Label>
<Input
id="state_province"
value={formData.state_province || ''}
onChange={(e) => updateField('state_province', e.target.value)}
placeholder="State"
/>
</div>
</div>
</CardContent>
</Card>
<Card>
<CardHeader>
<CardTitle>Notes</CardTitle>
<CardDescription>Additional information</CardDescription>
</CardHeader>
<CardContent>
<Textarea
id="notes"
value={formData.notes || ''}
onChange={(e) => updateField('notes', e.target.value)}
placeholder="Any additional notes about this contractor..."
/>
</CardContent>
</Card>
<div className="flex justify-end gap-4">
<Button type="button" variant="outline" asChild>
<Link href="/contractors">Cancel</Link>
</Button>
<Button type="submit" disabled={createMutation.isPending}>
{createMutation.isPending ? 'Creating...' : 'Create Contractor'}
</Button>
</div>
</form>
</div>
);
}

View File

@@ -0,0 +1,214 @@
'use client';
import { useState } from 'react';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { ColumnDef } from '@tanstack/react-table';
import Link from 'next/link';
import { MoreHorizontal, Star, Plus, Trash2 } from 'lucide-react';
import { contractorsApi } from '@/lib/api';
import type { Contractor } from '@/types/models';
import { DataTable } from '@/components/data-table';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import {
DropdownMenu,
DropdownMenuContent,
DropdownMenuItem,
DropdownMenuLabel,
DropdownMenuTrigger,
} from '@/components/ui/dropdown-menu';
import {
AlertDialog,
AlertDialogAction,
AlertDialogCancel,
AlertDialogContent,
AlertDialogDescription,
AlertDialogFooter,
AlertDialogHeader,
AlertDialogTitle,
} from '@/components/ui/alert-dialog';
import { toast } from 'sonner';
const columns: ColumnDef<Contractor>[] = [
{
accessorKey: 'name',
header: 'Name',
cell: ({ row }) => (
<div className="flex items-center gap-2">
<Link
href={`/contractors/${row.original.id}`}
className="font-medium text-blue-600 hover:underline"
>
{row.original.name}
</Link>
{row.original.is_favorite && <Star className="h-4 w-4 fill-yellow-400 text-yellow-400" />}
</div>
),
},
{
accessorKey: 'company',
header: 'Company',
cell: ({ row }) => row.original.company || '-',
},
{
accessorKey: 'residence_name',
header: 'Residence',
},
{
accessorKey: 'phone',
header: 'Phone',
cell: ({ row }) => row.original.phone || '-',
},
{
accessorKey: 'email',
header: 'Email',
cell: ({ row }) => row.original.email || '-',
},
{
accessorKey: 'specialties',
header: 'Specialties',
cell: ({ row }) => {
const specs = row.original.specialties;
return specs?.length ? specs.slice(0, 2).join(', ') + (specs.length > 2 ? '...' : '') : '-';
},
},
{
accessorKey: 'is_active',
header: 'Status',
cell: ({ row }) => (
<Badge variant={row.original.is_active ? 'default' : 'secondary'}>
{row.original.is_active ? 'Active' : 'Inactive'}
</Badge>
),
},
{
id: 'actions',
cell: ({ row }) => {
const contractor = row.original;
return (
<DropdownMenu>
<DropdownMenuTrigger asChild>
<Button variant="ghost" className="h-8 w-8 p-0">
<span className="sr-only">Open menu</span>
<MoreHorizontal className="h-4 w-4" />
</Button>
</DropdownMenuTrigger>
<DropdownMenuContent align="end">
<DropdownMenuLabel>Actions</DropdownMenuLabel>
<DropdownMenuItem asChild>
<Link href={`/contractors/${contractor.id}`}>View details</Link>
</DropdownMenuItem>
<DropdownMenuItem asChild>
<Link href={`/contractors/${contractor.id}/edit`}>Edit</Link>
</DropdownMenuItem>
</DropdownMenuContent>
</DropdownMenu>
);
},
},
];
export default function ContractorsPage() {
const queryClient = useQueryClient();
const [page, setPage] = useState(1);
const [pageSize, setPageSize] = useState(20);
const [search, setSearch] = useState('');
const [selectedRows, setSelectedRows] = useState<Contractor[]>([]);
const [showDeleteDialog, setShowDeleteDialog] = useState(false);
const { data, isLoading } = useQuery({
queryKey: ['contractors', { page, per_page: pageSize, search }],
queryFn: () => contractorsApi.list({ page, per_page: pageSize, search: search || undefined }),
});
const bulkDeleteMutation = useMutation({
mutationFn: (ids: number[]) => contractorsApi.bulkDelete(ids),
onSuccess: () => {
queryClient.invalidateQueries({ queryKey: ['contractors'] });
setSelectedRows([]);
setShowDeleteDialog(false);
toast.success(`${selectedRows.length} contractor(s) deactivated`);
},
onError: () => {
toast.error('Failed to deactivate contractors');
},
});
const handleBulkDelete = () => {
const ids = selectedRows.map((c) => c.id);
bulkDeleteMutation.mutate(ids);
};
return (
<div className="space-y-4">
<div className="flex items-center justify-between">
<div>
<h1 className="text-2xl font-bold">Contractors</h1>
<p className="text-muted-foreground">Manage contractors and service providers</p>
</div>
<div className="flex items-center gap-2">
{selectedRows.length > 0 && (
<Button
variant="destructive"
size="sm"
onClick={() => setShowDeleteDialog(true)}
>
<Trash2 className="h-4 w-4 mr-2" />
Deactivate ({selectedRows.length})
</Button>
)}
<Button asChild>
<Link href="/contractors/new">
<Plus className="h-4 w-4 mr-2" />
New Contractor
</Link>
</Button>
</div>
</div>
<DataTable
columns={columns}
data={data?.data ?? []}
totalCount={data?.total ?? 0}
page={page}
pageSize={pageSize}
onPageChange={setPage}
onPageSizeChange={(size) => {
setPageSize(size);
setPage(1);
}}
searchValue={search}
onSearchChange={(value) => {
setSearch(value);
setPage(1);
}}
searchPlaceholder="Search contractors..."
isLoading={isLoading}
enableRowSelection
onRowSelectionChange={setSelectedRows}
/>
<AlertDialog open={showDeleteDialog} onOpenChange={setShowDeleteDialog}>
<AlertDialogContent>
<AlertDialogHeader>
<AlertDialogTitle>Deactivate Contractors</AlertDialogTitle>
<AlertDialogDescription>
Are you sure you want to deactivate {selectedRows.length} contractor(s)?
This will mark them as inactive but not permanently delete them.
</AlertDialogDescription>
</AlertDialogHeader>
<AlertDialogFooter>
<AlertDialogCancel>Cancel</AlertDialogCancel>
<AlertDialogAction
onClick={handleBulkDelete}
className="bg-red-600 hover:bg-red-700"
>
{bulkDeleteMutation.isPending ? 'Deactivating...' : 'Deactivate'}
</AlertDialogAction>
</AlertDialogFooter>
</AlertDialogContent>
</AlertDialog>
</div>
);
}

View File

@@ -0,0 +1,186 @@
'use client';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { useParams, useRouter } from 'next/navigation';
import Link from 'next/link';
import { ArrowLeft, Trash2, FileText, ExternalLink, Pencil } from 'lucide-react';
import { toast } from 'sonner';
import { documentsApi } from '@/lib/api';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
export function DocumentDetailClient() {
const params = useParams();
const router = useRouter();
const queryClient = useQueryClient();
const documentId = Number(params.id);
const { data: document, isLoading, error } = useQuery({
queryKey: ['document', documentId],
queryFn: () => documentsApi.get(documentId),
enabled: !!documentId,
});
const deleteMutation = useMutation({
mutationFn: () => documentsApi.delete(documentId),
onSuccess: () => {
toast.success('Document deactivated successfully');
queryClient.invalidateQueries({ queryKey: ['documents'] });
router.push('/documents');
},
onError: () => {
toast.error('Failed to deactivate document');
},
});
if (isLoading) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-muted-foreground">Loading...</div>
</div>
);
}
if (error || !document) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-red-500">Failed to load document</div>
</div>
);
}
const isExpired = document.expiry_date && new Date(document.expiry_date) < new Date();
return (
<div className="space-y-6">
{/* Header */}
<div className="flex items-center justify-between">
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href="/documents">
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<div className="flex items-center gap-2">
<FileText className="h-5 w-5 text-muted-foreground" />
<h1 className="text-2xl font-bold">{document.title}</h1>
</div>
<p className="text-muted-foreground">{document.residence_name}</p>
</div>
</div>
<div className="flex items-center gap-2">
{document.file_url && (
<Button variant="outline" asChild>
<a href={document.file_url} target="_blank" rel="noopener noreferrer">
<ExternalLink className="mr-2 h-4 w-4" />
View File
</a>
</Button>
)}
<Button variant="outline" asChild>
<Link href={`/documents/${documentId}/edit`}>
<Pencil className="mr-2 h-4 w-4" />
Edit
</Link>
</Button>
<Button
variant="destructive"
onClick={() => {
if (confirm('Are you sure you want to deactivate this document?')) {
deleteMutation.mutate();
}
}}
disabled={deleteMutation.isPending}
>
<Trash2 className="mr-2 h-4 w-4" />
Deactivate
</Button>
</div>
</div>
<div className="grid gap-6 md:grid-cols-2">
{/* Document Details */}
<Card>
<CardHeader>
<CardTitle>Document Details</CardTitle>
<CardDescription>Basic document information</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div>
<div className="text-sm font-medium text-muted-foreground">Description</div>
<div className="whitespace-pre-wrap">{document.description || '-'}</div>
</div>
<div className="grid grid-cols-2 gap-4">
<div>
<div className="text-sm font-medium text-muted-foreground">Type</div>
<Badge variant="outline">{document.document_type}</Badge>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Status</div>
<Badge variant={document.is_active ? 'default' : 'secondary'}>
{document.is_active ? 'Active' : 'Inactive'}
</Badge>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">File Name</div>
<div className="truncate">{document.file_name || '-'}</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Vendor</div>
<div>{document.vendor || '-'}</div>
</div>
</div>
</CardContent>
</Card>
{/* Dates & Warranty Info */}
<Card>
<CardHeader>
<CardTitle>Dates</CardTitle>
<CardDescription>Important dates for this document</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-2 gap-4">
<div>
<div className="text-sm font-medium text-muted-foreground">Purchase Date</div>
<div>
{document.purchase_date
? new Date(document.purchase_date).toLocaleDateString()
: '-'}
</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Expiry Date</div>
<div className={isExpired ? 'text-red-500 font-medium' : ''}>
{document.expiry_date
? new Date(document.expiry_date).toLocaleDateString()
: '-'}
{isExpired && ' (Expired)'}
</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Created</div>
<div>{new Date(document.created_at).toLocaleDateString()}</div>
</div>
{document.task_title && (
<div>
<div className="text-sm font-medium text-muted-foreground">Related Task</div>
<div>{document.task_title}</div>
</div>
)}
</div>
</CardContent>
</Card>
</div>
</div>
);
}

View File

@@ -0,0 +1,187 @@
'use client';
import { useEffect, useState } from 'react';
import { useRouter, useParams } from 'next/navigation';
import { useMutation, useQuery } from '@tanstack/react-query';
import { ArrowLeft } from 'lucide-react';
import Link from 'next/link';
import { documentsApi } from '@/lib/api';
import type { UpdateDocumentRequest } from '@/types/models';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Label } from '@/components/ui/label';
import { Textarea } from '@/components/ui/textarea';
import { Switch } from '@/components/ui/switch';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import { toast } from 'sonner';
export default function EditDocumentPage() {
const router = useRouter();
const params = useParams();
const documentId = Number(params.id);
const [formData, setFormData] = useState<UpdateDocumentRequest>({
title: '',
description: '',
vendor: '',
serial_number: '',
model_number: '',
is_active: true,
});
const { data: document, isLoading } = useQuery({
queryKey: ['document', documentId],
queryFn: () => documentsApi.get(documentId),
enabled: !!documentId,
});
useEffect(() => {
if (document) {
setFormData({
title: document.title,
description: document.description,
vendor: document.vendor,
is_active: document.is_active,
});
}
}, [document]);
const updateMutation = useMutation({
mutationFn: (data: UpdateDocumentRequest) => documentsApi.update(documentId, data),
onSuccess: () => {
toast.success('Document updated successfully');
router.push(`/documents/${documentId}`);
},
onError: (error: Error) => {
toast.error(error.message || 'Failed to update document');
},
});
const handleSubmit = (e: React.FormEvent) => {
e.preventDefault();
if (!formData.title) {
toast.error('Please enter a document title');
return;
}
updateMutation.mutate(formData);
};
const updateField = (field: keyof UpdateDocumentRequest, value: unknown) => {
setFormData((prev) => ({ ...prev, [field]: value }));
};
if (isLoading) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-muted-foreground">Loading...</div>
</div>
);
}
return (
<div className="space-y-6">
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href={`/documents/${documentId}`}>
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<h1 className="text-2xl font-bold">Edit Document</h1>
<p className="text-muted-foreground">Update document details</p>
</div>
</div>
<form onSubmit={handleSubmit} className="space-y-6">
<Card>
<CardHeader>
<CardTitle>Basic Information</CardTitle>
<CardDescription>Update the document details</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="space-y-2">
<Label htmlFor="title">Title *</Label>
<Input
id="title"
value={formData.title || ''}
onChange={(e) => updateField('title', e.target.value)}
placeholder="Document title"
/>
</div>
<div className="space-y-2">
<Label htmlFor="description">Description</Label>
<Textarea
id="description"
value={formData.description || ''}
onChange={(e) => updateField('description', e.target.value)}
placeholder="Document description..."
/>
</div>
<div className="flex items-center space-x-2">
<Switch
id="is_active"
checked={formData.is_active}
onCheckedChange={(checked) => updateField('is_active', checked)}
/>
<Label htmlFor="is_active">Active</Label>
</div>
</CardContent>
</Card>
<Card>
<CardHeader>
<CardTitle>Product Details</CardTitle>
<CardDescription>Vendor and product information</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="space-y-2">
<Label htmlFor="vendor">Vendor</Label>
<Input
id="vendor"
value={formData.vendor || ''}
onChange={(e) => updateField('vendor', e.target.value)}
placeholder="Vendor name"
/>
</div>
<div className="grid grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="serial_number">Serial Number</Label>
<Input
id="serial_number"
value={formData.serial_number || ''}
onChange={(e) => updateField('serial_number', e.target.value)}
placeholder="Serial number"
/>
</div>
<div className="space-y-2">
<Label htmlFor="model_number">Model Number</Label>
<Input
id="model_number"
value={formData.model_number || ''}
onChange={(e) => updateField('model_number', e.target.value)}
placeholder="Model number"
/>
</div>
</div>
</CardContent>
</Card>
<div className="flex justify-end gap-4">
<Button type="button" variant="outline" asChild>
<Link href={`/documents/${documentId}`}>Cancel</Link>
</Button>
<Button type="submit" disabled={updateMutation.isPending}>
{updateMutation.isPending ? 'Saving...' : 'Save Changes'}
</Button>
</div>
</form>
</div>
);
}

View File

@@ -0,0 +1,5 @@
import { DocumentDetailClient } from './client';
export default function DocumentDetailPage() {
return <DocumentDetailClient />;
}

View File

@@ -0,0 +1,308 @@
'use client';
import { useState } from 'react';
import { useRouter } from 'next/navigation';
import { useMutation, useQuery } from '@tanstack/react-query';
import { ArrowLeft } from 'lucide-react';
import Link from 'next/link';
import { documentsApi, usersApi, residencesApi } from '@/lib/api';
import type { CreateDocumentRequest } from '@/types/models';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Label } from '@/components/ui/label';
import { Textarea } from '@/components/ui/textarea';
import {
Select,
SelectContent,
SelectItem,
SelectTrigger,
SelectValue,
} from '@/components/ui/select';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import { toast } from 'sonner';
const documentTypes = [
{ value: 'general', label: 'General' },
{ value: 'warranty', label: 'Warranty' },
{ value: 'receipt', label: 'Receipt' },
{ value: 'contract', label: 'Contract' },
{ value: 'insurance', label: 'Insurance' },
{ value: 'manual', label: 'Manual' },
];
export default function NewDocumentPage() {
const router = useRouter();
const [formData, setFormData] = useState<CreateDocumentRequest>({
residence_id: 0,
created_by_id: 0,
title: '',
description: '',
document_type: 'general',
file_url: '',
file_name: '',
vendor: '',
serial_number: '',
model_number: '',
});
const { data: residencesData } = useQuery({
queryKey: ['residences-list'],
queryFn: () => residencesApi.list({ per_page: 100, is_active: true }),
});
const { data: usersData } = useQuery({
queryKey: ['users-list'],
queryFn: () => usersApi.list({ per_page: 100, is_active: true }),
});
const createMutation = useMutation({
mutationFn: (data: CreateDocumentRequest) => documentsApi.create(data),
onSuccess: () => {
toast.success('Document created successfully');
router.push('/documents');
},
onError: (error: Error) => {
toast.error(error.message || 'Failed to create document');
},
});
const handleSubmit = (e: React.FormEvent) => {
e.preventDefault();
if (!formData.residence_id) {
toast.error('Please select a residence');
return;
}
if (!formData.created_by_id) {
toast.error('Please select a creator');
return;
}
if (!formData.title) {
toast.error('Please enter a document title');
return;
}
createMutation.mutate(formData);
};
const updateField = (field: keyof CreateDocumentRequest, value: unknown) => {
setFormData((prev) => ({ ...prev, [field]: value }));
};
return (
<div className="space-y-6">
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href="/documents">
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<h1 className="text-2xl font-bold">New Document</h1>
<p className="text-muted-foreground">Add a new document or warranty</p>
</div>
</div>
<form onSubmit={handleSubmit} className="space-y-6">
<Card>
<CardHeader>
<CardTitle>Basic Information</CardTitle>
<CardDescription>Enter the document details</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="residence_id">Residence *</Label>
<Select
value={formData.residence_id?.toString() || ''}
onValueChange={(value) => updateField('residence_id', parseInt(value))}
>
<SelectTrigger>
<SelectValue placeholder="Select residence" />
</SelectTrigger>
<SelectContent>
{residencesData?.data?.map((residence) => (
<SelectItem key={residence.id} value={residence.id.toString()}>
{residence.name}
</SelectItem>
))}
</SelectContent>
</Select>
</div>
<div className="space-y-2">
<Label htmlFor="created_by_id">Created By *</Label>
<Select
value={formData.created_by_id?.toString() || ''}
onValueChange={(value) => updateField('created_by_id', parseInt(value))}
>
<SelectTrigger>
<SelectValue placeholder="Select creator" />
</SelectTrigger>
<SelectContent>
{usersData?.data?.map((user) => (
<SelectItem key={user.id} value={user.id.toString()}>
{user.username} ({user.email})
</SelectItem>
))}
</SelectContent>
</Select>
</div>
</div>
<div className="grid grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="title">Title *</Label>
<Input
id="title"
value={formData.title}
onChange={(e) => updateField('title', e.target.value)}
placeholder="Document title"
/>
</div>
<div className="space-y-2">
<Label htmlFor="document_type">Type</Label>
<Select
value={formData.document_type || 'general'}
onValueChange={(value) => updateField('document_type', value)}
>
<SelectTrigger>
<SelectValue placeholder="Select type" />
</SelectTrigger>
<SelectContent>
{documentTypes.map((type) => (
<SelectItem key={type.value} value={type.value}>
{type.label}
</SelectItem>
))}
</SelectContent>
</Select>
</div>
</div>
<div className="space-y-2">
<Label htmlFor="description">Description</Label>
<Textarea
id="description"
value={formData.description || ''}
onChange={(e) => updateField('description', e.target.value)}
placeholder="Document description..."
/>
</div>
</CardContent>
</Card>
<Card>
<CardHeader>
<CardTitle>File Information</CardTitle>
<CardDescription>File details (optional)</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="file_name">File Name</Label>
<Input
id="file_name"
value={formData.file_name || ''}
onChange={(e) => updateField('file_name', e.target.value)}
placeholder="document.pdf"
/>
</div>
<div className="space-y-2">
<Label htmlFor="file_url">File URL</Label>
<Input
id="file_url"
value={formData.file_url || ''}
onChange={(e) => updateField('file_url', e.target.value)}
placeholder="https://..."
/>
</div>
</div>
</CardContent>
</Card>
<Card>
<CardHeader>
<CardTitle>Warranty/Product Details</CardTitle>
<CardDescription>For warranties, receipts, and manuals</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="vendor">Vendor</Label>
<Input
id="vendor"
value={formData.vendor || ''}
onChange={(e) => updateField('vendor', e.target.value)}
placeholder="Vendor name"
/>
</div>
<div className="space-y-2">
<Label htmlFor="purchase_price">Purchase Price</Label>
<Input
id="purchase_price"
type="number"
step="0.01"
value={formData.purchase_price || ''}
onChange={(e) => updateField('purchase_price', e.target.value ? parseFloat(e.target.value) : undefined)}
placeholder="0.00"
/>
</div>
</div>
<div className="grid grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="purchase_date">Purchase Date</Label>
<Input
id="purchase_date"
type="date"
value={formData.purchase_date || ''}
onChange={(e) => updateField('purchase_date', e.target.value || undefined)}
/>
</div>
<div className="space-y-2">
<Label htmlFor="expiry_date">Expiry Date</Label>
<Input
id="expiry_date"
type="date"
value={formData.expiry_date || ''}
onChange={(e) => updateField('expiry_date', e.target.value || undefined)}
/>
</div>
</div>
<div className="grid grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="serial_number">Serial Number</Label>
<Input
id="serial_number"
value={formData.serial_number || ''}
onChange={(e) => updateField('serial_number', e.target.value)}
placeholder="Serial number"
/>
</div>
<div className="space-y-2">
<Label htmlFor="model_number">Model Number</Label>
<Input
id="model_number"
value={formData.model_number || ''}
onChange={(e) => updateField('model_number', e.target.value)}
placeholder="Model number"
/>
</div>
</div>
</CardContent>
</Card>
<div className="flex justify-end gap-4">
<Button type="button" variant="outline" asChild>
<Link href="/documents">Cancel</Link>
</Button>
<Button type="submit" disabled={createMutation.isPending}>
{createMutation.isPending ? 'Creating...' : 'Create Document'}
</Button>
</div>
</form>
</div>
);
}

View File

@@ -0,0 +1,234 @@
'use client';
import { useState } from 'react';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { ColumnDef } from '@tanstack/react-table';
import Link from 'next/link';
import { MoreHorizontal, FileText, Plus, Trash2 } from 'lucide-react';
import { documentsApi } from '@/lib/api';
import type { Document } from '@/types/models';
import { DataTable } from '@/components/data-table';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import {
DropdownMenu,
DropdownMenuContent,
DropdownMenuItem,
DropdownMenuLabel,
DropdownMenuTrigger,
} from '@/components/ui/dropdown-menu';
import {
AlertDialog,
AlertDialogAction,
AlertDialogCancel,
AlertDialogContent,
AlertDialogDescription,
AlertDialogFooter,
AlertDialogHeader,
AlertDialogTitle,
} from '@/components/ui/alert-dialog';
import { toast } from 'sonner';
const documentTypeColors: Record<string, 'default' | 'secondary' | 'destructive' | 'outline'> = {
warranty: 'default',
receipt: 'secondary',
contract: 'destructive',
insurance: 'outline',
manual: 'secondary',
general: 'outline',
};
const columns: ColumnDef<Document>[] = [
{
accessorKey: 'title',
header: 'Title',
cell: ({ row }) => (
<div className="flex items-center gap-2">
<FileText className="h-4 w-4 text-muted-foreground" />
<Link
href={`/documents/${row.original.id}`}
className="font-medium text-blue-600 hover:underline"
>
{row.original.title}
</Link>
</div>
),
},
{
accessorKey: 'residence_name',
header: 'Residence',
},
{
accessorKey: 'document_type',
header: 'Type',
cell: ({ row }) => (
<Badge variant={documentTypeColors[row.original.document_type] || 'outline'}>
{row.original.document_type}
</Badge>
),
},
{
accessorKey: 'vendor',
header: 'Vendor',
cell: ({ row }) => row.original.vendor || '-',
},
{
accessorKey: 'expiry_date',
header: 'Expires',
cell: ({ row }) => {
const expiry = row.original.expiry_date;
if (!expiry) return '-';
const date = new Date(expiry);
const isExpired = date < new Date();
return (
<span className={isExpired ? 'text-red-500' : ''}>
{date.toLocaleDateString()}
</span>
);
},
},
{
accessorKey: 'is_active',
header: 'Status',
cell: ({ row }) => (
<Badge variant={row.original.is_active ? 'default' : 'secondary'}>
{row.original.is_active ? 'Active' : 'Inactive'}
</Badge>
),
},
{
accessorKey: 'created_at',
header: 'Created',
cell: ({ row }) => new Date(row.original.created_at).toLocaleDateString(),
},
{
id: 'actions',
cell: ({ row }) => {
const document = row.original;
return (
<DropdownMenu>
<DropdownMenuTrigger asChild>
<Button variant="ghost" className="h-8 w-8 p-0">
<span className="sr-only">Open menu</span>
<MoreHorizontal className="h-4 w-4" />
</Button>
</DropdownMenuTrigger>
<DropdownMenuContent align="end">
<DropdownMenuLabel>Actions</DropdownMenuLabel>
<DropdownMenuItem asChild>
<Link href={`/documents/${document.id}`}>View details</Link>
</DropdownMenuItem>
<DropdownMenuItem asChild>
<Link href={`/documents/${document.id}/edit`}>Edit</Link>
</DropdownMenuItem>
</DropdownMenuContent>
</DropdownMenu>
);
},
},
];
export default function DocumentsPage() {
const queryClient = useQueryClient();
const [page, setPage] = useState(1);
const [pageSize, setPageSize] = useState(20);
const [search, setSearch] = useState('');
const [selectedRows, setSelectedRows] = useState<Document[]>([]);
const [showDeleteDialog, setShowDeleteDialog] = useState(false);
const { data, isLoading } = useQuery({
queryKey: ['documents', { page, per_page: pageSize, search }],
queryFn: () => documentsApi.list({ page, per_page: pageSize, search: search || undefined }),
});
const bulkDeleteMutation = useMutation({
mutationFn: (ids: number[]) => documentsApi.bulkDelete(ids),
onSuccess: () => {
queryClient.invalidateQueries({ queryKey: ['documents'] });
setSelectedRows([]);
setShowDeleteDialog(false);
toast.success(`${selectedRows.length} document(s) deactivated`);
},
onError: () => {
toast.error('Failed to deactivate documents');
},
});
const handleBulkDelete = () => {
const ids = selectedRows.map((d) => d.id);
bulkDeleteMutation.mutate(ids);
};
return (
<div className="space-y-4">
<div className="flex items-center justify-between">
<div>
<h1 className="text-2xl font-bold">Documents</h1>
<p className="text-muted-foreground">Manage documents, warranties, and receipts</p>
</div>
<div className="flex items-center gap-2">
{selectedRows.length > 0 && (
<Button
variant="destructive"
size="sm"
onClick={() => setShowDeleteDialog(true)}
>
<Trash2 className="h-4 w-4 mr-2" />
Deactivate ({selectedRows.length})
</Button>
)}
<Button asChild>
<Link href="/documents/new">
<Plus className="h-4 w-4 mr-2" />
New Document
</Link>
</Button>
</div>
</div>
<DataTable
columns={columns}
data={data?.data ?? []}
totalCount={data?.total ?? 0}
page={page}
pageSize={pageSize}
onPageChange={setPage}
onPageSizeChange={(size) => {
setPageSize(size);
setPage(1);
}}
searchValue={search}
onSearchChange={(value) => {
setSearch(value);
setPage(1);
}}
searchPlaceholder="Search documents..."
isLoading={isLoading}
enableRowSelection
onRowSelectionChange={setSelectedRows}
/>
<AlertDialog open={showDeleteDialog} onOpenChange={setShowDeleteDialog}>
<AlertDialogContent>
<AlertDialogHeader>
<AlertDialogTitle>Deactivate Documents</AlertDialogTitle>
<AlertDialogDescription>
Are you sure you want to deactivate {selectedRows.length} document(s)?
This will mark them as inactive but not permanently delete them.
</AlertDialogDescription>
</AlertDialogHeader>
<AlertDialogFooter>
<AlertDialogCancel>Cancel</AlertDialogCancel>
<AlertDialogAction
onClick={handleBulkDelete}
className="bg-red-600 hover:bg-red-700"
>
{bulkDeleteMutation.isPending ? 'Deactivating...' : 'Deactivate'}
</AlertDialogAction>
</AlertDialogFooter>
</AlertDialogContent>
</AlertDialog>
</div>
);
}

View File

@@ -0,0 +1,55 @@
'use client';
import { useEffect } from 'react';
import { useRouter } from 'next/navigation';
import { useAuthStore } from '@/store/auth';
import { SidebarProvider, SidebarTrigger } from '@/components/ui/sidebar';
import { AppSidebar } from '@/components/app-sidebar';
export default function DashboardLayout({
children,
}: {
children: React.ReactNode;
}) {
const router = useRouter();
const { isAuthenticated, isLoading, checkAuth, hasHydrated } = useAuthStore();
useEffect(() => {
if (hasHydrated) {
checkAuth();
}
}, [hasHydrated, checkAuth]);
useEffect(() => {
if (hasHydrated && !isLoading && !isAuthenticated) {
router.push('/login');
}
}, [hasHydrated, isAuthenticated, isLoading, router]);
// Wait for hydration before showing anything
if (!hasHydrated || isLoading) {
return (
<div className="min-h-screen flex items-center justify-center bg-gray-50">
<div className="text-gray-500">Loading...</div>
</div>
);
}
if (!isAuthenticated) {
return null;
}
return (
<SidebarProvider>
<div className="flex min-h-screen w-full">
<AppSidebar />
<main className="flex-1">
<div className="flex items-center gap-2 border-b p-4">
<SidebarTrigger />
</div>
<div className="p-6">{children}</div>
</main>
</div>
</SidebarProvider>
);
}

View File

@@ -0,0 +1,345 @@
'use client';
import { useState } from 'react';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { Plus, Pencil, Trash2, GripVertical, X, Check } from 'lucide-react';
import { toast } from 'sonner';
import { lookupsApi, type LookupItem, type CreateLookupRequest, type UpdateLookupRequest } from '@/lib/api';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Tabs, TabsContent, TabsList, TabsTrigger } from '@/components/ui/tabs';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import {
Table,
TableBody,
TableCell,
TableHead,
TableHeader,
TableRow,
} from '@/components/ui/table';
import {
AlertDialog,
AlertDialogAction,
AlertDialogCancel,
AlertDialogContent,
AlertDialogDescription,
AlertDialogFooter,
AlertDialogHeader,
AlertDialogTitle,
} from '@/components/ui/alert-dialog';
const lookupTabs = [
{ key: 'categories', label: 'Task Categories', api: lookupsApi.categories },
{ key: 'priorities', label: 'Task Priorities', api: lookupsApi.priorities },
{ key: 'statuses', label: 'Task Statuses', api: lookupsApi.statuses },
{ key: 'frequencies', label: 'Task Frequencies', api: lookupsApi.frequencies },
{ key: 'residenceTypes', label: 'Residence Types', api: lookupsApi.residenceTypes },
{ key: 'specialties', label: 'Contractor Specialties', api: lookupsApi.specialties },
];
interface LookupTableProps {
lookupKey: string;
api: typeof lookupsApi.categories;
}
function LookupTable({ lookupKey, api }: LookupTableProps) {
const queryClient = useQueryClient();
const [editingId, setEditingId] = useState<number | null>(null);
const [editingName, setEditingName] = useState('');
const [editingOrder, setEditingOrder] = useState(0);
const [isAdding, setIsAdding] = useState(false);
const [newName, setNewName] = useState('');
const [newOrder, setNewOrder] = useState(0);
const [deleteItem, setDeleteItem] = useState<LookupItem | null>(null);
const { data: items = [], isLoading } = useQuery({
queryKey: ['lookups', lookupKey],
queryFn: () => api.list(),
});
const createMutation = useMutation({
mutationFn: (data: CreateLookupRequest) => api.create(data),
onSuccess: () => {
queryClient.invalidateQueries({ queryKey: ['lookups', lookupKey] });
setIsAdding(false);
setNewName('');
setNewOrder(0);
toast.success('Item created successfully');
},
onError: () => {
toast.error('Failed to create item');
},
});
const updateMutation = useMutation({
mutationFn: ({ id, data }: { id: number; data: UpdateLookupRequest }) => api.update(id, data),
onSuccess: () => {
queryClient.invalidateQueries({ queryKey: ['lookups', lookupKey] });
setEditingId(null);
toast.success('Item updated successfully');
},
onError: () => {
toast.error('Failed to update item');
},
});
const deleteMutation = useMutation({
mutationFn: (id: number) => api.delete(id),
onSuccess: () => {
queryClient.invalidateQueries({ queryKey: ['lookups', lookupKey] });
setDeleteItem(null);
toast.success('Item deleted successfully');
},
onError: () => {
toast.error('Failed to delete item');
},
});
const handleEdit = (item: LookupItem) => {
setEditingId(item.id);
setEditingName(item.name);
setEditingOrder(item.display_order);
};
const handleSave = () => {
if (!editingId) return;
updateMutation.mutate({
id: editingId,
data: {
name: editingName,
display_order: editingOrder,
},
});
};
const handleCreate = () => {
if (!newName.trim()) return;
createMutation.mutate({
name: newName,
display_order: newOrder,
});
};
const sortedItems = [...items].sort((a, b) => a.display_order - b.display_order);
if (isLoading) {
return <div className="flex items-center justify-center h-32 text-muted-foreground">Loading...</div>;
}
return (
<div className="space-y-4">
<div className="flex justify-end">
<Button onClick={() => setIsAdding(true)} disabled={isAdding}>
<Plus className="h-4 w-4 mr-2" />
Add Item
</Button>
</div>
<Table>
<TableHeader>
<TableRow>
<TableHead className="w-12">#</TableHead>
<TableHead>Name</TableHead>
<TableHead className="w-24">Order</TableHead>
<TableHead className="w-32">Actions</TableHead>
</TableRow>
</TableHeader>
<TableBody>
{isAdding && (
<TableRow>
<TableCell>
<GripVertical className="h-4 w-4 text-muted-foreground" />
</TableCell>
<TableCell>
<Input
value={newName}
onChange={(e) => setNewName(e.target.value)}
placeholder="Enter name..."
className="h-8"
autoFocus
/>
</TableCell>
<TableCell>
<Input
type="number"
value={newOrder}
onChange={(e) => setNewOrder(parseInt(e.target.value) || 0)}
className="h-8 w-16"
/>
</TableCell>
<TableCell>
<div className="flex items-center gap-1">
<Button
variant="ghost"
size="icon"
className="h-8 w-8"
onClick={handleCreate}
disabled={createMutation.isPending || !newName.trim()}
>
<Check className="h-4 w-4 text-green-600" />
</Button>
<Button
variant="ghost"
size="icon"
className="h-8 w-8"
onClick={() => {
setIsAdding(false);
setNewName('');
setNewOrder(0);
}}
>
<X className="h-4 w-4 text-red-600" />
</Button>
</div>
</TableCell>
</TableRow>
)}
{sortedItems.map((item) => (
<TableRow key={item.id}>
<TableCell>
<GripVertical className="h-4 w-4 text-muted-foreground" />
</TableCell>
<TableCell>
{editingId === item.id ? (
<Input
value={editingName}
onChange={(e) => setEditingName(e.target.value)}
className="h-8"
/>
) : (
item.name
)}
</TableCell>
<TableCell>
{editingId === item.id ? (
<Input
type="number"
value={editingOrder}
onChange={(e) => setEditingOrder(parseInt(e.target.value) || 0)}
className="h-8 w-16"
/>
) : (
item.display_order
)}
</TableCell>
<TableCell>
{editingId === item.id ? (
<div className="flex items-center gap-1">
<Button
variant="ghost"
size="icon"
className="h-8 w-8"
onClick={handleSave}
disabled={updateMutation.isPending}
>
<Check className="h-4 w-4 text-green-600" />
</Button>
<Button
variant="ghost"
size="icon"
className="h-8 w-8"
onClick={() => setEditingId(null)}
>
<X className="h-4 w-4 text-red-600" />
</Button>
</div>
) : (
<div className="flex items-center gap-1">
<Button
variant="ghost"
size="icon"
className="h-8 w-8"
onClick={() => handleEdit(item)}
>
<Pencil className="h-4 w-4" />
</Button>
<Button
variant="ghost"
size="icon"
className="h-8 w-8"
onClick={() => setDeleteItem(item)}
>
<Trash2 className="h-4 w-4 text-red-600" />
</Button>
</div>
)}
</TableCell>
</TableRow>
))}
{sortedItems.length === 0 && !isAdding && (
<TableRow>
<TableCell colSpan={4} className="text-center text-muted-foreground py-8">
No items found. Click &quot;Add Item&quot; to create one.
</TableCell>
</TableRow>
)}
</TableBody>
</Table>
<AlertDialog open={!!deleteItem} onOpenChange={(open) => !open && setDeleteItem(null)}>
<AlertDialogContent>
<AlertDialogHeader>
<AlertDialogTitle>Delete Item</AlertDialogTitle>
<AlertDialogDescription>
Are you sure you want to delete &quot;{deleteItem?.name}&quot;? This action cannot be undone.
</AlertDialogDescription>
</AlertDialogHeader>
<AlertDialogFooter>
<AlertDialogCancel>Cancel</AlertDialogCancel>
<AlertDialogAction
onClick={() => deleteItem && deleteMutation.mutate(deleteItem.id)}
className="bg-red-600 hover:bg-red-700"
>
{deleteMutation.isPending ? 'Deleting...' : 'Delete'}
</AlertDialogAction>
</AlertDialogFooter>
</AlertDialogContent>
</AlertDialog>
</div>
);
}
export default function LookupsPage() {
return (
<div className="space-y-6">
<div>
<h1 className="text-2xl font-bold">Lookup Tables</h1>
<p className="text-muted-foreground">
Manage reference data used throughout the application
</p>
</div>
<Card>
<CardHeader>
<CardTitle>Reference Data</CardTitle>
<CardDescription>
Configure task categories, priorities, statuses, frequencies, residence types, and contractor specialties
</CardDescription>
</CardHeader>
<CardContent>
<Tabs defaultValue="categories" className="w-full">
<TabsList className="grid w-full grid-cols-6">
{lookupTabs.map((tab) => (
<TabsTrigger key={tab.key} value={tab.key} className="text-xs">
{tab.label}
</TabsTrigger>
))}
</TabsList>
{lookupTabs.map((tab) => (
<TabsContent key={tab.key} value={tab.key} className="mt-4">
<LookupTable lookupKey={tab.key} api={tab.api} />
</TabsContent>
))}
</Tabs>
</CardContent>
</Card>
</div>
);
}

View File

@@ -0,0 +1,238 @@
'use client';
import { useState } from 'react';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { ColumnDef } from '@tanstack/react-table';
import Link from 'next/link';
import { MoreHorizontal, Trash2 } from 'lucide-react';
import { notificationPrefsApi, type NotificationPreference } from '@/lib/api';
import { DataTable } from '@/components/data-table';
import { Button } from '@/components/ui/button';
import { Switch } from '@/components/ui/switch';
import {
DropdownMenu,
DropdownMenuContent,
DropdownMenuItem,
DropdownMenuLabel,
DropdownMenuSeparator,
DropdownMenuTrigger,
} from '@/components/ui/dropdown-menu';
import {
AlertDialog,
AlertDialogAction,
AlertDialogCancel,
AlertDialogContent,
AlertDialogDescription,
AlertDialogFooter,
AlertDialogHeader,
AlertDialogTitle,
} from '@/components/ui/alert-dialog';
import { toast } from 'sonner';
export default function NotificationPrefsPage() {
const [deleteId, setDeleteId] = useState<number | null>(null);
const [page, setPage] = useState(1);
const [pageSize, setPageSize] = useState(20);
const [search, setSearch] = useState('');
const queryClient = useQueryClient();
const { data, isLoading } = useQuery({
queryKey: ['notification-prefs', page, pageSize, search],
queryFn: () => notificationPrefsApi.list({
page,
per_page: pageSize,
search: search || undefined,
sort_by: 'user_id',
sort_dir: 'asc',
}),
});
const deleteMutation = useMutation({
mutationFn: notificationPrefsApi.delete,
onSuccess: () => {
queryClient.invalidateQueries({ queryKey: ['notification-prefs'] });
toast.success('Notification preference deleted');
setDeleteId(null);
},
onError: () => {
toast.error('Failed to delete notification preference');
},
});
const updateMutation = useMutation({
mutationFn: ({ id, data }: { id: number; data: Parameters<typeof notificationPrefsApi.update>[1] }) =>
notificationPrefsApi.update(id, data),
onSuccess: () => {
queryClient.invalidateQueries({ queryKey: ['notification-prefs'] });
toast.success('Preference updated');
},
onError: () => {
toast.error('Failed to update preference');
},
});
const handleToggle = (id: number, field: string, currentValue: boolean) => {
updateMutation.mutate({
id,
data: { [field]: !currentValue },
});
};
const columns: ColumnDef<NotificationPreference>[] = [
{
accessorKey: 'username',
header: 'User',
cell: ({ row }) => (
<Link
href={`/admin/users/${row.original.user_id}`}
className="font-medium text-blue-600 hover:underline"
>
{row.original.username}
</Link>
),
},
{
accessorKey: 'email',
header: 'Email',
},
{
accessorKey: 'task_due_soon',
header: 'Due Soon',
cell: ({ row }) => (
<Switch
checked={row.original.task_due_soon}
onCheckedChange={() => handleToggle(row.original.id, 'task_due_soon', row.original.task_due_soon)}
/>
),
},
{
accessorKey: 'task_overdue',
header: 'Overdue',
cell: ({ row }) => (
<Switch
checked={row.original.task_overdue}
onCheckedChange={() => handleToggle(row.original.id, 'task_overdue', row.original.task_overdue)}
/>
),
},
{
accessorKey: 'task_completed',
header: 'Completed',
cell: ({ row }) => (
<Switch
checked={row.original.task_completed}
onCheckedChange={() => handleToggle(row.original.id, 'task_completed', row.original.task_completed)}
/>
),
},
{
accessorKey: 'task_assigned',
header: 'Assigned',
cell: ({ row }) => (
<Switch
checked={row.original.task_assigned}
onCheckedChange={() => handleToggle(row.original.id, 'task_assigned', row.original.task_assigned)}
/>
),
},
{
accessorKey: 'residence_shared',
header: 'Shared',
cell: ({ row }) => (
<Switch
checked={row.original.residence_shared}
onCheckedChange={() => handleToggle(row.original.id, 'residence_shared', row.original.residence_shared)}
/>
),
},
{
accessorKey: 'warranty_expiring',
header: 'Warranty',
cell: ({ row }) => (
<Switch
checked={row.original.warranty_expiring}
onCheckedChange={() => handleToggle(row.original.id, 'warranty_expiring', row.original.warranty_expiring)}
/>
),
},
{
id: 'actions',
cell: ({ row }) => {
const pref = row.original;
return (
<DropdownMenu>
<DropdownMenuTrigger asChild>
<Button variant="ghost" className="h-8 w-8 p-0">
<span className="sr-only">Open menu</span>
<MoreHorizontal className="h-4 w-4" />
</Button>
</DropdownMenuTrigger>
<DropdownMenuContent align="end">
<DropdownMenuLabel>Actions</DropdownMenuLabel>
<DropdownMenuSeparator />
<DropdownMenuItem asChild>
<Link href={`/admin/users/${pref.user_id}`}>View User</Link>
</DropdownMenuItem>
<DropdownMenuItem
className="text-destructive"
onClick={() => setDeleteId(pref.id)}
>
<Trash2 className="mr-2 h-4 w-4" />
Delete
</DropdownMenuItem>
</DropdownMenuContent>
</DropdownMenu>
);
},
},
];
return (
<div className="p-6">
<div className="flex justify-between items-center mb-6">
<div>
<h1 className="text-2xl font-bold">Notification Preferences</h1>
<p className="text-muted-foreground">
Manage user notification preferences for push notifications
</p>
</div>
</div>
<DataTable
columns={columns}
data={data?.data || []}
totalCount={data?.total || 0}
page={page}
pageSize={pageSize}
onPageChange={setPage}
onPageSizeChange={setPageSize}
searchValue={search}
onSearchChange={setSearch}
isLoading={isLoading}
searchPlaceholder="Search by username or email..."
/>
<AlertDialog open={deleteId !== null} onOpenChange={() => setDeleteId(null)}>
<AlertDialogContent>
<AlertDialogHeader>
<AlertDialogTitle>Delete Notification Preference?</AlertDialogTitle>
<AlertDialogDescription>
This will remove the notification preference for this user. They will need to set up
their preferences again.
</AlertDialogDescription>
</AlertDialogHeader>
<AlertDialogFooter>
<AlertDialogCancel>Cancel</AlertDialogCancel>
<AlertDialogAction
className="bg-destructive text-destructive-foreground hover:bg-destructive/90"
onClick={() => deleteId && deleteMutation.mutate(deleteId)}
>
Delete
</AlertDialogAction>
</AlertDialogFooter>
</AlertDialogContent>
</AlertDialog>
</div>
);
}

View File

@@ -0,0 +1,187 @@
'use client';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { useParams, useRouter } from 'next/navigation';
import Link from 'next/link';
import { ArrowLeft, Trash2, Bell, User, Pencil } from 'lucide-react';
import { toast } from 'sonner';
import { notificationsApi } from '@/lib/api';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
export function NotificationDetailClient() {
const params = useParams();
const router = useRouter();
const queryClient = useQueryClient();
const notificationId = Number(params.id);
const { data: notification, isLoading, error } = useQuery({
queryKey: ['notification', notificationId],
queryFn: () => notificationsApi.get(notificationId),
enabled: !!notificationId,
});
const deleteMutation = useMutation({
mutationFn: () => notificationsApi.delete(notificationId),
onSuccess: () => {
toast.success('Notification deleted successfully');
queryClient.invalidateQueries({ queryKey: ['notifications'] });
router.push('/notifications');
},
onError: () => {
toast.error('Failed to delete notification');
},
});
if (isLoading) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-muted-foreground">Loading...</div>
</div>
);
}
if (error || !notification) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-red-500">Failed to load notification</div>
</div>
);
}
return (
<div className="space-y-6">
{/* Header */}
<div className="flex items-center justify-between">
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href="/notifications">
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<div className="flex items-center gap-2">
<Bell className="h-5 w-5 text-muted-foreground" />
<h1 className="text-2xl font-bold">{notification.title}</h1>
</div>
<p className="text-muted-foreground">{notification.notification_type}</p>
</div>
</div>
<div className="flex items-center gap-2">
<Button variant="outline" asChild>
<Link href={`/notifications/${notificationId}/edit`}>
<Pencil className="mr-2 h-4 w-4" />
Edit
</Link>
</Button>
<Button
variant="destructive"
onClick={() => {
if (confirm('Are you sure you want to delete this notification?')) {
deleteMutation.mutate();
}
}}
disabled={deleteMutation.isPending}
>
<Trash2 className="mr-2 h-4 w-4" />
Delete
</Button>
</div>
</div>
<div className="grid gap-6 md:grid-cols-2">
{/* Notification Content */}
<Card>
<CardHeader>
<CardTitle>Content</CardTitle>
<CardDescription>Notification message details</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div>
<div className="text-sm font-medium text-muted-foreground">Title</div>
<div className="font-medium">{notification.title}</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Body</div>
<div className="whitespace-pre-wrap">{notification.body}</div>
</div>
{notification.data && notification.data !== '{}' && (
<div>
<div className="text-sm font-medium text-muted-foreground">Data</div>
<pre className="text-sm bg-muted p-2 rounded overflow-x-auto">
{JSON.stringify(JSON.parse(notification.data), null, 2)}
</pre>
</div>
)}
</CardContent>
</Card>
{/* Status & User Info */}
<Card>
<CardHeader>
<CardTitle>Details</CardTitle>
<CardDescription>Status and recipient information</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="flex items-center gap-2">
<User className="h-4 w-4 text-muted-foreground" />
<div>
<div className="font-medium">{notification.username}</div>
<div className="text-sm text-muted-foreground">{notification.user_email}</div>
</div>
</div>
<div className="grid grid-cols-2 gap-4">
<div>
<div className="text-sm font-medium text-muted-foreground">Type</div>
<Badge variant="outline">{notification.notification_type}</Badge>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Status</div>
<div className="flex gap-2">
<Badge variant={notification.sent ? 'default' : 'secondary'}>
{notification.sent ? 'Sent' : 'Pending'}
</Badge>
<Badge variant={notification.read ? 'default' : 'outline'}>
{notification.read ? 'Read' : 'Unread'}
</Badge>
</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Created</div>
<div>{new Date(notification.created_at).toLocaleString()}</div>
</div>
{notification.sent_at && (
<div>
<div className="text-sm font-medium text-muted-foreground">Sent At</div>
<div>{new Date(notification.sent_at).toLocaleString()}</div>
</div>
)}
{notification.read_at && (
<div>
<div className="text-sm font-medium text-muted-foreground">Read At</div>
<div>{new Date(notification.read_at).toLocaleString()}</div>
</div>
)}
{notification.task_id && (
<div>
<div className="text-sm font-medium text-muted-foreground">Related Task</div>
<Link href={`/tasks/${notification.task_id}`} className="text-blue-600 hover:underline">
Task #{notification.task_id}
</Link>
</div>
)}
</div>
</CardContent>
</Card>
</div>
</div>
);
}

View File

@@ -0,0 +1,155 @@
'use client';
import { useEffect, useState } from 'react';
import { useRouter, useParams } from 'next/navigation';
import { useMutation, useQuery } from '@tanstack/react-query';
import { ArrowLeft } from 'lucide-react';
import Link from 'next/link';
import { notificationsApi } from '@/lib/api';
import type { UpdateNotificationRequest } from '@/types/models';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Label } from '@/components/ui/label';
import { Textarea } from '@/components/ui/textarea';
import { Switch } from '@/components/ui/switch';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import { toast } from 'sonner';
export default function EditNotificationPage() {
const router = useRouter();
const params = useParams();
const notificationId = Number(params.id);
const [formData, setFormData] = useState<UpdateNotificationRequest>({
title: '',
body: '',
read: false,
});
const { data: notification, isLoading } = useQuery({
queryKey: ['notification', notificationId],
queryFn: () => notificationsApi.get(notificationId),
enabled: !!notificationId,
});
useEffect(() => {
if (notification) {
setFormData({
title: notification.title,
body: notification.body,
read: notification.read,
});
}
}, [notification]);
const updateMutation = useMutation({
mutationFn: (data: UpdateNotificationRequest) => notificationsApi.update(notificationId, data),
onSuccess: () => {
toast.success('Notification updated successfully');
router.push(`/notifications/${notificationId}`);
},
onError: (error: Error) => {
toast.error(error.message || 'Failed to update notification');
},
});
const handleSubmit = (e: React.FormEvent) => {
e.preventDefault();
if (!formData.title) {
toast.error('Please enter a notification title');
return;
}
updateMutation.mutate(formData);
};
const updateField = (field: keyof UpdateNotificationRequest, value: unknown) => {
setFormData((prev) => ({ ...prev, [field]: value }));
};
if (isLoading) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-muted-foreground">Loading...</div>
</div>
);
}
return (
<div className="space-y-6">
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href={`/notifications/${notificationId}`}>
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<h1 className="text-2xl font-bold">Edit Notification</h1>
<p className="text-muted-foreground">Update notification details for {notification?.username}</p>
</div>
</div>
<form onSubmit={handleSubmit} className="space-y-6">
<Card>
<CardHeader>
<CardTitle>Notification Content</CardTitle>
<CardDescription>Update the notification message</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="space-y-2">
<Label htmlFor="title">Title *</Label>
<Input
id="title"
value={formData.title || ''}
onChange={(e) => updateField('title', e.target.value)}
placeholder="Notification title"
/>
</div>
<div className="space-y-2">
<Label htmlFor="body">Body</Label>
<Textarea
id="body"
value={formData.body || ''}
onChange={(e) => updateField('body', e.target.value)}
placeholder="Notification body..."
rows={4}
/>
</div>
</CardContent>
</Card>
<Card>
<CardHeader>
<CardTitle>Status</CardTitle>
<CardDescription>Notification read status</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="flex items-center space-x-2">
<Switch
id="read"
checked={formData.read}
onCheckedChange={(checked) => updateField('read', checked)}
/>
<Label htmlFor="read">Marked as Read</Label>
</div>
</CardContent>
</Card>
<div className="flex justify-end gap-4">
<Button type="button" variant="outline" asChild>
<Link href={`/notifications/${notificationId}`}>Cancel</Link>
</Button>
<Button type="submit" disabled={updateMutation.isPending}>
{updateMutation.isPending ? 'Saving...' : 'Save Changes'}
</Button>
</div>
</form>
</div>
);
}

View File

@@ -0,0 +1,5 @@
import { NotificationDetailClient } from './client';
export default function NotificationDetailPage() {
return <NotificationDetailClient />;
}

View File

@@ -0,0 +1,144 @@
'use client';
import { useState } from 'react';
import { useQuery } from '@tanstack/react-query';
import { ColumnDef } from '@tanstack/react-table';
import Link from 'next/link';
import { MoreHorizontal } from 'lucide-react';
import { notificationsApi } from '@/lib/api';
import type { Notification } from '@/types/models';
import { DataTable } from '@/components/data-table';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import {
DropdownMenu,
DropdownMenuContent,
DropdownMenuItem,
DropdownMenuLabel,
DropdownMenuTrigger,
} from '@/components/ui/dropdown-menu';
const columns: ColumnDef<Notification>[] = [
{
accessorKey: 'title',
header: 'Title',
cell: ({ row }) => (
<Link
href={`/notifications/${row.original.id}`}
className="font-medium text-blue-600 hover:underline"
>
{row.original.title}
</Link>
),
},
{
accessorKey: 'username',
header: 'User',
cell: ({ row }) => (
<div>
<div className="font-medium">{row.original.username}</div>
<div className="text-sm text-muted-foreground">{row.original.user_email}</div>
</div>
),
},
{
accessorKey: 'notification_type',
header: 'Type',
cell: ({ row }) => (
<Badge variant="outline">{row.original.notification_type}</Badge>
),
},
{
accessorKey: 'sent',
header: 'Sent',
cell: ({ row }) => (
<Badge variant={row.original.sent ? 'default' : 'secondary'}>
{row.original.sent ? 'Sent' : 'Pending'}
</Badge>
),
},
{
accessorKey: 'read',
header: 'Read',
cell: ({ row }) => (
<Badge variant={row.original.read ? 'default' : 'outline'}>
{row.original.read ? 'Read' : 'Unread'}
</Badge>
),
},
{
accessorKey: 'created_at',
header: 'Created',
cell: ({ row }) => {
const date = new Date(row.original.created_at);
return date.toLocaleDateString();
},
},
{
id: 'actions',
cell: ({ row }) => {
const notification = row.original;
return (
<DropdownMenu>
<DropdownMenuTrigger asChild>
<Button variant="ghost" className="h-8 w-8 p-0">
<span className="sr-only">Open menu</span>
<MoreHorizontal className="h-4 w-4" />
</Button>
</DropdownMenuTrigger>
<DropdownMenuContent align="end">
<DropdownMenuLabel>Actions</DropdownMenuLabel>
<DropdownMenuItem asChild>
<Link href={`/notifications/${notification.id}`}>View details</Link>
</DropdownMenuItem>
</DropdownMenuContent>
</DropdownMenu>
);
},
},
];
export default function NotificationsPage() {
const [page, setPage] = useState(1);
const [pageSize, setPageSize] = useState(20);
const [search, setSearch] = useState('');
const { data, isLoading } = useQuery({
queryKey: ['notifications', { page, per_page: pageSize, search }],
queryFn: () => notificationsApi.list({ page, per_page: pageSize, search: search || undefined }),
});
return (
<div className="space-y-4">
<div className="flex items-center justify-between">
<div>
<h1 className="text-2xl font-bold">Notifications</h1>
<p className="text-muted-foreground">
View and manage push notifications
</p>
</div>
</div>
<DataTable
columns={columns}
data={data?.data ?? []}
totalCount={data?.total ?? 0}
page={page}
pageSize={pageSize}
onPageChange={setPage}
onPageSizeChange={(size) => {
setPageSize(size);
setPage(1);
}}
searchValue={search}
onSearchChange={(value) => {
setSearch(value);
setPage(1);
}}
searchPlaceholder="Search notifications..."
isLoading={isLoading}
/>
</div>
);
}

View File

@@ -0,0 +1,286 @@
'use client';
import { useQuery } from '@tanstack/react-query';
import Link from 'next/link';
import { useAuthStore } from '@/store/auth';
import { dashboardApi } from '@/lib/api';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import {
Users,
Building2,
ClipboardList,
Wrench,
FileText,
Bell,
CreditCard,
TrendingUp,
AlertTriangle,
CheckCircle,
Clock,
} from 'lucide-react';
export default function DashboardPage() {
const { user } = useAuthStore();
const { data: stats, isLoading } = useQuery({
queryKey: ['dashboard-stats'],
queryFn: () => dashboardApi.getStats(),
});
return (
<div className="space-y-6">
<div>
<h1 className="text-3xl font-bold">Dashboard</h1>
<p className="text-muted-foreground">
Welcome back, {user?.first_name || 'Admin'}
</p>
</div>
{/* Main Stats */}
<div className="grid gap-4 md:grid-cols-2 lg:grid-cols-4">
<Link href="/users">
<Card className="hover:bg-muted/50 transition-colors cursor-pointer">
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
<CardTitle className="text-sm font-medium">Total Users</CardTitle>
<Users className="h-4 w-4 text-muted-foreground" />
</CardHeader>
<CardContent>
<div className="text-2xl font-bold">
{isLoading ? '-' : stats?.users.total.toLocaleString()}
</div>
<p className="text-xs text-muted-foreground">
{isLoading ? '' : `${stats?.users.active} active, ${stats?.users.new_30d} new this month`}
</p>
</CardContent>
</Card>
</Link>
<Link href="/residences">
<Card className="hover:bg-muted/50 transition-colors cursor-pointer">
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
<CardTitle className="text-sm font-medium">Residences</CardTitle>
<Building2 className="h-4 w-4 text-muted-foreground" />
</CardHeader>
<CardContent>
<div className="text-2xl font-bold">
{isLoading ? '-' : stats?.residences.total.toLocaleString()}
</div>
<p className="text-xs text-muted-foreground">
{isLoading ? '' : `${stats?.residences.active} active, ${stats?.residences.new_30d} new this month`}
</p>
</CardContent>
</Card>
</Link>
<Link href="/tasks">
<Card className="hover:bg-muted/50 transition-colors cursor-pointer">
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
<CardTitle className="text-sm font-medium">Tasks</CardTitle>
<ClipboardList className="h-4 w-4 text-muted-foreground" />
</CardHeader>
<CardContent>
<div className="text-2xl font-bold">
{isLoading ? '-' : stats?.tasks.total.toLocaleString()}
</div>
<p className="text-xs text-muted-foreground">
{isLoading ? '' : `${stats?.tasks.pending} pending, ${stats?.tasks.completed} completed`}
</p>
</CardContent>
</Card>
</Link>
<Link href="/contractors">
<Card className="hover:bg-muted/50 transition-colors cursor-pointer">
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
<CardTitle className="text-sm font-medium">Contractors</CardTitle>
<Wrench className="h-4 w-4 text-muted-foreground" />
</CardHeader>
<CardContent>
<div className="text-2xl font-bold">
{isLoading ? '-' : stats?.contractors.total.toLocaleString()}
</div>
<p className="text-xs text-muted-foreground">
{isLoading ? '' : `${stats?.contractors.active} active, ${stats?.contractors.favorite} favorites`}
</p>
</CardContent>
</Card>
</Link>
</div>
{/* Secondary Stats */}
<div className="grid gap-4 md:grid-cols-3">
<Link href="/documents">
<Card className="hover:bg-muted/50 transition-colors cursor-pointer">
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
<CardTitle className="text-sm font-medium">Documents</CardTitle>
<FileText className="h-4 w-4 text-muted-foreground" />
</CardHeader>
<CardContent>
<div className="text-2xl font-bold">
{isLoading ? '-' : stats?.documents.total.toLocaleString()}
</div>
<p className="text-xs text-muted-foreground">
{isLoading ? '' : `${stats?.documents.active} active`}
{!isLoading && stats?.documents.expired ? (
<span className="text-red-500 ml-1">({stats.documents.expired} expired)</span>
) : null}
</p>
</CardContent>
</Card>
</Link>
<Link href="/notifications">
<Card className="hover:bg-muted/50 transition-colors cursor-pointer">
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
<CardTitle className="text-sm font-medium">Notifications</CardTitle>
<Bell className="h-4 w-4 text-muted-foreground" />
</CardHeader>
<CardContent>
<div className="text-2xl font-bold">
{isLoading ? '-' : stats?.notifications.total.toLocaleString()}
</div>
<p className="text-xs text-muted-foreground">
{isLoading ? '' : `${stats?.notifications.sent} sent, ${stats?.notifications.pending} pending`}
</p>
</CardContent>
</Card>
</Link>
<Link href="/subscriptions">
<Card className="hover:bg-muted/50 transition-colors cursor-pointer">
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
<CardTitle className="text-sm font-medium">Subscriptions</CardTitle>
<CreditCard className="h-4 w-4 text-muted-foreground" />
</CardHeader>
<CardContent>
<div className="text-2xl font-bold">
{isLoading ? '-' : stats?.subscriptions.total.toLocaleString()}
</div>
<p className="text-xs text-muted-foreground">
{isLoading ? '' : `${(stats?.subscriptions.premium || 0) + (stats?.subscriptions.pro || 0)} paid`}
</p>
</CardContent>
</Card>
</Link>
</div>
{/* Task Status Overview */}
<div className="grid gap-4 md:grid-cols-2">
<Card>
<CardHeader>
<CardTitle className="flex items-center gap-2">
<ClipboardList className="h-5 w-5" />
Task Status Overview
</CardTitle>
<CardDescription>Current task distribution</CardDescription>
</CardHeader>
<CardContent>
<div className="grid grid-cols-2 gap-4">
<div className="flex items-center gap-3 p-3 bg-yellow-50 rounded-lg">
<Clock className="h-8 w-8 text-yellow-600" />
<div>
<div className="text-2xl font-bold text-yellow-700">
{isLoading ? '-' : stats?.tasks.pending}
</div>
<div className="text-sm text-yellow-600">Pending</div>
</div>
</div>
<div className="flex items-center gap-3 p-3 bg-green-50 rounded-lg">
<CheckCircle className="h-8 w-8 text-green-600" />
<div>
<div className="text-2xl font-bold text-green-700">
{isLoading ? '-' : stats?.tasks.completed}
</div>
<div className="text-sm text-green-600">Completed</div>
</div>
</div>
<div className="flex items-center gap-3 p-3 bg-red-50 rounded-lg col-span-2">
<AlertTriangle className="h-8 w-8 text-red-600" />
<div>
<div className="text-2xl font-bold text-red-700">
{isLoading ? '-' : stats?.tasks.overdue}
</div>
<div className="text-sm text-red-600">Overdue Tasks</div>
</div>
</div>
</div>
</CardContent>
</Card>
<Card>
<CardHeader>
<CardTitle className="flex items-center gap-2">
<TrendingUp className="h-5 w-5" />
Subscription Distribution
</CardTitle>
<CardDescription>User subscription tiers</CardDescription>
</CardHeader>
<CardContent>
<div className="space-y-4">
<div className="flex items-center justify-between">
<span className="text-sm font-medium">Free</span>
<div className="flex items-center gap-2">
<div className="w-32 h-2 bg-gray-200 rounded-full overflow-hidden">
<div
className="h-full bg-gray-500 rounded-full"
style={{
width: stats?.subscriptions.total
? `${(stats.subscriptions.free / stats.subscriptions.total) * 100}%`
: '0%',
}}
/>
</div>
<span className="text-sm text-muted-foreground w-12 text-right">
{isLoading ? '-' : stats?.subscriptions.free}
</span>
</div>
</div>
<div className="flex items-center justify-between">
<span className="text-sm font-medium">Premium</span>
<div className="flex items-center gap-2">
<div className="w-32 h-2 bg-gray-200 rounded-full overflow-hidden">
<div
className="h-full bg-blue-500 rounded-full"
style={{
width: stats?.subscriptions.total
? `${(stats.subscriptions.premium / stats.subscriptions.total) * 100}%`
: '0%',
}}
/>
</div>
<span className="text-sm text-muted-foreground w-12 text-right">
{isLoading ? '-' : stats?.subscriptions.premium}
</span>
</div>
</div>
<div className="flex items-center justify-between">
<span className="text-sm font-medium">Pro</span>
<div className="flex items-center gap-2">
<div className="w-32 h-2 bg-gray-200 rounded-full overflow-hidden">
<div
className="h-full bg-purple-500 rounded-full"
style={{
width: stats?.subscriptions.total
? `${(stats.subscriptions.pro / stats.subscriptions.total) * 100}%`
: '0%',
}}
/>
</div>
<span className="text-sm text-muted-foreground w-12 text-right">
{isLoading ? '-' : stats?.subscriptions.pro}
</span>
</div>
</div>
</div>
</CardContent>
</Card>
</div>
</div>
);
}

View File

@@ -0,0 +1,222 @@
'use client';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { useParams, useRouter } from 'next/navigation';
import Link from 'next/link';
import { ArrowLeft, Trash2, Pencil } from 'lucide-react';
import { toast } from 'sonner';
import { residencesApi } from '@/lib/api';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import { Separator } from '@/components/ui/separator';
export function ResidenceDetailClient() {
const params = useParams();
const router = useRouter();
const queryClient = useQueryClient();
const residenceId = Number(params.id);
const { data: residence, isLoading, error } = useQuery({
queryKey: ['residence', residenceId],
queryFn: () => residencesApi.get(residenceId),
enabled: !!residenceId,
});
const deleteMutation = useMutation({
mutationFn: () => residencesApi.delete(residenceId),
onSuccess: () => {
toast.success('Residence deactivated successfully');
queryClient.invalidateQueries({ queryKey: ['residences'] });
router.push('/residences');
},
onError: () => {
toast.error('Failed to deactivate residence');
},
});
if (isLoading) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-muted-foreground">Loading...</div>
</div>
);
}
if (error || !residence) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-red-500">Failed to load residence</div>
</div>
);
}
return (
<div className="space-y-6">
{/* Header */}
<div className="flex items-center justify-between">
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href="/residences">
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<h1 className="text-2xl font-bold">{residence.name}</h1>
<p className="text-muted-foreground">
{residence.city}, {residence.state_province}
</p>
</div>
</div>
<div className="flex items-center gap-2">
<Button variant="outline" asChild>
<Link href={`/residences/${residenceId}/edit`}>
<Pencil className="mr-2 h-4 w-4" />
Edit
</Link>
</Button>
<Button
variant="destructive"
onClick={() => {
if (confirm('Are you sure you want to deactivate this residence?')) {
deleteMutation.mutate();
}
}}
disabled={deleteMutation.isPending}
>
<Trash2 className="mr-2 h-4 w-4" />
Deactivate
</Button>
</div>
</div>
<div className="grid gap-6 md:grid-cols-2">
{/* Property Info */}
<Card>
<CardHeader>
<CardTitle>Property Information</CardTitle>
<CardDescription>Basic property details</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-2 gap-4">
<div>
<div className="text-sm font-medium text-muted-foreground">Type</div>
<div>{residence.property_type || '-'}</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Bedrooms</div>
<div>{residence.bedrooms ?? '-'}</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Bathrooms</div>
<div>{residence.bathrooms ?? '-'}</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Sq Ft</div>
<div>{residence.square_footage?.toLocaleString() ?? '-'}</div>
</div>
</div>
</CardContent>
</Card>
{/* Address */}
<Card>
<CardHeader>
<CardTitle>Address</CardTitle>
<CardDescription>Property location</CardDescription>
</CardHeader>
<CardContent className="space-y-2">
<div>{residence.street_address || '-'}</div>
<div>
{residence.city}, {residence.state_province} {residence.postal_code}
</div>
<div>{residence.country}</div>
</CardContent>
</Card>
{/* Status */}
<Card>
<CardHeader>
<CardTitle>Status</CardTitle>
<CardDescription>Property status and flags</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-2 gap-4">
<div>
<div className="text-sm font-medium text-muted-foreground">Active</div>
<Badge variant={residence.is_active ? 'default' : 'secondary'}>
{residence.is_active ? 'Yes' : 'No'}
</Badge>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Primary</div>
<Badge variant={residence.is_primary ? 'default' : 'outline'}>
{residence.is_primary ? 'Yes' : 'No'}
</Badge>
</div>
</div>
<Separator />
<div className="grid grid-cols-2 gap-4">
<div>
<div className="text-sm font-medium text-muted-foreground">Tasks</div>
<div className="text-2xl font-bold">{residence.task_count}</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Documents</div>
<div className="text-2xl font-bold">{residence.document_count}</div>
</div>
</div>
</CardContent>
</Card>
{/* Owner & Users */}
<Card>
<CardHeader>
<CardTitle>Owner & Users</CardTitle>
<CardDescription>People with access to this property</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
{residence.owner && (
<div>
<div className="text-sm font-medium text-muted-foreground">Owner</div>
<Link
href={`/users/${residence.owner.id}`}
className="text-blue-600 hover:underline"
>
{residence.owner.username} ({residence.owner.email})
</Link>
</div>
)}
{residence.shared_users && residence.shared_users.length > 0 && (
<div>
<div className="text-sm font-medium text-muted-foreground mb-2">Shared Users</div>
<div className="space-y-1">
{residence.shared_users.map((user) => (
<div key={user.id}>
<Link
href={`/users/${user.id}`}
className="text-blue-600 hover:underline"
>
{user.username}
</Link>
</div>
))}
</div>
</div>
)}
</CardContent>
</Card>
</div>
</div>
);
}

View File

@@ -0,0 +1,213 @@
'use client';
import { useEffect, useState } from 'react';
import { useRouter, useParams } from 'next/navigation';
import { useMutation, useQuery } from '@tanstack/react-query';
import { ArrowLeft } from 'lucide-react';
import Link from 'next/link';
import { residencesApi } from '@/lib/api';
import type { UpdateResidenceRequest } from '@/types/models';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Label } from '@/components/ui/label';
import { Switch } from '@/components/ui/switch';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import { toast } from 'sonner';
export default function EditResidencePage() {
const router = useRouter();
const params = useParams();
const residenceId = Number(params.id);
const [formData, setFormData] = useState<UpdateResidenceRequest>({
name: '',
street_address: '',
city: '',
state_province: '',
postal_code: '',
country: '',
is_primary: false,
is_active: true,
});
const { data: residence, isLoading } = useQuery({
queryKey: ['residence', residenceId],
queryFn: () => residencesApi.get(residenceId),
enabled: !!residenceId,
});
useEffect(() => {
if (residence) {
setFormData({
name: residence.name,
street_address: residence.street_address,
city: residence.city,
state_province: residence.state_province,
postal_code: residence.postal_code,
country: residence.country,
is_primary: residence.is_primary,
is_active: residence.is_active,
});
}
}, [residence]);
const updateMutation = useMutation({
mutationFn: (data: UpdateResidenceRequest) => residencesApi.update(residenceId, data),
onSuccess: () => {
toast.success('Residence updated successfully');
router.push(`/residences/${residenceId}`);
},
onError: (error: Error) => {
toast.error(error.message || 'Failed to update residence');
},
});
const handleSubmit = (e: React.FormEvent) => {
e.preventDefault();
if (!formData.name) {
toast.error('Please enter a residence name');
return;
}
updateMutation.mutate(formData);
};
const updateField = (field: keyof UpdateResidenceRequest, value: unknown) => {
setFormData((prev) => ({ ...prev, [field]: value }));
};
if (isLoading) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-muted-foreground">Loading...</div>
</div>
);
}
return (
<div className="space-y-6">
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href={`/residences/${residenceId}`}>
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<h1 className="text-2xl font-bold">Edit Residence</h1>
<p className="text-muted-foreground">Update property details</p>
</div>
</div>
<form onSubmit={handleSubmit} className="space-y-6">
<Card>
<CardHeader>
<CardTitle>Basic Information</CardTitle>
<CardDescription>Update the property details</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="space-y-2">
<Label htmlFor="name">Name *</Label>
<Input
id="name"
value={formData.name || ''}
onChange={(e) => updateField('name', e.target.value)}
placeholder="My Home"
/>
</div>
<div className="flex items-center gap-6">
<div className="flex items-center space-x-2">
<Switch
id="is_primary"
checked={formData.is_primary}
onCheckedChange={(checked) => updateField('is_primary', checked)}
/>
<Label htmlFor="is_primary">Primary Residence</Label>
</div>
<div className="flex items-center space-x-2">
<Switch
id="is_active"
checked={formData.is_active}
onCheckedChange={(checked) => updateField('is_active', checked)}
/>
<Label htmlFor="is_active">Active</Label>
</div>
</div>
</CardContent>
</Card>
<Card>
<CardHeader>
<CardTitle>Address</CardTitle>
<CardDescription>Property location details</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="space-y-2">
<Label htmlFor="street_address">Street Address</Label>
<Input
id="street_address"
value={formData.street_address || ''}
onChange={(e) => updateField('street_address', e.target.value)}
placeholder="123 Main St"
/>
</div>
<div className="grid grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="city">City</Label>
<Input
id="city"
value={formData.city || ''}
onChange={(e) => updateField('city', e.target.value)}
placeholder="City"
/>
</div>
<div className="space-y-2">
<Label htmlFor="state_province">State/Province</Label>
<Input
id="state_province"
value={formData.state_province || ''}
onChange={(e) => updateField('state_province', e.target.value)}
placeholder="State"
/>
</div>
</div>
<div className="grid grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="postal_code">Postal Code</Label>
<Input
id="postal_code"
value={formData.postal_code || ''}
onChange={(e) => updateField('postal_code', e.target.value)}
placeholder="12345"
/>
</div>
<div className="space-y-2">
<Label htmlFor="country">Country</Label>
<Input
id="country"
value={formData.country || ''}
onChange={(e) => updateField('country', e.target.value)}
placeholder="USA"
/>
</div>
</div>
</CardContent>
</Card>
<div className="flex justify-end gap-4">
<Button type="button" variant="outline" asChild>
<Link href={`/residences/${residenceId}`}>Cancel</Link>
</Button>
<Button type="submit" disabled={updateMutation.isPending}>
{updateMutation.isPending ? 'Saving...' : 'Save Changes'}
</Button>
</div>
</form>
</div>
);
}

View File

@@ -0,0 +1,5 @@
import { ResidenceDetailClient } from './client';
export default function ResidenceDetailPage() {
return <ResidenceDetailClient />;
}

View File

@@ -0,0 +1,278 @@
'use client';
import { useState } from 'react';
import { useRouter } from 'next/navigation';
import { useMutation, useQuery } from '@tanstack/react-query';
import { ArrowLeft } from 'lucide-react';
import Link from 'next/link';
import { residencesApi, usersApi } from '@/lib/api';
import type { CreateResidenceRequest } from '@/types/models';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Label } from '@/components/ui/label';
import { Textarea } from '@/components/ui/textarea';
import { Switch } from '@/components/ui/switch';
import {
Select,
SelectContent,
SelectItem,
SelectTrigger,
SelectValue,
} from '@/components/ui/select';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import { toast } from 'sonner';
export default function NewResidencePage() {
const router = useRouter();
const [formData, setFormData] = useState<CreateResidenceRequest>({
owner_id: 0,
name: '',
street_address: '',
city: '',
state_province: '',
postal_code: '',
country: 'USA',
is_primary: false,
});
const { data: usersData } = useQuery({
queryKey: ['users-list'],
queryFn: () => usersApi.list({ per_page: 100, is_active: true }),
});
const createMutation = useMutation({
mutationFn: (data: CreateResidenceRequest) => residencesApi.create(data),
onSuccess: () => {
toast.success('Residence created successfully');
router.push('/residences');
},
onError: (error: Error) => {
toast.error(error.message || 'Failed to create residence');
},
});
const handleSubmit = (e: React.FormEvent) => {
e.preventDefault();
if (!formData.owner_id) {
toast.error('Please select an owner');
return;
}
if (!formData.name) {
toast.error('Please enter a residence name');
return;
}
createMutation.mutate(formData);
};
const updateField = (field: keyof CreateResidenceRequest, value: unknown) => {
setFormData((prev) => ({ ...prev, [field]: value }));
};
return (
<div className="space-y-6">
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href="/residences">
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<h1 className="text-2xl font-bold">New Residence</h1>
<p className="text-muted-foreground">Create a new property</p>
</div>
</div>
<form onSubmit={handleSubmit} className="space-y-6">
<Card>
<CardHeader>
<CardTitle>Basic Information</CardTitle>
<CardDescription>Enter the property details</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="owner_id">Owner *</Label>
<Select
value={formData.owner_id?.toString() || ''}
onValueChange={(value) => updateField('owner_id', parseInt(value))}
>
<SelectTrigger>
<SelectValue placeholder="Select owner" />
</SelectTrigger>
<SelectContent>
{usersData?.data?.map((user) => (
<SelectItem key={user.id} value={user.id.toString()}>
{user.username} ({user.email})
</SelectItem>
))}
</SelectContent>
</Select>
</div>
<div className="space-y-2">
<Label htmlFor="name">Name *</Label>
<Input
id="name"
value={formData.name}
onChange={(e) => updateField('name', e.target.value)}
placeholder="My Home"
/>
</div>
</div>
<div className="space-y-2">
<Label htmlFor="description">Description</Label>
<Textarea
id="description"
value={formData.description || ''}
onChange={(e) => updateField('description', e.target.value)}
placeholder="Property description..."
/>
</div>
<div className="flex items-center space-x-2">
<Switch
id="is_primary"
checked={formData.is_primary}
onCheckedChange={(checked) => updateField('is_primary', checked)}
/>
<Label htmlFor="is_primary">Primary Residence</Label>
</div>
</CardContent>
</Card>
<Card>
<CardHeader>
<CardTitle>Address</CardTitle>
<CardDescription>Property location details</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="space-y-2">
<Label htmlFor="street_address">Street Address</Label>
<Input
id="street_address"
value={formData.street_address || ''}
onChange={(e) => updateField('street_address', e.target.value)}
placeholder="123 Main St"
/>
</div>
<div className="space-y-2">
<Label htmlFor="apartment_unit">Apartment/Unit</Label>
<Input
id="apartment_unit"
value={formData.apartment_unit || ''}
onChange={(e) => updateField('apartment_unit', e.target.value)}
placeholder="Apt 4B"
/>
</div>
<div className="grid grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="city">City</Label>
<Input
id="city"
value={formData.city || ''}
onChange={(e) => updateField('city', e.target.value)}
placeholder="City"
/>
</div>
<div className="space-y-2">
<Label htmlFor="state_province">State/Province</Label>
<Input
id="state_province"
value={formData.state_province || ''}
onChange={(e) => updateField('state_province', e.target.value)}
placeholder="State"
/>
</div>
</div>
<div className="grid grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="postal_code">Postal Code</Label>
<Input
id="postal_code"
value={formData.postal_code || ''}
onChange={(e) => updateField('postal_code', e.target.value)}
placeholder="12345"
/>
</div>
<div className="space-y-2">
<Label htmlFor="country">Country</Label>
<Input
id="country"
value={formData.country || ''}
onChange={(e) => updateField('country', e.target.value)}
placeholder="USA"
/>
</div>
</div>
</CardContent>
</Card>
<Card>
<CardHeader>
<CardTitle>Property Details</CardTitle>
<CardDescription>Additional property information</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-4 gap-4">
<div className="space-y-2">
<Label htmlFor="bedrooms">Bedrooms</Label>
<Input
id="bedrooms"
type="number"
value={formData.bedrooms || ''}
onChange={(e) => updateField('bedrooms', e.target.value ? parseInt(e.target.value) : undefined)}
placeholder="3"
/>
</div>
<div className="space-y-2">
<Label htmlFor="bathrooms">Bathrooms</Label>
<Input
id="bathrooms"
type="number"
step="0.5"
value={formData.bathrooms || ''}
onChange={(e) => updateField('bathrooms', e.target.value ? parseFloat(e.target.value) : undefined)}
placeholder="2.5"
/>
</div>
<div className="space-y-2">
<Label htmlFor="square_footage">Square Footage</Label>
<Input
id="square_footage"
type="number"
value={formData.square_footage || ''}
onChange={(e) => updateField('square_footage', e.target.value ? parseInt(e.target.value) : undefined)}
placeholder="2000"
/>
</div>
<div className="space-y-2">
<Label htmlFor="year_built">Year Built</Label>
<Input
id="year_built"
type="number"
value={formData.year_built || ''}
onChange={(e) => updateField('year_built', e.target.value ? parseInt(e.target.value) : undefined)}
placeholder="2000"
/>
</div>
</div>
</CardContent>
</Card>
<div className="flex justify-end gap-4">
<Button type="button" variant="outline" asChild>
<Link href="/residences">Cancel</Link>
</Button>
<Button type="submit" disabled={createMutation.isPending}>
{createMutation.isPending ? 'Creating...' : 'Create Residence'}
</Button>
</div>
</form>
</div>
);
}

View File

@@ -0,0 +1,217 @@
'use client';
import { useState } from 'react';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { ColumnDef } from '@tanstack/react-table';
import Link from 'next/link';
import { MoreHorizontal, Plus, Trash2 } from 'lucide-react';
import { residencesApi } from '@/lib/api';
import type { Residence } from '@/types/models';
import { DataTable } from '@/components/data-table';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import {
DropdownMenu,
DropdownMenuContent,
DropdownMenuItem,
DropdownMenuLabel,
DropdownMenuSeparator,
DropdownMenuTrigger,
} from '@/components/ui/dropdown-menu';
import {
AlertDialog,
AlertDialogAction,
AlertDialogCancel,
AlertDialogContent,
AlertDialogDescription,
AlertDialogFooter,
AlertDialogHeader,
AlertDialogTitle,
} from '@/components/ui/alert-dialog';
import { toast } from 'sonner';
const columns: ColumnDef<Residence>[] = [
{
accessorKey: 'name',
header: 'Name',
cell: ({ row }) => (
<Link
href={`/residences/${row.original.id}`}
className="font-medium text-blue-600 hover:underline"
>
{row.original.name}
</Link>
),
},
{
accessorKey: 'owner_name',
header: 'Owner',
},
{
accessorKey: 'city',
header: 'Location',
cell: ({ row }) => {
const city = row.original.city;
const state = row.original.state_province;
return city && state ? `${city}, ${state}` : city || state || '-';
},
},
{
accessorKey: 'property_type',
header: 'Type',
cell: ({ row }) => row.original.property_type || '-',
},
{
accessorKey: 'is_primary',
header: 'Primary',
cell: ({ row }) => (
<Badge variant={row.original.is_primary ? 'default' : 'outline'}>
{row.original.is_primary ? 'Yes' : 'No'}
</Badge>
),
},
{
accessorKey: 'is_active',
header: 'Status',
cell: ({ row }) => (
<Badge variant={row.original.is_active ? 'default' : 'secondary'}>
{row.original.is_active ? 'Active' : 'Inactive'}
</Badge>
),
},
{
accessorKey: 'created_at',
header: 'Created',
cell: ({ row }) => new Date(row.original.created_at).toLocaleDateString(),
},
{
id: 'actions',
cell: ({ row }) => {
const residence = row.original;
return (
<DropdownMenu>
<DropdownMenuTrigger asChild>
<Button variant="ghost" className="h-8 w-8 p-0">
<span className="sr-only">Open menu</span>
<MoreHorizontal className="h-4 w-4" />
</Button>
</DropdownMenuTrigger>
<DropdownMenuContent align="end">
<DropdownMenuLabel>Actions</DropdownMenuLabel>
<DropdownMenuItem asChild>
<Link href={`/residences/${residence.id}`}>View details</Link>
</DropdownMenuItem>
<DropdownMenuItem asChild>
<Link href={`/residences/${residence.id}/edit`}>Edit</Link>
</DropdownMenuItem>
</DropdownMenuContent>
</DropdownMenu>
);
},
},
];
export default function ResidencesPage() {
const queryClient = useQueryClient();
const [page, setPage] = useState(1);
const [pageSize, setPageSize] = useState(20);
const [search, setSearch] = useState('');
const [selectedRows, setSelectedRows] = useState<Residence[]>([]);
const [showDeleteDialog, setShowDeleteDialog] = useState(false);
const { data, isLoading } = useQuery({
queryKey: ['residences', { page, per_page: pageSize, search }],
queryFn: () => residencesApi.list({ page, per_page: pageSize, search: search || undefined }),
});
const bulkDeleteMutation = useMutation({
mutationFn: (ids: number[]) => residencesApi.bulkDelete(ids),
onSuccess: () => {
queryClient.invalidateQueries({ queryKey: ['residences'] });
setSelectedRows([]);
setShowDeleteDialog(false);
toast.success(`${selectedRows.length} residence(s) deactivated`);
},
onError: () => {
toast.error('Failed to deactivate residences');
},
});
const handleBulkDelete = () => {
const ids = selectedRows.map((r) => r.id);
bulkDeleteMutation.mutate(ids);
};
return (
<div className="space-y-4">
<div className="flex items-center justify-between">
<div>
<h1 className="text-2xl font-bold">Residences</h1>
<p className="text-muted-foreground">Manage properties and residences</p>
</div>
<div className="flex items-center gap-2">
{selectedRows.length > 0 && (
<Button
variant="destructive"
size="sm"
onClick={() => setShowDeleteDialog(true)}
>
<Trash2 className="h-4 w-4 mr-2" />
Deactivate ({selectedRows.length})
</Button>
)}
<Button asChild>
<Link href="/residences/new">
<Plus className="h-4 w-4 mr-2" />
New Residence
</Link>
</Button>
</div>
</div>
<DataTable
columns={columns}
data={data?.data ?? []}
totalCount={data?.total ?? 0}
page={page}
pageSize={pageSize}
onPageChange={setPage}
onPageSizeChange={(size) => {
setPageSize(size);
setPage(1);
}}
searchValue={search}
onSearchChange={(value) => {
setSearch(value);
setPage(1);
}}
searchPlaceholder="Search residences..."
isLoading={isLoading}
enableRowSelection
onRowSelectionChange={setSelectedRows}
/>
<AlertDialog open={showDeleteDialog} onOpenChange={setShowDeleteDialog}>
<AlertDialogContent>
<AlertDialogHeader>
<AlertDialogTitle>Deactivate Residences</AlertDialogTitle>
<AlertDialogDescription>
Are you sure you want to deactivate {selectedRows.length} residence(s)?
This will mark them as inactive but not permanently delete them.
</AlertDialogDescription>
</AlertDialogHeader>
<AlertDialogFooter>
<AlertDialogCancel>Cancel</AlertDialogCancel>
<AlertDialogAction
onClick={handleBulkDelete}
className="bg-red-600 hover:bg-red-700"
>
{bulkDeleteMutation.isPending ? 'Deactivating...' : 'Deactivate'}
</AlertDialogAction>
</AlertDialogFooter>
</AlertDialogContent>
</AlertDialog>
</div>
);
}

View File

@@ -0,0 +1,171 @@
'use client';
import { useQuery } from '@tanstack/react-query';
import { useParams } from 'next/navigation';
import Link from 'next/link';
import { ArrowLeft, CreditCard, User, Pencil } from 'lucide-react';
import { subscriptionsApi } from '@/lib/api';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
const tierColors: Record<string, 'default' | 'secondary' | 'outline'> = {
free: 'secondary',
premium: 'default',
pro: 'default',
};
export function SubscriptionDetailClient() {
const params = useParams();
const subscriptionId = Number(params.id);
const { data: subscription, isLoading, error } = useQuery({
queryKey: ['subscription', subscriptionId],
queryFn: () => subscriptionsApi.get(subscriptionId),
enabled: !!subscriptionId,
});
if (isLoading) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-muted-foreground">Loading...</div>
</div>
);
}
if (error || !subscription) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-red-500">Failed to load subscription</div>
</div>
);
}
const isExpired = subscription.expires_at && new Date(subscription.expires_at) < new Date();
const isCancelled = !!subscription.cancelled_at;
return (
<div className="space-y-6">
{/* Header */}
<div className="flex items-center justify-between">
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href="/subscriptions">
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<div className="flex items-center gap-2">
<CreditCard className="h-5 w-5 text-muted-foreground" />
<h1 className="text-2xl font-bold">{subscription.username}</h1>
<Badge variant={tierColors[subscription.tier] || 'outline'} className="capitalize">
{subscription.tier}
</Badge>
</div>
<p className="text-muted-foreground">{subscription.user_email}</p>
</div>
</div>
<Button variant="outline" asChild>
<Link href={`/subscriptions/${subscriptionId}/edit`}>
<Pencil className="mr-2 h-4 w-4" />
Edit
</Link>
</Button>
</div>
<div className="grid gap-6 md:grid-cols-2">
{/* Subscription Details */}
<Card>
<CardHeader>
<CardTitle>Subscription Details</CardTitle>
<CardDescription>Current subscription information</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="flex items-center gap-2">
<User className="h-4 w-4 text-muted-foreground" />
<Link href={`/users/${subscription.user_id}`} className="text-blue-600 hover:underline">
View User Profile
</Link>
</div>
<div className="grid grid-cols-2 gap-4">
<div>
<div className="text-sm font-medium text-muted-foreground">Tier</div>
<Badge variant={tierColors[subscription.tier] || 'outline'} className="capitalize">
{subscription.tier}
</Badge>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Platform</div>
<Badge variant="outline" className="capitalize">
{subscription.platform || 'N/A'}
</Badge>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Auto Renew</div>
<Badge variant={subscription.auto_renew ? 'default' : 'secondary'}>
{subscription.auto_renew ? 'Enabled' : 'Disabled'}
</Badge>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Status</div>
{isCancelled ? (
<Badge variant="destructive">Cancelled</Badge>
) : isExpired ? (
<Badge variant="destructive">Expired</Badge>
) : (
<Badge variant="default">Active</Badge>
)}
</div>
</div>
</CardContent>
</Card>
{/* Dates */}
<Card>
<CardHeader>
<CardTitle>Dates</CardTitle>
<CardDescription>Subscription timeline</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-2 gap-4">
<div>
<div className="text-sm font-medium text-muted-foreground">Created</div>
<div>{new Date(subscription.created_at).toLocaleDateString()}</div>
</div>
{subscription.subscribed_at && (
<div>
<div className="text-sm font-medium text-muted-foreground">Subscribed</div>
<div>{new Date(subscription.subscribed_at).toLocaleDateString()}</div>
</div>
)}
{subscription.expires_at && (
<div>
<div className="text-sm font-medium text-muted-foreground">Expires</div>
<div className={isExpired ? 'text-red-500 font-medium' : ''}>
{new Date(subscription.expires_at).toLocaleDateString()}
{isExpired && ' (Expired)'}
</div>
</div>
)}
{subscription.cancelled_at && (
<div>
<div className="text-sm font-medium text-muted-foreground">Cancelled</div>
<div className="text-red-500">
{new Date(subscription.cancelled_at).toLocaleDateString()}
</div>
</div>
)}
</div>
</CardContent>
</Card>
</div>
</div>
);
}

View File

@@ -0,0 +1,138 @@
'use client';
import { useEffect, useState } from 'react';
import { useRouter, useParams } from 'next/navigation';
import { useMutation, useQuery } from '@tanstack/react-query';
import { ArrowLeft } from 'lucide-react';
import Link from 'next/link';
import { subscriptionsApi } from '@/lib/api';
import type { UpdateSubscriptionRequest } from '@/types/models';
import { Button } from '@/components/ui/button';
import { Label } from '@/components/ui/label';
import { Switch } from '@/components/ui/switch';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import {
Select,
SelectContent,
SelectItem,
SelectTrigger,
SelectValue,
} from '@/components/ui/select';
import { toast } from 'sonner';
export default function EditSubscriptionPage() {
const router = useRouter();
const params = useParams();
const subscriptionId = Number(params.id);
const [formData, setFormData] = useState<UpdateSubscriptionRequest>({
tier: 'free',
auto_renew: false,
});
const { data: subscription, isLoading } = useQuery({
queryKey: ['subscription', subscriptionId],
queryFn: () => subscriptionsApi.get(subscriptionId),
enabled: !!subscriptionId,
});
useEffect(() => {
if (subscription) {
setFormData({
tier: subscription.tier,
auto_renew: subscription.auto_renew,
});
}
}, [subscription]);
const updateMutation = useMutation({
mutationFn: (data: UpdateSubscriptionRequest) => subscriptionsApi.update(subscriptionId, data),
onSuccess: () => {
toast.success('Subscription updated successfully');
router.push(`/subscriptions/${subscriptionId}`);
},
onError: (error: Error) => {
toast.error(error.message || 'Failed to update subscription');
},
});
const handleSubmit = (e: React.FormEvent) => {
e.preventDefault();
updateMutation.mutate(formData);
};
if (isLoading) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-muted-foreground">Loading...</div>
</div>
);
}
return (
<div className="space-y-6">
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href={`/subscriptions/${subscriptionId}`}>
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<h1 className="text-2xl font-bold">Edit Subscription</h1>
<p className="text-muted-foreground">Update subscription for {subscription?.username}</p>
</div>
</div>
<form onSubmit={handleSubmit} className="space-y-6">
<Card>
<CardHeader>
<CardTitle>Subscription Details</CardTitle>
<CardDescription>Update the subscription tier and settings</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="space-y-2">
<Label htmlFor="tier">Subscription Tier</Label>
<Select
value={formData.tier}
onValueChange={(value) => setFormData((prev) => ({ ...prev, tier: value }))}
>
<SelectTrigger>
<SelectValue placeholder="Select tier" />
</SelectTrigger>
<SelectContent>
<SelectItem value="free">Free</SelectItem>
<SelectItem value="premium">Premium</SelectItem>
<SelectItem value="pro">Pro</SelectItem>
</SelectContent>
</Select>
</div>
<div className="flex items-center space-x-2">
<Switch
id="auto_renew"
checked={formData.auto_renew}
onCheckedChange={(checked) => setFormData((prev) => ({ ...prev, auto_renew: checked }))}
/>
<Label htmlFor="auto_renew">Auto Renew</Label>
</div>
</CardContent>
</Card>
<div className="flex justify-end gap-4">
<Button type="button" variant="outline" asChild>
<Link href={`/subscriptions/${subscriptionId}`}>Cancel</Link>
</Button>
<Button type="submit" disabled={updateMutation.isPending}>
{updateMutation.isPending ? 'Saving...' : 'Save Changes'}
</Button>
</div>
</form>
</div>
);
}

View File

@@ -0,0 +1,5 @@
import { SubscriptionDetailClient } from './client';
export default function SubscriptionDetailPage() {
return <SubscriptionDetailClient />;
}

View File

@@ -0,0 +1,158 @@
'use client';
import { useState } from 'react';
import { useQuery } from '@tanstack/react-query';
import { ColumnDef } from '@tanstack/react-table';
import Link from 'next/link';
import { MoreHorizontal } from 'lucide-react';
import { subscriptionsApi } from '@/lib/api';
import type { Subscription } from '@/types/models';
import { DataTable } from '@/components/data-table';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import {
DropdownMenu,
DropdownMenuContent,
DropdownMenuItem,
DropdownMenuLabel,
DropdownMenuTrigger,
} from '@/components/ui/dropdown-menu';
const tierColors: Record<string, 'default' | 'secondary' | 'outline'> = {
free: 'secondary',
premium: 'default',
pro: 'default',
};
const columns: ColumnDef<Subscription>[] = [
{
accessorKey: 'username',
header: 'User',
cell: ({ row }) => (
<Link
href={`/subscriptions/${row.original.id}`}
className="font-medium text-blue-600 hover:underline"
>
<div>{row.original.username}</div>
<div className="text-sm text-muted-foreground">{row.original.user_email}</div>
</Link>
),
},
{
accessorKey: 'tier',
header: 'Tier',
cell: ({ row }) => (
<Badge variant={tierColors[row.original.tier] || 'outline'} className="capitalize">
{row.original.tier}
</Badge>
),
},
{
accessorKey: 'platform',
header: 'Platform',
cell: ({ row }) => (
<Badge variant="outline" className="capitalize">
{row.original.platform || 'N/A'}
</Badge>
),
},
{
accessorKey: 'auto_renew',
header: 'Auto Renew',
cell: ({ row }) => (
<Badge variant={row.original.auto_renew ? 'default' : 'secondary'}>
{row.original.auto_renew ? 'Yes' : 'No'}
</Badge>
),
},
{
accessorKey: 'expires_at',
header: 'Expires',
cell: ({ row }) => {
if (!row.original.expires_at) return '-';
const date = new Date(row.original.expires_at);
const isExpired = date < new Date();
return (
<span className={isExpired ? 'text-red-500' : ''}>
{date.toLocaleDateString()}
{isExpired && ' (Expired)'}
</span>
);
},
},
{
accessorKey: 'created_at',
header: 'Created',
cell: ({ row }) => {
const date = new Date(row.original.created_at);
return date.toLocaleDateString();
},
},
{
id: 'actions',
cell: ({ row }) => {
const subscription = row.original;
return (
<DropdownMenu>
<DropdownMenuTrigger asChild>
<Button variant="ghost" className="h-8 w-8 p-0">
<span className="sr-only">Open menu</span>
<MoreHorizontal className="h-4 w-4" />
</Button>
</DropdownMenuTrigger>
<DropdownMenuContent align="end">
<DropdownMenuLabel>Actions</DropdownMenuLabel>
<DropdownMenuItem asChild>
<Link href={`/subscriptions/${subscription.id}`}>View details</Link>
</DropdownMenuItem>
</DropdownMenuContent>
</DropdownMenu>
);
},
},
];
export default function SubscriptionsPage() {
const [page, setPage] = useState(1);
const [pageSize, setPageSize] = useState(20);
const [search, setSearch] = useState('');
const { data, isLoading } = useQuery({
queryKey: ['subscriptions', { page, per_page: pageSize, search }],
queryFn: () => subscriptionsApi.list({ page, per_page: pageSize, search: search || undefined }),
});
return (
<div className="space-y-4">
<div className="flex items-center justify-between">
<div>
<h1 className="text-2xl font-bold">Subscriptions</h1>
<p className="text-muted-foreground">
Manage user subscriptions and billing
</p>
</div>
</div>
<DataTable
columns={columns}
data={data?.data ?? []}
totalCount={data?.total ?? 0}
page={page}
pageSize={pageSize}
onPageChange={setPage}
onPageSizeChange={(size) => {
setPageSize(size);
setPage(1);
}}
searchValue={search}
onSearchChange={(value) => {
setSearch(value);
setPage(1);
}}
searchPlaceholder="Search by user..."
isLoading={isLoading}
/>
</div>
);
}

View File

@@ -0,0 +1,199 @@
'use client';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { useParams, useRouter } from 'next/navigation';
import Link from 'next/link';
import { ArrowLeft, Archive, Pencil } from 'lucide-react';
import { toast } from 'sonner';
import { tasksApi } from '@/lib/api';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import { Separator } from '@/components/ui/separator';
export function TaskDetailClient() {
const params = useParams();
const router = useRouter();
const queryClient = useQueryClient();
const taskId = Number(params.id);
const { data: task, isLoading, error } = useQuery({
queryKey: ['task', taskId],
queryFn: () => tasksApi.get(taskId),
enabled: !!taskId,
});
const deleteMutation = useMutation({
mutationFn: () => tasksApi.delete(taskId),
onSuccess: () => {
toast.success('Task archived successfully');
queryClient.invalidateQueries({ queryKey: ['tasks'] });
router.push('/tasks');
},
onError: () => {
toast.error('Failed to archive task');
},
});
if (isLoading) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-muted-foreground">Loading...</div>
</div>
);
}
if (error || !task) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-red-500">Failed to load task</div>
</div>
);
}
return (
<div className="space-y-6">
{/* Header */}
<div className="flex items-center justify-between">
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href="/tasks">
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<h1 className="text-2xl font-bold">{task.title}</h1>
<p className="text-muted-foreground">{task.residence_name}</p>
</div>
</div>
<div className="flex items-center gap-2">
<Button variant="outline" asChild>
<Link href={`/tasks/${taskId}/edit`}>
<Pencil className="mr-2 h-4 w-4" />
Edit
</Link>
</Button>
<Button
variant="destructive"
onClick={() => {
if (confirm('Are you sure you want to archive this task?')) {
deleteMutation.mutate();
}
}}
disabled={deleteMutation.isPending}
>
<Archive className="mr-2 h-4 w-4" />
Archive
</Button>
</div>
</div>
<div className="grid gap-6 md:grid-cols-2">
{/* Task Details */}
<Card>
<CardHeader>
<CardTitle>Task Details</CardTitle>
<CardDescription>Basic task information</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div>
<div className="text-sm font-medium text-muted-foreground">Description</div>
<div className="whitespace-pre-wrap">{task.description || '-'}</div>
</div>
<div className="grid grid-cols-2 gap-4">
<div>
<div className="text-sm font-medium text-muted-foreground">Category</div>
<div>{task.category_name || '-'}</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Priority</div>
<div>{task.priority_name || '-'}</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Status</div>
<div>{task.status_name || '-'}</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Due Date</div>
<div>{task.due_date ? new Date(task.due_date).toLocaleDateString() : '-'}</div>
</div>
</div>
</CardContent>
</Card>
{/* Status & Costs */}
<Card>
<CardHeader>
<CardTitle>Status & Costs</CardTitle>
<CardDescription>Task state and financial info</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-2 gap-4">
<div>
<div className="text-sm font-medium text-muted-foreground">State</div>
<div className="flex gap-2">
{task.is_cancelled && <Badge variant="destructive">Cancelled</Badge>}
{task.is_archived && <Badge variant="secondary">Archived</Badge>}
{!task.is_cancelled && !task.is_archived && <Badge variant="default">Active</Badge>}
</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Completions</div>
<div className="text-2xl font-bold">{task.completion_count}</div>
</div>
</div>
<Separator />
<div className="grid grid-cols-2 gap-4">
<div>
<div className="text-sm font-medium text-muted-foreground">Estimated Cost</div>
<div>{task.estimated_cost ? `$${task.estimated_cost.toFixed(2)}` : '-'}</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Created</div>
<div>{new Date(task.created_at).toLocaleDateString()}</div>
</div>
</div>
</CardContent>
</Card>
{/* People */}
<Card className="md:col-span-2">
<CardHeader>
<CardTitle>People</CardTitle>
<CardDescription>Users associated with this task</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-2 gap-4">
<div>
<div className="text-sm font-medium text-muted-foreground">Created By</div>
<div>{task.created_by_name}</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">Assigned To</div>
{task.assigned_to ? (
<Link
href={`/users/${task.assigned_to.id}`}
className="text-blue-600 hover:underline"
>
{task.assigned_to.username}
</Link>
) : (
<div>-</div>
)}
</div>
</div>
</CardContent>
</Card>
</div>
</div>
);
}

View File

@@ -0,0 +1,166 @@
'use client';
import { useEffect, useState } from 'react';
import { useRouter, useParams } from 'next/navigation';
import { useMutation, useQuery } from '@tanstack/react-query';
import { ArrowLeft } from 'lucide-react';
import Link from 'next/link';
import { tasksApi } from '@/lib/api';
import type { UpdateTaskRequest } from '@/types/models';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Label } from '@/components/ui/label';
import { Textarea } from '@/components/ui/textarea';
import { Switch } from '@/components/ui/switch';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import { toast } from 'sonner';
export default function EditTaskPage() {
const router = useRouter();
const params = useParams();
const taskId = Number(params.id);
const [formData, setFormData] = useState<UpdateTaskRequest>({
title: '',
description: '',
is_cancelled: false,
is_archived: false,
});
const { data: task, isLoading } = useQuery({
queryKey: ['task', taskId],
queryFn: () => tasksApi.get(taskId),
enabled: !!taskId,
});
useEffect(() => {
if (task) {
setFormData({
title: task.title,
description: task.description,
is_cancelled: task.is_cancelled,
is_archived: task.is_archived,
});
}
}, [task]);
const updateMutation = useMutation({
mutationFn: (data: UpdateTaskRequest) => tasksApi.update(taskId, data),
onSuccess: () => {
toast.success('Task updated successfully');
router.push(`/tasks/${taskId}`);
},
onError: (error: Error) => {
toast.error(error.message || 'Failed to update task');
},
});
const handleSubmit = (e: React.FormEvent) => {
e.preventDefault();
if (!formData.title) {
toast.error('Please enter a task title');
return;
}
updateMutation.mutate(formData);
};
const updateField = (field: keyof UpdateTaskRequest, value: unknown) => {
setFormData((prev) => ({ ...prev, [field]: value }));
};
if (isLoading) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-muted-foreground">Loading...</div>
</div>
);
}
return (
<div className="space-y-6">
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href={`/tasks/${taskId}`}>
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<h1 className="text-2xl font-bold">Edit Task</h1>
<p className="text-muted-foreground">Update task details</p>
</div>
</div>
<form onSubmit={handleSubmit} className="space-y-6">
<Card>
<CardHeader>
<CardTitle>Basic Information</CardTitle>
<CardDescription>Update the task details</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="space-y-2">
<Label htmlFor="title">Title *</Label>
<Input
id="title"
value={formData.title || ''}
onChange={(e) => updateField('title', e.target.value)}
placeholder="Task title"
/>
</div>
<div className="space-y-2">
<Label htmlFor="description">Description</Label>
<Textarea
id="description"
value={formData.description || ''}
onChange={(e) => updateField('description', e.target.value)}
placeholder="Task description..."
/>
</div>
</CardContent>
</Card>
<Card>
<CardHeader>
<CardTitle>Status</CardTitle>
<CardDescription>Task state flags</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="flex items-center gap-6">
<div className="flex items-center space-x-2">
<Switch
id="is_cancelled"
checked={formData.is_cancelled}
onCheckedChange={(checked) => updateField('is_cancelled', checked)}
/>
<Label htmlFor="is_cancelled">Cancelled</Label>
</div>
<div className="flex items-center space-x-2">
<Switch
id="is_archived"
checked={formData.is_archived}
onCheckedChange={(checked) => updateField('is_archived', checked)}
/>
<Label htmlFor="is_archived">Archived</Label>
</div>
</div>
</CardContent>
</Card>
<div className="flex justify-end gap-4">
<Button type="button" variant="outline" asChild>
<Link href={`/tasks/${taskId}`}>Cancel</Link>
</Button>
<Button type="submit" disabled={updateMutation.isPending}>
{updateMutation.isPending ? 'Saving...' : 'Save Changes'}
</Button>
</div>
</form>
</div>
);
}

View File

@@ -0,0 +1,5 @@
import { TaskDetailClient } from './client';
export default function TaskDetailPage() {
return <TaskDetailClient />;
}

View File

@@ -0,0 +1,204 @@
'use client';
import { useState } from 'react';
import { useRouter } from 'next/navigation';
import { useMutation, useQuery } from '@tanstack/react-query';
import { ArrowLeft } from 'lucide-react';
import Link from 'next/link';
import { tasksApi, usersApi, residencesApi } from '@/lib/api';
import type { CreateTaskRequest } from '@/types/models';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Label } from '@/components/ui/label';
import { Textarea } from '@/components/ui/textarea';
import {
Select,
SelectContent,
SelectItem,
SelectTrigger,
SelectValue,
} from '@/components/ui/select';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import { toast } from 'sonner';
export default function NewTaskPage() {
const router = useRouter();
const [formData, setFormData] = useState<CreateTaskRequest>({
residence_id: 0,
created_by_id: 0,
title: '',
description: '',
});
const { data: residencesData } = useQuery({
queryKey: ['residences-list'],
queryFn: () => residencesApi.list({ per_page: 100, is_active: true }),
});
const { data: usersData } = useQuery({
queryKey: ['users-list'],
queryFn: () => usersApi.list({ per_page: 100, is_active: true }),
});
const createMutation = useMutation({
mutationFn: (data: CreateTaskRequest) => tasksApi.create(data),
onSuccess: () => {
toast.success('Task created successfully');
router.push('/tasks');
},
onError: (error: Error) => {
toast.error(error.message || 'Failed to create task');
},
});
const handleSubmit = (e: React.FormEvent) => {
e.preventDefault();
if (!formData.residence_id) {
toast.error('Please select a residence');
return;
}
if (!formData.created_by_id) {
toast.error('Please select a creator');
return;
}
if (!formData.title) {
toast.error('Please enter a task title');
return;
}
createMutation.mutate(formData);
};
const updateField = (field: keyof CreateTaskRequest, value: unknown) => {
setFormData((prev) => ({ ...prev, [field]: value }));
};
return (
<div className="space-y-6">
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href="/tasks">
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<h1 className="text-2xl font-bold">New Task</h1>
<p className="text-muted-foreground">Create a new task</p>
</div>
</div>
<form onSubmit={handleSubmit} className="space-y-6">
<Card>
<CardHeader>
<CardTitle>Basic Information</CardTitle>
<CardDescription>Enter the task details</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="residence_id">Residence *</Label>
<Select
value={formData.residence_id?.toString() || ''}
onValueChange={(value) => updateField('residence_id', parseInt(value))}
>
<SelectTrigger>
<SelectValue placeholder="Select residence" />
</SelectTrigger>
<SelectContent>
{residencesData?.data?.map((residence) => (
<SelectItem key={residence.id} value={residence.id.toString()}>
{residence.name}
</SelectItem>
))}
</SelectContent>
</Select>
</div>
<div className="space-y-2">
<Label htmlFor="created_by_id">Created By *</Label>
<Select
value={formData.created_by_id?.toString() || ''}
onValueChange={(value) => updateField('created_by_id', parseInt(value))}
>
<SelectTrigger>
<SelectValue placeholder="Select creator" />
</SelectTrigger>
<SelectContent>
{usersData?.data?.map((user) => (
<SelectItem key={user.id} value={user.id.toString()}>
{user.username} ({user.email})
</SelectItem>
))}
</SelectContent>
</Select>
</div>
</div>
<div className="space-y-2">
<Label htmlFor="title">Title *</Label>
<Input
id="title"
value={formData.title}
onChange={(e) => updateField('title', e.target.value)}
placeholder="Task title"
/>
</div>
<div className="space-y-2">
<Label htmlFor="description">Description</Label>
<Textarea
id="description"
value={formData.description || ''}
onChange={(e) => updateField('description', e.target.value)}
placeholder="Task description..."
/>
</div>
</CardContent>
</Card>
<Card>
<CardHeader>
<CardTitle>Schedule & Cost</CardTitle>
<CardDescription>Optional scheduling and cost information</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="due_date">Due Date</Label>
<Input
id="due_date"
type="date"
value={formData.due_date || ''}
onChange={(e) => updateField('due_date', e.target.value || undefined)}
/>
</div>
<div className="space-y-2">
<Label htmlFor="estimated_cost">Estimated Cost</Label>
<Input
id="estimated_cost"
type="number"
step="0.01"
value={formData.estimated_cost || ''}
onChange={(e) => updateField('estimated_cost', e.target.value ? parseFloat(e.target.value) : undefined)}
placeholder="0.00"
/>
</div>
</div>
</CardContent>
</Card>
<div className="flex justify-end gap-4">
<Button type="button" variant="outline" asChild>
<Link href="/tasks">Cancel</Link>
</Button>
<Button type="submit" disabled={createMutation.isPending}>
{createMutation.isPending ? 'Creating...' : 'Create Task'}
</Button>
</div>
</form>
</div>
);
}

View File

@@ -0,0 +1,208 @@
'use client';
import { useState } from 'react';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { ColumnDef } from '@tanstack/react-table';
import Link from 'next/link';
import { MoreHorizontal, Plus, Trash2 } from 'lucide-react';
import { tasksApi } from '@/lib/api';
import type { Task } from '@/types/models';
import { DataTable } from '@/components/data-table';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import {
DropdownMenu,
DropdownMenuContent,
DropdownMenuItem,
DropdownMenuLabel,
DropdownMenuTrigger,
} from '@/components/ui/dropdown-menu';
import {
AlertDialog,
AlertDialogAction,
AlertDialogCancel,
AlertDialogContent,
AlertDialogDescription,
AlertDialogFooter,
AlertDialogHeader,
AlertDialogTitle,
} from '@/components/ui/alert-dialog';
import { toast } from 'sonner';
const columns: ColumnDef<Task>[] = [
{
accessorKey: 'title',
header: 'Title',
cell: ({ row }) => (
<Link
href={`/tasks/${row.original.id}`}
className="font-medium text-blue-600 hover:underline"
>
{row.original.title}
</Link>
),
},
{
accessorKey: 'residence_name',
header: 'Residence',
},
{
accessorKey: 'category_name',
header: 'Category',
cell: ({ row }) => row.original.category_name || '-',
},
{
accessorKey: 'priority_name',
header: 'Priority',
cell: ({ row }) => row.original.priority_name || '-',
},
{
accessorKey: 'status_name',
header: 'Status',
cell: ({ row }) => row.original.status_name || '-',
},
{
accessorKey: 'due_date',
header: 'Due Date',
cell: ({ row }) => row.original.due_date ? new Date(row.original.due_date).toLocaleDateString() : '-',
},
{
accessorKey: 'is_cancelled',
header: 'State',
cell: ({ row }) => {
if (row.original.is_cancelled) return <Badge variant="destructive">Cancelled</Badge>;
if (row.original.is_archived) return <Badge variant="secondary">Archived</Badge>;
return <Badge variant="default">Active</Badge>;
},
},
{
id: 'actions',
cell: ({ row }) => {
const task = row.original;
return (
<DropdownMenu>
<DropdownMenuTrigger asChild>
<Button variant="ghost" className="h-8 w-8 p-0">
<span className="sr-only">Open menu</span>
<MoreHorizontal className="h-4 w-4" />
</Button>
</DropdownMenuTrigger>
<DropdownMenuContent align="end">
<DropdownMenuLabel>Actions</DropdownMenuLabel>
<DropdownMenuItem asChild>
<Link href={`/tasks/${task.id}`}>View details</Link>
</DropdownMenuItem>
<DropdownMenuItem asChild>
<Link href={`/tasks/${task.id}/edit`}>Edit</Link>
</DropdownMenuItem>
</DropdownMenuContent>
</DropdownMenu>
);
},
},
];
export default function TasksPage() {
const queryClient = useQueryClient();
const [page, setPage] = useState(1);
const [pageSize, setPageSize] = useState(20);
const [search, setSearch] = useState('');
const [selectedRows, setSelectedRows] = useState<Task[]>([]);
const [showDeleteDialog, setShowDeleteDialog] = useState(false);
const { data, isLoading } = useQuery({
queryKey: ['tasks', { page, per_page: pageSize, search }],
queryFn: () => tasksApi.list({ page, per_page: pageSize, search: search || undefined }),
});
const bulkDeleteMutation = useMutation({
mutationFn: (ids: number[]) => tasksApi.bulkDelete(ids),
onSuccess: () => {
queryClient.invalidateQueries({ queryKey: ['tasks'] });
setSelectedRows([]);
setShowDeleteDialog(false);
toast.success(`${selectedRows.length} task(s) archived`);
},
onError: () => {
toast.error('Failed to archive tasks');
},
});
const handleBulkDelete = () => {
const ids = selectedRows.map((t) => t.id);
bulkDeleteMutation.mutate(ids);
};
return (
<div className="space-y-4">
<div className="flex items-center justify-between">
<div>
<h1 className="text-2xl font-bold">Tasks</h1>
<p className="text-muted-foreground">Manage tasks and maintenance items</p>
</div>
<div className="flex items-center gap-2">
{selectedRows.length > 0 && (
<Button
variant="destructive"
size="sm"
onClick={() => setShowDeleteDialog(true)}
>
<Trash2 className="h-4 w-4 mr-2" />
Archive ({selectedRows.length})
</Button>
)}
<Button asChild>
<Link href="/tasks/new">
<Plus className="h-4 w-4 mr-2" />
New Task
</Link>
</Button>
</div>
</div>
<DataTable
columns={columns}
data={data?.data ?? []}
totalCount={data?.total ?? 0}
page={page}
pageSize={pageSize}
onPageChange={setPage}
onPageSizeChange={(size) => {
setPageSize(size);
setPage(1);
}}
searchValue={search}
onSearchChange={(value) => {
setSearch(value);
setPage(1);
}}
searchPlaceholder="Search tasks..."
isLoading={isLoading}
enableRowSelection
onRowSelectionChange={setSelectedRows}
/>
<AlertDialog open={showDeleteDialog} onOpenChange={setShowDeleteDialog}>
<AlertDialogContent>
<AlertDialogHeader>
<AlertDialogTitle>Archive Tasks</AlertDialogTitle>
<AlertDialogDescription>
Are you sure you want to archive {selectedRows.length} task(s)?
This will mark them as archived and cancelled.
</AlertDialogDescription>
</AlertDialogHeader>
<AlertDialogFooter>
<AlertDialogCancel>Cancel</AlertDialogCancel>
<AlertDialogAction
onClick={handleBulkDelete}
className="bg-red-600 hover:bg-red-700"
>
{bulkDeleteMutation.isPending ? 'Archiving...' : 'Archive'}
</AlertDialogAction>
</AlertDialogFooter>
</AlertDialogContent>
</AlertDialog>
</div>
);
}

View File

@@ -0,0 +1,407 @@
'use client';
import { useState } from 'react';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { useParams, useRouter } from 'next/navigation';
import Link from 'next/link';
import { ArrowLeft, Edit, Trash2, Bell, Mail } from 'lucide-react';
import { toast } from 'sonner';
import { usersApi, notificationsApi, emailsApi } from '@/lib/api';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import { Input } from '@/components/ui/input';
import { Label } from '@/components/ui/label';
import { Textarea } from '@/components/ui/textarea';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import {
Dialog,
DialogContent,
DialogDescription,
DialogFooter,
DialogHeader,
DialogTitle,
DialogTrigger,
} from '@/components/ui/dialog';
import { Separator } from '@/components/ui/separator';
export function UserDetailClient() {
const params = useParams();
const router = useRouter();
const queryClient = useQueryClient();
const userId = Number(params.id);
// Dialog states
const [showPushDialog, setShowPushDialog] = useState(false);
const [showEmailDialog, setShowEmailDialog] = useState(false);
const [pushTitle, setPushTitle] = useState('Test Notification');
const [pushBody, setPushBody] = useState('This is a test push notification from MyCrib Admin.');
const [emailSubject, setEmailSubject] = useState('Test Email from MyCrib');
const [emailBody, setEmailBody] = useState('This is a test email sent from the MyCrib Admin Panel.');
const { data: user, isLoading, error } = useQuery({
queryKey: ['user', userId],
queryFn: () => usersApi.get(userId),
enabled: !!userId,
});
const deleteMutation = useMutation({
mutationFn: () => usersApi.delete(userId),
onSuccess: () => {
toast.success('User deactivated successfully');
queryClient.invalidateQueries({ queryKey: ['users'] });
router.push('/users');
},
onError: () => {
toast.error('Failed to deactivate user');
},
});
const sendPushMutation = useMutation({
mutationFn: () => notificationsApi.sendTestNotification({
user_id: userId,
title: pushTitle,
body: pushBody,
}),
onSuccess: (data) => {
toast.success(`Push notification sent to ${data.devices.ios + data.devices.android} device(s)`);
setShowPushDialog(false);
},
onError: (error: Error & { response?: { data?: { error?: string; details?: string } } }) => {
const errorMsg = error.response?.data?.error || error.response?.data?.details || error.message;
toast.error(`Failed to send notification: ${errorMsg}`);
},
});
const sendEmailMutation = useMutation({
mutationFn: () => emailsApi.sendTestEmail({
user_id: userId,
subject: emailSubject,
body: emailBody,
}),
onSuccess: (data) => {
toast.success(`Email sent to ${data.to}`);
setShowEmailDialog(false);
},
onError: (error: Error & { response?: { data?: { error?: string; details?: string } } }) => {
const errorMsg = error.response?.data?.error || error.response?.data?.details || error.message;
toast.error(`Failed to send email: ${errorMsg}`);
},
});
if (isLoading) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-muted-foreground">Loading...</div>
</div>
);
}
if (error || !user) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-red-500">Failed to load user</div>
</div>
);
}
return (
<div className="space-y-6">
{/* Header */}
<div className="flex items-center justify-between">
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href="/users">
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<h1 className="text-2xl font-bold">{user.username}</h1>
<p className="text-muted-foreground">{user.email}</p>
</div>
</div>
<div className="flex items-center gap-2">
<Button variant="outline" asChild>
<Link href={`/users/${userId}/edit`}>
<Edit className="mr-2 h-4 w-4" />
Edit
</Link>
</Button>
<Button
variant="destructive"
onClick={() => {
if (confirm('Are you sure you want to deactivate this user?')) {
deleteMutation.mutate();
}
}}
disabled={deleteMutation.isPending}
>
<Trash2 className="mr-2 h-4 w-4" />
Deactivate
</Button>
</div>
</div>
<div className="grid gap-6 md:grid-cols-2">
{/* Basic Info */}
<Card>
<CardHeader>
<CardTitle>Basic Information</CardTitle>
<CardDescription>User account details</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-2 gap-4">
<div>
<div className="text-sm font-medium text-muted-foreground">
Username
</div>
<div>{user.username}</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">
Email
</div>
<div>{user.email}</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">
First Name
</div>
<div>{user.first_name || '-'}</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">
Last Name
</div>
<div>{user.last_name || '-'}</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">
Phone
</div>
<div>{user.phone_number || '-'}</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">
Joined
</div>
<div>{new Date(user.date_joined).toLocaleDateString()}</div>
</div>
</div>
</CardContent>
</Card>
{/* Status */}
<Card>
<CardHeader>
<CardTitle>Status</CardTitle>
<CardDescription>Account status and permissions</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-2 gap-4">
<div>
<div className="text-sm font-medium text-muted-foreground">
Active
</div>
<Badge variant={user.is_active ? 'default' : 'secondary'}>
{user.is_active ? 'Yes' : 'No'}
</Badge>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">
Email Verified
</div>
<Badge variant={user.verified ? 'default' : 'outline'}>
{user.verified ? 'Yes' : 'No'}
</Badge>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">
Staff
</div>
<Badge variant={user.is_staff ? 'default' : 'outline'}>
{user.is_staff ? 'Yes' : 'No'}
</Badge>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">
Superuser
</div>
<Badge variant={user.is_superuser ? 'default' : 'outline'}>
{user.is_superuser ? 'Yes' : 'No'}
</Badge>
</div>
</div>
<Separator />
<div className="grid grid-cols-2 gap-4">
<div>
<div className="text-sm font-medium text-muted-foreground">
Residences
</div>
<div className="text-2xl font-bold">{user.residence_count}</div>
</div>
<div>
<div className="text-sm font-medium text-muted-foreground">
Tasks Created
</div>
<div className="text-2xl font-bold">{user.task_count}</div>
</div>
</div>
</CardContent>
</Card>
{/* Residences */}
{user.residences && user.residences.length > 0 && (
<Card className="md:col-span-2">
<CardHeader>
<CardTitle>Residences</CardTitle>
<CardDescription>Properties owned by this user</CardDescription>
</CardHeader>
<CardContent>
<div className="space-y-2">
{user.residences.map((residence) => (
<div
key={residence.id}
className="flex items-center justify-between p-3 border rounded-lg"
>
<div>
<Link
href={`/residences/${residence.id}`}
className="font-medium text-blue-600 hover:underline"
>
{residence.name}
</Link>
<div className="text-sm text-muted-foreground">
{residence.is_owner ? 'Owner' : 'Shared User'}
</div>
</div>
<Badge variant={residence.is_active ? 'default' : 'secondary'}>
{residence.is_active ? 'Active' : 'Inactive'}
</Badge>
</div>
))}
</div>
</CardContent>
</Card>
)}
{/* Testing */}
<Card className="md:col-span-2">
<CardHeader>
<CardTitle>Testing</CardTitle>
<CardDescription>Send test notifications and emails to this user</CardDescription>
</CardHeader>
<CardContent className="flex gap-4">
{/* Push Notification Dialog */}
<Dialog open={showPushDialog} onOpenChange={setShowPushDialog}>
<DialogTrigger asChild>
<Button variant="outline">
<Bell className="mr-2 h-4 w-4" />
Send Test Push
</Button>
</DialogTrigger>
<DialogContent>
<DialogHeader>
<DialogTitle>Send Test Push Notification</DialogTitle>
<DialogDescription>
Send a test push notification to {user.username}&apos;s registered devices.
</DialogDescription>
</DialogHeader>
<div className="space-y-4 py-4">
<div className="space-y-2">
<Label htmlFor="push-title">Title</Label>
<Input
id="push-title"
value={pushTitle}
onChange={(e) => setPushTitle(e.target.value)}
placeholder="Notification title"
/>
</div>
<div className="space-y-2">
<Label htmlFor="push-body">Body</Label>
<Textarea
id="push-body"
value={pushBody}
onChange={(e) => setPushBody(e.target.value)}
placeholder="Notification message"
rows={3}
/>
</div>
</div>
<DialogFooter>
<Button variant="outline" onClick={() => setShowPushDialog(false)}>
Cancel
</Button>
<Button
onClick={() => sendPushMutation.mutate()}
disabled={sendPushMutation.isPending || !pushTitle || !pushBody}
>
{sendPushMutation.isPending ? 'Sending...' : 'Send Push'}
</Button>
</DialogFooter>
</DialogContent>
</Dialog>
{/* Email Dialog */}
<Dialog open={showEmailDialog} onOpenChange={setShowEmailDialog}>
<DialogTrigger asChild>
<Button variant="outline">
<Mail className="mr-2 h-4 w-4" />
Send Test Email
</Button>
</DialogTrigger>
<DialogContent>
<DialogHeader>
<DialogTitle>Send Test Email</DialogTitle>
<DialogDescription>
Send a test email to {user.email}
</DialogDescription>
</DialogHeader>
<div className="space-y-4 py-4">
<div className="space-y-2">
<Label htmlFor="email-subject">Subject</Label>
<Input
id="email-subject"
value={emailSubject}
onChange={(e) => setEmailSubject(e.target.value)}
placeholder="Email subject"
/>
</div>
<div className="space-y-2">
<Label htmlFor="email-body">Body</Label>
<Textarea
id="email-body"
value={emailBody}
onChange={(e) => setEmailBody(e.target.value)}
placeholder="Email content"
rows={5}
/>
</div>
</div>
<DialogFooter>
<Button variant="outline" onClick={() => setShowEmailDialog(false)}>
Cancel
</Button>
<Button
onClick={() => sendEmailMutation.mutate()}
disabled={sendEmailMutation.isPending || !emailSubject || !emailBody}
>
{sendEmailMutation.isPending ? 'Sending...' : 'Send Email'}
</Button>
</DialogFooter>
</DialogContent>
</Dialog>
</CardContent>
</Card>
</div>
</div>
);
}

View File

@@ -0,0 +1,63 @@
'use client';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { useParams, useRouter } from 'next/navigation';
import { toast } from 'sonner';
import { usersApi } from '@/lib/api';
import { UserForm, type UserFormData } from '@/components/users/user-form';
import type { UpdateUserRequest } from '@/types/models';
export function EditUserClient() {
const params = useParams();
const router = useRouter();
const queryClient = useQueryClient();
const userId = Number(params.id);
const { data: user, isLoading, error } = useQuery({
queryKey: ['user', userId],
queryFn: () => usersApi.get(userId),
enabled: !!userId,
});
const updateMutation = useMutation({
mutationFn: (data: UpdateUserRequest) => usersApi.update(userId, data),
onSuccess: () => {
toast.success('User updated successfully');
queryClient.invalidateQueries({ queryKey: ['users'] });
queryClient.invalidateQueries({ queryKey: ['user', userId] });
router.push(`/users/${userId}`);
},
onError: (error: Error) => {
toast.error(error.message || 'Failed to update user');
},
});
const handleSubmit = async (data: UserFormData) => {
await updateMutation.mutateAsync(data as unknown as UpdateUserRequest);
};
if (isLoading) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-muted-foreground">Loading...</div>
</div>
);
}
if (error || !user) {
return (
<div className="flex items-center justify-center h-64">
<div className="text-red-500">Failed to load user</div>
</div>
);
}
return (
<UserForm
user={user}
onSubmit={handleSubmit}
isSubmitting={updateMutation.isPending}
/>
);
}

View File

@@ -0,0 +1,5 @@
import { EditUserClient } from './client';
export default function EditUserPage() {
return <EditUserClient />;
}

View File

@@ -0,0 +1,5 @@
import { UserDetailClient } from './client';
export default function UserDetailPage() {
return <UserDetailClient />;
}

View File

@@ -0,0 +1,37 @@
'use client';
import { useMutation, useQueryClient } from '@tanstack/react-query';
import { useRouter } from 'next/navigation';
import { toast } from 'sonner';
import { usersApi } from '@/lib/api';
import { UserForm, type UserFormData } from '@/components/users/user-form';
import type { CreateUserRequest } from '@/types/models';
export function NewUserClient() {
const router = useRouter();
const queryClient = useQueryClient();
const createMutation = useMutation({
mutationFn: (data: CreateUserRequest) => usersApi.create(data),
onSuccess: (user) => {
toast.success('User created successfully');
queryClient.invalidateQueries({ queryKey: ['users'] });
router.push(`/users/${user.id}`);
},
onError: (error: Error) => {
toast.error(error.message || 'Failed to create user');
},
});
const handleSubmit = async (data: UserFormData) => {
await createMutation.mutateAsync(data as unknown as CreateUserRequest);
};
return (
<UserForm
onSubmit={handleSubmit}
isSubmitting={createMutation.isPending}
/>
);
}

View File

@@ -0,0 +1,5 @@
import { NewUserClient } from './client';
export default function NewUserPage() {
return <NewUserClient />;
}

View File

@@ -0,0 +1,225 @@
'use client';
import { useState } from 'react';
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
import { ColumnDef } from '@tanstack/react-table';
import Link from 'next/link';
import { MoreHorizontal, Plus, Trash2 } from 'lucide-react';
import { usersApi } from '@/lib/api';
import type { User } from '@/types/models';
import { DataTable } from '@/components/data-table';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import {
DropdownMenu,
DropdownMenuContent,
DropdownMenuItem,
DropdownMenuLabel,
DropdownMenuSeparator,
DropdownMenuTrigger,
} from '@/components/ui/dropdown-menu';
import {
AlertDialog,
AlertDialogAction,
AlertDialogCancel,
AlertDialogContent,
AlertDialogDescription,
AlertDialogFooter,
AlertDialogHeader,
AlertDialogTitle,
} from '@/components/ui/alert-dialog';
import { toast } from 'sonner';
const columns: ColumnDef<User>[] = [
{
accessorKey: 'username',
header: 'Username',
cell: ({ row }) => (
<Link
href={`/users/${row.original.id}`}
className="font-medium text-blue-600 hover:underline"
>
{row.original.username}
</Link>
),
},
{
accessorKey: 'email',
header: 'Email',
},
{
accessorKey: 'first_name',
header: 'Name',
cell: ({ row }) => {
const firstName = row.original.first_name;
const lastName = row.original.last_name;
return firstName || lastName ? `${firstName} ${lastName}`.trim() : '-';
},
},
{
accessorKey: 'is_active',
header: 'Status',
cell: ({ row }) => (
<Badge variant={row.original.is_active ? 'default' : 'secondary'}>
{row.original.is_active ? 'Active' : 'Inactive'}
</Badge>
),
},
{
accessorKey: 'verified',
header: 'Verified',
cell: ({ row }) => (
<Badge variant={row.original.verified ? 'default' : 'outline'}>
{row.original.verified ? 'Yes' : 'No'}
</Badge>
),
},
{
accessorKey: 'residence_count',
header: 'Residences',
},
{
accessorKey: 'date_joined',
header: 'Joined',
cell: ({ row }) => {
const date = new Date(row.original.date_joined);
return date.toLocaleDateString();
},
},
{
id: 'actions',
cell: ({ row }) => {
const user = row.original;
return (
<DropdownMenu>
<DropdownMenuTrigger asChild>
<Button variant="ghost" className="h-8 w-8 p-0">
<span className="sr-only">Open menu</span>
<MoreHorizontal className="h-4 w-4" />
</Button>
</DropdownMenuTrigger>
<DropdownMenuContent align="end">
<DropdownMenuLabel>Actions</DropdownMenuLabel>
<DropdownMenuItem asChild>
<Link href={`/users/${user.id}`}>View details</Link>
</DropdownMenuItem>
<DropdownMenuItem asChild>
<Link href={`/users/${user.id}/edit`}>Edit</Link>
</DropdownMenuItem>
<DropdownMenuSeparator />
<DropdownMenuItem className="text-red-600">
{user.is_active ? 'Deactivate' : 'Activate'}
</DropdownMenuItem>
</DropdownMenuContent>
</DropdownMenu>
);
},
},
];
export default function UsersPage() {
const queryClient = useQueryClient();
const [page, setPage] = useState(1);
const [pageSize, setPageSize] = useState(20);
const [search, setSearch] = useState('');
const [selectedRows, setSelectedRows] = useState<User[]>([]);
const [showDeleteDialog, setShowDeleteDialog] = useState(false);
const { data, isLoading } = useQuery({
queryKey: ['users', { page, per_page: pageSize, search }],
queryFn: () => usersApi.list({ page, per_page: pageSize, search: search || undefined }),
});
const bulkDeleteMutation = useMutation({
mutationFn: (ids: number[]) => usersApi.bulkDelete(ids),
onSuccess: () => {
queryClient.invalidateQueries({ queryKey: ['users'] });
setSelectedRows([]);
setShowDeleteDialog(false);
toast.success(`${selectedRows.length} user(s) deactivated`);
},
onError: () => {
toast.error('Failed to deactivate users');
},
});
const handleBulkDelete = () => {
const ids = selectedRows.map((u) => u.id);
bulkDeleteMutation.mutate(ids);
};
return (
<div className="space-y-4">
<div className="flex items-center justify-between">
<div>
<h1 className="text-2xl font-bold">Users</h1>
<p className="text-muted-foreground">
Manage user accounts and profiles
</p>
</div>
<div className="flex items-center gap-2">
{selectedRows.length > 0 && (
<Button
variant="destructive"
size="sm"
onClick={() => setShowDeleteDialog(true)}
>
<Trash2 className="h-4 w-4 mr-2" />
Deactivate ({selectedRows.length})
</Button>
)}
<Button asChild>
<Link href="/users/new">
<Plus className="mr-2 h-4 w-4" />
Add User
</Link>
</Button>
</div>
</div>
<DataTable
columns={columns}
data={data?.data ?? []}
totalCount={data?.total ?? 0}
page={page}
pageSize={pageSize}
onPageChange={setPage}
onPageSizeChange={(size) => {
setPageSize(size);
setPage(1);
}}
searchValue={search}
onSearchChange={(value) => {
setSearch(value);
setPage(1);
}}
searchPlaceholder="Search users..."
isLoading={isLoading}
enableRowSelection
onRowSelectionChange={setSelectedRows}
/>
<AlertDialog open={showDeleteDialog} onOpenChange={setShowDeleteDialog}>
<AlertDialogContent>
<AlertDialogHeader>
<AlertDialogTitle>Deactivate Users</AlertDialogTitle>
<AlertDialogDescription>
Are you sure you want to deactivate {selectedRows.length} user(s)?
This will mark them as inactive but not permanently delete them.
</AlertDialogDescription>
</AlertDialogHeader>
<AlertDialogFooter>
<AlertDialogCancel>Cancel</AlertDialogCancel>
<AlertDialogAction
onClick={handleBulkDelete}
className="bg-red-600 hover:bg-red-700"
>
{bulkDeleteMutation.isPending ? 'Deactivating...' : 'Deactivate'}
</AlertDialogAction>
</AlertDialogFooter>
</AlertDialogContent>
</AlertDialog>
</div>
);
}

BIN
admin/src/app/favicon.ico Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 25 KiB

122
admin/src/app/globals.css Normal file
View File

@@ -0,0 +1,122 @@
@import "tailwindcss";
@import "tw-animate-css";
@custom-variant dark (&:is(.dark *));
@theme inline {
--color-background: var(--background);
--color-foreground: var(--foreground);
--font-sans: var(--font-geist-sans);
--font-mono: var(--font-geist-mono);
--color-sidebar-ring: var(--sidebar-ring);
--color-sidebar-border: var(--sidebar-border);
--color-sidebar-accent-foreground: var(--sidebar-accent-foreground);
--color-sidebar-accent: var(--sidebar-accent);
--color-sidebar-primary-foreground: var(--sidebar-primary-foreground);
--color-sidebar-primary: var(--sidebar-primary);
--color-sidebar-foreground: var(--sidebar-foreground);
--color-sidebar: var(--sidebar);
--color-chart-5: var(--chart-5);
--color-chart-4: var(--chart-4);
--color-chart-3: var(--chart-3);
--color-chart-2: var(--chart-2);
--color-chart-1: var(--chart-1);
--color-ring: var(--ring);
--color-input: var(--input);
--color-border: var(--border);
--color-destructive: var(--destructive);
--color-accent-foreground: var(--accent-foreground);
--color-accent: var(--accent);
--color-muted-foreground: var(--muted-foreground);
--color-muted: var(--muted);
--color-secondary-foreground: var(--secondary-foreground);
--color-secondary: var(--secondary);
--color-primary-foreground: var(--primary-foreground);
--color-primary: var(--primary);
--color-popover-foreground: var(--popover-foreground);
--color-popover: var(--popover);
--color-card-foreground: var(--card-foreground);
--color-card: var(--card);
--radius-sm: calc(var(--radius) - 4px);
--radius-md: calc(var(--radius) - 2px);
--radius-lg: var(--radius);
--radius-xl: calc(var(--radius) + 4px);
}
:root {
--radius: 0.625rem;
--background: oklch(1 0 0);
--foreground: oklch(0.141 0.005 285.823);
--card: oklch(1 0 0);
--card-foreground: oklch(0.141 0.005 285.823);
--popover: oklch(1 0 0);
--popover-foreground: oklch(0.141 0.005 285.823);
--primary: oklch(0.21 0.006 285.885);
--primary-foreground: oklch(0.985 0 0);
--secondary: oklch(0.967 0.001 286.375);
--secondary-foreground: oklch(0.21 0.006 285.885);
--muted: oklch(0.967 0.001 286.375);
--muted-foreground: oklch(0.552 0.016 285.938);
--accent: oklch(0.967 0.001 286.375);
--accent-foreground: oklch(0.21 0.006 285.885);
--destructive: oklch(0.577 0.245 27.325);
--border: oklch(0.92 0.004 286.32);
--input: oklch(0.92 0.004 286.32);
--ring: oklch(0.705 0.015 286.067);
--chart-1: oklch(0.646 0.222 41.116);
--chart-2: oklch(0.6 0.118 184.704);
--chart-3: oklch(0.398 0.07 227.392);
--chart-4: oklch(0.828 0.189 84.429);
--chart-5: oklch(0.769 0.188 70.08);
--sidebar: oklch(0.985 0 0);
--sidebar-foreground: oklch(0.141 0.005 285.823);
--sidebar-primary: oklch(0.21 0.006 285.885);
--sidebar-primary-foreground: oklch(0.985 0 0);
--sidebar-accent: oklch(0.967 0.001 286.375);
--sidebar-accent-foreground: oklch(0.21 0.006 285.885);
--sidebar-border: oklch(0.92 0.004 286.32);
--sidebar-ring: oklch(0.705 0.015 286.067);
}
.dark {
--background: oklch(0.141 0.005 285.823);
--foreground: oklch(0.985 0 0);
--card: oklch(0.21 0.006 285.885);
--card-foreground: oklch(0.985 0 0);
--popover: oklch(0.21 0.006 285.885);
--popover-foreground: oklch(0.985 0 0);
--primary: oklch(0.92 0.004 286.32);
--primary-foreground: oklch(0.21 0.006 285.885);
--secondary: oklch(0.274 0.006 286.033);
--secondary-foreground: oklch(0.985 0 0);
--muted: oklch(0.274 0.006 286.033);
--muted-foreground: oklch(0.705 0.015 286.067);
--accent: oklch(0.274 0.006 286.033);
--accent-foreground: oklch(0.985 0 0);
--destructive: oklch(0.704 0.191 22.216);
--border: oklch(1 0 0 / 10%);
--input: oklch(1 0 0 / 15%);
--ring: oklch(0.552 0.016 285.938);
--chart-1: oklch(0.488 0.243 264.376);
--chart-2: oklch(0.696 0.17 162.48);
--chart-3: oklch(0.769 0.188 70.08);
--chart-4: oklch(0.627 0.265 303.9);
--chart-5: oklch(0.645 0.246 16.439);
--sidebar: oklch(0.21 0.006 285.885);
--sidebar-foreground: oklch(0.985 0 0);
--sidebar-primary: oklch(0.488 0.243 264.376);
--sidebar-primary-foreground: oklch(0.985 0 0);
--sidebar-accent: oklch(0.274 0.006 286.033);
--sidebar-accent-foreground: oklch(0.985 0 0);
--sidebar-border: oklch(1 0 0 / 10%);
--sidebar-ring: oklch(0.552 0.016 285.938);
}
@layer base {
* {
@apply border-border outline-ring/50;
}
body {
@apply bg-background text-foreground;
}
}

39
admin/src/app/layout.tsx Normal file
View File

@@ -0,0 +1,39 @@
import type { Metadata } from "next";
import { Geist, Geist_Mono } from "next/font/google";
import { Toaster } from "@/components/ui/sonner";
import { Providers } from "@/components/providers";
import "./globals.css";
const geistSans = Geist({
variable: "--font-geist-sans",
subsets: ["latin"],
});
const geistMono = Geist_Mono({
variable: "--font-geist-mono",
subsets: ["latin"],
});
export const metadata: Metadata = {
title: "MyCrib Admin",
description: "MyCrib Administration Panel",
};
export default function RootLayout({
children,
}: Readonly<{
children: React.ReactNode;
}>) {
return (
<html lang="en">
<body
className={`${geistSans.variable} ${geistMono.variable} antialiased`}
>
<Providers>
{children}
<Toaster />
</Providers>
</body>
</html>
);
}

View File

@@ -0,0 +1,31 @@
'use client';
import { useEffect } from 'react';
import { useRouter } from 'next/navigation';
import { useAuthStore } from '@/store/auth';
import { LoginForm } from '@/components/login-form';
export default function LoginPage() {
const router = useRouter();
const { isAuthenticated, isLoading, hasHydrated } = useAuthStore();
useEffect(() => {
if (hasHydrated && isAuthenticated && !isLoading) {
router.push('/');
}
}, [hasHydrated, isAuthenticated, isLoading, router]);
if (!hasHydrated || isLoading) {
return (
<div className="min-h-screen flex items-center justify-center bg-gray-50">
<div className="text-gray-500">Loading...</div>
</div>
);
}
return (
<div className="min-h-screen flex items-center justify-center bg-gray-50 px-4">
<LoginForm />
</div>
);
}

View File

@@ -0,0 +1,143 @@
'use client';
import {
Home,
Users,
Building2,
ClipboardList,
Wrench,
FileText,
Bell,
BellRing,
CreditCard,
Settings,
LogOut,
Key,
CheckCircle,
BookOpen,
UserCog,
} from 'lucide-react';
import { useRouter, usePathname } from 'next/navigation';
import { useAuthStore } from '@/store/auth';
import {
Sidebar,
SidebarContent,
SidebarFooter,
SidebarGroup,
SidebarGroupContent,
SidebarGroupLabel,
SidebarHeader,
SidebarMenu,
SidebarMenuButton,
SidebarMenuItem,
} from '@/components/ui/sidebar';
import { Button } from '@/components/ui/button';
const menuItems = [
{ title: 'Dashboard', url: '/admin/', icon: Home },
{ title: 'Users', url: '/admin/users', icon: Users },
{ title: 'Auth Tokens', url: '/admin/auth-tokens', icon: Key },
{ title: 'Residences', url: '/admin/residences', icon: Building2 },
{ title: 'Tasks', url: '/admin/tasks', icon: ClipboardList },
{ title: 'Completions', url: '/admin/completions', icon: CheckCircle },
{ title: 'Contractors', url: '/admin/contractors', icon: Wrench },
{ title: 'Documents', url: '/admin/documents', icon: FileText },
{ title: 'Notifications', url: '/admin/notifications', icon: Bell },
{ title: 'Notification Prefs', url: '/admin/notification-prefs', icon: BellRing },
{ title: 'Subscriptions', url: '/admin/subscriptions', icon: CreditCard },
];
const settingsItems = [
{ title: 'Lookup Tables', url: '/admin/lookups', icon: BookOpen },
{ title: 'Admin Users', url: '/admin/admin-users', icon: UserCog },
{ title: 'Settings', url: '/admin/settings', icon: Settings },
];
export function AppSidebar() {
const router = useRouter();
const pathname = usePathname();
const { user, logout } = useAuthStore();
const handleLogout = async () => {
await logout();
router.push('/login');
};
return (
<Sidebar>
<SidebarHeader className="border-b px-6 py-4">
<div className="flex items-center gap-2">
<Building2 className="h-6 w-6" />
<span className="font-semibold text-lg">MyCrib Admin</span>
</div>
</SidebarHeader>
<SidebarContent>
<SidebarGroup>
<SidebarGroupLabel>Management</SidebarGroupLabel>
<SidebarGroupContent>
<SidebarMenu>
{menuItems.map((item) => (
<SidebarMenuItem key={item.title}>
<SidebarMenuButton
asChild
isActive={pathname === item.url}
>
<a href={item.url}>
<item.icon className="h-4 w-4" />
<span>{item.title}</span>
</a>
</SidebarMenuButton>
</SidebarMenuItem>
))}
</SidebarMenu>
</SidebarGroupContent>
</SidebarGroup>
<SidebarGroup>
<SidebarGroupLabel>System</SidebarGroupLabel>
<SidebarGroupContent>
<SidebarMenu>
{settingsItems.map((item) => (
<SidebarMenuItem key={item.title}>
<SidebarMenuButton
asChild
isActive={pathname === item.url}
>
<a href={item.url}>
<item.icon className="h-4 w-4" />
<span>{item.title}</span>
</a>
</SidebarMenuButton>
</SidebarMenuItem>
))}
</SidebarMenu>
</SidebarGroupContent>
</SidebarGroup>
</SidebarContent>
<SidebarFooter className="border-t p-4">
<div className="flex flex-col gap-2">
<div className="text-sm text-muted-foreground">
Signed in as
</div>
<div className="font-medium truncate">
{user?.email || 'Unknown'}
</div>
<div className="text-xs text-muted-foreground capitalize">
{user?.role?.replace('_', ' ') || 'User'}
</div>
<Button
variant="outline"
size="sm"
className="mt-2 w-full"
onClick={handleLogout}
>
<LogOut className="h-4 w-4 mr-2" />
Sign out
</Button>
</div>
</SidebarFooter>
</Sidebar>
);
}

View File

@@ -0,0 +1,100 @@
'use client';
import { Button } from '@/components/ui/button';
import {
Select,
SelectContent,
SelectItem,
SelectTrigger,
SelectValue,
} from '@/components/ui/select';
import { ChevronLeft, ChevronRight, ChevronsLeft, ChevronsRight } from 'lucide-react';
interface DataTablePaginationProps {
page: number;
pageSize: number;
totalCount: number;
onPageChange: (page: number) => void;
onPageSizeChange: (size: number) => void;
}
export function DataTablePagination({
page,
pageSize,
totalCount,
onPageChange,
onPageSizeChange,
}: DataTablePaginationProps) {
const totalPages = Math.ceil(totalCount / pageSize);
const canPreviousPage = page > 1;
const canNextPage = page < totalPages;
return (
<div className="flex items-center justify-between px-2">
<div className="flex-1 text-sm text-muted-foreground">
Showing {((page - 1) * pageSize) + 1} to {Math.min(page * pageSize, totalCount)} of {totalCount} results
</div>
<div className="flex items-center space-x-6 lg:space-x-8">
<div className="flex items-center space-x-2">
<p className="text-sm font-medium">Rows per page</p>
<Select
value={`${pageSize}`}
onValueChange={(value) => onPageSizeChange(Number(value))}
>
<SelectTrigger className="h-8 w-[70px]">
<SelectValue placeholder={pageSize} />
</SelectTrigger>
<SelectContent side="top">
{[10, 20, 30, 50, 100].map((size) => (
<SelectItem key={size} value={`${size}`}>
{size}
</SelectItem>
))}
</SelectContent>
</Select>
</div>
<div className="flex w-[100px] items-center justify-center text-sm font-medium">
Page {page} of {totalPages}
</div>
<div className="flex items-center space-x-2">
<Button
variant="outline"
className="hidden h-8 w-8 p-0 lg:flex"
onClick={() => onPageChange(1)}
disabled={!canPreviousPage}
>
<span className="sr-only">Go to first page</span>
<ChevronsLeft className="h-4 w-4" />
</Button>
<Button
variant="outline"
className="h-8 w-8 p-0"
onClick={() => onPageChange(page - 1)}
disabled={!canPreviousPage}
>
<span className="sr-only">Go to previous page</span>
<ChevronLeft className="h-4 w-4" />
</Button>
<Button
variant="outline"
className="h-8 w-8 p-0"
onClick={() => onPageChange(page + 1)}
disabled={!canNextPage}
>
<span className="sr-only">Go to next page</span>
<ChevronRight className="h-4 w-4" />
</Button>
<Button
variant="outline"
className="hidden h-8 w-8 p-0 lg:flex"
onClick={() => onPageChange(totalPages)}
disabled={!canNextPage}
>
<span className="sr-only">Go to last page</span>
<ChevronsRight className="h-4 w-4" />
</Button>
</div>
</div>
</div>
);
}

View File

@@ -0,0 +1,32 @@
'use client';
import { Input } from '@/components/ui/input';
import { Search } from 'lucide-react';
interface DataTableToolbarProps {
searchValue: string;
onSearchChange: (value: string) => void;
searchPlaceholder?: string;
}
export function DataTableToolbar({
searchValue,
onSearchChange,
searchPlaceholder = 'Search...',
}: DataTableToolbarProps) {
return (
<div className="flex items-center justify-between">
<div className="flex flex-1 items-center space-x-2">
<div className="relative w-full max-w-sm">
<Search className="absolute left-2.5 top-2.5 h-4 w-4 text-muted-foreground" />
<Input
placeholder={searchPlaceholder}
value={searchValue}
onChange={(e) => onSearchChange(e.target.value)}
className="pl-8"
/>
</div>
</div>
</div>
);
}

View File

@@ -0,0 +1,192 @@
'use client';
import {
ColumnDef,
flexRender,
getCoreRowModel,
useReactTable,
RowSelectionState,
} from '@tanstack/react-table';
import {
Table,
TableBody,
TableCell,
TableHead,
TableHeader,
TableRow,
} from '@/components/ui/table';
import { Checkbox } from '@/components/ui/checkbox';
import { DataTablePagination } from './data-table-pagination';
import { DataTableToolbar } from './data-table-toolbar';
interface DataTableProps<TData, TValue> {
columns: ColumnDef<TData, TValue>[];
data: TData[];
totalCount: number;
page: number;
pageSize: number;
onPageChange: (page: number) => void;
onPageSizeChange: (size: number) => void;
searchValue?: string;
onSearchChange?: (value: string) => void;
searchPlaceholder?: string;
isLoading?: boolean;
enableRowSelection?: boolean;
onRowSelectionChange?: (rows: TData[]) => void;
}
export function DataTable<TData, TValue>({
columns,
data,
totalCount,
page,
pageSize,
onPageChange,
onPageSizeChange,
searchValue,
onSearchChange,
searchPlaceholder = 'Search...',
isLoading = false,
enableRowSelection = false,
onRowSelectionChange,
}: DataTableProps<TData, TValue>) {
const [rowSelection, setRowSelection] = React.useState<RowSelectionState>({});
// Add selection column if enabled
const tableColumns = React.useMemo(() => {
if (!enableRowSelection) return columns;
const selectionColumn: ColumnDef<TData, TValue> = {
id: 'select',
header: ({ table }) => (
<Checkbox
checked={
table.getIsAllPageRowsSelected() ||
(table.getIsSomePageRowsSelected() && 'indeterminate')
}
onCheckedChange={(value) => table.toggleAllPageRowsSelected(!!value)}
aria-label="Select all"
/>
),
cell: ({ row }) => (
<Checkbox
checked={row.getIsSelected()}
onCheckedChange={(value) => row.toggleSelected(!!value)}
aria-label="Select row"
/>
),
enableSorting: false,
enableHiding: false,
};
return [selectionColumn, ...columns];
}, [columns, enableRowSelection]);
const table = useReactTable({
data,
columns: tableColumns,
getCoreRowModel: getCoreRowModel(),
manualPagination: true,
pageCount: Math.ceil(totalCount / pageSize),
state: {
rowSelection,
pagination: {
pageIndex: page - 1,
pageSize,
},
},
onRowSelectionChange: setRowSelection,
enableRowSelection,
});
// Notify parent of selection changes
React.useEffect(() => {
if (onRowSelectionChange) {
const selectedRows = table
.getSelectedRowModel()
.rows.map((row) => row.original);
onRowSelectionChange(selectedRows);
}
}, [rowSelection, table, onRowSelectionChange]);
return (
<div className="space-y-4">
{onSearchChange && (
<DataTableToolbar
searchValue={searchValue || ''}
onSearchChange={onSearchChange}
searchPlaceholder={searchPlaceholder}
/>
)}
<div className="rounded-md border">
<Table>
<TableHeader>
{table.getHeaderGroups().map((headerGroup) => (
<TableRow key={headerGroup.id}>
{headerGroup.headers.map((header) => (
<TableHead key={header.id}>
{header.isPlaceholder
? null
: flexRender(
header.column.columnDef.header,
header.getContext()
)}
</TableHead>
))}
</TableRow>
))}
</TableHeader>
<TableBody>
{isLoading ? (
<TableRow>
<TableCell
colSpan={tableColumns.length}
className="h-24 text-center"
>
Loading...
</TableCell>
</TableRow>
) : table.getRowModel().rows?.length ? (
table.getRowModel().rows.map((row) => (
<TableRow
key={row.id}
data-state={row.getIsSelected() && 'selected'}
>
{row.getVisibleCells().map((cell) => (
<TableCell key={cell.id}>
{flexRender(
cell.column.columnDef.cell,
cell.getContext()
)}
</TableCell>
))}
</TableRow>
))
) : (
<TableRow>
<TableCell
colSpan={tableColumns.length}
className="h-24 text-center"
>
No results.
</TableCell>
</TableRow>
)}
</TableBody>
</Table>
</div>
<DataTablePagination
page={page}
pageSize={pageSize}
totalCount={totalCount}
onPageChange={onPageChange}
onPageSizeChange={onPageSizeChange}
/>
</div>
);
}
import * as React from 'react';

View File

@@ -0,0 +1,3 @@
export { DataTable } from './data-table';
export { DataTablePagination } from './data-table-pagination';
export { DataTableToolbar } from './data-table-toolbar';

View File

@@ -0,0 +1,83 @@
'use client';
import { useState } from 'react';
import { useRouter } from 'next/navigation';
import { useAuthStore } from '@/store/auth';
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';
export function LoginForm() {
const router = useRouter();
const { login, isLoading, error, clearError } = useAuthStore();
const [email, setEmail] = useState('');
const [password, setPassword] = useState('');
const handleSubmit = async (e: React.FormEvent) => {
e.preventDefault();
clearError();
const success = await login({ email, password });
if (success) {
router.push('/');
}
};
return (
<Card className="w-full max-w-md">
<CardHeader className="space-y-1">
<CardTitle className="text-2xl font-bold text-center">
MyCrib Admin
</CardTitle>
<CardDescription className="text-center">
Enter your credentials to access the admin panel
</CardDescription>
</CardHeader>
<CardContent>
<form onSubmit={handleSubmit} className="space-y-4">
{error && (
<div className="p-3 text-sm text-red-500 bg-red-50 rounded-md border border-red-200">
{error}
</div>
)}
<div className="space-y-2">
<Label htmlFor="email">Email</Label>
<Input
id="email"
type="email"
placeholder="admin@mycrib.com"
value={email}
onChange={(e) => setEmail(e.target.value)}
required
disabled={isLoading}
/>
</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
disabled={isLoading}
/>
</div>
<Button type="submit" className="w-full" disabled={isLoading}>
{isLoading ? 'Signing in...' : 'Sign in'}
</Button>
</form>
</CardContent>
</Card>
);
}

View File

@@ -0,0 +1,22 @@
'use client';
import { QueryClient, QueryClientProvider } from '@tanstack/react-query';
import { useState } from 'react';
export function Providers({ children }: { children: React.ReactNode }) {
const [queryClient] = useState(
() =>
new QueryClient({
defaultOptions: {
queries: {
staleTime: 60 * 1000, // 1 minute
refetchOnWindowFocus: false,
},
},
})
);
return (
<QueryClientProvider client={queryClient}>{children}</QueryClientProvider>
);
}

View File

@@ -0,0 +1,157 @@
"use client"
import * as React from "react"
import * as AlertDialogPrimitive from "@radix-ui/react-alert-dialog"
import { cn } from "@/lib/utils"
import { buttonVariants } from "@/components/ui/button"
function AlertDialog({
...props
}: React.ComponentProps<typeof AlertDialogPrimitive.Root>) {
return <AlertDialogPrimitive.Root data-slot="alert-dialog" {...props} />
}
function AlertDialogTrigger({
...props
}: React.ComponentProps<typeof AlertDialogPrimitive.Trigger>) {
return (
<AlertDialogPrimitive.Trigger data-slot="alert-dialog-trigger" {...props} />
)
}
function AlertDialogPortal({
...props
}: React.ComponentProps<typeof AlertDialogPrimitive.Portal>) {
return (
<AlertDialogPrimitive.Portal data-slot="alert-dialog-portal" {...props} />
)
}
function AlertDialogOverlay({
className,
...props
}: React.ComponentProps<typeof AlertDialogPrimitive.Overlay>) {
return (
<AlertDialogPrimitive.Overlay
data-slot="alert-dialog-overlay"
className={cn(
"data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 fixed inset-0 z-50 bg-black/50",
className
)}
{...props}
/>
)
}
function AlertDialogContent({
className,
...props
}: React.ComponentProps<typeof AlertDialogPrimitive.Content>) {
return (
<AlertDialogPortal>
<AlertDialogOverlay />
<AlertDialogPrimitive.Content
data-slot="alert-dialog-content"
className={cn(
"bg-background 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 fixed top-[50%] left-[50%] z-50 grid w-full max-w-[calc(100%-2rem)] translate-x-[-50%] translate-y-[-50%] gap-4 rounded-lg border p-6 shadow-lg duration-200 sm:max-w-lg",
className
)}
{...props}
/>
</AlertDialogPortal>
)
}
function AlertDialogHeader({
className,
...props
}: React.ComponentProps<"div">) {
return (
<div
data-slot="alert-dialog-header"
className={cn("flex flex-col gap-2 text-center sm:text-left", className)}
{...props}
/>
)
}
function AlertDialogFooter({
className,
...props
}: React.ComponentProps<"div">) {
return (
<div
data-slot="alert-dialog-footer"
className={cn(
"flex flex-col-reverse gap-2 sm:flex-row sm:justify-end",
className
)}
{...props}
/>
)
}
function AlertDialogTitle({
className,
...props
}: React.ComponentProps<typeof AlertDialogPrimitive.Title>) {
return (
<AlertDialogPrimitive.Title
data-slot="alert-dialog-title"
className={cn("text-lg font-semibold", className)}
{...props}
/>
)
}
function AlertDialogDescription({
className,
...props
}: React.ComponentProps<typeof AlertDialogPrimitive.Description>) {
return (
<AlertDialogPrimitive.Description
data-slot="alert-dialog-description"
className={cn("text-muted-foreground text-sm", className)}
{...props}
/>
)
}
function AlertDialogAction({
className,
...props
}: React.ComponentProps<typeof AlertDialogPrimitive.Action>) {
return (
<AlertDialogPrimitive.Action
className={cn(buttonVariants(), className)}
{...props}
/>
)
}
function AlertDialogCancel({
className,
...props
}: React.ComponentProps<typeof AlertDialogPrimitive.Cancel>) {
return (
<AlertDialogPrimitive.Cancel
className={cn(buttonVariants({ variant: "outline" }), className)}
{...props}
/>
)
}
export {
AlertDialog,
AlertDialogPortal,
AlertDialogOverlay,
AlertDialogTrigger,
AlertDialogContent,
AlertDialogHeader,
AlertDialogFooter,
AlertDialogTitle,
AlertDialogDescription,
AlertDialogAction,
AlertDialogCancel,
}

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 "@/lib/utils"
const badgeVariants = cva(
"inline-flex items-center justify-center rounded-full border px-2 py-0.5 text-xs font-medium w-fit whitespace-nowrap shrink-0 [&>svg]:size-3 gap-1 [&>svg]:pointer-events-none focus-visible:border-ring focus-visible:ring-ring/50 focus-visible:ring-[3px] aria-invalid:ring-destructive/20 dark:aria-invalid:ring-destructive/40 aria-invalid:border-destructive transition-[color,box-shadow] overflow-hidden",
{
variants: {
variant: {
default:
"border-transparent bg-primary text-primary-foreground [a&]:hover:bg-primary/90",
secondary:
"border-transparent bg-secondary text-secondary-foreground [a&]:hover:bg-secondary/90",
destructive:
"border-transparent bg-destructive text-white [a&]:hover:bg-destructive/90 focus-visible:ring-destructive/20 dark:focus-visible:ring-destructive/40 dark:bg-destructive/60",
outline:
"text-foreground [a&]:hover:bg-accent [a&]:hover:text-accent-foreground",
},
},
defaultVariants: {
variant: "default",
},
}
)
function Badge({
className,
variant,
asChild = false,
...props
}: React.ComponentProps<"span"> &
VariantProps<typeof badgeVariants> & { asChild?: boolean }) {
const Comp = asChild ? Slot : "span"
return (
<Comp
data-slot="badge"
className={cn(badgeVariants({ variant }), className)}
{...props}
/>
)
}
export { Badge, badgeVariants }

View File

@@ -0,0 +1,60 @@
import * as React from "react"
import { Slot } from "@radix-ui/react-slot"
import { cva, type VariantProps } from "class-variance-authority"
import { cn } from "@/lib/utils"
const buttonVariants = cva(
"inline-flex items-center justify-center gap-2 whitespace-nowrap rounded-md text-sm font-medium transition-all disabled:pointer-events-none disabled:opacity-50 [&_svg]:pointer-events-none [&_svg:not([class*='size-'])]:size-4 shrink-0 [&_svg]:shrink-0 outline-none focus-visible:border-ring focus-visible:ring-ring/50 focus-visible:ring-[3px] aria-invalid:ring-destructive/20 dark:aria-invalid:ring-destructive/40 aria-invalid:border-destructive",
{
variants: {
variant: {
default: "bg-primary text-primary-foreground hover:bg-primary/90",
destructive:
"bg-destructive text-white hover:bg-destructive/90 focus-visible:ring-destructive/20 dark:focus-visible:ring-destructive/40 dark:bg-destructive/60",
outline:
"border bg-background shadow-xs hover:bg-accent hover:text-accent-foreground dark:bg-input/30 dark:border-input dark:hover:bg-input/50",
secondary:
"bg-secondary text-secondary-foreground hover:bg-secondary/80",
ghost:
"hover:bg-accent hover:text-accent-foreground dark:hover:bg-accent/50",
link: "text-primary underline-offset-4 hover:underline",
},
size: {
default: "h-9 px-4 py-2 has-[>svg]:px-3",
sm: "h-8 rounded-md gap-1.5 px-3 has-[>svg]:px-2.5",
lg: "h-10 rounded-md px-6 has-[>svg]:px-4",
icon: "size-9",
"icon-sm": "size-8",
"icon-lg": "size-10",
},
},
defaultVariants: {
variant: "default",
size: "default",
},
}
)
function Button({
className,
variant,
size,
asChild = false,
...props
}: React.ComponentProps<"button"> &
VariantProps<typeof buttonVariants> & {
asChild?: boolean
}) {
const Comp = asChild ? Slot : "button"
return (
<Comp
data-slot="button"
className={cn(buttonVariants({ variant, size, className }))}
{...props}
/>
)
}
export { Button, buttonVariants }

View File

@@ -0,0 +1,92 @@
import * as React from "react"
import { cn } from "@/lib/utils"
function Card({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="card"
className={cn(
"bg-card text-card-foreground flex flex-col gap-6 rounded-xl border py-6 shadow-sm",
className
)}
{...props}
/>
)
}
function CardHeader({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="card-header"
className={cn(
"@container/card-header grid auto-rows-min grid-rows-[auto_auto] items-start gap-2 px-6 has-data-[slot=card-action]:grid-cols-[1fr_auto] [.border-b]:pb-6",
className
)}
{...props}
/>
)
}
function CardTitle({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="card-title"
className={cn("leading-none font-semibold", className)}
{...props}
/>
)
}
function CardDescription({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="card-description"
className={cn("text-muted-foreground text-sm", className)}
{...props}
/>
)
}
function CardAction({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="card-action"
className={cn(
"col-start-2 row-span-2 row-start-1 self-start justify-self-end",
className
)}
{...props}
/>
)
}
function CardContent({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="card-content"
className={cn("px-6", className)}
{...props}
/>
)
}
function CardFooter({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="card-footer"
className={cn("flex items-center px-6 [.border-t]:pt-6", className)}
{...props}
/>
)
}
export {
Card,
CardHeader,
CardFooter,
CardTitle,
CardAction,
CardDescription,
CardContent,
}

View File

@@ -0,0 +1,32 @@
"use client"
import * as React from "react"
import * as CheckboxPrimitive from "@radix-ui/react-checkbox"
import { CheckIcon } from "lucide-react"
import { cn } from "@/lib/utils"
function Checkbox({
className,
...props
}: React.ComponentProps<typeof CheckboxPrimitive.Root>) {
return (
<CheckboxPrimitive.Root
data-slot="checkbox"
className={cn(
"peer border-input dark:bg-input/30 data-[state=checked]:bg-primary data-[state=checked]:text-primary-foreground dark:data-[state=checked]:bg-primary data-[state=checked]:border-primary focus-visible:border-ring focus-visible:ring-ring/50 aria-invalid:ring-destructive/20 dark:aria-invalid:ring-destructive/40 aria-invalid:border-destructive size-4 shrink-0 rounded-[4px] border shadow-xs transition-shadow outline-none focus-visible:ring-[3px] disabled:cursor-not-allowed disabled:opacity-50",
className
)}
{...props}
>
<CheckboxPrimitive.Indicator
data-slot="checkbox-indicator"
className="grid place-content-center text-current transition-none"
>
<CheckIcon className="size-3.5" />
</CheckboxPrimitive.Indicator>
</CheckboxPrimitive.Root>
)
}
export { Checkbox }

View File

@@ -0,0 +1,143 @@
"use client"
import * as React from "react"
import * as DialogPrimitive from "@radix-ui/react-dialog"
import { XIcon } from "lucide-react"
import { cn } from "@/lib/utils"
function Dialog({
...props
}: React.ComponentProps<typeof DialogPrimitive.Root>) {
return <DialogPrimitive.Root data-slot="dialog" {...props} />
}
function DialogTrigger({
...props
}: React.ComponentProps<typeof DialogPrimitive.Trigger>) {
return <DialogPrimitive.Trigger data-slot="dialog-trigger" {...props} />
}
function DialogPortal({
...props
}: React.ComponentProps<typeof DialogPrimitive.Portal>) {
return <DialogPrimitive.Portal data-slot="dialog-portal" {...props} />
}
function DialogClose({
...props
}: React.ComponentProps<typeof DialogPrimitive.Close>) {
return <DialogPrimitive.Close data-slot="dialog-close" {...props} />
}
function DialogOverlay({
className,
...props
}: React.ComponentProps<typeof DialogPrimitive.Overlay>) {
return (
<DialogPrimitive.Overlay
data-slot="dialog-overlay"
className={cn(
"data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 fixed inset-0 z-50 bg-black/50",
className
)}
{...props}
/>
)
}
function DialogContent({
className,
children,
showCloseButton = true,
...props
}: React.ComponentProps<typeof DialogPrimitive.Content> & {
showCloseButton?: boolean
}) {
return (
<DialogPortal data-slot="dialog-portal">
<DialogOverlay />
<DialogPrimitive.Content
data-slot="dialog-content"
className={cn(
"bg-background 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 fixed top-[50%] left-[50%] z-50 grid w-full max-w-[calc(100%-2rem)] translate-x-[-50%] translate-y-[-50%] gap-4 rounded-lg border p-6 shadow-lg duration-200 sm:max-w-lg",
className
)}
{...props}
>
{children}
{showCloseButton && (
<DialogPrimitive.Close
data-slot="dialog-close"
className="ring-offset-background focus:ring-ring data-[state=open]:bg-accent data-[state=open]:text-muted-foreground absolute top-4 right-4 rounded-xs opacity-70 transition-opacity hover:opacity-100 focus:ring-2 focus:ring-offset-2 focus:outline-hidden disabled:pointer-events-none [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4"
>
<XIcon />
<span className="sr-only">Close</span>
</DialogPrimitive.Close>
)}
</DialogPrimitive.Content>
</DialogPortal>
)
}
function DialogHeader({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="dialog-header"
className={cn("flex flex-col gap-2 text-center sm:text-left", className)}
{...props}
/>
)
}
function DialogFooter({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="dialog-footer"
className={cn(
"flex flex-col-reverse gap-2 sm:flex-row sm:justify-end",
className
)}
{...props}
/>
)
}
function DialogTitle({
className,
...props
}: React.ComponentProps<typeof DialogPrimitive.Title>) {
return (
<DialogPrimitive.Title
data-slot="dialog-title"
className={cn("text-lg leading-none font-semibold", className)}
{...props}
/>
)
}
function DialogDescription({
className,
...props
}: React.ComponentProps<typeof DialogPrimitive.Description>) {
return (
<DialogPrimitive.Description
data-slot="dialog-description"
className={cn("text-muted-foreground text-sm", className)}
{...props}
/>
)
}
export {
Dialog,
DialogClose,
DialogContent,
DialogDescription,
DialogFooter,
DialogHeader,
DialogOverlay,
DialogPortal,
DialogTitle,
DialogTrigger,
}

View File

@@ -0,0 +1,257 @@
"use client"
import * as React from "react"
import * as DropdownMenuPrimitive from "@radix-ui/react-dropdown-menu"
import { CheckIcon, ChevronRightIcon, CircleIcon } from "lucide-react"
import { cn } from "@/lib/utils"
function DropdownMenu({
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Root>) {
return <DropdownMenuPrimitive.Root data-slot="dropdown-menu" {...props} />
}
function DropdownMenuPortal({
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Portal>) {
return (
<DropdownMenuPrimitive.Portal data-slot="dropdown-menu-portal" {...props} />
)
}
function DropdownMenuTrigger({
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Trigger>) {
return (
<DropdownMenuPrimitive.Trigger
data-slot="dropdown-menu-trigger"
{...props}
/>
)
}
function DropdownMenuContent({
className,
sideOffset = 4,
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Content>) {
return (
<DropdownMenuPrimitive.Portal>
<DropdownMenuPrimitive.Content
data-slot="dropdown-menu-content"
sideOffset={sideOffset}
className={cn(
"bg-popover text-popover-foreground 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-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2 z-50 max-h-(--radix-dropdown-menu-content-available-height) min-w-[8rem] origin-(--radix-dropdown-menu-content-transform-origin) overflow-x-hidden overflow-y-auto rounded-md border p-1 shadow-md",
className
)}
{...props}
/>
</DropdownMenuPrimitive.Portal>
)
}
function DropdownMenuGroup({
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Group>) {
return (
<DropdownMenuPrimitive.Group data-slot="dropdown-menu-group" {...props} />
)
}
function DropdownMenuItem({
className,
inset,
variant = "default",
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Item> & {
inset?: boolean
variant?: "default" | "destructive"
}) {
return (
<DropdownMenuPrimitive.Item
data-slot="dropdown-menu-item"
data-inset={inset}
data-variant={variant}
className={cn(
"focus:bg-accent focus:text-accent-foreground data-[variant=destructive]:text-destructive data-[variant=destructive]:focus:bg-destructive/10 dark:data-[variant=destructive]:focus:bg-destructive/20 data-[variant=destructive]:focus:text-destructive data-[variant=destructive]:*:[svg]:!text-destructive [&_svg:not([class*='text-'])]:text-muted-foreground relative flex cursor-default items-center gap-2 rounded-sm px-2 py-1.5 text-sm outline-hidden select-none data-[disabled]:pointer-events-none data-[disabled]:opacity-50 data-[inset]:pl-8 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
className
)}
{...props}
/>
)
}
function DropdownMenuCheckboxItem({
className,
children,
checked,
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.CheckboxItem>) {
return (
<DropdownMenuPrimitive.CheckboxItem
data-slot="dropdown-menu-checkbox-item"
className={cn(
"focus:bg-accent focus:text-accent-foreground relative flex cursor-default items-center gap-2 rounded-sm py-1.5 pr-2 pl-8 text-sm outline-hidden select-none data-[disabled]:pointer-events-none data-[disabled]:opacity-50 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
className
)}
checked={checked}
{...props}
>
<span className="pointer-events-none absolute left-2 flex size-3.5 items-center justify-center">
<DropdownMenuPrimitive.ItemIndicator>
<CheckIcon className="size-4" />
</DropdownMenuPrimitive.ItemIndicator>
</span>
{children}
</DropdownMenuPrimitive.CheckboxItem>
)
}
function DropdownMenuRadioGroup({
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.RadioGroup>) {
return (
<DropdownMenuPrimitive.RadioGroup
data-slot="dropdown-menu-radio-group"
{...props}
/>
)
}
function DropdownMenuRadioItem({
className,
children,
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.RadioItem>) {
return (
<DropdownMenuPrimitive.RadioItem
data-slot="dropdown-menu-radio-item"
className={cn(
"focus:bg-accent focus:text-accent-foreground relative flex cursor-default items-center gap-2 rounded-sm py-1.5 pr-2 pl-8 text-sm outline-hidden select-none data-[disabled]:pointer-events-none data-[disabled]:opacity-50 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
className
)}
{...props}
>
<span className="pointer-events-none absolute left-2 flex size-3.5 items-center justify-center">
<DropdownMenuPrimitive.ItemIndicator>
<CircleIcon className="size-2 fill-current" />
</DropdownMenuPrimitive.ItemIndicator>
</span>
{children}
</DropdownMenuPrimitive.RadioItem>
)
}
function DropdownMenuLabel({
className,
inset,
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Label> & {
inset?: boolean
}) {
return (
<DropdownMenuPrimitive.Label
data-slot="dropdown-menu-label"
data-inset={inset}
className={cn(
"px-2 py-1.5 text-sm font-medium data-[inset]:pl-8",
className
)}
{...props}
/>
)
}
function DropdownMenuSeparator({
className,
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Separator>) {
return (
<DropdownMenuPrimitive.Separator
data-slot="dropdown-menu-separator"
className={cn("bg-border -mx-1 my-1 h-px", className)}
{...props}
/>
)
}
function DropdownMenuShortcut({
className,
...props
}: React.ComponentProps<"span">) {
return (
<span
data-slot="dropdown-menu-shortcut"
className={cn(
"text-muted-foreground ml-auto text-xs tracking-widest",
className
)}
{...props}
/>
)
}
function DropdownMenuSub({
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Sub>) {
return <DropdownMenuPrimitive.Sub data-slot="dropdown-menu-sub" {...props} />
}
function DropdownMenuSubTrigger({
className,
inset,
children,
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.SubTrigger> & {
inset?: boolean
}) {
return (
<DropdownMenuPrimitive.SubTrigger
data-slot="dropdown-menu-sub-trigger"
data-inset={inset}
className={cn(
"focus:bg-accent focus:text-accent-foreground data-[state=open]:bg-accent data-[state=open]:text-accent-foreground [&_svg:not([class*='text-'])]:text-muted-foreground flex cursor-default items-center gap-2 rounded-sm px-2 py-1.5 text-sm outline-hidden select-none data-[inset]:pl-8 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
className
)}
{...props}
>
{children}
<ChevronRightIcon className="ml-auto size-4" />
</DropdownMenuPrimitive.SubTrigger>
)
}
function DropdownMenuSubContent({
className,
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.SubContent>) {
return (
<DropdownMenuPrimitive.SubContent
data-slot="dropdown-menu-sub-content"
className={cn(
"bg-popover text-popover-foreground 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-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2 z-50 min-w-[8rem] origin-(--radix-dropdown-menu-content-transform-origin) overflow-hidden rounded-md border p-1 shadow-lg",
className
)}
{...props}
/>
)
}
export {
DropdownMenu,
DropdownMenuPortal,
DropdownMenuTrigger,
DropdownMenuContent,
DropdownMenuGroup,
DropdownMenuLabel,
DropdownMenuItem,
DropdownMenuCheckboxItem,
DropdownMenuRadioGroup,
DropdownMenuRadioItem,
DropdownMenuSeparator,
DropdownMenuShortcut,
DropdownMenuSub,
DropdownMenuSubTrigger,
DropdownMenuSubContent,
}

View File

@@ -0,0 +1,167 @@
"use client"
import * as React from "react"
import * as LabelPrimitive from "@radix-ui/react-label"
import { Slot } from "@radix-ui/react-slot"
import {
Controller,
FormProvider,
useFormContext,
useFormState,
type ControllerProps,
type FieldPath,
type FieldValues,
} from "react-hook-form"
import { cn } from "@/lib/utils"
import { Label } from "@/components/ui/label"
const Form = FormProvider
type FormFieldContextValue<
TFieldValues extends FieldValues = FieldValues,
TName extends FieldPath<TFieldValues> = FieldPath<TFieldValues>,
> = {
name: TName
}
const FormFieldContext = React.createContext<FormFieldContextValue>(
{} as FormFieldContextValue
)
const FormField = <
TFieldValues extends FieldValues = FieldValues,
TName extends FieldPath<TFieldValues> = FieldPath<TFieldValues>,
>({
...props
}: ControllerProps<TFieldValues, TName>) => {
return (
<FormFieldContext.Provider value={{ name: props.name }}>
<Controller {...props} />
</FormFieldContext.Provider>
)
}
const useFormField = () => {
const fieldContext = React.useContext(FormFieldContext)
const itemContext = React.useContext(FormItemContext)
const { getFieldState } = useFormContext()
const formState = useFormState({ name: fieldContext.name })
const fieldState = getFieldState(fieldContext.name, formState)
if (!fieldContext) {
throw new Error("useFormField should be used within <FormField>")
}
const { id } = itemContext
return {
id,
name: fieldContext.name,
formItemId: `${id}-form-item`,
formDescriptionId: `${id}-form-item-description`,
formMessageId: `${id}-form-item-message`,
...fieldState,
}
}
type FormItemContextValue = {
id: string
}
const FormItemContext = React.createContext<FormItemContextValue>(
{} as FormItemContextValue
)
function FormItem({ className, ...props }: React.ComponentProps<"div">) {
const id = React.useId()
return (
<FormItemContext.Provider value={{ id }}>
<div
data-slot="form-item"
className={cn("grid gap-2", className)}
{...props}
/>
</FormItemContext.Provider>
)
}
function FormLabel({
className,
...props
}: React.ComponentProps<typeof LabelPrimitive.Root>) {
const { error, formItemId } = useFormField()
return (
<Label
data-slot="form-label"
data-error={!!error}
className={cn("data-[error=true]:text-destructive", className)}
htmlFor={formItemId}
{...props}
/>
)
}
function FormControl({ ...props }: React.ComponentProps<typeof Slot>) {
const { error, formItemId, formDescriptionId, formMessageId } = useFormField()
return (
<Slot
data-slot="form-control"
id={formItemId}
aria-describedby={
!error
? `${formDescriptionId}`
: `${formDescriptionId} ${formMessageId}`
}
aria-invalid={!!error}
{...props}
/>
)
}
function FormDescription({ className, ...props }: React.ComponentProps<"p">) {
const { formDescriptionId } = useFormField()
return (
<p
data-slot="form-description"
id={formDescriptionId}
className={cn("text-muted-foreground text-sm", className)}
{...props}
/>
)
}
function FormMessage({ className, ...props }: React.ComponentProps<"p">) {
const { error, formMessageId } = useFormField()
const body = error ? String(error?.message ?? "") : props.children
if (!body) {
return null
}
return (
<p
data-slot="form-message"
id={formMessageId}
className={cn("text-destructive text-sm", className)}
{...props}
>
{body}
</p>
)
}
export {
useFormField,
Form,
FormItem,
FormLabel,
FormControl,
FormDescription,
FormMessage,
FormField,
}

View File

@@ -0,0 +1,21 @@
import * as React from "react"
import { cn } from "@/lib/utils"
function Input({ className, type, ...props }: React.ComponentProps<"input">) {
return (
<input
type={type}
data-slot="input"
className={cn(
"file:text-foreground placeholder:text-muted-foreground selection:bg-primary selection:text-primary-foreground dark:bg-input/30 border-input h-9 w-full min-w-0 rounded-md border bg-transparent px-3 py-1 text-base shadow-xs transition-[color,box-shadow] outline-none file:inline-flex file:h-7 file:border-0 file:bg-transparent file:text-sm file:font-medium disabled:pointer-events-none disabled:cursor-not-allowed disabled:opacity-50 md:text-sm",
"focus-visible:border-ring focus-visible:ring-ring/50 focus-visible:ring-[3px]",
"aria-invalid:ring-destructive/20 dark:aria-invalid:ring-destructive/40 aria-invalid:border-destructive",
className
)}
{...props}
/>
)
}
export { Input }

View File

@@ -0,0 +1,24 @@
"use client"
import * as React from "react"
import * as LabelPrimitive from "@radix-ui/react-label"
import { cn } from "@/lib/utils"
function Label({
className,
...props
}: React.ComponentProps<typeof LabelPrimitive.Root>) {
return (
<LabelPrimitive.Root
data-slot="label"
className={cn(
"flex items-center gap-2 text-sm leading-none font-medium select-none group-data-[disabled=true]:pointer-events-none group-data-[disabled=true]:opacity-50 peer-disabled:cursor-not-allowed peer-disabled:opacity-50",
className
)}
{...props}
/>
)
}
export { Label }

View File

@@ -0,0 +1,187 @@
"use client"
import * as React from "react"
import * as SelectPrimitive from "@radix-ui/react-select"
import { CheckIcon, ChevronDownIcon, ChevronUpIcon } from "lucide-react"
import { cn } from "@/lib/utils"
function Select({
...props
}: React.ComponentProps<typeof SelectPrimitive.Root>) {
return <SelectPrimitive.Root data-slot="select" {...props} />
}
function SelectGroup({
...props
}: React.ComponentProps<typeof SelectPrimitive.Group>) {
return <SelectPrimitive.Group data-slot="select-group" {...props} />
}
function SelectValue({
...props
}: React.ComponentProps<typeof SelectPrimitive.Value>) {
return <SelectPrimitive.Value data-slot="select-value" {...props} />
}
function SelectTrigger({
className,
size = "default",
children,
...props
}: React.ComponentProps<typeof SelectPrimitive.Trigger> & {
size?: "sm" | "default"
}) {
return (
<SelectPrimitive.Trigger
data-slot="select-trigger"
data-size={size}
className={cn(
"border-input data-[placeholder]:text-muted-foreground [&_svg:not([class*='text-'])]:text-muted-foreground focus-visible:border-ring focus-visible:ring-ring/50 aria-invalid:ring-destructive/20 dark:aria-invalid:ring-destructive/40 aria-invalid:border-destructive dark:bg-input/30 dark:hover:bg-input/50 flex w-fit items-center justify-between gap-2 rounded-md border bg-transparent px-3 py-2 text-sm whitespace-nowrap shadow-xs transition-[color,box-shadow] outline-none focus-visible:ring-[3px] disabled:cursor-not-allowed disabled:opacity-50 data-[size=default]:h-9 data-[size=sm]:h-8 *:data-[slot=select-value]:line-clamp-1 *:data-[slot=select-value]:flex *:data-[slot=select-value]:items-center *:data-[slot=select-value]:gap-2 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
className
)}
{...props}
>
{children}
<SelectPrimitive.Icon asChild>
<ChevronDownIcon className="size-4 opacity-50" />
</SelectPrimitive.Icon>
</SelectPrimitive.Trigger>
)
}
function SelectContent({
className,
children,
position = "popper",
align = "center",
...props
}: React.ComponentProps<typeof SelectPrimitive.Content>) {
return (
<SelectPrimitive.Portal>
<SelectPrimitive.Content
data-slot="select-content"
className={cn(
"bg-popover text-popover-foreground 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-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2 relative z-50 max-h-(--radix-select-content-available-height) min-w-[8rem] origin-(--radix-select-content-transform-origin) overflow-x-hidden overflow-y-auto rounded-md border shadow-md",
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}
align={align}
{...props}
>
<SelectScrollUpButton />
<SelectPrimitive.Viewport
className={cn(
"p-1",
position === "popper" &&
"h-[var(--radix-select-trigger-height)] w-full min-w-[var(--radix-select-trigger-width)] scroll-my-1"
)}
>
{children}
</SelectPrimitive.Viewport>
<SelectScrollDownButton />
</SelectPrimitive.Content>
</SelectPrimitive.Portal>
)
}
function SelectLabel({
className,
...props
}: React.ComponentProps<typeof SelectPrimitive.Label>) {
return (
<SelectPrimitive.Label
data-slot="select-label"
className={cn("text-muted-foreground px-2 py-1.5 text-xs", className)}
{...props}
/>
)
}
function SelectItem({
className,
children,
...props
}: React.ComponentProps<typeof SelectPrimitive.Item>) {
return (
<SelectPrimitive.Item
data-slot="select-item"
className={cn(
"focus:bg-accent focus:text-accent-foreground [&_svg:not([class*='text-'])]:text-muted-foreground relative flex w-full cursor-default items-center gap-2 rounded-sm py-1.5 pr-8 pl-2 text-sm outline-hidden select-none data-[disabled]:pointer-events-none data-[disabled]:opacity-50 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4 *:[span]:last:flex *:[span]:last:items-center *:[span]:last:gap-2",
className
)}
{...props}
>
<span className="absolute right-2 flex size-3.5 items-center justify-center">
<SelectPrimitive.ItemIndicator>
<CheckIcon className="size-4" />
</SelectPrimitive.ItemIndicator>
</span>
<SelectPrimitive.ItemText>{children}</SelectPrimitive.ItemText>
</SelectPrimitive.Item>
)
}
function SelectSeparator({
className,
...props
}: React.ComponentProps<typeof SelectPrimitive.Separator>) {
return (
<SelectPrimitive.Separator
data-slot="select-separator"
className={cn("bg-border pointer-events-none -mx-1 my-1 h-px", className)}
{...props}
/>
)
}
function SelectScrollUpButton({
className,
...props
}: React.ComponentProps<typeof SelectPrimitive.ScrollUpButton>) {
return (
<SelectPrimitive.ScrollUpButton
data-slot="select-scroll-up-button"
className={cn(
"flex cursor-default items-center justify-center py-1",
className
)}
{...props}
>
<ChevronUpIcon className="size-4" />
</SelectPrimitive.ScrollUpButton>
)
}
function SelectScrollDownButton({
className,
...props
}: React.ComponentProps<typeof SelectPrimitive.ScrollDownButton>) {
return (
<SelectPrimitive.ScrollDownButton
data-slot="select-scroll-down-button"
className={cn(
"flex cursor-default items-center justify-center py-1",
className
)}
{...props}
>
<ChevronDownIcon className="size-4" />
</SelectPrimitive.ScrollDownButton>
)
}
export {
Select,
SelectContent,
SelectGroup,
SelectItem,
SelectLabel,
SelectScrollDownButton,
SelectScrollUpButton,
SelectSeparator,
SelectTrigger,
SelectValue,
}

View File

@@ -0,0 +1,28 @@
"use client"
import * as React from "react"
import * as SeparatorPrimitive from "@radix-ui/react-separator"
import { cn } from "@/lib/utils"
function Separator({
className,
orientation = "horizontal",
decorative = true,
...props
}: React.ComponentProps<typeof SeparatorPrimitive.Root>) {
return (
<SeparatorPrimitive.Root
data-slot="separator"
decorative={decorative}
orientation={orientation}
className={cn(
"bg-border shrink-0 data-[orientation=horizontal]:h-px data-[orientation=horizontal]:w-full data-[orientation=vertical]:h-full data-[orientation=vertical]:w-px",
className
)}
{...props}
/>
)
}
export { Separator }

View File

@@ -0,0 +1,139 @@
"use client"
import * as React from "react"
import * as SheetPrimitive from "@radix-ui/react-dialog"
import { XIcon } from "lucide-react"
import { cn } from "@/lib/utils"
function Sheet({ ...props }: React.ComponentProps<typeof SheetPrimitive.Root>) {
return <SheetPrimitive.Root data-slot="sheet" {...props} />
}
function SheetTrigger({
...props
}: React.ComponentProps<typeof SheetPrimitive.Trigger>) {
return <SheetPrimitive.Trigger data-slot="sheet-trigger" {...props} />
}
function SheetClose({
...props
}: React.ComponentProps<typeof SheetPrimitive.Close>) {
return <SheetPrimitive.Close data-slot="sheet-close" {...props} />
}
function SheetPortal({
...props
}: React.ComponentProps<typeof SheetPrimitive.Portal>) {
return <SheetPrimitive.Portal data-slot="sheet-portal" {...props} />
}
function SheetOverlay({
className,
...props
}: React.ComponentProps<typeof SheetPrimitive.Overlay>) {
return (
<SheetPrimitive.Overlay
data-slot="sheet-overlay"
className={cn(
"data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 fixed inset-0 z-50 bg-black/50",
className
)}
{...props}
/>
)
}
function SheetContent({
className,
children,
side = "right",
...props
}: React.ComponentProps<typeof SheetPrimitive.Content> & {
side?: "top" | "right" | "bottom" | "left"
}) {
return (
<SheetPortal>
<SheetOverlay />
<SheetPrimitive.Content
data-slot="sheet-content"
className={cn(
"bg-background data-[state=open]:animate-in data-[state=closed]:animate-out fixed z-50 flex flex-col gap-4 shadow-lg transition ease-in-out data-[state=closed]:duration-300 data-[state=open]:duration-500",
side === "right" &&
"data-[state=closed]:slide-out-to-right data-[state=open]:slide-in-from-right inset-y-0 right-0 h-full w-3/4 border-l sm:max-w-sm",
side === "left" &&
"data-[state=closed]:slide-out-to-left data-[state=open]:slide-in-from-left inset-y-0 left-0 h-full w-3/4 border-r sm:max-w-sm",
side === "top" &&
"data-[state=closed]:slide-out-to-top data-[state=open]:slide-in-from-top inset-x-0 top-0 h-auto border-b",
side === "bottom" &&
"data-[state=closed]:slide-out-to-bottom data-[state=open]:slide-in-from-bottom inset-x-0 bottom-0 h-auto border-t",
className
)}
{...props}
>
{children}
<SheetPrimitive.Close className="ring-offset-background focus:ring-ring data-[state=open]:bg-secondary absolute top-4 right-4 rounded-xs opacity-70 transition-opacity hover:opacity-100 focus:ring-2 focus:ring-offset-2 focus:outline-hidden disabled:pointer-events-none">
<XIcon className="size-4" />
<span className="sr-only">Close</span>
</SheetPrimitive.Close>
</SheetPrimitive.Content>
</SheetPortal>
)
}
function SheetHeader({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="sheet-header"
className={cn("flex flex-col gap-1.5 p-4", className)}
{...props}
/>
)
}
function SheetFooter({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="sheet-footer"
className={cn("mt-auto flex flex-col gap-2 p-4", className)}
{...props}
/>
)
}
function SheetTitle({
className,
...props
}: React.ComponentProps<typeof SheetPrimitive.Title>) {
return (
<SheetPrimitive.Title
data-slot="sheet-title"
className={cn("text-foreground font-semibold", className)}
{...props}
/>
)
}
function SheetDescription({
className,
...props
}: React.ComponentProps<typeof SheetPrimitive.Description>) {
return (
<SheetPrimitive.Description
data-slot="sheet-description"
className={cn("text-muted-foreground text-sm", className)}
{...props}
/>
)
}
export {
Sheet,
SheetTrigger,
SheetClose,
SheetContent,
SheetHeader,
SheetFooter,
SheetTitle,
SheetDescription,
}

View File

@@ -0,0 +1,726 @@
"use client"
import * as React from "react"
import { Slot } from "@radix-ui/react-slot"
import { cva, type VariantProps } from "class-variance-authority"
import { PanelLeftIcon } from "lucide-react"
import { useIsMobile } from "@/hooks/use-mobile"
import { cn } from "@/lib/utils"
import { Button } from "@/components/ui/button"
import { Input } from "@/components/ui/input"
import { Separator } from "@/components/ui/separator"
import {
Sheet,
SheetContent,
SheetDescription,
SheetHeader,
SheetTitle,
} from "@/components/ui/sheet"
import { Skeleton } from "@/components/ui/skeleton"
import {
Tooltip,
TooltipContent,
TooltipProvider,
TooltipTrigger,
} from "@/components/ui/tooltip"
const SIDEBAR_COOKIE_NAME = "sidebar_state"
const SIDEBAR_COOKIE_MAX_AGE = 60 * 60 * 24 * 7
const SIDEBAR_WIDTH = "16rem"
const SIDEBAR_WIDTH_MOBILE = "18rem"
const SIDEBAR_WIDTH_ICON = "3rem"
const SIDEBAR_KEYBOARD_SHORTCUT = "b"
type SidebarContextProps = {
state: "expanded" | "collapsed"
open: boolean
setOpen: (open: boolean) => void
openMobile: boolean
setOpenMobile: (open: boolean) => void
isMobile: boolean
toggleSidebar: () => void
}
const SidebarContext = React.createContext<SidebarContextProps | null>(null)
function useSidebar() {
const context = React.useContext(SidebarContext)
if (!context) {
throw new Error("useSidebar must be used within a SidebarProvider.")
}
return context
}
function SidebarProvider({
defaultOpen = true,
open: openProp,
onOpenChange: setOpenProp,
className,
style,
children,
...props
}: React.ComponentProps<"div"> & {
defaultOpen?: boolean
open?: boolean
onOpenChange?: (open: boolean) => void
}) {
const isMobile = useIsMobile()
const [openMobile, setOpenMobile] = React.useState(false)
// This is the internal state of the sidebar.
// We use openProp and setOpenProp for control from outside the component.
const [_open, _setOpen] = React.useState(defaultOpen)
const open = openProp ?? _open
const setOpen = React.useCallback(
(value: boolean | ((value: boolean) => boolean)) => {
const openState = typeof value === "function" ? value(open) : value
if (setOpenProp) {
setOpenProp(openState)
} else {
_setOpen(openState)
}
// This sets the cookie to keep the sidebar state.
document.cookie = `${SIDEBAR_COOKIE_NAME}=${openState}; path=/; max-age=${SIDEBAR_COOKIE_MAX_AGE}`
},
[setOpenProp, open]
)
// Helper to toggle the sidebar.
const toggleSidebar = React.useCallback(() => {
return isMobile ? setOpenMobile((open) => !open) : setOpen((open) => !open)
}, [isMobile, setOpen, setOpenMobile])
// Adds a keyboard shortcut to toggle the sidebar.
React.useEffect(() => {
const handleKeyDown = (event: KeyboardEvent) => {
if (
event.key === SIDEBAR_KEYBOARD_SHORTCUT &&
(event.metaKey || event.ctrlKey)
) {
event.preventDefault()
toggleSidebar()
}
}
window.addEventListener("keydown", handleKeyDown)
return () => window.removeEventListener("keydown", handleKeyDown)
}, [toggleSidebar])
// We add a state so that we can do data-state="expanded" or "collapsed".
// This makes it easier to style the sidebar with Tailwind classes.
const state = open ? "expanded" : "collapsed"
const contextValue = React.useMemo<SidebarContextProps>(
() => ({
state,
open,
setOpen,
isMobile,
openMobile,
setOpenMobile,
toggleSidebar,
}),
[state, open, setOpen, isMobile, openMobile, setOpenMobile, toggleSidebar]
)
return (
<SidebarContext.Provider value={contextValue}>
<TooltipProvider delayDuration={0}>
<div
data-slot="sidebar-wrapper"
style={
{
"--sidebar-width": SIDEBAR_WIDTH,
"--sidebar-width-icon": SIDEBAR_WIDTH_ICON,
...style,
} as React.CSSProperties
}
className={cn(
"group/sidebar-wrapper has-data-[variant=inset]:bg-sidebar flex min-h-svh w-full",
className
)}
{...props}
>
{children}
</div>
</TooltipProvider>
</SidebarContext.Provider>
)
}
function Sidebar({
side = "left",
variant = "sidebar",
collapsible = "offcanvas",
className,
children,
...props
}: React.ComponentProps<"div"> & {
side?: "left" | "right"
variant?: "sidebar" | "floating" | "inset"
collapsible?: "offcanvas" | "icon" | "none"
}) {
const { isMobile, state, openMobile, setOpenMobile } = useSidebar()
if (collapsible === "none") {
return (
<div
data-slot="sidebar"
className={cn(
"bg-sidebar text-sidebar-foreground flex h-full w-(--sidebar-width) flex-col",
className
)}
{...props}
>
{children}
</div>
)
}
if (isMobile) {
return (
<Sheet open={openMobile} onOpenChange={setOpenMobile} {...props}>
<SheetContent
data-sidebar="sidebar"
data-slot="sidebar"
data-mobile="true"
className="bg-sidebar text-sidebar-foreground w-(--sidebar-width) p-0 [&>button]:hidden"
style={
{
"--sidebar-width": SIDEBAR_WIDTH_MOBILE,
} as React.CSSProperties
}
side={side}
>
<SheetHeader className="sr-only">
<SheetTitle>Sidebar</SheetTitle>
<SheetDescription>Displays the mobile sidebar.</SheetDescription>
</SheetHeader>
<div className="flex h-full w-full flex-col">{children}</div>
</SheetContent>
</Sheet>
)
}
return (
<div
className="group peer text-sidebar-foreground hidden md:block"
data-state={state}
data-collapsible={state === "collapsed" ? collapsible : ""}
data-variant={variant}
data-side={side}
data-slot="sidebar"
>
{/* This is what handles the sidebar gap on desktop */}
<div
data-slot="sidebar-gap"
className={cn(
"relative w-(--sidebar-width) bg-transparent transition-[width] duration-200 ease-linear",
"group-data-[collapsible=offcanvas]:w-0",
"group-data-[side=right]:rotate-180",
variant === "floating" || variant === "inset"
? "group-data-[collapsible=icon]:w-[calc(var(--sidebar-width-icon)+(--spacing(4)))]"
: "group-data-[collapsible=icon]:w-(--sidebar-width-icon)"
)}
/>
<div
data-slot="sidebar-container"
className={cn(
"fixed inset-y-0 z-10 hidden h-svh w-(--sidebar-width) transition-[left,right,width] duration-200 ease-linear md:flex",
side === "left"
? "left-0 group-data-[collapsible=offcanvas]:left-[calc(var(--sidebar-width)*-1)]"
: "right-0 group-data-[collapsible=offcanvas]:right-[calc(var(--sidebar-width)*-1)]",
// Adjust the padding for floating and inset variants.
variant === "floating" || variant === "inset"
? "p-2 group-data-[collapsible=icon]:w-[calc(var(--sidebar-width-icon)+(--spacing(4))+2px)]"
: "group-data-[collapsible=icon]:w-(--sidebar-width-icon) group-data-[side=left]:border-r group-data-[side=right]:border-l",
className
)}
{...props}
>
<div
data-sidebar="sidebar"
data-slot="sidebar-inner"
className="bg-sidebar group-data-[variant=floating]:border-sidebar-border flex h-full w-full flex-col group-data-[variant=floating]:rounded-lg group-data-[variant=floating]:border group-data-[variant=floating]:shadow-sm"
>
{children}
</div>
</div>
</div>
)
}
function SidebarTrigger({
className,
onClick,
...props
}: React.ComponentProps<typeof Button>) {
const { toggleSidebar } = useSidebar()
return (
<Button
data-sidebar="trigger"
data-slot="sidebar-trigger"
variant="ghost"
size="icon"
className={cn("size-7", className)}
onClick={(event) => {
onClick?.(event)
toggleSidebar()
}}
{...props}
>
<PanelLeftIcon />
<span className="sr-only">Toggle Sidebar</span>
</Button>
)
}
function SidebarRail({ className, ...props }: React.ComponentProps<"button">) {
const { toggleSidebar } = useSidebar()
return (
<button
data-sidebar="rail"
data-slot="sidebar-rail"
aria-label="Toggle Sidebar"
tabIndex={-1}
onClick={toggleSidebar}
title="Toggle Sidebar"
className={cn(
"hover:after:bg-sidebar-border absolute inset-y-0 z-20 hidden w-4 -translate-x-1/2 transition-all ease-linear group-data-[side=left]:-right-4 group-data-[side=right]:left-0 after:absolute after:inset-y-0 after:left-1/2 after:w-[2px] sm:flex",
"in-data-[side=left]:cursor-w-resize in-data-[side=right]:cursor-e-resize",
"[[data-side=left][data-state=collapsed]_&]:cursor-e-resize [[data-side=right][data-state=collapsed]_&]:cursor-w-resize",
"hover:group-data-[collapsible=offcanvas]:bg-sidebar group-data-[collapsible=offcanvas]:translate-x-0 group-data-[collapsible=offcanvas]:after:left-full",
"[[data-side=left][data-collapsible=offcanvas]_&]:-right-2",
"[[data-side=right][data-collapsible=offcanvas]_&]:-left-2",
className
)}
{...props}
/>
)
}
function SidebarInset({ className, ...props }: React.ComponentProps<"main">) {
return (
<main
data-slot="sidebar-inset"
className={cn(
"bg-background relative flex w-full flex-1 flex-col",
"md:peer-data-[variant=inset]:m-2 md:peer-data-[variant=inset]:ml-0 md:peer-data-[variant=inset]:rounded-xl md:peer-data-[variant=inset]:shadow-sm md:peer-data-[variant=inset]:peer-data-[state=collapsed]:ml-2",
className
)}
{...props}
/>
)
}
function SidebarInput({
className,
...props
}: React.ComponentProps<typeof Input>) {
return (
<Input
data-slot="sidebar-input"
data-sidebar="input"
className={cn("bg-background h-8 w-full shadow-none", className)}
{...props}
/>
)
}
function SidebarHeader({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="sidebar-header"
data-sidebar="header"
className={cn("flex flex-col gap-2 p-2", className)}
{...props}
/>
)
}
function SidebarFooter({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="sidebar-footer"
data-sidebar="footer"
className={cn("flex flex-col gap-2 p-2", className)}
{...props}
/>
)
}
function SidebarSeparator({
className,
...props
}: React.ComponentProps<typeof Separator>) {
return (
<Separator
data-slot="sidebar-separator"
data-sidebar="separator"
className={cn("bg-sidebar-border mx-2 w-auto", className)}
{...props}
/>
)
}
function SidebarContent({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="sidebar-content"
data-sidebar="content"
className={cn(
"flex min-h-0 flex-1 flex-col gap-2 overflow-auto group-data-[collapsible=icon]:overflow-hidden",
className
)}
{...props}
/>
)
}
function SidebarGroup({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="sidebar-group"
data-sidebar="group"
className={cn("relative flex w-full min-w-0 flex-col p-2", className)}
{...props}
/>
)
}
function SidebarGroupLabel({
className,
asChild = false,
...props
}: React.ComponentProps<"div"> & { asChild?: boolean }) {
const Comp = asChild ? Slot : "div"
return (
<Comp
data-slot="sidebar-group-label"
data-sidebar="group-label"
className={cn(
"text-sidebar-foreground/70 ring-sidebar-ring flex h-8 shrink-0 items-center rounded-md px-2 text-xs font-medium outline-hidden transition-[margin,opacity] duration-200 ease-linear focus-visible:ring-2 [&>svg]:size-4 [&>svg]:shrink-0",
"group-data-[collapsible=icon]:-mt-8 group-data-[collapsible=icon]:opacity-0",
className
)}
{...props}
/>
)
}
function SidebarGroupAction({
className,
asChild = false,
...props
}: React.ComponentProps<"button"> & { asChild?: boolean }) {
const Comp = asChild ? Slot : "button"
return (
<Comp
data-slot="sidebar-group-action"
data-sidebar="group-action"
className={cn(
"text-sidebar-foreground ring-sidebar-ring hover:bg-sidebar-accent hover:text-sidebar-accent-foreground absolute top-3.5 right-3 flex aspect-square w-5 items-center justify-center rounded-md p-0 outline-hidden transition-transform focus-visible:ring-2 [&>svg]:size-4 [&>svg]:shrink-0",
// Increases the hit area of the button on mobile.
"after:absolute after:-inset-2 md:after:hidden",
"group-data-[collapsible=icon]:hidden",
className
)}
{...props}
/>
)
}
function SidebarGroupContent({
className,
...props
}: React.ComponentProps<"div">) {
return (
<div
data-slot="sidebar-group-content"
data-sidebar="group-content"
className={cn("w-full text-sm", className)}
{...props}
/>
)
}
function SidebarMenu({ className, ...props }: React.ComponentProps<"ul">) {
return (
<ul
data-slot="sidebar-menu"
data-sidebar="menu"
className={cn("flex w-full min-w-0 flex-col gap-1", className)}
{...props}
/>
)
}
function SidebarMenuItem({ className, ...props }: React.ComponentProps<"li">) {
return (
<li
data-slot="sidebar-menu-item"
data-sidebar="menu-item"
className={cn("group/menu-item relative", className)}
{...props}
/>
)
}
const sidebarMenuButtonVariants = cva(
"peer/menu-button flex w-full items-center gap-2 overflow-hidden rounded-md p-2 text-left text-sm outline-hidden ring-sidebar-ring transition-[width,height,padding] hover:bg-sidebar-accent hover:text-sidebar-accent-foreground focus-visible:ring-2 active:bg-sidebar-accent active:text-sidebar-accent-foreground disabled:pointer-events-none disabled:opacity-50 group-has-data-[sidebar=menu-action]/menu-item:pr-8 aria-disabled:pointer-events-none aria-disabled:opacity-50 data-[active=true]:bg-sidebar-accent data-[active=true]:font-medium data-[active=true]:text-sidebar-accent-foreground data-[state=open]:hover:bg-sidebar-accent data-[state=open]:hover:text-sidebar-accent-foreground group-data-[collapsible=icon]:size-8! group-data-[collapsible=icon]:p-2! [&>span:last-child]:truncate [&>svg]:size-4 [&>svg]:shrink-0",
{
variants: {
variant: {
default: "hover:bg-sidebar-accent hover:text-sidebar-accent-foreground",
outline:
"bg-background shadow-[0_0_0_1px_hsl(var(--sidebar-border))] hover:bg-sidebar-accent hover:text-sidebar-accent-foreground hover:shadow-[0_0_0_1px_hsl(var(--sidebar-accent))]",
},
size: {
default: "h-8 text-sm",
sm: "h-7 text-xs",
lg: "h-12 text-sm group-data-[collapsible=icon]:p-0!",
},
},
defaultVariants: {
variant: "default",
size: "default",
},
}
)
function SidebarMenuButton({
asChild = false,
isActive = false,
variant = "default",
size = "default",
tooltip,
className,
...props
}: React.ComponentProps<"button"> & {
asChild?: boolean
isActive?: boolean
tooltip?: string | React.ComponentProps<typeof TooltipContent>
} & VariantProps<typeof sidebarMenuButtonVariants>) {
const Comp = asChild ? Slot : "button"
const { isMobile, state } = useSidebar()
const button = (
<Comp
data-slot="sidebar-menu-button"
data-sidebar="menu-button"
data-size={size}
data-active={isActive}
className={cn(sidebarMenuButtonVariants({ variant, size }), className)}
{...props}
/>
)
if (!tooltip) {
return button
}
if (typeof tooltip === "string") {
tooltip = {
children: tooltip,
}
}
return (
<Tooltip>
<TooltipTrigger asChild>{button}</TooltipTrigger>
<TooltipContent
side="right"
align="center"
hidden={state !== "collapsed" || isMobile}
{...tooltip}
/>
</Tooltip>
)
}
function SidebarMenuAction({
className,
asChild = false,
showOnHover = false,
...props
}: React.ComponentProps<"button"> & {
asChild?: boolean
showOnHover?: boolean
}) {
const Comp = asChild ? Slot : "button"
return (
<Comp
data-slot="sidebar-menu-action"
data-sidebar="menu-action"
className={cn(
"text-sidebar-foreground ring-sidebar-ring hover:bg-sidebar-accent hover:text-sidebar-accent-foreground peer-hover/menu-button:text-sidebar-accent-foreground absolute top-1.5 right-1 flex aspect-square w-5 items-center justify-center rounded-md p-0 outline-hidden transition-transform focus-visible:ring-2 [&>svg]:size-4 [&>svg]:shrink-0",
// Increases the hit area of the button on mobile.
"after:absolute after:-inset-2 md:after:hidden",
"peer-data-[size=sm]/menu-button:top-1",
"peer-data-[size=default]/menu-button:top-1.5",
"peer-data-[size=lg]/menu-button:top-2.5",
"group-data-[collapsible=icon]:hidden",
showOnHover &&
"peer-data-[active=true]/menu-button:text-sidebar-accent-foreground group-focus-within/menu-item:opacity-100 group-hover/menu-item:opacity-100 data-[state=open]:opacity-100 md:opacity-0",
className
)}
{...props}
/>
)
}
function SidebarMenuBadge({
className,
...props
}: React.ComponentProps<"div">) {
return (
<div
data-slot="sidebar-menu-badge"
data-sidebar="menu-badge"
className={cn(
"text-sidebar-foreground pointer-events-none absolute right-1 flex h-5 min-w-5 items-center justify-center rounded-md px-1 text-xs font-medium tabular-nums select-none",
"peer-hover/menu-button:text-sidebar-accent-foreground peer-data-[active=true]/menu-button:text-sidebar-accent-foreground",
"peer-data-[size=sm]/menu-button:top-1",
"peer-data-[size=default]/menu-button:top-1.5",
"peer-data-[size=lg]/menu-button:top-2.5",
"group-data-[collapsible=icon]:hidden",
className
)}
{...props}
/>
)
}
function SidebarMenuSkeleton({
className,
showIcon = false,
...props
}: React.ComponentProps<"div"> & {
showIcon?: boolean
}) {
// Random width between 50 to 90%.
const width = React.useMemo(() => {
return `${Math.floor(Math.random() * 40) + 50}%`
}, [])
return (
<div
data-slot="sidebar-menu-skeleton"
data-sidebar="menu-skeleton"
className={cn("flex h-8 items-center gap-2 rounded-md px-2", className)}
{...props}
>
{showIcon && (
<Skeleton
className="size-4 rounded-md"
data-sidebar="menu-skeleton-icon"
/>
)}
<Skeleton
className="h-4 max-w-(--skeleton-width) flex-1"
data-sidebar="menu-skeleton-text"
style={
{
"--skeleton-width": width,
} as React.CSSProperties
}
/>
</div>
)
}
function SidebarMenuSub({ className, ...props }: React.ComponentProps<"ul">) {
return (
<ul
data-slot="sidebar-menu-sub"
data-sidebar="menu-sub"
className={cn(
"border-sidebar-border mx-3.5 flex min-w-0 translate-x-px flex-col gap-1 border-l px-2.5 py-0.5",
"group-data-[collapsible=icon]:hidden",
className
)}
{...props}
/>
)
}
function SidebarMenuSubItem({
className,
...props
}: React.ComponentProps<"li">) {
return (
<li
data-slot="sidebar-menu-sub-item"
data-sidebar="menu-sub-item"
className={cn("group/menu-sub-item relative", className)}
{...props}
/>
)
}
function SidebarMenuSubButton({
asChild = false,
size = "md",
isActive = false,
className,
...props
}: React.ComponentProps<"a"> & {
asChild?: boolean
size?: "sm" | "md"
isActive?: boolean
}) {
const Comp = asChild ? Slot : "a"
return (
<Comp
data-slot="sidebar-menu-sub-button"
data-sidebar="menu-sub-button"
data-size={size}
data-active={isActive}
className={cn(
"text-sidebar-foreground ring-sidebar-ring hover:bg-sidebar-accent hover:text-sidebar-accent-foreground active:bg-sidebar-accent active:text-sidebar-accent-foreground [&>svg]:text-sidebar-accent-foreground flex h-7 min-w-0 -translate-x-px items-center gap-2 overflow-hidden rounded-md px-2 outline-hidden focus-visible:ring-2 disabled:pointer-events-none disabled:opacity-50 aria-disabled:pointer-events-none aria-disabled:opacity-50 [&>span:last-child]:truncate [&>svg]:size-4 [&>svg]:shrink-0",
"data-[active=true]:bg-sidebar-accent data-[active=true]:text-sidebar-accent-foreground",
size === "sm" && "text-xs",
size === "md" && "text-sm",
"group-data-[collapsible=icon]:hidden",
className
)}
{...props}
/>
)
}
export {
Sidebar,
SidebarContent,
SidebarFooter,
SidebarGroup,
SidebarGroupAction,
SidebarGroupContent,
SidebarGroupLabel,
SidebarHeader,
SidebarInput,
SidebarInset,
SidebarMenu,
SidebarMenuAction,
SidebarMenuBadge,
SidebarMenuButton,
SidebarMenuItem,
SidebarMenuSkeleton,
SidebarMenuSub,
SidebarMenuSubButton,
SidebarMenuSubItem,
SidebarProvider,
SidebarRail,
SidebarSeparator,
SidebarTrigger,
useSidebar,
}

View File

@@ -0,0 +1,13 @@
import { cn } from "@/lib/utils"
function Skeleton({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="skeleton"
className={cn("bg-accent animate-pulse rounded-md", className)}
{...props}
/>
)
}
export { Skeleton }

View File

@@ -0,0 +1,40 @@
"use client"
import {
CircleCheckIcon,
InfoIcon,
Loader2Icon,
OctagonXIcon,
TriangleAlertIcon,
} from "lucide-react"
import { useTheme } from "next-themes"
import { Toaster as Sonner, type ToasterProps } from "sonner"
const Toaster = ({ ...props }: ToasterProps) => {
const { theme = "system" } = useTheme()
return (
<Sonner
theme={theme as ToasterProps["theme"]}
className="toaster group"
icons={{
success: <CircleCheckIcon className="size-4" />,
info: <InfoIcon className="size-4" />,
warning: <TriangleAlertIcon className="size-4" />,
error: <OctagonXIcon className="size-4" />,
loading: <Loader2Icon className="size-4 animate-spin" />,
}}
style={
{
"--normal-bg": "var(--popover)",
"--normal-text": "var(--popover-foreground)",
"--normal-border": "var(--border)",
"--border-radius": "var(--radius)",
} as React.CSSProperties
}
{...props}
/>
)
}
export { Toaster }

View File

@@ -0,0 +1,31 @@
"use client"
import * as React from "react"
import * as SwitchPrimitive from "@radix-ui/react-switch"
import { cn } from "@/lib/utils"
function Switch({
className,
...props
}: React.ComponentProps<typeof SwitchPrimitive.Root>) {
return (
<SwitchPrimitive.Root
data-slot="switch"
className={cn(
"peer data-[state=checked]:bg-primary data-[state=unchecked]:bg-input focus-visible:border-ring focus-visible:ring-ring/50 dark:data-[state=unchecked]:bg-input/80 inline-flex h-[1.15rem] w-8 shrink-0 items-center rounded-full border border-transparent shadow-xs transition-all outline-none focus-visible:ring-[3px] disabled:cursor-not-allowed disabled:opacity-50",
className
)}
{...props}
>
<SwitchPrimitive.Thumb
data-slot="switch-thumb"
className={cn(
"bg-background dark:data-[state=unchecked]:bg-foreground dark:data-[state=checked]:bg-primary-foreground pointer-events-none block size-4 rounded-full ring-0 transition-transform data-[state=checked]:translate-x-[calc(100%-2px)] data-[state=unchecked]:translate-x-0"
)}
/>
</SwitchPrimitive.Root>
)
}
export { Switch }

View File

@@ -0,0 +1,116 @@
"use client"
import * as React from "react"
import { cn } from "@/lib/utils"
function Table({ className, ...props }: React.ComponentProps<"table">) {
return (
<div
data-slot="table-container"
className="relative w-full overflow-x-auto"
>
<table
data-slot="table"
className={cn("w-full caption-bottom text-sm", className)}
{...props}
/>
</div>
)
}
function TableHeader({ className, ...props }: React.ComponentProps<"thead">) {
return (
<thead
data-slot="table-header"
className={cn("[&_tr]:border-b", className)}
{...props}
/>
)
}
function TableBody({ className, ...props }: React.ComponentProps<"tbody">) {
return (
<tbody
data-slot="table-body"
className={cn("[&_tr:last-child]:border-0", className)}
{...props}
/>
)
}
function TableFooter({ className, ...props }: React.ComponentProps<"tfoot">) {
return (
<tfoot
data-slot="table-footer"
className={cn(
"bg-muted/50 border-t font-medium [&>tr]:last:border-b-0",
className
)}
{...props}
/>
)
}
function TableRow({ className, ...props }: React.ComponentProps<"tr">) {
return (
<tr
data-slot="table-row"
className={cn(
"hover:bg-muted/50 data-[state=selected]:bg-muted border-b transition-colors",
className
)}
{...props}
/>
)
}
function TableHead({ className, ...props }: React.ComponentProps<"th">) {
return (
<th
data-slot="table-head"
className={cn(
"text-foreground h-10 px-2 text-left align-middle font-medium whitespace-nowrap [&:has([role=checkbox])]:pr-0 [&>[role=checkbox]]:translate-y-[2px]",
className
)}
{...props}
/>
)
}
function TableCell({ className, ...props }: React.ComponentProps<"td">) {
return (
<td
data-slot="table-cell"
className={cn(
"p-2 align-middle whitespace-nowrap [&:has([role=checkbox])]:pr-0 [&>[role=checkbox]]:translate-y-[2px]",
className
)}
{...props}
/>
)
}
function TableCaption({
className,
...props
}: React.ComponentProps<"caption">) {
return (
<caption
data-slot="table-caption"
className={cn("text-muted-foreground mt-4 text-sm", className)}
{...props}
/>
)
}
export {
Table,
TableHeader,
TableBody,
TableFooter,
TableHead,
TableRow,
TableCell,
TableCaption,
}

View File

@@ -0,0 +1,66 @@
"use client"
import * as React from "react"
import * as TabsPrimitive from "@radix-ui/react-tabs"
import { cn } from "@/lib/utils"
function Tabs({
className,
...props
}: React.ComponentProps<typeof TabsPrimitive.Root>) {
return (
<TabsPrimitive.Root
data-slot="tabs"
className={cn("flex flex-col gap-2", className)}
{...props}
/>
)
}
function TabsList({
className,
...props
}: React.ComponentProps<typeof TabsPrimitive.List>) {
return (
<TabsPrimitive.List
data-slot="tabs-list"
className={cn(
"bg-muted text-muted-foreground inline-flex h-9 w-fit items-center justify-center rounded-lg p-[3px]",
className
)}
{...props}
/>
)
}
function TabsTrigger({
className,
...props
}: React.ComponentProps<typeof TabsPrimitive.Trigger>) {
return (
<TabsPrimitive.Trigger
data-slot="tabs-trigger"
className={cn(
"data-[state=active]:bg-background dark:data-[state=active]:text-foreground focus-visible:border-ring focus-visible:ring-ring/50 focus-visible:outline-ring dark:data-[state=active]:border-input dark:data-[state=active]:bg-input/30 text-foreground dark:text-muted-foreground inline-flex h-[calc(100%-1px)] flex-1 items-center justify-center gap-1.5 rounded-md border border-transparent px-2 py-1 text-sm font-medium whitespace-nowrap transition-[color,box-shadow] focus-visible:ring-[3px] focus-visible:outline-1 disabled:pointer-events-none disabled:opacity-50 data-[state=active]:shadow-sm [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
className
)}
{...props}
/>
)
}
function TabsContent({
className,
...props
}: React.ComponentProps<typeof TabsPrimitive.Content>) {
return (
<TabsPrimitive.Content
data-slot="tabs-content"
className={cn("flex-1 outline-none", className)}
{...props}
/>
)
}
export { Tabs, TabsList, TabsTrigger, TabsContent }

View File

@@ -0,0 +1,18 @@
import * as React from "react"
import { cn } from "@/lib/utils"
function Textarea({ className, ...props }: React.ComponentProps<"textarea">) {
return (
<textarea
data-slot="textarea"
className={cn(
"border-input placeholder:text-muted-foreground focus-visible:border-ring focus-visible:ring-ring/50 aria-invalid:ring-destructive/20 dark:aria-invalid:ring-destructive/40 aria-invalid:border-destructive dark:bg-input/30 flex field-sizing-content min-h-16 w-full rounded-md border bg-transparent px-3 py-2 text-base shadow-xs transition-[color,box-shadow] outline-none focus-visible:ring-[3px] disabled:cursor-not-allowed disabled:opacity-50 md:text-sm",
className
)}
{...props}
/>
)
}
export { Textarea }

View File

@@ -0,0 +1,61 @@
"use client"
import * as React from "react"
import * as TooltipPrimitive from "@radix-ui/react-tooltip"
import { cn } from "@/lib/utils"
function TooltipProvider({
delayDuration = 0,
...props
}: React.ComponentProps<typeof TooltipPrimitive.Provider>) {
return (
<TooltipPrimitive.Provider
data-slot="tooltip-provider"
delayDuration={delayDuration}
{...props}
/>
)
}
function Tooltip({
...props
}: React.ComponentProps<typeof TooltipPrimitive.Root>) {
return (
<TooltipProvider>
<TooltipPrimitive.Root data-slot="tooltip" {...props} />
</TooltipProvider>
)
}
function TooltipTrigger({
...props
}: React.ComponentProps<typeof TooltipPrimitive.Trigger>) {
return <TooltipPrimitive.Trigger data-slot="tooltip-trigger" {...props} />
}
function TooltipContent({
className,
sideOffset = 0,
children,
...props
}: React.ComponentProps<typeof TooltipPrimitive.Content>) {
return (
<TooltipPrimitive.Portal>
<TooltipPrimitive.Content
data-slot="tooltip-content"
sideOffset={sideOffset}
className={cn(
"bg-foreground text-background animate-in fade-in-0 zoom-in-95 data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=closed]:zoom-out-95 data-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2 z-50 w-fit origin-(--radix-tooltip-content-transform-origin) rounded-md px-3 py-1.5 text-xs text-balance",
className
)}
{...props}
>
{children}
<TooltipPrimitive.Arrow className="bg-foreground fill-foreground z-50 size-2.5 translate-y-[calc(-50%_-_2px)] rotate-45 rounded-[2px]" />
</TooltipPrimitive.Content>
</TooltipPrimitive.Portal>
)
}
export { Tooltip, TooltipTrigger, TooltipContent, TooltipProvider }

View File

@@ -0,0 +1,323 @@
'use client';
import { useForm } from 'react-hook-form';
import { zodResolver } from '@hookform/resolvers/zod';
import { z } from 'zod';
import Link from 'next/link';
import { ArrowLeft, Loader2 } from 'lucide-react';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Checkbox } from '@/components/ui/checkbox';
import {
Form,
FormControl,
FormDescription,
FormField,
FormItem,
FormLabel,
FormMessage,
} from '@/components/ui/form';
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from '@/components/ui/card';
import type { UserDetail } from '@/types/models';
// Unified schema - password validation handled conditionally
const userFormSchema = z.object({
username: z.string().min(3, 'Username must be at least 3 characters'),
email: z.string().email('Invalid email address'),
password: z.string(),
first_name: z.string().optional(),
last_name: z.string().optional(),
phone_number: z.string().optional(),
is_active: z.boolean(),
is_staff: z.boolean(),
is_superuser: z.boolean(),
});
type FormValues = z.infer<typeof userFormSchema>;
export type UserFormData = Record<string, unknown>;
interface UserFormProps {
user?: UserDetail;
onSubmit: (data: UserFormData) => Promise<void>;
isSubmitting: boolean;
}
export function UserForm({ user, onSubmit, isSubmitting }: UserFormProps) {
const isEditing = !!user;
const form = useForm<FormValues>({
resolver: zodResolver(userFormSchema),
defaultValues: {
username: user?.username ?? '',
email: user?.email ?? '',
password: '',
first_name: user?.first_name ?? '',
last_name: user?.last_name ?? '',
phone_number: user?.phone_number ?? '',
is_active: user?.is_active ?? true,
is_staff: user?.is_staff ?? false,
is_superuser: user?.is_superuser ?? false,
},
});
const handleSubmit = async (data: FormValues) => {
// Validate password for new users
if (!isEditing && data.password.length < 8) {
form.setError('password', { message: 'Password must be at least 8 characters' });
return;
}
// Remove empty password when editing
if (isEditing && !data.password) {
const { password, ...rest } = data;
await onSubmit(rest as UserFormData);
} else {
await onSubmit(data as UserFormData);
}
};
return (
<div className="space-y-6">
{/* Header */}
<div className="flex items-center gap-4">
<Button variant="ghost" size="icon" asChild>
<Link href={isEditing ? `/users/${user.id}` : '/users'}>
<ArrowLeft className="h-4 w-4" />
</Link>
</Button>
<div>
<h1 className="text-2xl font-bold">
{isEditing ? 'Edit User' : 'Create User'}
</h1>
<p className="text-muted-foreground">
{isEditing
? `Editing ${user.username}`
: 'Add a new user to the system'}
</p>
</div>
</div>
<Form {...form}>
<form onSubmit={form.handleSubmit(handleSubmit)} className="space-y-6">
<div className="grid gap-6 md:grid-cols-2">
{/* Account Information */}
<Card>
<CardHeader>
<CardTitle>Account Information</CardTitle>
<CardDescription>
Basic account credentials and identity
</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<FormField
control={form.control}
name="username"
render={({ field }) => (
<FormItem>
<FormLabel>Username</FormLabel>
<FormControl>
<Input placeholder="johndoe" {...field} />
</FormControl>
<FormMessage />
</FormItem>
)}
/>
<FormField
control={form.control}
name="email"
render={({ field }) => (
<FormItem>
<FormLabel>Email</FormLabel>
<FormControl>
<Input
type="email"
placeholder="john@example.com"
{...field}
/>
</FormControl>
<FormMessage />
</FormItem>
)}
/>
<FormField
control={form.control}
name="password"
render={({ field }) => (
<FormItem>
<FormLabel>
Password{isEditing && ' (leave blank to keep current)'}
</FormLabel>
<FormControl>
<Input
type="password"
placeholder={isEditing ? '********' : 'Enter password'}
{...field}
/>
</FormControl>
<FormDescription>
{isEditing
? 'Only fill this if you want to change the password'
: 'Must be at least 8 characters'}
</FormDescription>
<FormMessage />
</FormItem>
)}
/>
</CardContent>
</Card>
{/* Personal Information */}
<Card>
<CardHeader>
<CardTitle>Personal Information</CardTitle>
<CardDescription>
Optional profile details
</CardDescription>
</CardHeader>
<CardContent className="space-y-4">
<FormField
control={form.control}
name="first_name"
render={({ field }) => (
<FormItem>
<FormLabel>First Name</FormLabel>
<FormControl>
<Input placeholder="John" {...field} />
</FormControl>
<FormMessage />
</FormItem>
)}
/>
<FormField
control={form.control}
name="last_name"
render={({ field }) => (
<FormItem>
<FormLabel>Last Name</FormLabel>
<FormControl>
<Input placeholder="Doe" {...field} />
</FormControl>
<FormMessage />
</FormItem>
)}
/>
<FormField
control={form.control}
name="phone_number"
render={({ field }) => (
<FormItem>
<FormLabel>Phone Number</FormLabel>
<FormControl>
<Input placeholder="+1 (555) 123-4567" {...field} />
</FormControl>
<FormMessage />
</FormItem>
)}
/>
</CardContent>
</Card>
{/* Permissions */}
<Card className="md:col-span-2">
<CardHeader>
<CardTitle>Permissions</CardTitle>
<CardDescription>
User status and access levels
</CardDescription>
</CardHeader>
<CardContent>
<div className="grid gap-4 md:grid-cols-3">
<FormField
control={form.control}
name="is_active"
render={({ field }) => (
<FormItem className="flex flex-row items-start space-x-3 space-y-0 rounded-md border p-4">
<FormControl>
<Checkbox
checked={field.value}
onCheckedChange={field.onChange}
/>
</FormControl>
<div className="space-y-1 leading-none">
<FormLabel>Active</FormLabel>
<FormDescription>
User can log in and use the app
</FormDescription>
</div>
</FormItem>
)}
/>
<FormField
control={form.control}
name="is_staff"
render={({ field }) => (
<FormItem className="flex flex-row items-start space-x-3 space-y-0 rounded-md border p-4">
<FormControl>
<Checkbox
checked={field.value}
onCheckedChange={field.onChange}
/>
</FormControl>
<div className="space-y-1 leading-none">
<FormLabel>Staff</FormLabel>
<FormDescription>
Can access staff features
</FormDescription>
</div>
</FormItem>
)}
/>
<FormField
control={form.control}
name="is_superuser"
render={({ field }) => (
<FormItem className="flex flex-row items-start space-x-3 space-y-0 rounded-md border p-4">
<FormControl>
<Checkbox
checked={field.value}
onCheckedChange={field.onChange}
/>
</FormControl>
<div className="space-y-1 leading-none">
<FormLabel>Superuser</FormLabel>
<FormDescription>
Full admin access to everything
</FormDescription>
</div>
</FormItem>
)}
/>
</div>
</CardContent>
</Card>
</div>
{/* Submit Button */}
<div className="flex justify-end gap-4">
<Button type="button" variant="outline" asChild>
<Link href={isEditing ? `/users/${user.id}` : '/users'}>
Cancel
</Link>
</Button>
<Button type="submit" disabled={isSubmitting}>
{isSubmitting && <Loader2 className="mr-2 h-4 w-4 animate-spin" />}
{isEditing ? 'Save Changes' : 'Create User'}
</Button>
</div>
</form>
</Form>
</div>
);
}

View File

@@ -0,0 +1,19 @@
import * as React from "react"
const MOBILE_BREAKPOINT = 768
export function useIsMobile() {
const [isMobile, setIsMobile] = React.useState<boolean | undefined>(undefined)
React.useEffect(() => {
const mql = window.matchMedia(`(max-width: ${MOBILE_BREAKPOINT - 1}px)`)
const onChange = () => {
setIsMobile(window.innerWidth < MOBILE_BREAKPOINT)
}
mql.addEventListener("change", onChange)
setIsMobile(window.innerWidth < MOBILE_BREAKPOINT)
return () => mql.removeEventListener("change", onChange)
}, [])
return !!isMobile
}

635
admin/src/lib/api.ts Normal file
View File

@@ -0,0 +1,635 @@
import axios, { AxiosError, type AxiosInstance } from 'axios';
import type {
Notification,
NotificationDetail,
NotificationListParams,
NotificationStats,
Subscription,
SubscriptionDetail,
SubscriptionListParams,
UpdateSubscriptionRequest,
SubscriptionStats,
DashboardStats,
} from '@/types/models';
// In production, API is on same origin. In dev, use env var or localhost
const API_BASE_URL = process.env.NEXT_PUBLIC_API_URL || '';
// Create axios instance
const api: AxiosInstance = axios.create({
baseURL: `${API_BASE_URL}/api/admin`,
headers: {
'Content-Type': 'application/json',
},
});
// Add auth token to requests
api.interceptors.request.use((config) => {
if (typeof window !== 'undefined') {
const token = localStorage.getItem('admin_token');
if (token) {
config.headers.Authorization = `Bearer ${token}`;
}
}
return config;
});
// Handle auth errors
api.interceptors.response.use(
(response) => response,
(error: AxiosError) => {
if (error.response?.status === 401) {
if (typeof window !== 'undefined') {
localStorage.removeItem('admin_token');
window.location.href = '/admin/login/';
}
}
return Promise.reject(error);
}
);
// Types
export interface AdminUser {
id: number;
email: string;
first_name: string;
last_name: string;
role: 'super_admin' | 'admin' | 'moderator';
is_active: boolean;
last_login?: string;
created_at: string;
}
export interface LoginRequest {
email: string;
password: string;
}
export interface LoginResponse {
token: string;
admin: AdminUser;
}
export interface ApiError {
error: string;
}
// Auth API
export const authApi = {
login: async (data: LoginRequest): Promise<LoginResponse> => {
const response = await api.post<LoginResponse>('/auth/login', data);
return response.data;
},
logout: async (): Promise<void> => {
await api.post('/auth/logout');
},
me: async (): Promise<AdminUser> => {
const response = await api.get<AdminUser>('/auth/me');
return response.data;
},
refreshToken: async (): Promise<{ token: string }> => {
const response = await api.post<{ token: string }>('/auth/refresh');
return response.data;
},
};
// Types for User management
import type {
PaginatedResponse,
User,
UserDetail,
UserListParams,
CreateUserRequest,
UpdateUserRequest,
Residence,
ResidenceDetail,
ResidenceListParams,
CreateResidenceRequest,
UpdateResidenceRequest,
Task,
TaskDetail,
TaskListParams,
CreateTaskRequest,
UpdateTaskRequest,
Contractor,
ContractorDetail,
ContractorListParams,
CreateContractorRequest,
UpdateContractorRequest,
Document,
DocumentDetail,
DocumentListParams,
CreateDocumentRequest,
UpdateDocumentRequest,
} from '@/types/models';
// Users API
export const usersApi = {
list: async (params?: UserListParams): Promise<PaginatedResponse<User>> => {
const response = await api.get<PaginatedResponse<User>>('/users', { params });
return response.data;
},
get: async (id: number): Promise<UserDetail> => {
const response = await api.get<UserDetail>(`/users/${id}`);
return response.data;
},
create: async (data: CreateUserRequest): Promise<User> => {
const response = await api.post<User>('/users', data);
return response.data;
},
update: async (id: number, data: UpdateUserRequest): Promise<User> => {
const response = await api.put<User>(`/users/${id}`, data);
return response.data;
},
delete: async (id: number): Promise<void> => {
await api.delete(`/users/${id}`);
},
bulkDelete: async (ids: number[]): Promise<void> => {
await api.delete('/users/bulk', { data: { ids } });
},
};
// Residences API
export const residencesApi = {
list: async (params?: ResidenceListParams): Promise<PaginatedResponse<Residence>> => {
const response = await api.get<PaginatedResponse<Residence>>('/residences', { params });
return response.data;
},
get: async (id: number): Promise<ResidenceDetail> => {
const response = await api.get<ResidenceDetail>(`/residences/${id}`);
return response.data;
},
create: async (data: CreateResidenceRequest): Promise<Residence> => {
const response = await api.post<Residence>('/residences', data);
return response.data;
},
update: async (id: number, data: UpdateResidenceRequest): Promise<Residence> => {
const response = await api.put<Residence>(`/residences/${id}`, data);
return response.data;
},
delete: async (id: number): Promise<void> => {
await api.delete(`/residences/${id}`);
},
bulkDelete: async (ids: number[]): Promise<void> => {
await api.delete('/residences/bulk', { data: { ids } });
},
};
// Tasks API
export const tasksApi = {
list: async (params?: TaskListParams): Promise<PaginatedResponse<Task>> => {
const response = await api.get<PaginatedResponse<Task>>('/tasks', { params });
return response.data;
},
get: async (id: number): Promise<TaskDetail> => {
const response = await api.get<TaskDetail>(`/tasks/${id}`);
return response.data;
},
create: async (data: CreateTaskRequest): Promise<Task> => {
const response = await api.post<Task>('/tasks', data);
return response.data;
},
update: async (id: number, data: UpdateTaskRequest): Promise<Task> => {
const response = await api.put<Task>(`/tasks/${id}`, data);
return response.data;
},
delete: async (id: number): Promise<void> => {
await api.delete(`/tasks/${id}`);
},
bulkDelete: async (ids: number[]): Promise<void> => {
await api.delete('/tasks/bulk', { data: { ids } });
},
};
// Contractors API
export const contractorsApi = {
list: async (params?: ContractorListParams): Promise<PaginatedResponse<Contractor>> => {
const response = await api.get<PaginatedResponse<Contractor>>('/contractors', { params });
return response.data;
},
get: async (id: number): Promise<ContractorDetail> => {
const response = await api.get<ContractorDetail>(`/contractors/${id}`);
return response.data;
},
create: async (data: CreateContractorRequest): Promise<Contractor> => {
const response = await api.post<Contractor>('/contractors', data);
return response.data;
},
update: async (id: number, data: UpdateContractorRequest): Promise<Contractor> => {
const response = await api.put<Contractor>(`/contractors/${id}`, data);
return response.data;
},
delete: async (id: number): Promise<void> => {
await api.delete(`/contractors/${id}`);
},
bulkDelete: async (ids: number[]): Promise<void> => {
await api.delete('/contractors/bulk', { data: { ids } });
},
};
// Documents API
export const documentsApi = {
list: async (params?: DocumentListParams): Promise<PaginatedResponse<Document>> => {
const response = await api.get<PaginatedResponse<Document>>('/documents', { params });
return response.data;
},
get: async (id: number): Promise<DocumentDetail> => {
const response = await api.get<DocumentDetail>(`/documents/${id}`);
return response.data;
},
create: async (data: CreateDocumentRequest): Promise<Document> => {
const response = await api.post<Document>('/documents', data);
return response.data;
},
update: async (id: number, data: UpdateDocumentRequest): Promise<Document> => {
const response = await api.put<Document>(`/documents/${id}`, data);
return response.data;
},
delete: async (id: number): Promise<void> => {
await api.delete(`/documents/${id}`);
},
bulkDelete: async (ids: number[]): Promise<void> => {
await api.delete('/documents/bulk', { data: { ids } });
},
};
// Notifications API
import type { UpdateNotificationRequest, UpdateCompletionRequest } from '@/types/models';
export const notificationsApi = {
list: async (params?: NotificationListParams): Promise<PaginatedResponse<Notification>> => {
const response = await api.get<PaginatedResponse<Notification>>('/notifications', { params });
return response.data;
},
get: async (id: number): Promise<NotificationDetail> => {
const response = await api.get<NotificationDetail>(`/notifications/${id}`);
return response.data;
},
update: async (id: number, data: UpdateNotificationRequest): Promise<Notification> => {
const response = await api.put<Notification>(`/notifications/${id}`, data);
return response.data;
},
delete: async (id: number): Promise<void> => {
await api.delete(`/notifications/${id}`);
},
getStats: async (): Promise<NotificationStats> => {
const response = await api.get<NotificationStats>('/notifications/stats');
return response.data;
},
sendTestNotification: async (data: { user_id: number; title: string; body: string }): Promise<{ message: string; notification_id: number; devices: { ios: number; android: number } }> => {
const response = await api.post('/notifications/send-test', data);
return response.data;
},
};
// Emails API
export const emailsApi = {
sendTestEmail: async (data: { user_id: number; subject: string; body: string }): Promise<{ message: string; to: string }> => {
const response = await api.post('/emails/send-test', data);
return response.data;
},
};
// Subscriptions API
export const subscriptionsApi = {
list: async (params?: SubscriptionListParams): Promise<PaginatedResponse<Subscription>> => {
const response = await api.get<PaginatedResponse<Subscription>>('/subscriptions', { params });
return response.data;
},
get: async (id: number): Promise<SubscriptionDetail> => {
const response = await api.get<SubscriptionDetail>(`/subscriptions/${id}`);
return response.data;
},
update: async (id: number, data: UpdateSubscriptionRequest): Promise<Subscription> => {
const response = await api.put<Subscription>(`/subscriptions/${id}`, data);
return response.data;
},
getStats: async (): Promise<SubscriptionStats> => {
const response = await api.get<SubscriptionStats>('/subscriptions/stats');
return response.data;
},
};
// Dashboard API
export const dashboardApi = {
getStats: async (): Promise<DashboardStats> => {
const response = await api.get<DashboardStats>('/dashboard/stats');
return response.data;
},
};
// Auth Tokens Types
export interface AuthToken {
key: string;
user_id: number;
username: string;
email: string;
created: string;
}
export interface AuthTokenListParams {
page?: number;
per_page?: number;
search?: string;
sort_by?: string;
sort_dir?: 'asc' | 'desc';
}
// Auth Tokens API
export const authTokensApi = {
list: async (params?: AuthTokenListParams): Promise<PaginatedResponse<AuthToken>> => {
const response = await api.get<PaginatedResponse<AuthToken>>('/auth-tokens', { params });
return response.data;
},
get: async (userId: number): Promise<AuthToken> => {
const response = await api.get<AuthToken>(`/auth-tokens/${userId}`);
return response.data;
},
revoke: async (userId: number): Promise<void> => {
await api.delete(`/auth-tokens/${userId}`);
},
bulkRevoke: async (userIds: number[]): Promise<void> => {
await api.delete('/auth-tokens/bulk', { data: { ids: userIds } });
},
};
// Task Completions Types
export interface TaskCompletion {
id: number;
task_id: number;
task_title: string;
residence_id: number;
residence_name: string;
completed_by_id: number;
completed_by: string;
completed_at: string;
notes: string;
actual_cost: string | null;
photo_url: string;
created_at: string;
}
export interface CompletionListParams {
page?: number;
per_page?: number;
search?: string;
sort_by?: string;
sort_dir?: 'asc' | 'desc';
task_id?: number;
residence_id?: number;
user_id?: number;
}
// Completions API
export const completionsApi = {
list: async (params?: CompletionListParams): Promise<PaginatedResponse<TaskCompletion>> => {
const response = await api.get<PaginatedResponse<TaskCompletion>>('/completions', { params });
return response.data;
},
get: async (id: number): Promise<TaskCompletion> => {
const response = await api.get<TaskCompletion>(`/completions/${id}`);
return response.data;
},
update: async (id: number, data: UpdateCompletionRequest): Promise<TaskCompletion> => {
const response = await api.put<TaskCompletion>(`/completions/${id}`, data);
return response.data;
},
delete: async (id: number): Promise<void> => {
await api.delete(`/completions/${id}`);
},
bulkDelete: async (ids: number[]): Promise<void> => {
await api.delete('/completions/bulk', { data: { ids } });
},
};
// Lookup Types
export interface LookupItem {
id: number;
name: string;
display_order: number;
description?: string;
icon?: string;
color?: string;
}
export interface CreateLookupRequest {
name: string;
display_order?: number;
description?: string;
icon?: string;
color?: string;
}
export interface UpdateLookupRequest {
name?: string;
display_order?: number;
description?: string;
icon?: string;
color?: string;
}
interface LookupListResponse {
data: LookupItem[];
total: number;
}
// Lookups API Factory
const createLookupApi = (endpoint: string) => ({
list: async (): Promise<LookupItem[]> => {
const response = await api.get<LookupListResponse>(`/lookups/${endpoint}`);
return response.data.data;
},
create: async (data: CreateLookupRequest): Promise<LookupItem> => {
const response = await api.post<LookupItem>(`/lookups/${endpoint}`, data);
return response.data;
},
update: async (id: number, data: UpdateLookupRequest): Promise<LookupItem> => {
const response = await api.put<LookupItem>(`/lookups/${endpoint}/${id}`, data);
return response.data;
},
delete: async (id: number): Promise<void> => {
await api.delete(`/lookups/${endpoint}/${id}`);
},
});
// Lookups API
export const lookupsApi = {
categories: createLookupApi('categories'),
priorities: createLookupApi('priorities'),
statuses: createLookupApi('statuses'),
frequencies: createLookupApi('frequencies'),
residenceTypes: createLookupApi('residence-types'),
specialties: createLookupApi('specialties'),
};
// Admin Users Types
export interface ManagedAdminUser {
id: number;
email: string;
first_name: string;
last_name: string;
role: 'super_admin' | 'admin';
is_active: boolean;
last_login?: string;
created_at: string;
}
export interface AdminUserListParams {
page?: number;
per_page?: number;
search?: string;
sort_by?: string;
sort_dir?: 'asc' | 'desc';
role?: string;
is_active?: boolean;
}
export interface CreateAdminUserRequest {
email: string;
password: string;
first_name?: string;
last_name?: string;
role?: 'super_admin' | 'admin';
is_active?: boolean;
}
export interface UpdateAdminUserRequest {
email?: string;
password?: string;
first_name?: string;
last_name?: string;
role?: 'super_admin' | 'admin';
is_active?: boolean;
}
// Admin Users API
export const adminUsersApi = {
list: async (params?: AdminUserListParams): Promise<PaginatedResponse<ManagedAdminUser>> => {
const response = await api.get<PaginatedResponse<ManagedAdminUser>>('/admin-users', { params });
return response.data;
},
get: async (id: number): Promise<ManagedAdminUser> => {
const response = await api.get<ManagedAdminUser>(`/admin-users/${id}`);
return response.data;
},
create: async (data: CreateAdminUserRequest): Promise<ManagedAdminUser> => {
const response = await api.post<ManagedAdminUser>('/admin-users', data);
return response.data;
},
update: async (id: number, data: UpdateAdminUserRequest): Promise<ManagedAdminUser> => {
const response = await api.put<ManagedAdminUser>(`/admin-users/${id}`, data);
return response.data;
},
delete: async (id: number): Promise<void> => {
await api.delete(`/admin-users/${id}`);
},
};
// Notification Preferences Types
export interface NotificationPreference {
id: number;
user_id: number;
username: string;
email: string;
task_due_soon: boolean;
task_overdue: boolean;
task_completed: boolean;
task_assigned: boolean;
residence_shared: boolean;
warranty_expiring: boolean;
created_at: string;
updated_at: string;
}
export interface NotificationPrefsListParams {
page?: number;
per_page?: number;
search?: string;
sort_by?: string;
sort_dir?: 'asc' | 'desc';
}
export interface UpdateNotificationPrefRequest {
task_due_soon?: boolean;
task_overdue?: boolean;
task_completed?: boolean;
task_assigned?: boolean;
residence_shared?: boolean;
warranty_expiring?: boolean;
}
// Notification Preferences API
export const notificationPrefsApi = {
list: async (params?: NotificationPrefsListParams): Promise<PaginatedResponse<NotificationPreference>> => {
const response = await api.get<PaginatedResponse<NotificationPreference>>('/notification-prefs', { params });
return response.data;
},
get: async (id: number): Promise<NotificationPreference> => {
const response = await api.get<NotificationPreference>(`/notification-prefs/${id}`);
return response.data;
},
getByUser: async (userId: number): Promise<NotificationPreference> => {
const response = await api.get<NotificationPreference>(`/notification-prefs/user/${userId}`);
return response.data;
},
update: async (id: number, data: UpdateNotificationPrefRequest): Promise<NotificationPreference> => {
const response = await api.put<NotificationPreference>(`/notification-prefs/${id}`, data);
return response.data;
},
delete: async (id: number): Promise<void> => {
await api.delete(`/notification-prefs/${id}`);
},
};
export default api;

6
admin/src/lib/utils.ts Normal file
View File

@@ -0,0 +1,6 @@
import { clsx, type ClassValue } from "clsx"
import { twMerge } from "tailwind-merge"
export function cn(...inputs: ClassValue[]) {
return twMerge(clsx(inputs))
}

109
admin/src/store/auth.ts Normal file
View File

@@ -0,0 +1,109 @@
import { create } from 'zustand';
import { persist } from 'zustand/middleware';
import { authApi, type AdminUser, type LoginRequest } from '@/lib/api';
import { AxiosError } from 'axios';
interface AuthState {
user: AdminUser | null;
token: string | null;
isLoading: boolean;
error: string | null;
isAuthenticated: boolean;
hasHydrated: boolean;
// Actions
login: (data: LoginRequest) => Promise<boolean>;
logout: () => Promise<void>;
checkAuth: () => Promise<void>;
clearError: () => void;
setHasHydrated: (state: boolean) => void;
}
export const useAuthStore = create<AuthState>()(
persist(
(set, get) => ({
user: null,
token: null,
isLoading: false,
error: null,
isAuthenticated: false,
hasHydrated: false,
login: async (data: LoginRequest) => {
set({ isLoading: true, error: null });
try {
const response = await authApi.login(data);
localStorage.setItem('admin_token', response.token);
set({
user: response.admin,
token: response.token,
isAuthenticated: true,
isLoading: false,
});
return true;
} catch (err) {
const error = err as AxiosError<{ error: string }>;
const message = error.response?.data?.error || 'Login failed';
set({ error: message, isLoading: false });
return false;
}
},
logout: async () => {
try {
await authApi.logout();
} catch {
// Ignore logout errors
} finally {
localStorage.removeItem('admin_token');
set({
user: null,
token: null,
isAuthenticated: false,
});
}
},
checkAuth: async () => {
const token = localStorage.getItem('admin_token');
if (!token) {
set({ isAuthenticated: false, user: null, token: null });
return;
}
set({ isLoading: true });
try {
const user = await authApi.me();
set({
user,
token,
isAuthenticated: true,
isLoading: false,
});
} catch {
localStorage.removeItem('admin_token');
set({
user: null,
token: null,
isAuthenticated: false,
isLoading: false,
});
}
},
clearError: () => set({ error: null }),
setHasHydrated: (state: boolean) => set({ hasHydrated: state }),
}),
{
name: 'admin-auth',
partialize: (state) => ({
token: state.token,
user: state.user,
isAuthenticated: state.isAuthenticated,
}),
onRehydrateStorage: () => (state) => {
state?.setHasHydrated(true);
},
}
)
);

447
admin/src/types/models.ts Normal file
View File

@@ -0,0 +1,447 @@
// Paginated response from API
export interface PaginatedResponse<T> {
data: T[];
total: number;
page: number;
per_page: number;
total_pages: number;
}
// User types
export interface User {
id: number;
username: string;
email: string;
first_name: string;
last_name: string;
is_active: boolean;
is_staff: boolean;
is_superuser: boolean;
date_joined: string;
last_login?: string;
verified: boolean;
phone_number?: string;
residence_count: number;
task_count: number;
}
export interface UserDetail extends User {
residences?: ResidenceSummary[];
devices?: DeviceSummary[];
}
export interface ResidenceSummary {
id: number;
name: string;
is_owner: boolean;
is_active: boolean;
}
export interface DeviceSummary {
id: number;
type: 'apns' | 'gcm';
name: string;
is_active: boolean;
}
export interface CreateUserRequest {
username: string;
email: string;
password: string;
first_name?: string;
last_name?: string;
phone_number?: string;
is_active?: boolean;
is_staff?: boolean;
is_superuser?: boolean;
}
export interface UpdateUserRequest {
username?: string;
email?: string;
password?: string;
first_name?: string;
last_name?: string;
phone_number?: string;
is_active?: boolean;
is_staff?: boolean;
is_superuser?: boolean;
}
// Query params for listing
export interface ListParams {
page?: number;
per_page?: number;
search?: string;
sort_by?: string;
sort_dir?: 'asc' | 'desc';
}
export interface UserListParams extends ListParams {
is_active?: boolean;
is_staff?: boolean;
is_superuser?: boolean;
verified?: boolean;
}
// Residence types
export interface Residence {
id: number;
name: string;
owner_id: number;
owner_name: string;
property_type?: string;
street_address: string;
city: string;
state_province: string;
postal_code: string;
country: string;
bedrooms?: number;
bathrooms?: number;
square_footage?: number;
is_primary: boolean;
is_active: boolean;
created_at: string;
}
export interface ResidenceDetail extends Residence {
owner?: UserSummary;
shared_users?: UserSummary[];
task_count: number;
document_count: number;
}
export interface UserSummary {
id: number;
username: string;
email: string;
}
export interface ResidenceListParams extends ListParams {
is_active?: boolean;
owner_id?: number;
}
export interface CreateResidenceRequest {
owner_id: number;
name: string;
property_type_id?: number;
street_address?: string;
apartment_unit?: string;
city?: string;
state_province?: string;
postal_code?: string;
country?: string;
bedrooms?: number;
bathrooms?: number;
square_footage?: number;
year_built?: number;
description?: string;
is_primary?: boolean;
}
export interface UpdateResidenceRequest {
name?: string;
street_address?: string;
city?: string;
state_province?: string;
postal_code?: string;
country?: string;
is_active?: boolean;
is_primary?: boolean;
}
// Task types
export interface Task {
id: number;
residence_id: number;
residence_name: string;
title: string;
description: string;
created_by_name: string;
category_name?: string;
priority_name?: string;
status_name?: string;
due_date?: string;
estimated_cost?: number;
is_cancelled: boolean;
is_archived: boolean;
created_at: string;
}
export interface TaskDetail extends Task {
assigned_to?: UserSummary;
completion_count: number;
}
export interface TaskListParams extends ListParams {
residence_id?: number;
category_id?: number;
priority_id?: number;
status_id?: number;
is_cancelled?: boolean;
is_archived?: boolean;
}
export interface CreateTaskRequest {
residence_id: number;
created_by_id: number;
title: string;
description?: string;
category_id?: number;
priority_id?: number;
status_id?: number;
frequency_id?: number;
assigned_to_id?: number;
due_date?: string;
estimated_cost?: number;
contractor_id?: number;
}
export interface UpdateTaskRequest {
title?: string;
description?: string;
category_id?: number;
priority_id?: number;
status_id?: number;
is_cancelled?: boolean;
is_archived?: boolean;
}
// Contractor types
export interface Contractor {
id: number;
residence_id: number;
residence_name: string;
name: string;
company: string;
phone: string;
email: string;
website: string;
city: string;
rating?: number;
specialties?: string[];
is_favorite: boolean;
is_active: boolean;
created_at: string;
}
export interface ContractorDetail extends Contractor {
task_count: number;
}
export interface ContractorListParams extends ListParams {
is_active?: boolean;
is_favorite?: boolean;
residence_id?: number;
}
export interface CreateContractorRequest {
residence_id: number;
created_by_id: number;
name: string;
company?: string;
phone?: string;
email?: string;
website?: string;
notes?: string;
street_address?: string;
city?: string;
state_province?: string;
postal_code?: string;
is_favorite?: boolean;
specialty_ids?: number[];
}
export interface UpdateContractorRequest {
name?: string;
company?: string;
phone?: string;
email?: string;
website?: string;
notes?: string;
is_favorite?: boolean;
is_active?: boolean;
}
// Document types
export interface Document {
id: number;
residence_id: number;
residence_name: string;
title: string;
description: string;
document_type: string;
file_name: string;
file_url: string;
vendor: string;
expiry_date?: string;
purchase_date?: string;
is_active: boolean;
created_at: string;
}
export interface DocumentDetail extends Document {
task_title?: string;
}
export interface DocumentListParams extends ListParams {
is_active?: boolean;
residence_id?: number;
document_type?: string;
}
export interface CreateDocumentRequest {
residence_id: number;
created_by_id: number;
title: string;
description?: string;
document_type?: 'general' | 'warranty' | 'receipt' | 'contract' | 'insurance' | 'manual';
file_url?: string;
file_name?: string;
file_size?: number;
mime_type?: string;
purchase_date?: string;
expiry_date?: string;
purchase_price?: number;
vendor?: string;
serial_number?: string;
model_number?: string;
task_id?: number;
}
export interface UpdateDocumentRequest {
title?: string;
description?: string;
vendor?: string;
serial_number?: string;
model_number?: string;
is_active?: boolean;
}
// Notification types
export interface Notification {
id: number;
user_id: number;
user_email: string;
username: string;
notification_type: string;
title: string;
body: string;
sent: boolean;
sent_at?: string;
read: boolean;
read_at?: string;
created_at: string;
}
export interface NotificationDetail extends Notification {
data: string;
task_id?: number;
}
export interface NotificationListParams extends ListParams {
user_id?: number;
notification_type?: string;
sent?: boolean;
read?: boolean;
}
export interface UpdateNotificationRequest {
title?: string;
body?: string;
read?: boolean;
}
export interface NotificationStats {
total: number;
sent: number;
pending: number;
read: number;
}
// Task Completion types
export interface UpdateCompletionRequest {
notes?: string;
actual_cost?: string;
}
// Subscription types
export interface Subscription {
id: number;
user_id: number;
user_email: string;
username: string;
tier: 'free' | 'premium' | 'pro';
platform: string;
auto_renew: boolean;
subscribed_at?: string;
expires_at?: string;
cancelled_at?: string;
created_at: string;
}
export interface SubscriptionDetail extends Subscription {}
export interface SubscriptionListParams extends ListParams {
user_id?: number;
tier?: string;
platform?: string;
auto_renew?: boolean;
active?: boolean;
}
export interface UpdateSubscriptionRequest {
tier?: string;
auto_renew?: boolean;
}
export interface SubscriptionStats {
total: number;
free: number;
premium: number;
pro: number;
}
// Dashboard types
export interface DashboardStats {
users: {
total: number;
active: number;
verified: number;
new_30d: number;
};
residences: {
total: number;
active: number;
new_30d: number;
};
tasks: {
total: number;
pending: number;
completed: number;
overdue: number;
};
contractors: {
total: number;
active: number;
favorite: number;
};
documents: {
total: number;
active: number;
expired: number;
};
notifications: {
total: number;
sent: number;
pending: number;
read: number;
};
subscriptions: {
total: number;
free: number;
premium: number;
pro: number;
};
}

34
admin/tsconfig.json Normal file
View File

@@ -0,0 +1,34 @@
{
"compilerOptions": {
"target": "ES2017",
"lib": ["dom", "dom.iterable", "esnext"],
"allowJs": true,
"skipLibCheck": true,
"strict": true,
"noEmit": true,
"esModuleInterop": true,
"module": "esnext",
"moduleResolution": "bundler",
"resolveJsonModule": true,
"isolatedModules": true,
"jsx": "react-jsx",
"incremental": true,
"plugins": [
{
"name": "next"
}
],
"paths": {
"@/*": ["./src/*"]
}
},
"include": [
"next-env.d.ts",
"**/*.ts",
"**/*.tsx",
".next/types/**/*.ts",
".next/dev/types/**/*.ts",
"**/*.mts"
],
"exclude": ["node_modules"]
}

Some files were not shown because too many files have changed in this diff Show More