@onlineapps/conn-orch-registry 1.1.5 → 1.1.7
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/package.json +1 -1
- package/src/registryClient.js +111 -4
package/package.json
CHANGED
|
@@ -1,6 +1,6 @@
|
|
|
1
1
|
{
|
|
2
2
|
"name": "@onlineapps/conn-orch-registry",
|
|
3
|
-
"version": "1.1.
|
|
3
|
+
"version": "1.1.7",
|
|
4
4
|
"license": "MIT",
|
|
5
5
|
"description": "Connector-registry-client provides the core communication mechanism for microservices in this environment. It enables them to interact with a services_registry to receive and fulfill tasks by submitting heartbeats or their API descriptions.",
|
|
6
6
|
"keywords": [
|
package/src/registryClient.js
CHANGED
|
@@ -19,6 +19,8 @@ const EventEmitter = require('events');
|
|
|
19
19
|
const QueueManager = require('./queueManager');
|
|
20
20
|
const RegistryEventConsumer = require('./registryEventConsumer');
|
|
21
21
|
const { v4: uuidv4 } = require('uuid');
|
|
22
|
+
const fs = require('fs');
|
|
23
|
+
const path = require('path');
|
|
22
24
|
|
|
23
25
|
class ServiceRegistryClient extends EventEmitter {
|
|
24
26
|
/**
|
|
@@ -32,7 +34,7 @@ class ServiceRegistryClient extends EventEmitter {
|
|
|
32
34
|
* @param {string} [opts.registryQueue='registry_office'] - Queue name for registry messages
|
|
33
35
|
*/
|
|
34
36
|
constructor({ amqpUrl, serviceName, version, specificationEndpoint = '/api/v1/specification',
|
|
35
|
-
heartbeatInterval = 10000, apiQueue = 'api_services_queuer', registryQueue = '
|
|
37
|
+
heartbeatInterval = 10000, apiQueue = 'api_services_queuer', registryQueue = 'registry.register',
|
|
36
38
|
redis = null, storageConfig = {} }) {
|
|
37
39
|
super();
|
|
38
40
|
if (!amqpUrl || !serviceName || !version) {
|
|
@@ -51,6 +53,9 @@ class ServiceRegistryClient extends EventEmitter {
|
|
|
51
53
|
this.eventConsumer = null;
|
|
52
54
|
this.redis = redis;
|
|
53
55
|
this.storageConfig = storageConfig;
|
|
56
|
+
|
|
57
|
+
// Validation proof (loaded from .validation-proof.json)
|
|
58
|
+
this.validationProof = null;
|
|
54
59
|
}
|
|
55
60
|
|
|
56
61
|
/**
|
|
@@ -60,11 +65,17 @@ class ServiceRegistryClient extends EventEmitter {
|
|
|
60
65
|
async init() {
|
|
61
66
|
await this.queueManager.init();
|
|
62
67
|
|
|
68
|
+
// Load validation proof if exists
|
|
69
|
+
await this._loadValidationProof();
|
|
70
|
+
|
|
63
71
|
// Create service-specific response queue
|
|
64
72
|
this.serviceResponseQueue = `${this.serviceName}.responses`;
|
|
65
73
|
|
|
74
|
+
// Create service-specific registry event queue (for certificate delivery)
|
|
75
|
+
this.serviceRegistryQueue = `${this.serviceName}.registry`;
|
|
76
|
+
|
|
66
77
|
// Ensure existence of API, registry and service response queues
|
|
67
|
-
await this.queueManager.ensureQueues([this.apiQueue, this.registryQueue, this.serviceResponseQueue]);
|
|
78
|
+
await this.queueManager.ensureQueues([this.apiQueue, this.registryQueue, this.serviceResponseQueue, this.serviceRegistryQueue]);
|
|
68
79
|
|
|
69
80
|
// Start consuming service response queue for registry responses
|
|
70
81
|
await this.queueManager.channel.consume(
|
|
@@ -72,6 +83,82 @@ class ServiceRegistryClient extends EventEmitter {
|
|
|
72
83
|
msg => this._handleRegistryMessage(msg),
|
|
73
84
|
{ noAck: false }
|
|
74
85
|
);
|
|
86
|
+
|
|
87
|
+
// CRITICAL: Also listen on registry event queue for certificate delivery
|
|
88
|
+
await this.queueManager.channel.consume(
|
|
89
|
+
this.serviceRegistryQueue,
|
|
90
|
+
msg => this._handleRegistryMessage(msg),
|
|
91
|
+
{ noAck: false }
|
|
92
|
+
);
|
|
93
|
+
}
|
|
94
|
+
|
|
95
|
+
/**
|
|
96
|
+
* Loads validation proof from .validation-proof.json in service root directory.
|
|
97
|
+
* Called during initialization.
|
|
98
|
+
* @private
|
|
99
|
+
* @returns {Promise<void>}
|
|
100
|
+
*/
|
|
101
|
+
async _loadValidationProof() {
|
|
102
|
+
const proofPath = path.join(process.cwd(), '.validation-proof.json');
|
|
103
|
+
|
|
104
|
+
// Log attempt with full context
|
|
105
|
+
console.log(`[RegistryClient] ${this.serviceName}: Loading validation proof from ${proofPath}`);
|
|
106
|
+
console.log(`[RegistryClient] ${this.serviceName}: Current working directory: ${process.cwd()}`);
|
|
107
|
+
|
|
108
|
+
try {
|
|
109
|
+
// Check file existence explicitly
|
|
110
|
+
if (!fs.existsSync(proofPath)) {
|
|
111
|
+
console.log(`[RegistryClient] ${this.serviceName}: ⚠️ Validation proof file NOT FOUND at ${proofPath}`);
|
|
112
|
+
console.log(`[RegistryClient] ${this.serviceName}: Service will use Tier 2 validation (online validation by Registry)`);
|
|
113
|
+
this.validationProof = null;
|
|
114
|
+
return;
|
|
115
|
+
}
|
|
116
|
+
|
|
117
|
+
console.log(`[RegistryClient] ${this.serviceName}: ✓ Proof file exists, reading...`);
|
|
118
|
+
|
|
119
|
+
// Read and parse file
|
|
120
|
+
const fileContent = fs.readFileSync(proofPath, 'utf8');
|
|
121
|
+
console.log(`[RegistryClient] ${this.serviceName}: ✓ File read, size: ${fileContent.length} bytes`);
|
|
122
|
+
|
|
123
|
+
const proofData = JSON.parse(fileContent);
|
|
124
|
+
console.log(`[RegistryClient] ${this.serviceName}: ✓ JSON parsed successfully`);
|
|
125
|
+
|
|
126
|
+
// Validate structure
|
|
127
|
+
if (!proofData.validationProof) {
|
|
128
|
+
console.error(`[RegistryClient] ${this.serviceName}: ❌ ERROR: Missing 'validationProof' field in ${proofPath}`);
|
|
129
|
+
console.error(`[RegistryClient] ${this.serviceName}: Available fields: ${Object.keys(proofData).join(', ')}`);
|
|
130
|
+
this.validationProof = null;
|
|
131
|
+
return;
|
|
132
|
+
}
|
|
133
|
+
|
|
134
|
+
if (!proofData.validationData) {
|
|
135
|
+
console.error(`[RegistryClient] ${this.serviceName}: ❌ ERROR: Missing 'validationData' field in ${proofPath}`);
|
|
136
|
+
console.error(`[RegistryClient] ${this.serviceName}: Available fields: ${Object.keys(proofData).join(', ')}`);
|
|
137
|
+
this.validationProof = null;
|
|
138
|
+
return;
|
|
139
|
+
}
|
|
140
|
+
|
|
141
|
+
// Store proof
|
|
142
|
+
this.validationProof = {
|
|
143
|
+
hash: proofData.validationProof,
|
|
144
|
+
data: proofData.validationData
|
|
145
|
+
};
|
|
146
|
+
|
|
147
|
+
console.log(`[RegistryClient] ${this.serviceName}: ✅ SUCCESS - Validation proof loaded`);
|
|
148
|
+
console.log(`[RegistryClient] ${this.serviceName}: Proof hash: ${this.validationProof.hash.substring(0, 32)}...`);
|
|
149
|
+
console.log(`[RegistryClient] ${this.serviceName}: Validator: ${this.validationProof.data.validator}`);
|
|
150
|
+
console.log(`[RegistryClient] ${this.serviceName}: Tests passed: ${this.validationProof.data.testsPassed}/${this.validationProof.data.testsRun}`);
|
|
151
|
+
console.log(`[RegistryClient] ${this.serviceName}: Validated at: ${this.validationProof.data.validatedAt}`);
|
|
152
|
+
|
|
153
|
+
} catch (error) {
|
|
154
|
+
// Non-critical error - service can still register without proof (will trigger Tier 2 validation)
|
|
155
|
+
console.error(`[RegistryClient] ${this.serviceName}: ❌ EXCEPTION while loading validation proof`);
|
|
156
|
+
console.error(`[RegistryClient] ${this.serviceName}: Error: ${error.message}`);
|
|
157
|
+
console.error(`[RegistryClient] ${this.serviceName}: Stack: ${error.stack}`);
|
|
158
|
+
console.error(`[RegistryClient] ${this.serviceName}: Path attempted: ${proofPath}`);
|
|
159
|
+
console.log(`[RegistryClient] ${this.serviceName}: Service will use Tier 2 validation (online validation by Registry)`);
|
|
160
|
+
this.validationProof = null;
|
|
161
|
+
}
|
|
75
162
|
}
|
|
76
163
|
|
|
77
164
|
/**
|
|
@@ -99,7 +186,8 @@ class ServiceRegistryClient extends EventEmitter {
|
|
|
99
186
|
}
|
|
100
187
|
|
|
101
188
|
// Handle registration response from registry
|
|
102
|
-
|
|
189
|
+
// Registry sends 'register.confirmed' after validation
|
|
190
|
+
if ((payload.type === 'registerResponse' || payload.type === 'register.confirmed') && payload.requestId) {
|
|
103
191
|
if (this.pendingRegistrations && this.pendingRegistrations.has(payload.requestId)) {
|
|
104
192
|
const { resolve } = this.pendingRegistrations.get(payload.requestId);
|
|
105
193
|
this.pendingRegistrations.delete(payload.requestId);
|
|
@@ -111,7 +199,8 @@ class ServiceRegistryClient extends EventEmitter {
|
|
|
111
199
|
serviceName: this.serviceName,
|
|
112
200
|
version: this.version,
|
|
113
201
|
registrationId: payload.registrationId,
|
|
114
|
-
validated: payload.validated ||
|
|
202
|
+
validated: payload.validated || payload.success, // Consider successful registration as validated
|
|
203
|
+
certificate: payload.certificate || null // Include certificate from Registry
|
|
115
204
|
});
|
|
116
205
|
}
|
|
117
206
|
}
|
|
@@ -155,6 +244,16 @@ class ServiceRegistryClient extends EventEmitter {
|
|
|
155
244
|
timestamp: new Date().toISOString()
|
|
156
245
|
};
|
|
157
246
|
|
|
247
|
+
// Include validation proof if loaded
|
|
248
|
+
if (this.validationProof) {
|
|
249
|
+
msg.validationProof = this.validationProof.hash;
|
|
250
|
+
msg.validationData = this.validationProof.data;
|
|
251
|
+
console.log(`[RegistryClient] ${this.serviceName}: ✅ Including validation proof in registration message`);
|
|
252
|
+
console.log(`[RegistryClient] ${this.serviceName}: Proof hash: ${this.validationProof.hash.substring(0, 32)}...`);
|
|
253
|
+
} else {
|
|
254
|
+
console.log(`[RegistryClient] ${this.serviceName}: ⚠️ NO validation proof available - Registry will perform Tier 2 validation`);
|
|
255
|
+
}
|
|
256
|
+
|
|
158
257
|
// Create promise to wait for registration response
|
|
159
258
|
const timeout = serviceInfo.timeout || 30000; // 30 seconds default
|
|
160
259
|
const responsePromise = new Promise((resolve, reject) => {
|
|
@@ -234,6 +333,14 @@ class ServiceRegistryClient extends EventEmitter {
|
|
|
234
333
|
};
|
|
235
334
|
}
|
|
236
335
|
|
|
336
|
+
/**
|
|
337
|
+
* Alias for deregister() - used by ServiceWrapper.shutdown()
|
|
338
|
+
* @returns {Promise<Object>} Deregistration result
|
|
339
|
+
*/
|
|
340
|
+
async unregister() {
|
|
341
|
+
return this.deregister();
|
|
342
|
+
}
|
|
343
|
+
|
|
237
344
|
/**
|
|
238
345
|
* Sends a heartbeat message to the API queue.
|
|
239
346
|
* Should be called only after successful registration.
|