create-blitzpack 0.1.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (259) hide show
  1. package/dist/index.js +452 -0
  2. package/package.json +57 -0
  3. package/template/.dockerignore +59 -0
  4. package/template/.github/workflows/ci.yml +157 -0
  5. package/template/.husky/pre-commit +1 -0
  6. package/template/.husky/pre-push +1 -0
  7. package/template/.lintstagedrc.cjs +4 -0
  8. package/template/.nvmrc +1 -0
  9. package/template/.prettierrc +9 -0
  10. package/template/.vscode/settings.json +13 -0
  11. package/template/CLAUDE.md +175 -0
  12. package/template/CONTRIBUTING.md +32 -0
  13. package/template/Dockerfile +90 -0
  14. package/template/GETTING_STARTED.md +35 -0
  15. package/template/LICENSE +21 -0
  16. package/template/README.md +116 -0
  17. package/template/apps/api/.dockerignore +51 -0
  18. package/template/apps/api/.env.local.example +62 -0
  19. package/template/apps/api/emails/account-deleted-email.tsx +69 -0
  20. package/template/apps/api/emails/components/email-layout.tsx +154 -0
  21. package/template/apps/api/emails/config.ts +22 -0
  22. package/template/apps/api/emails/password-changed-email.tsx +88 -0
  23. package/template/apps/api/emails/password-reset-email.tsx +86 -0
  24. package/template/apps/api/emails/verification-email.tsx +85 -0
  25. package/template/apps/api/emails/welcome-email.tsx +70 -0
  26. package/template/apps/api/package.json +84 -0
  27. package/template/apps/api/prisma/migrations/20251012111439_init/migration.sql +13 -0
  28. package/template/apps/api/prisma/migrations/20251018162629_add_better_auth_fields/migration.sql +67 -0
  29. package/template/apps/api/prisma/migrations/20251019142208_add_user_role_enum/migration.sql +5 -0
  30. package/template/apps/api/prisma/migrations/20251019182151_user_auth/migration.sql +7 -0
  31. package/template/apps/api/prisma/migrations/20251019211416_faster_session_lookup/migration.sql +2 -0
  32. package/template/apps/api/prisma/migrations/20251119124337_add_upload_model/migration.sql +26 -0
  33. package/template/apps/api/prisma/migrations/20251120071241_add_scope_to_account/migration.sql +2 -0
  34. package/template/apps/api/prisma/migrations/20251120072608_add_oauth_token_expiration_fields/migration.sql +10 -0
  35. package/template/apps/api/prisma/migrations/20251120144705_add_audit_logs/migration.sql +29 -0
  36. package/template/apps/api/prisma/migrations/20251127123614_remove_impersonated_by/migration.sql +8 -0
  37. package/template/apps/api/prisma/migrations/20251127125630_remove_audit_logs/migration.sql +11 -0
  38. package/template/apps/api/prisma/migrations/migration_lock.toml +3 -0
  39. package/template/apps/api/prisma/schema.prisma +116 -0
  40. package/template/apps/api/prisma/seed.ts +159 -0
  41. package/template/apps/api/prisma.config.ts +14 -0
  42. package/template/apps/api/src/app.ts +377 -0
  43. package/template/apps/api/src/common/logger.service.ts +227 -0
  44. package/template/apps/api/src/config/env.ts +60 -0
  45. package/template/apps/api/src/config/rate-limit.ts +29 -0
  46. package/template/apps/api/src/hooks/auth.ts +122 -0
  47. package/template/apps/api/src/plugins/auth.ts +198 -0
  48. package/template/apps/api/src/plugins/database.ts +45 -0
  49. package/template/apps/api/src/plugins/logger.ts +33 -0
  50. package/template/apps/api/src/plugins/multipart.ts +16 -0
  51. package/template/apps/api/src/plugins/scalar.ts +20 -0
  52. package/template/apps/api/src/plugins/schedule.ts +52 -0
  53. package/template/apps/api/src/plugins/services.ts +66 -0
  54. package/template/apps/api/src/plugins/swagger.ts +56 -0
  55. package/template/apps/api/src/routes/accounts.ts +91 -0
  56. package/template/apps/api/src/routes/admin-sessions.ts +92 -0
  57. package/template/apps/api/src/routes/metrics.ts +71 -0
  58. package/template/apps/api/src/routes/password.ts +46 -0
  59. package/template/apps/api/src/routes/sessions.ts +53 -0
  60. package/template/apps/api/src/routes/stats.ts +38 -0
  61. package/template/apps/api/src/routes/uploads-serve.ts +27 -0
  62. package/template/apps/api/src/routes/uploads.ts +154 -0
  63. package/template/apps/api/src/routes/users.ts +114 -0
  64. package/template/apps/api/src/routes/verification.ts +90 -0
  65. package/template/apps/api/src/server.ts +34 -0
  66. package/template/apps/api/src/services/accounts.service.ts +125 -0
  67. package/template/apps/api/src/services/authorization.service.ts +162 -0
  68. package/template/apps/api/src/services/email.service.ts +170 -0
  69. package/template/apps/api/src/services/file-storage.service.ts +267 -0
  70. package/template/apps/api/src/services/metrics.service.ts +175 -0
  71. package/template/apps/api/src/services/password.service.ts +56 -0
  72. package/template/apps/api/src/services/sessions.service.spec.ts +134 -0
  73. package/template/apps/api/src/services/sessions.service.ts +276 -0
  74. package/template/apps/api/src/services/stats.service.ts +273 -0
  75. package/template/apps/api/src/services/uploads.service.ts +163 -0
  76. package/template/apps/api/src/services/users.service.spec.ts +249 -0
  77. package/template/apps/api/src/services/users.service.ts +198 -0
  78. package/template/apps/api/src/utils/file-validation.ts +108 -0
  79. package/template/apps/api/start.sh +33 -0
  80. package/template/apps/api/test/helpers/fastify-app.ts +24 -0
  81. package/template/apps/api/test/helpers/mock-authorization.ts +16 -0
  82. package/template/apps/api/test/helpers/mock-logger.ts +28 -0
  83. package/template/apps/api/test/helpers/mock-prisma.ts +30 -0
  84. package/template/apps/api/test/helpers/test-db.ts +125 -0
  85. package/template/apps/api/test/integration/auth-flow.integration.spec.ts +449 -0
  86. package/template/apps/api/test/integration/password.integration.spec.ts +427 -0
  87. package/template/apps/api/test/integration/rate-limit.integration.spec.ts +51 -0
  88. package/template/apps/api/test/integration/sessions.integration.spec.ts +445 -0
  89. package/template/apps/api/test/integration/users.integration.spec.ts +211 -0
  90. package/template/apps/api/test/setup.ts +31 -0
  91. package/template/apps/api/tsconfig.json +26 -0
  92. package/template/apps/api/vitest.config.ts +35 -0
  93. package/template/apps/web/.env.local.example +11 -0
  94. package/template/apps/web/components.json +24 -0
  95. package/template/apps/web/next.config.ts +22 -0
  96. package/template/apps/web/package.json +56 -0
  97. package/template/apps/web/postcss.config.js +5 -0
  98. package/template/apps/web/public/apple-icon.png +0 -0
  99. package/template/apps/web/public/icon.png +0 -0
  100. package/template/apps/web/public/robots.txt +3 -0
  101. package/template/apps/web/src/app/(admin)/admin/layout.tsx +222 -0
  102. package/template/apps/web/src/app/(admin)/admin/page.tsx +157 -0
  103. package/template/apps/web/src/app/(admin)/admin/sessions/page.tsx +18 -0
  104. package/template/apps/web/src/app/(admin)/admin/users/page.tsx +20 -0
  105. package/template/apps/web/src/app/(auth)/forgot-password/page.tsx +177 -0
  106. package/template/apps/web/src/app/(auth)/login/page.tsx +159 -0
  107. package/template/apps/web/src/app/(auth)/reset-password/page.tsx +245 -0
  108. package/template/apps/web/src/app/(auth)/signup/page.tsx +153 -0
  109. package/template/apps/web/src/app/dashboard/change-password/page.tsx +255 -0
  110. package/template/apps/web/src/app/dashboard/page.tsx +296 -0
  111. package/template/apps/web/src/app/error.tsx +32 -0
  112. package/template/apps/web/src/app/examples/file-upload/page.tsx +200 -0
  113. package/template/apps/web/src/app/favicon.ico +0 -0
  114. package/template/apps/web/src/app/global-error.tsx +96 -0
  115. package/template/apps/web/src/app/globals.css +22 -0
  116. package/template/apps/web/src/app/icon.png +0 -0
  117. package/template/apps/web/src/app/layout.tsx +34 -0
  118. package/template/apps/web/src/app/not-found.tsx +28 -0
  119. package/template/apps/web/src/app/page.tsx +192 -0
  120. package/template/apps/web/src/components/admin/activity-feed.tsx +101 -0
  121. package/template/apps/web/src/components/admin/charts/auth-breakdown-chart.tsx +114 -0
  122. package/template/apps/web/src/components/admin/charts/chart-tooltip.tsx +124 -0
  123. package/template/apps/web/src/components/admin/charts/realtime-metrics-chart.tsx +511 -0
  124. package/template/apps/web/src/components/admin/charts/role-distribution-chart.tsx +102 -0
  125. package/template/apps/web/src/components/admin/charts/session-activity-chart.tsx +90 -0
  126. package/template/apps/web/src/components/admin/charts/user-growth-chart.tsx +108 -0
  127. package/template/apps/web/src/components/admin/health-indicator.tsx +175 -0
  128. package/template/apps/web/src/components/admin/refresh-control.tsx +90 -0
  129. package/template/apps/web/src/components/admin/session-revoke-all-dialog.tsx +79 -0
  130. package/template/apps/web/src/components/admin/session-revoke-dialog.tsx +74 -0
  131. package/template/apps/web/src/components/admin/sessions-management-table.tsx +372 -0
  132. package/template/apps/web/src/components/admin/stat-card.tsx +137 -0
  133. package/template/apps/web/src/components/admin/user-create-dialog.tsx +152 -0
  134. package/template/apps/web/src/components/admin/user-delete-dialog.tsx +73 -0
  135. package/template/apps/web/src/components/admin/user-edit-dialog.tsx +170 -0
  136. package/template/apps/web/src/components/admin/users-management-table.tsx +285 -0
  137. package/template/apps/web/src/components/auth/email-verification-banner.tsx +85 -0
  138. package/template/apps/web/src/components/auth/github-button.tsx +40 -0
  139. package/template/apps/web/src/components/auth/google-button.tsx +54 -0
  140. package/template/apps/web/src/components/auth/protected-route.tsx +66 -0
  141. package/template/apps/web/src/components/auth/redirect-if-authenticated.tsx +31 -0
  142. package/template/apps/web/src/components/auth/with-auth.tsx +30 -0
  143. package/template/apps/web/src/components/error/error-card.tsx +47 -0
  144. package/template/apps/web/src/components/error/forbidden.tsx +25 -0
  145. package/template/apps/web/src/components/landing/command-block.tsx +64 -0
  146. package/template/apps/web/src/components/landing/feature-card.tsx +60 -0
  147. package/template/apps/web/src/components/landing/included-feature-card.tsx +63 -0
  148. package/template/apps/web/src/components/landing/logo.tsx +41 -0
  149. package/template/apps/web/src/components/landing/tech-badge.tsx +11 -0
  150. package/template/apps/web/src/components/layout/auth-nav.tsx +58 -0
  151. package/template/apps/web/src/components/layout/footer.tsx +3 -0
  152. package/template/apps/web/src/config/landing-data.ts +152 -0
  153. package/template/apps/web/src/config/site.ts +5 -0
  154. package/template/apps/web/src/hooks/api/__tests__/use-users.test.tsx +181 -0
  155. package/template/apps/web/src/hooks/api/use-admin-sessions.ts +75 -0
  156. package/template/apps/web/src/hooks/api/use-admin-stats.ts +33 -0
  157. package/template/apps/web/src/hooks/api/use-sessions.ts +52 -0
  158. package/template/apps/web/src/hooks/api/use-uploads.ts +156 -0
  159. package/template/apps/web/src/hooks/api/use-users.ts +149 -0
  160. package/template/apps/web/src/hooks/use-mobile.ts +21 -0
  161. package/template/apps/web/src/hooks/use-realtime-metrics.ts +120 -0
  162. package/template/apps/web/src/lib/__tests__/utils.test.ts +29 -0
  163. package/template/apps/web/src/lib/api.ts +151 -0
  164. package/template/apps/web/src/lib/auth.ts +13 -0
  165. package/template/apps/web/src/lib/env.ts +52 -0
  166. package/template/apps/web/src/lib/form-utils.ts +11 -0
  167. package/template/apps/web/src/lib/utils.ts +1 -0
  168. package/template/apps/web/src/providers.tsx +34 -0
  169. package/template/apps/web/src/store/atoms.ts +15 -0
  170. package/template/apps/web/src/test/helpers/test-utils.tsx +44 -0
  171. package/template/apps/web/src/test/setup.ts +8 -0
  172. package/template/apps/web/tailwind.config.ts +5 -0
  173. package/template/apps/web/tsconfig.json +26 -0
  174. package/template/apps/web/vitest.config.ts +32 -0
  175. package/template/assets/logo-512.png +0 -0
  176. package/template/assets/logo.svg +4 -0
  177. package/template/docker-compose.prod.yml +66 -0
  178. package/template/docker-compose.yml +36 -0
  179. package/template/eslint.config.ts +119 -0
  180. package/template/package.json +77 -0
  181. package/template/packages/tailwind-config/package.json +9 -0
  182. package/template/packages/tailwind-config/theme.css +179 -0
  183. package/template/packages/types/package.json +29 -0
  184. package/template/packages/types/src/__tests__/schemas.test.ts +255 -0
  185. package/template/packages/types/src/api-response.ts +53 -0
  186. package/template/packages/types/src/health-check.ts +11 -0
  187. package/template/packages/types/src/pagination.ts +41 -0
  188. package/template/packages/types/src/role.ts +5 -0
  189. package/template/packages/types/src/session.ts +48 -0
  190. package/template/packages/types/src/stats.ts +113 -0
  191. package/template/packages/types/src/upload.ts +51 -0
  192. package/template/packages/types/src/user.ts +36 -0
  193. package/template/packages/types/tsconfig.json +5 -0
  194. package/template/packages/types/vitest.config.ts +21 -0
  195. package/template/packages/ui/components.json +21 -0
  196. package/template/packages/ui/package.json +108 -0
  197. package/template/packages/ui/src/__tests__/button.test.tsx +70 -0
  198. package/template/packages/ui/src/alert-dialog.tsx +141 -0
  199. package/template/packages/ui/src/alert.tsx +66 -0
  200. package/template/packages/ui/src/animated-theme-toggler.tsx +167 -0
  201. package/template/packages/ui/src/avatar.tsx +53 -0
  202. package/template/packages/ui/src/badge.tsx +36 -0
  203. package/template/packages/ui/src/button.tsx +84 -0
  204. package/template/packages/ui/src/card.tsx +92 -0
  205. package/template/packages/ui/src/checkbox.tsx +32 -0
  206. package/template/packages/ui/src/data-table/data-table-column-header.tsx +68 -0
  207. package/template/packages/ui/src/data-table/data-table-pagination.tsx +99 -0
  208. package/template/packages/ui/src/data-table/data-table-toolbar.tsx +55 -0
  209. package/template/packages/ui/src/data-table/data-table-view-options.tsx +63 -0
  210. package/template/packages/ui/src/data-table/data-table.tsx +167 -0
  211. package/template/packages/ui/src/dialog.tsx +143 -0
  212. package/template/packages/ui/src/dropdown-menu.tsx +257 -0
  213. package/template/packages/ui/src/empty-state.tsx +52 -0
  214. package/template/packages/ui/src/file-upload-input.tsx +202 -0
  215. package/template/packages/ui/src/form.tsx +168 -0
  216. package/template/packages/ui/src/hooks/use-mobile.ts +19 -0
  217. package/template/packages/ui/src/icons/brand-icons.tsx +16 -0
  218. package/template/packages/ui/src/input.tsx +21 -0
  219. package/template/packages/ui/src/label.tsx +24 -0
  220. package/template/packages/ui/src/lib/utils.ts +6 -0
  221. package/template/packages/ui/src/password-input.tsx +102 -0
  222. package/template/packages/ui/src/popover.tsx +48 -0
  223. package/template/packages/ui/src/radio-group.tsx +45 -0
  224. package/template/packages/ui/src/scroll-area.tsx +58 -0
  225. package/template/packages/ui/src/select.tsx +187 -0
  226. package/template/packages/ui/src/separator.tsx +28 -0
  227. package/template/packages/ui/src/sheet.tsx +139 -0
  228. package/template/packages/ui/src/sidebar.tsx +726 -0
  229. package/template/packages/ui/src/skeleton-variants.tsx +87 -0
  230. package/template/packages/ui/src/skeleton.tsx +13 -0
  231. package/template/packages/ui/src/slider.tsx +63 -0
  232. package/template/packages/ui/src/sonner.tsx +25 -0
  233. package/template/packages/ui/src/spinner.tsx +16 -0
  234. package/template/packages/ui/src/switch.tsx +31 -0
  235. package/template/packages/ui/src/table.tsx +116 -0
  236. package/template/packages/ui/src/tabs.tsx +66 -0
  237. package/template/packages/ui/src/textarea.tsx +18 -0
  238. package/template/packages/ui/src/tooltip.tsx +61 -0
  239. package/template/packages/ui/src/user-avatar.tsx +97 -0
  240. package/template/packages/ui/test-config.js +3 -0
  241. package/template/packages/ui/tsconfig.json +12 -0
  242. package/template/packages/ui/turbo.json +18 -0
  243. package/template/packages/ui/vitest.config.ts +17 -0
  244. package/template/packages/ui/vitest.setup.ts +1 -0
  245. package/template/packages/utils/package.json +23 -0
  246. package/template/packages/utils/src/__tests__/utils.test.ts +223 -0
  247. package/template/packages/utils/src/array.ts +18 -0
  248. package/template/packages/utils/src/async.ts +3 -0
  249. package/template/packages/utils/src/date.ts +77 -0
  250. package/template/packages/utils/src/errors.ts +73 -0
  251. package/template/packages/utils/src/number.ts +11 -0
  252. package/template/packages/utils/src/string.ts +13 -0
  253. package/template/packages/utils/tsconfig.json +5 -0
  254. package/template/packages/utils/vitest.config.ts +21 -0
  255. package/template/pnpm-workspace.yaml +4 -0
  256. package/template/tsconfig.base.json +32 -0
  257. package/template/turbo.json +133 -0
  258. package/template/vitest.shared.ts +26 -0
  259. package/template/vitest.workspace.ts +9 -0
@@ -0,0 +1,152 @@
1
+ export const features = [
2
+ {
3
+ iconName: 'Rocket' as const,
4
+ title: 'Production Ready',
5
+ description:
6
+ 'Helmet security, rate limiting, CORS, validated environment configs, and GitHub Actions CI/CD',
7
+ },
8
+ {
9
+ iconName: 'Zap' as const,
10
+ title: 'Fast Development',
11
+ description:
12
+ 'Turborepo for optimized builds and pnpm for efficient package management',
13
+ },
14
+ {
15
+ iconName: 'Shield' as const,
16
+ title: 'Type Safe',
17
+ description:
18
+ 'Zod schemas with TypeScript everywhere for runtime and compile-time safety',
19
+ },
20
+ {
21
+ iconName: 'Code2' as const,
22
+ title: 'Modern UI Components',
23
+ description:
24
+ 'shadcn/ui with Radix primitives, Tailwind v4, dark mode, and Framer Motion',
25
+ },
26
+ {
27
+ iconName: 'Workflow' as const,
28
+ title: 'Database Ready',
29
+ description:
30
+ 'Prisma ORM with PostgreSQL, migrations, better-auth and Docker setup',
31
+ },
32
+ {
33
+ iconName: 'Lock' as const,
34
+ title: 'Authentication',
35
+ description:
36
+ 'Better-auth with email/password, session management and OAuth support',
37
+ },
38
+ {
39
+ iconName: 'TestTube' as const,
40
+ title: 'Comprehensive Testing',
41
+ description:
42
+ 'Vitest for unit and integration tests with coverage reports across all packages',
43
+ },
44
+ {
45
+ iconName: 'PackageOpen' as const,
46
+ title: 'Shared Packages',
47
+ description: 'Types and utilities shared across web and backend',
48
+ },
49
+ {
50
+ iconName: 'Bot' as const,
51
+ title: 'AI-Assisted Development',
52
+ description:
53
+ 'Comprehensive CLAUDE.md enables instant onboarding for AI coding assistants',
54
+ },
55
+ ] as const;
56
+
57
+ export const techStack = {
58
+ web: {
59
+ title: 'Web',
60
+ items: [
61
+ 'Next.js 16',
62
+ 'React 19',
63
+ 'TypeScript',
64
+ 'Tailwind CSS v4',
65
+ 'shadcn/ui',
66
+ 'TanStack Query',
67
+ 'Zod',
68
+ 'Jotai',
69
+ 'React Hook Form',
70
+ 'Framer Motion',
71
+ 'Sonner',
72
+ 'next-themes',
73
+ ],
74
+ },
75
+ api: {
76
+ title: 'API',
77
+ items: [
78
+ 'Fastify 5',
79
+ 'TypeScript',
80
+ 'Prisma 7',
81
+ 'PostgreSQL',
82
+ 'Better-auth',
83
+ 'Zod',
84
+ 'Scalar Docs',
85
+ 'Helmet',
86
+ 'Rate Limiting',
87
+ 'CORS',
88
+ ],
89
+ },
90
+ sharedPackages: {
91
+ title: 'Shared Packages',
92
+ items: ['Zod Schemas', 'Utility Functions', 'Type Definitions'],
93
+ },
94
+ devOps: {
95
+ title: 'DevOps',
96
+ items: [
97
+ 'Turborepo',
98
+ 'pnpm Workspaces',
99
+ 'Vitest',
100
+ 'GitHub Actions CI',
101
+ 'ESLint',
102
+ 'Prettier',
103
+ 'Husky + lint-staged',
104
+ ],
105
+ },
106
+ } as const;
107
+
108
+ export const quickStartCommands: Array<{
109
+ command: string;
110
+ tooltip?: string;
111
+ }> = [
112
+ {
113
+ command: 'pnpm install',
114
+ },
115
+ {
116
+ command: 'pnpm init:project',
117
+ tooltip:
118
+ 'Automated setup: checks prerequisites, creates environment files, starts Docker containers, runs database migrations, and optionally seeds data',
119
+ },
120
+ {
121
+ command: 'pnpm dev',
122
+ },
123
+ ];
124
+
125
+ export const includedFeatures = [
126
+ {
127
+ iconName: 'Lock' as const,
128
+ title: 'Authentication System',
129
+ pages: [
130
+ { name: 'Sign in', href: '/login' },
131
+ { name: 'Sign up', href: '/signup' },
132
+ { name: 'Forgot password', href: '/forgot-password' },
133
+ ],
134
+ },
135
+ {
136
+ iconName: 'LayoutDashboard' as const,
137
+ title: 'User Dashboard',
138
+ pages: [
139
+ { name: 'Dashboard', href: '/dashboard' },
140
+ { name: 'Change password', href: '/dashboard/change-password' },
141
+ ],
142
+ },
143
+ {
144
+ iconName: 'ShieldCheck' as const,
145
+ title: 'Admin Dashboard',
146
+ pages: [
147
+ { name: 'System monitoring', href: '/admin' },
148
+ { name: 'User management', href: '/admin/users' },
149
+ { name: 'Sessions management', href: '/admin/sessions' },
150
+ ],
151
+ },
152
+ ] as const;
@@ -0,0 +1,5 @@
1
+ export const siteConfig = {
2
+ name: 'Blitzpack',
3
+ description: 'Production-ready TypeScript monorepo template',
4
+ github: 'https://github.com/CarboxyDev/blitzpack',
5
+ } as const;
@@ -0,0 +1,181 @@
1
+ import type { PaginatedResponse } from '@repo/packages-types/pagination';
2
+ import type { CreateUser, User } from '@repo/packages-types/user';
3
+ import { QueryClient, QueryClientProvider } from '@tanstack/react-query';
4
+ import { renderHook, waitFor } from '@testing-library/react';
5
+ import type { ReactNode } from 'react';
6
+ import { beforeEach, describe, expect, it, vi } from 'vitest';
7
+
8
+ import {
9
+ useCreateUser,
10
+ useFetchUser,
11
+ useFetchUsers,
12
+ userKeys,
13
+ } from '@/hooks/api/use-users';
14
+ import * as apiModule from '@/lib/api';
15
+
16
+ vi.mock('@/lib/api', () => ({
17
+ api: {
18
+ get: vi.fn(),
19
+ post: vi.fn(),
20
+ },
21
+ isApiError: vi.fn(),
22
+ getErrorMessage: vi.fn(),
23
+ ApiError: class ApiError extends Error {
24
+ constructor(
25
+ message: string,
26
+ public status: number,
27
+ public data?: unknown
28
+ ) {
29
+ super(message);
30
+ this.name = 'ApiError';
31
+ }
32
+ },
33
+ }));
34
+
35
+ const createWrapper = () => {
36
+ const queryClient = new QueryClient({
37
+ defaultOptions: {
38
+ queries: { retry: false },
39
+ mutations: { retry: false },
40
+ },
41
+ });
42
+
43
+ const Wrapper = ({ children }: { children: ReactNode }) => (
44
+ <QueryClientProvider client={queryClient}>{children}</QueryClientProvider>
45
+ );
46
+ Wrapper.displayName = 'TestWrapper';
47
+ return Wrapper;
48
+ };
49
+
50
+ describe('useUsers API Hooks', () => {
51
+ beforeEach(() => {
52
+ vi.clearAllMocks();
53
+ });
54
+
55
+ describe('useFetchUsers', () => {
56
+ it('should fetch paginated users successfully', async () => {
57
+ const mockResponse: PaginatedResponse<User> = {
58
+ data: [
59
+ {
60
+ id: '123',
61
+ email: 'test@example.com',
62
+ name: 'Test User',
63
+ createdAt: '2024-01-01T00:00:00Z',
64
+ updatedAt: '2024-01-01T00:00:00Z',
65
+ role: 'user',
66
+ },
67
+ ],
68
+ pagination: {
69
+ page: 1,
70
+ limit: 10,
71
+ total: 1,
72
+ totalPages: 1,
73
+ },
74
+ };
75
+
76
+ vi.spyOn(apiModule.api, 'get').mockResolvedValue(mockResponse);
77
+
78
+ const { result } = renderHook(
79
+ () =>
80
+ useFetchUsers({
81
+ page: 1,
82
+ limit: 10,
83
+ sortBy: 'createdAt',
84
+ sortOrder: 'desc',
85
+ }),
86
+ { wrapper: createWrapper() }
87
+ );
88
+
89
+ await waitFor(() => expect(result.current.isSuccess).toBe(true));
90
+
91
+ expect(result.current.data).toEqual(mockResponse);
92
+ expect(apiModule.api.get).toHaveBeenCalledWith('/users', {
93
+ params: { page: 1, limit: 10, sortBy: 'createdAt', sortOrder: 'desc' },
94
+ });
95
+ });
96
+
97
+ it('should use correct query key for caching', () => {
98
+ const params = {
99
+ page: 1,
100
+ limit: 10,
101
+ sortBy: 'createdAt' as const,
102
+ sortOrder: 'desc' as const,
103
+ };
104
+ const key = userKeys.list(params);
105
+
106
+ expect(key).toEqual(['users', 'list', params]);
107
+ });
108
+ });
109
+
110
+ describe('useFetchUser', () => {
111
+ it('should fetch a single user by ID', async () => {
112
+ const mockUser: User = {
113
+ id: '123',
114
+ email: 'test@example.com',
115
+ name: 'Test User',
116
+ createdAt: '2024-01-01T00:00:00Z',
117
+ updatedAt: '2024-01-01T00:00:00Z',
118
+ role: 'user',
119
+ };
120
+
121
+ vi.spyOn(apiModule.api, 'get').mockResolvedValue(mockUser);
122
+
123
+ const { result } = renderHook(() => useFetchUser('123'), {
124
+ wrapper: createWrapper(),
125
+ });
126
+
127
+ await waitFor(() => expect(result.current.isSuccess).toBe(true));
128
+
129
+ expect(result.current.data).toEqual(mockUser);
130
+ expect(apiModule.api.get).toHaveBeenCalledWith('/users/123');
131
+ });
132
+
133
+ it('should not fetch if ID is empty', () => {
134
+ const { result } = renderHook(() => useFetchUser(''), {
135
+ wrapper: createWrapper(),
136
+ });
137
+
138
+ expect(result.current.fetchStatus).toBe('idle');
139
+ expect(apiModule.api.get).not.toHaveBeenCalled();
140
+ });
141
+ });
142
+
143
+ describe('useCreateUser', () => {
144
+ it('should create a new user', async () => {
145
+ const newUser: CreateUser = {
146
+ name: 'New User',
147
+ email: 'new@example.com',
148
+ role: 'user',
149
+ };
150
+
151
+ const mockResponse: User = {
152
+ id: '456',
153
+ ...newUser,
154
+ createdAt: '2024-01-01T00:00:00Z',
155
+ updatedAt: '2024-01-01T00:00:00Z',
156
+ };
157
+
158
+ vi.spyOn(apiModule.api, 'post').mockResolvedValue(mockResponse);
159
+
160
+ const { result } = renderHook(() => useCreateUser(), {
161
+ wrapper: createWrapper(),
162
+ });
163
+
164
+ result.current.mutate(newUser);
165
+
166
+ await waitFor(() => expect(result.current.isSuccess).toBe(true));
167
+
168
+ expect(result.current.data).toEqual(mockResponse);
169
+ expect(apiModule.api.post).toHaveBeenCalledWith('/users', newUser);
170
+ });
171
+ });
172
+
173
+ describe('userKeys', () => {
174
+ it('should generate correct query keys', () => {
175
+ expect(userKeys.all).toEqual(['users']);
176
+ expect(userKeys.lists()).toEqual(['users', 'list']);
177
+ expect(userKeys.details()).toEqual(['users', 'detail']);
178
+ expect(userKeys.detail('123')).toEqual(['users', 'detail', '123']);
179
+ });
180
+ });
181
+ });
@@ -0,0 +1,75 @@
1
+ import type { PaginatedResponse } from '@repo/packages-types/pagination';
2
+ import type {
3
+ AdminSession,
4
+ QuerySessions,
5
+ SessionStats,
6
+ } from '@repo/packages-types/session';
7
+ import {
8
+ useMutation,
9
+ useQuery,
10
+ useQueryClient,
11
+ type UseQueryOptions,
12
+ } from '@tanstack/react-query';
13
+
14
+ import { api } from '@/lib/api';
15
+
16
+ export const adminSessionKeys = {
17
+ all: ['adminSessions'] as const,
18
+ lists: () => [...adminSessionKeys.all, 'list'] as const,
19
+ list: (params: QuerySessions) =>
20
+ [...adminSessionKeys.lists(), params] as const,
21
+ stats: () => [...adminSessionKeys.all, 'stats'] as const,
22
+ };
23
+
24
+ export function useFetchAdminSessions(
25
+ params: QuerySessions,
26
+ options?: Omit<
27
+ UseQueryOptions<PaginatedResponse<AdminSession>>,
28
+ 'queryKey' | 'queryFn'
29
+ >
30
+ ) {
31
+ return useQuery({
32
+ queryKey: adminSessionKeys.list(params),
33
+ queryFn: () =>
34
+ api.get<PaginatedResponse<AdminSession>>('/admin/sessions', {
35
+ params: params as Record<string, string | number | boolean>,
36
+ }),
37
+ ...options,
38
+ });
39
+ }
40
+
41
+ export function useFetchSessionStats(
42
+ options?: Omit<UseQueryOptions<SessionStats>, 'queryKey' | 'queryFn'>
43
+ ) {
44
+ return useQuery({
45
+ queryKey: adminSessionKeys.stats(),
46
+ queryFn: () => api.get<SessionStats>('/admin/sessions/stats'),
47
+ ...options,
48
+ });
49
+ }
50
+
51
+ export function useRevokeSession() {
52
+ const queryClient = useQueryClient();
53
+
54
+ return useMutation({
55
+ mutationFn: (sessionId: string) =>
56
+ api.delete(`/admin/sessions/${sessionId}`),
57
+ onSuccess: () => {
58
+ queryClient.invalidateQueries({ queryKey: adminSessionKeys.lists() });
59
+ queryClient.invalidateQueries({ queryKey: adminSessionKeys.stats() });
60
+ },
61
+ });
62
+ }
63
+
64
+ export function useRevokeUserSessions() {
65
+ const queryClient = useQueryClient();
66
+
67
+ return useMutation({
68
+ mutationFn: (userId: string) =>
69
+ api.delete(`/admin/sessions/user/${userId}`),
70
+ onSuccess: () => {
71
+ queryClient.invalidateQueries({ queryKey: adminSessionKeys.lists() });
72
+ queryClient.invalidateQueries({ queryKey: adminSessionKeys.stats() });
73
+ },
74
+ });
75
+ }
@@ -0,0 +1,33 @@
1
+ import type {
2
+ HealthCheckResponse,
3
+ SystemStats,
4
+ } from '@repo/packages-types/stats';
5
+ import { useQuery, type UseQueryOptions } from '@tanstack/react-query';
6
+
7
+ import { api } from '@/lib/api';
8
+
9
+ export const adminStatsKeys = {
10
+ all: ['adminStats'] as const,
11
+ stats: () => [...adminStatsKeys.all, 'stats'] as const,
12
+ health: () => [...adminStatsKeys.all, 'health'] as const,
13
+ };
14
+
15
+ export function useFetchSystemStats(
16
+ options?: Omit<UseQueryOptions<SystemStats>, 'queryKey' | 'queryFn'>
17
+ ) {
18
+ return useQuery({
19
+ queryKey: adminStatsKeys.stats(),
20
+ queryFn: () => api.get<SystemStats>('/admin/stats'),
21
+ ...options,
22
+ });
23
+ }
24
+
25
+ export function useFetchHealthCheck(
26
+ options?: Omit<UseQueryOptions<HealthCheckResponse>, 'queryKey' | 'queryFn'>
27
+ ) {
28
+ return useQuery({
29
+ queryKey: adminStatsKeys.health(),
30
+ queryFn: () => api.get<HealthCheckResponse>('/admin/stats/health'),
31
+ ...options,
32
+ });
33
+ }
@@ -0,0 +1,52 @@
1
+ import type {
2
+ ListResponse,
3
+ MessageResponse,
4
+ } from '@repo/packages-types/api-response';
5
+ import { useMutation, useQuery, useQueryClient } from '@tanstack/react-query';
6
+
7
+ import { fetcher } from '@/lib/api';
8
+
9
+ export interface SessionInfo {
10
+ id: string;
11
+ ipAddress: string | null;
12
+ userAgent: string | null;
13
+ createdAt: string;
14
+ updatedAt: string;
15
+ expiresAt: string;
16
+ isCurrent?: boolean;
17
+ }
18
+
19
+ export function useGetSessions() {
20
+ return useQuery<ListResponse<SessionInfo>>({
21
+ queryKey: ['sessions'],
22
+ queryFn: () => fetcher<ListResponse<SessionInfo>>('/sessions'),
23
+ });
24
+ }
25
+
26
+ export function useDeleteSession() {
27
+ const queryClient = useQueryClient();
28
+
29
+ return useMutation({
30
+ mutationFn: (sessionId: string) =>
31
+ fetcher<MessageResponse>(`/sessions/${sessionId}`, {
32
+ method: 'DELETE',
33
+ }),
34
+ onSuccess: () => {
35
+ queryClient.invalidateQueries({ queryKey: ['sessions'] });
36
+ },
37
+ });
38
+ }
39
+
40
+ export function useRevokeAllSessions() {
41
+ const queryClient = useQueryClient();
42
+
43
+ return useMutation({
44
+ mutationFn: () =>
45
+ fetcher<MessageResponse>('/sessions', {
46
+ method: 'DELETE',
47
+ }),
48
+ onSuccess: () => {
49
+ queryClient.invalidateQueries({ queryKey: ['sessions'] });
50
+ },
51
+ });
52
+ }
@@ -0,0 +1,156 @@
1
+ import type {
2
+ DeleteUploadParams,
3
+ GetUploadsQuery,
4
+ Upload,
5
+ UploadResponse,
6
+ UploadStats,
7
+ } from '@repo/packages-types/upload';
8
+ import {
9
+ useMutation,
10
+ type UseMutationOptions,
11
+ useQuery,
12
+ useQueryClient,
13
+ type UseQueryOptions,
14
+ } from '@tanstack/react-query';
15
+
16
+ import { api } from '@/lib/api';
17
+
18
+ /**
19
+ * Query Keys
20
+ * Centralized query keys for cache management and invalidation
21
+ */
22
+ export const uploadKeys = {
23
+ all: ['uploads'] as const,
24
+ lists: () => [...uploadKeys.all, 'list'] as const,
25
+ list: (params: GetUploadsQuery) => [...uploadKeys.lists(), params] as const,
26
+ stats: () => [...uploadKeys.all, 'stats'] as const,
27
+ };
28
+
29
+ /**
30
+ * Fetch user's uploads
31
+ *
32
+ * @example
33
+ * ```tsx
34
+ * const { data, isLoading } = useFetchUploads({ limit: 50, offset: 0 });
35
+ * ```
36
+ */
37
+ export function useFetchUploads(
38
+ params: GetUploadsQuery = { limit: 50, offset: 0 },
39
+ options?: Omit<UseQueryOptions<Upload[]>, 'queryKey' | 'queryFn'>
40
+ ) {
41
+ return useQuery({
42
+ queryKey: uploadKeys.list(params),
43
+ queryFn: async () => {
44
+ const searchParams = new globalThis.URLSearchParams({
45
+ limit: String(params.limit),
46
+ offset: String(params.offset),
47
+ });
48
+
49
+ return api.get<Upload[]>(`/uploads?${searchParams.toString()}`);
50
+ },
51
+ ...options,
52
+ });
53
+ }
54
+
55
+ /**
56
+ * Fetch upload statistics
57
+ *
58
+ * @example
59
+ * ```tsx
60
+ * const { data: stats } = useFetchUploadStats();
61
+ * // stats: { totalFiles: 10, totalSize: 5242880 }
62
+ * ```
63
+ */
64
+ export function useFetchUploadStats(
65
+ options?: Omit<UseQueryOptions<UploadStats>, 'queryKey' | 'queryFn'>
66
+ ) {
67
+ return useQuery({
68
+ queryKey: uploadKeys.stats(),
69
+ queryFn: () => api.get<UploadStats>('/uploads/stats'),
70
+ ...options,
71
+ });
72
+ }
73
+
74
+ /**
75
+ * Upload a file
76
+ *
77
+ * @example
78
+ * ```tsx
79
+ * const uploadMutation = useUploadFile();
80
+ *
81
+ * const handleUpload = (file: File) => {
82
+ * uploadMutation.mutate(file, {
83
+ * onSuccess: (data) => console.log('Uploaded:', data.url),
84
+ * onError: (error) => console.error('Upload failed:', error)
85
+ * });
86
+ * };
87
+ * ```
88
+ */
89
+ export function useUploadFile(
90
+ options?: Omit<
91
+ UseMutationOptions<UploadResponse, Error, globalThis.File>,
92
+ 'mutationFn'
93
+ >
94
+ ) {
95
+ const queryClient = useQueryClient();
96
+
97
+ return useMutation({
98
+ mutationFn: async (file: globalThis.File) => {
99
+ const formData = new globalThis.FormData();
100
+ formData.append('file', file);
101
+
102
+ const response = await fetch(
103
+ `${process.env.NEXT_PUBLIC_API_URL}/uploads`,
104
+ {
105
+ method: 'POST',
106
+ body: formData,
107
+ credentials: 'include',
108
+ }
109
+ );
110
+
111
+ if (!response.ok) {
112
+ const error = await response.json();
113
+ throw new Error(error.error?.message || 'Upload failed');
114
+ }
115
+
116
+ return response.json();
117
+ },
118
+ onSuccess: () => {
119
+ queryClient.invalidateQueries({ queryKey: uploadKeys.lists() });
120
+ queryClient.invalidateQueries({ queryKey: uploadKeys.stats() });
121
+ },
122
+ ...options,
123
+ });
124
+ }
125
+
126
+ /**
127
+ * Delete an upload
128
+ *
129
+ * @example
130
+ * ```tsx
131
+ * const deleteMutation = useDeleteUpload();
132
+ *
133
+ * const handleDelete = (uploadId: string) => {
134
+ * deleteMutation.mutate({ id: uploadId });
135
+ * };
136
+ * ```
137
+ */
138
+ export function useDeleteUpload(
139
+ options?: Omit<
140
+ UseMutationOptions<void, Error, DeleteUploadParams>,
141
+ 'mutationFn'
142
+ >
143
+ ) {
144
+ const queryClient = useQueryClient();
145
+
146
+ return useMutation({
147
+ mutationFn: async ({ id }: DeleteUploadParams) => {
148
+ await api.delete(`/uploads/${id}`);
149
+ },
150
+ onSuccess: () => {
151
+ queryClient.invalidateQueries({ queryKey: uploadKeys.lists() });
152
+ queryClient.invalidateQueries({ queryKey: uploadKeys.stats() });
153
+ },
154
+ ...options,
155
+ });
156
+ }