@galeh/chuka 1.1.3 → 1.1.5
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 +95 -50
- package/index.d.ts +70 -2
- package/index.js +57 -48
- package/package.json +3 -2
- package/decorators.js +0 -107
- package/middlewares.js +0 -107
- package/validators.js +0 -105
package/README.md
CHANGED
|
@@ -16,71 +16,116 @@
|
|
|
16
16
|
npm install @galeh/chuka
|
|
17
17
|
```
|
|
18
18
|
```typescript
|
|
19
|
-
|
|
20
|
-
|
|
21
|
-
|
|
19
|
+
import { createApp, Controller, injectable, json, bodyValidator, and, isDefined, isString, isNumber, custom, inject } from '@galeh/chuka';
|
|
20
|
+
|
|
21
|
+
@injectable()
|
|
22
|
+
class CatsService implements CatsServiceInterface {
|
|
23
|
+
private cats: CatsModel[] = [
|
|
24
|
+
{
|
|
25
|
+
age: 1,
|
|
26
|
+
country: 'USA',
|
|
27
|
+
name: 'Tom',
|
|
28
|
+
parents: [
|
|
29
|
+
{
|
|
30
|
+
age: 2,
|
|
31
|
+
country: 'Cuba',
|
|
32
|
+
name: 'Daddy',
|
|
33
|
+
parents: []
|
|
34
|
+
},
|
|
35
|
+
{
|
|
36
|
+
age: 2,
|
|
37
|
+
country: 'China',
|
|
38
|
+
name: 'Mommy',
|
|
39
|
+
parents: []
|
|
40
|
+
}
|
|
41
|
+
]
|
|
42
|
+
}
|
|
43
|
+
]
|
|
44
|
+
|
|
45
|
+
findAll(): Promise<CatsModel[]> {
|
|
46
|
+
return Promise.resolve(this.cats);
|
|
47
|
+
}
|
|
48
|
+
|
|
49
|
+
findOne(name: string): Promise<CatsModel | null> {
|
|
50
|
+
return Promise.resolve(this.cats.filter(cat => cat.name === name)[0] || null);
|
|
51
|
+
}
|
|
52
|
+
|
|
53
|
+
add(cat: CatsModel): Promise<void> {
|
|
54
|
+
this.cats.push(cat);
|
|
55
|
+
return Promise.resolve();
|
|
56
|
+
}
|
|
57
|
+
}
|
|
58
|
+
|
|
59
|
+
@injectable()
|
|
60
|
+
class CatsController extends Controller {
|
|
61
|
+
private intercepted = this.use(
|
|
62
|
+
);
|
|
63
|
+
|
|
64
|
+
postCat = this.intercepted.use(
|
|
65
|
+
bodyValidator<CatsModel>({
|
|
66
|
+
name: and(isDefined(), isString()),
|
|
67
|
+
country: isNumber(),
|
|
68
|
+
age: custom(model => Promise.resolve(!!(model.age && model.age > 2))),
|
|
69
|
+
parents: custom(model => Array.isArray(model.parents))
|
|
70
|
+
})
|
|
71
|
+
).post('/', async (req, res) => {
|
|
72
|
+
{
|
|
73
|
+
const allcats = await this.service.add(req.body);
|
|
74
|
+
res.send(allcats);
|
|
75
|
+
}
|
|
76
|
+
});
|
|
77
|
+
|
|
78
|
+
getAllCats = this.intercepted.get('/', async (req, res) => {
|
|
79
|
+
{
|
|
80
|
+
const allcats = await this.service.findAll();
|
|
81
|
+
res.send(allcats);
|
|
82
|
+
}
|
|
83
|
+
});
|
|
84
|
+
|
|
85
|
+
getCatByName = this.intercepted.get('/:name', async (req, res) => {
|
|
86
|
+
const onecat = await this.service.findOne(req.params.name);
|
|
87
|
+
res.send(onecat);
|
|
88
|
+
});
|
|
89
|
+
|
|
90
|
+
constructor(@inject('catservice') private service: CatsServiceInterface) {
|
|
91
|
+
super();
|
|
92
|
+
}
|
|
93
|
+
}
|
|
22
94
|
|
|
23
95
|
const app = createApp({
|
|
24
|
-
|
|
25
|
-
|
|
26
|
-
|
|
27
|
-
|
|
28
|
-
|
|
29
|
-
|
|
96
|
+
dependencies: [
|
|
97
|
+
{ provide: 'catservice', useClass: CatsService },
|
|
98
|
+
// Add more dependencies as needed
|
|
99
|
+
],
|
|
100
|
+
routes: [{ path: '/cats', controller: CatsController }],
|
|
101
|
+
middlewares: [json()],
|
|
30
102
|
});
|
|
31
103
|
|
|
32
104
|
app.use((error: any, req: any, res: any, next: any) => {
|
|
33
|
-
|
|
105
|
+
res.status(400).json(error);
|
|
34
106
|
});
|
|
35
107
|
|
|
36
108
|
app.listen(8080, () => {
|
|
37
|
-
|
|
109
|
+
console.log('🚀 Running @galeh/chuka application on port 8080!');
|
|
38
110
|
});
|
|
39
111
|
|
|
40
|
-
```
|
|
41
112
|
|
|
42
|
-
|
|
43
|
-
|
|
113
|
+
interface CatsServiceInterface {
|
|
114
|
+
add(cat: CatsModel): Promise<void>;
|
|
115
|
+
findAll(): Promise<CatsModel[]>;
|
|
116
|
+
findOne(name: string): Promise<CatsModel | null>;
|
|
117
|
+
}
|
|
44
118
|
|
|
45
|
-
|
|
46
|
-
|
|
47
|
-
|
|
48
|
-
|
|
49
|
-
|
|
50
|
-
|
|
51
|
-
postCat = this.intercepted.use(
|
|
52
|
-
bodyValidator<CatModel>({
|
|
53
|
-
name: and(isDefined(), isString()),
|
|
54
|
-
country: isNumber(),
|
|
55
|
-
age: custom(model => Promise.resolve(!!(model.age && model.age > 2))),
|
|
56
|
-
parents: {
|
|
57
|
-
name: isString(),
|
|
58
|
-
parents: {
|
|
59
|
-
country: isString(),
|
|
60
|
-
}
|
|
61
|
-
}
|
|
62
|
-
})
|
|
63
|
-
).post('/', async (req, res) => {{
|
|
64
|
-
const allcats = await this.service.add(req.body.name);
|
|
65
|
-
res.send(allcats);
|
|
66
|
-
}});
|
|
67
|
-
|
|
68
|
-
getAllCats = this.intercepted.get('/', async (req, res) => {{
|
|
69
|
-
const allcats = await this.service.findAll();
|
|
70
|
-
res.send(allcats);
|
|
71
|
-
}});
|
|
72
|
-
|
|
73
|
-
getCatById = this.intercepted.get('/:id', async (req, res) => {
|
|
74
|
-
const onecat = await this.service.findOne(+req.params.id);
|
|
75
|
-
res.send(onecat);
|
|
76
|
-
});
|
|
77
|
-
|
|
78
|
-
constructor(@inject('catservice') private service: CatsServiceInterface) {
|
|
79
|
-
super();
|
|
80
|
-
}
|
|
119
|
+
interface CatsModel {
|
|
120
|
+
name: string;
|
|
121
|
+
country: string;
|
|
122
|
+
age: number;
|
|
123
|
+
parents: CatsModel[];
|
|
81
124
|
}
|
|
82
125
|
|
|
83
126
|
```
|
|
127
|
+
|
|
128
|
+
|
|
84
129
|
Explore the possibilities and experience a new level of Express.js development with [@galeh/chuka](https://www.npmjs.com/package/@galeh/chuka). 🌟
|
|
85
130
|
|
|
86
131
|
|
package/index.d.ts
CHANGED
|
@@ -1,10 +1,19 @@
|
|
|
1
1
|
import * as express from 'express';
|
|
2
|
-
import {
|
|
2
|
+
import { inject } from 'inversify';
|
|
3
|
+
import { injectable } from 'inversify';
|
|
4
|
+
import { json } from 'express';
|
|
3
5
|
import { NextFunction } from 'express';
|
|
6
|
+
import { query } from 'express';
|
|
7
|
+
import { raw } from 'express';
|
|
4
8
|
import { Request as Request_2 } from 'express';
|
|
5
9
|
import { Response as Response_2 } from 'express';
|
|
10
|
+
import { static } from 'express';
|
|
11
|
+
import { text } from 'express';
|
|
12
|
+
import { urlencoded } from 'express';
|
|
6
13
|
import { WebSocket as WebSocket_2 } from 'ws';
|
|
7
14
|
|
|
15
|
+
export declare function and<T>(...validationFunctions: Array<Validator<T>>): Validator<T>;
|
|
16
|
+
|
|
8
17
|
declare interface ApplicationConfig {
|
|
9
18
|
routes: Array<Route>;
|
|
10
19
|
dependencies?: Array<Dependency>;
|
|
@@ -13,6 +22,17 @@ declare interface ApplicationConfig {
|
|
|
13
22
|
set?: Partial<Settings>;
|
|
14
23
|
}
|
|
15
24
|
|
|
25
|
+
declare class AtomicValidator<T> extends Validator<T> {
|
|
26
|
+
private implementation;
|
|
27
|
+
queryField?: keyof T | undefined;
|
|
28
|
+
constructor(implementation: (subject: T | T[keyof T]) => ValidatorReturn, queryField?: keyof T | undefined);
|
|
29
|
+
validate(subject: T, selectedField: keyof T): ValidatorReturn;
|
|
30
|
+
}
|
|
31
|
+
|
|
32
|
+
export declare function bodyValidator<T>(validationLogic: ValidationLogic<T>): Middleware<{
|
|
33
|
+
body: T;
|
|
34
|
+
}>;
|
|
35
|
+
|
|
16
36
|
export declare class Controller {
|
|
17
37
|
private router;
|
|
18
38
|
constructor();
|
|
@@ -32,6 +52,8 @@ export declare class Controller {
|
|
|
32
52
|
|
|
33
53
|
export declare function createApp(config: ApplicationConfig): express.Application;
|
|
34
54
|
|
|
55
|
+
export declare function custom<T>(validator: (obj: T) => ValidatorReturn): Validator<T>;
|
|
56
|
+
|
|
35
57
|
declare interface Dependency {
|
|
36
58
|
provide: string;
|
|
37
59
|
useClass?: Type<any>;
|
|
@@ -51,7 +73,21 @@ declare type GetRouteParameter<S extends string> = RemoveTail<RemoveTail<RemoveT
|
|
|
51
73
|
|
|
52
74
|
declare const getRouterSymbol: unique symbol;
|
|
53
75
|
|
|
54
|
-
export {
|
|
76
|
+
export { inject }
|
|
77
|
+
|
|
78
|
+
export { injectable }
|
|
79
|
+
|
|
80
|
+
export declare function isDefined<T>(field?: keyof T): AtomicValidator<T>;
|
|
81
|
+
|
|
82
|
+
export declare function isNull<T>(field?: keyof T): AtomicValidator<T>;
|
|
83
|
+
|
|
84
|
+
export declare function isNumber<T>(field?: keyof T): AtomicValidator<T>;
|
|
85
|
+
|
|
86
|
+
export declare function isString<T>(field?: keyof T): AtomicValidator<T>;
|
|
87
|
+
|
|
88
|
+
export declare function isUndefined<T>(field?: keyof T): AtomicValidator<T>;
|
|
89
|
+
|
|
90
|
+
export { json }
|
|
55
91
|
|
|
56
92
|
declare type Merge<A, B> = {
|
|
57
93
|
[k in keyof A & keyof B]: (A & B)[k] extends never ? B[k] : 0 extends 1 & (A & B)[k] ? B[k] : (A & B)[k];
|
|
@@ -141,14 +177,26 @@ declare interface MiniControllerWS<T> {
|
|
|
141
177
|
(handler: WSHandler<T>): void;
|
|
142
178
|
}
|
|
143
179
|
|
|
180
|
+
export declare function not<T>(validationFunction: Validator<T>): Validator<T>;
|
|
181
|
+
|
|
182
|
+
export declare function notNull<T>(field?: keyof T): AtomicValidator<T>;
|
|
183
|
+
|
|
184
|
+
export declare function or<T>(...validationFunctions: Array<Validator<T>>): Validator<T>;
|
|
185
|
+
|
|
144
186
|
declare interface ParamsDictionary {
|
|
145
187
|
[key: string]: string;
|
|
146
188
|
}
|
|
147
189
|
|
|
148
190
|
declare type PathParams = string | RegExp | Array<string | RegExp>;
|
|
149
191
|
|
|
192
|
+
export { query }
|
|
193
|
+
|
|
194
|
+
export { raw }
|
|
195
|
+
|
|
150
196
|
declare type RemoveTail<S extends string, Tail extends string> = S extends `${infer P}${Tail}` ? P : S;
|
|
151
197
|
|
|
198
|
+
declare type RequestField<F extends PropertyKey, T> = Record<F, T>;
|
|
199
|
+
|
|
152
200
|
declare interface RequestHandler<T, P = ParamsDictionary> {
|
|
153
201
|
(req: Merge<Request_2, T & {
|
|
154
202
|
params: P;
|
|
@@ -191,10 +239,30 @@ declare interface Settings extends Record<SettingsEnumKeys, any> {
|
|
|
191
239
|
|
|
192
240
|
declare type SettingsEnumKeys = 'caseSensitiveRouting' | 'env' | 'etag' | 'jsonpCallbackName' | 'jsonEscape' | 'jsonReplacer' | 'jsonSpaces' | 'queryParser' | 'strictRouting' | 'subdomainOffset' | 'trustProxy' | 'views' | 'viewCache' | 'viewEngine' | 'xPoweredBy';
|
|
193
241
|
|
|
242
|
+
export { static }
|
|
243
|
+
|
|
244
|
+
export { text }
|
|
245
|
+
|
|
194
246
|
declare interface Type<T> extends Function {
|
|
195
247
|
new (...args: any[]): T;
|
|
196
248
|
}
|
|
197
249
|
|
|
250
|
+
declare type UnArray<T> = T extends Array<infer A> ? A : T;
|
|
251
|
+
|
|
252
|
+
export { urlencoded }
|
|
253
|
+
|
|
254
|
+
export declare type ValidationLogic<T> = {
|
|
255
|
+
[k in keyof T as T[k] extends Function ? never : k]?: ValidationLogic<UnArray<T[k]>> | Validator<T>;
|
|
256
|
+
};
|
|
257
|
+
|
|
258
|
+
declare abstract class Validator<T> {
|
|
259
|
+
abstract validate(subject: T, selectedField: keyof T): ValidatorReturn;
|
|
260
|
+
}
|
|
261
|
+
|
|
262
|
+
export declare function validator<T, F extends PropertyKey>(validationLogic: ValidationLogic<T>, requestField: F): Middleware<RequestField<F, T>>;
|
|
263
|
+
|
|
264
|
+
declare type ValidatorReturn = boolean | Promise<boolean>;
|
|
265
|
+
|
|
198
266
|
declare type WSHandler<T> = (ws: WebSocket_2, req: Merge<Request_2, T>) => void;
|
|
199
267
|
|
|
200
268
|
export declare type WSMiddleware<T> = (ws: WebSocket_2, req: MergePartial<Request_2, T>, next: NextFunction) => void;
|
package/index.js
CHANGED
|
@@ -12,9 +12,9 @@
|
|
|
12
12
|
/*!********************!*\
|
|
13
13
|
!*** ./src/app.ts ***!
|
|
14
14
|
\********************/
|
|
15
|
-
/***/ ((__unused_webpack_module,
|
|
15
|
+
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
|
|
16
16
|
|
|
17
|
-
eval("
|
|
17
|
+
eval("\nObject.defineProperty(exports, \"__esModule\", ({ value: true }));\nexports.createApp = void 0;\nconst tslib_1 = __webpack_require__(/*! tslib */ \"tslib\");\n__webpack_require__(/*! reflect-metadata */ \"reflect-metadata\");\nconst express = tslib_1.__importStar(__webpack_require__(/*! express */ \"express\"));\nconst inversify_1 = __webpack_require__(/*! inversify */ \"inversify\");\nconst controller_1 = __webpack_require__(/*! ./controller */ \"./src/controller.ts\");\nconst ws = tslib_1.__importStar(__webpack_require__(/*! express-ws */ \"express-ws\"));\nfunction createApp(config) {\n const app = express.default();\n if (config.on) {\n setEventCallbacks(app, config.on);\n }\n if (config.set) {\n applySettings(app, config.set);\n }\n ws.default(app);\n if (config.middlewares) {\n app.use.apply(app, config.middlewares);\n }\n const controllerEmulator = new ControllerEmulator(app);\n const container = new inversify_1.Container();\n initAllDependencies(config, container);\n initControllers(config.routes, container, controllerEmulator);\n return app;\n}\nexports.createApp = createApp;\nfunction setEventCallbacks(app, settings) {\n for (const setting of settings) {\n app.on(setting.event, setting.callback);\n }\n}\nfunction applySettings(app, settings) {\n for (const [key, value] of Object.entries(settings)) {\n // @ts-ignore\n app.set(SettingsEnum[key], value);\n }\n}\nfunction initAllDependencies(config, container) {\n if (config.dependencies) {\n initDependencies(config.dependencies, container);\n }\n initControllersAsDependency(config.routes, container);\n}\nfunction initDependencies(dependencies, container) {\n for (const dep of dependencies) {\n if (dep.useValue) {\n bindValue(container, dep.provide, dep.useValue);\n continue;\n }\n if (dep.useClass) {\n bindClass(container, dep.provide, dep.useClass);\n continue;\n }\n }\n}\nfunction initControllersAsDependency(routes, container) {\n for (const route of routes) {\n bindClass(container, route.controller, route.controller);\n if (route.children) {\n initControllersAsDependency(route.children, container);\n }\n }\n}\nfunction bindClass(container, token, classtype) {\n if (!container.isBound(token)) {\n container.bind(token).to(classtype);\n }\n}\nfunction bindValue(container, token, value) {\n if (!container.isBound(token)) {\n container.bind(token).toConstantValue(value);\n }\n}\nfunction bindFactory(container, token, factory) {\n if (!container.isBound(token)) {\n container.bind(token).toFactory(factory);\n }\n}\nfunction initControllers(routes, container, app) {\n for (const route of routes) {\n const controller = container.get(route.controller);\n app[controller_1.setControllerSymbol](route.path, controller);\n if (route.children) {\n initControllers(route.children, container, controller);\n }\n }\n}\nclass ControllerEmulator {\n constructor(app) {\n this.app = app;\n }\n [controller_1.setControllerSymbol](path, subrouter) {\n this.app.use(path, subrouter[controller_1.getRouterSymbol]());\n }\n}\nclass SettingsEnum {\n constructor() {\n this.caseSensitiveRouting = 'case sensitive routing';\n this.env = 'env';\n this.etag = 'etag';\n this.jsonpCallbackName = 'jsonp callback name';\n this.jsonEscape = 'json escape';\n this.jsonReplacer = 'json replacer';\n this.jsonSpaces = 'json spaces';\n this.queryParser = 'query parser';\n this.strictRouting = 'strict routing';\n this.subdomainOffset = 'subdomain offset';\n this.trustProxy = 'trust proxy';\n this.views = 'views';\n this.viewCache = 'view cache';\n this.viewEngine = 'view engine';\n this.xPoweredBy = 'x-powered-by';\n }\n}\n\n\n//# sourceURL=webpack://@galeh/chuka/./src/app.ts?");
|
|
18
18
|
|
|
19
19
|
/***/ }),
|
|
20
20
|
|
|
@@ -22,9 +22,19 @@ eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export */ __webpac
|
|
|
22
22
|
/*!***************************!*\
|
|
23
23
|
!*** ./src/controller.ts ***!
|
|
24
24
|
\***************************/
|
|
25
|
-
/***/ ((__unused_webpack_module,
|
|
25
|
+
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
|
|
26
26
|
|
|
27
|
-
eval("
|
|
27
|
+
eval("\nObject.defineProperty(exports, \"__esModule\", ({ value: true }));\nexports.Controller = exports.setControllerSymbol = exports.getRouterSymbol = void 0;\nconst tslib_1 = __webpack_require__(/*! tslib */ \"tslib\");\nconst express_1 = __webpack_require__(/*! express */ \"express\");\nconst inversify_1 = __webpack_require__(/*! inversify */ \"inversify\");\nexports.getRouterSymbol = Symbol();\nexports.setControllerSymbol = Symbol();\nlet Controller = class Controller {\n constructor() {\n this.router = (0, express_1.Router)();\n }\n [exports.setControllerSymbol](path, subrouter) {\n this.router.use(path, subrouter[exports.getRouterSymbol]());\n }\n [exports.getRouterSymbol]() {\n return this.router;\n }\n useWS(...middlewares) {\n return (handler) => {\n this.router.ws.apply(this.router, ['/', ...middlewares, handler]);\n };\n }\n use(...middlewares) {\n return new MiniController(this.router, middlewares);\n }\n};\nexports.Controller = Controller;\nexports.Controller = Controller = tslib_1.__decorate([\n (0, inversify_1.injectable)()\n], Controller);\nclass MiniController {\n constructor(router, middlewares) {\n this.router = router;\n this.middlewares = middlewares;\n this.all = this.methodImplementation('all').bind(this);\n this.get = this.methodImplementation('get').bind(this);\n this.post = this.methodImplementation('post').bind(this);\n this.put = this.methodImplementation('put').bind(this);\n this.delete = this.methodImplementation('delete').bind(this);\n this.patch = this.methodImplementation('patch').bind(this);\n this.options = this.methodImplementation('options').bind(this);\n this.head = this.methodImplementation('head').bind(this);\n this.checkout = this.methodImplementation('checkout').bind(this);\n this.connect = this.methodImplementation('connect').bind(this);\n this.copy = this.methodImplementation('copy').bind(this);\n this.lock = this.methodImplementation('lock').bind(this);\n this.merge = this.methodImplementation('merge').bind(this);\n this.mkactivity = this.methodImplementation('mkactivity').bind(this);\n this.mkcol = this.methodImplementation('mkcol').bind(this);\n this.move = this.methodImplementation('move').bind(this);\n this['m-search'] = this.methodImplementation('m-search').bind(this);\n this.notify = this.methodImplementation('notify').bind(this);\n this.propfind = this.methodImplementation('propfind').bind(this);\n this.proppatch = this.methodImplementation('proppatch').bind(this);\n this.purge = this.methodImplementation('purge').bind(this);\n this.report = this.methodImplementation('report').bind(this);\n this.search = this.methodImplementation('search').bind(this);\n this.subscribe = this.methodImplementation('subscribe').bind(this);\n this.trace = this.methodImplementation('trace').bind(this);\n this.unlock = this.methodImplementation('unlock').bind(this);\n this.unsubscribe = this.methodImplementation('unsubscribe').bind(this);\n this.link = this.methodImplementation('link').bind(this);\n this.unlink = this.methodImplementation('unlink').bind(this);\n }\n methodImplementation(methodName) {\n return (path, handler) => {\n this.router[methodName].apply(this.router, [\n path,\n ...this.middlewares,\n (req, res, next) => {\n handler(req, res, next);\n }\n ]);\n };\n }\n use(...middlewares) {\n return new MiniController(this.router, this.middlewares.concat(middlewares));\n }\n}\n\n\n//# sourceURL=webpack://@galeh/chuka/./src/controller.ts?");
|
|
28
|
+
|
|
29
|
+
/***/ }),
|
|
30
|
+
|
|
31
|
+
/***/ "./src/decorators/index.ts":
|
|
32
|
+
/*!*********************************!*\
|
|
33
|
+
!*** ./src/decorators/index.ts ***!
|
|
34
|
+
\*********************************/
|
|
35
|
+
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
|
|
36
|
+
|
|
37
|
+
eval("\nObject.defineProperty(exports, \"__esModule\", ({ value: true }));\nexports.injectable = exports.inject = void 0;\nvar inversify_1 = __webpack_require__(/*! inversify */ \"inversify\");\nObject.defineProperty(exports, \"inject\", ({ enumerable: true, get: function () { return inversify_1.inject; } }));\nObject.defineProperty(exports, \"injectable\", ({ enumerable: true, get: function () { return inversify_1.injectable; } }));\n\n\n//# sourceURL=webpack://@galeh/chuka/./src/decorators/index.ts?");
|
|
28
38
|
|
|
29
39
|
/***/ }),
|
|
30
40
|
|
|
@@ -32,9 +42,49 @@ eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export */ __webpac
|
|
|
32
42
|
/*!**********************!*\
|
|
33
43
|
!*** ./src/index.ts ***!
|
|
34
44
|
\**********************/
|
|
35
|
-
/***/ ((__unused_webpack_module,
|
|
45
|
+
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
|
|
46
|
+
|
|
47
|
+
eval("\nObject.defineProperty(exports, \"__esModule\", ({ value: true }));\nexports.Controller = exports.createApp = void 0;\nconst tslib_1 = __webpack_require__(/*! tslib */ \"tslib\");\nvar app_1 = __webpack_require__(/*! ./app */ \"./src/app.ts\");\nObject.defineProperty(exports, \"createApp\", ({ enumerable: true, get: function () { return app_1.createApp; } }));\nvar controller_1 = __webpack_require__(/*! ./controller */ \"./src/controller.ts\");\nObject.defineProperty(exports, \"Controller\", ({ enumerable: true, get: function () { return controller_1.Controller; } }));\ntslib_1.__exportStar(__webpack_require__(/*! ./decorators */ \"./src/decorators/index.ts\"), exports);\ntslib_1.__exportStar(__webpack_require__(/*! ./middlewares */ \"./src/middlewares/index.ts\"), exports);\ntslib_1.__exportStar(__webpack_require__(/*! ./validators */ \"./src/validators/index.ts\"), exports);\n\n\n//# sourceURL=webpack://@galeh/chuka/./src/index.ts?");
|
|
48
|
+
|
|
49
|
+
/***/ }),
|
|
50
|
+
|
|
51
|
+
/***/ "./src/middlewares/index.ts":
|
|
52
|
+
/*!**********************************!*\
|
|
53
|
+
!*** ./src/middlewares/index.ts ***!
|
|
54
|
+
\**********************************/
|
|
55
|
+
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
|
|
56
|
+
|
|
57
|
+
eval("\nObject.defineProperty(exports, \"__esModule\", ({ value: true }));\nexports.text = exports.raw = exports.query = exports.urlencoded = exports[\"static\"] = exports.json = void 0;\nvar express_1 = __webpack_require__(/*! express */ \"express\");\nObject.defineProperty(exports, \"json\", ({ enumerable: true, get: function () { return express_1.json; } }));\nObject.defineProperty(exports, \"static\", ({ enumerable: true, get: function () { return express_1.static; } }));\nObject.defineProperty(exports, \"urlencoded\", ({ enumerable: true, get: function () { return express_1.urlencoded; } }));\nObject.defineProperty(exports, \"query\", ({ enumerable: true, get: function () { return express_1.query; } }));\nObject.defineProperty(exports, \"raw\", ({ enumerable: true, get: function () { return express_1.raw; } }));\nObject.defineProperty(exports, \"text\", ({ enumerable: true, get: function () { return express_1.text; } }));\n\n\n//# sourceURL=webpack://@galeh/chuka/./src/middlewares/index.ts?");
|
|
58
|
+
|
|
59
|
+
/***/ }),
|
|
60
|
+
|
|
61
|
+
/***/ "./src/validators/body-validator.ts":
|
|
62
|
+
/*!******************************************!*\
|
|
63
|
+
!*** ./src/validators/body-validator.ts ***!
|
|
64
|
+
\******************************************/
|
|
65
|
+
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
|
|
66
|
+
|
|
67
|
+
eval("\nObject.defineProperty(exports, \"__esModule\", ({ value: true }));\nexports.bodyValidator = void 0;\nconst _1 = __webpack_require__(/*! . */ \"./src/validators/index.ts\");\nfunction bodyValidator(validationLogic) {\n return (req, res, next) => {\n (0, _1.validator)(validationLogic, 'body')(req, res, next);\n };\n}\nexports.bodyValidator = bodyValidator;\n\n\n//# sourceURL=webpack://@galeh/chuka/./src/validators/body-validator.ts?");
|
|
68
|
+
|
|
69
|
+
/***/ }),
|
|
70
|
+
|
|
71
|
+
/***/ "./src/validators/index.ts":
|
|
72
|
+
/*!*********************************!*\
|
|
73
|
+
!*** ./src/validators/index.ts ***!
|
|
74
|
+
\*********************************/
|
|
75
|
+
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {
|
|
36
76
|
|
|
37
|
-
eval("
|
|
77
|
+
eval("\nObject.defineProperty(exports, \"__esModule\", ({ value: true }));\nexports.bodyValidator = exports.custom = exports.validator = exports.or = exports.notNull = exports.not = exports.isUndefined = exports.isString = exports.isNumber = exports.isNull = exports.isDefined = exports.and = void 0;\nvar validators_1 = __webpack_require__(/*! ./validators */ \"./src/validators/validators.ts\");\nObject.defineProperty(exports, \"and\", ({ enumerable: true, get: function () { return validators_1.and; } }));\nObject.defineProperty(exports, \"isDefined\", ({ enumerable: true, get: function () { return validators_1.isDefined; } }));\nObject.defineProperty(exports, \"isNull\", ({ enumerable: true, get: function () { return validators_1.isNull; } }));\nObject.defineProperty(exports, \"isNumber\", ({ enumerable: true, get: function () { return validators_1.isNumber; } }));\nObject.defineProperty(exports, \"isString\", ({ enumerable: true, get: function () { return validators_1.isString; } }));\nObject.defineProperty(exports, \"isUndefined\", ({ enumerable: true, get: function () { return validators_1.isUndefined; } }));\nObject.defineProperty(exports, \"not\", ({ enumerable: true, get: function () { return validators_1.not; } }));\nObject.defineProperty(exports, \"notNull\", ({ enumerable: true, get: function () { return validators_1.notNull; } }));\nObject.defineProperty(exports, \"or\", ({ enumerable: true, get: function () { return validators_1.or; } }));\nObject.defineProperty(exports, \"validator\", ({ enumerable: true, get: function () { return validators_1.validator; } }));\nObject.defineProperty(exports, \"custom\", ({ enumerable: true, get: function () { return validators_1.custom; } }));\nvar body_validator_1 = __webpack_require__(/*! ./body-validator */ \"./src/validators/body-validator.ts\");\nObject.defineProperty(exports, \"bodyValidator\", ({ enumerable: true, get: function () { return body_validator_1.bodyValidator; } }));\n\n\n//# sourceURL=webpack://@galeh/chuka/./src/validators/index.ts?");
|
|
78
|
+
|
|
79
|
+
/***/ }),
|
|
80
|
+
|
|
81
|
+
/***/ "./src/validators/validators.ts":
|
|
82
|
+
/*!**************************************!*\
|
|
83
|
+
!*** ./src/validators/validators.ts ***!
|
|
84
|
+
\**************************************/
|
|
85
|
+
/***/ ((__unused_webpack_module, exports) => {
|
|
86
|
+
|
|
87
|
+
eval("\nObject.defineProperty(exports, \"__esModule\", ({ value: true }));\nexports.not = exports.or = exports.andAsync = exports.and = exports.notNull = exports.isNull = exports.isUndefined = exports.isDefined = exports.isNumber = exports.isString = exports.AtomicValidator = exports.custom = exports.Validator = exports.validator = void 0;\nfunction validator(validationLogic, requestField) {\n return (req, res, next) => {\n // @ts-ignore\n applyValidation(req[requestField], validationLogic).then(errors => {\n const result = isThereAnyErrors(errors);\n if (result) {\n next(errors);\n }\n else {\n next();\n }\n }).catch(next);\n };\n}\nexports.validator = validator;\nasync function applyValidation(obj, validationLogic) {\n const validationResult = {};\n for (const key in validationLogic) {\n const atomicValidator = validationLogic[key];\n if (atomicValidator) {\n if (atomicValidator instanceof Validator) {\n try {\n validationResult[key] = atomicValidator.validate(obj, key);\n if (validationResult[key] instanceof Promise) {\n validationResult[key] = await validationResult[key];\n console.log(`awaited result: ${validationResult[key]}`);\n }\n }\n catch (err) {\n validationResult[key] = false;\n }\n }\n else {\n if (obj[key] instanceof Array) {\n validationResult[key] = obj[key].map(objj => applyValidation(objj, atomicValidator));\n if (validationResult[key][0] instanceof Promise) {\n validationResult[key] = Promise.all(validationResult[key]);\n }\n }\n else {\n validationResult[key] = applyValidation(obj[key], atomicValidator);\n if (validationResult[key] instanceof Promise) {\n validationResult[key] = await validationResult[key];\n }\n }\n }\n }\n else {\n validationResult[key] = true;\n }\n }\n return validationResult;\n}\nfunction isThereAnyErrors(obj) {\n for (const [key, value] of Object.entries(obj)) {\n if (value === false) {\n return true;\n }\n else if (typeof value !== 'boolean') {\n const partialRes = isThereAnyErrors(value);\n if (partialRes) {\n return partialRes;\n }\n }\n }\n return false;\n}\n// type ValidationFunction<T> = (subject: T) => boolean;\nclass Validator {\n}\nexports.Validator = Validator;\nclass CustomValidator extends Validator {\n constructor(validator) {\n super();\n this.validator = validator;\n }\n validate(subject, selectedField) {\n return this.validator(subject);\n }\n}\nfunction custom(validator) {\n return new CustomValidator(validator);\n}\nexports.custom = custom;\nclass AtomicValidator extends Validator {\n constructor(implementation, queryField) {\n super();\n this.implementation = implementation;\n this.queryField = queryField;\n }\n validate(subject, selectedField) {\n return this.implementation(this.queryField ? subject[this.queryField] : subject[selectedField]);\n }\n}\nexports.AtomicValidator = AtomicValidator;\nfunction isString(field) {\n return new AtomicValidator((subject) => {\n return typeof subject === 'string';\n }, field);\n}\nexports.isString = isString;\nfunction isNumber(field) {\n return new AtomicValidator((subject) => {\n return typeof subject === 'number';\n }, field);\n}\nexports.isNumber = isNumber;\nfunction isDefined(field) {\n return new AtomicValidator((subject) => {\n return subject != undefined;\n }, field);\n}\nexports.isDefined = isDefined;\nfunction isUndefined(field) {\n return new AtomicValidator((subject) => {\n return subject === undefined;\n }, field);\n}\nexports.isUndefined = isUndefined;\nfunction isNull(field) {\n return new AtomicValidator((subject) => {\n return subject === null;\n }, field);\n}\nexports.isNull = isNull;\nfunction notNull(field) {\n return new AtomicValidator((subject) => {\n return subject !== null;\n }, field);\n}\nexports.notNull = notNull;\nclass AndValidator extends Validator {\n constructor(...validationFunctions) {\n super();\n this.validationFunctions = validationFunctions;\n }\n validate(subject, selectedField) {\n return this.validationFunctions.every(eachValidator => eachValidator.validate(subject, selectedField));\n }\n}\nclass AndValidatorAsync extends Validator {\n constructor(...validationFunctions) {\n super();\n this.validationFunctions = validationFunctions;\n }\n async validate(subject, selectedField) {\n const allPromises = this.validationFunctions.map(eachValidator => eachValidator.validate(subject, selectedField));\n const allResults = await Promise.all(allPromises);\n return allResults.every(val => val);\n }\n}\nclass OrValidator extends Validator {\n constructor(...validationFunctions) {\n super();\n this.validationFunctions = validationFunctions;\n }\n validate(subject, selectedField) {\n return this.validationFunctions.some(eachValidator => eachValidator.validate(subject, selectedField));\n }\n}\nclass NotValidator extends Validator {\n constructor(validationFunctions) {\n super();\n this.validationFunction = validationFunctions;\n }\n validate(subject, selectedField) {\n return !this.validationFunction.validate(subject, selectedField);\n }\n}\nfunction and(...validationFunctions) {\n return new AndValidator(...validationFunctions);\n}\nexports.and = and;\nfunction andAsync(...validationFunctions) {\n return new AndValidatorAsync(...validationFunctions);\n}\nexports.andAsync = andAsync;\nfunction or(...validationFunctions) {\n return new OrValidator(...validationFunctions);\n}\nexports.or = or;\nfunction not(validationFunction) {\n return new NotValidator(validationFunction);\n}\nexports.not = not;\n\n\n//# sourceURL=webpack://@galeh/chuka/./src/validators/validators.ts?");
|
|
38
88
|
|
|
39
89
|
/***/ }),
|
|
40
90
|
|
|
@@ -115,51 +165,10 @@ module.exports = require("tslib");
|
|
|
115
165
|
/******/ }
|
|
116
166
|
/******/
|
|
117
167
|
/************************************************************************/
|
|
118
|
-
/******/ /* webpack/runtime/compat get default export */
|
|
119
|
-
/******/ (() => {
|
|
120
|
-
/******/ // getDefaultExport function for compatibility with non-harmony modules
|
|
121
|
-
/******/ __webpack_require__.n = (module) => {
|
|
122
|
-
/******/ var getter = module && module.__esModule ?
|
|
123
|
-
/******/ () => (module['default']) :
|
|
124
|
-
/******/ () => (module);
|
|
125
|
-
/******/ __webpack_require__.d(getter, { a: getter });
|
|
126
|
-
/******/ return getter;
|
|
127
|
-
/******/ };
|
|
128
|
-
/******/ })();
|
|
129
|
-
/******/
|
|
130
|
-
/******/ /* webpack/runtime/define property getters */
|
|
131
|
-
/******/ (() => {
|
|
132
|
-
/******/ // define getter functions for harmony exports
|
|
133
|
-
/******/ __webpack_require__.d = (exports, definition) => {
|
|
134
|
-
/******/ for(var key in definition) {
|
|
135
|
-
/******/ if(__webpack_require__.o(definition, key) && !__webpack_require__.o(exports, key)) {
|
|
136
|
-
/******/ Object.defineProperty(exports, key, { enumerable: true, get: definition[key] });
|
|
137
|
-
/******/ }
|
|
138
|
-
/******/ }
|
|
139
|
-
/******/ };
|
|
140
|
-
/******/ })();
|
|
141
|
-
/******/
|
|
142
|
-
/******/ /* webpack/runtime/hasOwnProperty shorthand */
|
|
143
|
-
/******/ (() => {
|
|
144
|
-
/******/ __webpack_require__.o = (obj, prop) => (Object.prototype.hasOwnProperty.call(obj, prop))
|
|
145
|
-
/******/ })();
|
|
146
|
-
/******/
|
|
147
|
-
/******/ /* webpack/runtime/make namespace object */
|
|
148
|
-
/******/ (() => {
|
|
149
|
-
/******/ // define __esModule on exports
|
|
150
|
-
/******/ __webpack_require__.r = (exports) => {
|
|
151
|
-
/******/ if(typeof Symbol !== 'undefined' && Symbol.toStringTag) {
|
|
152
|
-
/******/ Object.defineProperty(exports, Symbol.toStringTag, { value: 'Module' });
|
|
153
|
-
/******/ }
|
|
154
|
-
/******/ Object.defineProperty(exports, '__esModule', { value: true });
|
|
155
|
-
/******/ };
|
|
156
|
-
/******/ })();
|
|
157
|
-
/******/
|
|
158
|
-
/************************************************************************/
|
|
159
168
|
/******/
|
|
160
169
|
/******/ // startup
|
|
161
170
|
/******/ // Load entry module and return exports
|
|
162
|
-
/******/ // This entry module
|
|
171
|
+
/******/ // This entry module is referenced by other modules so it can't be inlined
|
|
163
172
|
/******/ var __webpack_exports__ = __webpack_require__("./src/index.ts");
|
|
164
173
|
/******/ var __webpack_export_target__ = exports;
|
|
165
174
|
/******/ for(var i in __webpack_exports__) __webpack_export_target__[i] = __webpack_exports__[i];
|
package/package.json
CHANGED
|
@@ -1,6 +1,6 @@
|
|
|
1
1
|
{
|
|
2
2
|
"name": "@galeh/chuka",
|
|
3
|
-
"version": "1.1.
|
|
3
|
+
"version": "1.1.5",
|
|
4
4
|
"description": "simple yet robust wrapper for expressjs",
|
|
5
5
|
"keywords": [
|
|
6
6
|
"chuka",
|
|
@@ -37,5 +37,6 @@
|
|
|
37
37
|
"url": "https://github.com/hgaleh/chuka.git"
|
|
38
38
|
},
|
|
39
39
|
"type": "commonjs",
|
|
40
|
-
"main": "index.js"
|
|
40
|
+
"main": "index.js",
|
|
41
|
+
"types": "index.d.ts"
|
|
41
42
|
}
|
package/decorators.js
DELETED
|
@@ -1,107 +0,0 @@
|
|
|
1
|
-
/*
|
|
2
|
-
* ATTENTION: The "eval" devtool has been used (maybe by default in mode: "development").
|
|
3
|
-
* This devtool is neither made for production nor for readable output files.
|
|
4
|
-
* It uses "eval()" calls to create a separate source file in the browser devtools.
|
|
5
|
-
* If you are trying to read the output file, select a different devtool (https://webpack.js.org/configuration/devtool/)
|
|
6
|
-
* or disable the default devtool with "devtool: false".
|
|
7
|
-
* If you are looking for production-ready output files, see mode: "production" (https://webpack.js.org/configuration/mode/).
|
|
8
|
-
*/
|
|
9
|
-
/******/ var __webpack_modules__ = ({
|
|
10
|
-
|
|
11
|
-
/***/ "./src/decorators/index.ts":
|
|
12
|
-
/*!*********************************!*\
|
|
13
|
-
!*** ./src/decorators/index.ts ***!
|
|
14
|
-
\*********************************/
|
|
15
|
-
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => {
|
|
16
|
-
|
|
17
|
-
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export */ __webpack_require__.d(__webpack_exports__, {\n/* harmony export */ inject: () => (/* reexport safe */ inversify__WEBPACK_IMPORTED_MODULE_0__.inject),\n/* harmony export */ injectable: () => (/* reexport safe */ inversify__WEBPACK_IMPORTED_MODULE_0__.injectable)\n/* harmony export */ });\n/* harmony import */ var inversify__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! inversify */ \"inversify\");\n/* harmony import */ var inversify__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(inversify__WEBPACK_IMPORTED_MODULE_0__);\n\n\n\n//# sourceURL=webpack://@galeh/chuka/./src/decorators/index.ts?");
|
|
18
|
-
|
|
19
|
-
/***/ }),
|
|
20
|
-
|
|
21
|
-
/***/ "inversify":
|
|
22
|
-
/*!****************************!*\
|
|
23
|
-
!*** external "inversify" ***!
|
|
24
|
-
\****************************/
|
|
25
|
-
/***/ ((module) => {
|
|
26
|
-
|
|
27
|
-
module.exports = require("inversify");
|
|
28
|
-
|
|
29
|
-
/***/ })
|
|
30
|
-
|
|
31
|
-
/******/ });
|
|
32
|
-
/************************************************************************/
|
|
33
|
-
/******/ // The module cache
|
|
34
|
-
/******/ var __webpack_module_cache__ = {};
|
|
35
|
-
/******/
|
|
36
|
-
/******/ // The require function
|
|
37
|
-
/******/ function __webpack_require__(moduleId) {
|
|
38
|
-
/******/ // Check if module is in cache
|
|
39
|
-
/******/ var cachedModule = __webpack_module_cache__[moduleId];
|
|
40
|
-
/******/ if (cachedModule !== undefined) {
|
|
41
|
-
/******/ return cachedModule.exports;
|
|
42
|
-
/******/ }
|
|
43
|
-
/******/ // Create a new module (and put it into the cache)
|
|
44
|
-
/******/ var module = __webpack_module_cache__[moduleId] = {
|
|
45
|
-
/******/ // no module.id needed
|
|
46
|
-
/******/ // no module.loaded needed
|
|
47
|
-
/******/ exports: {}
|
|
48
|
-
/******/ };
|
|
49
|
-
/******/
|
|
50
|
-
/******/ // Execute the module function
|
|
51
|
-
/******/ __webpack_modules__[moduleId](module, module.exports, __webpack_require__);
|
|
52
|
-
/******/
|
|
53
|
-
/******/ // Return the exports of the module
|
|
54
|
-
/******/ return module.exports;
|
|
55
|
-
/******/ }
|
|
56
|
-
/******/
|
|
57
|
-
/************************************************************************/
|
|
58
|
-
/******/ /* webpack/runtime/compat get default export */
|
|
59
|
-
/******/ (() => {
|
|
60
|
-
/******/ // getDefaultExport function for compatibility with non-harmony modules
|
|
61
|
-
/******/ __webpack_require__.n = (module) => {
|
|
62
|
-
/******/ var getter = module && module.__esModule ?
|
|
63
|
-
/******/ () => (module['default']) :
|
|
64
|
-
/******/ () => (module);
|
|
65
|
-
/******/ __webpack_require__.d(getter, { a: getter });
|
|
66
|
-
/******/ return getter;
|
|
67
|
-
/******/ };
|
|
68
|
-
/******/ })();
|
|
69
|
-
/******/
|
|
70
|
-
/******/ /* webpack/runtime/define property getters */
|
|
71
|
-
/******/ (() => {
|
|
72
|
-
/******/ // define getter functions for harmony exports
|
|
73
|
-
/******/ __webpack_require__.d = (exports, definition) => {
|
|
74
|
-
/******/ for(var key in definition) {
|
|
75
|
-
/******/ if(__webpack_require__.o(definition, key) && !__webpack_require__.o(exports, key)) {
|
|
76
|
-
/******/ Object.defineProperty(exports, key, { enumerable: true, get: definition[key] });
|
|
77
|
-
/******/ }
|
|
78
|
-
/******/ }
|
|
79
|
-
/******/ };
|
|
80
|
-
/******/ })();
|
|
81
|
-
/******/
|
|
82
|
-
/******/ /* webpack/runtime/hasOwnProperty shorthand */
|
|
83
|
-
/******/ (() => {
|
|
84
|
-
/******/ __webpack_require__.o = (obj, prop) => (Object.prototype.hasOwnProperty.call(obj, prop))
|
|
85
|
-
/******/ })();
|
|
86
|
-
/******/
|
|
87
|
-
/******/ /* webpack/runtime/make namespace object */
|
|
88
|
-
/******/ (() => {
|
|
89
|
-
/******/ // define __esModule on exports
|
|
90
|
-
/******/ __webpack_require__.r = (exports) => {
|
|
91
|
-
/******/ if(typeof Symbol !== 'undefined' && Symbol.toStringTag) {
|
|
92
|
-
/******/ Object.defineProperty(exports, Symbol.toStringTag, { value: 'Module' });
|
|
93
|
-
/******/ }
|
|
94
|
-
/******/ Object.defineProperty(exports, '__esModule', { value: true });
|
|
95
|
-
/******/ };
|
|
96
|
-
/******/ })();
|
|
97
|
-
/******/
|
|
98
|
-
/************************************************************************/
|
|
99
|
-
/******/
|
|
100
|
-
/******/ // startup
|
|
101
|
-
/******/ // Load entry module and return exports
|
|
102
|
-
/******/ // This entry module can't be inlined because the eval devtool is used.
|
|
103
|
-
/******/ var __webpack_exports__ = __webpack_require__("./src/decorators/index.ts");
|
|
104
|
-
/******/ var __webpack_export_target__ = exports;
|
|
105
|
-
/******/ for(var i in __webpack_exports__) __webpack_export_target__[i] = __webpack_exports__[i];
|
|
106
|
-
/******/ if(__webpack_exports__.__esModule) Object.defineProperty(__webpack_export_target__, "__esModule", { value: true });
|
|
107
|
-
/******/
|
package/middlewares.js
DELETED
|
@@ -1,107 +0,0 @@
|
|
|
1
|
-
/*
|
|
2
|
-
* ATTENTION: The "eval" devtool has been used (maybe by default in mode: "development").
|
|
3
|
-
* This devtool is neither made for production nor for readable output files.
|
|
4
|
-
* It uses "eval()" calls to create a separate source file in the browser devtools.
|
|
5
|
-
* If you are trying to read the output file, select a different devtool (https://webpack.js.org/configuration/devtool/)
|
|
6
|
-
* or disable the default devtool with "devtool: false".
|
|
7
|
-
* If you are looking for production-ready output files, see mode: "production" (https://webpack.js.org/configuration/mode/).
|
|
8
|
-
*/
|
|
9
|
-
/******/ var __webpack_modules__ = ({
|
|
10
|
-
|
|
11
|
-
/***/ "./src/middlewares/index.ts":
|
|
12
|
-
/*!**********************************!*\
|
|
13
|
-
!*** ./src/middlewares/index.ts ***!
|
|
14
|
-
\**********************************/
|
|
15
|
-
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => {
|
|
16
|
-
|
|
17
|
-
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export */ __webpack_require__.d(__webpack_exports__, {\n/* harmony export */ json: () => (/* reexport safe */ express__WEBPACK_IMPORTED_MODULE_0__.json),\n/* harmony export */ query: () => (/* reexport safe */ express__WEBPACK_IMPORTED_MODULE_0__.query),\n/* harmony export */ raw: () => (/* reexport safe */ express__WEBPACK_IMPORTED_MODULE_0__.raw),\n/* harmony export */ \"static\": () => (/* reexport safe */ express__WEBPACK_IMPORTED_MODULE_0__[\"static\"]),\n/* harmony export */ text: () => (/* reexport safe */ express__WEBPACK_IMPORTED_MODULE_0__.text),\n/* harmony export */ urlencoded: () => (/* reexport safe */ express__WEBPACK_IMPORTED_MODULE_0__.urlencoded)\n/* harmony export */ });\n/* harmony import */ var express__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! express */ \"express\");\n/* harmony import */ var express__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(express__WEBPACK_IMPORTED_MODULE_0__);\n\n\n\n//# sourceURL=webpack://@galeh/chuka/./src/middlewares/index.ts?");
|
|
18
|
-
|
|
19
|
-
/***/ }),
|
|
20
|
-
|
|
21
|
-
/***/ "express":
|
|
22
|
-
/*!**************************!*\
|
|
23
|
-
!*** external "express" ***!
|
|
24
|
-
\**************************/
|
|
25
|
-
/***/ ((module) => {
|
|
26
|
-
|
|
27
|
-
module.exports = require("express");
|
|
28
|
-
|
|
29
|
-
/***/ })
|
|
30
|
-
|
|
31
|
-
/******/ });
|
|
32
|
-
/************************************************************************/
|
|
33
|
-
/******/ // The module cache
|
|
34
|
-
/******/ var __webpack_module_cache__ = {};
|
|
35
|
-
/******/
|
|
36
|
-
/******/ // The require function
|
|
37
|
-
/******/ function __webpack_require__(moduleId) {
|
|
38
|
-
/******/ // Check if module is in cache
|
|
39
|
-
/******/ var cachedModule = __webpack_module_cache__[moduleId];
|
|
40
|
-
/******/ if (cachedModule !== undefined) {
|
|
41
|
-
/******/ return cachedModule.exports;
|
|
42
|
-
/******/ }
|
|
43
|
-
/******/ // Create a new module (and put it into the cache)
|
|
44
|
-
/******/ var module = __webpack_module_cache__[moduleId] = {
|
|
45
|
-
/******/ // no module.id needed
|
|
46
|
-
/******/ // no module.loaded needed
|
|
47
|
-
/******/ exports: {}
|
|
48
|
-
/******/ };
|
|
49
|
-
/******/
|
|
50
|
-
/******/ // Execute the module function
|
|
51
|
-
/******/ __webpack_modules__[moduleId](module, module.exports, __webpack_require__);
|
|
52
|
-
/******/
|
|
53
|
-
/******/ // Return the exports of the module
|
|
54
|
-
/******/ return module.exports;
|
|
55
|
-
/******/ }
|
|
56
|
-
/******/
|
|
57
|
-
/************************************************************************/
|
|
58
|
-
/******/ /* webpack/runtime/compat get default export */
|
|
59
|
-
/******/ (() => {
|
|
60
|
-
/******/ // getDefaultExport function for compatibility with non-harmony modules
|
|
61
|
-
/******/ __webpack_require__.n = (module) => {
|
|
62
|
-
/******/ var getter = module && module.__esModule ?
|
|
63
|
-
/******/ () => (module['default']) :
|
|
64
|
-
/******/ () => (module);
|
|
65
|
-
/******/ __webpack_require__.d(getter, { a: getter });
|
|
66
|
-
/******/ return getter;
|
|
67
|
-
/******/ };
|
|
68
|
-
/******/ })();
|
|
69
|
-
/******/
|
|
70
|
-
/******/ /* webpack/runtime/define property getters */
|
|
71
|
-
/******/ (() => {
|
|
72
|
-
/******/ // define getter functions for harmony exports
|
|
73
|
-
/******/ __webpack_require__.d = (exports, definition) => {
|
|
74
|
-
/******/ for(var key in definition) {
|
|
75
|
-
/******/ if(__webpack_require__.o(definition, key) && !__webpack_require__.o(exports, key)) {
|
|
76
|
-
/******/ Object.defineProperty(exports, key, { enumerable: true, get: definition[key] });
|
|
77
|
-
/******/ }
|
|
78
|
-
/******/ }
|
|
79
|
-
/******/ };
|
|
80
|
-
/******/ })();
|
|
81
|
-
/******/
|
|
82
|
-
/******/ /* webpack/runtime/hasOwnProperty shorthand */
|
|
83
|
-
/******/ (() => {
|
|
84
|
-
/******/ __webpack_require__.o = (obj, prop) => (Object.prototype.hasOwnProperty.call(obj, prop))
|
|
85
|
-
/******/ })();
|
|
86
|
-
/******/
|
|
87
|
-
/******/ /* webpack/runtime/make namespace object */
|
|
88
|
-
/******/ (() => {
|
|
89
|
-
/******/ // define __esModule on exports
|
|
90
|
-
/******/ __webpack_require__.r = (exports) => {
|
|
91
|
-
/******/ if(typeof Symbol !== 'undefined' && Symbol.toStringTag) {
|
|
92
|
-
/******/ Object.defineProperty(exports, Symbol.toStringTag, { value: 'Module' });
|
|
93
|
-
/******/ }
|
|
94
|
-
/******/ Object.defineProperty(exports, '__esModule', { value: true });
|
|
95
|
-
/******/ };
|
|
96
|
-
/******/ })();
|
|
97
|
-
/******/
|
|
98
|
-
/************************************************************************/
|
|
99
|
-
/******/
|
|
100
|
-
/******/ // startup
|
|
101
|
-
/******/ // Load entry module and return exports
|
|
102
|
-
/******/ // This entry module can't be inlined because the eval devtool is used.
|
|
103
|
-
/******/ var __webpack_exports__ = __webpack_require__("./src/middlewares/index.ts");
|
|
104
|
-
/******/ var __webpack_export_target__ = exports;
|
|
105
|
-
/******/ for(var i in __webpack_exports__) __webpack_export_target__[i] = __webpack_exports__[i];
|
|
106
|
-
/******/ if(__webpack_exports__.__esModule) Object.defineProperty(__webpack_export_target__, "__esModule", { value: true });
|
|
107
|
-
/******/
|
package/validators.js
DELETED
|
@@ -1,105 +0,0 @@
|
|
|
1
|
-
/*
|
|
2
|
-
* ATTENTION: The "eval" devtool has been used (maybe by default in mode: "development").
|
|
3
|
-
* This devtool is neither made for production nor for readable output files.
|
|
4
|
-
* It uses "eval()" calls to create a separate source file in the browser devtools.
|
|
5
|
-
* If you are trying to read the output file, select a different devtool (https://webpack.js.org/configuration/devtool/)
|
|
6
|
-
* or disable the default devtool with "devtool: false".
|
|
7
|
-
* If you are looking for production-ready output files, see mode: "production" (https://webpack.js.org/configuration/mode/).
|
|
8
|
-
*/
|
|
9
|
-
/******/ var __webpack_modules__ = ({
|
|
10
|
-
|
|
11
|
-
/***/ "./src/validators/body-validator.ts":
|
|
12
|
-
/*!******************************************!*\
|
|
13
|
-
!*** ./src/validators/body-validator.ts ***!
|
|
14
|
-
\******************************************/
|
|
15
|
-
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => {
|
|
16
|
-
|
|
17
|
-
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export */ __webpack_require__.d(__webpack_exports__, {\n/* harmony export */ bodyValidator: () => (/* binding */ bodyValidator)\n/* harmony export */ });\n/* harmony import */ var ___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! . */ \"./src/validators/validators.ts\");\n\nfunction bodyValidator(validationLogic) {\n return (req, res, next) => {\n (0,___WEBPACK_IMPORTED_MODULE_0__.validator)(validationLogic, 'body')(req, res, next);\n };\n}\n\n\n//# sourceURL=webpack://@galeh/chuka/./src/validators/body-validator.ts?");
|
|
18
|
-
|
|
19
|
-
/***/ }),
|
|
20
|
-
|
|
21
|
-
/***/ "./src/validators/index.ts":
|
|
22
|
-
/*!*********************************!*\
|
|
23
|
-
!*** ./src/validators/index.ts ***!
|
|
24
|
-
\*********************************/
|
|
25
|
-
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => {
|
|
26
|
-
|
|
27
|
-
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export */ __webpack_require__.d(__webpack_exports__, {\n/* harmony export */ and: () => (/* reexport safe */ _validators__WEBPACK_IMPORTED_MODULE_0__.and),\n/* harmony export */ bodyValidator: () => (/* reexport safe */ _body_validator__WEBPACK_IMPORTED_MODULE_1__.bodyValidator),\n/* harmony export */ custom: () => (/* reexport safe */ _validators__WEBPACK_IMPORTED_MODULE_0__.custom),\n/* harmony export */ isDefined: () => (/* reexport safe */ _validators__WEBPACK_IMPORTED_MODULE_0__.isDefined),\n/* harmony export */ isNull: () => (/* reexport safe */ _validators__WEBPACK_IMPORTED_MODULE_0__.isNull),\n/* harmony export */ isNumber: () => (/* reexport safe */ _validators__WEBPACK_IMPORTED_MODULE_0__.isNumber),\n/* harmony export */ isString: () => (/* reexport safe */ _validators__WEBPACK_IMPORTED_MODULE_0__.isString),\n/* harmony export */ isUndefined: () => (/* reexport safe */ _validators__WEBPACK_IMPORTED_MODULE_0__.isUndefined),\n/* harmony export */ not: () => (/* reexport safe */ _validators__WEBPACK_IMPORTED_MODULE_0__.not),\n/* harmony export */ notNull: () => (/* reexport safe */ _validators__WEBPACK_IMPORTED_MODULE_0__.notNull),\n/* harmony export */ or: () => (/* reexport safe */ _validators__WEBPACK_IMPORTED_MODULE_0__.or),\n/* harmony export */ validator: () => (/* reexport safe */ _validators__WEBPACK_IMPORTED_MODULE_0__.validator)\n/* harmony export */ });\n/* harmony import */ var _validators__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./validators */ \"./src/validators/validators.ts\");\n/* harmony import */ var _body_validator__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./body-validator */ \"./src/validators/body-validator.ts\");\n\n\n\n\n//# sourceURL=webpack://@galeh/chuka/./src/validators/index.ts?");
|
|
28
|
-
|
|
29
|
-
/***/ }),
|
|
30
|
-
|
|
31
|
-
/***/ "./src/validators/validators.ts":
|
|
32
|
-
/*!**************************************!*\
|
|
33
|
-
!*** ./src/validators/validators.ts ***!
|
|
34
|
-
\**************************************/
|
|
35
|
-
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) => {
|
|
36
|
-
|
|
37
|
-
eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export */ __webpack_require__.d(__webpack_exports__, {\n/* harmony export */ AtomicValidator: () => (/* binding */ AtomicValidator),\n/* harmony export */ Validator: () => (/* binding */ Validator),\n/* harmony export */ and: () => (/* binding */ and),\n/* harmony export */ andAsync: () => (/* binding */ andAsync),\n/* harmony export */ custom: () => (/* binding */ custom),\n/* harmony export */ isDefined: () => (/* binding */ isDefined),\n/* harmony export */ isNull: () => (/* binding */ isNull),\n/* harmony export */ isNumber: () => (/* binding */ isNumber),\n/* harmony export */ isString: () => (/* binding */ isString),\n/* harmony export */ isUndefined: () => (/* binding */ isUndefined),\n/* harmony export */ not: () => (/* binding */ not),\n/* harmony export */ notNull: () => (/* binding */ notNull),\n/* harmony export */ or: () => (/* binding */ or),\n/* harmony export */ validator: () => (/* binding */ validator)\n/* harmony export */ });\nfunction validator(validationLogic, requestField) {\n return (req, res, next) => {\n // @ts-ignore\n applyValidation(req[requestField], validationLogic).then(errors => {\n const result = isThereAnyErrors(errors);\n if (result) {\n next(errors);\n }\n else {\n next();\n }\n }).catch(next);\n };\n}\nasync function applyValidation(obj, validationLogic) {\n const validationResult = {};\n for (const key in validationLogic) {\n const atomicValidator = validationLogic[key];\n if (atomicValidator) {\n if (atomicValidator instanceof Validator) {\n try {\n validationResult[key] = atomicValidator.validate(obj, key);\n if (validationResult[key] instanceof Promise) {\n validationResult[key] = await validationResult[key];\n console.log(`awaited result: ${validationResult[key]}`);\n }\n }\n catch (err) {\n validationResult[key] = false;\n }\n }\n else {\n if (obj[key] instanceof Array) {\n validationResult[key] = obj[key].map(objj => applyValidation(objj, atomicValidator));\n if (validationResult[key][0] instanceof Promise) {\n validationResult[key] = Promise.all(validationResult[key]);\n }\n }\n else {\n validationResult[key] = applyValidation(obj[key], atomicValidator);\n if (validationResult[key] instanceof Promise) {\n validationResult[key] = await validationResult[key];\n }\n }\n }\n }\n else {\n validationResult[key] = true;\n }\n }\n return validationResult;\n}\nfunction isThereAnyErrors(obj) {\n for (const [key, value] of Object.entries(obj)) {\n if (value === false) {\n return true;\n }\n else if (typeof value !== 'boolean') {\n const partialRes = isThereAnyErrors(value);\n if (partialRes) {\n return partialRes;\n }\n }\n }\n return false;\n}\n// type ValidationFunction<T> = (subject: T) => boolean;\nclass Validator {\n}\nclass CustomValidator extends Validator {\n constructor(validator) {\n super();\n this.validator = validator;\n }\n validate(subject, selectedField) {\n return this.validator(subject);\n }\n}\nfunction custom(validator) {\n return new CustomValidator(validator);\n}\nclass AtomicValidator extends Validator {\n constructor(implementation, queryField) {\n super();\n this.implementation = implementation;\n this.queryField = queryField;\n }\n validate(subject, selectedField) {\n return this.implementation(this.queryField ? subject[this.queryField] : subject[selectedField]);\n }\n}\nfunction isString(field) {\n return new AtomicValidator((subject) => {\n return typeof subject === 'string';\n }, field);\n}\nfunction isNumber(field) {\n return new AtomicValidator((subject) => {\n return typeof subject === 'number';\n }, field);\n}\nfunction isDefined(field) {\n return new AtomicValidator((subject) => {\n return subject != undefined;\n }, field);\n}\nfunction isUndefined(field) {\n return new AtomicValidator((subject) => {\n return subject === undefined;\n }, field);\n}\nfunction isNull(field) {\n return new AtomicValidator((subject) => {\n return subject === null;\n }, field);\n}\nfunction notNull(field) {\n return new AtomicValidator((subject) => {\n return subject !== null;\n }, field);\n}\nclass AndValidator extends Validator {\n constructor(...validationFunctions) {\n super();\n this.validationFunctions = validationFunctions;\n }\n validate(subject, selectedField) {\n return this.validationFunctions.every(eachValidator => eachValidator.validate(subject, selectedField));\n }\n}\nclass AndValidatorAsync extends Validator {\n constructor(...validationFunctions) {\n super();\n this.validationFunctions = validationFunctions;\n }\n async validate(subject, selectedField) {\n const allPromises = this.validationFunctions.map(eachValidator => eachValidator.validate(subject, selectedField));\n const allResults = await Promise.all(allPromises);\n return allResults.every(val => val);\n }\n}\nclass OrValidator extends Validator {\n constructor(...validationFunctions) {\n super();\n this.validationFunctions = validationFunctions;\n }\n validate(subject, selectedField) {\n return this.validationFunctions.some(eachValidator => eachValidator.validate(subject, selectedField));\n }\n}\nclass NotValidator extends Validator {\n constructor(validationFunctions) {\n super();\n this.validationFunction = validationFunctions;\n }\n validate(subject, selectedField) {\n return !this.validationFunction.validate(subject, selectedField);\n }\n}\nfunction and(...validationFunctions) {\n return new AndValidator(...validationFunctions);\n}\nfunction andAsync(...validationFunctions) {\n return new AndValidatorAsync(...validationFunctions);\n}\nfunction or(...validationFunctions) {\n return new OrValidator(...validationFunctions);\n}\nfunction not(validationFunction) {\n return new NotValidator(validationFunction);\n}\n\n\n//# sourceURL=webpack://@galeh/chuka/./src/validators/validators.ts?");
|
|
38
|
-
|
|
39
|
-
/***/ })
|
|
40
|
-
|
|
41
|
-
/******/ });
|
|
42
|
-
/************************************************************************/
|
|
43
|
-
/******/ // The module cache
|
|
44
|
-
/******/ var __webpack_module_cache__ = {};
|
|
45
|
-
/******/
|
|
46
|
-
/******/ // The require function
|
|
47
|
-
/******/ function __webpack_require__(moduleId) {
|
|
48
|
-
/******/ // Check if module is in cache
|
|
49
|
-
/******/ var cachedModule = __webpack_module_cache__[moduleId];
|
|
50
|
-
/******/ if (cachedModule !== undefined) {
|
|
51
|
-
/******/ return cachedModule.exports;
|
|
52
|
-
/******/ }
|
|
53
|
-
/******/ // Create a new module (and put it into the cache)
|
|
54
|
-
/******/ var module = __webpack_module_cache__[moduleId] = {
|
|
55
|
-
/******/ // no module.id needed
|
|
56
|
-
/******/ // no module.loaded needed
|
|
57
|
-
/******/ exports: {}
|
|
58
|
-
/******/ };
|
|
59
|
-
/******/
|
|
60
|
-
/******/ // Execute the module function
|
|
61
|
-
/******/ __webpack_modules__[moduleId](module, module.exports, __webpack_require__);
|
|
62
|
-
/******/
|
|
63
|
-
/******/ // Return the exports of the module
|
|
64
|
-
/******/ return module.exports;
|
|
65
|
-
/******/ }
|
|
66
|
-
/******/
|
|
67
|
-
/************************************************************************/
|
|
68
|
-
/******/ /* webpack/runtime/define property getters */
|
|
69
|
-
/******/ (() => {
|
|
70
|
-
/******/ // define getter functions for harmony exports
|
|
71
|
-
/******/ __webpack_require__.d = (exports, definition) => {
|
|
72
|
-
/******/ for(var key in definition) {
|
|
73
|
-
/******/ if(__webpack_require__.o(definition, key) && !__webpack_require__.o(exports, key)) {
|
|
74
|
-
/******/ Object.defineProperty(exports, key, { enumerable: true, get: definition[key] });
|
|
75
|
-
/******/ }
|
|
76
|
-
/******/ }
|
|
77
|
-
/******/ };
|
|
78
|
-
/******/ })();
|
|
79
|
-
/******/
|
|
80
|
-
/******/ /* webpack/runtime/hasOwnProperty shorthand */
|
|
81
|
-
/******/ (() => {
|
|
82
|
-
/******/ __webpack_require__.o = (obj, prop) => (Object.prototype.hasOwnProperty.call(obj, prop))
|
|
83
|
-
/******/ })();
|
|
84
|
-
/******/
|
|
85
|
-
/******/ /* webpack/runtime/make namespace object */
|
|
86
|
-
/******/ (() => {
|
|
87
|
-
/******/ // define __esModule on exports
|
|
88
|
-
/******/ __webpack_require__.r = (exports) => {
|
|
89
|
-
/******/ if(typeof Symbol !== 'undefined' && Symbol.toStringTag) {
|
|
90
|
-
/******/ Object.defineProperty(exports, Symbol.toStringTag, { value: 'Module' });
|
|
91
|
-
/******/ }
|
|
92
|
-
/******/ Object.defineProperty(exports, '__esModule', { value: true });
|
|
93
|
-
/******/ };
|
|
94
|
-
/******/ })();
|
|
95
|
-
/******/
|
|
96
|
-
/************************************************************************/
|
|
97
|
-
/******/
|
|
98
|
-
/******/ // startup
|
|
99
|
-
/******/ // Load entry module and return exports
|
|
100
|
-
/******/ // This entry module can't be inlined because the eval devtool is used.
|
|
101
|
-
/******/ var __webpack_exports__ = __webpack_require__("./src/validators/index.ts");
|
|
102
|
-
/******/ var __webpack_export_target__ = exports;
|
|
103
|
-
/******/ for(var i in __webpack_exports__) __webpack_export_target__[i] = __webpack_exports__[i];
|
|
104
|
-
/******/ if(__webpack_exports__.__esModule) Object.defineProperty(__webpack_export_target__, "__esModule", { value: true });
|
|
105
|
-
/******/
|