@codenokami/node-api-master 1.4.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.
- package/README.md +164 -0
- package/dist/index.d.mts +436 -0
- package/dist/index.d.ts +436 -0
- package/dist/index.js +415 -0
- package/dist/index.mjs +372 -0
- package/package.json +60 -0
package/dist/index.d.ts
ADDED
|
@@ -0,0 +1,436 @@
|
|
|
1
|
+
import Joi from 'joi';
|
|
2
|
+
export { default as Joi } from 'joi';
|
|
3
|
+
import mongoose from 'mongoose';
|
|
4
|
+
import jwt from 'jsonwebtoken';
|
|
5
|
+
import bcrypt from 'bcryptjs';
|
|
6
|
+
import crypto from 'crypto';
|
|
7
|
+
import { Server } from 'socket.io';
|
|
8
|
+
|
|
9
|
+
/**
|
|
10
|
+
* Database သို့ ချိတ်ဆက်ပေးသော function
|
|
11
|
+
* @param {string} url - MongoDB Connection String
|
|
12
|
+
*/
|
|
13
|
+
const connectDB = async (url) => {
|
|
14
|
+
if (!url) {
|
|
15
|
+
console.error(
|
|
16
|
+
"❌ Error: MongoDB URL is required to connect to the database.",
|
|
17
|
+
);
|
|
18
|
+
process.exit(1);
|
|
19
|
+
}
|
|
20
|
+
|
|
21
|
+
try {
|
|
22
|
+
const conn = await mongoose.connect(url);
|
|
23
|
+
console.log(`✅ MongoDB Connected: ${conn.connection.host}`);
|
|
24
|
+
} catch (error) {
|
|
25
|
+
console.error(`❌ Error: ${error.message}`);
|
|
26
|
+
process.exit(1); // ချိတ်မရရင် Server ကို ရပ်ပစ်မယ်
|
|
27
|
+
}
|
|
28
|
+
};
|
|
29
|
+
|
|
30
|
+
/**
|
|
31
|
+
* Custom Error Class for API Errors
|
|
32
|
+
*/
|
|
33
|
+
class AppError extends Error {
|
|
34
|
+
constructor(message, statusCode) {
|
|
35
|
+
super(message);
|
|
36
|
+
|
|
37
|
+
this.statusCode = statusCode;
|
|
38
|
+
// status က 4xx ဆိုရင် 'fail', 5xx ဆိုရင် 'error' လို့ သတ်မှတ်မယ်
|
|
39
|
+
this.status = `${statusCode}`.startsWith("4") ? "fail" : "error";
|
|
40
|
+
|
|
41
|
+
// ဒါက ကျွန်တော်တို့ကိုယ်တိုင် သတ်မှတ်လိုက်တဲ့ Error ဖြစ်ကြောင်း အမှတ်အသားပြုတာပါ
|
|
42
|
+
this.isOperational = true;
|
|
43
|
+
|
|
44
|
+
// Error ဘယ်နေရာမှာ ဖြစ်တယ်ဆိုတဲ့ stack trace ကို သိမ်းထားမယ်
|
|
45
|
+
Error.captureStackTrace(this, this.constructor);
|
|
46
|
+
}
|
|
47
|
+
}
|
|
48
|
+
|
|
49
|
+
/**
|
|
50
|
+
* catchAsync - try-catch block တွေကို အစားထိုးရန်
|
|
51
|
+
* @param {Function} fn - Async controller function
|
|
52
|
+
*/
|
|
53
|
+
const catchAsync = (fn) => {
|
|
54
|
+
return (req, res, next) => {
|
|
55
|
+
// ပေးလိုက်တဲ့ function ကို run မယ်၊ error တက်ရင် .catch() ကနေ next(err) ကို ပို့ပေးမယ်
|
|
56
|
+
fn(req, res, next).catch(next);
|
|
57
|
+
};
|
|
58
|
+
};
|
|
59
|
+
|
|
60
|
+
/**
|
|
61
|
+
* Auth Middleware - Supports Bearer Token & Cookies
|
|
62
|
+
* @param {string} secret - JWT Secret (Default is process.env.JWT_SECRET)
|
|
63
|
+
*/
|
|
64
|
+
const auth = (secret = process.env.JWT_SECRET) =>
|
|
65
|
+
catchAsync(async (req, res, next) => {
|
|
66
|
+
let token;
|
|
67
|
+
|
|
68
|
+
// 1) Header ကနေ Bearer Token ကို စစ်ဆေးခြင်း
|
|
69
|
+
if (
|
|
70
|
+
req.headers.authorization &&
|
|
71
|
+
req.headers.authorization.startsWith("Bearer")
|
|
72
|
+
) {
|
|
73
|
+
token = req.headers.authorization.split(" ")[1];
|
|
74
|
+
}
|
|
75
|
+
// 2) Cookie ကနေ Token ကို စစ်ဆေးခြင်း
|
|
76
|
+
else if (req.cookies && req.cookies.jwt) {
|
|
77
|
+
token = req.cookies.jwt;
|
|
78
|
+
}
|
|
79
|
+
|
|
80
|
+
// Secret မရှိရင် Developer ကို သတိပေးဖို့ Error ပြမယ်
|
|
81
|
+
if (!secret) {
|
|
82
|
+
return next(
|
|
83
|
+
new AppError("JWT Secret is not defined in environment variables", 500),
|
|
84
|
+
);
|
|
85
|
+
}
|
|
86
|
+
|
|
87
|
+
if (!token) {
|
|
88
|
+
return next(
|
|
89
|
+
new AppError(
|
|
90
|
+
"You are not logged in! Please log in to get access.",
|
|
91
|
+
401,
|
|
92
|
+
),
|
|
93
|
+
);
|
|
94
|
+
}
|
|
95
|
+
|
|
96
|
+
// Verify token
|
|
97
|
+
try {
|
|
98
|
+
const decoded = jwt.verify(token, secret);
|
|
99
|
+
req.user = decoded;
|
|
100
|
+
next();
|
|
101
|
+
} catch (error) {
|
|
102
|
+
return next(
|
|
103
|
+
new AppError("Invalid token or expired. Please log in again.", 401),
|
|
104
|
+
);
|
|
105
|
+
}
|
|
106
|
+
});
|
|
107
|
+
|
|
108
|
+
/**
|
|
109
|
+
* Admin Middleware
|
|
110
|
+
*/
|
|
111
|
+
const admin = (req, res, next) => {
|
|
112
|
+
if (req.user && req.user.role === "admin") {
|
|
113
|
+
next();
|
|
114
|
+
} else {
|
|
115
|
+
return next(
|
|
116
|
+
new AppError("You do not have permission to perform this action", 403),
|
|
117
|
+
);
|
|
118
|
+
}
|
|
119
|
+
};
|
|
120
|
+
|
|
121
|
+
/**
|
|
122
|
+
* Joi Schema Validation Middleware
|
|
123
|
+
* @param {Object} schema - Joi validation schema
|
|
124
|
+
*/
|
|
125
|
+
const validate = (schema) => (req, res, next) => {
|
|
126
|
+
// body, query, params အားလုံးကို စစ်လို့ရအောင် req object တစ်ခုလုံးကို schema နဲ့ တိုက်စစ်မယ်
|
|
127
|
+
const { error, value } = schema.validate(req.body, {
|
|
128
|
+
abortEarly: false, // Error အားလုံးကို တစ်ခါတည်း ပြရန်
|
|
129
|
+
allowUnknown: true, // Schema ထဲမပါတဲ့ field တွေပါလာရင် လက်ခံရန်
|
|
130
|
+
stripUnknown: true, // Schema ထဲမပါတဲ့ field တွေကို ဖယ်ထုတ်ပစ်ရန်
|
|
131
|
+
});
|
|
132
|
+
|
|
133
|
+
if (error) {
|
|
134
|
+
// Error message တွေကို စုစည်းပြီး format လုပ်မယ်
|
|
135
|
+
const errorMessage = error.details
|
|
136
|
+
.map((detail) => detail.message.replace(/"/g, ""))
|
|
137
|
+
.join(", ");
|
|
138
|
+
|
|
139
|
+
return next(new AppError(errorMessage, 400));
|
|
140
|
+
}
|
|
141
|
+
|
|
142
|
+
// စစ်ဆေးပြီးသား data (sanitized data) ကို req.body ထဲ ပြန်ထည့်မယ်
|
|
143
|
+
req.body = value;
|
|
144
|
+
next();
|
|
145
|
+
};
|
|
146
|
+
|
|
147
|
+
/**
|
|
148
|
+
* Standard HTTP Status Codes
|
|
149
|
+
*/
|
|
150
|
+
const PORT = process.env.PORT || 5000;
|
|
151
|
+
|
|
152
|
+
const STATUS_CODES = {
|
|
153
|
+
// --- 2xx Success ---
|
|
154
|
+
OK: 200, // Request အောင်မြင်သည်
|
|
155
|
+
CREATED: 201, // Data အသစ် တည်ဆောက်မှု အောင်မြင်သည်
|
|
156
|
+
ACCEPTED: 202, // လက်ခံရရှိသည် (နောက်မှ အလုပ်လုပ်မည်)
|
|
157
|
+
NO_CONTENT: 204, // အောင်မြင်သည်၊ သို့သော် ပြစရာ Data မရှိ (ဥပမာ- Delete လုပ်ပြီးချိန်)
|
|
158
|
+
|
|
159
|
+
// --- 3xx Redirection ---
|
|
160
|
+
MOVED_PERMANENTLY: 301,
|
|
161
|
+
FOUND: 302,
|
|
162
|
+
|
|
163
|
+
// --- 4xx Client Errors ---
|
|
164
|
+
BAD_REQUEST: 400, // ပေးပို့လိုက်သော Data Format မှားနေသည် (Validation error)
|
|
165
|
+
UNAUTHORIZED: 401, // Login ဝင်ရန် လိုအပ်သည် (သို့မဟုတ် Token မှားသည်)
|
|
166
|
+
FORBIDDEN: 403, // လုပ်ပိုင်ခွင့်မရှိ (ဥပမာ- Admin မဟုတ်ဘဲ Admin panel ဝင်ခြင်း)
|
|
167
|
+
NOT_FOUND: 404, // ရှာဖွေနေသော Resource မရှိပါ
|
|
168
|
+
METHOD_NOT_ALLOWED: 405, // API Method (GET, POST, etc.) မှားနေသည်
|
|
169
|
+
CONFLICT: 409, // Data ထပ်နေသည် (ဥပမာ- ရှိပြီးသား Email နဲ့ Register လုပ်ခြင်း)
|
|
170
|
+
UNPROCESSABLE_ENTITY: 422, // Validation Error များအတွက် အသုံးများသည်
|
|
171
|
+
TOO_MANY_REQUESTS: 429, // API ကို ခဏခဏ ဆက်တိုက်ခေါ်ခြင်း (Rate limiting)
|
|
172
|
+
|
|
173
|
+
// --- 5xx Server Errors ---
|
|
174
|
+
INTERNAL_SERVER_ERROR: 500, // Server ထဲတွင် Code မှားယွင်းခြင်း
|
|
175
|
+
NOT_IMPLEMENTED: 501,
|
|
176
|
+
BAD_GATEWAY: 502,
|
|
177
|
+
SERVICE_UNAVAILABLE: 503, // Server ခေတ္တပိတ်ထားသည်
|
|
178
|
+
GATEWAY_TIMEOUT: 504,
|
|
179
|
+
|
|
180
|
+
PORT,
|
|
181
|
+
};
|
|
182
|
+
|
|
183
|
+
/**
|
|
184
|
+
* Global Error Handling Middleware
|
|
185
|
+
*/
|
|
186
|
+
const errorMiddleware = (err, req, res, next) => {
|
|
187
|
+
err.statusCode = err.statusCode || STATUS_CODES.INTERNAL_SERVER_ERROR;
|
|
188
|
+
err.status = err.status || "error";
|
|
189
|
+
|
|
190
|
+
// Development mode မှာ Error အပြည့်အစုံပြပြီး Production မှာ message ပဲ ပြမယ်
|
|
191
|
+
if (process.env.NODE_ENV === "development") {
|
|
192
|
+
res.status(err.statusCode).json({
|
|
193
|
+
status: err.status,
|
|
194
|
+
error: err,
|
|
195
|
+
message: err.message,
|
|
196
|
+
stack: err.stack,
|
|
197
|
+
});
|
|
198
|
+
} else {
|
|
199
|
+
// Production Mode
|
|
200
|
+
// အကယ်၍ ဒါက ကျွန်တော်တို့ သတ်မှတ်ထားတဲ့ Operational Error (AppError) ဆိုရင်
|
|
201
|
+
if (err.isOperational) {
|
|
202
|
+
res.status(err.statusCode).json({
|
|
203
|
+
status: err.status,
|
|
204
|
+
message: err.message,
|
|
205
|
+
});
|
|
206
|
+
} else {
|
|
207
|
+
// မထင်မှတ်ထားတဲ့ Programming error တွေဖြစ်ရင် (ဥပမာ- Library တစ်ခုက တက်တဲ့ error)
|
|
208
|
+
console.error("ERROR 💥", err);
|
|
209
|
+
res.status(STATUS_CODES.INTERNAL_SERVER_ERROR).json({
|
|
210
|
+
status: "error",
|
|
211
|
+
message: "Something went very wrong!",
|
|
212
|
+
});
|
|
213
|
+
}
|
|
214
|
+
}
|
|
215
|
+
};
|
|
216
|
+
|
|
217
|
+
/**
|
|
218
|
+
* Standard API Response Wrapper
|
|
219
|
+
*/
|
|
220
|
+
const apiResponse = {
|
|
221
|
+
// အောင်မြင်တဲ့ response ပေးပို့ရန်
|
|
222
|
+
success: (res, data, message = "Success", statusCode = STATUS_CODES.OK) => {
|
|
223
|
+
return res.status(statusCode).json({
|
|
224
|
+
status: "success",
|
|
225
|
+
message,
|
|
226
|
+
data,
|
|
227
|
+
});
|
|
228
|
+
},
|
|
229
|
+
|
|
230
|
+
// Error response ပေးပို့ရန် (Operational error များအတွက်)
|
|
231
|
+
error: (
|
|
232
|
+
res,
|
|
233
|
+
message = "Internal Server Error",
|
|
234
|
+
statusCode = STATUS_CODES.INTERNAL_SERVER_ERROR,
|
|
235
|
+
) => {
|
|
236
|
+
return res.status(statusCode).json({
|
|
237
|
+
status: "error",
|
|
238
|
+
message,
|
|
239
|
+
});
|
|
240
|
+
},
|
|
241
|
+
};
|
|
242
|
+
|
|
243
|
+
declare namespace response {
|
|
244
|
+
export { apiResponse as default };
|
|
245
|
+
}
|
|
246
|
+
|
|
247
|
+
/**
|
|
248
|
+
* Password ကို Hash လုပ်ရန်
|
|
249
|
+
*/
|
|
250
|
+
const hashPassword = async (password) => {
|
|
251
|
+
const salt = await bcrypt.genSalt(10);
|
|
252
|
+
return await bcrypt.hash(password, salt);
|
|
253
|
+
};
|
|
254
|
+
|
|
255
|
+
/**
|
|
256
|
+
* Password မှန်/မမှန် စစ်ဆေးရန်
|
|
257
|
+
*/
|
|
258
|
+
const comparePassword = async (password, hashedPassword) => {
|
|
259
|
+
return await bcrypt.compare(password, hashedPassword);
|
|
260
|
+
};
|
|
261
|
+
|
|
262
|
+
/**
|
|
263
|
+
* JWT Token ထုတ်ပေးပြီး Cookie ထဲသို့ တန်းထည့်ပေးမည့် Helper
|
|
264
|
+
* @param {Object} payload - Token ထဲတွင် သိမ်းလိုသော အချက်အလက် (e.g., { userId })
|
|
265
|
+
* @param {Object} res - Express Response Object
|
|
266
|
+
* @param {Object} options - စိတ်ကြိုက်ပြင်ဆင်နိုင်သော options များ
|
|
267
|
+
*/
|
|
268
|
+
const generateToken = (payload, res, options = {}) => {
|
|
269
|
+
const secret = options.secret || process.env.JWT_SECRET;
|
|
270
|
+
const expiresIn = options.expiresIn || "30d";
|
|
271
|
+
const cookieName = options.cookieName || "jwt";
|
|
272
|
+
|
|
273
|
+
// 1. Token Generate လုပ်ခြင်း
|
|
274
|
+
const token = jwt.sign(payload, secret, {
|
|
275
|
+
expiresIn: expiresIn,
|
|
276
|
+
});
|
|
277
|
+
|
|
278
|
+
// 2. Cookie Options သတ်မှတ်ခြင်း
|
|
279
|
+
const cookieOptions = {
|
|
280
|
+
maxAge: options.maxAge || 30 * 24 * 60 * 60 * 1000, // Default 30 days
|
|
281
|
+
httpOnly: true, // JavaScript မှ ဖတ်မရအောင် (Prevent XSS)
|
|
282
|
+
sameSite: process.env.NODE_ENV === "production" ? "none" : "lax", // CSRF Protection
|
|
283
|
+
secure: process.env.NODE_ENV === "production", // Production တွင် HTTPS သုံးမှသာ အလုပ်လုပ်မည်
|
|
284
|
+
...options.extraCookieOptions, // တခြား အပို options များရှိလျှင် ထည့်ရန်
|
|
285
|
+
};
|
|
286
|
+
|
|
287
|
+
// 3. Cookie ထဲသို့ ထည့်ခြင်း
|
|
288
|
+
res.cookie(cookieName, token, cookieOptions);
|
|
289
|
+
|
|
290
|
+
return token;
|
|
291
|
+
};
|
|
292
|
+
|
|
293
|
+
/**
|
|
294
|
+
* တကယ့်ကို ခိုင်ခံ့ပြီး Secure ဖြစ်တဲ့ UUID v4 ထုတ်ပေးရန်
|
|
295
|
+
* (RFC 4122 Standard Compliant)
|
|
296
|
+
*/
|
|
297
|
+
const generateUUID = () => {
|
|
298
|
+
// 1. ခေတ်သစ် Node.js (v14.17.0+) အတွက် တိုက်ရိုက်သုံးမယ်
|
|
299
|
+
if (typeof crypto.randomUUID === "function") {
|
|
300
|
+
return crypto.randomUUID();
|
|
301
|
+
}
|
|
302
|
+
|
|
303
|
+
// 2. Fallback: Node ဗားရှင်းအနိမ့်တွေအတွက် Cryptographically Secure ဖြစ်အောင် ကိုယ်တိုင်ထုတ်မယ်
|
|
304
|
+
return ([1e7] + -1e3 + -4e3 + -8e3 + -1e11).replace(/[018]/g, (c) =>
|
|
305
|
+
(c ^ (crypto.randomBytes(1).readUInt8() & (15 >> (c / 4)))).toString(16),
|
|
306
|
+
);
|
|
307
|
+
};
|
|
308
|
+
|
|
309
|
+
/**
|
|
310
|
+
* User Validation Schemas
|
|
311
|
+
*/
|
|
312
|
+
const userSchema = {
|
|
313
|
+
// Standard Register Schema
|
|
314
|
+
register: Joi.object({
|
|
315
|
+
username: Joi.string().alphanum().min(3).max(30).required().messages({
|
|
316
|
+
"string.min": "Username must be at least 3 characters long",
|
|
317
|
+
"any.required": "Username is a required field",
|
|
318
|
+
}),
|
|
319
|
+
email: Joi.string()
|
|
320
|
+
.email({ minDomainSegments: 2, tlds: { allow: ["com", "net", "org"] } })
|
|
321
|
+
.required()
|
|
322
|
+
.messages({
|
|
323
|
+
"string.email": "Please provide a valid email address",
|
|
324
|
+
}),
|
|
325
|
+
password: Joi.string().min(8).required().messages({
|
|
326
|
+
"string.min": "Password must be at least 8 characters long",
|
|
327
|
+
}),
|
|
328
|
+
confirmPassword: Joi.any()
|
|
329
|
+
.equal(Joi.ref("password"))
|
|
330
|
+
.required()
|
|
331
|
+
.messages({ "any.only": "Passwords do not match" }),
|
|
332
|
+
role: Joi.string().valid("user", "admin").default("user"),
|
|
333
|
+
}),
|
|
334
|
+
|
|
335
|
+
// Login Schema
|
|
336
|
+
login: Joi.object({
|
|
337
|
+
email: Joi.string().email().required(),
|
|
338
|
+
password: Joi.string().required(),
|
|
339
|
+
}),
|
|
340
|
+
|
|
341
|
+
// Password Update Schema
|
|
342
|
+
updatePassword: Joi.object({
|
|
343
|
+
currentPassword: Joi.string().required(),
|
|
344
|
+
newPassword: Joi.string().min(8).required(),
|
|
345
|
+
}),
|
|
346
|
+
|
|
347
|
+
/**
|
|
348
|
+
* စိတ်ကြိုက် schema အသစ်ဆောက်ချင်ရင် သုံးရန် (Dynamic Flexibility)
|
|
349
|
+
* @param {Object} schemaDefinition - Joi object definition
|
|
350
|
+
*/
|
|
351
|
+
custom: (schemaDefinition) => Joi.object(schemaDefinition),
|
|
352
|
+
};
|
|
353
|
+
|
|
354
|
+
/**
|
|
355
|
+
* Common Joi Schemas
|
|
356
|
+
*/
|
|
357
|
+
const commonSchema = {
|
|
358
|
+
// MongoDB ObjectId စစ်ဆေးရန် (24 hex characters)
|
|
359
|
+
objectId: Joi.string()
|
|
360
|
+
.regex(/^[0-9a-fA-F]{24}$/)
|
|
361
|
+
.messages({
|
|
362
|
+
"string.pattern.base": "Invalid ID format. Must be a valid ObjectId.",
|
|
363
|
+
}),
|
|
364
|
+
|
|
365
|
+
// Pagination အတွက် (Query strings)
|
|
366
|
+
pagination: Joi.object({
|
|
367
|
+
page: Joi.number().integer().min(1).default(1),
|
|
368
|
+
limit: Joi.number().integer().min(1).max(100).default(10),
|
|
369
|
+
sort: Joi.string().optional(),
|
|
370
|
+
fields: Joi.string().optional(),
|
|
371
|
+
}),
|
|
372
|
+
};
|
|
373
|
+
|
|
374
|
+
const schemas = {
|
|
375
|
+
user: userSchema,
|
|
376
|
+
common: commonSchema,
|
|
377
|
+
};
|
|
378
|
+
|
|
379
|
+
let io;
|
|
380
|
+
|
|
381
|
+
/**
|
|
382
|
+
* Socket Authentication Middleware
|
|
383
|
+
*/
|
|
384
|
+
const socketAuth = (secret) => {
|
|
385
|
+
return (socket, next) => {
|
|
386
|
+
const token =
|
|
387
|
+
socket.handshake.auth?.token || socket.handshake.headers?.token;
|
|
388
|
+
|
|
389
|
+
if (!token) {
|
|
390
|
+
return next(new Error("Authentication error: Token missing"));
|
|
391
|
+
}
|
|
392
|
+
|
|
393
|
+
try {
|
|
394
|
+
const decoded = jwt.verify(token, secret || process.env.JWT_SECRET);
|
|
395
|
+
socket.user = decoded; // socket ထဲမှာ user data သိမ်းထားမယ်
|
|
396
|
+
next();
|
|
397
|
+
} catch (err) {
|
|
398
|
+
next(new Error("Authentication error: Invalid token"));
|
|
399
|
+
}
|
|
400
|
+
};
|
|
401
|
+
};
|
|
402
|
+
|
|
403
|
+
/**
|
|
404
|
+
* Socket Initialize လုပ်ခြင်း
|
|
405
|
+
*/
|
|
406
|
+
const initSocket = (server, options = {}) => {
|
|
407
|
+
io = new Server(server, {
|
|
408
|
+
cors: {
|
|
409
|
+
origin: options.origin || "*",
|
|
410
|
+
},
|
|
411
|
+
...options,
|
|
412
|
+
});
|
|
413
|
+
|
|
414
|
+
// JWT Middleware ကို အသုံးပြုခြင်း
|
|
415
|
+
if (options.authRequired) {
|
|
416
|
+
io.use(socketAuth(options.jwtSecret));
|
|
417
|
+
}
|
|
418
|
+
|
|
419
|
+
return io;
|
|
420
|
+
};
|
|
421
|
+
|
|
422
|
+
/**
|
|
423
|
+
* Initialize ပြီးသား IO object ကို ပြန်ယူခြင်း
|
|
424
|
+
*/
|
|
425
|
+
const getIO = () => {
|
|
426
|
+
if (!io) throw new Error("Socket.io not initialized!");
|
|
427
|
+
return io;
|
|
428
|
+
};
|
|
429
|
+
|
|
430
|
+
declare const index_getIO: typeof getIO;
|
|
431
|
+
declare const index_initSocket: typeof initSocket;
|
|
432
|
+
declare namespace index {
|
|
433
|
+
export { index_getIO as getIO, index_initSocket as initSocket };
|
|
434
|
+
}
|
|
435
|
+
|
|
436
|
+
export { AppError, STATUS_CODES, admin, response as apiResponse, auth, catchAsync, comparePassword, connectDB, errorMiddleware, generateToken, generateUUID, hashPassword, schemas, index as socket, validate };
|