@morojs/moro 1.0.3 → 1.2.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 (55) hide show
  1. package/README.md +57 -2
  2. package/dist/core/auth/morojs-adapter.d.ts +94 -0
  3. package/dist/core/auth/morojs-adapter.js +288 -0
  4. package/dist/core/auth/morojs-adapter.js.map +1 -0
  5. package/dist/core/config/file-loader.d.ts +18 -0
  6. package/dist/core/config/file-loader.js +345 -0
  7. package/dist/core/config/file-loader.js.map +1 -0
  8. package/dist/core/config/index.d.ts +6 -0
  9. package/dist/core/config/index.js +15 -0
  10. package/dist/core/config/index.js.map +1 -1
  11. package/dist/core/config/loader.d.ts +2 -1
  12. package/dist/core/config/loader.js +15 -2
  13. package/dist/core/config/loader.js.map +1 -1
  14. package/dist/core/config/utils.js +50 -3
  15. package/dist/core/config/utils.js.map +1 -1
  16. package/dist/core/http/http-server.d.ts +2 -0
  17. package/dist/core/http/http-server.js +52 -9
  18. package/dist/core/http/http-server.js.map +1 -1
  19. package/dist/core/middleware/built-in/auth-helpers.d.ts +124 -0
  20. package/dist/core/middleware/built-in/auth-helpers.js +338 -0
  21. package/dist/core/middleware/built-in/auth-helpers.js.map +1 -0
  22. package/dist/core/middleware/built-in/auth-providers.d.ts +125 -0
  23. package/dist/core/middleware/built-in/auth-providers.js +394 -0
  24. package/dist/core/middleware/built-in/auth-providers.js.map +1 -0
  25. package/dist/core/middleware/built-in/auth.d.ts +29 -1
  26. package/dist/core/middleware/built-in/auth.js +259 -16
  27. package/dist/core/middleware/built-in/auth.js.map +1 -1
  28. package/dist/core/middleware/built-in/index.d.ts +3 -1
  29. package/dist/core/middleware/built-in/index.js +19 -1
  30. package/dist/core/middleware/built-in/index.js.map +1 -1
  31. package/dist/index.d.ts +5 -1
  32. package/dist/index.js +11 -2
  33. package/dist/index.js.map +1 -1
  34. package/dist/moro.d.ts +1 -0
  35. package/dist/moro.js +19 -1
  36. package/dist/moro.js.map +1 -1
  37. package/dist/types/auth.d.ts +367 -0
  38. package/dist/types/auth.js +28 -0
  39. package/dist/types/auth.js.map +1 -0
  40. package/package.json +6 -2
  41. package/src/core/auth/README.md +339 -0
  42. package/src/core/auth/morojs-adapter.ts +402 -0
  43. package/src/core/config/file-loader.ts +398 -0
  44. package/src/core/config/index.ts +18 -0
  45. package/src/core/config/loader.ts +18 -2
  46. package/src/core/config/utils.ts +53 -3
  47. package/src/core/http/http-server.ts +61 -10
  48. package/src/core/middleware/built-in/auth-helpers.ts +401 -0
  49. package/src/core/middleware/built-in/auth-providers.ts +480 -0
  50. package/src/core/middleware/built-in/auth.ts +306 -16
  51. package/src/core/middleware/built-in/index.ts +22 -0
  52. package/src/index.ts +30 -1
  53. package/src/moro.ts +29 -1
  54. package/src/types/auth.ts +440 -0
  55. package/tsconfig.json +1 -1
@@ -0,0 +1,402 @@
1
+ /**
2
+ * Auth.js Adapter for MoroJS
3
+ *
4
+ * This adapter allows Auth.js to work seamlessly with MoroJS framework.
5
+ * It can be contributed to the Auth.js project as @auth/morojs
6
+ *
7
+ * @see https://authjs.dev/guides/adapters/creating-a-custom-adapter
8
+ * @see https://github.com/nextauthjs/next-auth/tree/main/packages
9
+ */
10
+
11
+ // Mock Auth.js types until we have the actual package
12
+ // These would come from @auth/core in a real implementation
13
+ export interface AuthConfig {
14
+ providers: any[];
15
+ secret?: string;
16
+ session?: any;
17
+ callbacks?: any;
18
+ events?: any;
19
+ pages?: any;
20
+ adapter?: any;
21
+ debug?: boolean;
22
+ basePath?: string;
23
+ [key: string]: any;
24
+ }
25
+
26
+ export interface Session {
27
+ user: {
28
+ id: string;
29
+ name?: string | null;
30
+ email?: string | null;
31
+ image?: string | null;
32
+ [key: string]: any;
33
+ };
34
+ expires: string;
35
+ [key: string]: any;
36
+ }
37
+
38
+ export type AuthAction = 'signin' | 'signout' | 'callback' | 'session' | 'providers' | 'csrf';
39
+
40
+ // Mock Auth function - would be imported from @auth/core
41
+ const Auth = async (request: Request, config: any): Promise<Response> => {
42
+ // This is a placeholder implementation
43
+ // In the real version, this would be the actual Auth.js core function
44
+ const url = new URL(request.url);
45
+ const pathname = url.pathname;
46
+
47
+ if (pathname === '/session') {
48
+ return new Response(JSON.stringify({ user: null }), {
49
+ status: 200,
50
+ headers: { 'content-type': 'application/json' },
51
+ });
52
+ }
53
+
54
+ return new Response('Not implemented', { status: 501 });
55
+ };
56
+
57
+ // MoroJS-specific types
58
+ export interface MoroJSAuthConfig extends Omit<AuthConfig, 'raw'> {
59
+ /**
60
+ * Base path for auth routes in MoroJS
61
+ * @default "/api/auth"
62
+ */
63
+ basePath?: string;
64
+
65
+ /**
66
+ * MoroJS-specific options
67
+ */
68
+ morojs?: {
69
+ /**
70
+ * Enable MoroJS-specific logging
71
+ * @default false
72
+ */
73
+ debug?: boolean;
74
+
75
+ /**
76
+ * Custom request/response transformers
77
+ */
78
+ transformers?: {
79
+ request?: (req: any) => any;
80
+ response?: (res: any) => any;
81
+ };
82
+ };
83
+ }
84
+
85
+ export interface MoroJSRequest {
86
+ url?: string;
87
+ method?: string;
88
+ headers?: Record<string, string>;
89
+ body?: any;
90
+ query?: Record<string, string>;
91
+ cookies?: Record<string, string>;
92
+ }
93
+
94
+ export interface MoroJSResponse {
95
+ status(code: number): MoroJSResponse;
96
+ json(data: any): Promise<void>;
97
+ redirect(url: string): void;
98
+ setHeader(name: string, value: string): void;
99
+ cookie(name: string, value: string, options?: any): void;
100
+ send(data: any): void;
101
+ end(data?: any): void;
102
+ headersSent: boolean;
103
+ }
104
+
105
+ /**
106
+ * Convert MoroJS request to Auth.js Web API Request
107
+ */
108
+ function toWebRequest(req: MoroJSRequest, basePath: string): Request {
109
+ const url = new URL(req.url || '/', 'http://localhost:3000');
110
+
111
+ // Handle auth routes
112
+ if (url.pathname.startsWith(basePath)) {
113
+ url.pathname = url.pathname.replace(basePath, '');
114
+ }
115
+
116
+ const headers = new Headers();
117
+ if (req.headers) {
118
+ Object.entries(req.headers).forEach(([key, value]) => {
119
+ headers.set(key, value);
120
+ });
121
+ }
122
+
123
+ // Add cookies to headers if not present
124
+ if (req.cookies && Object.keys(req.cookies).length > 0) {
125
+ const cookieHeader = Object.entries(req.cookies)
126
+ .map(([name, value]) => `${name}=${value}`)
127
+ .join('; ');
128
+
129
+ if (!headers.has('cookie')) {
130
+ headers.set('cookie', cookieHeader);
131
+ }
132
+ }
133
+
134
+ const body = req.body ? JSON.stringify(req.body) : undefined;
135
+
136
+ return new Request(url.toString(), {
137
+ method: req.method || 'GET',
138
+ headers,
139
+ body,
140
+ });
141
+ }
142
+
143
+ /**
144
+ * Convert Auth.js Web API Response to MoroJS response
145
+ */
146
+ async function fromWebResponse(webResponse: Response, moroResponse: MoroJSResponse): Promise<void> {
147
+ // Set status
148
+ moroResponse.status(webResponse.status);
149
+
150
+ // Set headers
151
+ webResponse.headers.forEach((value, key) => {
152
+ if (key.toLowerCase() === 'set-cookie') {
153
+ // Handle cookies specially for MoroJS
154
+ const cookies = value.split(', ');
155
+ cookies.forEach(cookie => {
156
+ const [nameValue, ...options] = cookie.split('; ');
157
+ const [name, cookieValue] = nameValue.split('=');
158
+
159
+ // Parse cookie options
160
+ const cookieOptions: any = {};
161
+ options.forEach(option => {
162
+ const [optKey, optValue] = option.split('=');
163
+ switch (optKey.toLowerCase()) {
164
+ case 'max-age':
165
+ cookieOptions.maxAge = parseInt(optValue, 10);
166
+ break;
167
+ case 'expires':
168
+ cookieOptions.expires = new Date(optValue);
169
+ break;
170
+ case 'httponly':
171
+ cookieOptions.httpOnly = true;
172
+ break;
173
+ case 'secure':
174
+ cookieOptions.secure = true;
175
+ break;
176
+ case 'samesite':
177
+ cookieOptions.sameSite = optValue;
178
+ break;
179
+ case 'path':
180
+ cookieOptions.path = optValue;
181
+ break;
182
+ case 'domain':
183
+ cookieOptions.domain = optValue;
184
+ break;
185
+ }
186
+ });
187
+
188
+ moroResponse.cookie(name, cookieValue, cookieOptions);
189
+ });
190
+ } else if (key.toLowerCase() === 'location') {
191
+ // Handle redirects
192
+ moroResponse.redirect(value);
193
+ return;
194
+ } else {
195
+ moroResponse.setHeader(key, value);
196
+ }
197
+ });
198
+
199
+ // Handle response body
200
+ const contentType = webResponse.headers.get('content-type');
201
+
202
+ if (webResponse.status >= 300 && webResponse.status < 400) {
203
+ // Redirect - already handled above
204
+ return;
205
+ } else if (contentType?.includes('application/json')) {
206
+ const data = await webResponse.json();
207
+ await moroResponse.json(data);
208
+ } else {
209
+ const text = await webResponse.text();
210
+ moroResponse.send(text);
211
+ }
212
+ }
213
+
214
+ /**
215
+ * Main MoroJS Auth.js handler
216
+ *
217
+ * This is the core function that integrates Auth.js with MoroJS
218
+ */
219
+ export async function MoroJSAuth(config: MoroJSAuthConfig): Promise<{
220
+ handler: (req: MoroJSRequest, res: MoroJSResponse) => Promise<void>;
221
+ auth: (req: MoroJSRequest) => Promise<Session | null>;
222
+ }> {
223
+ const basePath = config.basePath || '/api/auth';
224
+
225
+ return {
226
+ /**
227
+ * Main request handler for auth routes
228
+ */
229
+ handler: async (req: MoroJSRequest, res: MoroJSResponse) => {
230
+ try {
231
+ // Convert MoroJS request to Web API request
232
+ const webRequest = toWebRequest(req, basePath);
233
+
234
+ // Determine the auth action from the URL
235
+ const url = new URL(webRequest.url);
236
+ const action = (url.pathname.split('/')[1] as AuthAction) || 'session';
237
+
238
+ // Apply request transformer if provided
239
+ let transformedRequest = webRequest;
240
+ if (config.morojs?.transformers?.request) {
241
+ transformedRequest = config.morojs.transformers.request(webRequest);
242
+ }
243
+
244
+ // Call Auth.js core
245
+ const authResponse = await Auth(transformedRequest, {
246
+ ...config,
247
+ basePath,
248
+ raw: (code: any, ...message: any[]) => {
249
+ if (config.morojs?.debug) {
250
+ console.log(`[MoroJS Auth] ${code}:`, ...message);
251
+ }
252
+ },
253
+ });
254
+
255
+ // Apply response transformer if provided
256
+ let finalResponse = authResponse;
257
+ if (config.morojs?.transformers?.response) {
258
+ finalResponse = config.morojs.transformers.response(authResponse);
259
+ }
260
+
261
+ // Convert Web API response to MoroJS response
262
+ await fromWebResponse(finalResponse, res);
263
+ } catch (error) {
264
+ console.error('[MoroJS Auth] Error:', error);
265
+ // Robust error handling - check if response methods exist
266
+ if (typeof (res as any).status === 'function' && typeof (res as any).json === 'function') {
267
+ (res as any).status(500).json({
268
+ error: 'Internal server error',
269
+ message: config.morojs?.debug ? (error as Error).message : 'Authentication error',
270
+ });
271
+ } else {
272
+ // Fallback to basic Node.js response methods
273
+ (res as any).statusCode = 500;
274
+ (res as any).setHeader('Content-Type', 'application/json');
275
+ (res as any).end(
276
+ JSON.stringify({
277
+ error: 'Internal server error',
278
+ message: config.morojs?.debug ? (error as Error).message : 'Authentication error',
279
+ })
280
+ );
281
+ }
282
+ }
283
+ },
284
+
285
+ /**
286
+ * Get session for the current request
287
+ */
288
+ auth: async (req: MoroJSRequest): Promise<Session | null> => {
289
+ try {
290
+ // Create a session request
291
+ const sessionUrl = new URL('/session', 'http://localhost:3000');
292
+ const sessionRequest = new Request(sessionUrl.toString(), {
293
+ method: 'GET',
294
+ headers: req.headers ? new Headers(req.headers) : new Headers(),
295
+ });
296
+
297
+ // Get session from Auth.js
298
+ const response = await Auth(sessionRequest, {
299
+ ...config,
300
+ basePath,
301
+ });
302
+
303
+ if (response.status === 200) {
304
+ const session = await response.json();
305
+ return session as Session;
306
+ }
307
+
308
+ return null;
309
+ } catch (error) {
310
+ if (config.morojs?.debug) {
311
+ console.error('[MoroJS Auth] Session error:', error);
312
+ }
313
+ return null;
314
+ }
315
+ },
316
+ };
317
+ }
318
+
319
+ /**
320
+ * MoroJS Auth middleware factory
321
+ *
322
+ * This creates a MoroJS-compatible middleware for authentication
323
+ */
324
+ export function createAuthMiddleware(config: MoroJSAuthConfig) {
325
+ console.log('🏭 createAuthMiddleware called - creating middleware function');
326
+ // Return a function that MoroJS can call directly
327
+ return async (app: any) => {
328
+ console.log('🔧 Installing Auth.js middleware...');
329
+ console.log('📦 App object received:', typeof app, app.constructor.name);
330
+
331
+ // Get the hooks from the app's middleware system
332
+ const hooks =
333
+ (app as any).coreFramework?.middlewareManager?.hooks || (app as any).middlewareManager?.hooks;
334
+
335
+ if (!hooks) {
336
+ console.error('❌ Could not access MoroJS hooks system');
337
+ return;
338
+ }
339
+
340
+ const options = {};
341
+ const mergedConfig = { ...config, ...options };
342
+ const { handler, auth } = await MoroJSAuth(mergedConfig);
343
+ const basePath = mergedConfig.basePath || '/api/auth';
344
+
345
+ // Register request hook
346
+ hooks.before('request', async (context: any) => {
347
+ console.log('🔒 Native adapter hook starting...');
348
+ const req = context.request;
349
+ console.log('📝 Request path:', req.path || req.url);
350
+
351
+ try {
352
+ // Just add auth object to request - don't touch response
353
+ req.auth = {
354
+ session: null,
355
+ user: null,
356
+ isAuthenticated: false,
357
+
358
+ // Helper methods
359
+ getSession: () => Promise.resolve(null),
360
+ getUser: () => null,
361
+
362
+ // Sign in/out helpers (redirect to auth routes)
363
+ signIn: (provider?: string, options?: any) => {
364
+ const params = new URLSearchParams();
365
+ if (provider) params.set('provider', provider);
366
+ if (options?.callbackUrl) params.set('callbackUrl', options.callbackUrl);
367
+
368
+ const signInUrl = `${basePath}/signin${provider ? `/${provider}` : ''}${
369
+ params.toString() ? `?${params.toString()}` : ''
370
+ }`;
371
+
372
+ return { url: signInUrl };
373
+ },
374
+
375
+ signOut: (options?: any) => {
376
+ const params = new URLSearchParams();
377
+ if (options?.callbackUrl) params.set('callbackUrl', options.callbackUrl);
378
+
379
+ const signOutUrl = `${basePath}/signout${
380
+ params.toString() ? `?${params.toString()}` : ''
381
+ }`;
382
+
383
+ return { url: signOutUrl };
384
+ },
385
+ };
386
+ console.log('✅ Native adapter hook completed successfully');
387
+ } catch (error) {
388
+ console.error('❌ Error in native adapter hook:', error);
389
+ throw error;
390
+ }
391
+ });
392
+
393
+ console.log('✅ Auth.js middleware installed successfully!');
394
+ };
395
+ }
396
+
397
+ // Types are already exported above, no need to re-export
398
+
399
+ /**
400
+ * Default export for convenience
401
+ */
402
+ export default MoroJSAuth;