exodus-framework 2.0.699 → 2.0.700

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 (56) hide show
  1. package/lib/app/app.js +84 -0
  2. package/lib/app/controller.js +95 -0
  3. package/lib/app/core.js +66 -0
  4. package/lib/app/index.js +60 -0
  5. package/lib/app/service.js +24 -0
  6. package/lib/app/settings.js +135 -0
  7. package/lib/app/singleton.js +29 -0
  8. package/lib/contracts/console.js +5 -0
  9. package/lib/contracts/entity.js +5 -0
  10. package/lib/contracts/http.js +50 -0
  11. package/lib/contracts/index.js +104 -0
  12. package/lib/contracts/messaging.js +18 -0
  13. package/lib/contracts/security.js +5 -0
  14. package/lib/contracts/service.js +5 -0
  15. package/lib/contracts/session.js +5 -0
  16. package/lib/contracts/settings.js +5 -0
  17. package/lib/contracts/singleton.js +5 -0
  18. package/lib/contracts/socket.js +11 -0
  19. package/lib/controllers/api/file.js +24 -0
  20. package/lib/controllers/api/index.js +13 -0
  21. package/lib/controllers/index.js +16 -0
  22. package/lib/controllers/messaging/database.js +53 -0
  23. package/lib/controllers/messaging/environment.js +70 -0
  24. package/lib/express.d.js +5 -0
  25. package/lib/index.js +92 -0
  26. package/lib/middlewares/access.js +63 -0
  27. package/lib/middlewares/authentication.js +21 -0
  28. package/lib/middlewares/file.js +41 -0
  29. package/lib/middlewares/index.js +27 -0
  30. package/lib/models/Application.js +61 -0
  31. package/lib/models/Connection.js +54 -0
  32. package/lib/models/EnvConnection.js +41 -0
  33. package/lib/models/index.js +46 -0
  34. package/lib/routes/index.js +16 -0
  35. package/lib/routes/messaging/index.js +26 -0
  36. package/lib/services/error.js +49 -0
  37. package/lib/services/express.js +140 -0
  38. package/lib/services/file.js +65 -0
  39. package/lib/services/index.d.ts +1 -0
  40. package/lib/services/index.d.ts.map +1 -1
  41. package/lib/services/index.js +88 -0
  42. package/lib/services/rabitmq.js +93 -0
  43. package/lib/services/redis.js +60 -0
  44. package/lib/services/security.js +224 -0
  45. package/lib/services/sequelize.js +242 -0
  46. package/lib/services/socket.js +56 -0
  47. package/lib/services/task.js +162 -0
  48. package/lib/utils/api.js +50 -0
  49. package/lib/utils/database.js +36 -0
  50. package/lib/utils/date.js +28 -0
  51. package/lib/utils/index.d.ts +0 -1
  52. package/lib/utils/index.d.ts.map +1 -1
  53. package/lib/utils/index.js +60 -0
  54. package/lib/utils/logger.js +55 -0
  55. package/lib/utils/session.js +23 -0
  56. package/package.json +1 -1
@@ -0,0 +1,224 @@
1
+ "use strict";
2
+
3
+ Object.defineProperty(exports, "__esModule", {
4
+ value: true
5
+ });
6
+ exports.default = void 0;
7
+ var crypto = _interopRequireWildcard(require("crypto"));
8
+ var fs = _interopRequireWildcard(require("fs"));
9
+ var _nodeJose = require("node-jose");
10
+ var _path = _interopRequireDefault(require("path"));
11
+ var _app = require("../app");
12
+ var _error = require("./error");
13
+ function _interopRequireDefault(e) { return e && e.__esModule ? e : { default: e }; }
14
+ function _getRequireWildcardCache(e) { if ("function" != typeof WeakMap) return null; var r = new WeakMap(), t = new WeakMap(); return (_getRequireWildcardCache = function (e) { return e ? t : r; })(e); }
15
+ function _interopRequireWildcard(e, r) { if (!r && e && e.__esModule) return e; if (null === e || "object" != typeof e && "function" != typeof e) return { default: e }; var t = _getRequireWildcardCache(r); if (t && t.has(e)) return t.get(e); var n = { __proto__: null }, a = Object.defineProperty && Object.getOwnPropertyDescriptor; for (var u in e) if ("default" !== u && {}.hasOwnProperty.call(e, u)) { var i = a ? Object.getOwnPropertyDescriptor(e, u) : null; i && (i.get || i.set) ? Object.defineProperty(n, u, i) : n[u] = e[u]; } return n.default = e, t && t.set(e, n), n; }
16
+ class SecurityService extends _app.Service {
17
+ privateKey;
18
+ publicKey;
19
+ servicePublicKey;
20
+ async init() {
21
+ this.checkPaths();
22
+ await this.loadPrivateKey();
23
+ await this.loadPublicKey();
24
+ }
25
+ checkPaths() {
26
+ !fs.existsSync(_app.Core.settings.getAuthentication().certPath) && fs.mkdirSync(_app.Core.settings.getAuthentication().certPath, {
27
+ recursive: true
28
+ });
29
+ }
30
+
31
+ /* Key Pair */
32
+ async loadPrivateKey() {
33
+ const privateKeyPath = _path.default.join(_app.Core.settings.getAuthentication().certPath, 'private_key.pem');
34
+ if (fs.existsSync(privateKeyPath)) {
35
+ const pem = fs.readFileSync(privateKeyPath, 'utf8');
36
+ this.privateKey = await _nodeJose.JWK.asKey(pem, 'pem');
37
+ } else {
38
+ const {
39
+ privateKey
40
+ } = await this.createKeyPairs();
41
+ this.privateKey = await _nodeJose.JWK.asKey(privateKey, 'pem');
42
+ }
43
+ }
44
+ async loadPublicKey() {
45
+ const publicKeyPath = _path.default.join(_app.Core.settings.getAuthentication().certPath, 'public_key.pem');
46
+ const pem = this.privateKey.toPEM(false);
47
+ this.publicKey == (await _nodeJose.JWK.asKey(pem, 'pem'));
48
+ fs.writeFileSync(publicKeyPath, pem, 'utf8');
49
+ }
50
+ async createKeyPairs() {
51
+ const keyPair = await _nodeJose.JWK.createKey('RSA', 2048, {
52
+ alg: 'RS256',
53
+ use: 'sig',
54
+ iss: _app.Core.settings.getAuthentication().issuer
55
+ });
56
+ return {
57
+ publicKey: keyPair.toPEM(false),
58
+ privateKey: keyPair.toPEM(true)
59
+ };
60
+ }
61
+ async loadServicePublicKey() {
62
+ if (fs.existsSync(_app.Core.settings.getAuthentication().servicePublicKeyPath)) {
63
+ const pem = fs.readFileSync(_app.Core.settings.getAuthentication().servicePublicKeyPath, 'utf8');
64
+ this.servicePublicKey = await _nodeJose.JWK.asKey(pem, 'pem');
65
+ } else {
66
+ throw new _error.ApplicationException('Não foi possível localizar o certificado de serviço. Verifique o caminho nas configurações');
67
+ }
68
+ }
69
+
70
+ /**
71
+ * Chave privada emitida por este serviço
72
+ *
73
+ * @memberof SecurityService
74
+ */
75
+ getPrivateKey() {
76
+ return this.privateKey;
77
+ }
78
+ /**
79
+ * Chave publica emitida por este serviço
80
+ *
81
+ * @memberof SecurityService
82
+ */
83
+ getPublicKey() {
84
+ return this.publicKey;
85
+ }
86
+ /**
87
+ * Chave publica emitida pelo serviço do hub se sessões
88
+ *
89
+ * @memberof SecurityService
90
+ */
91
+ getServicePublicKey() {
92
+ return this.servicePublicKey;
93
+ }
94
+ /**
95
+ * Criptografía utilizando chave publica
96
+ *
97
+ * @param {TSignData} data
98
+ * @memberof SecurityService
99
+ */
100
+ async encrypt(data, publicKey) {
101
+ const currentTime = Math.floor(Date.now() / 1000);
102
+ const defaults = {
103
+ iat: currentTime,
104
+ exp: currentTime + _app.Core.settings.getAuthentication().signExpirationSecs,
105
+ iss: _app.Core.settings.getAuthentication().issuer
106
+ };
107
+ const payload = JSON.stringify({
108
+ ...defaults,
109
+ ...data
110
+ });
111
+ try {
112
+ const encrypted = await _nodeJose.JWE.createEncrypt({
113
+ format: 'compact'
114
+ }, publicKey).update(payload).final();
115
+ return encrypted;
116
+ } catch (error) {
117
+ new _error.ApplicationException('Não foi possível criptografar os dados', error);
118
+ return false;
119
+ }
120
+ }
121
+ /**
122
+ * Descriptografia utilizando chave privada
123
+ *
124
+ * @param {string} encryptedData
125
+ * @memberof SecurityService
126
+ */
127
+ async decrypt(encryptedData, privateKey) {
128
+ try {
129
+ const decrypted = await _nodeJose.JWE.createDecrypt(privateKey).decrypt(encryptedData);
130
+ const result = decrypted.plaintext.toString();
131
+ const parserd = JSON.parse(result);
132
+ // Tenta parsear como JSON se for objeto
133
+ return parserd.payload;
134
+ } catch (error) {
135
+ new _error.ApplicationException('Não foi possível descriptografar os dados', error);
136
+ return false;
137
+ }
138
+ }
139
+ /**
140
+ * Realiza uma assinatura usando chave privada
141
+ *
142
+ * @param {TSignData} data
143
+ * @memberof SecurityService
144
+ */
145
+ async sign(data, privateKey) {
146
+ const currentTime = Math.floor(Date.now() / 1000);
147
+ const defaults = {
148
+ iat: currentTime,
149
+ exp: currentTime + _app.Core.settings.getAuthentication().signExpirationSecs,
150
+ iss: _app.Core.settings.getAuthentication().issuer
151
+ };
152
+ try {
153
+ const payload = JSON.stringify({
154
+ ...defaults,
155
+ ...data
156
+ });
157
+ const signature = await _nodeJose.JWS.createSign({
158
+ compact: true,
159
+ fields: {
160
+ typ: 'jwt'
161
+ }
162
+ }, privateKey).update(payload, 'utf8').final();
163
+ return signature;
164
+ } catch (error) {
165
+ throw new _error.ApplicationException('Erro ao assinar os dados', error);
166
+ }
167
+ }
168
+
169
+ /**
170
+ * Verifica assinatura utilizando chave publica
171
+ *
172
+ * @param {string} signature
173
+ * @memberof SecurityService
174
+ */
175
+ async verifySignature(signature, publicKey) {
176
+ try {
177
+ const result = await _nodeJose.JWS.createVerify(publicKey).verify(signature);
178
+ const payload = result.payload.toString();
179
+ return JSON.parse(payload);
180
+ } catch (error) {
181
+ new _error.ApplicationException('Assinatura inválida ou erro durante a verificação', error);
182
+ }
183
+ }
184
+
185
+ /**
186
+ * Criptografía de dados utilizando um buffer automático ao invés de chaves
187
+ *
188
+ * @param {(string | object)} data
189
+ * @memberof SecurityService
190
+ */
191
+ simpleEncrypt(data) {
192
+ if (process.versions.openssl <= '1.0.1f') {
193
+ throw new Error('OpenSSL Version too old, vulnerability to Heartbleed');
194
+ }
195
+ const key = crypto.randomBytes(32);
196
+ const iv = crypto.randomBytes(16);
197
+ const cipher = crypto.createCipheriv('aes-256-cbc', Buffer.from(key), iv);
198
+ let encrypted = cipher.update(data);
199
+ encrypted = Buffer.concat([encrypted, cipher.final()]);
200
+ return [iv.toString('hex') + ':' + encrypted.toString('hex'), key];
201
+ }
202
+ /**
203
+ * Utiliza um buffer para descriptografar dados criptografados através de simpleEncrypt()
204
+ *
205
+ * @param {string} data
206
+ * @param {Buffer} key
207
+ * @memberof SecurityService
208
+ */
209
+ simpleDecrypt(data, key) {
210
+ try {
211
+ const textParts = data.split(':');
212
+ const iv = Buffer.from(textParts.shift(), 'hex');
213
+ const encryptedText = Buffer.from(textParts.join(':'), 'hex');
214
+ const decipher = crypto.createDecipheriv('aes-256-cbc', Buffer.from(key), iv);
215
+ let decrypted = decipher.update(encryptedText);
216
+ decrypted = Buffer.concat([decrypted, decipher.final()]);
217
+ return decrypted;
218
+ } catch (error) {
219
+ new _error.ApplicationException('Erro durante a descriptografia de dados', error);
220
+ return false;
221
+ }
222
+ }
223
+ }
224
+ var _default = exports.default = SecurityService;
@@ -0,0 +1,242 @@
1
+ "use strict";
2
+
3
+ Object.defineProperty(exports, "__esModule", {
4
+ value: true
5
+ });
6
+ exports.default = void 0;
7
+ var _sequelize = require("sequelize");
8
+ var _app = require("../app");
9
+ var _service = _interopRequireDefault(require("../app/service"));
10
+ var _Connection = require("../models/Connection");
11
+ var _database = require("../utils/database");
12
+ var _logger = _interopRequireDefault(require("../utils/logger"));
13
+ var _error = require("./error");
14
+ var _models = require("../models");
15
+ function _interopRequireDefault(e) { return e && e.__esModule ? e : { default: e }; }
16
+ /**
17
+ * Serviço de gerênciamento do banco de dados
18
+ *
19
+ * @class SequelizeService
20
+ * @extends {Service}
21
+ * @implements {IService}
22
+ */
23
+ class SequelizeService extends _service.default {
24
+ serviceDB;
25
+ masterDB;
26
+ models;
27
+ connections;
28
+ initializedModels;
29
+
30
+ //# Initialization
31
+ constructor() {
32
+ super();
33
+ }
34
+ async init() {
35
+ this.serviceDB = _database.serviceDB;
36
+ this.masterDB = _database.masterDB;
37
+ this.connections = new Map();
38
+ this.initializedModels = new Map();
39
+ await this.connectMainDatabase();
40
+ }
41
+ async connectMainDatabase() {
42
+ if (!this.models) throw new _error.ApplicationException('Models are requireds! Call registerModels(modelsArray)');
43
+
44
+ // #Include native models
45
+ this.models = [...this.models, ..._models.NativeModels];
46
+ return new Promise(resolve => {
47
+ this.masterDB.sync({
48
+ force: false
49
+ }).then(() => {
50
+ this.log('✅ Connected master database sucessfully', 'success');
51
+ this.serviceDB.sync({
52
+ force: false
53
+ }).then(() => {
54
+ this.log('✅ Connected service database sucessfully', 'success');
55
+ resolve(true);
56
+ }).catch(reason => {
57
+ new _error.ApplicationException('Não foi possível inicializar a conexão com o ServiceDB', reason);
58
+ });
59
+ }).catch(reason => {
60
+ new _error.ApplicationException('Não foi possível inicializar a conexão com MasterDB', reason);
61
+ });
62
+ });
63
+ }
64
+
65
+ //# Common
66
+ reconnect(db, attempts = 2) {
67
+ db.sync().then(() => {
68
+ this.log('Database pronto', 'success');
69
+ }).catch(reason => {
70
+ this.log('Attemping to connect master database', 'warning');
71
+ (0, _logger.default)().warn('Erro ao inicializar o banco de dados, tentando novamente...', reason);
72
+ if (attempts > 0) {
73
+ setTimeout(() => this.reconnect(db, attempts - 1), 5000);
74
+ } else {
75
+ new _error.ApplicationException('Error on connecting master database', reason);
76
+ }
77
+ });
78
+ }
79
+ getMasterConnection() {
80
+ return this.masterDB;
81
+ }
82
+ async createDB(connection_uuid, name) {
83
+ const connData = await _Connection.Connection.findByPk(connection_uuid);
84
+ if (!connData) {
85
+ this.log('Connection data not found: ' + connection_uuid);
86
+ return false;
87
+ }
88
+ const dbQueryName = `${_app.Core.settings.getDatabase().service.database}_${name}`;
89
+ const sequelize = new _sequelize.Sequelize({
90
+ dialect: connData.dialect,
91
+ username: connData.username,
92
+ password: connData.password,
93
+ define: {
94
+ timestamps: true
95
+ },
96
+ timezone: '-03:00',
97
+ logging(sql, timing) {
98
+ (0, _logger.default)().trace('DATABASE', sql, timing);
99
+ }
100
+ });
101
+ return new Promise((resolve, reject) => {
102
+ sequelize.authenticate().then(async () => {
103
+ const [results] = await sequelize.query(`SHOW DATABASES LIKE '${dbQueryName}';`);
104
+ if (results.length === 0) {
105
+ // Se o banco de dados não existir, cria-o
106
+ await sequelize.query(`CREATE DATABASE ${dbQueryName};`);
107
+ this.log(`Database "${dbQueryName}" has been created.`);
108
+ resolve(true);
109
+ } else {
110
+ this.log(`Database "${dbQueryName}" already exists.`);
111
+ resolve(false);
112
+ }
113
+ }).catch(reason => {
114
+ new _error.ApplicationException('Error while checking/creating database:', reason);
115
+ reject(reason);
116
+ }).finally(() => {
117
+ sequelize.close();
118
+ });
119
+ });
120
+ }
121
+ async deleteDB(connection_uuid, name) {
122
+ const dbQueryName = `${_app.Core.settings.getDatabase().service.database}_${name}`;
123
+ const connData = await _Connection.Connection.findByPk(connection_uuid);
124
+ if (!connData) {
125
+ this.log('Connection data not found: ' + connection_uuid);
126
+ return false;
127
+ }
128
+ const sequelize = new _sequelize.Sequelize({
129
+ dialect: connData.dialect,
130
+ username: connData.username,
131
+ password: connData.password,
132
+ define: {
133
+ timestamps: true
134
+ },
135
+ timezone: '-03:00',
136
+ logging(sql, timing) {
137
+ (0, _logger.default)().trace('DATABASE', sql, timing);
138
+ }
139
+ });
140
+ return new Promise((resolve, reject) => {
141
+ sequelize.authenticate().then(async () => {
142
+ // Se o banco de dados não existir, cria-o
143
+ await sequelize.query(`DROP DATABASE IF EXISTS ${dbQueryName};`);
144
+ this.log(`Database "${dbQueryName}" has been deleted.`);
145
+ resolve(true);
146
+ }).catch(reason => {
147
+ new _error.ApplicationException('Error while checking/deleting database:', reason);
148
+ reject(reason);
149
+ }).finally(() => {
150
+ sequelize.close();
151
+ });
152
+ });
153
+ }
154
+ async getDB(tenantId) {
155
+ const {
156
+ con_uuid,
157
+ envToken
158
+ } = this.parseDataInfoByTenantId(tenantId);
159
+ if (con_uuid == _app.Core.settings.getDatabase().service.database) {
160
+ return _database.serviceDB;
161
+ } else if (con_uuid == _app.Core.settings.getDatabase().master.database) {
162
+ return _database.masterDB;
163
+ }
164
+ const dbName = `${_app.Core.settings.getDatabase().service.database}_${envToken}`; //nomeclatura padrão do banco de dados do serviço
165
+ const queryId = `${con_uuid}@${dbName}`;
166
+ return this.connections.get(queryId) || (await this.initDB(tenantId));
167
+ }
168
+ async initDB(tenantId) {
169
+ const {
170
+ con_uuid,
171
+ envToken
172
+ } = this.parseDataInfoByTenantId(tenantId);
173
+ const dbName = `${_app.Core.settings.getDatabase().service.database}_${envToken}`; //nomeclatura padrão do banco de dados do serviço
174
+ const queryId = `${con_uuid}@${dbName}`;
175
+ if (this.connections.get(queryId)) {
176
+ return this.connections.get(queryId);
177
+ }
178
+ const connData = await _Connection.Connection.findByPk(con_uuid);
179
+ if (!connData) {
180
+ this.log('Error on init connection, data not found! uuid: ' + con_uuid, 'danger');
181
+ return false;
182
+ }
183
+ const conn = new _sequelize.Sequelize({
184
+ database: dbName,
185
+ dialect: connData.dialect,
186
+ username: connData.username,
187
+ password: connData.password,
188
+ define: {
189
+ timestamps: true
190
+ },
191
+ timezone: '-03:00',
192
+ logging(sql, timing) {
193
+ (0, _logger.default)().trace('DATABASE', sql, timing);
194
+ }
195
+ });
196
+ return new Promise((resolve, reject) => {
197
+ conn.sync({
198
+ force: false
199
+ }).then(() => {
200
+ this.log(`✅ Connected ${dbName} database sucessfully`, 'success');
201
+ this.connections.set(queryId, conn);
202
+ resolve(conn);
203
+ }).catch(reason => {
204
+ this.log(`error trying to connect: ${dbName}, UUID: ${con_uuid}`);
205
+ reject(reason);
206
+ new _error.ApplicationException(`error trying to connect: ${dbName}, UUID: ${con_uuid}`, reason);
207
+ });
208
+ });
209
+ }
210
+ registerModels(models) {
211
+ this.models = models;
212
+ }
213
+ async getModel(model, tenantId) {
214
+ const {
215
+ con_uuid,
216
+ envToken
217
+ } = this.parseDataInfoByTenantId(tenantId);
218
+ const modelInitID = `${envToken}@${con_uuid}#${model.name}`;
219
+ const cache = this.initializedModels.get(modelInitID);
220
+ if (cache) {
221
+ return cache;
222
+ }
223
+ const connection = await this.getDB(tenantId);
224
+ if (!connection) {
225
+ throw new _error.ApplicationException('Não foi possível obter o model espeficificado: Conexão não encontrada');
226
+ }
227
+ const m = model.initialize(connection);
228
+ await m.sync();
229
+ this.initializedModels.set(modelInitID, m);
230
+ return m;
231
+ }
232
+ parseDataInfoByTenantId(tenant) {
233
+ const e = tenant.split('@');
234
+ const envToken = e[0];
235
+ const con_uuid = e[1];
236
+ return {
237
+ envToken,
238
+ con_uuid
239
+ };
240
+ }
241
+ }
242
+ var _default = exports.default = SequelizeService;
@@ -0,0 +1,56 @@
1
+ "use strict";
2
+
3
+ Object.defineProperty(exports, "__esModule", {
4
+ value: true
5
+ });
6
+ exports.default = void 0;
7
+ var _controller = require("../app/controller");
8
+ var _service = _interopRequireDefault(require("../app/service"));
9
+ var _socket = require("socket.io");
10
+ var _express = _interopRequireDefault(require("./express"));
11
+ var _error = require("./error");
12
+ function _interopRequireDefault(e) { return e && e.__esModule ? e : { default: e }; }
13
+ /**
14
+ * Serviço de gerênciamento de comunicação WS/WSS Socket
15
+ *
16
+ * @class SocketIOService
17
+ * @extends {Service}
18
+ * @implements {IService}
19
+ */
20
+ class SocketIOService extends _service.default {
21
+ server;
22
+ mainRouter;
23
+ constructor() {
24
+ super();
25
+ }
26
+ async init() {
27
+ if (!this.mainRouter) throw new _error.ApplicationException('Need router'); //!sem router
28
+ const server = _express.default.singleton().getHttpServer();
29
+ this.createSocket(server);
30
+ this.server.on('connection', this.onConnection.bind(this));
31
+ this.log('Socket server created');
32
+ }
33
+ onConnection(socket) {
34
+ this.log(`${socket.id} conectado`);
35
+ socket.on('disconnect', () => this.log(`${socket.id} desconectado`));
36
+ this.bindEvents(socket);
37
+ }
38
+ bindEvents(socket) {
39
+ Object.entries(this.mainRouter).forEach(([key, handle]) => {
40
+ socket.on(key, (...args) => {
41
+ handle(new _controller.SocketRequest(socket, key), ...args);
42
+ });
43
+ });
44
+ }
45
+ createSocket(app, cors = {
46
+ origin: '*'
47
+ }) {
48
+ this.server = new _socket.Server(app, {
49
+ cors
50
+ });
51
+ }
52
+ registerRouter(router) {
53
+ this.mainRouter = router;
54
+ }
55
+ }
56
+ var _default = exports.default = SocketIOService;
@@ -0,0 +1,162 @@
1
+ "use strict";
2
+
3
+ Object.defineProperty(exports, "__esModule", {
4
+ value: true
5
+ });
6
+ exports.TaskSchedulingService = exports.TaskQueueService = exports.SchedulingTask = exports.QueueTask = void 0;
7
+ var _bullmq = require("bullmq");
8
+ var _fs = require("fs");
9
+ var _nodeSchedule = require("node-schedule");
10
+ var _service = _interopRequireDefault(require("../app/service"));
11
+ var _singleton = _interopRequireDefault(require("../app/singleton"));
12
+ var _error = require("./error");
13
+ var _app = require("../app");
14
+ function _interopRequireDefault(e) { return e && e.__esModule ? e : { default: e }; }
15
+ //* Base
16
+ class TaskServiceBase extends _service.default {
17
+ jobsPath;
18
+ setTaskPath(path) {
19
+ this.jobsPath = path;
20
+ }
21
+ }
22
+
23
+ //* Scheduler
24
+ class TaskSchedulingService extends TaskServiceBase {
25
+ jobs;
26
+ async init() {
27
+ if (!this.jobsPath) {
28
+ return this.log('Tasks file path not found!', 'danger');
29
+ }
30
+ this.jobs = [];
31
+ this.log('Initializing jobs...', 'info');
32
+ await this.importAllJobs();
33
+ await this.processAllJobs();
34
+ this.log('All jobs initializeds...', 'info');
35
+ }
36
+ async registerJob(job) {
37
+ this.jobs.push(job);
38
+ }
39
+ async importAllJobs() {
40
+ if (!(0, _fs.existsSync)(this.jobsPath)) (0, _fs.mkdirSync)(this.jobsPath, {
41
+ recursive: true
42
+ });
43
+ for (const handlerFile of (0, _fs.readdirSync)(this.jobsPath)) {
44
+ try {
45
+ const job = require(`${this.jobsPath}/${handlerFile}`).default;
46
+ const jobInstance = job.singleton();
47
+ this.jobs.push(jobInstance);
48
+ } catch (error) {
49
+ new _error.ApplicationException(`Falha ao iniciar um ou mais jobs: ${handlerFile}`, error);
50
+ }
51
+ }
52
+ }
53
+ async processAllJobs() {
54
+ for (const job of this.jobs) {
55
+ if (!job.getActive()) continue;
56
+ (0, _nodeSchedule.scheduleJob)(job.getJobTime(), job.handler.bind(job));
57
+ this.log(`Job '${job.getJobName()}' started...`, 'warning');
58
+ }
59
+ }
60
+ }
61
+ exports.TaskSchedulingService = TaskSchedulingService;
62
+ class SchedulingTask extends _singleton.default {
63
+ getJobTime() {
64
+ return this.cron;
65
+ }
66
+ getActive() {
67
+ return this.active;
68
+ }
69
+ getJobName() {
70
+ return this.name;
71
+ }
72
+ }
73
+
74
+ //* Queue
75
+ exports.SchedulingTask = SchedulingTask;
76
+ class TaskQueueService extends TaskServiceBase {
77
+ jobs;
78
+ connection;
79
+ async init() {
80
+ this.jobs = [];
81
+ this.connection = {
82
+ host: _app.Core.settings.getCache().host,
83
+ port: Number(_app.Core.settings.getCache().port),
84
+ password: _app.Core.settings.getCache().password
85
+ };
86
+ this.log('Initializing jobs...', 'info');
87
+ await this.importAllJobs();
88
+ await this.processAllJobs();
89
+ this.log('All jobs initializeds...', 'info');
90
+ }
91
+ async registerJob(job) {
92
+ this.jobs.push(job);
93
+ }
94
+ async importAllJobs() {
95
+ if (!(0, _fs.existsSync)(this.jobsPath)) (0, _fs.mkdirSync)(this.jobsPath, {
96
+ recursive: true
97
+ });
98
+ for (const handlerFile of (0, _fs.readdirSync)(this.jobsPath)) {
99
+ const job = require(`${this.jobsPath}/${handlerFile}`).default;
100
+ const jobInstance = job.singleton();
101
+ this.jobs.push(jobInstance);
102
+ }
103
+ }
104
+ async processAllJobs() {
105
+ for (const job of this.jobs) {
106
+ if (!job.getActive()) continue;
107
+ const queue = new _bullmq.Queue(job.getQueueName(), {
108
+ connection: this.connection
109
+ });
110
+ const worker = new _bullmq.Worker(job.getQueueName(), job.handle.bind(job), {
111
+ connection: this.connection
112
+ });
113
+ job.setQueue(queue);
114
+ job.setWorker(worker);
115
+ job.init();
116
+ this.log(`Job '${job.getQueueName()}' started...`, 'warning');
117
+ }
118
+ }
119
+ }
120
+ exports.TaskQueueService = TaskQueueService;
121
+ class QueueTask extends _singleton.default {
122
+ queue;
123
+ worker;
124
+ initialize() {
125
+ this.queue = new _bullmq.Queue(this.getQueueName(), {
126
+ // Configurações do Redis
127
+ connection: {
128
+ host: 'localhost',
129
+ port: 6379
130
+ }
131
+ });
132
+ this.worker = new _bullmq.Worker(this.getQueueName(), this.handle.bind(this), {
133
+ connection: {
134
+ host: 'localhost',
135
+ port: 6379
136
+ }
137
+ });
138
+ }
139
+ async addJob(data) {
140
+ this.log('adicionando à fila...');
141
+ await this.queue.add(this.getQueueName(), data);
142
+ }
143
+ getQueue() {
144
+ return this.queue;
145
+ }
146
+ setQueue(queue) {
147
+ this.queue = queue;
148
+ }
149
+ getWorker() {
150
+ return this.worker;
151
+ }
152
+ setWorker(worker) {
153
+ this.worker = worker;
154
+ }
155
+ getActive() {
156
+ return this.active;
157
+ }
158
+ getQueueName() {
159
+ return this.queueName;
160
+ }
161
+ }
162
+ exports.QueueTask = QueueTask;