@mojaloop/sdk-scheme-adapter 24.10.7 → 24.10.8

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.
Binary file
package/CHANGELOG.md CHANGED
@@ -1,4 +1,16 @@
1
1
  # Changelog: [mojaloop/sdk-scheme-adapter](https://github.com/mojaloop/sdk-scheme-adapter)
2
+ ### [24.10.8](https://github.com/mojaloop/sdk-scheme-adapter/compare/v24.10.7...v24.10.8) (2025-08-11)
3
+
4
+
5
+ ### Bug Fixes
6
+
7
+ * concurrency issues ([#601](https://github.com/mojaloop/sdk-scheme-adapter/issues/601)) ([b693e2f](https://github.com/mojaloop/sdk-scheme-adapter/commit/b693e2fe618f256e4511fe9fad256f48d814ca01))
8
+
9
+
10
+ ### Chore
11
+
12
+ * **sbom:** update sbom [skip ci] ([63b0609](https://github.com/mojaloop/sdk-scheme-adapter/commit/63b06090017264a5d375d48bb9800ca9ae183ddd))
13
+
2
14
  ### [24.10.7](https://github.com/mojaloop/sdk-scheme-adapter/compare/v24.10.6...v24.10.7) (2025-08-08)
3
15
 
4
16
 
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@mojaloop/sdk-scheme-adapter-api-svc",
3
- "version": "21.0.0-snapshot.49",
3
+ "version": "21.0.0-snapshot.50",
4
4
  "description": "An adapter for connecting to Mojaloop API enabled switches.",
5
5
  "main": "src/index.js",
6
6
  "types": "src/index.d.ts",
@@ -115,7 +115,7 @@
115
115
  "jest-junit": "16.0.0",
116
116
  "npm-check-updates": "16.7.10",
117
117
  "openapi-response-validator": "12.1.3",
118
- "openapi-typescript": "7.8.0",
118
+ "openapi-typescript": "7.9.0",
119
119
  "redis-mock": "0.56.3",
120
120
  "replace": "1.2.2",
121
121
  "standard-version": "9.5.0",
@@ -27,6 +27,8 @@
27
27
  'use strict';
28
28
 
29
29
  const redis = require('redis');
30
+ const EventEmitter = require('events');
31
+ const { TimeoutError } = require('./model/common/TimeoutError');
30
32
 
31
33
  const CONN_ST = {
32
34
  CONNECTED: 'CONNECTED',
@@ -41,6 +43,7 @@ const CONN_ST = {
41
43
  class Cache {
42
44
  constructor(config) {
43
45
  this._config = config;
46
+ this._channelEmitter = new EventEmitter();
44
47
 
45
48
  if(!config.cacheUrl || !config.logger) {
46
49
  throw new Error('Cache config requires cacheUrl and logger properties');
@@ -196,6 +199,109 @@ class Cache {
196
199
  return id;
197
200
  }
198
201
 
202
+ /**
203
+ * Subscribes to a channel and waits for a single message with timeout support.
204
+ *
205
+ * NOTE:
206
+ * This implementation uses EventEmitter to handle Redis pub/sub concurrency issues
207
+ * that occur when multiple subscribers listen to the same channel simultaneously.
208
+ * It's designed to prevent race conditions in party lookups where concurrent requests
209
+ * for the same party ID could interfere with each other.
210
+ * Currently used for: Party lookup operations
211
+ * Future potential: This function can be extended to other scenarios and potentially
212
+ * replace the existing subscribe, unsubscribe, and subscribeToOneMessageWithTimer
213
+ * functions for a more robust and concurrency-safe pub/sub implementation.
214
+ *
215
+ * @param {string} channel - The channel name to subscribe to
216
+ * @param {number} requestProcessingTimeoutSeconds - Timeout in seconds before rejecting with TimeoutError
217
+ * @param {boolean} [needParse=true] - Whether to JSON.parse the received message
218
+ *
219
+ * @returns {Promise<any>} Promise that resolves with the message or rejects with TimeoutError/Error
220
+ */
221
+ async subscribeToOneMessageWithTimerNew(channel, requestProcessingTimeoutSeconds, needParse = true) {
222
+ return new Promise((resolve, reject) => {
223
+ let timeoutHandle = null;
224
+ let subscription = null;
225
+ let isResolved = false;
226
+
227
+ // Helper to safely unsubscribe from Redis channel
228
+ const unsubscribeFromRedis = async (reason = 'cleanup') => {
229
+ if (this._channelEmitter.listenerCount(channel) === 0 && this._subscriptionClient) {
230
+ try {
231
+ await this._subscriptionClient.unsubscribe(channel);
232
+ this._logger.push({ channel, reason }).debug('Unsubscribed from Redis channel');
233
+ } catch (unsubscribeErr) {
234
+ this._logger.push({ channel, reason }).warn('Failed to unsubscribe from Redis channel', unsubscribeErr);
235
+ }
236
+ }
237
+ };
238
+
239
+ // Helper to clean up resources and prevent multiple resolutions
240
+ const cleanup = () => {
241
+ if (timeoutHandle) {
242
+ clearTimeout(timeoutHandle);
243
+ timeoutHandle = null;
244
+ }
245
+ if (subscription) {
246
+ this._channelEmitter.removeListener(channel, subscription);
247
+ subscription = null;
248
+ }
249
+ };
250
+
251
+ // Set up timeout handler
252
+ timeoutHandle = setTimeout(async () => {
253
+ if (isResolved) return;
254
+ isResolved = true;
255
+
256
+ cleanup();
257
+ await unsubscribeFromRedis('timeout');
258
+
259
+ const errMessage = `Subscription timeout after ${requestProcessingTimeoutSeconds}s`;
260
+ this._logger.push({ channel, timeout: requestProcessingTimeoutSeconds }).warn(errMessage);
261
+ reject(new TimeoutError(errMessage));
262
+ }, requestProcessingTimeoutSeconds * 1000);
263
+
264
+ // Set up message handler
265
+ subscription = (message) => {
266
+ if (isResolved) return;
267
+ isResolved = true;
268
+
269
+ this._logger.push({ channel, needParse }).debug('Received message on subscribed channel');
270
+
271
+ cleanup();
272
+
273
+ try {
274
+ const result = needParse ? JSON.parse(message) : message;
275
+ resolve(result);
276
+ } catch (parseErr) {
277
+ this._logger.push({ channel, message }).error('Failed to parse received message', parseErr);
278
+ reject(parseErr);
279
+ }
280
+ };
281
+
282
+ // Register the one-time listener
283
+ this._channelEmitter.once(channel, subscription);
284
+
285
+ // Subscribe to Redis channel
286
+ this._subscriptionClient.subscribe(channel, (msg) => {
287
+ this._channelEmitter.emit(channel, msg);
288
+
289
+ // Auto-unsubscribe if no more listeners
290
+ unsubscribeFromRedis('auto-cleanup').catch(err => {
291
+ this._logger.push({ channel }).warn('Auto-unsubscribe failed', err);
292
+ });
293
+ })
294
+ .catch(subscribeErr => {
295
+ if (isResolved) return;
296
+ isResolved = true;
297
+
298
+ cleanup();
299
+ this._logger.push({ channel }).error('Failed to subscribe to Redis channel', subscribeErr);
300
+ reject(subscribeErr);
301
+ });
302
+ });
303
+ }
304
+
199
305
  /**
200
306
  * Subscribes to a channel for some period and always returns resolved promise
201
307
  *
@@ -40,6 +40,7 @@ const PartiesModel = require('./PartiesModel');
40
40
  const {
41
41
  AmountTypes,
42
42
  BackendError,
43
+ TimeoutError,
43
44
  CacheKeyPrefixes,
44
45
  Directions,
45
46
  ErrorMessages,
@@ -321,147 +322,121 @@ class OutboundTransfersModel {
321
322
 
322
323
  let latencyTimerDone;
323
324
 
324
- // hook up a subscriber to handle response messages
325
- const subId = await this._cache.subscribe(payeeKey, (cn, msg, subId) => {
326
- try {
327
- if(latencyTimerDone) {
328
- latencyTimerDone();
329
- }
330
- this.metrics.partyLookupResponses.inc();
331
-
332
- this.data.getPartiesResponse = JSON.parse(msg);
333
- if (this.data.getPartiesResponse.body?.errorInformation) {
334
- // this is an error response to our GET /parties request
335
- const err = new BackendError(`Got an error response resolving party: ${safeStringify(this.data.getPartiesResponse.body, { depth: Infinity })}`, 500);
336
- err.mojaloopError = this.data.getPartiesResponse.body;
337
- // cancel the timeout handler
338
- clearTimeout(timeout);
339
- return reject(err);
340
- }
341
- let payee = this.data.getPartiesResponse.body;
342
-
343
- if(!payee.party) {
344
- // we should never get a non-error response without a party, but just in case...
345
- // cancel the timeout handler
346
- clearTimeout(timeout);
347
- return reject(new Error(`Resolved payee has no party object: ${safeStringify(payee)}`));
348
- }
349
-
350
- payee = payee.party;
351
-
352
- // cancel the timeout handler
353
- clearTimeout(timeout);
354
-
355
- this._logger.isVerboseEnabled && this._logger.push({ payee }).verbose('Payee resolved');
325
+ // now we have a timeout handler and a cache subscriber hooked up we can fire off
326
+ // a GET /parties request to the switch
327
+ try {
328
+ const channel = payeeKey;
329
+ const subscribing = this._cache.subscribeToOneMessageWithTimerNew(channel, this._requestProcessingTimeoutSeconds);
356
330
 
357
- // stop listening for payee resolution messages
358
- // no need to await for the unsubscribe to complete.
359
- // we dont really care if the unsubscribe fails but we should log it regardless
360
- this._cache.unsubscribe(payeeKey, subId, true).catch(e => {
361
- this._logger.isErrorEnabled && this._logger.error(`Error unsubscribing (in callback) ${payeeKey} ${subId}: ${e.stack || safeStringify(e)}`);
362
- });
331
+ latencyTimerDone = this.metrics.partyLookupLatency.startTimer();
332
+ const res = await this._requests.getParties(
333
+ this.data.to.idType,
334
+ this.data.to.idValue,
335
+ this.data.to.idSubValue,
336
+ this.data.to.fspId,
337
+ this.#createOtelHeaders()
338
+ );
363
339
 
364
- // check we got the right payee and info we need
365
- if(payee.partyIdInfo.partyIdType !== this.data.to.idType) {
366
- const err = new Error(`Expecting resolved payee party IdType to be ${this.data.to.idType} but got ${payee.partyIdInfo.partyIdType}`);
367
- return reject(err);
368
- }
340
+ this.data.getPartiesRequest = res.originalRequest;
369
341
 
370
- if(payee.partyIdInfo.partyIdentifier !== this.data.to.idValue) {
371
- const err = new Error(`Expecting resolved payee party identifier to be ${this.data.to.idValue} but got ${payee.partyIdInfo.partyIdentifier}`);
372
- return reject(err);
373
- }
342
+ this.metrics.partyLookupRequests.inc();
343
+ this._logger.push({ peer: res }).debug('Party lookup sent to peer');
374
344
 
375
- if(payee.partyIdInfo.partySubIdOrType !== this.data.to.idSubValue) {
376
- const err = new Error(`Expecting resolved payee party subTypeId to be ${this.data.to.idSubValue} but got ${payee.partyIdInfo.partySubIdOrType}`);
377
- return reject(err);
378
- }
345
+ const message = await subscribing;
379
346
 
380
- if(!payee.partyIdInfo.fspId) {
381
- const err = new Error(`Expecting resolved payee party to have an FSPID: ${safeStringify(payee.partyIdInfo)}`);
382
- return reject(err);
383
- }
347
+ if(latencyTimerDone) {
348
+ latencyTimerDone();
349
+ }
350
+ this.metrics.partyLookupResponses.inc();
384
351
 
385
- // now we got the payee, add the details to our data so we can use it
386
- // in the quote request
387
- this.data.to.fspId = payee.partyIdInfo.fspId;
388
- if(payee.partyIdInfo.extensionList) {
389
- this.data.to.extensionList = payee.partyIdInfo.extensionList.extension;
390
- }
391
- if(payee.personalInfo) {
392
- if(payee.personalInfo.complexName) {
393
- this.data.to.firstName = payee.personalInfo.complexName.firstName || this.data.to.firstName;
394
- this.data.to.middleName = payee.personalInfo.complexName.middleName || this.data.to.middleName;
395
- this.data.to.lastName = payee.personalInfo.complexName.lastName || this.data.to.lastName;
396
- }
397
- this.data.to.dateOfBirth = payee.personalInfo.dateOfBirth;
398
- }
352
+ this.data.getPartiesResponse = message;
353
+ if (this.data.getPartiesResponse.body?.errorInformation) {
354
+ // this is an error response to our GET /parties request
355
+ const err = new BackendError(`Got an error response resolving party: ${safeStringify(this.data.getPartiesResponse.body, { depth: Infinity })}`, 500);
356
+ err.mojaloopError = this.data.getPartiesResponse.body;
357
+ return reject(err);
358
+ }
359
+ let payee = this.data.getPartiesResponse.body;
399
360
 
400
- if (Array.isArray(payee.supportedCurrencies)) {
401
- if (!payee.supportedCurrencies.length) {
402
- throw new Error(ErrorMessages.noSupportedCurrencies);
403
- }
361
+ if(!payee.party) {
362
+ // we should never get a non-error response without a party, but just in case...
363
+ return reject(new Error(`Resolved payee has no party object: ${safeStringify(payee)}`));
364
+ }
404
365
 
405
- this.data.needFx = this._isFxNeeded(this._supportedCurrencies, payee.supportedCurrencies, this.data.currency, this.data.amountType);
406
- this.data.supportedCurrencies = payee.supportedCurrencies;
407
- }
366
+ payee = payee.party;
408
367
 
409
- this._logger.isVerboseEnabled && this._logger.push({
410
- transferId: this.data.transferId,
411
- homeTransactionId: this.data.homeTransactionId,
412
- needFx: this.data.needFx,
413
- }).verbose('Payee validation passed');
368
+ this._logger.push({ payee }).verbose('Payee resolved');
414
369
 
415
- return resolve(payee);
370
+ // check we got the right payee and info we need
371
+ if(payee.partyIdInfo.partyIdType !== this.data.to.idType) {
372
+ const err = new Error(`Expecting resolved payee party IdType to be ${this.data.to.idType} but got ${payee.partyIdInfo.partyIdType}`);
373
+ return reject(err);
416
374
  }
417
- catch (err) {
375
+
376
+ if(payee.partyIdInfo.partyIdentifier !== this.data.to.idValue) {
377
+ const err = new Error(`Expecting resolved payee party identifier to be ${this.data.to.idValue} but got ${payee.partyIdInfo.partyIdentifier}`);
418
378
  return reject(err);
419
379
  }
420
- });
421
380
 
422
- // set up a timeout for the resolution
423
- const timeout = setTimeout(() => {
424
- const err = new BackendError(`Timeout resolving payee for transfer ${this.data.transferId}`, 504);
381
+ if(payee.partyIdInfo.partySubIdOrType !== this.data.to.idSubValue) {
382
+ const err = new Error(`Expecting resolved payee party subTypeId to be ${this.data.to.idSubValue} but got ${payee.partyIdInfo.partySubIdOrType}`);
383
+ return reject(err);
384
+ }
425
385
 
426
- // we dont really care if the unsubscribe fails but we should log it regardless
427
- this._cache.unsubscribe(payeeKey, subId, true).catch(e => {
428
- this._logger.isErrorEnabled && this._logger.error(`Error unsubscribing (in timeout handler) ${payeeKey} ${subId}: ${e.stack || safeStringify(e)}`);
429
- });
386
+ if(!payee.partyIdInfo.fspId) {
387
+ const err = new Error(`Expecting resolved payee party to have an FSPID: ${safeStringify(payee.partyIdInfo)}`);
388
+ return reject(err);
389
+ }
430
390
 
431
- if(latencyTimerDone) {
432
- latencyTimerDone();
391
+ // now we got the payee, add the details to our data so we can use it
392
+ // in the quote request
393
+ this.data.to.fspId = payee.partyIdInfo.fspId;
394
+ if(payee.partyIdInfo.extensionList) {
395
+ this.data.to.extensionList = payee.partyIdInfo.extensionList.extension;
396
+ }
397
+ if(payee.personalInfo) {
398
+ if(payee.personalInfo.complexName) {
399
+ this.data.to.firstName = payee.personalInfo.complexName.firstName || this.data.to.firstName;
400
+ this.data.to.middleName = payee.personalInfo.complexName.middleName || this.data.to.middleName;
401
+ this.data.to.lastName = payee.personalInfo.complexName.lastName || this.data.to.lastName;
402
+ }
403
+ this.data.to.dateOfBirth = payee.personalInfo.dateOfBirth;
433
404
  }
434
405
 
435
- return reject(err);
436
- }, this._requestProcessingTimeoutSeconds * 1000);
406
+ if (Array.isArray(payee.supportedCurrencies)) {
407
+ if (!payee.supportedCurrencies.length) {
408
+ throw new Error(ErrorMessages.noSupportedCurrencies);
409
+ }
437
410
 
438
- // now we have a timeout handler and a cache subscriber hooked up we can fire off
439
- // a GET /parties request to the switch
440
- try {
441
- latencyTimerDone = this.metrics.partyLookupLatency.startTimer();
442
- const res = await this._requests.getParties(
443
- this.data.to.idType,
444
- this.data.to.idValue,
445
- this.data.to.idSubValue,
446
- this.data.to.fspId,
447
- this.#createOtelHeaders()
448
- );
411
+ this.data.needFx = this._isFxNeeded(this._supportedCurrencies, payee.supportedCurrencies, this.data.currency, this.data.amountType);
412
+ this.data.supportedCurrencies = payee.supportedCurrencies;
413
+ }
449
414
 
450
- this.data.getPartiesRequest = res.originalRequest;
415
+ this._logger.push({
416
+ transferId: this.data.transferId,
417
+ homeTransactionId: this.data.homeTransactionId,
418
+ needFx: this.data.needFx,
419
+ }).verbose('Payee validation passed');
451
420
 
452
- this.metrics.partyLookupRequests.inc();
453
- this._logger.isDebugEnabled && this._logger.push({ peer: res }).debug('Party lookup sent to peer');
421
+ return resolve(payee);
454
422
  }
455
423
  catch(err) {
456
- // cancel the timeout and unsubscribe before rejecting the promise
457
- clearTimeout(timeout);
458
-
459
- // we dont really care if the unsubscribe fails but we should log it regardless
460
- this._cache.unsubscribe(payeeKey, subId, true).catch(e => {
461
- this._logger.isErrorEnabled && this._logger.error(`Error unsubscribing ${payeeKey} ${subId}: ${e.stack || safeStringify(e)}`);
462
- });
463
-
464
- return reject(err);
424
+ this._logger.error(`Error in resolvePayee ${payeeKey}:`, err);
425
+ // If type of error is BackendError, it will be handled by the state machine
426
+ if (err instanceof BackendError) {
427
+ this.data.lastError = err;
428
+ return reject(err);
429
+ }
430
+ // Check if the error is a TimeoutError, and if so, reject with a BackendError
431
+ if (err instanceof TimeoutError) {
432
+ const error = new BackendError(`Timeout resolving payee for transfer ${this.data.transferId}`, 504);
433
+ this.data.lastError = error;
434
+ return reject(error);
435
+ }
436
+ // otherwise, just throw a generic error
437
+ const error = new BackendError(`Error resolving payee for transfer ${this.data.transferId}: ${err.message}`, 500);
438
+ this.data.lastError = error;
439
+ return reject(error);
465
440
  }
466
441
  });
467
442
  }
@@ -0,0 +1,41 @@
1
+ /*****
2
+ License
3
+ --------------
4
+ Copyright © 2020-2025 Mojaloop Foundation
5
+ The Mojaloop files are made available by the Mojaloop Foundation under the Apache License, Version 2.0 (the "License") and you may not use these files except in compliance with the License. You may obtain a copy of the License at
6
+
7
+ http://www.apache.org/licenses/LICENSE-2.0
8
+
9
+ Unless required by applicable law or agreed to in writing, the Mojaloop files are distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License.
10
+
11
+ Contributors
12
+ --------------
13
+ This is the official list of the Mojaloop project contributors for this file.
14
+ Names of the original copyright holders (individuals or organizations)
15
+ should be listed with a '*' in the first column. People who have
16
+ contributed from an organization can be listed under the organization
17
+ that actually holds the copyright for their contributions (see the
18
+ Mojaloop Foundation for an example). Those individuals should have
19
+ their names indented and be marked with a '-'. Email address can be added
20
+ optionally within square brackets <email>.
21
+
22
+ * Mojaloop Foundation
23
+ - Name Surname <name.surname@mojaloop.io>
24
+
25
+ * Infitx
26
+ - Vijay Kumar Guthi - <vijaya.guthi@infitx.com>
27
+ --------------
28
+ ******/
29
+ 'use strict';
30
+
31
+ class TimeoutError extends Error {
32
+ constructor(msg) {
33
+ super(msg);
34
+ this.name = 'TimeoutError';
35
+ }
36
+ }
37
+
38
+
39
+ module.exports = {
40
+ TimeoutError
41
+ };
@@ -28,10 +28,12 @@
28
28
  ******/
29
29
  const Enums = require('./Enums');
30
30
  const { BackendError } = require('./BackendError');
31
+ const { TimeoutError } = require('./TimeoutError');
31
32
  const PersistentStateMachine = require('./PersistentStateMachine');
32
33
 
33
34
  module.exports = {
34
35
  ...Enums,
35
36
  BackendError,
37
+ TimeoutError,
36
38
  PersistentStateMachine
37
39
  };
@@ -147,7 +147,7 @@ describe('Outbound Transfers API', () => {
147
147
  parties: {
148
148
  put: () => new Promise(
149
149
  resolve => setTimeout(() => resolve(putPartiesBody),
150
- 2000)),
150
+ 3000)),
151
151
  },
152
152
  };
153
153
  return testPostTransfers(putBodyFn, 504, postTransfersErrorTimeoutResponse);
@@ -210,4 +210,154 @@ describe('Cache Tests -->', () => {
210
210
  expect(result).toEqual(error);
211
211
  expect(unsubscribeSpy).not.toHaveBeenCalled();
212
212
  });
213
+
214
+ test('subscribeToOneMessageWithTimerNew should resolve with parsed message when received before timeout', async () => {
215
+ const channel = `ch-${randomUUID()}`;
216
+ const message = { id: randomUUID(), data: 'test-data' };
217
+ const requestProcessingTimeoutSeconds = 1;
218
+
219
+ const subscribing = cache.subscribeToOneMessageWithTimerNew(channel, requestProcessingTimeoutSeconds);
220
+
221
+ // Simulate a message being published to the channel via EventEmitter
222
+ setTimeout(() => {
223
+ cache._channelEmitter.emit(channel, JSON.stringify(message));
224
+ }, 100);
225
+
226
+ const result = await subscribing;
227
+ expect(result).toStrictEqual(message);
228
+ });
229
+
230
+ test('subscribeToOneMessageWithTimerNew should resolve with unparsed message when needParse is false', async () => {
231
+ const channel = `ch-${randomUUID()}`;
232
+ const message = 'raw-string-message';
233
+ const requestProcessingTimeoutSeconds = 1;
234
+
235
+ const subscribing = cache.subscribeToOneMessageWithTimerNew(channel, requestProcessingTimeoutSeconds, false);
236
+
237
+ // Simulate a message being published to the channel via EventEmitter
238
+ setTimeout(() => {
239
+ cache._channelEmitter.emit(channel, message);
240
+ }, 100);
241
+
242
+ const result = await subscribing;
243
+ expect(result).toBe(message);
244
+ });
245
+
246
+ test('subscribeToOneMessageWithTimerNew should reject with TimeoutError when no message received within timeout', async () => {
247
+ const channel = `ch-${randomUUID()}`;
248
+ const requestProcessingTimeoutSeconds = 0.1; // 100ms timeout
249
+
250
+ const subscribing = cache.subscribeToOneMessageWithTimerNew(channel, requestProcessingTimeoutSeconds);
251
+
252
+ await expect(subscribing).rejects.toThrow(`Subscription timeout after ${requestProcessingTimeoutSeconds}s`);
253
+
254
+ // Test that it's a TimeoutError instance
255
+ try {
256
+ await subscribing;
257
+ expect(true).toBe(false); // Should not reach here
258
+ } catch (error) {
259
+ expect(error.constructor.name).toBe('TimeoutError');
260
+ }
261
+ });
262
+
263
+ test('subscribeToOneMessageWithTimerNew should reject when JSON parsing fails', async () => {
264
+ const channel = `ch-${randomUUID()}`;
265
+ const invalidJson = '{ invalid json }';
266
+ const requestProcessingTimeoutSeconds = 1;
267
+
268
+ const subscribing = cache.subscribeToOneMessageWithTimerNew(channel, requestProcessingTimeoutSeconds, true);
269
+
270
+ // Simulate a message with invalid JSON
271
+ setTimeout(() => {
272
+ cache._channelEmitter.emit(channel, invalidJson);
273
+ }, 100);
274
+
275
+ await expect(subscribing).rejects.toThrow();
276
+ });
277
+
278
+ test('subscribeToOneMessageWithTimerNew should handle multiple subscribers to same channel', async () => {
279
+ const channel1 = `ch-${randomUUID()}`;
280
+ const channel2 = `ch-${randomUUID()}`;
281
+ const message1 = { id: 'msg1', data: 'test1' };
282
+ const message2 = { id: 'msg2', data: 'test2' };
283
+ const requestProcessingTimeoutSeconds = 1;
284
+
285
+ // Create two subscriptions to different channels to avoid interference
286
+ const subscribing1 = cache.subscribeToOneMessageWithTimerNew(channel1, requestProcessingTimeoutSeconds);
287
+ const subscribing2 = cache.subscribeToOneMessageWithTimerNew(channel2, requestProcessingTimeoutSeconds);
288
+
289
+ // Emit messages to each channel separately
290
+ setTimeout(() => {
291
+ cache._channelEmitter.emit(channel1, JSON.stringify(message1));
292
+ cache._channelEmitter.emit(channel2, JSON.stringify(message2));
293
+ }, 100);
294
+
295
+ // Both should resolve with their respective messages
296
+ const results = await Promise.all([subscribing1, subscribing2]);
297
+ expect(results[0]).toStrictEqual(message1);
298
+ expect(results[1]).toStrictEqual(message2);
299
+ });
300
+
301
+ test('subscribeToOneMessageWithTimerNew should handle concurrent subscribers to same channel (party lookup scenario)', async () => {
302
+ const channel = `party-lookup-${randomUUID()}`;
303
+ const partyResponse = { party: { partyIdInfo: { partyIdType: 'MSISDN', partyIdentifier: '123456789' }}};
304
+ const requestProcessingTimeoutSeconds = 1;
305
+
306
+ // Create multiple concurrent subscriptions to same channel (simulating concurrent party lookups)
307
+ const subscribing1 = cache.subscribeToOneMessageWithTimerNew(channel, requestProcessingTimeoutSeconds);
308
+ const subscribing2 = cache.subscribeToOneMessageWithTimerNew(channel, requestProcessingTimeoutSeconds);
309
+ const subscribing3 = cache.subscribeToOneMessageWithTimerNew(channel, requestProcessingTimeoutSeconds);
310
+
311
+ // Simulate a single party response that should resolve all subscribers
312
+ setTimeout(() => {
313
+ cache._channelEmitter.emit(channel, JSON.stringify(partyResponse));
314
+ }, 100);
315
+
316
+ // All subscribers should resolve with the same party response
317
+ const results = await Promise.all([subscribing1, subscribing2, subscribing3]);
318
+ expect(results[0]).toStrictEqual(partyResponse);
319
+ expect(results[1]).toStrictEqual(partyResponse);
320
+ expect(results[2]).toStrictEqual(partyResponse);
321
+ });
322
+
323
+ test('subscribeToOneMessageWithTimerNew should clean up resources on timeout', async () => {
324
+ const channel = `ch-${randomUUID()}`;
325
+ const requestProcessingTimeoutSeconds = 0.1;
326
+
327
+ const removeListenerSpy = jest.spyOn(cache._channelEmitter, 'removeListener');
328
+
329
+ const subscribing = cache.subscribeToOneMessageWithTimerNew(channel, requestProcessingTimeoutSeconds);
330
+
331
+ await expect(subscribing).rejects.toThrow(`Subscription timeout after ${requestProcessingTimeoutSeconds}s`);
332
+
333
+ // Test that it's a TimeoutError instance
334
+ try {
335
+ await subscribing;
336
+ expect(true).toBe(false); // Should not reach here
337
+ } catch (error) {
338
+ expect(error.constructor.name).toBe('TimeoutError');
339
+ }
340
+
341
+ // Verify cleanup was called
342
+ expect(removeListenerSpy).toHaveBeenCalledWith(channel, expect.any(Function));
343
+
344
+ removeListenerSpy.mockRestore();
345
+ });
346
+
347
+ test('subscribeToOneMessageWithTimerNew should reject when subscription fails', async () => {
348
+ const channel = `ch-${randomUUID()}`;
349
+ const requestProcessingTimeoutSeconds = 1;
350
+ const subscriptionError = new Error('subscription failed');
351
+
352
+ // Mock the _subscriptionClient.subscribe to reject
353
+ const originalSubscribe = cache._subscriptionClient.subscribe;
354
+ cache._subscriptionClient.subscribe = jest.fn().mockRejectedValue(subscriptionError);
355
+
356
+ const subscribing = cache.subscribeToOneMessageWithTimerNew(channel, requestProcessingTimeoutSeconds);
357
+
358
+ await expect(subscribing).rejects.toThrow('subscription failed');
359
+
360
+ // Restore original method
361
+ cache._subscriptionClient.subscribe = originalSubscribe;
362
+ });
213
363
  });
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@mojaloop/sdk-scheme-adapter-outbound-command-event-handler",
3
- "version": "0.3.0-snapshot.46",
3
+ "version": "0.3.0-snapshot.47",
4
4
  "description": "Mojaloop sdk scheme adapter command event handler",
5
5
  "license": "Apache-2.0",
6
6
  "homepage": "https://github.com/mojaloop/sdk-scheme-adapter/",
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@mojaloop/sdk-scheme-adapter-outbound-domain-event-handler",
3
- "version": "0.3.0-snapshot.46",
3
+ "version": "0.3.0-snapshot.47",
4
4
  "description": "mojaloop sdk scheme adapter outbound domain event handler",
5
5
  "license": "Apache-2.0",
6
6
  "homepage": "https://github.com/mojaloop/sdk-scheme-adapter/",
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@mojaloop/sdk-scheme-adapter-private-shared-lib",
3
- "version": "0.4.0-snapshot.46",
3
+ "version": "0.4.0-snapshot.47",
4
4
  "description": "SDK Scheme Adapter private shared library.",
5
5
  "license": "Apache-2.0",
6
6
  "homepage": "https://github.com/mojaloop/accounts-and-balances-bc/tree/main/modules/private-types",
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@mojaloop/sdk-scheme-adapter",
3
- "version": "24.10.7",
3
+ "version": "24.10.8",
4
4
  "description": "mojaloop sdk-scheme-adapter",
5
5
  "license": "Apache-2.0",
6
6
  "homepage": "https://github.com/mojaloop/sdk-scheme-adapter",
@@ -2,22 +2,22 @@ type,bom_ref,license-id,group,author,name,version,purl,path,description,vcs-url,
2
2
  application,,,,,yarn,4.9.2,,,,,,,,,,,,,,,,,
3
3
  library,,Apache-2.0,@cyclonedx,Jan Kowalleck,yarn-plugin-cyclonedx,3.0.3,,,Create CycloneDX Software Bill of Materials (SBOM) from yarn projects.,git+https://github.com/CycloneDX/cyclonedx-node-yarn.git,"as detected from PackageJson property ""repository.url""",https://github.com/CycloneDX/cyclonedx-node-yarn#readme,"as detected from PackageJson property ""homepage""",https://github.com/CycloneDX/cyclonedx-node-yarn/issues,"as detected from PackageJson property ""bugs.url""",,,,,,,,
4
4
  library,,Apache-2.0,@cyclonedx,,cyclonedx-library,8.3.0,,,,,,https://github.com/CycloneDX/cyclonedx-javascript-library#readme,"as detected from PackageJson property ""homepage""",,,,,,,,,,
5
- application,@mojaloop/sdk-scheme-adapter@workspace:.,Apache-2.0,@mojaloop,,sdk-scheme-adapter,24.10.6,pkg:npm/%40mojaloop/sdk-scheme-adapter@24.10.6,,mojaloop sdk-scheme-adapter,,,https://github.com/mojaloop/sdk-scheme-adapter,"as detected from PackageJson property ""homepage""",https://github.com/mojaloop/sdk-scheme-adapter/issues#readme,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-05T17:43:41.499Z
5
+ application,@mojaloop/sdk-scheme-adapter@workspace:.,Apache-2.0,@mojaloop,,sdk-scheme-adapter,24.10.7,pkg:npm/%40mojaloop/sdk-scheme-adapter@24.10.7,,mojaloop sdk-scheme-adapter,,,https://github.com/mojaloop/sdk-scheme-adapter,"as detected from PackageJson property ""homepage""",https://github.com/mojaloop/sdk-scheme-adapter/issues#readme,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-05T17:43:41.499Z
6
6
  library,@types/jest@30.0.0,MIT,@types,,jest,30.0.0,pkg:npm/%40types/jest@30.0.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2FDefinitelyTyped%2FDefinitelyTyped.git#types/jest,,TypeScript definitions for jest,git+https://github.com/DefinitelyTyped/DefinitelyTyped.git#types/jest,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/DefinitelyTyped/DefinitelyTyped/tree/master/types/jest,"as detected from PackageJson property ""homepage""",https://github.com/DefinitelyTyped/DefinitelyTyped/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-03T07:02:46.002Z
7
7
  library,@types/node-cache@4.2.5,MIT,@types,,node-cache,4.2.5,pkg:npm/%40types/node-cache@4.2.5?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fmpneuried%2Fnodecache.git,,Stub TypeScript definitions entry for node-cache~ which provides its own types definitions,git+https://github.com/mpneuried/nodecache.git,"as detected from PackageJson property ""repository.url""",https://github.com/mpneuried/nodecache#readme,"as detected from PackageJson property ""homepage""",https://github.com/mpneuried/nodecache/issues,"as detected from PackageJson property ""bugs.url""",,,,,,deprecated,"This is a stub types definition. node-cache provides its own type definitions, so you do not need this installed.",2022-06-13T01:13:56.807Z
8
- library,@types/node@24.2.0,MIT,@types,,node,24.2.0,pkg:npm/%40types/node@24.2.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2FDefinitelyTyped%2FDefinitelyTyped.git#types/node,,TypeScript definitions for node,git+https://github.com/DefinitelyTyped/DefinitelyTyped.git#types/node,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/DefinitelyTyped/DefinitelyTyped/tree/master/types/node,"as detected from PackageJson property ""homepage""",https://github.com/DefinitelyTyped/DefinitelyTyped/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-04T10:03:57.600Z
9
- library,@typescript-eslint/eslint-plugin@8.39.0,MIT,@typescript-eslint,,eslint-plugin,8.39.0,pkg:npm/%40typescript-eslint/eslint-plugin@8.39.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftypescript-eslint%2Ftypescript-eslint.git#packages/eslint-plugin,,TypeScript plugin for ESLint,git+https://github.com/typescript-eslint/typescript-eslint.git#packages/eslint-plugin,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://typescript-eslint.io/packages/eslint-plugin,"as detected from PackageJson property ""homepage""",https://github.com/typescript-eslint/typescript-eslint/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-05T00:24:55.146Z
10
- library,@typescript-eslint/parser@8.39.0,MIT,@typescript-eslint,,parser,8.39.0,pkg:npm/%40typescript-eslint/parser@8.39.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftypescript-eslint%2Ftypescript-eslint.git#packages/parser,,An ESLint custom parser which leverages TypeScript ESTree,git+https://github.com/typescript-eslint/typescript-eslint.git#packages/parser,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://typescript-eslint.io/packages/parser,"as detected from PackageJson property ""homepage""",https://github.com/typescript-eslint/typescript-eslint/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-05T00:24:44.069Z
8
+ library,@types/node@24.2.1,MIT,@types,,node,24.2.1,pkg:npm/%40types/node@24.2.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2FDefinitelyTyped%2FDefinitelyTyped.git#types/node,,TypeScript definitions for node,git+https://github.com/DefinitelyTyped/DefinitelyTyped.git#types/node,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/DefinitelyTyped/DefinitelyTyped/tree/master/types/node,"as detected from PackageJson property ""homepage""",https://github.com/DefinitelyTyped/DefinitelyTyped/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T16:39:33.921Z
9
+ library,@typescript-eslint/eslint-plugin@8.39.0,MIT,@typescript-eslint,,eslint-plugin,8.39.0,pkg:npm/%40typescript-eslint/eslint-plugin@8.39.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftypescript-eslint%2Ftypescript-eslint.git#packages/eslint-plugin,,TypeScript plugin for ESLint,git+https://github.com/typescript-eslint/typescript-eslint.git#packages/eslint-plugin,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://typescript-eslint.io/packages/eslint-plugin,"as detected from PackageJson property ""homepage""",https://github.com/typescript-eslint/typescript-eslint/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T00:08:41.176Z
10
+ library,@typescript-eslint/parser@8.39.0,MIT,@typescript-eslint,,parser,8.39.0,pkg:npm/%40typescript-eslint/parser@8.39.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftypescript-eslint%2Ftypescript-eslint.git#packages/parser,,An ESLint custom parser which leverages TypeScript ESTree,git+https://github.com/typescript-eslint/typescript-eslint.git#packages/parser,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://typescript-eslint.io/packages/parser,"as detected from PackageJson property ""homepage""",https://github.com/typescript-eslint/typescript-eslint/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T00:08:28.940Z
11
11
  library,audit-ci@7.1.0,Apache-2.0,,,audit-ci,7.1.0,pkg:npm/audit-ci@7.1.0?vcs_url=git%2Bssh%3A%2F%2Fgit%40github.com%2FIBM%2Faudit-ci.git,,Audits NPM~ Yarn~ and PNPM projects in CI environments,git+ssh://git@github.com/IBM/audit-ci.git,"as detected from PackageJson property ""repository.url""",https://github.com/IBM/audit-ci,"as detected from PackageJson property ""homepage""",https://github.com/IBM/audit-ci/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2024-07-03T18:02:15.522Z
12
12
  library,eslint-config-airbnb-typescript@18.0.0,MIT,,Matt Turnbull,eslint-config-airbnb-typescript,18.0.0,pkg:npm/eslint-config-airbnb-typescript@18.0.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fiamturns%2Feslint-config-airbnb-typescript.git,,Airbnb's ESLint config with TypeScript support,git+https://github.com/iamturns/eslint-config-airbnb-typescript.git,"as detected from PackageJson property ""repository.url""",https://github.com/iamturns/eslint-config-airbnb-typescript,"as detected from PackageJson property ""homepage""",https://github.com/iamturns/eslint-config-airbnb-typescript/issues,"as detected from PackageJson property ""bugs.url""",,,,,matt@iamturns.com,active,Active in npm registry,2024-03-02T01:16:55.212Z
13
13
  library,eslint-plugin-import@2.32.0,MIT,,Ben Mosher,eslint-plugin-import,2.32.0,pkg:npm/eslint-plugin-import@2.32.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fimport-js%2Feslint-plugin-import.git,,Import with sanity.,git+https://github.com/import-js/eslint-plugin-import.git,"as detected from PackageJson property ""repository.url""",https://github.com/import-js/eslint-plugin-import,"as detected from PackageJson property ""homepage""",https://github.com/import-js/eslint-plugin-import/issues,"as detected from PackageJson property ""bugs.url""",,,,,me@benmosher.com,active,Active in npm registry,2025-06-20T21:59:10.022Z
14
- library,eslint@9.15.0,MIT,,Nicholas C. Zakas,eslint,9.15.0,pkg:npm/eslint@9.15.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Feslint%2Feslint.git,,An AST-based pattern checker for JavaScript.,git+https://github.com/eslint/eslint.git,"as detected from PackageJson property ""repository.url""",https://eslint.org,"as detected from PackageJson property ""homepage""",https://github.com/eslint/eslint/issues/,"as detected from PackageJson property ""bugs.url""",,,,,nicholas+npm@nczconsulting.com,active,Active in npm registry,2025-07-26T14:17:57.998Z
14
+ library,eslint@9.15.0,MIT,,Nicholas C. Zakas,eslint,9.15.0,pkg:npm/eslint@9.15.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Feslint%2Feslint.git,,An AST-based pattern checker for JavaScript.,git+https://github.com/eslint/eslint.git,"as detected from PackageJson property ""repository.url""",https://eslint.org,"as detected from PackageJson property ""homepage""",https://github.com/eslint/eslint/issues/,"as detected from PackageJson property ""bugs.url""",,,,,nicholas+npm@nczconsulting.com,active,Active in npm registry,2025-08-08T20:34:29.869Z
15
15
  library,husky@9.1.7,MIT,,typicode,husky,9.1.7,pkg:npm/husky@9.1.7?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftypicode%2Fhusky.git,,Modern native Git hooks,git+https://github.com/typicode/husky.git,"as detected from PackageJson property ""repository.url""",https://github.com/typicode/husky#readme,"as detected from PackageJson property ""homepage""",https://github.com/typicode/husky/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-01-11T17:19:02.945Z
16
16
  library,jest@29.7.0,MIT,,,jest,29.7.0,pkg:npm/jest@29.7.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fjestjs%2Fjest.git#packages/jest,,Delightful JavaScript Testing.,git+https://github.com/jestjs/jest.git#packages/jest,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://jestjs.io/,"as detected from PackageJson property ""homepage""",https://github.com/jestjs/jest/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-07-22T02:28:59.180Z
17
17
  library,knex@3.1.0,MIT,,Tim Griesser,knex,3.1.0,pkg:npm/knex@3.1.0?vcs_url=git%3A%2F%2Fgithub.com%2Fknex%2Fknex.git,,A batteries-included SQL query & schema builder for PostgresSQL~ MySQL~ CockroachDB~ MSSQL and SQLite3,git://github.com/knex/knex.git,"as detected from PackageJson property ""repository.url""",https://knex.github.io/documentation/,"as detected from PackageJson property ""homepage""",https://github.com/knex/knex/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2024-12-13T19:06:07.256Z
18
18
  library,nodemon@3.1.10,MIT,,Remy Sharp,nodemon,3.1.10,pkg:npm/nodemon@3.1.10?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fremy%2Fnodemon.git,,Simple monitor script for use during development of a Node.js app.,git+https://github.com/remy/nodemon.git,"as detected from PackageJson property ""repository.url""",https://nodemon.io,"as detected from PackageJson property ""homepage""",https://github.com/remy/nodemon/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-06-28T18:41:30.642Z
19
19
  library,npm-check-updates@16.7.10,Apache-2.0,,Tomas Junnonen,npm-check-updates,16.7.10,pkg:npm/npm-check-updates@16.7.10?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fraineorshine%2Fnpm-check-updates.git,,Find newer versions of dependencies than what your package.json allows,git+https://github.com/raineorshine/npm-check-updates.git,"as detected from PackageJson property ""repository.url""",https://github.com/raineorshine/npm-check-updates,"as detected from PackageJson property ""homepage""",https://github.com/raineorshine/npm-check-updates/issues,"as detected from PackageJson property ""bugs.url""",,,,,tomas1@gmail.com,active,Active in npm registry,2025-07-23T00:48:18.438Z
20
- library,nx@16.5.0,MIT,,Victor Savkin,nx,16.5.0,pkg:npm/nx@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx,,The core Nx plugin contains the core functionality of Nx like the project graph~ nx commands and task orchestration.,git+https://github.com/nrwl/nx.git#packages/nx,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://nx.dev,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-07T21:40:47.304Z
20
+ library,nx@16.5.0,MIT,,Victor Savkin,nx,16.5.0,pkg:npm/nx@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx,,The core Nx plugin contains the core functionality of Nx like the project graph~ nx commands and task orchestration.,git+https://github.com/nrwl/nx.git#packages/nx,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://nx.dev,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T23:26:45.123Z
21
21
  library,replace@1.2.2,MIT,,Alessandro Maclaine,replace,1.2.2,pkg:npm/replace@1.2.2?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2FALMaclaine%2Freplace.git,,Command line search and replace utility,git+https://github.com/ALMaclaine/replace.git,"as detected from PackageJson property ""repository.url""",https://github.com/ALMaclaine/replace#readme,"as detected from PackageJson property ""homepage""",https://github.com/ALMaclaine/replace/issues,"as detected from PackageJson property ""bugs.url""",,,,,almaclaine@gmail.com,active,Active in npm registry,2023-02-10T19:41:18.075Z
22
22
  library,standard-version@9.5.0,ISC,,Ben Coe,standard-version,9.5.0,pkg:npm/standard-version@9.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fconventional-changelog%2Fstandard-version.git,,replacement for `npm version` with automatic CHANGELOG generation,git+https://github.com/conventional-changelog/standard-version.git,"as detected from PackageJson property ""repository.url""",https://github.com/conventional-changelog/standard-version#readme,"as detected from PackageJson property ""homepage""",https://github.com/conventional-changelog/standard-version/issues,"as detected from PackageJson property ""bugs.url""",,,,,ben@npmjs.com,active,Active in npm registry,2023-04-01T00:02:16.994Z
23
23
  library,ts-jest@29.4.1,MIT,,Kulshekhar Kabra,ts-jest,29.4.1,pkg:npm/ts-jest@29.4.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fkulshekhar%2Fts-jest.git,,A Jest transformer with source map support that lets you use Jest to test projects written in TypeScript,git+https://github.com/kulshekhar/ts-jest.git,"as detected from PackageJson property ""repository.url""",https://kulshekhar.github.io/ts-jest,"as detected from PackageJson property ""homepage""",https://github.com/kulshekhar/ts-jest/issues,"as detected from PackageJson property ""bugs.url""",,,,,kulshekhar@users.noreply.github.com,active,Active in npm registry,2025-08-03T13:31:02.983Z
@@ -68,7 +68,7 @@ library,run-parallel@1.2.0,MIT,,Feross Aboukhadijeh,run-parallel,1.2.0,pkg:npm/r
68
68
  library,queue-microtask@1.2.3,MIT,,Feross Aboukhadijeh,queue-microtask,1.2.3,pkg:npm/queue-microtask@1.2.3?vcs_url=git%3A%2F%2Fgithub.com%2Ffeross%2Fqueue-microtask.git,,fast~ tiny `queueMicrotask` shim for modern engines,git://github.com/feross/queue-microtask.git,"as detected from PackageJson property ""repository.url""",https://github.com/feross/queue-microtask,"as detected from PackageJson property ""homepage""",https://github.com/feross/queue-microtask/issues,"as detected from PackageJson property ""bugs.url""",,,,,feross@feross.org,active,Active in npm registry,2023-06-22T16:33:42.516Z
69
69
  library,@types/lodash@4.17.15,MIT,@types,,lodash,4.17.15,pkg:npm/%40types/lodash@4.17.15?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2FDefinitelyTyped%2FDefinitelyTyped.git#types/lodash,,TypeScript definitions for lodash,git+https://github.com/DefinitelyTyped/DefinitelyTyped.git#types/lodash,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/DefinitelyTyped/DefinitelyTyped/tree/master/types/lodash,"as detected from PackageJson property ""homepage""",https://github.com/DefinitelyTyped/DefinitelyTyped/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-03T08:04:21.607Z
70
70
  library,@types/jsonfile@6.1.4,MIT,@types,,jsonfile,6.1.4,pkg:npm/%40types/jsonfile@6.1.4?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2FDefinitelyTyped%2FDefinitelyTyped.git#types/jsonfile,,TypeScript definitions for jsonfile,git+https://github.com/DefinitelyTyped/DefinitelyTyped.git#types/jsonfile,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/DefinitelyTyped/DefinitelyTyped/tree/master/types/jsonfile,"as detected from PackageJson property ""homepage""",https://github.com/DefinitelyTyped/DefinitelyTyped/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-03T07:06:10.716Z
71
- library,@types/node@22.13.5,MIT,@types,,node,22.13.5,pkg:npm/%40types/node@22.13.5?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2FDefinitelyTyped%2FDefinitelyTyped.git#types/node,,TypeScript definitions for node,git+https://github.com/DefinitelyTyped/DefinitelyTyped.git#types/node,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/DefinitelyTyped/DefinitelyTyped/tree/master/types/node,"as detected from PackageJson property ""homepage""",https://github.com/DefinitelyTyped/DefinitelyTyped/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-04T10:03:57.600Z
71
+ library,@types/node@22.13.5,MIT,@types,,node,22.13.5,pkg:npm/%40types/node@22.13.5?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2FDefinitelyTyped%2FDefinitelyTyped.git#types/node,,TypeScript definitions for node,git+https://github.com/DefinitelyTyped/DefinitelyTyped.git#types/node,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/DefinitelyTyped/DefinitelyTyped/tree/master/types/node,"as detected from PackageJson property ""homepage""",https://github.com/DefinitelyTyped/DefinitelyTyped/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T16:39:33.921Z
72
72
  library,undici-types@6.20.0,MIT,,,undici-types,6.20.0,pkg:npm/undici-types@6.20.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnodejs%2Fundici.git,,A stand-alone types package for Undici,git+https://github.com/nodejs/undici.git,"as detected from PackageJson property ""repository.url""",https://undici.nodejs.org,"as detected from PackageJson property ""homepage""",https://github.com/nodejs/undici/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-07-31T09:09:48.860Z
73
73
  library,@cspotcode/source-map-support@0.8.1,MIT,@cspotcode,,source-map-support,0.8.1,pkg:npm/%40cspotcode/source-map-support@0.8.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fcspotcode%2Fnode-source-map-support.git,,Fixes stack traces for files with source maps,git+https://github.com/cspotcode/node-source-map-support.git,"as detected from PackageJson property ""repository.url""",https://github.com/cspotcode/node-source-map-support#readme,"as detected from PackageJson property ""homepage""",https://github.com/cspotcode/node-source-map-support/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2022-05-02T13:24:38.473Z
74
74
  library,@tsconfig/node10@1.0.11,MIT,@tsconfig,,node10,1.0.11,pkg:npm/%40tsconfig/node10@1.0.11?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftsconfig%2Fbases.git#bases,,A base TSConfig for working with Node 10.,git+https://github.com/tsconfig/bases.git#bases,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/tsconfig/bases#readme,"as detected from PackageJson property ""homepage""",https://github.com/tsconfig/bases/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2024-03-27T04:13:32.059Z
@@ -281,16 +281,16 @@ library,which-module@2.0.1,ISC,,nexdrew,which-module,2.0.1,pkg:npm/which-module@
281
281
  library,y18n@4.0.3,ISC,,Ben Coe,y18n,4.0.3,pkg:npm/y18n@4.0.3?vcs_url=git%2Bssh%3A%2F%2Fgit%40github.com%2Fyargs%2Fy18n.git,,the bare-bones internationalization library used by yargs,git+ssh://git@github.com/yargs/y18n.git,"as detected from PackageJson property ""repository.url""",https://github.com/yargs/y18n,"as detected from PackageJson property ""homepage""",https://github.com/yargs/y18n/issues,"as detected from PackageJson property ""bugs.url""",,,,,ben@npmjs.com,active,Active in npm registry,2023-07-10T23:16:26.635Z
282
282
  library,wrap-ansi@6.2.0,MIT,,Sindre Sorhus,wrap-ansi,6.2.0,pkg:npm/wrap-ansi@6.2.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fchalk%2Fwrap-ansi.git,,Wordwrap a string with ANSI escape codes,git+https://github.com/chalk/wrap-ansi.git,"as detected from PackageJson property ""repository.url""",https://github.com/chalk/wrap-ansi#readme,"as detected from PackageJson property ""homepage""",https://github.com/chalk/wrap-ansi/issues,"as detected from PackageJson property ""bugs.url""",,,,,sindresorhus@gmail.com,active,Active in npm registry,2023-10-28T17:40:34.535Z
283
283
  library,@nrwl/tao@16.5.0,MIT,@nrwl,Victor Savkin,tao,16.5.0,pkg:npm/%40nrwl/tao@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/tao,,CLI for generating code and running commands,git+https://github.com/nrwl/nx.git#packages/tao,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://nx.dev,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-05-20T19:05:28.355Z
284
- library,@nx/nx-darwin-arm64@16.5.0,,@nx,,nx-darwin-arm64,16.5.0,pkg:npm/%40nx/nx-darwin-arm64@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx/native-packages/darwin-arm64,,,git+https://github.com/nrwl/nx.git#packages/nx/native-packages/darwin-arm64,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/nrwl/nx#readme,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-07T21:40:28.735Z
285
- library,@nx/nx-darwin-x64@16.5.0,,@nx,,nx-darwin-x64,16.5.0,pkg:npm/%40nx/nx-darwin-x64@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx/native-packages/darwin-x64,,,git+https://github.com/nrwl/nx.git#packages/nx/native-packages/darwin-x64,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/nrwl/nx#readme,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-07T21:40:28.408Z
286
- library,@nx/nx-freebsd-x64@16.5.0,,@nx,,nx-freebsd-x64,16.5.0,pkg:npm/%40nx/nx-freebsd-x64@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx/native-packages/freebsd-x64,,,git+https://github.com/nrwl/nx.git#packages/nx/native-packages/freebsd-x64,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/nrwl/nx#readme,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-07T21:40:35.979Z
287
- library,@nx/nx-linux-arm-gnueabihf@16.5.0,,@nx,,nx-linux-arm-gnueabihf,16.5.0,pkg:npm/%40nx/nx-linux-arm-gnueabihf@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx/native-packages/linux-arm-gnueabihf,,,git+https://github.com/nrwl/nx.git#packages/nx/native-packages/linux-arm-gnueabihf,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/nrwl/nx#readme,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-07T21:40:28.735Z
288
- library,@nx/nx-linux-arm64-gnu@16.5.0,,@nx,,nx-linux-arm64-gnu,16.5.0,pkg:npm/%40nx/nx-linux-arm64-gnu@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx/native-packages/linux-arm64-gnu,,,git+https://github.com/nrwl/nx.git#packages/nx/native-packages/linux-arm64-gnu,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/nrwl/nx#readme,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-07T21:40:28.894Z
289
- library,@nx/nx-linux-arm64-musl@16.5.0,,@nx,,nx-linux-arm64-musl,16.5.0,pkg:npm/%40nx/nx-linux-arm64-musl@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx/native-packages/linux-arm64-musl,,,git+https://github.com/nrwl/nx.git#packages/nx/native-packages/linux-arm64-musl,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/nrwl/nx#readme,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-07T21:40:28.988Z
290
- library,@nx/nx-linux-x64-gnu@16.5.0,,@nx,,nx-linux-x64-gnu,16.5.0,pkg:npm/%40nx/nx-linux-x64-gnu@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx/native-packages/linux-x64-gnu,,,git+https://github.com/nrwl/nx.git#packages/nx/native-packages/linux-x64-gnu,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/nrwl/nx#readme,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-07T21:40:39.337Z
291
- library,@nx/nx-linux-x64-musl@16.5.0,,@nx,,nx-linux-x64-musl,16.5.0,pkg:npm/%40nx/nx-linux-x64-musl@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx/native-packages/linux-x64-musl,,,git+https://github.com/nrwl/nx.git#packages/nx/native-packages/linux-x64-musl,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/nrwl/nx#readme,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-07T21:40:29.978Z
292
- library,@nx/nx-win32-arm64-msvc@16.5.0,,@nx,,nx-win32-arm64-msvc,16.5.0,pkg:npm/%40nx/nx-win32-arm64-msvc@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx/native-packages/win32-arm64-msvc,,,git+https://github.com/nrwl/nx.git#packages/nx/native-packages/win32-arm64-msvc,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/nrwl/nx#readme,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-07T21:40:28.422Z
293
- library,@nx/nx-win32-x64-msvc@16.5.0,,@nx,,nx-win32-x64-msvc,16.5.0,pkg:npm/%40nx/nx-win32-x64-msvc@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx/native-packages/win32-x64-msvc,,,git+https://github.com/nrwl/nx.git#packages/nx/native-packages/win32-x64-msvc,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/nrwl/nx#readme,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-07T21:40:28.634Z
284
+ library,@nx/nx-darwin-arm64@16.5.0,,@nx,,nx-darwin-arm64,16.5.0,pkg:npm/%40nx/nx-darwin-arm64@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx/native-packages/darwin-arm64,,,git+https://github.com/nrwl/nx.git#packages/nx/native-packages/darwin-arm64,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/nrwl/nx#readme,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T23:26:29.307Z
285
+ library,@nx/nx-darwin-x64@16.5.0,,@nx,,nx-darwin-x64,16.5.0,pkg:npm/%40nx/nx-darwin-x64@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx/native-packages/darwin-x64,,,git+https://github.com/nrwl/nx.git#packages/nx/native-packages/darwin-x64,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/nrwl/nx#readme,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T23:26:29.151Z
286
+ library,@nx/nx-freebsd-x64@16.5.0,,@nx,,nx-freebsd-x64,16.5.0,pkg:npm/%40nx/nx-freebsd-x64@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx/native-packages/freebsd-x64,,,git+https://github.com/nrwl/nx.git#packages/nx/native-packages/freebsd-x64,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/nrwl/nx#readme,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T23:26:37.850Z
287
+ library,@nx/nx-linux-arm-gnueabihf@16.5.0,,@nx,,nx-linux-arm-gnueabihf,16.5.0,pkg:npm/%40nx/nx-linux-arm-gnueabihf@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx/native-packages/linux-arm-gnueabihf,,,git+https://github.com/nrwl/nx.git#packages/nx/native-packages/linux-arm-gnueabihf,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/nrwl/nx#readme,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T23:26:29.552Z
288
+ library,@nx/nx-linux-arm64-gnu@16.5.0,,@nx,,nx-linux-arm64-gnu,16.5.0,pkg:npm/%40nx/nx-linux-arm64-gnu@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx/native-packages/linux-arm64-gnu,,,git+https://github.com/nrwl/nx.git#packages/nx/native-packages/linux-arm64-gnu,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/nrwl/nx#readme,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T23:26:30.037Z
289
+ library,@nx/nx-linux-arm64-musl@16.5.0,,@nx,,nx-linux-arm64-musl,16.5.0,pkg:npm/%40nx/nx-linux-arm64-musl@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx/native-packages/linux-arm64-musl,,,git+https://github.com/nrwl/nx.git#packages/nx/native-packages/linux-arm64-musl,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/nrwl/nx#readme,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T23:26:29.989Z
290
+ library,@nx/nx-linux-x64-gnu@16.5.0,,@nx,,nx-linux-x64-gnu,16.5.0,pkg:npm/%40nx/nx-linux-x64-gnu@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx/native-packages/linux-x64-gnu,,,git+https://github.com/nrwl/nx.git#packages/nx/native-packages/linux-x64-gnu,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/nrwl/nx#readme,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T23:26:36.309Z
291
+ library,@nx/nx-linux-x64-musl@16.5.0,,@nx,,nx-linux-x64-musl,16.5.0,pkg:npm/%40nx/nx-linux-x64-musl@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx/native-packages/linux-x64-musl,,,git+https://github.com/nrwl/nx.git#packages/nx/native-packages/linux-x64-musl,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/nrwl/nx#readme,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T23:26:29.724Z
292
+ library,@nx/nx-win32-arm64-msvc@16.5.0,,@nx,,nx-win32-arm64-msvc,16.5.0,pkg:npm/%40nx/nx-win32-arm64-msvc@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx/native-packages/win32-arm64-msvc,,,git+https://github.com/nrwl/nx.git#packages/nx/native-packages/win32-arm64-msvc,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/nrwl/nx#readme,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T23:26:30.182Z
293
+ library,@nx/nx-win32-x64-msvc@16.5.0,,@nx,,nx-win32-x64-msvc,16.5.0,pkg:npm/%40nx/nx-win32-x64-msvc@16.5.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnrwl%2Fnx.git#packages/nx/native-packages/win32-x64-msvc,,,git+https://github.com/nrwl/nx.git#packages/nx/native-packages/win32-x64-msvc,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/nrwl/nx#readme,"as detected from PackageJson property ""homepage""",https://github.com/nrwl/nx/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T23:26:29.882Z
294
294
  library,@parcel/watcher@2.0.4,MIT,@parcel,,watcher,2.0.4,pkg:npm/%40parcel/watcher@2.0.4?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fparcel-bundler%2Fwatcher.git,,A native C++ Node module for querying and subscribing to filesystem events. Used by Parcel 2.,git+https://github.com/parcel-bundler/watcher.git,"as detected from PackageJson property ""repository.url""",https://github.com/parcel-bundler/watcher#readme,"as detected from PackageJson property ""homepage""",https://github.com/parcel-bundler/watcher/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-01-26T03:11:57.712Z
295
295
  library,@yarnpkg/parsers@3.0.0-rc.46,BSD-2-Clause,@yarnpkg,,parsers,3.0.0-rc.46,pkg:npm/%40yarnpkg/parsers@3.0.0-rc.46?vcs_url=git%2Bssh%3A%2F%2Fgit%40github.com%2Fyarnpkg%2Fberry.git#packages/yarnpkg-parsers,,,git+ssh://git@github.com/yarnpkg/berry.git#packages/yarnpkg-parsers,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/yarnpkg/berry#readme,"as detected from PackageJson property ""homepage""",https://github.com/yarnpkg/berry/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-03-01T15:26:51.526Z
296
296
  library,@zkochan/js-yaml@0.0.6,MIT,@zkochan,Vladimir Zapparov,js-yaml,0.0.6,pkg:npm/%40zkochan/js-yaml@0.0.6?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnodeca%2Fjs-yaml.git,,YAML 1.2 parser and serializer,git+https://github.com/nodeca/js-yaml.git,"as detected from PackageJson property ""repository.url""",https://github.com/nodeca/js-yaml#readme,"as detected from PackageJson property ""homepage""",https://github.com/nodeca/js-yaml/issues,"as detected from PackageJson property ""bugs.url""",,,,,dervus.grim@gmail.com,active,Active in npm registry,2025-07-31T12:37:50.534Z
@@ -311,7 +311,7 @@ library,open@8.4.2,MIT,,Sindre Sorhus,open,8.4.2,pkg:npm/open@8.4.2?vcs_url=git%
311
311
  library,semver@7.5.3,ISC,,GitHub Inc.,semver,7.5.3,pkg:npm/semver@7.5.3?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fnpm%2Fnode-semver.git,,The semantic version parser used by npm.,git+https://github.com/npm/node-semver.git,"as detected from PackageJson property ""repository.url""",https://github.com/npm/node-semver#readme,"as detected from PackageJson property ""homepage""",https://github.com/npm/node-semver/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-05-14T20:04:22.201Z
312
312
  library,strong-log-transformer@2.1.0,Apache-2.0,,Ryan Graham,strong-log-transformer,2.1.0,pkg:npm/strong-log-transformer@2.1.0?vcs_url=git%3A%2F%2Fgithub.com%2Fstrongloop%2Fstrong-log-transformer.git,,Stream transformer that prefixes lines with timestamps and other things.,git://github.com/strongloop/strong-log-transformer.git,"as detected from PackageJson property ""repository.url""",https://github.com/strongloop/strong-log-transformer,"as detected from PackageJson property ""homepage""",https://github.com/strongloop/strong-log-transformer/issues,"as detected from PackageJson property ""bugs.url""",,,,,ryan@strongloop.com,active,Active in npm registry,2023-08-16T14:07:02.920Z
313
313
  library,tar-stream@2.2.0,MIT,,Mathias Buus,tar-stream,2.2.0,pkg:npm/tar-stream@2.2.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fmafintosh%2Ftar-stream.git,,tar-stream is a streaming tar parser and generator and nothing else. It is streams2 and operates purely using streams which means you can easily extract/parse tarballs without ever hitting the file system.,git+https://github.com/mafintosh/tar-stream.git,"as detected from PackageJson property ""repository.url""",https://github.com/mafintosh/tar-stream,"as detected from PackageJson property ""homepage""",https://github.com/mafintosh/tar-stream/issues,"as detected from PackageJson property ""bugs.url""",,,,,mathiasbuus@gmail.com,active,Active in npm registry,2024-01-19T20:14:20.295Z
314
- library,tmp@0.2.3,MIT,,KARASZI István,tmp,0.2.3,pkg:npm/tmp@0.2.3?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fraszi%2Fnode-tmp.git,,Temporary file and directory creator,git+https://github.com/raszi/node-tmp.git,"as detected from PackageJson property ""repository.url""",http://github.com/raszi/node-tmp,"as detected from PackageJson property ""homepage""",http://github.com/raszi/node-tmp/issues,"as detected from PackageJson property ""bugs.url""",,,,,github@spam.raszi.hu,active,Active in npm registry,2025-08-06T07:40:21.182Z
314
+ library,tmp@0.2.3,MIT,,KARASZI István,tmp,0.2.3,pkg:npm/tmp@0.2.3?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fraszi%2Fnode-tmp.git,,Temporary file and directory creator,git+https://github.com/raszi/node-tmp.git,"as detected from PackageJson property ""repository.url""",http://github.com/raszi/node-tmp,"as detected from PackageJson property ""homepage""",http://github.com/raszi/node-tmp/issues,"as detected from PackageJson property ""bugs.url""",,,,,github@spam.raszi.hu,active,Active in npm registry,2025-08-08T21:22:09.101Z
315
315
  library,tsconfig-paths@4.2.0,MIT,,Jonas Kello,tsconfig-paths,4.2.0,pkg:npm/tsconfig-paths@4.2.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fdividab%2Ftsconfig-paths.git,,Load node modules according to tsconfig paths~ in run-time or via API.,git+https://github.com/dividab/tsconfig-paths.git,"as detected from PackageJson property ""repository.url""",https://github.com/dividab/tsconfig-paths#readme,"as detected from PackageJson property ""homepage""",https://github.com/dividab/tsconfig-paths/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-02-26T11:41:19.157Z
316
316
  library,v8-compile-cache@2.3.0,MIT,,Andres Suarez,v8-compile-cache,2.3.0,pkg:npm/v8-compile-cache@2.3.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fzertosh%2Fv8-compile-cache.git,,Require hook for automatic V8 compile cache persistence,git+https://github.com/zertosh/v8-compile-cache.git,"as detected from PackageJson property ""repository.url""",https://github.com/zertosh/v8-compile-cache#readme,"as detected from PackageJson property ""homepage""",https://github.com/zertosh/v8-compile-cache/issues,"as detected from PackageJson property ""bugs.url""",,,,,zertosh@gmail.com,active,Active in npm registry,2023-08-14T21:38:46.749Z
317
317
  library,yargs@17.7.2,MIT,,,yargs,17.7.2,pkg:npm/yargs@17.7.2?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fyargs%2Fyargs.git,,yargs the modern~ pirate-themed~ successor to optimist.,git+https://github.com/yargs/yargs.git,"as detected from PackageJson property ""repository.url""",https://yargs.js.org/,"as detected from PackageJson property ""homepage""",https://github.com/yargs/yargs/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-05-27T14:27:19.679Z
@@ -466,7 +466,7 @@ library,rimraf@4.4.1,ISC,,Isaac Z. Schlueter,rimraf,4.4.1,pkg:npm/rimraf@4.4.1?v
466
466
  library,semver-utils@1.1.4,,,AJ ONeal,semver-utils,1.1.4,pkg:npm/semver-utils@1.1.4?vcs_url=git%3A%2F%2Fgit.coolaj86.com%2Fcoolaj86%2Fsemver-utils.js.git,,Tools for manipulating semver strings and objects,git://git.coolaj86.com/coolaj86/semver-utils.js.git,"as detected from PackageJson property ""repository.url""",https://git.coolaj86.com/coolaj86/semver-utils.js,"as detected from PackageJson property ""homepage""",,,,,,,,active,Active in npm registry,2022-06-26T17:33:53.556Z
467
467
  library,source-map-support@0.5.21,MIT,,,source-map-support,0.5.21,pkg:npm/source-map-support@0.5.21?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fevanw%2Fnode-source-map-support.git,,Fixes stack traces for files with source maps,git+https://github.com/evanw/node-source-map-support.git,"as detected from PackageJson property ""repository.url""",https://github.com/evanw/node-source-map-support#readme,"as detected from PackageJson property ""homepage""",https://github.com/evanw/node-source-map-support/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2023-06-09T21:50:59.745Z
468
468
  library,spawn-please@2.0.2,ISC,,Raine Revere,spawn-please,2.0.2,pkg:npm/spawn-please@2.0.2?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fraineorshine%2Fspawn-please.git,,Promisified child_process.spawn. *Supports stdin* *Rejects on stderr*,git+https://github.com/raineorshine/spawn-please.git,"as detected from PackageJson property ""repository.url""",https://github.com/raineorshine/spawn-please#readme,"as detected from PackageJson property ""homepage""",https://github.com/raineorshine/spawn-please/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2023-09-17T14:17:39.945Z
469
- library,strip-json-comments@5.0.1,MIT,,Sindre Sorhus,strip-json-comments,5.0.1,pkg:npm/strip-json-comments@5.0.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fsindresorhus%2Fstrip-json-comments.git,,Strip comments from JSON. Lets you use comments in your JSON files!,git+https://github.com/sindresorhus/strip-json-comments.git,"as detected from PackageJson property ""repository.url""",https://github.com/sindresorhus/strip-json-comments#readme,"as detected from PackageJson property ""homepage""",https://github.com/sindresorhus/strip-json-comments/issues,"as detected from PackageJson property ""bugs.url""",,,,,sindresorhus@gmail.com,active,Active in npm registry,2025-05-16T20:47:21.899Z
469
+ library,strip-json-comments@5.0.1,MIT,,Sindre Sorhus,strip-json-comments,5.0.1,pkg:npm/strip-json-comments@5.0.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fsindresorhus%2Fstrip-json-comments.git,,Strip comments from JSON. Lets you use comments in your JSON files!,git+https://github.com/sindresorhus/strip-json-comments.git,"as detected from PackageJson property ""repository.url""",https://github.com/sindresorhus/strip-json-comments#readme,"as detected from PackageJson property ""homepage""",https://github.com/sindresorhus/strip-json-comments/issues,"as detected from PackageJson property ""bugs.url""",,,,,sindresorhus@gmail.com,active,Active in npm registry,2025-08-08T14:14:05.184Z
470
470
  library,untildify@4.0.0,MIT,,Sindre Sorhus,untildify,4.0.0,pkg:npm/untildify@4.0.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fsindresorhus%2Funtildify.git,,Convert a tilde path to an absolute path: `~/dev` → `/Users/sindresorhus/dev`,git+https://github.com/sindresorhus/untildify.git,"as detected from PackageJson property ""repository.url""",https://github.com/sindresorhus/untildify#readme,"as detected from PackageJson property ""homepage""",https://github.com/sindresorhus/untildify/issues,"as detected from PackageJson property ""bugs.url""",,,,,sindresorhus@gmail.com,active,Active in npm registry,2023-06-24T02:17:56.963Z
471
471
  library,update-notifier@6.0.2,BSD-2-Clause,,Sindre Sorhus,update-notifier,6.0.2,pkg:npm/update-notifier@6.0.2?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fyeoman%2Fupdate-notifier.git,,Update notifications for your CLI app,git+https://github.com/yeoman/update-notifier.git,"as detected from PackageJson property ""repository.url""",https://github.com/yeoman/update-notifier#readme,"as detected from PackageJson property ""homepage""",https://github.com/yeoman/update-notifier/issues,"as detected from PackageJson property ""bugs.url""",,,,,sindresorhus@gmail.com,active,Active in npm registry,2024-12-07T17:33:36.582Z
472
472
  library,yaml@2.7.0,ISC,,Eemeli Aro,yaml,2.7.0,pkg:npm/yaml@2.7.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Feemeli%2Fyaml.git,,JavaScript parser and stringifier for YAML,git+https://github.com/eemeli/yaml.git,"as detected from PackageJson property ""repository.url""",https://eemeli.org/yaml/,"as detected from PackageJson property ""homepage""",https://github.com/eemeli/yaml/issues,"as detected from PackageJson property ""bugs.url""",,,,,eemeli@gmail.com,active,Active in npm registry,2025-08-05T13:19:29.169Z
@@ -489,7 +489,7 @@ library,registry-auth-token@5.1.0,MIT,,Espen Hovlandsdal,registry-auth-token,5.1
489
489
  library,registry-url@6.0.1,MIT,,Sindre Sorhus,registry-url,6.0.1,pkg:npm/registry-url@6.0.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fsindresorhus%2Fregistry-url.git,,Get the set npm registry URL,git+https://github.com/sindresorhus/registry-url.git,"as detected from PackageJson property ""repository.url""",https://github.com/sindresorhus/registry-url#readme,"as detected from PackageJson property ""homepage""",https://github.com/sindresorhus/registry-url/issues,"as detected from PackageJson property ""bugs.url""",,,,,sindresorhus@gmail.com,active,Active in npm registry,2025-04-15T18:28:12.211Z
490
490
  library,rc@1.2.8,,,Dominic Tarr,rc,1.2.8,pkg:npm/rc@1.2.8?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fdominictarr%2Frc.git,,hardwired configuration loader,git+https://github.com/dominictarr/rc.git,"as detected from PackageJson property ""repository.url""",https://github.com/dominictarr/rc#readme,"as detected from PackageJson property ""homepage""",https://github.com/dominictarr/rc/issues,"as detected from PackageJson property ""bugs.url""",,,,,dominic.tarr@gmail.com,active,Active in npm registry,2025-02-21T12:54:43.768Z
491
491
  library,deep-extend@0.6.0,MIT,,Viacheslav Lotsmanov,deep-extend,0.6.0,pkg:npm/deep-extend@0.6.0?vcs_url=git%3A%2F%2Fgithub.com%2Funclechu%2Fnode-deep-extend.git,,Recursive object extending,git://github.com/unclechu/node-deep-extend.git,"as detected from PackageJson property ""repository.url""",https://github.com/unclechu/node-deep-extend,"as detected from PackageJson property ""homepage""",https://github.com/unclechu/node-deep-extend/issues,"as detected from PackageJson property ""bugs.url""",,,,,lotsmanov89@gmail.com,active,Active in npm registry,2023-07-10T23:19:22.518Z
492
- library,strip-json-comments@2.0.1,MIT,,Sindre Sorhus,strip-json-comments,2.0.1,pkg:npm/strip-json-comments@2.0.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fsindresorhus%2Fstrip-json-comments.git,,Strip comments from JSON. Lets you use comments in your JSON files!,git+https://github.com/sindresorhus/strip-json-comments.git,"as detected from PackageJson property ""repository.url""",https://github.com/sindresorhus/strip-json-comments#readme,"as detected from PackageJson property ""homepage""",https://github.com/sindresorhus/strip-json-comments/issues,"as detected from PackageJson property ""bugs.url""",,,,,sindresorhus@gmail.com,active,Active in npm registry,2025-05-16T20:47:21.899Z
492
+ library,strip-json-comments@2.0.1,MIT,,Sindre Sorhus,strip-json-comments,2.0.1,pkg:npm/strip-json-comments@2.0.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fsindresorhus%2Fstrip-json-comments.git,,Strip comments from JSON. Lets you use comments in your JSON files!,git+https://github.com/sindresorhus/strip-json-comments.git,"as detected from PackageJson property ""repository.url""",https://github.com/sindresorhus/strip-json-comments#readme,"as detected from PackageJson property ""homepage""",https://github.com/sindresorhus/strip-json-comments/issues,"as detected from PackageJson property ""bugs.url""",,,,,sindresorhus@gmail.com,active,Active in npm registry,2025-08-08T14:14:05.184Z
493
493
  library,@pnpm/npm-conf@2.3.1,MIT,@pnpm,,npm-conf,2.3.1,pkg:npm/%40pnpm/npm-conf@2.3.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fpnpm%2Fnpm-conf.git,,Get the npm config,git+https://github.com/pnpm/npm-conf.git,"as detected from PackageJson property ""repository.url""",https://github.com/pnpm/npm-conf#readme,"as detected from PackageJson property ""homepage""",https://github.com/pnpm/npm-conf/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2024-12-31T00:56:52.197Z
494
494
  library,@pnpm/config.env-replace@1.1.0,MIT,@pnpm,,config.env-replace,1.1.0,pkg:npm/%40pnpm/config.env-replace@1.1.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fpnpm%2Fcomponents.git,,,git+https://github.com/pnpm/components.git,"as detected from PackageJson property ""repository.url""",https://bit.cloud/pnpm/config/env-replace,"as detected from PackageJson property ""homepage""",https://github.com/pnpm/components/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-05-09T13:54:05.234Z
495
495
  library,@pnpm/network.ca-file@1.0.2,MIT,@pnpm,,network.ca-file,1.0.2,pkg:npm/%40pnpm/network.ca-file@1.0.2?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fpnpm%2Fcomponents.git,,,git+https://github.com/pnpm/components.git,"as detected from PackageJson property ""repository.url""",https://bit.dev/pnpm/network/ca-file,"as detected from PackageJson property ""homepage""",https://github.com/pnpm/components/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-05-09T13:54:02.935Z
@@ -673,7 +673,7 @@ library,jest-environment-node@29.7.0,MIT,,,jest-environment-node,29.7.0,pkg:npm/
673
673
  library,jest-regex-util@29.6.3,MIT,,,jest-regex-util,29.6.3,pkg:npm/jest-regex-util@29.6.3?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fjestjs%2Fjest.git#packages/jest-regex-util,,,git+https://github.com/jestjs/jest.git#packages/jest-regex-util,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/jestjs/jest#readme,"as detected from PackageJson property ""homepage""",https://github.com/jestjs/jest/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-06-18T22:31:17.208Z
674
674
  library,jest-resolve@29.7.0,MIT,,,jest-resolve,29.7.0,pkg:npm/jest-resolve@29.7.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fjestjs%2Fjest.git#packages/jest-resolve,,,git+https://github.com/jestjs/jest.git#packages/jest-resolve,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/jestjs/jest#readme,"as detected from PackageJson property ""homepage""",https://github.com/jestjs/jest/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-07-22T02:28:39.995Z
675
675
  library,jest-runner@29.7.0,MIT,,,jest-runner,29.7.0,pkg:npm/jest-runner@29.7.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fjestjs%2Fjest.git#packages/jest-runner,,,git+https://github.com/jestjs/jest.git#packages/jest-runner,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/jestjs/jest#readme,"as detected from PackageJson property ""homepage""",https://github.com/jestjs/jest/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-07-22T02:28:51.845Z
676
- library,strip-json-comments@3.1.1,MIT,,Sindre Sorhus,strip-json-comments,3.1.1,pkg:npm/strip-json-comments@3.1.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fsindresorhus%2Fstrip-json-comments.git,,Strip comments from JSON. Lets you use comments in your JSON files!,git+https://github.com/sindresorhus/strip-json-comments.git,"as detected from PackageJson property ""repository.url""",https://github.com/sindresorhus/strip-json-comments#readme,"as detected from PackageJson property ""homepage""",https://github.com/sindresorhus/strip-json-comments/issues,"as detected from PackageJson property ""bugs.url""",,,,,sindresorhus@gmail.com,active,Active in npm registry,2025-05-16T20:47:21.899Z
676
+ library,strip-json-comments@3.1.1,MIT,,Sindre Sorhus,strip-json-comments,3.1.1,pkg:npm/strip-json-comments@3.1.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fsindresorhus%2Fstrip-json-comments.git,,Strip comments from JSON. Lets you use comments in your JSON files!,git+https://github.com/sindresorhus/strip-json-comments.git,"as detected from PackageJson property ""repository.url""",https://github.com/sindresorhus/strip-json-comments#readme,"as detected from PackageJson property ""homepage""",https://github.com/sindresorhus/strip-json-comments/issues,"as detected from PackageJson property ""bugs.url""",,,,,sindresorhus@gmail.com,active,Active in npm registry,2025-08-08T14:14:05.184Z
677
677
  library,@jest/console@29.7.0,MIT,@jest,,console,29.7.0,pkg:npm/%40jest/console@29.7.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fjestjs%2Fjest.git#packages/jest-console,,,git+https://github.com/jestjs/jest.git#packages/jest-console,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/jestjs/jest#readme,"as detected from PackageJson property ""homepage""",https://github.com/jestjs/jest/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-07-22T02:28:35.326Z
678
678
  library,@jest/environment@29.7.0,MIT,@jest,,environment,29.7.0,pkg:npm/%40jest/environment@29.7.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fjestjs%2Fjest.git#packages/jest-environment,,,git+https://github.com/jestjs/jest.git#packages/jest-environment,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/jestjs/jest#readme,"as detected from PackageJson property ""homepage""",https://github.com/jestjs/jest/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-07-22T02:28:37.019Z
679
679
  library,@jest/transform@29.7.0,MIT,@jest,,transform,29.7.0,pkg:npm/%40jest/transform@29.7.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fjestjs%2Fjest.git#packages/jest-transform,,,git+https://github.com/jestjs/jest.git#packages/jest-transform,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/jestjs/jest#readme,"as detected from PackageJson property ""homepage""",https://github.com/jestjs/jest/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-07-22T02:28:39.975Z
@@ -803,7 +803,7 @@ library,@babel/helper-validator-option@7.25.9,MIT,@babel,The Babel Team,helper-v
803
803
  library,browserslist@4.24.4,MIT,,Andrey Sitnik,browserslist,4.24.4,pkg:npm/browserslist@4.24.4?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fbrowserslist%2Fbrowserslist.git,,Share target browsers between different front-end tools~ like Autoprefixer~ Stylelint and babel-env-preset,git+https://github.com/browserslist/browserslist.git,"as detected from PackageJson property ""repository.url""",https://github.com/browserslist/browserslist#readme,"as detected from PackageJson property ""homepage""",https://github.com/browserslist/browserslist/issues,"as detected from PackageJson property ""bugs.url""",,,,,andrey@sitnik.ru,active,Active in npm registry,2025-06-25T09:14:14.999Z
804
804
  library,lru-cache@5.1.1,ISC,,Isaac Z. Schlueter,lru-cache,5.1.1,pkg:npm/lru-cache@5.1.1?vcs_url=git%3A%2F%2Fgithub.com%2Fisaacs%2Fnode-lru-cache.git,,A cache object that deletes the least-recently-used items.,git://github.com/isaacs/node-lru-cache.git,"as detected from PackageJson property ""repository.url""",https://github.com/isaacs/node-lru-cache#readme,"as detected from PackageJson property ""homepage""",https://github.com/isaacs/node-lru-cache/issues,"as detected from PackageJson property ""bugs.url""",,,,,i@izs.me,active,Active in npm registry,2025-03-24T15:14:18.754Z
805
805
  library,yallist@3.1.1,ISC,,Isaac Z. Schlueter,yallist,3.1.1,pkg:npm/yallist@3.1.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fisaacs%2Fyallist.git,,Yet Another Linked List,git+https://github.com/isaacs/yallist.git,"as detected from PackageJson property ""repository.url""",https://github.com/isaacs/yallist#readme,"as detected from PackageJson property ""homepage""",https://github.com/isaacs/yallist/issues,"as detected from PackageJson property ""bugs.url""",,,,,i@izs.me,active,Active in npm registry,2024-04-09T19:21:45.008Z
806
- library,caniuse-lite@1.0.30001700,CC-BY-4.0,,Ben Briggs,caniuse-lite,1.0.30001700,pkg:npm/caniuse-lite@1.0.30001700?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fbrowserslist%2Fcaniuse-lite.git,,A smaller version of caniuse-db~ with only the essentials!,git+https://github.com/browserslist/caniuse-lite.git,"as detected from PackageJson property ""repository.url""",https://github.com/browserslist/caniuse-lite#readme,"as detected from PackageJson property ""homepage""",https://github.com/browserslist/caniuse-lite/issues,"as detected from PackageJson property ""bugs.url""",,,,,beneb.info@gmail.com,active,Active in npm registry,2025-07-29T05:15:35.742Z
806
+ library,caniuse-lite@1.0.30001700,CC-BY-4.0,,Ben Briggs,caniuse-lite,1.0.30001700,pkg:npm/caniuse-lite@1.0.30001700?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fbrowserslist%2Fcaniuse-lite.git,,A smaller version of caniuse-db~ with only the essentials!,git+https://github.com/browserslist/caniuse-lite.git,"as detected from PackageJson property ""repository.url""",https://github.com/browserslist/caniuse-lite#readme,"as detected from PackageJson property ""homepage""",https://github.com/browserslist/caniuse-lite/issues,"as detected from PackageJson property ""bugs.url""",,,,,beneb.info@gmail.com,active,Active in npm registry,2025-08-08T05:56:08.517Z
807
807
  library,electron-to-chromium@1.5.104,ISC,,Kilian Valkhof,electron-to-chromium,1.5.104,pkg:npm/electron-to-chromium@1.5.104?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fkilian%2Felectron-to-chromium.git,,Provides a list of electron-to-chromium version mappings,git+https://github.com/kilian/electron-to-chromium.git,"as detected from PackageJson property ""repository.url""",https://github.com/kilian/electron-to-chromium#readme,"as detected from PackageJson property ""homepage""",https://github.com/kilian/electron-to-chromium/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-07T22:02:23.996Z
808
808
  library,node-releases@2.0.19,MIT,,Sergey Rubanov,node-releases,2.0.19,pkg:npm/node-releases@2.0.19?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fchicoxyzzy%2Fnode-releases.git,,Node.js releases data,git+https://github.com/chicoxyzzy/node-releases.git,"as detected from PackageJson property ""repository.url""",https://github.com/chicoxyzzy/node-releases#readme,"as detected from PackageJson property ""homepage""",https://github.com/chicoxyzzy/node-releases/issues,"as detected from PackageJson property ""bugs.url""",,,,,chi187@gmail.com,active,Active in npm registry,2024-12-10T03:28:41.711Z
809
809
  library,update-browserslist-db@1.1.2,MIT,,Andrey Sitnik,update-browserslist-db,1.1.2,pkg:npm/update-browserslist-db@1.1.2?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fbrowserslist%2Fupdate-db.git,,CLI tool to update caniuse-lite to refresh target browsers from Browserslist config,git+https://github.com/browserslist/update-db.git,"as detected from PackageJson property ""repository.url""",https://github.com/browserslist/update-db#readme,"as detected from PackageJson property ""homepage""",https://github.com/browserslist/update-db/issues,"as detected from PackageJson property ""bugs.url""",,,,,andrey@sitnik.ru,active,Active in npm registry,2025-02-26T17:32:43.209Z
@@ -835,10 +835,10 @@ library,make-dir@4.0.0,MIT,,Sindre Sorhus,make-dir,4.0.0,pkg:npm/make-dir@4.0.0?
835
835
  library,@eslint-community/eslint-utils@4.4.1,MIT,@eslint-community,Toru Nagashima,eslint-utils,4.4.1,pkg:npm/%40eslint-community/eslint-utils@4.4.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Feslint-community%2Feslint-utils.git,,Utilities for ESLint plugins.,git+https://github.com/eslint-community/eslint-utils.git,"as detected from PackageJson property ""repository.url""",https://github.com/eslint-community/eslint-utils#readme,"as detected from PackageJson property ""homepage""",https://github.com/eslint-community/eslint-utils/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-05-02T07:52:14.764Z
836
836
  library,@eslint-community/regexpp@4.12.1,MIT,@eslint-community,Toru Nagashima,regexpp,4.12.1,pkg:npm/%40eslint-community/regexpp@4.12.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Feslint-community%2Fregexpp.git,,Regular expression parser for ECMAScript.,git+https://github.com/eslint-community/regexpp.git,"as detected from PackageJson property ""repository.url""",https://github.com/eslint-community/regexpp#readme,"as detected from PackageJson property ""homepage""",https://github.com/eslint-community/regexpp/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2024-10-28T00:38:34.716Z
837
837
  library,@eslint/config-array@0.19.2,Apache-2.0,@eslint,Nicholas C. Zakas,config-array,0.19.2,pkg:npm/%40eslint/config-array@0.19.2?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Feslint%2Frewrite.git,,General purpose glob-based configuration matching.,git+https://github.com/eslint/rewrite.git,"as detected from PackageJson property ""repository.url""",https://github.com/eslint/rewrite#readme,"as detected from PackageJson property ""homepage""",https://github.com/eslint/rewrite/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-06-25T14:04:26.966Z
838
- library,@eslint/core@0.9.1,Apache-2.0,@eslint,Nicholas C. Zakas,core,0.9.1,pkg:npm/%40eslint/core@0.9.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Feslint%2Frewrite.git,,Runtime-agnostic core of ESLint,git+https://github.com/eslint/rewrite.git,"as detected from PackageJson property ""repository.url""",https://github.com/eslint/rewrite#readme,"as detected from PackageJson property ""homepage""",https://github.com/eslint/rewrite/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-06-25T14:04:20.779Z
838
+ library,@eslint/core@0.9.1,Apache-2.0,@eslint,Nicholas C. Zakas,core,0.9.1,pkg:npm/%40eslint/core@0.9.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Feslint%2Frewrite.git,,Runtime-agnostic core of ESLint,git+https://github.com/eslint/rewrite.git,"as detected from PackageJson property ""repository.url""",https://github.com/eslint/rewrite#readme,"as detected from PackageJson property ""homepage""",https://github.com/eslint/rewrite/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T10:21:25.201Z
839
839
  library,@eslint/eslintrc@3.3.0,MIT,@eslint,Nicholas C. Zakas,eslintrc,3.3.0,pkg:npm/%40eslint/eslintrc@3.3.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Feslint%2Feslintrc.git,,The legacy ESLintRC config file format for ESLint,git+https://github.com/eslint/eslintrc.git,"as detected from PackageJson property ""repository.url""",https://github.com/eslint/eslintrc#readme,"as detected from PackageJson property ""homepage""",https://github.com/eslint/eslintrc/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-03-21T20:07:55.125Z
840
- library,@eslint/js@9.15.0,MIT,@eslint,,js,9.15.0,pkg:npm/%40eslint/js@9.15.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Feslint%2Feslint.git#packages/js,,ESLint JavaScript language implementation,git+https://github.com/eslint/eslint.git#packages/js,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://eslint.org,"as detected from PackageJson property ""homepage""",https://github.com/eslint/eslint/issues/,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-07-25T14:30:06.150Z
841
- library,@eslint/plugin-kit@0.2.7,Apache-2.0,@eslint,Nicholas C. Zakas,plugin-kit,0.2.7,pkg:npm/%40eslint/plugin-kit@0.2.7?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Feslint%2Frewrite.git,,Utilities for building ESLint plugins.,git+https://github.com/eslint/rewrite.git,"as detected from PackageJson property ""repository.url""",https://github.com/eslint/rewrite#readme,"as detected from PackageJson property ""homepage""",https://github.com/eslint/rewrite/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-07-21T15:31:41.573Z
840
+ library,@eslint/js@9.15.0,MIT,@eslint,,js,9.15.0,pkg:npm/%40eslint/js@9.15.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Feslint%2Feslint.git#packages/js,,ESLint JavaScript language implementation,git+https://github.com/eslint/eslint.git#packages/js,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://eslint.org,"as detected from PackageJson property ""homepage""",https://github.com/eslint/eslint/issues/,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T20:06:11.992Z
841
+ library,@eslint/plugin-kit@0.2.7,Apache-2.0,@eslint,Nicholas C. Zakas,plugin-kit,0.2.7,pkg:npm/%40eslint/plugin-kit@0.2.7?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Feslint%2Frewrite.git,,Utilities for building ESLint plugins.,git+https://github.com/eslint/rewrite.git,"as detected from PackageJson property ""repository.url""",https://github.com/eslint/rewrite#readme,"as detected from PackageJson property ""homepage""",https://github.com/eslint/rewrite/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T10:21:36.426Z
842
842
  library,@humanfs/node@0.16.6,Apache-2.0,@humanfs,Nicholas C. Zakas,node,0.16.6,pkg:npm/%40humanfs/node@0.16.6?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fhumanwhocodes%2Fhumanfs.git,,The Node.js bindings of the humanfs library.,git+https://github.com/humanwhocodes/humanfs.git,"as detected from PackageJson property ""repository.url""",https://github.com/humanwhocodes/humanfs#readme,"as detected from PackageJson property ""homepage""",https://github.com/humanwhocodes/humanfs/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2024-10-28T13:56:01.381Z
843
843
  library,@humanwhocodes/module-importer@1.0.1,Apache-2.0,@humanwhocodes,Nicholas C. Zaks,module-importer,1.0.1,pkg:npm/%40humanwhocodes/module-importer@1.0.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fhumanwhocodes%2Fmodule-importer.git,,Universal module importer for Node.js,git+https://github.com/humanwhocodes/module-importer.git,"as detected from PackageJson property ""repository.url""",https://github.com/humanwhocodes/module-importer#readme,"as detected from PackageJson property ""homepage""",https://github.com/humanwhocodes/module-importer/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2023-06-22T16:31:11.465Z
844
844
  library,@humanwhocodes/retry@0.4.2,Apache-2.0,@humanwhocodes,Nicholas C. Zaks,retry,0.4.2,pkg:npm/%40humanwhocodes/retry@0.4.2?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fhumanwhocodes%2Fretry.git,,A utility to retry failed async methods.,git+https://github.com/humanwhocodes/retry.git,"as detected from PackageJson property ""repository.url""",https://github.com/humanwhocodes/retry#readme,"as detected from PackageJson property ""homepage""",https://github.com/humanwhocodes/retry/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-05-07T14:25:57.572Z
@@ -873,7 +873,7 @@ library,uri-js@4.4.1,BSD-2-Clause,,Gary Court,uri-js,4.4.1,pkg:npm/uri-js@4.4.1?
873
873
  library,punycode@2.3.1,MIT,,Mathias Bynens,punycode,2.3.1,pkg:npm/punycode@2.3.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fmathiasbynens%2Fpunycode.js.git,,A robust Punycode converter that fully complies to RFC 3492 and RFC 5891~ and works on nearly all JavaScript platforms.,git+https://github.com/mathiasbynens/punycode.js.git,"as detected from PackageJson property ""repository.url""",https://mths.be/punycode,"as detected from PackageJson property ""homepage""",https://github.com/mathiasbynens/punycode.js/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2023-10-30T18:28:32.689Z
874
874
  library,@humanfs/core@0.19.1,Apache-2.0,@humanfs,Nicholas C. Zakas,core,0.19.1,pkg:npm/%40humanfs/core@0.19.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fhumanwhocodes%2Fhumanfs.git,,The core of the humanfs library.,git+https://github.com/humanwhocodes/humanfs.git,"as detected from PackageJson property ""repository.url""",https://github.com/humanwhocodes/humanfs#readme,"as detected from PackageJson property ""homepage""",https://github.com/humanwhocodes/humanfs/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2024-10-28T13:55:51.149Z
875
875
  library,@humanwhocodes/retry@0.3.1,Apache-2.0,@humanwhocodes,Nicholas C. Zaks,retry,0.3.1,pkg:npm/%40humanwhocodes/retry@0.3.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fhumanwhocodes%2Fretry.git,,A utility to retry failed async methods.,git+https://github.com/humanwhocodes/retry.git,"as detected from PackageJson property ""repository.url""",https://github.com/humanwhocodes/retry#readme,"as detected from PackageJson property ""homepage""",https://github.com/humanwhocodes/retry/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-05-07T14:25:57.572Z
876
- library,@eslint/core@0.12.0,Apache-2.0,@eslint,Nicholas C. Zakas,core,0.12.0,pkg:npm/%40eslint/core@0.12.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Feslint%2Frewrite.git,,Runtime-agnostic core of ESLint,git+https://github.com/eslint/rewrite.git,"as detected from PackageJson property ""repository.url""",https://github.com/eslint/rewrite#readme,"as detected from PackageJson property ""homepage""",https://github.com/eslint/rewrite/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-06-25T14:04:20.779Z
876
+ library,@eslint/core@0.12.0,Apache-2.0,@eslint,Nicholas C. Zakas,core,0.12.0,pkg:npm/%40eslint/core@0.12.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Feslint%2Frewrite.git,,Runtime-agnostic core of ESLint,git+https://github.com/eslint/rewrite.git,"as detected from PackageJson property ""repository.url""",https://github.com/eslint/rewrite#readme,"as detected from PackageJson property ""homepage""",https://github.com/eslint/rewrite/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T10:21:25.201Z
877
877
  library,globals@14.0.0,MIT,,Sindre Sorhus,globals,14.0.0,pkg:npm/globals@14.0.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fsindresorhus%2Fglobals.git,,Global identifiers from different JavaScript environments,git+https://github.com/sindresorhus/globals.git,"as detected from PackageJson property ""repository.url""",https://github.com/sindresorhus/globals#readme,"as detected from PackageJson property ""homepage""",https://github.com/sindresorhus/globals/issues,"as detected from PackageJson property ""bugs.url""",,,,,sindresorhus@gmail.com,active,Active in npm registry,2025-07-01T09:52:39.607Z
878
878
  library,import-fresh@3.3.1,MIT,,Sindre Sorhus,import-fresh,3.3.1,pkg:npm/import-fresh@3.3.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fsindresorhus%2Fimport-fresh.git,,Import a module while bypassing the cache,git+https://github.com/sindresorhus/import-fresh.git,"as detected from PackageJson property ""repository.url""",https://github.com/sindresorhus/import-fresh#readme,"as detected from PackageJson property ""homepage""",https://github.com/sindresorhus/import-fresh/issues,"as detected from PackageJson property ""bugs.url""",,,,,sindresorhus@gmail.com,active,Active in npm registry,2025-02-02T09:45:41.907Z
879
879
  library,parent-module@1.0.1,MIT,,Sindre Sorhus,parent-module,1.0.1,pkg:npm/parent-module@1.0.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fsindresorhus%2Fparent-module.git,,Get the path of the parent module,git+https://github.com/sindresorhus/parent-module.git,"as detected from PackageJson property ""repository.url""",https://github.com/sindresorhus/parent-module#readme,"as detected from PackageJson property ""homepage""",https://github.com/sindresorhus/parent-module/issues,"as detected from PackageJson property ""bugs.url""",,,,,sindresorhus@gmail.com,active,Active in npm registry,2023-09-14T06:26:34.659Z
@@ -983,16 +983,16 @@ library,from@0.1.7,MIT,,Dominic Tarr,from,0.1.7,pkg:npm/from@0.1.7?vcs_url=git%3
983
983
  library,map-stream@0.0.7,MIT,,Dominic Tarr,map-stream,0.0.7,pkg:npm/map-stream@0.0.7?vcs_url=git%3A%2F%2Fgithub.com%2Fdominictarr%2Fmap-stream.git,,construct pipes of streams of events,git://github.com/dominictarr/map-stream.git,"as detected from PackageJson property ""repository.url""",http://github.com/dominictarr/map-stream,"as detected from PackageJson property ""homepage""",https://github.com/dominictarr/map-stream/issues,"as detected from PackageJson property ""bugs.url""",,,,,dominic.tarr@gmail.com,active,Active in npm registry,2022-06-19T15:52:46.194Z
984
984
  library,pause-stream@0.0.11,,,Dominic Tarr,pause-stream,0.0.11,pkg:npm/pause-stream@0.0.11?vcs_url=git%3A%2F%2Fgithub.com%2Fdominictarr%2Fpause-stream.git,,a ThroughStream that strictly buffers all readable events when paused.,git://github.com/dominictarr/pause-stream.git,"as detected from PackageJson property ""repository.url""",https://github.com/dominictarr/pause-stream#readme,"as detected from PackageJson property ""homepage""",https://github.com/dominictarr/pause-stream/issues,"as detected from PackageJson property ""bugs.url""",,,,,dominic.tarr@gmail.com,active,Active in npm registry,2022-11-08T10:38:57.078Z
985
985
  library,stream-combiner@0.2.2,MIT,,'Dominic Tarr',stream-combiner,0.2.2,pkg:npm/stream-combiner@0.2.2?vcs_url=git%3A%2F%2Fgithub.com%2Fdominictarr%2Fstream-combiner.git,,,git://github.com/dominictarr/stream-combiner.git,"as detected from PackageJson property ""repository.url""",https://github.com/dominictarr/stream-combiner,"as detected from PackageJson property ""homepage""",https://github.com/dominictarr/stream-combiner/issues,"as detected from PackageJson property ""bugs.url""",,,,,dominic.tarr@gmail.com,active,Active in npm registry,2022-11-08T10:38:50.859Z
986
- library,@typescript-eslint/scope-manager@8.39.0,MIT,@typescript-eslint,,scope-manager,8.39.0,pkg:npm/%40typescript-eslint/scope-manager@8.39.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftypescript-eslint%2Ftypescript-eslint.git#packages/scope-manager,,TypeScript scope analyser for ESLint,git+https://github.com/typescript-eslint/typescript-eslint.git#packages/scope-manager,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://typescript-eslint.io/packages/scope-manager,"as detected from PackageJson property ""homepage""",https://github.com/typescript-eslint/typescript-eslint/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-05T00:24:37.994Z
987
- library,@typescript-eslint/types@8.39.0,MIT,@typescript-eslint,,types,8.39.0,pkg:npm/%40typescript-eslint/types@8.39.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftypescript-eslint%2Ftypescript-eslint.git#packages/types,,Types for the TypeScript-ESTree AST spec,git+https://github.com/typescript-eslint/typescript-eslint.git#packages/types,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://typescript-eslint.io,"as detected from PackageJson property ""homepage""",https://github.com/typescript-eslint/typescript-eslint/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-05T00:24:21.817Z
988
- library,@typescript-eslint/typescript-estree@8.39.0,MIT,@typescript-eslint,,typescript-estree,8.39.0,pkg:npm/%40typescript-eslint/typescript-estree@8.39.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftypescript-eslint%2Ftypescript-eslint.git#packages/typescript-estree,,A parser that converts TypeScript source code into an ESTree compatible form,git+https://github.com/typescript-eslint/typescript-eslint.git#packages/typescript-estree,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://typescript-eslint.io/packages/typescript-estree,"as detected from PackageJson property ""homepage""",https://github.com/typescript-eslint/typescript-eslint/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-05T00:24:32.142Z
989
- library,@typescript-eslint/visitor-keys@8.39.0,MIT,@typescript-eslint,,visitor-keys,8.39.0,pkg:npm/%40typescript-eslint/visitor-keys@8.39.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftypescript-eslint%2Ftypescript-eslint.git#packages/visitor-keys,,Visitor keys used to help traverse the TypeScript-ESTree AST,git+https://github.com/typescript-eslint/typescript-eslint.git#packages/visitor-keys,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://typescript-eslint.io,"as detected from PackageJson property ""homepage""",https://github.com/typescript-eslint/typescript-eslint/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-05T00:24:26.942Z
986
+ library,@typescript-eslint/scope-manager@8.39.0,MIT,@typescript-eslint,,scope-manager,8.39.0,pkg:npm/%40typescript-eslint/scope-manager@8.39.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftypescript-eslint%2Ftypescript-eslint.git#packages/scope-manager,,TypeScript scope analyser for ESLint,git+https://github.com/typescript-eslint/typescript-eslint.git#packages/scope-manager,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://typescript-eslint.io/packages/scope-manager,"as detected from PackageJson property ""homepage""",https://github.com/typescript-eslint/typescript-eslint/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T00:08:22.740Z
987
+ library,@typescript-eslint/types@8.39.0,MIT,@typescript-eslint,,types,8.39.0,pkg:npm/%40typescript-eslint/types@8.39.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftypescript-eslint%2Ftypescript-eslint.git#packages/types,,Types for the TypeScript-ESTree AST spec,git+https://github.com/typescript-eslint/typescript-eslint.git#packages/types,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://typescript-eslint.io,"as detected from PackageJson property ""homepage""",https://github.com/typescript-eslint/typescript-eslint/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T00:08:04.247Z
988
+ library,@typescript-eslint/typescript-estree@8.39.0,MIT,@typescript-eslint,,typescript-estree,8.39.0,pkg:npm/%40typescript-eslint/typescript-estree@8.39.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftypescript-eslint%2Ftypescript-eslint.git#packages/typescript-estree,,A parser that converts TypeScript source code into an ESTree compatible form,git+https://github.com/typescript-eslint/typescript-eslint.git#packages/typescript-estree,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://typescript-eslint.io/packages/typescript-estree,"as detected from PackageJson property ""homepage""",https://github.com/typescript-eslint/typescript-eslint/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T00:08:16.251Z
989
+ library,@typescript-eslint/visitor-keys@8.39.0,MIT,@typescript-eslint,,visitor-keys,8.39.0,pkg:npm/%40typescript-eslint/visitor-keys@8.39.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftypescript-eslint%2Ftypescript-eslint.git#packages/visitor-keys,,Visitor keys used to help traverse the TypeScript-ESTree AST,git+https://github.com/typescript-eslint/typescript-eslint.git#packages/visitor-keys,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://typescript-eslint.io,"as detected from PackageJson property ""homepage""",https://github.com/typescript-eslint/typescript-eslint/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T00:08:09.769Z
990
990
  library,eslint-visitor-keys@4.2.1,Apache-2.0,,Toru Nagashima,eslint-visitor-keys,4.2.1,pkg:npm/eslint-visitor-keys@4.2.1?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Feslint%2Fjs.git#packages/eslint-visitor-keys,,Constants and utilities about visitor keys to traverse AST.,git+https://github.com/eslint/js.git#packages/eslint-visitor-keys,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://github.com/eslint/js/blob/main/packages/eslint-visitor-keys/README.md,"as detected from PackageJson property ""homepage""",https://github.com/eslint/js/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-06-09T15:45:53.017Z
991
- library,@typescript-eslint/project-service@8.39.0,MIT,@typescript-eslint,,project-service,8.39.0,pkg:npm/%40typescript-eslint/project-service@8.39.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftypescript-eslint%2Ftypescript-eslint.git#packages/project-service,,Standalone TypeScript project service wrapper for linting.,git+https://github.com/typescript-eslint/typescript-eslint.git#packages/project-service,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://typescript-eslint.io,"as detected from PackageJson property ""homepage""",https://github.com/typescript-eslint/typescript-eslint/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-05T00:24:26.645Z
992
- library,@typescript-eslint/tsconfig-utils@8.39.0,MIT,@typescript-eslint,,tsconfig-utils,8.39.0,pkg:npm/%40typescript-eslint/tsconfig-utils@8.39.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftypescript-eslint%2Ftypescript-eslint.git#packages/tsconfig-utils,,Utilities for collecting TSConfigs for linting scenarios.,git+https://github.com/typescript-eslint/typescript-eslint.git#packages/tsconfig-utils,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://typescript-eslint.io,"as detected from PackageJson property ""homepage""",https://github.com/typescript-eslint/typescript-eslint/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-05T00:24:21.726Z
991
+ library,@typescript-eslint/project-service@8.39.0,MIT,@typescript-eslint,,project-service,8.39.0,pkg:npm/%40typescript-eslint/project-service@8.39.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftypescript-eslint%2Ftypescript-eslint.git#packages/project-service,,Standalone TypeScript project service wrapper for linting.,git+https://github.com/typescript-eslint/typescript-eslint.git#packages/project-service,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://typescript-eslint.io,"as detected from PackageJson property ""homepage""",https://github.com/typescript-eslint/typescript-eslint/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T00:08:09.067Z
992
+ library,@typescript-eslint/tsconfig-utils@8.39.0,MIT,@typescript-eslint,,tsconfig-utils,8.39.0,pkg:npm/%40typescript-eslint/tsconfig-utils@8.39.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftypescript-eslint%2Ftypescript-eslint.git#packages/tsconfig-utils,,Utilities for collecting TSConfigs for linting scenarios.,git+https://github.com/typescript-eslint/typescript-eslint.git#packages/tsconfig-utils,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://typescript-eslint.io,"as detected from PackageJson property ""homepage""",https://github.com/typescript-eslint/typescript-eslint/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T00:08:03.342Z
993
993
  library,ts-api-utils@2.1.0,MIT,,JoshuaKGoldberg,ts-api-utils,2.1.0,pkg:npm/ts-api-utils@2.1.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2FJoshuaKGoldberg%2Fts-api-utils.git,,Utility functions for working with TypeScript's API. Successor to the wonderful tsutils. 🛠️️,git+https://github.com/JoshuaKGoldberg/ts-api-utils.git,"as detected from PackageJson property ""repository.url""",https://github.com/JoshuaKGoldberg/ts-api-utils#readme,"as detected from PackageJson property ""homepage""",https://github.com/JoshuaKGoldberg/ts-api-utils/issues,"as detected from PackageJson property ""bugs.url""",,,,,npm@joshuakgoldberg.com,active,Active in npm registry,2025-03-20T12:24:50.789Z
994
- library,@typescript-eslint/type-utils@8.39.0,MIT,@typescript-eslint,,type-utils,8.39.0,pkg:npm/%40typescript-eslint/type-utils@8.39.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftypescript-eslint%2Ftypescript-eslint.git#packages/type-utils,,Type utilities for working with TypeScript + ESLint together,git+https://github.com/typescript-eslint/typescript-eslint.git#packages/type-utils,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://typescript-eslint.io,"as detected from PackageJson property ""homepage""",https://github.com/typescript-eslint/typescript-eslint/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-05T00:24:49.351Z
995
- library,@typescript-eslint/utils@8.39.0,MIT,@typescript-eslint,,utils,8.39.0,pkg:npm/%40typescript-eslint/utils@8.39.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftypescript-eslint%2Ftypescript-eslint.git#packages/utils,,Utilities for working with TypeScript + ESLint together,git+https://github.com/typescript-eslint/typescript-eslint.git#packages/utils,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://typescript-eslint.io/packages/utils,"as detected from PackageJson property ""homepage""",https://github.com/typescript-eslint/typescript-eslint/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-05T00:24:43.870Z
994
+ library,@typescript-eslint/type-utils@8.39.0,MIT,@typescript-eslint,,type-utils,8.39.0,pkg:npm/%40typescript-eslint/type-utils@8.39.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftypescript-eslint%2Ftypescript-eslint.git#packages/type-utils,,Type utilities for working with TypeScript + ESLint together,git+https://github.com/typescript-eslint/typescript-eslint.git#packages/type-utils,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://typescript-eslint.io,"as detected from PackageJson property ""homepage""",https://github.com/typescript-eslint/typescript-eslint/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T00:08:34.751Z
995
+ library,@typescript-eslint/utils@8.39.0,MIT,@typescript-eslint,,utils,8.39.0,pkg:npm/%40typescript-eslint/utils@8.39.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Ftypescript-eslint%2Ftypescript-eslint.git#packages/utils,,Utilities for working with TypeScript + ESLint together,git+https://github.com/typescript-eslint/typescript-eslint.git#packages/utils,"as detected from PackageJson property ""repository.url"" and ""repository.directory""",https://typescript-eslint.io/packages/utils,"as detected from PackageJson property ""homepage""",https://github.com/typescript-eslint/typescript-eslint/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-08-08T00:08:28.488Z
996
996
  library,graphemer@1.4.0,MIT,,Matt Davies,graphemer,1.4.0,pkg:npm/graphemer@1.4.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Fflmnt%2Fgraphemer.git,,A JavaScript library that breaks strings into their individual user-perceived characters (including emojis!),git+https://github.com/flmnt/graphemer.git,"as detected from PackageJson property ""repository.url""",https://github.com/flmnt/graphemer,"as detected from PackageJson property ""homepage""",https://github.com/flmnt/graphemer/issues,"as detected from PackageJson property ""bugs.url""",,,,,matt@filament.so,active,Active in npm registry,2023-06-22T16:32:15.232Z
997
997
  library,ignore@7.0.4,MIT,,kael,ignore,7.0.4,pkg:npm/ignore@7.0.4?vcs_url=git%2Bssh%3A%2F%2Fgit%40github.com%2Fkaelzhang%2Fnode-ignore.git,,Ignore is a manager and filter for .gitignore rules~ the one used by eslint~ gitbook and many others.,git+ssh://git@github.com/kaelzhang/node-ignore.git,"as detected from PackageJson property ""repository.url""",https://github.com/kaelzhang/node-ignore#readme,"as detected from PackageJson property ""homepage""",https://github.com/kaelzhang/node-ignore/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-05-31T02:18:53.593Z
998
998
  library,@eslint-community/eslint-utils@4.7.0,MIT,@eslint-community,Toru Nagashima,eslint-utils,4.7.0,pkg:npm/%40eslint-community/eslint-utils@4.7.0?vcs_url=git%2Bhttps%3A%2F%2Fgithub.com%2Feslint-community%2Feslint-utils.git,,Utilities for ESLint plugins.,git+https://github.com/eslint-community/eslint-utils.git,"as detected from PackageJson property ""repository.url""",https://github.com/eslint-community/eslint-utils#readme,"as detected from PackageJson property ""homepage""",https://github.com/eslint-community/eslint-utils/issues,"as detected from PackageJson property ""bugs.url""",,,,,,active,Active in npm registry,2025-05-02T07:52:14.764Z