exodus-framework 2.0.699 → 2.0.701
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/lib/app/app.js +84 -0
- package/lib/app/controller.js +95 -0
- package/lib/app/core.js +66 -0
- package/lib/app/index.js +60 -0
- package/lib/app/service.js +24 -0
- package/lib/app/settings.js +135 -0
- package/lib/app/singleton.js +29 -0
- package/lib/contracts/console.js +5 -0
- package/lib/contracts/entity.js +5 -0
- package/lib/contracts/http.js +50 -0
- package/lib/contracts/index.js +104 -0
- package/lib/contracts/messaging.js +18 -0
- package/lib/contracts/security.js +5 -0
- package/lib/contracts/service.js +5 -0
- package/lib/contracts/session.js +5 -0
- package/lib/contracts/settings.js +5 -0
- package/lib/contracts/singleton.js +5 -0
- package/lib/contracts/socket.js +11 -0
- package/lib/controllers/api/file.js +24 -0
- package/lib/controllers/api/index.js +13 -0
- package/lib/controllers/index.js +16 -0
- package/lib/controllers/messaging/database.js +53 -0
- package/lib/controllers/messaging/environment.js +70 -0
- package/lib/express.d.js +5 -0
- package/lib/index.js +92 -0
- package/lib/middlewares/access.js +63 -0
- package/lib/middlewares/authentication.js +21 -0
- package/lib/middlewares/file.js +41 -0
- package/lib/middlewares/index.js +27 -0
- package/lib/models/Application.js +61 -0
- package/lib/models/Connection.js +54 -0
- package/lib/models/EnvConnection.js +41 -0
- package/lib/models/index.js +46 -0
- package/lib/routes/index.js +16 -0
- package/lib/routes/messaging/index.js +26 -0
- package/lib/services/error.js +49 -0
- package/lib/services/express.js +140 -0
- package/lib/services/file.js +65 -0
- package/lib/services/index.d.ts +1 -0
- package/lib/services/index.d.ts.map +1 -1
- package/lib/services/index.js +88 -0
- package/lib/services/rabitmq.js +93 -0
- package/lib/services/redis.js +60 -0
- package/lib/services/security.js +224 -0
- package/lib/services/sequelize.d.ts +2 -0
- package/lib/services/sequelize.d.ts.map +1 -1
- package/lib/services/sequelize.js +265 -0
- package/lib/services/socket.js +56 -0
- package/lib/services/task.js +162 -0
- package/lib/utils/api.js +50 -0
- package/lib/utils/database.js +36 -0
- package/lib/utils/date.js +28 -0
- package/lib/utils/index.d.ts +0 -1
- package/lib/utils/index.d.ts.map +1 -1
- package/lib/utils/index.js +60 -0
- package/lib/utils/logger.js +55 -0
- package/lib/utils/session.js +23 -0
- 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;
|
@@ -1,12 +1,14 @@
|
|
1
1
|
import { Model, ModelStatic, Sequelize } from 'sequelize';
|
2
2
|
import Service from '../app/service';
|
3
3
|
import { IService } from '../contracts/service';
|
4
|
+
import { EnvConnection } from '../models';
|
4
5
|
declare class SequelizeService extends Service implements IService {
|
5
6
|
serviceDB: Sequelize;
|
6
7
|
masterDB: Sequelize;
|
7
8
|
models: ModelStatic<any>[];
|
8
9
|
connections: Map<string, Sequelize>;
|
9
10
|
initializedModels: Map<string, typeof Model<any, any>>;
|
11
|
+
relations: Map<string, EnvConnection>;
|
10
12
|
constructor();
|
11
13
|
init(): Promise<void>;
|
12
14
|
connectMainDatabase(): Promise<unknown>;
|
@@ -1 +1 @@
|
|
1
|
-
{"version":3,"file":"sequelize.d.ts","sourceRoot":"","sources":["../../src/services/sequelize.ts"],"names":[],"mappings":"AAAA,OAAO,EAAE,KAAK,EAAE,WAAW,EAAE,SAAS,EAAE,MAAM,WAAW,CAAC;AAE1D,OAAO,OAAO,MAAM,gBAAgB,CAAC;AACrC,OAAO,EAAE,QAAQ,EAAE,MAAM,sBAAsB,CAAC;
|
1
|
+
{"version":3,"file":"sequelize.d.ts","sourceRoot":"","sources":["../../src/services/sequelize.ts"],"names":[],"mappings":"AAAA,OAAO,EAAE,KAAK,EAAE,WAAW,EAAE,SAAS,EAAE,MAAM,WAAW,CAAC;AAE1D,OAAO,OAAO,MAAM,gBAAgB,CAAC;AACrC,OAAO,EAAE,QAAQ,EAAE,MAAM,sBAAsB,CAAC;AAKhD,OAAO,EAAE,aAAa,EAAgB,MAAM,WAAW,CAAC;AASxD,cAAM,gBAAiB,SAAQ,OAAQ,YAAW,QAAQ;IACxD,SAAS,EAAE,SAAS,CAAC;IACrB,QAAQ,EAAE,SAAS,CAAC;IACpB,MAAM,EAAE,WAAW,CAAC,GAAG,CAAC,EAAE,CAAC;IAC3B,WAAW,EAAE,GAAG,CAAC,MAAM,EAAE,SAAS,CAAC,CAAC;IACpC,iBAAiB,EAAE,GAAG,CAAC,MAAM,EAAE,OAAO,KAAK,CAAC,GAAG,EAAE,GAAG,CAAC,CAAC,CAAC;IACvD,SAAS,EAAE,GAAG,CAAC,MAAM,EAAE,aAAa,CAAC,CAAC;;IAMhC,IAAI;IAOJ,mBAAmB;IAgCzB,SAAS,CAAC,EAAE,EAAE,SAAS,EAAE,QAAQ,SAAI;IAerC,mBAAmB;IAGb,QAAQ,CAAC,eAAe,EAAE,MAAM,EAAE,IAAI,EAAE,MAAM;IA6C9C,QAAQ,CAAC,eAAe,EAAE,MAAM,EAAE,IAAI,EAAE,MAAM;IAwC9C,KAAK,CAAC,QAAQ,EAAE,MAAM;IAwCtB,MAAM,CAAC,QAAQ,EAAE,MAAM;IA4C7B,cAAc,CAAC,MAAM,EAAE,WAAW,CAAC,GAAG,CAAC,EAAE;IAInC,QAAQ,CAAC,CAAC,SAAS,OAAO,KAAK,CAAC,GAAG,EAAE,GAAG,CAAC,EAC7C,KAAK,EAAE,OAAO,KAAK,CAAC,GAAG,EAAE,GAAG,CAAC,GAAG;QAAE,UAAU,EAAE,CAAC,UAAU,EAAE,SAAS,KAAK,CAAC,CAAA;KAAE,EAC5E,QAAQ,EAAE,MAAM;IAwBlB,uBAAuB,CAAC,MAAM,EAAE,MAAM;;;;CAMvC;AAED,eAAe,gBAAgB,CAAC"}
|
@@ -0,0 +1,265 @@
|
|
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
|
+
relations;
|
30
|
+
|
31
|
+
//# Initialization
|
32
|
+
constructor() {
|
33
|
+
super();
|
34
|
+
}
|
35
|
+
async init() {
|
36
|
+
this.serviceDB = _database.serviceDB;
|
37
|
+
this.masterDB = _database.masterDB;
|
38
|
+
this.connections = new Map();
|
39
|
+
this.initializedModels = new Map();
|
40
|
+
await this.connectMainDatabase();
|
41
|
+
}
|
42
|
+
async connectMainDatabase() {
|
43
|
+
if (!this.models) throw new _error.ApplicationException('Models are requireds! Call registerModels(modelsArray)');
|
44
|
+
|
45
|
+
// #Include native models
|
46
|
+
this.models = [...this.models, ..._models.NativeModels];
|
47
|
+
return new Promise(resolve => {
|
48
|
+
this.masterDB.sync({
|
49
|
+
force: false
|
50
|
+
}).then(() => {
|
51
|
+
this.log('✅ Connected master database sucessfully', 'success');
|
52
|
+
this.serviceDB.sync({
|
53
|
+
force: false
|
54
|
+
}).then(() => {
|
55
|
+
this.log('✅ Connected service database sucessfully', 'success');
|
56
|
+
resolve(true);
|
57
|
+
}).catch(reason => {
|
58
|
+
new _error.ApplicationException('Não foi possível inicializar a conexão com o ServiceDB', reason);
|
59
|
+
});
|
60
|
+
}).catch(reason => {
|
61
|
+
new _error.ApplicationException('Não foi possível inicializar a conexão com MasterDB', reason);
|
62
|
+
});
|
63
|
+
});
|
64
|
+
}
|
65
|
+
|
66
|
+
//# Common
|
67
|
+
reconnect(db, attempts = 2) {
|
68
|
+
db.sync().then(() => {
|
69
|
+
this.log('Database pronto', 'success');
|
70
|
+
}).catch(reason => {
|
71
|
+
this.log('Attemping to connect master database', 'warning');
|
72
|
+
(0, _logger.default)().warn('Erro ao inicializar o banco de dados, tentando novamente...', reason);
|
73
|
+
if (attempts > 0) {
|
74
|
+
setTimeout(() => this.reconnect(db, attempts - 1), 5000);
|
75
|
+
} else {
|
76
|
+
new _error.ApplicationException('Error on connecting master database', reason);
|
77
|
+
}
|
78
|
+
});
|
79
|
+
}
|
80
|
+
getMasterConnection() {
|
81
|
+
return this.masterDB;
|
82
|
+
}
|
83
|
+
async createDB(connection_uuid, name) {
|
84
|
+
const connData = await _Connection.Connection.findByPk(connection_uuid);
|
85
|
+
if (!connData) {
|
86
|
+
this.log('Connection data not found: ' + connection_uuid);
|
87
|
+
return false;
|
88
|
+
}
|
89
|
+
const dbQueryName = `${_app.Core.settings.getDatabase().service.database}_${name}`;
|
90
|
+
const sequelize = new _sequelize.Sequelize({
|
91
|
+
dialect: connData.dialect,
|
92
|
+
username: connData.username,
|
93
|
+
password: connData.password,
|
94
|
+
define: {
|
95
|
+
timestamps: true
|
96
|
+
},
|
97
|
+
timezone: '-03:00',
|
98
|
+
logging(sql, timing) {
|
99
|
+
(0, _logger.default)().trace('DATABASE', sql, timing);
|
100
|
+
}
|
101
|
+
});
|
102
|
+
return new Promise((resolve, reject) => {
|
103
|
+
sequelize.authenticate().then(async () => {
|
104
|
+
const [results] = await sequelize.query(`SHOW DATABASES LIKE '${dbQueryName}';`);
|
105
|
+
if (results.length === 0) {
|
106
|
+
// Se o banco de dados não existir, cria-o
|
107
|
+
await sequelize.query(`CREATE DATABASE ${dbQueryName};`);
|
108
|
+
this.log(`Database "${dbQueryName}" has been created.`);
|
109
|
+
resolve(true);
|
110
|
+
} else {
|
111
|
+
this.log(`Database "${dbQueryName}" already exists.`);
|
112
|
+
resolve(false);
|
113
|
+
}
|
114
|
+
}).catch(reason => {
|
115
|
+
new _error.ApplicationException('Error while checking/creating database:', reason);
|
116
|
+
reject(reason);
|
117
|
+
}).finally(() => {
|
118
|
+
sequelize.close();
|
119
|
+
});
|
120
|
+
});
|
121
|
+
}
|
122
|
+
async deleteDB(connection_uuid, name) {
|
123
|
+
const dbQueryName = `${_app.Core.settings.getDatabase().service.database}_${name}`;
|
124
|
+
const connData = await _Connection.Connection.findByPk(connection_uuid);
|
125
|
+
if (!connData) {
|
126
|
+
this.log('Connection data not found: ' + connection_uuid);
|
127
|
+
return false;
|
128
|
+
}
|
129
|
+
const sequelize = new _sequelize.Sequelize({
|
130
|
+
dialect: connData.dialect,
|
131
|
+
username: connData.username,
|
132
|
+
password: connData.password,
|
133
|
+
define: {
|
134
|
+
timestamps: true
|
135
|
+
},
|
136
|
+
timezone: '-03:00',
|
137
|
+
logging(sql, timing) {
|
138
|
+
(0, _logger.default)().trace('DATABASE', sql, timing);
|
139
|
+
}
|
140
|
+
});
|
141
|
+
return new Promise((resolve, reject) => {
|
142
|
+
sequelize.authenticate().then(async () => {
|
143
|
+
// Se o banco de dados não existir, cria-o
|
144
|
+
await sequelize.query(`DROP DATABASE IF EXISTS ${dbQueryName};`);
|
145
|
+
this.log(`Database "${dbQueryName}" has been deleted.`);
|
146
|
+
resolve(true);
|
147
|
+
}).catch(reason => {
|
148
|
+
new _error.ApplicationException('Error while checking/deleting database:', reason);
|
149
|
+
reject(reason);
|
150
|
+
}).finally(() => {
|
151
|
+
sequelize.close();
|
152
|
+
});
|
153
|
+
});
|
154
|
+
}
|
155
|
+
async getDB(tenantId) {
|
156
|
+
let relation;
|
157
|
+
if (tenantId == _app.Core.settings.getDatabase().service.database) {
|
158
|
+
return _database.serviceDB;
|
159
|
+
} else if (tenantId == _app.Core.settings.getDatabase().master.database) {
|
160
|
+
return _database.masterDB;
|
161
|
+
}
|
162
|
+
if (this.relations.get(tenantId)) {
|
163
|
+
relation = this.relations.get(tenantId);
|
164
|
+
} else {
|
165
|
+
relation = await _models.EnvConnection.findOne({
|
166
|
+
where: {
|
167
|
+
envUuid: tenantId
|
168
|
+
}
|
169
|
+
});
|
170
|
+
if (!relation) {
|
171
|
+
new _error.ApplicationException('Não foi possível encontrar a relação env-db: tenantId=' + tenantId);
|
172
|
+
return false;
|
173
|
+
}
|
174
|
+
this.relations.set(tenantId, relation);
|
175
|
+
}
|
176
|
+
const dbName = `${_app.Core.settings.getDatabase().service.database}_${relation.envToken}`; //nomeclatura padrão do banco de dados do serviço
|
177
|
+
const queryId = `${relation.connUuid}@${dbName}`;
|
178
|
+
return this.connections.get(queryId) || (await this.initDB(tenantId));
|
179
|
+
}
|
180
|
+
/* async getDB2(tenantId: string) {
|
181
|
+
const { con_uuid, envToken } = this.parseDataInfoByTenantId(tenantId);
|
182
|
+
if (con_uuid == Core.settings.getDatabase().service.database) {
|
183
|
+
return serviceDB;
|
184
|
+
} else if (con_uuid == Core.settings.getDatabase().master.database) {
|
185
|
+
return masterDB;
|
186
|
+
}
|
187
|
+
const dbName = `${Core.settings.getDatabase().service.database}_${envToken}`; //nomeclatura padrão do banco de dados do serviço
|
188
|
+
const queryId = `${con_uuid}@${dbName}`;
|
189
|
+
return this.connections.get(queryId) || (await this.initDB(tenantId));
|
190
|
+
} */
|
191
|
+
async initDB(tenantId) {
|
192
|
+
const {
|
193
|
+
con_uuid,
|
194
|
+
envToken
|
195
|
+
} = this.parseDataInfoByTenantId(tenantId);
|
196
|
+
const dbName = `${_app.Core.settings.getDatabase().service.database}_${envToken}`; //nomeclatura padrão do banco de dados do serviço
|
197
|
+
const queryId = `${con_uuid}@${dbName}`;
|
198
|
+
if (this.connections.get(queryId)) {
|
199
|
+
return this.connections.get(queryId);
|
200
|
+
}
|
201
|
+
const connData = await _Connection.Connection.findByPk(con_uuid);
|
202
|
+
if (!connData) {
|
203
|
+
this.log('Error on init connection, data not found! uuid: ' + con_uuid, 'danger');
|
204
|
+
return false;
|
205
|
+
}
|
206
|
+
const conn = new _sequelize.Sequelize({
|
207
|
+
database: dbName,
|
208
|
+
dialect: connData.dialect,
|
209
|
+
username: connData.username,
|
210
|
+
password: connData.password,
|
211
|
+
define: {
|
212
|
+
timestamps: true
|
213
|
+
},
|
214
|
+
timezone: '-03:00',
|
215
|
+
logging(sql, timing) {
|
216
|
+
(0, _logger.default)().trace('DATABASE', sql, timing);
|
217
|
+
}
|
218
|
+
});
|
219
|
+
return new Promise((resolve, reject) => {
|
220
|
+
conn.sync({
|
221
|
+
force: false
|
222
|
+
}).then(() => {
|
223
|
+
this.log(`✅ Connected ${dbName} database sucessfully`, 'success');
|
224
|
+
this.connections.set(queryId, conn);
|
225
|
+
resolve(conn);
|
226
|
+
}).catch(reason => {
|
227
|
+
this.log(`error trying to connect: ${dbName}, UUID: ${con_uuid}`);
|
228
|
+
reject(reason);
|
229
|
+
new _error.ApplicationException(`error trying to connect: ${dbName}, UUID: ${con_uuid}`, reason);
|
230
|
+
});
|
231
|
+
});
|
232
|
+
}
|
233
|
+
registerModels(models) {
|
234
|
+
this.models = models;
|
235
|
+
}
|
236
|
+
async getModel(model, tenantId) {
|
237
|
+
const {
|
238
|
+
con_uuid,
|
239
|
+
envToken
|
240
|
+
} = this.parseDataInfoByTenantId(tenantId);
|
241
|
+
const modelInitID = `${envToken}@${con_uuid}#${model.name}`;
|
242
|
+
const cache = this.initializedModels.get(modelInitID);
|
243
|
+
if (cache) {
|
244
|
+
return cache;
|
245
|
+
}
|
246
|
+
const connection = await this.getDB(tenantId);
|
247
|
+
if (!connection) {
|
248
|
+
throw new _error.ApplicationException('Não foi possível obter o model espeficificado: Conexão não encontrada');
|
249
|
+
}
|
250
|
+
const m = model.initialize(connection);
|
251
|
+
await m.sync();
|
252
|
+
this.initializedModels.set(modelInitID, m);
|
253
|
+
return m;
|
254
|
+
}
|
255
|
+
parseDataInfoByTenantId(tenant) {
|
256
|
+
const e = tenant.split('@');
|
257
|
+
const envToken = e[0];
|
258
|
+
const con_uuid = e[1];
|
259
|
+
return {
|
260
|
+
envToken,
|
261
|
+
con_uuid
|
262
|
+
};
|
263
|
+
}
|
264
|
+
}
|
265
|
+
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;
|