repo_name
stringclasses
28 values
pr_number
int64
8
3.71k
pr_title
stringlengths
3
107
pr_description
stringlengths
0
60.1k
author
stringlengths
4
19
date_created
timestamp[ns, tz=UTC]
date_merged
timestamp[ns, tz=UTC]
previous_commit
stringlengths
40
40
pr_commit
stringlengths
40
40
query
stringlengths
5
60.1k
filepath
stringlengths
7
167
before_content
stringlengths
0
103M
after_content
stringlengths
0
103M
label
int64
-1
1
log4js-node/log4js-node
1,285
Fix connectlogger nolog function
Fix #1284. The server headers are now avalaible in nolog function.
eyoboue
2022-07-07T18:09:42Z
2022-07-08T13:42:18Z
28893ffd11cfeda001332114c34e4c4d2d7375a8
39218cc8d0e42773dd5513ca3d24cb397d0b4d50
Fix connectlogger nolog function. Fix #1284. The server headers are now avalaible in nolog function.
./test/tap/multi-file-appender-test.js
const process = require('process'); const { test } = require('tap'); const debug = require('debug'); const fs = require('fs'); const sandbox = require('@log4js-node/sandboxed-module'); const log4js = require('../../lib/log4js'); const removeFiles = async (filenames) => { if (!Array.isArray(filenames)) filenames = [filenames]; const promises = filenames.map((filename) => fs.promises.unlink(filename)); await Promise.allSettled(promises); }; test('multiFile appender', (batch) => { batch.test( 'should write to multiple files based on the loggingEvent property', (t) => { t.teardown(async () => { await removeFiles(['logs/A.log', 'logs/B.log']); }); log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'categoryName', extension: '.log', }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerA = log4js.getLogger('A'); const loggerB = log4js.getLogger('B'); loggerA.info('I am in logger A'); loggerB.info('I am in logger B'); log4js.shutdown(() => { t.match(fs.readFileSync('logs/A.log', 'utf-8'), 'I am in logger A'); t.match(fs.readFileSync('logs/B.log', 'utf-8'), 'I am in logger B'); t.end(); }); } ); batch.test( 'should write to multiple files based on loggingEvent.context properties', (t) => { t.teardown(async () => { await removeFiles(['logs/C.log', 'logs/D.log']); }); log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerC = log4js.getLogger('cheese'); const loggerD = log4js.getLogger('biscuits'); loggerC.addContext('label', 'C'); loggerD.addContext('label', 'D'); loggerC.info('I am in logger C'); loggerD.info('I am in logger D'); log4js.shutdown(() => { t.match(fs.readFileSync('logs/C.log', 'utf-8'), 'I am in logger C'); t.match(fs.readFileSync('logs/D.log', 'utf-8'), 'I am in logger D'); t.end(); }); } ); batch.test('should close file after timeout', (t) => { /* checking that the file is closed after a timeout is done by looking at the debug logs since detecting file locks with node.js is platform specific. */ const debugWasEnabled = debug.enabled('log4js:multiFile'); const debugLogs = []; const originalWrite = process.stderr.write; process.stderr.write = (string, encoding, fd) => { debugLogs.push(string); if (debugWasEnabled) { originalWrite.apply(process.stderr, [string, encoding, fd]); } }; const originalNamespace = debug.disable(); debug.enable(`${originalNamespace}, log4js:multiFile`); t.teardown(async () => { await new Promise((resolve) => { log4js.shutdown(resolve); }); await removeFiles('logs/C.log'); process.stderr.write = originalWrite; debug.enable(originalNamespace); }); const timeoutMs = 25; log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', timeout: timeoutMs, }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerC = log4js.getLogger('cheese'); loggerC.addContext('label', 'C'); loggerC.info('I am in logger C'); setTimeout(() => { t.match( debugLogs[debugLogs.length - 1], `C not used for > ${timeoutMs} ms => close`, '(timeout1) should have closed' ); t.end(); }, timeoutMs * 1 + 50); // add a 50 ms delay }); batch.test('should close file safely after timeout', (t) => { const error = new Error('fileAppender shutdown error'); const sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { './appenders/file': { configure(config, layouts) { const fileAppender = require('../../lib/appenders/file').configure( config, layouts ); const originalShutdown = fileAppender.shutdown; fileAppender.shutdown = function (complete) { const onCallback = function () { complete(error); }; originalShutdown(onCallback); }; return fileAppender; }, }, debug, }, }); /* checking that the file is closed after a timeout is done by looking at the debug logs since detecting file locks with node.js is platform specific. */ const debugWasEnabled = debug.enabled('log4js:multiFile'); const debugLogs = []; const originalWrite = process.stderr.write; process.stderr.write = (string, encoding, fd) => { debugLogs.push(string); if (debugWasEnabled) { originalWrite.apply(process.stderr, [string, encoding, fd]); } }; const originalNamespace = debug.disable(); debug.enable(`${originalNamespace}, log4js:multiFile`); t.teardown(async () => { await new Promise((resolve) => { sandboxedLog4js.shutdown(resolve); }); await removeFiles('logs/C.log'); process.stderr.write = originalWrite; debug.enable(originalNamespace); }); const timeoutMs = 25; sandboxedLog4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', timeout: timeoutMs, }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerC = sandboxedLog4js.getLogger('cheese'); loggerC.addContext('label', 'C'); loggerC.info('I am in logger C'); setTimeout(() => { t.match( debugLogs[debugLogs.length - 2], `C not used for > ${timeoutMs} ms => close`, '(timeout1) should have closed' ); t.match( debugLogs[debugLogs.length - 1], `ignore error on file shutdown: ${error.message}`, 'safely shutdown' ); t.end(); }, timeoutMs * 1 + 50); // add a 50 ms delay }); batch.test('should close file after extended timeout', (t) => { /* checking that the file is closed after a timeout is done by looking at the debug logs since detecting file locks with node.js is platform specific. */ const debugWasEnabled = debug.enabled('log4js:multiFile'); const debugLogs = []; const originalWrite = process.stderr.write; process.stderr.write = (string, encoding, fd) => { debugLogs.push(string); if (debugWasEnabled) { originalWrite.apply(process.stderr, [string, encoding, fd]); } }; const originalNamespace = debug.disable(); debug.enable(`${originalNamespace}, log4js:multiFile`); t.teardown(async () => { await new Promise((resolve) => { log4js.shutdown(resolve); }); await removeFiles('logs/D.log'); process.stderr.write = originalWrite; debug.enable(originalNamespace); }); const timeoutMs = 100; log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', timeout: timeoutMs, }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerD = log4js.getLogger('cheese'); loggerD.addContext('label', 'D'); loggerD.info('I am in logger D'); setTimeout(() => { loggerD.info('extending activity!'); t.match( debugLogs[debugLogs.length - 1], 'D extending activity', 'should have extended' ); }, timeoutMs / 2); setTimeout(() => { t.notOk( debugLogs.some( (s) => s.indexOf(`D not used for > ${timeoutMs} ms => close`) !== -1 ), '(timeout1) should not have closed' ); }, timeoutMs * 1 + 50); // add a 50 ms delay setTimeout(() => { t.match( debugLogs[debugLogs.length - 1], `D not used for > ${timeoutMs} ms => close`, '(timeout2) should have closed' ); t.end(); }, timeoutMs * 2 + 50); // add a 50 ms delay }); batch.test('should clear interval for active timers on shutdown', (t) => { /* checking that the file is closed after a timeout is done by looking at the debug logs since detecting file locks with node.js is platform specific. */ const debugWasEnabled = debug.enabled('log4js:multiFile'); const debugLogs = []; const originalWrite = process.stderr.write; process.stderr.write = (string, encoding, fd) => { debugLogs.push(string); if (debugWasEnabled) { originalWrite.apply(process.stderr, [string, encoding, fd]); } }; const originalNamespace = debug.disable(); debug.enable(`${originalNamespace}, log4js:multiFile`); t.teardown(async () => { await removeFiles('logs/D.log'); process.stderr.write = originalWrite; debug.enable(originalNamespace); }); const timeoutMs = 100; log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', timeout: timeoutMs, }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerD = log4js.getLogger('cheese'); loggerD.addContext('label', 'D'); loggerD.info('I am in logger D'); log4js.shutdown(() => { t.notOk( debugLogs.some( (s) => s.indexOf(`D not used for > ${timeoutMs} ms => close`) !== -1 ), 'should not have closed' ); t.ok( debugLogs.some((s) => s.indexOf('clearing timer for D') !== -1), 'should have cleared timers' ); t.match( debugLogs[debugLogs.length - 1], 'calling shutdown for D', 'should have called shutdown' ); t.end(); }); }); batch.test( 'should fail silently if loggingEvent property has no value', (t) => { t.teardown(async () => { await removeFiles('logs/E.log'); }); log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerE = log4js.getLogger(); loggerE.addContext('label', 'E'); loggerE.info('I am in logger E'); loggerE.removeContext('label'); loggerE.info('I am not in logger E'); loggerE.addContext('label', null); loggerE.info('I am also not in logger E'); log4js.shutdown(() => { const contents = fs.readFileSync('logs/E.log', 'utf-8'); t.match(contents, 'I am in logger E'); t.notMatch(contents, 'I am not in logger E'); t.notMatch(contents, 'I am also not in logger E'); t.end(); }); } ); batch.test('should pass options to rolling file stream', (t) => { t.teardown(async () => { await removeFiles(['logs/F.log', 'logs/F.log.1', 'logs/F.log.2']); }); log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', maxLogSize: 30, backups: 2, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerF = log4js.getLogger(); loggerF.addContext('label', 'F'); loggerF.info('Being in logger F is the best.'); loggerF.info('I am also in logger F, awesome'); loggerF.info('I am in logger F'); log4js.shutdown(() => { let contents = fs.readFileSync('logs/F.log', 'utf-8'); t.match(contents, 'I am in logger F'); contents = fs.readFileSync('logs/F.log.1', 'utf-8'); t.match(contents, 'I am also in logger F'); contents = fs.readFileSync('logs/F.log.2', 'utf-8'); t.match(contents, 'Being in logger F is the best'); t.end(); }); }); batch.test('should inherit config from category hierarchy', (t) => { t.teardown(async () => { await removeFiles('logs/test.someTest.log'); }); log4js.configure({ appenders: { out: { type: 'stdout' }, test: { type: 'multiFile', base: 'logs/', property: 'categoryName', extension: '.log', }, }, categories: { default: { appenders: ['out'], level: 'info' }, test: { appenders: ['test'], level: 'debug' }, }, }); const testLogger = log4js.getLogger('test.someTest'); testLogger.debug('This should go to the file'); log4js.shutdown(() => { const contents = fs.readFileSync('logs/test.someTest.log', 'utf-8'); t.match(contents, 'This should go to the file'); t.end(); }); }); batch.test('should shutdown safely even if it is not used', (t) => { log4js.configure({ appenders: { out: { type: 'stdout' }, test: { type: 'multiFile', base: 'logs/', property: 'categoryName', extension: '.log', }, }, categories: { default: { appenders: ['out'], level: 'info' }, test: { appenders: ['test'], level: 'debug' }, }, }); log4js.shutdown(() => { t.ok('callback is called'); t.end(); }); }); batch.teardown(async () => { try { const files = fs.readdirSync('logs'); await removeFiles(files.map((filename) => `logs/${filename}`)); fs.rmdirSync('logs'); } catch (e) { // doesn't matter } }); batch.end(); });
const process = require('process'); const { test } = require('tap'); const debug = require('debug'); const fs = require('fs'); const sandbox = require('@log4js-node/sandboxed-module'); const log4js = require('../../lib/log4js'); const removeFiles = async (filenames) => { if (!Array.isArray(filenames)) filenames = [filenames]; const promises = filenames.map((filename) => fs.promises.unlink(filename)); await Promise.allSettled(promises); }; test('multiFile appender', (batch) => { batch.test( 'should write to multiple files based on the loggingEvent property', (t) => { t.teardown(async () => { await removeFiles(['logs/A.log', 'logs/B.log']); }); log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'categoryName', extension: '.log', }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerA = log4js.getLogger('A'); const loggerB = log4js.getLogger('B'); loggerA.info('I am in logger A'); loggerB.info('I am in logger B'); log4js.shutdown(() => { t.match(fs.readFileSync('logs/A.log', 'utf-8'), 'I am in logger A'); t.match(fs.readFileSync('logs/B.log', 'utf-8'), 'I am in logger B'); t.end(); }); } ); batch.test( 'should write to multiple files based on loggingEvent.context properties', (t) => { t.teardown(async () => { await removeFiles(['logs/C.log', 'logs/D.log']); }); log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerC = log4js.getLogger('cheese'); const loggerD = log4js.getLogger('biscuits'); loggerC.addContext('label', 'C'); loggerD.addContext('label', 'D'); loggerC.info('I am in logger C'); loggerD.info('I am in logger D'); log4js.shutdown(() => { t.match(fs.readFileSync('logs/C.log', 'utf-8'), 'I am in logger C'); t.match(fs.readFileSync('logs/D.log', 'utf-8'), 'I am in logger D'); t.end(); }); } ); batch.test('should close file after timeout', (t) => { /* checking that the file is closed after a timeout is done by looking at the debug logs since detecting file locks with node.js is platform specific. */ const debugWasEnabled = debug.enabled('log4js:multiFile'); const debugLogs = []; const originalWrite = process.stderr.write; process.stderr.write = (string, encoding, fd) => { debugLogs.push(string); if (debugWasEnabled) { originalWrite.apply(process.stderr, [string, encoding, fd]); } }; const originalNamespace = debug.disable(); debug.enable(`${originalNamespace}, log4js:multiFile`); t.teardown(async () => { await new Promise((resolve) => { log4js.shutdown(resolve); }); await removeFiles('logs/C.log'); process.stderr.write = originalWrite; debug.enable(originalNamespace); }); const timeoutMs = 25; log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', timeout: timeoutMs, }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerC = log4js.getLogger('cheese'); loggerC.addContext('label', 'C'); loggerC.info('I am in logger C'); setTimeout(() => { t.match( debugLogs[debugLogs.length - 1], `C not used for > ${timeoutMs} ms => close`, '(timeout1) should have closed' ); t.end(); }, timeoutMs * 1 + 50); // add a 50 ms delay }); batch.test('should close file safely after timeout', (t) => { const error = new Error('fileAppender shutdown error'); const sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { './appenders/file': { configure(config, layouts) { const fileAppender = require('../../lib/appenders/file').configure( config, layouts ); const originalShutdown = fileAppender.shutdown; fileAppender.shutdown = function (complete) { const onCallback = function () { complete(error); }; originalShutdown(onCallback); }; return fileAppender; }, }, debug, }, }); /* checking that the file is closed after a timeout is done by looking at the debug logs since detecting file locks with node.js is platform specific. */ const debugWasEnabled = debug.enabled('log4js:multiFile'); const debugLogs = []; const originalWrite = process.stderr.write; process.stderr.write = (string, encoding, fd) => { debugLogs.push(string); if (debugWasEnabled) { originalWrite.apply(process.stderr, [string, encoding, fd]); } }; const originalNamespace = debug.disable(); debug.enable(`${originalNamespace}, log4js:multiFile`); t.teardown(async () => { await new Promise((resolve) => { sandboxedLog4js.shutdown(resolve); }); await removeFiles('logs/C.log'); process.stderr.write = originalWrite; debug.enable(originalNamespace); }); const timeoutMs = 25; sandboxedLog4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', timeout: timeoutMs, }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerC = sandboxedLog4js.getLogger('cheese'); loggerC.addContext('label', 'C'); loggerC.info('I am in logger C'); setTimeout(() => { t.match( debugLogs[debugLogs.length - 2], `C not used for > ${timeoutMs} ms => close`, '(timeout1) should have closed' ); t.match( debugLogs[debugLogs.length - 1], `ignore error on file shutdown: ${error.message}`, 'safely shutdown' ); t.end(); }, timeoutMs * 1 + 50); // add a 50 ms delay }); batch.test('should close file after extended timeout', (t) => { /* checking that the file is closed after a timeout is done by looking at the debug logs since detecting file locks with node.js is platform specific. */ const debugWasEnabled = debug.enabled('log4js:multiFile'); const debugLogs = []; const originalWrite = process.stderr.write; process.stderr.write = (string, encoding, fd) => { debugLogs.push(string); if (debugWasEnabled) { originalWrite.apply(process.stderr, [string, encoding, fd]); } }; const originalNamespace = debug.disable(); debug.enable(`${originalNamespace}, log4js:multiFile`); t.teardown(async () => { await new Promise((resolve) => { log4js.shutdown(resolve); }); await removeFiles('logs/D.log'); process.stderr.write = originalWrite; debug.enable(originalNamespace); }); const timeoutMs = 100; log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', timeout: timeoutMs, }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerD = log4js.getLogger('cheese'); loggerD.addContext('label', 'D'); loggerD.info('I am in logger D'); setTimeout(() => { loggerD.info('extending activity!'); t.match( debugLogs[debugLogs.length - 1], 'D extending activity', 'should have extended' ); }, timeoutMs / 2); setTimeout(() => { t.notOk( debugLogs.some( (s) => s.indexOf(`D not used for > ${timeoutMs} ms => close`) !== -1 ), '(timeout1) should not have closed' ); }, timeoutMs * 1 + 50); // add a 50 ms delay setTimeout(() => { t.match( debugLogs[debugLogs.length - 1], `D not used for > ${timeoutMs} ms => close`, '(timeout2) should have closed' ); t.end(); }, timeoutMs * 2 + 50); // add a 50 ms delay }); batch.test('should clear interval for active timers on shutdown', (t) => { /* checking that the file is closed after a timeout is done by looking at the debug logs since detecting file locks with node.js is platform specific. */ const debugWasEnabled = debug.enabled('log4js:multiFile'); const debugLogs = []; const originalWrite = process.stderr.write; process.stderr.write = (string, encoding, fd) => { debugLogs.push(string); if (debugWasEnabled) { originalWrite.apply(process.stderr, [string, encoding, fd]); } }; const originalNamespace = debug.disable(); debug.enable(`${originalNamespace}, log4js:multiFile`); t.teardown(async () => { await removeFiles('logs/D.log'); process.stderr.write = originalWrite; debug.enable(originalNamespace); }); const timeoutMs = 100; log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', timeout: timeoutMs, }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerD = log4js.getLogger('cheese'); loggerD.addContext('label', 'D'); loggerD.info('I am in logger D'); log4js.shutdown(() => { t.notOk( debugLogs.some( (s) => s.indexOf(`D not used for > ${timeoutMs} ms => close`) !== -1 ), 'should not have closed' ); t.ok( debugLogs.some((s) => s.indexOf('clearing timer for D') !== -1), 'should have cleared timers' ); t.match( debugLogs[debugLogs.length - 1], 'calling shutdown for D', 'should have called shutdown' ); t.end(); }); }); batch.test( 'should fail silently if loggingEvent property has no value', (t) => { t.teardown(async () => { await removeFiles('logs/E.log'); }); log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerE = log4js.getLogger(); loggerE.addContext('label', 'E'); loggerE.info('I am in logger E'); loggerE.removeContext('label'); loggerE.info('I am not in logger E'); loggerE.addContext('label', null); loggerE.info('I am also not in logger E'); log4js.shutdown(() => { const contents = fs.readFileSync('logs/E.log', 'utf-8'); t.match(contents, 'I am in logger E'); t.notMatch(contents, 'I am not in logger E'); t.notMatch(contents, 'I am also not in logger E'); t.end(); }); } ); batch.test('should pass options to rolling file stream', (t) => { t.teardown(async () => { await removeFiles(['logs/F.log', 'logs/F.log.1', 'logs/F.log.2']); }); log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', maxLogSize: 30, backups: 2, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerF = log4js.getLogger(); loggerF.addContext('label', 'F'); loggerF.info('Being in logger F is the best.'); loggerF.info('I am also in logger F, awesome'); loggerF.info('I am in logger F'); log4js.shutdown(() => { let contents = fs.readFileSync('logs/F.log', 'utf-8'); t.match(contents, 'I am in logger F'); contents = fs.readFileSync('logs/F.log.1', 'utf-8'); t.match(contents, 'I am also in logger F'); contents = fs.readFileSync('logs/F.log.2', 'utf-8'); t.match(contents, 'Being in logger F is the best'); t.end(); }); }); batch.test('should inherit config from category hierarchy', (t) => { t.teardown(async () => { await removeFiles('logs/test.someTest.log'); }); log4js.configure({ appenders: { out: { type: 'stdout' }, test: { type: 'multiFile', base: 'logs/', property: 'categoryName', extension: '.log', }, }, categories: { default: { appenders: ['out'], level: 'info' }, test: { appenders: ['test'], level: 'debug' }, }, }); const testLogger = log4js.getLogger('test.someTest'); testLogger.debug('This should go to the file'); log4js.shutdown(() => { const contents = fs.readFileSync('logs/test.someTest.log', 'utf-8'); t.match(contents, 'This should go to the file'); t.end(); }); }); batch.test('should shutdown safely even if it is not used', (t) => { log4js.configure({ appenders: { out: { type: 'stdout' }, test: { type: 'multiFile', base: 'logs/', property: 'categoryName', extension: '.log', }, }, categories: { default: { appenders: ['out'], level: 'info' }, test: { appenders: ['test'], level: 'debug' }, }, }); log4js.shutdown(() => { t.ok('callback is called'); t.end(); }); }); batch.teardown(async () => { try { const files = fs.readdirSync('logs'); await removeFiles(files.map((filename) => `logs/${filename}`)); fs.rmdirSync('logs'); } catch (e) { // doesn't matter } }); batch.end(); });
-1
log4js-node/log4js-node
1,285
Fix connectlogger nolog function
Fix #1284. The server headers are now avalaible in nolog function.
eyoboue
2022-07-07T18:09:42Z
2022-07-08T13:42:18Z
28893ffd11cfeda001332114c34e4c4d2d7375a8
39218cc8d0e42773dd5513ca3d24cb397d0b4d50
Fix connectlogger nolog function. Fix #1284. The server headers are now avalaible in nolog function.
./types/test.ts
import * as log4js from './log4js'; log4js.configure('./filename'); const logger1 = log4js.getLogger(); logger1.level = 'debug'; logger1.debug('Some debug messages'); logger1.fatal({ whatever: 'foo', }); const logger3 = log4js.getLogger('cheese'); logger3.trace('Entering cheese testing'); logger3.debug('Got cheese.'); logger3.info('Cheese is Gouda.'); logger3.warn('Cheese is quite smelly.'); logger3.error('Cheese is too ripe!'); logger3.fatal('Cheese was breeding ground for listeria.'); log4js.configure({ appenders: { cheese: { type: 'console', filename: 'cheese.log' } }, categories: { default: { appenders: ['cheese'], level: 'error' } }, }); log4js.configure({ appenders: { out: { type: 'file', filename: 'pm2logs.log' }, }, categories: { default: { appenders: ['out'], level: 'info' }, }, pm2: true, pm2InstanceVar: 'INSTANCE_ID', }); log4js.addLayout( 'json', (config) => function (logEvent) { return JSON.stringify(logEvent) + config.separator; } ); log4js.configure({ appenders: { out: { type: 'stdout', layout: { type: 'json', separator: ',' } }, }, categories: { default: { appenders: ['out'], level: 'info' }, }, }); log4js.configure({ appenders: { file: { type: 'dateFile', filename: 'thing.log', pattern: '.mm' }, }, categories: { default: { appenders: ['file'], level: 'debug' }, }, }); const logger4 = log4js.getLogger('thing'); logger4.log('logging a thing'); const logger5 = log4js.getLogger('json-test'); logger5.info('this is just a test'); logger5.error('of a custom appender'); logger5.warn('that outputs json'); log4js.shutdown(); log4js.configure({ appenders: { cheeseLogs: { type: 'file', filename: 'cheese.log' }, console: { type: 'console' }, }, categories: { cheese: { appenders: ['cheeseLogs'], level: 'error' }, another: { appenders: ['console'], level: 'trace' }, default: { appenders: ['console', 'cheeseLogs'], level: 'trace' }, }, }); const logger6 = log4js.getLogger('cheese'); // only errors and above get logged. const otherLogger = log4js.getLogger(); // this will get coloured output on console, and appear in cheese.log otherLogger.error('AAArgh! Something went wrong', { some: 'otherObject', useful_for: 'debug purposes', }); otherLogger.log('This should appear as info output'); // these will not appear (logging level beneath error) logger6.trace('Entering cheese testing'); logger6.debug('Got cheese.'); logger6.info('Cheese is Gouda.'); logger6.log('Something funny about cheese.'); logger6.warn('Cheese is quite smelly.'); // these end up only in cheese.log logger6.error('Cheese %s is too ripe!', 'gouda'); logger6.fatal('Cheese was breeding ground for listeria.'); // these don't end up in cheese.log, but will appear on the console const anotherLogger = log4js.getLogger('another'); anotherLogger.debug('Just checking'); // will also go to console and cheese.log, since that's configured for all categories const pantsLog = log4js.getLogger('pants'); pantsLog.debug('Something for pants'); import { configure, getLogger } from './log4js'; configure('./filename'); const logger2 = getLogger(); logger2.level = 'debug'; logger2.debug('Some debug messages'); configure({ appenders: { cheese: { type: 'file', filename: 'cheese.log' } }, categories: { default: { appenders: ['cheese'], level: 'error' } }, }); log4js.configure('./filename').getLogger(); const logger7 = log4js.getLogger(); logger7.level = 'debug'; logger7.debug('Some debug messages'); const levels: log4js.Levels = log4js.levels; const level: log4js.Level = levels.getLevel('info'); log4js.connectLogger(logger1, { format: ':x, :y', level: 'info', context: true, }); log4js.connectLogger(logger2, { format: (req, _res, format) => format( `:remote-addr - ${req.id} - ":method :url HTTP/:http-version" :status :content-length ":referrer" ":user-agent"` ), }); //support for passing in an appender module log4js.configure({ appenders: { thing: { type: { configure: () => () => {} } } }, categories: { default: { appenders: ['thing'], level: 'debug' } }, }); declare module './log4js' { interface Appenders { StorageTestAppender: { type: 'storageTest'; storageMedium: 'dvd' | 'usb' | 'hdd'; }; } } log4js.configure({ appenders: { test: { type: 'storageTest', storageMedium: 'dvd' } }, categories: { default: { appenders: ['test'], level: 'debug' } }, }); log4js.configure({ appenders: { rec: { type: 'recording' } }, categories: { default: { appenders: ['rec'], level: 'debug' } }, }); const logger8 = log4js.getLogger(); logger8.level = 'debug'; logger8.debug('This will go to the recording!'); logger8.debug('Another one'); const recording = log4js.recording(); const loggingEvents = recording.playback(); if (loggingEvents.length !== 2) { throw new Error(`Expected 2 recorded events, got ${loggingEvents.length}`); } if (loggingEvents[0].data[0] !== 'This will go to the recording!') { throw new Error( `Expected message 'This will go to the recording!', got ${loggingEvents[0].data[0]}` ); } if (loggingEvents[1].data[0] !== 'Another one') { throw new Error( `Expected message 'Another one', got ${loggingEvents[1].data[0]}` ); } recording.reset(); const loggingEventsPostReset = recording.playback(); if (loggingEventsPostReset.length !== 0) { throw new Error( `Expected 0 recorded events after reset, got ${loggingEventsPostReset.length}` ); }
import * as log4js from './log4js'; log4js.configure('./filename'); const logger1 = log4js.getLogger(); logger1.level = 'debug'; logger1.debug('Some debug messages'); logger1.fatal({ whatever: 'foo', }); const logger3 = log4js.getLogger('cheese'); logger3.trace('Entering cheese testing'); logger3.debug('Got cheese.'); logger3.info('Cheese is Gouda.'); logger3.warn('Cheese is quite smelly.'); logger3.error('Cheese is too ripe!'); logger3.fatal('Cheese was breeding ground for listeria.'); log4js.configure({ appenders: { cheese: { type: 'console', filename: 'cheese.log' } }, categories: { default: { appenders: ['cheese'], level: 'error' } }, }); log4js.configure({ appenders: { out: { type: 'file', filename: 'pm2logs.log' }, }, categories: { default: { appenders: ['out'], level: 'info' }, }, pm2: true, pm2InstanceVar: 'INSTANCE_ID', }); log4js.addLayout( 'json', (config) => function (logEvent) { return JSON.stringify(logEvent) + config.separator; } ); log4js.configure({ appenders: { out: { type: 'stdout', layout: { type: 'json', separator: ',' } }, }, categories: { default: { appenders: ['out'], level: 'info' }, }, }); log4js.configure({ appenders: { file: { type: 'dateFile', filename: 'thing.log', pattern: '.mm' }, }, categories: { default: { appenders: ['file'], level: 'debug' }, }, }); const logger4 = log4js.getLogger('thing'); logger4.log('logging a thing'); const logger5 = log4js.getLogger('json-test'); logger5.info('this is just a test'); logger5.error('of a custom appender'); logger5.warn('that outputs json'); log4js.shutdown(); log4js.configure({ appenders: { cheeseLogs: { type: 'file', filename: 'cheese.log' }, console: { type: 'console' }, }, categories: { cheese: { appenders: ['cheeseLogs'], level: 'error' }, another: { appenders: ['console'], level: 'trace' }, default: { appenders: ['console', 'cheeseLogs'], level: 'trace' }, }, }); const logger6 = log4js.getLogger('cheese'); // only errors and above get logged. const otherLogger = log4js.getLogger(); // this will get coloured output on console, and appear in cheese.log otherLogger.error('AAArgh! Something went wrong', { some: 'otherObject', useful_for: 'debug purposes', }); otherLogger.log('This should appear as info output'); // these will not appear (logging level beneath error) logger6.trace('Entering cheese testing'); logger6.debug('Got cheese.'); logger6.info('Cheese is Gouda.'); logger6.log('Something funny about cheese.'); logger6.warn('Cheese is quite smelly.'); // these end up only in cheese.log logger6.error('Cheese %s is too ripe!', 'gouda'); logger6.fatal('Cheese was breeding ground for listeria.'); // these don't end up in cheese.log, but will appear on the console const anotherLogger = log4js.getLogger('another'); anotherLogger.debug('Just checking'); // will also go to console and cheese.log, since that's configured for all categories const pantsLog = log4js.getLogger('pants'); pantsLog.debug('Something for pants'); import { configure, getLogger } from './log4js'; configure('./filename'); const logger2 = getLogger(); logger2.level = 'debug'; logger2.debug('Some debug messages'); configure({ appenders: { cheese: { type: 'file', filename: 'cheese.log' } }, categories: { default: { appenders: ['cheese'], level: 'error' } }, }); log4js.configure('./filename').getLogger(); const logger7 = log4js.getLogger(); logger7.level = 'debug'; logger7.debug('Some debug messages'); const levels: log4js.Levels = log4js.levels; const level: log4js.Level = levels.getLevel('info'); log4js.connectLogger(logger1, { format: ':x, :y', level: 'info', context: true, }); log4js.connectLogger(logger2, { format: (req, _res, format) => format( `:remote-addr - ${req.id} - ":method :url HTTP/:http-version" :status :content-length ":referrer" ":user-agent"` ), }); //support for passing in an appender module log4js.configure({ appenders: { thing: { type: { configure: () => () => {} } } }, categories: { default: { appenders: ['thing'], level: 'debug' } }, }); declare module './log4js' { interface Appenders { StorageTestAppender: { type: 'storageTest'; storageMedium: 'dvd' | 'usb' | 'hdd'; }; } } log4js.configure({ appenders: { test: { type: 'storageTest', storageMedium: 'dvd' } }, categories: { default: { appenders: ['test'], level: 'debug' } }, }); log4js.configure({ appenders: { rec: { type: 'recording' } }, categories: { default: { appenders: ['rec'], level: 'debug' } }, }); const logger8 = log4js.getLogger(); logger8.level = 'debug'; logger8.debug('This will go to the recording!'); logger8.debug('Another one'); const recording = log4js.recording(); const loggingEvents = recording.playback(); if (loggingEvents.length !== 2) { throw new Error(`Expected 2 recorded events, got ${loggingEvents.length}`); } if (loggingEvents[0].data[0] !== 'This will go to the recording!') { throw new Error( `Expected message 'This will go to the recording!', got ${loggingEvents[0].data[0]}` ); } if (loggingEvents[1].data[0] !== 'Another one') { throw new Error( `Expected message 'Another one', got ${loggingEvents[1].data[0]}` ); } recording.reset(); const loggingEventsPostReset = recording.playback(); if (loggingEventsPostReset.length !== 0) { throw new Error( `Expected 0 recorded events after reset, got ${loggingEventsPostReset.length}` ); }
-1
log4js-node/log4js-node
1,285
Fix connectlogger nolog function
Fix #1284. The server headers are now avalaible in nolog function.
eyoboue
2022-07-07T18:09:42Z
2022-07-08T13:42:18Z
28893ffd11cfeda001332114c34e4c4d2d7375a8
39218cc8d0e42773dd5513ca3d24cb397d0b4d50
Fix connectlogger nolog function. Fix #1284. The server headers are now avalaible in nolog function.
./.git/hooks/commit-msg.sample
#!/bin/sh # # An example hook script to check the commit log message. # Called by "git commit" with one argument, the name of the file # that has the commit message. The hook should exit with non-zero # status after issuing an appropriate message if it wants to stop the # commit. The hook is allowed to edit the commit message file. # # To enable this hook, rename this file to "commit-msg". # Uncomment the below to add a Signed-off-by line to the message. # Doing this in a hook is a bad idea in general, but the prepare-commit-msg # hook is more suited to it. # # SOB=$(git var GIT_AUTHOR_IDENT | sed -n 's/^\(.*>\).*$/Signed-off-by: \1/p') # grep -qs "^$SOB" "$1" || echo "$SOB" >> "$1" # This example catches duplicate Signed-off-by lines. test "" = "$(grep '^Signed-off-by: ' "$1" | sort | uniq -c | sed -e '/^[ ]*1[ ]/d')" || { echo >&2 Duplicate Signed-off-by lines. exit 1 }
#!/bin/sh # # An example hook script to check the commit log message. # Called by "git commit" with one argument, the name of the file # that has the commit message. The hook should exit with non-zero # status after issuing an appropriate message if it wants to stop the # commit. The hook is allowed to edit the commit message file. # # To enable this hook, rename this file to "commit-msg". # Uncomment the below to add a Signed-off-by line to the message. # Doing this in a hook is a bad idea in general, but the prepare-commit-msg # hook is more suited to it. # # SOB=$(git var GIT_AUTHOR_IDENT | sed -n 's/^\(.*>\).*$/Signed-off-by: \1/p') # grep -qs "^$SOB" "$1" || echo "$SOB" >> "$1" # This example catches duplicate Signed-off-by lines. test "" = "$(grep '^Signed-off-by: ' "$1" | sort | uniq -c | sed -e '/^[ ]*1[ ]/d')" || { echo >&2 Duplicate Signed-off-by lines. exit 1 }
-1
log4js-node/log4js-node
1,285
Fix connectlogger nolog function
Fix #1284. The server headers are now avalaible in nolog function.
eyoboue
2022-07-07T18:09:42Z
2022-07-08T13:42:18Z
28893ffd11cfeda001332114c34e4c4d2d7375a8
39218cc8d0e42773dd5513ca3d24cb397d0b4d50
Fix connectlogger nolog function. Fix #1284. The server headers are now avalaible in nolog function.
./test/tap/configuration-test.js
const { test } = require('tap'); const sandbox = require('@log4js-node/sandboxed-module'); const realFS = require('fs'); const modulePath = 'some/path/to/mylog4js.json'; const pathsChecked = []; let fakeFS = {}; let dependencies; let fileRead; test('log4js configure', (batch) => { batch.beforeEach(() => { fileRead = 0; fakeFS = { realpath: realFS.realpath, // fs-extra looks for this ReadStream: realFS.ReadStream, // need to define these, because graceful-fs uses them WriteStream: realFS.WriteStream, read: realFS.read, closeSync: () => {}, config: { appenders: { console: { type: 'console', layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['console'], level: 'INFO', }, }, }, readdirSync: (dir) => require('fs').readdirSync(dir), readFileSync: (file, encoding) => { fileRead += 1; batch.type(file, 'string'); batch.equal(file, modulePath); batch.equal(encoding, 'utf8'); return JSON.stringify(fakeFS.config); }, statSync: (path) => { pathsChecked.push(path); if (path === modulePath) { return { mtime: new Date() }; } throw new Error('no such file'); }, }; dependencies = { requires: { fs: fakeFS, }, }; }); batch.test( 'when configuration file loaded via LOG4JS_CONFIG env variable', (t) => { process.env.LOG4JS_CONFIG = 'some/path/to/mylog4js.json'; const log4js = sandbox.require('../../lib/log4js', dependencies); log4js.getLogger('test-logger'); t.equal(fileRead, 1, 'should load the specified local config file'); delete process.env.LOG4JS_CONFIG; t.end(); } ); batch.test( 'when configuration is set via configure() method call, return the log4js object', (t) => { const log4js = sandbox .require('../../lib/log4js', dependencies) .configure(fakeFS.config); t.type( log4js, 'object', 'Configure method call should return the log4js object!' ); const log = log4js.getLogger('daemon'); t.type( log, 'object', 'log4js object, returned by configure(...) method should be able to create log object.' ); t.type(log.info, 'function'); t.end(); } ); batch.end(); });
const { test } = require('tap'); const sandbox = require('@log4js-node/sandboxed-module'); const realFS = require('fs'); const modulePath = 'some/path/to/mylog4js.json'; const pathsChecked = []; let fakeFS = {}; let dependencies; let fileRead; test('log4js configure', (batch) => { batch.beforeEach(() => { fileRead = 0; fakeFS = { realpath: realFS.realpath, // fs-extra looks for this ReadStream: realFS.ReadStream, // need to define these, because graceful-fs uses them WriteStream: realFS.WriteStream, read: realFS.read, closeSync: () => {}, config: { appenders: { console: { type: 'console', layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['console'], level: 'INFO', }, }, }, readdirSync: (dir) => require('fs').readdirSync(dir), readFileSync: (file, encoding) => { fileRead += 1; batch.type(file, 'string'); batch.equal(file, modulePath); batch.equal(encoding, 'utf8'); return JSON.stringify(fakeFS.config); }, statSync: (path) => { pathsChecked.push(path); if (path === modulePath) { return { mtime: new Date() }; } throw new Error('no such file'); }, }; dependencies = { requires: { fs: fakeFS, }, }; }); batch.test( 'when configuration file loaded via LOG4JS_CONFIG env variable', (t) => { process.env.LOG4JS_CONFIG = 'some/path/to/mylog4js.json'; const log4js = sandbox.require('../../lib/log4js', dependencies); log4js.getLogger('test-logger'); t.equal(fileRead, 1, 'should load the specified local config file'); delete process.env.LOG4JS_CONFIG; t.end(); } ); batch.test( 'when configuration is set via configure() method call, return the log4js object', (t) => { const log4js = sandbox .require('../../lib/log4js', dependencies) .configure(fakeFS.config); t.type( log4js, 'object', 'Configure method call should return the log4js object!' ); const log = log4js.getLogger('daemon'); t.type( log, 'object', 'log4js object, returned by configure(...) method should be able to create log object.' ); t.type(log.info, 'function'); t.end(); } ); batch.end(); });
-1
log4js-node/log4js-node
1,285
Fix connectlogger nolog function
Fix #1284. The server headers are now avalaible in nolog function.
eyoboue
2022-07-07T18:09:42Z
2022-07-08T13:42:18Z
28893ffd11cfeda001332114c34e4c4d2d7375a8
39218cc8d0e42773dd5513ca3d24cb397d0b4d50
Fix connectlogger nolog function. Fix #1284. The server headers are now avalaible in nolog function.
./lib/appenders/stderr.js
function stderrAppender(layout, timezoneOffset) { return (loggingEvent) => { process.stderr.write(`${layout(loggingEvent, timezoneOffset)}\n`); }; } function configure(config, layouts) { let layout = layouts.colouredLayout; if (config.layout) { layout = layouts.layout(config.layout.type, config.layout); } return stderrAppender(layout, config.timezoneOffset); } module.exports.configure = configure;
function stderrAppender(layout, timezoneOffset) { return (loggingEvent) => { process.stderr.write(`${layout(loggingEvent, timezoneOffset)}\n`); }; } function configure(config, layouts) { let layout = layouts.colouredLayout; if (config.layout) { layout = layouts.layout(config.layout.type, config.layout); } return stderrAppender(layout, config.timezoneOffset); } module.exports.configure = configure;
-1
log4js-node/log4js-node
1,285
Fix connectlogger nolog function
Fix #1284. The server headers are now avalaible in nolog function.
eyoboue
2022-07-07T18:09:42Z
2022-07-08T13:42:18Z
28893ffd11cfeda001332114c34e4c4d2d7375a8
39218cc8d0e42773dd5513ca3d24cb397d0b4d50
Fix connectlogger nolog function. Fix #1284. The server headers are now avalaible in nolog function.
./test/tap/stdoutAppender-test.js
const { test } = require('tap'); const sandbox = require('@log4js-node/sandboxed-module'); const layouts = require('../../lib/layouts'); test('stdout appender', (t) => { const output = []; const appender = sandbox .require('../../lib/appenders/stdout', { globals: { process: { stdout: { write(data) { output.push(data); }, }, }, }, }) .configure( { type: 'stdout', layout: { type: 'messagePassThrough' } }, layouts ); appender({ data: ['cheese'] }); t.plan(2); t.equal(output.length, 1, 'There should be one message.'); t.equal(output[0], 'cheese\n', 'The message should be cheese.'); t.end(); });
const { test } = require('tap'); const sandbox = require('@log4js-node/sandboxed-module'); const layouts = require('../../lib/layouts'); test('stdout appender', (t) => { const output = []; const appender = sandbox .require('../../lib/appenders/stdout', { globals: { process: { stdout: { write(data) { output.push(data); }, }, }, }, }) .configure( { type: 'stdout', layout: { type: 'messagePassThrough' } }, layouts ); appender({ data: ['cheese'] }); t.plan(2); t.equal(output.length, 1, 'There should be one message.'); t.equal(output[0], 'cheese\n', 'The message should be cheese.'); t.end(); });
-1
log4js-node/log4js-node
1,285
Fix connectlogger nolog function
Fix #1284. The server headers are now avalaible in nolog function.
eyoboue
2022-07-07T18:09:42Z
2022-07-08T13:42:18Z
28893ffd11cfeda001332114c34e4c4d2d7375a8
39218cc8d0e42773dd5513ca3d24cb397d0b4d50
Fix connectlogger nolog function. Fix #1284. The server headers are now avalaible in nolog function.
./.prettierignore
coverage .github .nyc_output
coverage .github .nyc_output
-1
log4js-node/log4js-node
1,285
Fix connectlogger nolog function
Fix #1284. The server headers are now avalaible in nolog function.
eyoboue
2022-07-07T18:09:42Z
2022-07-08T13:42:18Z
28893ffd11cfeda001332114c34e4c4d2d7375a8
39218cc8d0e42773dd5513ca3d24cb397d0b4d50
Fix connectlogger nolog function. Fix #1284. The server headers are now avalaible in nolog function.
./docs/tcp-server.md
# TCP Server Appender Strictly speaking, this is not an appender - but it is configured as one. The TCP server listens for log messages on a port, taking JSON-encoded log events and then forwarding them to the other appenders. It can be used as a simple way to centralise logging when you have multiple servers or processes. It uses the node.js core networking modules, and so does not require any extra dependencies. Remember to call `log4js.shutdown` when your application terminates, so that the sockets get closed cleanly. It is designed to work with the [tcp appender](tcp.md), but could work with anything that sends correctly formatted JSON log events. ## Configuration - `type` - `tcp-server` - `port` - `integer` (optional, defaults to `5000`) - the port to listen on - `host` - `string` (optional, defaults to `localhost`) - the host/IP address to listen on ## Example (master) ```javascript log4js.configure({ appenders: { file: { type: "file", filename: "all-the-logs.log" }, server: { type: "tcp-server", host: "0.0.0.0" }, }, categories: { default: { appenders: ["file"], level: "info" }, }, }); ``` This creates a log server listening on port 5000, on all IP addresses the host has assigned to it. Note that the appender is not included in the appenders listed for the categories. All events received on the socket will be forwarded to the other appenders, as if they had originated on the same server.
# TCP Server Appender Strictly speaking, this is not an appender - but it is configured as one. The TCP server listens for log messages on a port, taking JSON-encoded log events and then forwarding them to the other appenders. It can be used as a simple way to centralise logging when you have multiple servers or processes. It uses the node.js core networking modules, and so does not require any extra dependencies. Remember to call `log4js.shutdown` when your application terminates, so that the sockets get closed cleanly. It is designed to work with the [tcp appender](tcp.md), but could work with anything that sends correctly formatted JSON log events. ## Configuration - `type` - `tcp-server` - `port` - `integer` (optional, defaults to `5000`) - the port to listen on - `host` - `string` (optional, defaults to `localhost`) - the host/IP address to listen on ## Example (master) ```javascript log4js.configure({ appenders: { file: { type: "file", filename: "all-the-logs.log" }, server: { type: "tcp-server", host: "0.0.0.0" }, }, categories: { default: { appenders: ["file"], level: "info" }, }, }); ``` This creates a log server listening on port 5000, on all IP addresses the host has assigned to it. Note that the appender is not included in the appenders listed for the categories. All events received on the socket will be forwarded to the other appenders, as if they had originated on the same server.
-1
log4js-node/log4js-node
1,285
Fix connectlogger nolog function
Fix #1284. The server headers are now avalaible in nolog function.
eyoboue
2022-07-07T18:09:42Z
2022-07-08T13:42:18Z
28893ffd11cfeda001332114c34e4c4d2d7375a8
39218cc8d0e42773dd5513ca3d24cb397d0b4d50
Fix connectlogger nolog function. Fix #1284. The server headers are now avalaible in nolog function.
./lib/appenders/noLogFilter.js
const debug = require('debug')('log4js:noLogFilter'); /** * The function removes empty or null regexp from the array * @param {string[]} regexp * @returns {string[]} a filtered string array with not empty or null regexp */ function removeNullOrEmptyRegexp(regexp) { const filtered = regexp.filter((el) => el != null && el !== ''); return filtered; } /** * Returns a function that will exclude the events in case they match * with the regular expressions provided * @param {(string|string[])} filters contains the regexp that will be used for the evaluation * @param {*} appender * @returns {function} */ function noLogFilter(filters, appender) { return (logEvent) => { debug(`Checking data: ${logEvent.data} against filters: ${filters}`); if (typeof filters === 'string') { filters = [filters]; } filters = removeNullOrEmptyRegexp(filters); const regex = new RegExp(filters.join('|'), 'i'); if ( filters.length === 0 || logEvent.data.findIndex((value) => regex.test(value)) < 0 ) { debug('Not excluded, sending to appender'); appender(logEvent); } }; } function configure(config, layouts, findAppender) { const appender = findAppender(config.appender); return noLogFilter(config.exclude, appender); } module.exports.configure = configure;
const debug = require('debug')('log4js:noLogFilter'); /** * The function removes empty or null regexp from the array * @param {string[]} regexp * @returns {string[]} a filtered string array with not empty or null regexp */ function removeNullOrEmptyRegexp(regexp) { const filtered = regexp.filter((el) => el != null && el !== ''); return filtered; } /** * Returns a function that will exclude the events in case they match * with the regular expressions provided * @param {(string|string[])} filters contains the regexp that will be used for the evaluation * @param {*} appender * @returns {function} */ function noLogFilter(filters, appender) { return (logEvent) => { debug(`Checking data: ${logEvent.data} against filters: ${filters}`); if (typeof filters === 'string') { filters = [filters]; } filters = removeNullOrEmptyRegexp(filters); const regex = new RegExp(filters.join('|'), 'i'); if ( filters.length === 0 || logEvent.data.findIndex((value) => regex.test(value)) < 0 ) { debug('Not excluded, sending to appender'); appender(logEvent); } }; } function configure(config, layouts, findAppender) { const appender = findAppender(config.appender); return noLogFilter(config.exclude, appender); } module.exports.configure = configure;
-1
log4js-node/log4js-node
1,285
Fix connectlogger nolog function
Fix #1284. The server headers are now avalaible in nolog function.
eyoboue
2022-07-07T18:09:42Z
2022-07-08T13:42:18Z
28893ffd11cfeda001332114c34e4c4d2d7375a8
39218cc8d0e42773dd5513ca3d24cb397d0b4d50
Fix connectlogger nolog function. Fix #1284. The server headers are now avalaible in nolog function.
./lib/configuration.js
const util = require('util'); const debug = require('debug')('log4js:configuration'); const preProcessingListeners = []; const listeners = []; const not = (thing) => !thing; const anObject = (thing) => thing && typeof thing === 'object' && !Array.isArray(thing); const validIdentifier = (thing) => /^[A-Za-z][A-Za-z0-9_]*$/g.test(thing); const anInteger = (thing) => thing && typeof thing === 'number' && Number.isInteger(thing); const addListener = (fn) => { listeners.push(fn); debug(`Added listener, now ${listeners.length} listeners`); }; const addPreProcessingListener = (fn) => { preProcessingListeners.push(fn); debug( `Added pre-processing listener, now ${preProcessingListeners.length} listeners` ); }; const throwExceptionIf = (config, checks, message) => { const tests = Array.isArray(checks) ? checks : [checks]; tests.forEach((test) => { if (test) { throw new Error( `Problem with log4js configuration: (${util.inspect(config, { depth: 5, })}) - ${message}` ); } }); }; const configure = (candidate) => { debug('New configuration to be validated: ', candidate); throwExceptionIf(candidate, not(anObject(candidate)), 'must be an object.'); debug(`Calling pre-processing listeners (${preProcessingListeners.length})`); preProcessingListeners.forEach((listener) => listener(candidate)); debug('Configuration pre-processing finished.'); debug(`Calling configuration listeners (${listeners.length})`); listeners.forEach((listener) => listener(candidate)); debug('Configuration finished.'); }; module.exports = { configure, addListener, addPreProcessingListener, throwExceptionIf, anObject, anInteger, validIdentifier, not, };
const util = require('util'); const debug = require('debug')('log4js:configuration'); const preProcessingListeners = []; const listeners = []; const not = (thing) => !thing; const anObject = (thing) => thing && typeof thing === 'object' && !Array.isArray(thing); const validIdentifier = (thing) => /^[A-Za-z][A-Za-z0-9_]*$/g.test(thing); const anInteger = (thing) => thing && typeof thing === 'number' && Number.isInteger(thing); const addListener = (fn) => { listeners.push(fn); debug(`Added listener, now ${listeners.length} listeners`); }; const addPreProcessingListener = (fn) => { preProcessingListeners.push(fn); debug( `Added pre-processing listener, now ${preProcessingListeners.length} listeners` ); }; const throwExceptionIf = (config, checks, message) => { const tests = Array.isArray(checks) ? checks : [checks]; tests.forEach((test) => { if (test) { throw new Error( `Problem with log4js configuration: (${util.inspect(config, { depth: 5, })}) - ${message}` ); } }); }; const configure = (candidate) => { debug('New configuration to be validated: ', candidate); throwExceptionIf(candidate, not(anObject(candidate)), 'must be an object.'); debug(`Calling pre-processing listeners (${preProcessingListeners.length})`); preProcessingListeners.forEach((listener) => listener(candidate)); debug('Configuration pre-processing finished.'); debug(`Calling configuration listeners (${listeners.length})`); listeners.forEach((listener) => listener(candidate)); debug('Configuration finished.'); }; module.exports = { configure, addListener, addPreProcessingListener, throwExceptionIf, anObject, anInteger, validIdentifier, not, };
-1
log4js-node/log4js-node
1,285
Fix connectlogger nolog function
Fix #1284. The server headers are now avalaible in nolog function.
eyoboue
2022-07-07T18:09:42Z
2022-07-08T13:42:18Z
28893ffd11cfeda001332114c34e4c4d2d7375a8
39218cc8d0e42773dd5513ca3d24cb397d0b4d50
Fix connectlogger nolog function. Fix #1284. The server headers are now avalaible in nolog function.
./docs/categories.md
# Categories Categories are groups of log events. The category for log events is defined when you get a _Logger_ from log4js (`log4js.getLogger('somecategory')`). Log events with the same _category_ will go to the same _appenders_. ## Default configuration When defining your appenders through a configuration, at least one category must be defined. ```javascript const log4js = require("log4js"); log4js.configure({ appenders: { out: { type: "stdout" }, app: { type: "file", filename: "application.log" }, }, categories: { default: { appenders: ["out"], level: "trace" }, app: { appenders: ["app"], level: "trace" }, }, }); const logger = log4js.getLogger(); logger.trace("This will use the default category and go to stdout"); const logToFile = log4js.getLogger("app"); logToFile.trace("This will go to a file"); ``` ## Categories inheritance Log4js supports a hierarchy for categories, using dots to separate layers - for example, log events in the category 'myapp.submodule' will use the level for 'myapp' if none is defined for 'myapp.submodule', and also any appenders defined for 'myapp'. This behaviour can be disabled by setting inherit=false on the sub-category. ```javascript const log4js = require("log4js"); log4js.configure({ appenders: { console: { type: "console" }, app: { type: "file", filename: "application.log" }, }, categories: { default: { appenders: ["console"], level: "trace" }, catA: { appenders: ["console"], level: "error" }, "catA.catB": { appenders: ["app"], level: "trace" }, }, }); const loggerA = log4js.getLogger("catA"); loggerA.error("This will be written to console with log level ERROR"); loggerA.trace("This will not be written"); const loggerAB = log4js.getLogger("catA.catB"); loggerAB.error( "This will be written with log level ERROR to console and to a file" ); loggerAB.trace( "This will be written with log level TRACE to console and to a file" ); ``` Two categories are defined: - Log events with category 'catA' will go to appender 'console' only. - Log events with category 'catA.catB' will go to appenders 'console' and 'app'. Appenders will see and log an event only if the category level is less than or equal to the event's level.
# Categories Categories are groups of log events. The category for log events is defined when you get a _Logger_ from log4js (`log4js.getLogger('somecategory')`). Log events with the same _category_ will go to the same _appenders_. ## Default configuration When defining your appenders through a configuration, at least one category must be defined. ```javascript const log4js = require("log4js"); log4js.configure({ appenders: { out: { type: "stdout" }, app: { type: "file", filename: "application.log" }, }, categories: { default: { appenders: ["out"], level: "trace" }, app: { appenders: ["app"], level: "trace" }, }, }); const logger = log4js.getLogger(); logger.trace("This will use the default category and go to stdout"); const logToFile = log4js.getLogger("app"); logToFile.trace("This will go to a file"); ``` ## Categories inheritance Log4js supports a hierarchy for categories, using dots to separate layers - for example, log events in the category 'myapp.submodule' will use the level for 'myapp' if none is defined for 'myapp.submodule', and also any appenders defined for 'myapp'. This behaviour can be disabled by setting inherit=false on the sub-category. ```javascript const log4js = require("log4js"); log4js.configure({ appenders: { console: { type: "console" }, app: { type: "file", filename: "application.log" }, }, categories: { default: { appenders: ["console"], level: "trace" }, catA: { appenders: ["console"], level: "error" }, "catA.catB": { appenders: ["app"], level: "trace" }, }, }); const loggerA = log4js.getLogger("catA"); loggerA.error("This will be written to console with log level ERROR"); loggerA.trace("This will not be written"); const loggerAB = log4js.getLogger("catA.catB"); loggerAB.error( "This will be written with log level ERROR to console and to a file" ); loggerAB.trace( "This will be written with log level TRACE to console and to a file" ); ``` Two categories are defined: - Log events with category 'catA' will go to appender 'console' only. - Log events with category 'catA.catB' will go to appenders 'console' and 'app'. Appenders will see and log an event only if the category level is less than or equal to the event's level.
-1
log4js-node/log4js-node
1,285
Fix connectlogger nolog function
Fix #1284. The server headers are now avalaible in nolog function.
eyoboue
2022-07-07T18:09:42Z
2022-07-08T13:42:18Z
28893ffd11cfeda001332114c34e4c4d2d7375a8
39218cc8d0e42773dd5513ca3d24cb397d0b4d50
Fix connectlogger nolog function. Fix #1284. The server headers are now avalaible in nolog function.
./SECURITY.md
# Security Policy ## Supported Versions We're aiming to only support the latest major version of log4js. Older than that is usually _very_ old. | Version | Supported | | ------- | ------------------ | | 6.x | :white_check_mark: | | < 6.0 | :x: | ## Reporting a Vulnerability Report vulnerabilities via email to: - Gareth Jones <[email protected]> - Lam Wei Li <[email protected]> Please put "[log4js:security]" in the subject line. We will aim to respond within a day or two.
# Security Policy ## Supported Versions We're aiming to only support the latest major version of log4js. Older than that is usually _very_ old. | Version | Supported | | ------- | ------------------ | | 6.x | :white_check_mark: | | < 6.0 | :x: | ## Reporting a Vulnerability Report vulnerabilities via email to: - Gareth Jones <[email protected]> - Lam Wei Li <[email protected]> Please put "[log4js:security]" in the subject line. We will aim to respond within a day or two.
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./docs/connect-logger.md
# Connect / Express Logger The connect/express logger was added to log4js by [danbell](https://github.com/danbell). This allows connect/express servers to log using log4js. See `example-connect-logger.js`. ```javascript var log4js = require("log4js"); var express = require("express"); log4js.configure({ appenders: { console: { type: "console" }, file: { type: "file", filename: "cheese.log" }, }, categories: { cheese: { appenders: ["file"], level: "info" }, default: { appenders: ["console"], level: "info" }, }, }); var logger = log4js.getLogger("cheese"); var app = express(); app.use(log4js.connectLogger(logger, { level: "info" })); app.get("/", function (req, res) { res.send("hello world"); }); app.listen(5000); ``` The log4js.connectLogger supports the passing of an options object that can be used to set the following: - log level - log format string or function (the same as the connect/express logger) - nolog expressions (represented as a string, regexp, or array) - status code rulesets For example: ```javascript app.use( log4js.connectLogger(logger, { level: log4js.levels.INFO, format: ":method :url", }) ); ``` or: ```javascript app.use( log4js.connectLogger(logger, { level: "auto", // include the Express request ID in the logs format: (req, res, format) => format( `:remote-addr - ${req.id} - ":method :url HTTP/:http-version" :status :content-length ":referrer" ":user-agent"` ), }) ); ``` When you request of POST, you want to log the request body parameter like JSON. The log format function is very useful. Please use log format function instead "tokens" property for use express's request or response. ```javascript app.use( log4js.connectLogger(logger, { level: "info", format: (req, res, format) => format(`:remote-addr :method :url ${JSON.stringify(req.body)}`), }) ); ``` Added automatic level detection to connect-logger, depends on http status response, compatible with express 3.x and 4.x. - http responses 3xx, level = WARN - http responses 4xx & 5xx, level = ERROR - else, level = INFO ```javascript app.use(log4js.connectLogger(logger, { level: "auto" })); ``` The levels of returned status codes can be configured via status code rulesets. ```javascript app.use( log4js.connectLogger(logger, { level: "auto", statusRules: [ { from: 200, to: 299, level: "debug" }, { codes: [303, 304], level: "info" }, ], }) ); ``` The log4js.connectLogger also supports a nolog option where you can specify a string, regexp, or array to omit certain log messages. Example of 1.2 below. ```javascript app.use( log4js.connectLogger(logger, { level: "auto", format: ":method :url", nolog: "\\.gif|\\.jpg$", }) ); ``` The log4js.connectLogger can add a response of express to context if `context` flag is set to `true`. Application can use it in layouts or appenders. In application: ```javascript app.use(log4js.connectLogger(logger, { context: true })); ``` In layout: ```javascript log4js.addLayout("customLayout", () => { return (loggingEvent) => { const res = loggingEvent.context.res; return util.format( ...loggingEvent.data, res ? `status: ${res.statusCode}` : "" ); }; }); ``` ## Example nolog values | nolog value | Will Not Log | Will Log | | --------------------------------- | --------------------------------------------------------------------------------------------- | ------------------------------------------------------------------------------------------ | | `"\\.gif"` | http://example.com/hoge.gif http://example.com/hoge.gif?fuga | http://example.com/hoge.agif | | `"\\.gif\|\\.jpg$"` | http://example.com/hoge.gif http://example.com/hoge.gif?fuga http://example.com/hoge.jpg?fuga | http://example.com/hoge.agif http://example.com/hoge.ajpg http://example.com/hoge.jpg?hoge | | `"\\.(gif\|jpe?g\|png)$"` | http://example.com/hoge.gif http://example.com/hoge.jpeg | http://example.com/hoge.gif?uid=2 http://example.com/hoge.jpg?pid=3 | | `/\.(gif\|jpe?g\|png)$/` | as above | as above | | `["\\.jpg$", "\\.png", "\\.gif"]` | same as `"\\.jpg\|\\.png\|\\.gif"` | same as `"\\.jpg\|\\.png\|\\.gif"` |
# Connect / Express Logger The connect/express logger was added to log4js by [danbell](https://github.com/danbell). This allows connect/express servers to log using log4js. See `example-connect-logger.js`. ```javascript var log4js = require("log4js"); var express = require("express"); log4js.configure({ appenders: { console: { type: "console" }, file: { type: "file", filename: "cheese.log" }, }, categories: { cheese: { appenders: ["file"], level: "info" }, default: { appenders: ["console"], level: "info" }, }, }); var logger = log4js.getLogger("cheese"); var app = express(); app.use(log4js.connectLogger(logger, { level: "info" })); app.get("/", function (req, res) { res.send("hello world"); }); app.listen(5000); ``` The log4js.connectLogger supports the passing of an options object that can be used to set the following: - log level - log format string or function (the same as the connect/express logger) - nolog expressions (represented as a string, regexp, array, or function(req, res)) - status code rulesets For example: ```javascript app.use( log4js.connectLogger(logger, { level: log4js.levels.INFO, format: ":method :url", }) ); ``` or: ```javascript app.use( log4js.connectLogger(logger, { level: "auto", // include the Express request ID in the logs format: (req, res, format) => format( `:remote-addr - ${req.id} - ":method :url HTTP/:http-version" :status :content-length ":referrer" ":user-agent"` ), }) ); ``` When you request of POST, you want to log the request body parameter like JSON. The log format function is very useful. Please use log format function instead "tokens" property for use express's request or response. ```javascript app.use( log4js.connectLogger(logger, { level: "info", format: (req, res, format) => format(`:remote-addr :method :url ${JSON.stringify(req.body)}`), }) ); ``` Added automatic level detection to connect-logger, depends on http status response, compatible with express 3.x and 4.x. - http responses 3xx, level = WARN - http responses 4xx & 5xx, level = ERROR - else, level = INFO ```javascript app.use(log4js.connectLogger(logger, { level: "auto" })); ``` The levels of returned status codes can be configured via status code rulesets. ```javascript app.use( log4js.connectLogger(logger, { level: "auto", statusRules: [ { from: 200, to: 299, level: "debug" }, { codes: [303, 304], level: "info" }, ], }) ); ``` The log4js.connectLogger also supports a nolog option where you can specify a string, regexp, array, or function(req, res) to omit certain log messages. Example of 1.2 below. ```javascript app.use( log4js.connectLogger(logger, { level: "auto", format: ":method :url", nolog: "\\.gif|\\.jpg$", }) ); ``` or ```javascript app.use( log4js.connectLogger(logger, { level: "auto", format: ":method :url", nolog: (req, res) => res.statusCode < 400, }) ); ``` The log4js.connectLogger can add a response of express to context if `context` flag is set to `true`. Application can use it in layouts or appenders. In application: ```javascript app.use(log4js.connectLogger(logger, { context: true })); ``` In layout: ```javascript log4js.addLayout("customLayout", () => { return (loggingEvent) => { const res = loggingEvent.context.res; return util.format( ...loggingEvent.data, res ? `status: ${res.statusCode}` : "" ); }; }); ``` ## Example nolog values | nolog value | Will Not Log | Will Log | | --------------------------------- | --------------------------------------------------------------------------------------------- | ------------------------------------------------------------------------------------------ | | `"\\.gif"` | http://example.com/hoge.gif http://example.com/hoge.gif?fuga | http://example.com/hoge.agif | | `"\\.gif\|\\.jpg$"` | http://example.com/hoge.gif http://example.com/hoge.gif?fuga http://example.com/hoge.jpg?fuga | http://example.com/hoge.agif http://example.com/hoge.ajpg http://example.com/hoge.jpg?hoge | | `"\\.(gif\|jpe?g\|png)$"` | http://example.com/hoge.gif http://example.com/hoge.jpeg | http://example.com/hoge.gif?uid=2 http://example.com/hoge.jpg?pid=3 | | `/\.(gif\|jpe?g\|png)$/` | as above | as above | | `["\\.jpg$", "\\.png", "\\.gif"]` | same as `"\\.jpg\|\\.png\|\\.gif"` | same as `"\\.jpg\|\\.png\|\\.gif"` |
1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./lib/connect-logger.js
/* eslint no-underscore-dangle: ["error", { "allow": ["__statusCode", "_remoteAddress", "__headers", "_logging"] }] */ const levels = require('./levels'); const DEFAULT_FORMAT = ':remote-addr - -' + ' ":method :url HTTP/:http-version"' + ' :status :content-length ":referrer"' + ' ":user-agent"'; /** * Return request url path, * adding this function prevents the Cyclomatic Complexity, * for the assemble_tokens function at low, to pass the tests. * * @param {IncomingMessage} req * @return {string} * @api private */ function getUrl(req) { return req.originalUrl || req.url; } /** * Adds custom {token, replacement} objects to defaults, * overwriting the defaults if any tokens clash * * @param {IncomingMessage} req * @param {ServerResponse} res * @param {Array} customTokens * [{ token: string-or-regexp, replacement: string-or-replace-function }] * @return {Array} */ function assembleTokens(req, res, customTokens) { const arrayUniqueTokens = (array) => { const a = array.concat(); for (let i = 0; i < a.length; ++i) { for (let j = i + 1; j < a.length; ++j) { // not === because token can be regexp object // eslint-disable-next-line eqeqeq if (a[i].token == a[j].token) { a.splice(j--, 1); // eslint-disable-line no-plusplus } } } return a; }; const defaultTokens = []; defaultTokens.push({ token: ':url', replacement: getUrl(req) }); defaultTokens.push({ token: ':protocol', replacement: req.protocol }); defaultTokens.push({ token: ':hostname', replacement: req.hostname }); defaultTokens.push({ token: ':method', replacement: req.method }); defaultTokens.push({ token: ':status', replacement: res.__statusCode || res.statusCode, }); defaultTokens.push({ token: ':response-time', replacement: res.responseTime, }); defaultTokens.push({ token: ':date', replacement: new Date().toUTCString() }); defaultTokens.push({ token: ':referrer', replacement: req.headers.referer || req.headers.referrer || '', }); defaultTokens.push({ token: ':http-version', replacement: `${req.httpVersionMajor}.${req.httpVersionMinor}`, }); defaultTokens.push({ token: ':remote-addr', replacement: req.headers['x-forwarded-for'] || req.ip || req._remoteAddress || (req.socket && (req.socket.remoteAddress || (req.socket.socket && req.socket.socket.remoteAddress))), }); defaultTokens.push({ token: ':user-agent', replacement: req.headers['user-agent'], }); defaultTokens.push({ token: ':content-length', replacement: res.getHeader('content-length') || (res.__headers && res.__headers['Content-Length']) || '-', }); defaultTokens.push({ token: /:req\[([^\]]+)]/g, replacement(_, field) { return req.headers[field.toLowerCase()]; }, }); defaultTokens.push({ token: /:res\[([^\]]+)]/g, replacement(_, field) { return ( res.getHeader(field.toLowerCase()) || (res.__headers && res.__headers[field]) ); }, }); return arrayUniqueTokens(customTokens.concat(defaultTokens)); } /** * Return formatted log line. * * @param {string} str * @param {Array} tokens * @return {string} * @api private */ function format(str, tokens) { for (let i = 0; i < tokens.length; i++) { str = str.replace(tokens[i].token, tokens[i].replacement); } return str; } /** * Return RegExp Object about nolog * * @param {(string|Array)} nolog * @return {RegExp} * @api private * * syntax * 1. String * 1.1 "\\.gif" * NOT LOGGING http://example.com/hoge.gif and http://example.com/hoge.gif?fuga * LOGGING http://example.com/hoge.agif * 1.2 in "\\.gif|\\.jpg$" * NOT LOGGING http://example.com/hoge.gif and * http://example.com/hoge.gif?fuga and http://example.com/hoge.jpg?fuga * LOGGING http://example.com/hoge.agif, * http://example.com/hoge.ajpg and http://example.com/hoge.jpg?hoge * 1.3 in "\\.(gif|jpe?g|png)$" * NOT LOGGING http://example.com/hoge.gif and http://example.com/hoge.jpeg * LOGGING http://example.com/hoge.gif?uid=2 and http://example.com/hoge.jpg?pid=3 * 2. RegExp * 2.1 in /\.(gif|jpe?g|png)$/ * SAME AS 1.3 * 3. Array * 3.1 ["\\.jpg$", "\\.png", "\\.gif"] * SAME AS "\\.jpg|\\.png|\\.gif" */ function createNoLogCondition(nolog) { let regexp = null; if (nolog instanceof RegExp) { regexp = nolog; } if (typeof nolog === 'string') { regexp = new RegExp(nolog); } if (Array.isArray(nolog)) { // convert to strings const regexpsAsStrings = nolog.map((reg) => reg.source ? reg.source : reg ); regexp = new RegExp(regexpsAsStrings.join('|')); } return regexp; } /** * Allows users to define rules around status codes to assign them to a specific * logging level. * There are two types of rules: * - RANGE: matches a code within a certain range * E.g. { 'from': 200, 'to': 299, 'level': 'info' } * - CONTAINS: matches a code to a set of expected codes * E.g. { 'codes': [200, 203], 'level': 'debug' } * Note*: Rules are respected only in order of prescendence. * * @param {Number} statusCode * @param {Level} currentLevel * @param {Object} ruleSet * @return {Level} * @api private */ function matchRules(statusCode, currentLevel, ruleSet) { let level = currentLevel; if (ruleSet) { const matchedRule = ruleSet.find((rule) => { let ruleMatched = false; if (rule.from && rule.to) { ruleMatched = statusCode >= rule.from && statusCode <= rule.to; } else { ruleMatched = rule.codes.indexOf(statusCode) !== -1; } return ruleMatched; }); if (matchedRule) { level = levels.getLevel(matchedRule.level, level); } } return level; } /** * Log requests with the given `options` or a `format` string. * * Options: * * - `format` Format string, see below for tokens * - `level` A log4js levels instance. Supports also 'auto' * - `nolog` A string or RegExp to exclude target logs * - `statusRules` A array of rules for setting specific logging levels base on status codes * - `context` Whether to add a response of express to the context * * Tokens: * * - `:req[header]` ex: `:req[Accept]` * - `:res[header]` ex: `:res[Content-Length]` * - `:http-version` * - `:response-time` * - `:remote-addr` * - `:date` * - `:method` * - `:url` * - `:referrer` * - `:user-agent` * - `:status` * * @return {Function} * @param logger4js * @param options * @api public */ module.exports = function getLogger(logger4js, options) { if (typeof options === 'string' || typeof options === 'function') { options = { format: options }; } else { options = options || {}; } const thisLogger = logger4js; let level = levels.getLevel(options.level, levels.INFO); const fmt = options.format || DEFAULT_FORMAT; const nolog = createNoLogCondition(options.nolog); return (req, res, next) => { // mount safety if (req._logging) return next(); // nologs if (nolog && nolog.test(req.originalUrl)) return next(); if (thisLogger.isLevelEnabled(level) || options.level === 'auto') { const start = new Date(); const { writeHead } = res; // flag as logging req._logging = true; // proxy for statusCode. res.writeHead = (code, headers) => { res.writeHead = writeHead; res.writeHead(code, headers); res.__statusCode = code; res.__headers = headers || {}; }; // hook on end request to emit the log entry of the HTTP request. let finished = false; const handler = () => { if (finished) { return; } finished = true; res.responseTime = new Date() - start; // status code response level handling if (res.statusCode && options.level === 'auto') { level = levels.INFO; if (res.statusCode >= 300) level = levels.WARN; if (res.statusCode >= 400) level = levels.ERROR; } level = matchRules(res.statusCode, level, options.statusRules); const combinedTokens = assembleTokens(req, res, options.tokens || []); if (options.context) thisLogger.addContext('res', res); if (typeof fmt === 'function') { const line = fmt(req, res, (str) => format(str, combinedTokens)); if (line) thisLogger.log(level, line); } else { thisLogger.log(level, format(fmt, combinedTokens)); } if (options.context) thisLogger.removeContext('res'); }; res.on('end', handler); res.on('finish', handler); res.on('error', handler); res.on('close', handler); } // ensure next gets always called return next(); }; };
/* eslint no-underscore-dangle: ["error", { "allow": ["__statusCode", "_remoteAddress", "__headers", "_logging"] }] */ const levels = require('./levels'); const DEFAULT_FORMAT = ':remote-addr - -' + ' ":method :url HTTP/:http-version"' + ' :status :content-length ":referrer"' + ' ":user-agent"'; /** * Return request url path, * adding this function prevents the Cyclomatic Complexity, * for the assemble_tokens function at low, to pass the tests. * * @param {IncomingMessage} req * @return {string} * @api private */ function getUrl(req) { return req.originalUrl || req.url; } /** * Adds custom {token, replacement} objects to defaults, * overwriting the defaults if any tokens clash * * @param {IncomingMessage} req * @param {ServerResponse} res * @param {Array} customTokens * [{ token: string-or-regexp, replacement: string-or-replace-function }] * @return {Array} */ function assembleTokens(req, res, customTokens) { const arrayUniqueTokens = (array) => { const a = array.concat(); for (let i = 0; i < a.length; ++i) { for (let j = i + 1; j < a.length; ++j) { // not === because token can be regexp object // eslint-disable-next-line eqeqeq if (a[i].token == a[j].token) { a.splice(j--, 1); // eslint-disable-line no-plusplus } } } return a; }; const defaultTokens = []; defaultTokens.push({ token: ':url', replacement: getUrl(req) }); defaultTokens.push({ token: ':protocol', replacement: req.protocol }); defaultTokens.push({ token: ':hostname', replacement: req.hostname }); defaultTokens.push({ token: ':method', replacement: req.method }); defaultTokens.push({ token: ':status', replacement: res.__statusCode || res.statusCode, }); defaultTokens.push({ token: ':response-time', replacement: res.responseTime, }); defaultTokens.push({ token: ':date', replacement: new Date().toUTCString() }); defaultTokens.push({ token: ':referrer', replacement: req.headers.referer || req.headers.referrer || '', }); defaultTokens.push({ token: ':http-version', replacement: `${req.httpVersionMajor}.${req.httpVersionMinor}`, }); defaultTokens.push({ token: ':remote-addr', replacement: req.headers['x-forwarded-for'] || req.ip || req._remoteAddress || (req.socket && (req.socket.remoteAddress || (req.socket.socket && req.socket.socket.remoteAddress))), }); defaultTokens.push({ token: ':user-agent', replacement: req.headers['user-agent'], }); defaultTokens.push({ token: ':content-length', replacement: res.getHeader('content-length') || (res.__headers && res.__headers['Content-Length']) || '-', }); defaultTokens.push({ token: /:req\[([^\]]+)]/g, replacement(_, field) { return req.headers[field.toLowerCase()]; }, }); defaultTokens.push({ token: /:res\[([^\]]+)]/g, replacement(_, field) { return ( res.getHeader(field.toLowerCase()) || (res.__headers && res.__headers[field]) ); }, }); return arrayUniqueTokens(customTokens.concat(defaultTokens)); } /** * Return formatted log line. * * @param {string} str * @param {Array} tokens * @return {string} * @api private */ function format(str, tokens) { for (let i = 0; i < tokens.length; i++) { str = str.replace(tokens[i].token, tokens[i].replacement); } return str; } /** * Return RegExp Object about nolog * * @param {(string|Array)} nolog * @return {RegExp} * @api private * * syntax * 1. String * 1.1 "\\.gif" * NOT LOGGING http://example.com/hoge.gif and http://example.com/hoge.gif?fuga * LOGGING http://example.com/hoge.agif * 1.2 in "\\.gif|\\.jpg$" * NOT LOGGING http://example.com/hoge.gif and * http://example.com/hoge.gif?fuga and http://example.com/hoge.jpg?fuga * LOGGING http://example.com/hoge.agif, * http://example.com/hoge.ajpg and http://example.com/hoge.jpg?hoge * 1.3 in "\\.(gif|jpe?g|png)$" * NOT LOGGING http://example.com/hoge.gif and http://example.com/hoge.jpeg * LOGGING http://example.com/hoge.gif?uid=2 and http://example.com/hoge.jpg?pid=3 * 2. RegExp * 2.1 in /\.(gif|jpe?g|png)$/ * SAME AS 1.3 * 3. Array * 3.1 ["\\.jpg$", "\\.png", "\\.gif"] * SAME AS "\\.jpg|\\.png|\\.gif" */ function createNoLogCondition(nolog) { let regexp = null; if (nolog instanceof RegExp) { regexp = nolog; } if (typeof nolog === 'string') { regexp = new RegExp(nolog); } if (Array.isArray(nolog)) { // convert to strings const regexpsAsStrings = nolog.map((reg) => reg.source ? reg.source : reg ); regexp = new RegExp(regexpsAsStrings.join('|')); } return regexp; } /** * Allows users to define rules around status codes to assign them to a specific * logging level. * There are two types of rules: * - RANGE: matches a code within a certain range * E.g. { 'from': 200, 'to': 299, 'level': 'info' } * - CONTAINS: matches a code to a set of expected codes * E.g. { 'codes': [200, 203], 'level': 'debug' } * Note*: Rules are respected only in order of prescendence. * * @param {Number} statusCode * @param {Level} currentLevel * @param {Object} ruleSet * @return {Level} * @api private */ function matchRules(statusCode, currentLevel, ruleSet) { let level = currentLevel; if (ruleSet) { const matchedRule = ruleSet.find((rule) => { let ruleMatched = false; if (rule.from && rule.to) { ruleMatched = statusCode >= rule.from && statusCode <= rule.to; } else { ruleMatched = rule.codes.indexOf(statusCode) !== -1; } return ruleMatched; }); if (matchedRule) { level = levels.getLevel(matchedRule.level, level); } } return level; } /** * Log requests with the given `options` or a `format` string. * * Options: * * - `format` Format string, see below for tokens * - `level` A log4js levels instance. Supports also 'auto' * - `nolog` A string or RegExp to exclude target logs or function(req, res): boolean * - `statusRules` A array of rules for setting specific logging levels base on status codes * - `context` Whether to add a response of express to the context * * Tokens: * * - `:req[header]` ex: `:req[Accept]` * - `:res[header]` ex: `:res[Content-Length]` * - `:http-version` * - `:response-time` * - `:remote-addr` * - `:date` * - `:method` * - `:url` * - `:referrer` * - `:user-agent` * - `:status` * * @return {Function} * @param logger4js * @param options * @api public */ module.exports = function getLogger(logger4js, options) { if (typeof options === 'string' || typeof options === 'function') { options = { format: options }; } else { options = options || {}; } const thisLogger = logger4js; let level = levels.getLevel(options.level, levels.INFO); const fmt = options.format || DEFAULT_FORMAT; return (req, res, next) => { // mount safety if (req._logging) return next(); // nologs if (typeof options.nolog === 'function') { if (options.nolog(req, res) === true) return next(); } else { const nolog = createNoLogCondition(options.nolog); if (nolog && nolog.test(req.originalUrl)) return next(); } if (thisLogger.isLevelEnabled(level) || options.level === 'auto') { const start = new Date(); const { writeHead } = res; // flag as logging req._logging = true; // proxy for statusCode. res.writeHead = (code, headers) => { res.writeHead = writeHead; res.writeHead(code, headers); res.__statusCode = code; res.__headers = headers || {}; }; // hook on end request to emit the log entry of the HTTP request. let finished = false; const handler = () => { if (finished) { return; } finished = true; res.responseTime = new Date() - start; // status code response level handling if (res.statusCode && options.level === 'auto') { level = levels.INFO; if (res.statusCode >= 300) level = levels.WARN; if (res.statusCode >= 400) level = levels.ERROR; } level = matchRules(res.statusCode, level, options.statusRules); const combinedTokens = assembleTokens(req, res, options.tokens || []); if (options.context) thisLogger.addContext('res', res); if (typeof fmt === 'function') { const line = fmt(req, res, (str) => format(str, combinedTokens)); if (line) thisLogger.log(level, line); } else { thisLogger.log(level, format(fmt, combinedTokens)); } if (options.context) thisLogger.removeContext('res'); }; res.on('end', handler); res.on('finish', handler); res.on('error', handler); res.on('close', handler); } // ensure next gets always called return next(); }; };
1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./test/tap/connect-nolog-test.js
/* eslint max-classes-per-file: ["error", 2] */ const { test } = require('tap'); const EE = require('events').EventEmitter; const levels = require('../../lib/levels'); class MockLogger { constructor() { this.messages = []; this.level = levels.TRACE; this.log = function (level, message) { this.messages.push({ level, message }); }; this.isLevelEnabled = function (level) { return level.isGreaterThanOrEqualTo(this.level); }; } } function MockRequest(remoteAddr, method, originalUrl) { this.socket = { remoteAddress: remoteAddr }; this.originalUrl = originalUrl; this.method = method; this.httpVersionMajor = '5'; this.httpVersionMinor = '0'; this.headers = {}; } class MockResponse extends EE { constructor(code) { super(); this.statusCode = code; this.cachedHeaders = {}; } end() { this.emit('finish'); } setHeader(key, value) { this.cachedHeaders[key.toLowerCase()] = value; } getHeader(key) { return this.cachedHeaders[key.toLowerCase()]; } writeHead(code /* , headers */) { this.statusCode = code; } } test('log4js connect logger', (batch) => { const clm = require('../../lib/connect-logger'); batch.test('with nolog config', (t) => { const ml = new MockLogger(); const cl = clm(ml, { nolog: '\\.gif' }); t.beforeEach(() => { ml.messages = []; }); t.test('check unmatch url request', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.png' ); // not gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.type(messages, 'Array'); assert.equal(messages.length, 1); assert.ok(levels.INFO.isEqualTo(messages[0].level)); assert.match(messages[0].message, 'GET'); assert.match(messages[0].message, 'http://url'); assert.match(messages[0].message, 'my.remote.addr'); assert.match(messages[0].message, '200'); assert.end(); }); t.test('check match url request', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.gif' ); // gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.type(messages, 'Array'); assert.equal(messages.length, 0); assert.end(); }); t.end(); }); batch.test('nolog Strings', (t) => { const ml = new MockLogger(); const cl = clm(ml, { nolog: '\\.gif|\\.jpe?g' }); t.beforeEach(() => { ml.messages = []; }); t.test('check unmatch url request (png)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.png' ); // not gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 1); assert.ok(levels.INFO.isEqualTo(messages[0].level)); assert.match(messages[0].message, 'GET'); assert.match(messages[0].message, 'http://url'); assert.match(messages[0].message, 'my.remote.addr'); assert.match(messages[0].message, '200'); assert.end(); }); t.test('check match url request (gif)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.gif' ); const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 0); assert.end(); }); t.test('check match url request (jpeg)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.jpeg' ); const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 0); assert.end(); }); t.end(); }); batch.test('nolog Array<String>', (t) => { const ml = new MockLogger(); const cl = clm(ml, { nolog: ['\\.gif', '\\.jpe?g'] }); t.beforeEach(() => { ml.messages = []; }); t.test('check unmatch url request (png)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.png' ); // not gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 1); assert.ok(levels.INFO.isEqualTo(messages[0].level)); assert.match(messages[0].message, 'GET'); assert.match(messages[0].message, 'http://url'); assert.match(messages[0].message, 'my.remote.addr'); assert.match(messages[0].message, '200'); assert.end(); }); t.test('check match url request (gif)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.gif' ); // gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 0); assert.end(); }); t.test('check match url request (jpeg)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.jpeg' ); // gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 0); assert.end(); }); t.end(); }); batch.test('nolog RegExp', (t) => { const ml = new MockLogger(); const cl = clm(ml, { nolog: /\.gif|\.jpe?g/ }); t.beforeEach(() => { ml.messages = []; }); t.test('check unmatch url request (png)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.png' ); // not gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 1); assert.ok(levels.INFO.isEqualTo(messages[0].level)); assert.match(messages[0].message, 'GET'); assert.match(messages[0].message, 'http://url'); assert.match(messages[0].message, 'my.remote.addr'); assert.match(messages[0].message, '200'); assert.end(); }); t.test('check match url request (gif)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.gif' ); // gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 0); assert.end(); }); t.test('check match url request (jpeg)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.jpeg' ); // gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 0); assert.end(); }); t.end(); }); batch.test('nolog Array<RegExp>', (t) => { const ml = new MockLogger(); const cl = clm(ml, { nolog: [/\.gif/, /\.jpe?g/] }); t.beforeEach(() => { ml.messages = []; }); t.test('check unmatch url request (png)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.png' ); // not gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 1); assert.ok(levels.INFO.isEqualTo(messages[0].level)); assert.match(messages[0].message, 'GET'); assert.match(messages[0].message, 'http://url'); assert.match(messages[0].message, 'my.remote.addr'); assert.match(messages[0].message, '200'); assert.end(); }); t.test('check match url request (gif)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.gif' ); // gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 0); assert.end(); }); t.test('check match url request (jpeg)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.jpeg' ); // gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 0); assert.end(); }); t.end(); }); batch.end(); });
/* eslint max-classes-per-file: ["error", 2] */ const { test } = require('tap'); const EE = require('events').EventEmitter; const levels = require('../../lib/levels'); class MockLogger { constructor() { this.messages = []; this.level = levels.TRACE; this.log = function (level, message) { this.messages.push({ level, message }); }; this.isLevelEnabled = function (level) { return level.isGreaterThanOrEqualTo(this.level); }; } } function MockRequest(remoteAddr, method, originalUrl) { this.socket = { remoteAddress: remoteAddr }; this.originalUrl = originalUrl; this.method = method; this.httpVersionMajor = '5'; this.httpVersionMinor = '0'; this.headers = {}; } class MockResponse extends EE { constructor(code) { super(); this.statusCode = code; this.cachedHeaders = {}; } end() { this.emit('finish'); } setHeader(key, value) { this.cachedHeaders[key.toLowerCase()] = value; } getHeader(key) { return this.cachedHeaders[key.toLowerCase()]; } writeHead(code /* , headers */) { this.statusCode = code; } } test('log4js connect logger', (batch) => { const clm = require('../../lib/connect-logger'); batch.test('with nolog config', (t) => { const ml = new MockLogger(); const cl = clm(ml, { nolog: '\\.gif' }); t.beforeEach(() => { ml.messages = []; }); t.test('check unmatch url request', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.png' ); // not gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.type(messages, 'Array'); assert.equal(messages.length, 1); assert.ok(levels.INFO.isEqualTo(messages[0].level)); assert.match(messages[0].message, 'GET'); assert.match(messages[0].message, 'http://url'); assert.match(messages[0].message, 'my.remote.addr'); assert.match(messages[0].message, '200'); assert.end(); }); t.test('check match url request', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.gif' ); // gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.type(messages, 'Array'); assert.equal(messages.length, 0); assert.end(); }); t.end(); }); batch.test('nolog Strings', (t) => { const ml = new MockLogger(); const cl = clm(ml, { nolog: '\\.gif|\\.jpe?g' }); t.beforeEach(() => { ml.messages = []; }); t.test('check unmatch url request (png)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.png' ); // not gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 1); assert.ok(levels.INFO.isEqualTo(messages[0].level)); assert.match(messages[0].message, 'GET'); assert.match(messages[0].message, 'http://url'); assert.match(messages[0].message, 'my.remote.addr'); assert.match(messages[0].message, '200'); assert.end(); }); t.test('check match url request (gif)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.gif' ); const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 0); assert.end(); }); t.test('check match url request (jpeg)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.jpeg' ); const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 0); assert.end(); }); t.end(); }); batch.test('nolog Array<String>', (t) => { const ml = new MockLogger(); const cl = clm(ml, { nolog: ['\\.gif', '\\.jpe?g'] }); t.beforeEach(() => { ml.messages = []; }); t.test('check unmatch url request (png)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.png' ); // not gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 1); assert.ok(levels.INFO.isEqualTo(messages[0].level)); assert.match(messages[0].message, 'GET'); assert.match(messages[0].message, 'http://url'); assert.match(messages[0].message, 'my.remote.addr'); assert.match(messages[0].message, '200'); assert.end(); }); t.test('check match url request (gif)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.gif' ); // gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 0); assert.end(); }); t.test('check match url request (jpeg)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.jpeg' ); // gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 0); assert.end(); }); t.end(); }); batch.test('nolog RegExp', (t) => { const ml = new MockLogger(); const cl = clm(ml, { nolog: /\.gif|\.jpe?g/ }); t.beforeEach(() => { ml.messages = []; }); t.test('check unmatch url request (png)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.png' ); // not gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 1); assert.ok(levels.INFO.isEqualTo(messages[0].level)); assert.match(messages[0].message, 'GET'); assert.match(messages[0].message, 'http://url'); assert.match(messages[0].message, 'my.remote.addr'); assert.match(messages[0].message, '200'); assert.end(); }); t.test('check match url request (gif)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.gif' ); // gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 0); assert.end(); }); t.test('check match url request (jpeg)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.jpeg' ); // gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 0); assert.end(); }); t.end(); }); batch.test('nolog Array<RegExp>', (t) => { const ml = new MockLogger(); const cl = clm(ml, { nolog: [/\.gif/, /\.jpe?g/] }); t.beforeEach(() => { ml.messages = []; }); t.test('check unmatch url request (png)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.png' ); // not gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 1); assert.ok(levels.INFO.isEqualTo(messages[0].level)); assert.match(messages[0].message, 'GET'); assert.match(messages[0].message, 'http://url'); assert.match(messages[0].message, 'my.remote.addr'); assert.match(messages[0].message, '200'); assert.end(); }); t.test('check match url request (gif)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.gif' ); // gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 0); assert.end(); }); t.test('check match url request (jpeg)', (assert) => { const { messages } = ml; const req = new MockRequest( 'my.remote.addr', 'GET', 'http://url/hoge.jpeg' ); // gif const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 0); assert.end(); }); t.end(); }); batch.test('nolog function', (t) => { const ml = new MockLogger(); const cl = clm(ml, { nolog: (_req, res) => res.statusCode < 400 }); t.beforeEach(() => { ml.messages = []; }); t.test('check unmatch function return (statusCode < 400)', (assert) => { const { messages } = ml; const req = new MockRequest('my.remote.addr', 'GET', 'http://url/log'); const res = new MockResponse(500); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 1); assert.ok(levels.INFO.isEqualTo(messages[0].level)); assert.match(messages[0].message, 'GET'); assert.match(messages[0].message, 'http://url'); assert.match(messages[0].message, 'my.remote.addr'); assert.match(messages[0].message, '500'); assert.end(); }); t.test('check match function return (statusCode >= 400)', (assert) => { const { messages } = ml; const req = new MockRequest('my.remote.addr', 'GET', 'http://url/nolog'); const res = new MockResponse(200); cl(req, res, () => {}); res.end('chunk', 'encoding'); assert.equal(messages.length, 0); assert.end(); }); t.end(); }); batch.end(); });
1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./lib/configuration.js
const util = require('util'); const debug = require('debug')('log4js:configuration'); const preProcessingListeners = []; const listeners = []; const not = (thing) => !thing; const anObject = (thing) => thing && typeof thing === 'object' && !Array.isArray(thing); const validIdentifier = (thing) => /^[A-Za-z][A-Za-z0-9_]*$/g.test(thing); const anInteger = (thing) => thing && typeof thing === 'number' && Number.isInteger(thing); const addListener = (fn) => { listeners.push(fn); debug(`Added listener, now ${listeners.length} listeners`); }; const addPreProcessingListener = (fn) => { preProcessingListeners.push(fn); debug( `Added pre-processing listener, now ${preProcessingListeners.length} listeners` ); }; const throwExceptionIf = (config, checks, message) => { const tests = Array.isArray(checks) ? checks : [checks]; tests.forEach((test) => { if (test) { throw new Error( `Problem with log4js configuration: (${util.inspect(config, { depth: 5, })}) - ${message}` ); } }); }; const configure = (candidate) => { debug('New configuration to be validated: ', candidate); throwExceptionIf(candidate, not(anObject(candidate)), 'must be an object.'); debug(`Calling pre-processing listeners (${preProcessingListeners.length})`); preProcessingListeners.forEach((listener) => listener(candidate)); debug('Configuration pre-processing finished.'); debug(`Calling configuration listeners (${listeners.length})`); listeners.forEach((listener) => listener(candidate)); debug('Configuration finished.'); }; module.exports = { configure, addListener, addPreProcessingListener, throwExceptionIf, anObject, anInteger, validIdentifier, not, };
const util = require('util'); const debug = require('debug')('log4js:configuration'); const preProcessingListeners = []; const listeners = []; const not = (thing) => !thing; const anObject = (thing) => thing && typeof thing === 'object' && !Array.isArray(thing); const validIdentifier = (thing) => /^[A-Za-z][A-Za-z0-9_]*$/g.test(thing); const anInteger = (thing) => thing && typeof thing === 'number' && Number.isInteger(thing); const addListener = (fn) => { listeners.push(fn); debug(`Added listener, now ${listeners.length} listeners`); }; const addPreProcessingListener = (fn) => { preProcessingListeners.push(fn); debug( `Added pre-processing listener, now ${preProcessingListeners.length} listeners` ); }; const throwExceptionIf = (config, checks, message) => { const tests = Array.isArray(checks) ? checks : [checks]; tests.forEach((test) => { if (test) { throw new Error( `Problem with log4js configuration: (${util.inspect(config, { depth: 5, })}) - ${message}` ); } }); }; const configure = (candidate) => { debug('New configuration to be validated: ', candidate); throwExceptionIf(candidate, not(anObject(candidate)), 'must be an object.'); debug(`Calling pre-processing listeners (${preProcessingListeners.length})`); preProcessingListeners.forEach((listener) => listener(candidate)); debug('Configuration pre-processing finished.'); debug(`Calling configuration listeners (${listeners.length})`); listeners.forEach((listener) => listener(candidate)); debug('Configuration finished.'); }; module.exports = { configure, addListener, addPreProcessingListener, throwExceptionIf, anObject, anInteger, validIdentifier, not, };
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./lib/logger.js
/* eslint no-underscore-dangle: ["error", { "allow": ["_log"] }] */ const debug = require('debug')('log4js:logger'); const LoggingEvent = require('./LoggingEvent'); const levels = require('./levels'); const clustering = require('./clustering'); const categories = require('./categories'); const configuration = require('./configuration'); const stackReg = /at (?:(.+)\s+\()?(?:(.+?):(\d+)(?::(\d+))?|([^)]+))\)?/; function defaultParseCallStack(data, skipIdx = 4) { try { const stacklines = data.stack.split('\n').slice(skipIdx); const lineMatch = stackReg.exec(stacklines[0]); /* istanbul ignore else: failsafe */ if (lineMatch && lineMatch.length === 6) { return { functionName: lineMatch[1], fileName: lineMatch[2], lineNumber: parseInt(lineMatch[3], 10), columnNumber: parseInt(lineMatch[4], 10), callStack: stacklines.join('\n'), }; // eslint-disable-next-line no-else-return } else { // will never get here unless nodejs has changes to Error console.error('log4js.logger - defaultParseCallStack error'); // eslint-disable-line no-console } } catch (err) { // will never get error unless nodejs has breaking changes to Error console.error('log4js.logger - defaultParseCallStack error', err); // eslint-disable-line no-console } return null; } /** * Logger to log messages. * use {@see log4js#getLogger(String)} to get an instance. * * @name Logger * @namespace Log4js * @param name name of category to log to * @param level - the loglevel for the category * @param dispatch - the function which will receive the logevents * * @author Stephan Strittmatter */ class Logger { constructor(name) { if (!name) { throw new Error('No category provided.'); } this.category = name; this.context = {}; this.parseCallStack = defaultParseCallStack; debug(`Logger created (${this.category}, ${this.level})`); } get level() { return levels.getLevel( categories.getLevelForCategory(this.category), levels.OFF ); } set level(level) { categories.setLevelForCategory( this.category, levels.getLevel(level, this.level) ); } get useCallStack() { return categories.getEnableCallStackForCategory(this.category); } set useCallStack(bool) { categories.setEnableCallStackForCategory(this.category, bool === true); } log(level, ...args) { const logLevel = levels.getLevel(level); if (!logLevel) { if (configuration.validIdentifier(level) && args.length > 0) { // logLevel not found but of valid signature, WARN before fallback to INFO this.log( levels.WARN, 'log4js:logger.log: valid log-level not found as first parameter given:', level ); this.log(levels.INFO, `[${level}]`, ...args); } else { // apart from fallback, allow .log(...args) to be synonym with .log("INFO", ...args) this.log(levels.INFO, level, ...args); } } else if (this.isLevelEnabled(logLevel)) { this._log(logLevel, args); } } isLevelEnabled(otherLevel) { return this.level.isLessThanOrEqualTo(otherLevel); } _log(level, data) { debug(`sending log data (${level}) to appenders`); const loggingEvent = new LoggingEvent( this.category, level, data, this.context, this.useCallStack && this.parseCallStack(new Error()) ); clustering.send(loggingEvent); } addContext(key, value) { this.context[key] = value; } removeContext(key) { delete this.context[key]; } clearContext() { this.context = {}; } setParseCallStackFunction(parseFunction) { this.parseCallStack = parseFunction; } } function addLevelMethods(target) { const level = levels.getLevel(target); const levelStrLower = level.toString().toLowerCase(); const levelMethod = levelStrLower.replace(/_([a-z])/g, (g) => g[1].toUpperCase() ); const isLevelMethod = levelMethod[0].toUpperCase() + levelMethod.slice(1); Logger.prototype[`is${isLevelMethod}Enabled`] = function () { return this.isLevelEnabled(level); }; Logger.prototype[levelMethod] = function (...args) { this.log(level, ...args); }; } levels.levels.forEach(addLevelMethods); configuration.addListener(() => { levels.levels.forEach(addLevelMethods); }); module.exports = Logger;
/* eslint no-underscore-dangle: ["error", { "allow": ["_log"] }] */ const debug = require('debug')('log4js:logger'); const LoggingEvent = require('./LoggingEvent'); const levels = require('./levels'); const clustering = require('./clustering'); const categories = require('./categories'); const configuration = require('./configuration'); const stackReg = /at (?:(.+)\s+\()?(?:(.+?):(\d+)(?::(\d+))?|([^)]+))\)?/; function defaultParseCallStack(data, skipIdx = 4) { try { const stacklines = data.stack.split('\n').slice(skipIdx); const lineMatch = stackReg.exec(stacklines[0]); /* istanbul ignore else: failsafe */ if (lineMatch && lineMatch.length === 6) { return { functionName: lineMatch[1], fileName: lineMatch[2], lineNumber: parseInt(lineMatch[3], 10), columnNumber: parseInt(lineMatch[4], 10), callStack: stacklines.join('\n'), }; // eslint-disable-next-line no-else-return } else { // will never get here unless nodejs has changes to Error console.error('log4js.logger - defaultParseCallStack error'); // eslint-disable-line no-console } } catch (err) { // will never get error unless nodejs has breaking changes to Error console.error('log4js.logger - defaultParseCallStack error', err); // eslint-disable-line no-console } return null; } /** * Logger to log messages. * use {@see log4js#getLogger(String)} to get an instance. * * @name Logger * @namespace Log4js * @param name name of category to log to * @param level - the loglevel for the category * @param dispatch - the function which will receive the logevents * * @author Stephan Strittmatter */ class Logger { constructor(name) { if (!name) { throw new Error('No category provided.'); } this.category = name; this.context = {}; this.parseCallStack = defaultParseCallStack; debug(`Logger created (${this.category}, ${this.level})`); } get level() { return levels.getLevel( categories.getLevelForCategory(this.category), levels.OFF ); } set level(level) { categories.setLevelForCategory( this.category, levels.getLevel(level, this.level) ); } get useCallStack() { return categories.getEnableCallStackForCategory(this.category); } set useCallStack(bool) { categories.setEnableCallStackForCategory(this.category, bool === true); } log(level, ...args) { const logLevel = levels.getLevel(level); if (!logLevel) { if (configuration.validIdentifier(level) && args.length > 0) { // logLevel not found but of valid signature, WARN before fallback to INFO this.log( levels.WARN, 'log4js:logger.log: valid log-level not found as first parameter given:', level ); this.log(levels.INFO, `[${level}]`, ...args); } else { // apart from fallback, allow .log(...args) to be synonym with .log("INFO", ...args) this.log(levels.INFO, level, ...args); } } else if (this.isLevelEnabled(logLevel)) { this._log(logLevel, args); } } isLevelEnabled(otherLevel) { return this.level.isLessThanOrEqualTo(otherLevel); } _log(level, data) { debug(`sending log data (${level}) to appenders`); const loggingEvent = new LoggingEvent( this.category, level, data, this.context, this.useCallStack && this.parseCallStack(new Error()) ); clustering.send(loggingEvent); } addContext(key, value) { this.context[key] = value; } removeContext(key) { delete this.context[key]; } clearContext() { this.context = {}; } setParseCallStackFunction(parseFunction) { this.parseCallStack = parseFunction; } } function addLevelMethods(target) { const level = levels.getLevel(target); const levelStrLower = level.toString().toLowerCase(); const levelMethod = levelStrLower.replace(/_([a-z])/g, (g) => g[1].toUpperCase() ); const isLevelMethod = levelMethod[0].toUpperCase() + levelMethod.slice(1); Logger.prototype[`is${isLevelMethod}Enabled`] = function () { return this.isLevelEnabled(level); }; Logger.prototype[levelMethod] = function (...args) { this.log(level, ...args); }; } levels.levels.forEach(addLevelMethods); configuration.addListener(() => { levels.levels.forEach(addLevelMethods); }); module.exports = Logger;
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./examples/logFaces-appender.js
const log4js = require('../lib/log4js'); /* logFaces server configured with UDP receiver, using JSON format, listening on port 55201 will receive the logs from the appender below. */ log4js.configure({ appenders: { logFaces: { type: '@log4js-node/logfaces-udp', // (mandatory) appender type application: 'MY-NODEJS', // (optional) name of the application (domain) remoteHost: 'localhost', // (optional) logFaces server host or IP address port: 55201, // (optional) logFaces UDP receiver port (must use JSON format) layout: { // (optional) the layout to use for messages type: 'pattern', pattern: '%m', }, }, }, categories: { default: { appenders: ['logFaces'], level: 'info' } }, }); const logger = log4js.getLogger('myLogger'); logger.info('Testing message %s', 'arg1');
const log4js = require('../lib/log4js'); /* logFaces server configured with UDP receiver, using JSON format, listening on port 55201 will receive the logs from the appender below. */ log4js.configure({ appenders: { logFaces: { type: '@log4js-node/logfaces-udp', // (mandatory) appender type application: 'MY-NODEJS', // (optional) name of the application (domain) remoteHost: 'localhost', // (optional) logFaces server host or IP address port: 55201, // (optional) logFaces UDP receiver port (must use JSON format) layout: { // (optional) the layout to use for messages type: 'pattern', pattern: '%m', }, }, }, categories: { default: { appenders: ['logFaces'], level: 'info' } }, }); const logger = log4js.getLogger('myLogger'); logger.info('Testing message %s', 'arg1');
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./docs/stderr.md
# Standard Error Appender This appender writes all log events to the standard error stream. # Configuration - `type` - `stderr` - `layout` - `object` (optional, defaults to colouredLayout) - see [layouts](layouts.md) # Example ```javascript log4js.configure({ appenders: { err: { type: "stderr" } }, categories: { default: { appenders: ["err"], level: "ERROR" } }, }); ```
# Standard Error Appender This appender writes all log events to the standard error stream. # Configuration - `type` - `stderr` - `layout` - `object` (optional, defaults to colouredLayout) - see [layouts](layouts.md) # Example ```javascript log4js.configure({ appenders: { err: { type: "stderr" } }, categories: { default: { appenders: ["err"], level: "ERROR" } }, }); ```
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./examples/logstashUDP.js
const log4js = require('../lib/log4js'); /* Sample logstash config: udp { codec => json port => 10001 queue_size => 2 workers => 2 type => myAppType } */ log4js.configure({ appenders: { console: { type: 'console', }, logstash: { host: '127.0.0.1', port: 10001, type: 'logstashUDP', logType: 'myAppType', // Optional, defaults to 'category' fields: { // Optional, will be added to the 'fields' object in logstash field1: 'value1', field2: 'value2', }, layout: { type: 'pattern', pattern: '%m', }, }, }, categories: { default: { appenders: ['console', 'logstash'], level: 'info' }, }, }); const logger = log4js.getLogger('myLogger'); logger.info('Test log message %s', 'arg1', 'arg2');
const log4js = require('../lib/log4js'); /* Sample logstash config: udp { codec => json port => 10001 queue_size => 2 workers => 2 type => myAppType } */ log4js.configure({ appenders: { console: { type: 'console', }, logstash: { host: '127.0.0.1', port: 10001, type: 'logstashUDP', logType: 'myAppType', // Optional, defaults to 'category' fields: { // Optional, will be added to the 'fields' object in logstash field1: 'value1', field2: 'value2', }, layout: { type: 'pattern', pattern: '%m', }, }, }, categories: { default: { appenders: ['console', 'logstash'], level: 'info' }, }, }); const logger = log4js.getLogger('myLogger'); logger.info('Test log message %s', 'arg1', 'arg2');
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./lib/appenders/stdout.js
function stdoutAppender(layout, timezoneOffset) { return (loggingEvent) => { process.stdout.write(`${layout(loggingEvent, timezoneOffset)}\n`); }; } function configure(config, layouts) { let layout = layouts.colouredLayout; if (config.layout) { layout = layouts.layout(config.layout.type, config.layout); } return stdoutAppender(layout, config.timezoneOffset); } exports.configure = configure;
function stdoutAppender(layout, timezoneOffset) { return (loggingEvent) => { process.stdout.write(`${layout(loggingEvent, timezoneOffset)}\n`); }; } function configure(config, layouts) { let layout = layouts.colouredLayout; if (config.layout) { layout = layouts.layout(config.layout.type, config.layout); } return stdoutAppender(layout, config.timezoneOffset); } exports.configure = configure;
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./test/tap/multi-file-appender-test.js
const process = require('process'); const { test } = require('tap'); const debug = require('debug'); const fs = require('fs'); const sandbox = require('@log4js-node/sandboxed-module'); const log4js = require('../../lib/log4js'); const removeFiles = async (filenames) => { if (!Array.isArray(filenames)) filenames = [filenames]; const promises = filenames.map((filename) => fs.promises.unlink(filename)); await Promise.allSettled(promises); }; test('multiFile appender', (batch) => { batch.test( 'should write to multiple files based on the loggingEvent property', (t) => { t.teardown(async () => { await removeFiles(['logs/A.log', 'logs/B.log']); }); log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'categoryName', extension: '.log', }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerA = log4js.getLogger('A'); const loggerB = log4js.getLogger('B'); loggerA.info('I am in logger A'); loggerB.info('I am in logger B'); log4js.shutdown(() => { t.match(fs.readFileSync('logs/A.log', 'utf-8'), 'I am in logger A'); t.match(fs.readFileSync('logs/B.log', 'utf-8'), 'I am in logger B'); t.end(); }); } ); batch.test( 'should write to multiple files based on loggingEvent.context properties', (t) => { t.teardown(async () => { await removeFiles(['logs/C.log', 'logs/D.log']); }); log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerC = log4js.getLogger('cheese'); const loggerD = log4js.getLogger('biscuits'); loggerC.addContext('label', 'C'); loggerD.addContext('label', 'D'); loggerC.info('I am in logger C'); loggerD.info('I am in logger D'); log4js.shutdown(() => { t.match(fs.readFileSync('logs/C.log', 'utf-8'), 'I am in logger C'); t.match(fs.readFileSync('logs/D.log', 'utf-8'), 'I am in logger D'); t.end(); }); } ); batch.test('should close file after timeout', (t) => { /* checking that the file is closed after a timeout is done by looking at the debug logs since detecting file locks with node.js is platform specific. */ const debugWasEnabled = debug.enabled('log4js:multiFile'); const debugLogs = []; const originalWrite = process.stderr.write; process.stderr.write = (string, encoding, fd) => { debugLogs.push(string); if (debugWasEnabled) { originalWrite.apply(process.stderr, [string, encoding, fd]); } }; const originalNamespace = debug.disable(); debug.enable(`${originalNamespace}, log4js:multiFile`); t.teardown(async () => { await new Promise((resolve) => { log4js.shutdown(resolve); }); await removeFiles('logs/C.log'); process.stderr.write = originalWrite; debug.enable(originalNamespace); }); const timeoutMs = 25; log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', timeout: timeoutMs, }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerC = log4js.getLogger('cheese'); loggerC.addContext('label', 'C'); loggerC.info('I am in logger C'); setTimeout(() => { t.match( debugLogs[debugLogs.length - 1], `C not used for > ${timeoutMs} ms => close`, '(timeout1) should have closed' ); t.end(); }, timeoutMs * 1 + 50); // add a 50 ms delay }); batch.test('should close file safely after timeout', (t) => { const error = new Error('fileAppender shutdown error'); const sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { './appenders/file': { configure(config, layouts) { const fileAppender = require('../../lib/appenders/file').configure( config, layouts ); const originalShutdown = fileAppender.shutdown; fileAppender.shutdown = function (complete) { const onCallback = function () { complete(error); }; originalShutdown(onCallback); }; return fileAppender; }, }, debug, }, }); /* checking that the file is closed after a timeout is done by looking at the debug logs since detecting file locks with node.js is platform specific. */ const debugWasEnabled = debug.enabled('log4js:multiFile'); const debugLogs = []; const originalWrite = process.stderr.write; process.stderr.write = (string, encoding, fd) => { debugLogs.push(string); if (debugWasEnabled) { originalWrite.apply(process.stderr, [string, encoding, fd]); } }; const originalNamespace = debug.disable(); debug.enable(`${originalNamespace}, log4js:multiFile`); t.teardown(async () => { await new Promise((resolve) => { sandboxedLog4js.shutdown(resolve); }); await removeFiles('logs/C.log'); process.stderr.write = originalWrite; debug.enable(originalNamespace); }); const timeoutMs = 25; sandboxedLog4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', timeout: timeoutMs, }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerC = sandboxedLog4js.getLogger('cheese'); loggerC.addContext('label', 'C'); loggerC.info('I am in logger C'); setTimeout(() => { t.match( debugLogs[debugLogs.length - 2], `C not used for > ${timeoutMs} ms => close`, '(timeout1) should have closed' ); t.match( debugLogs[debugLogs.length - 1], `ignore error on file shutdown: ${error.message}`, 'safely shutdown' ); t.end(); }, timeoutMs * 1 + 50); // add a 50 ms delay }); batch.test('should close file after extended timeout', (t) => { /* checking that the file is closed after a timeout is done by looking at the debug logs since detecting file locks with node.js is platform specific. */ const debugWasEnabled = debug.enabled('log4js:multiFile'); const debugLogs = []; const originalWrite = process.stderr.write; process.stderr.write = (string, encoding, fd) => { debugLogs.push(string); if (debugWasEnabled) { originalWrite.apply(process.stderr, [string, encoding, fd]); } }; const originalNamespace = debug.disable(); debug.enable(`${originalNamespace}, log4js:multiFile`); t.teardown(async () => { await new Promise((resolve) => { log4js.shutdown(resolve); }); await removeFiles('logs/D.log'); process.stderr.write = originalWrite; debug.enable(originalNamespace); }); const timeoutMs = 100; log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', timeout: timeoutMs, }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerD = log4js.getLogger('cheese'); loggerD.addContext('label', 'D'); loggerD.info('I am in logger D'); setTimeout(() => { loggerD.info('extending activity!'); t.match( debugLogs[debugLogs.length - 1], 'D extending activity', 'should have extended' ); }, timeoutMs / 2); setTimeout(() => { t.notOk( debugLogs.some( (s) => s.indexOf(`D not used for > ${timeoutMs} ms => close`) !== -1 ), '(timeout1) should not have closed' ); }, timeoutMs * 1 + 50); // add a 50 ms delay setTimeout(() => { t.match( debugLogs[debugLogs.length - 1], `D not used for > ${timeoutMs} ms => close`, '(timeout2) should have closed' ); t.end(); }, timeoutMs * 2 + 50); // add a 50 ms delay }); batch.test('should clear interval for active timers on shutdown', (t) => { /* checking that the file is closed after a timeout is done by looking at the debug logs since detecting file locks with node.js is platform specific. */ const debugWasEnabled = debug.enabled('log4js:multiFile'); const debugLogs = []; const originalWrite = process.stderr.write; process.stderr.write = (string, encoding, fd) => { debugLogs.push(string); if (debugWasEnabled) { originalWrite.apply(process.stderr, [string, encoding, fd]); } }; const originalNamespace = debug.disable(); debug.enable(`${originalNamespace}, log4js:multiFile`); t.teardown(async () => { await removeFiles('logs/D.log'); process.stderr.write = originalWrite; debug.enable(originalNamespace); }); const timeoutMs = 100; log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', timeout: timeoutMs, }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerD = log4js.getLogger('cheese'); loggerD.addContext('label', 'D'); loggerD.info('I am in logger D'); log4js.shutdown(() => { t.notOk( debugLogs.some( (s) => s.indexOf(`D not used for > ${timeoutMs} ms => close`) !== -1 ), 'should not have closed' ); t.ok( debugLogs.some((s) => s.indexOf('clearing timer for D') !== -1), 'should have cleared timers' ); t.match( debugLogs[debugLogs.length - 1], 'calling shutdown for D', 'should have called shutdown' ); t.end(); }); }); batch.test( 'should fail silently if loggingEvent property has no value', (t) => { t.teardown(async () => { await removeFiles('logs/E.log'); }); log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerE = log4js.getLogger(); loggerE.addContext('label', 'E'); loggerE.info('I am in logger E'); loggerE.removeContext('label'); loggerE.info('I am not in logger E'); loggerE.addContext('label', null); loggerE.info('I am also not in logger E'); log4js.shutdown(() => { const contents = fs.readFileSync('logs/E.log', 'utf-8'); t.match(contents, 'I am in logger E'); t.notMatch(contents, 'I am not in logger E'); t.notMatch(contents, 'I am also not in logger E'); t.end(); }); } ); batch.test('should pass options to rolling file stream', (t) => { t.teardown(async () => { await removeFiles(['logs/F.log', 'logs/F.log.1', 'logs/F.log.2']); }); log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', maxLogSize: 30, backups: 2, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerF = log4js.getLogger(); loggerF.addContext('label', 'F'); loggerF.info('Being in logger F is the best.'); loggerF.info('I am also in logger F, awesome'); loggerF.info('I am in logger F'); log4js.shutdown(() => { let contents = fs.readFileSync('logs/F.log', 'utf-8'); t.match(contents, 'I am in logger F'); contents = fs.readFileSync('logs/F.log.1', 'utf-8'); t.match(contents, 'I am also in logger F'); contents = fs.readFileSync('logs/F.log.2', 'utf-8'); t.match(contents, 'Being in logger F is the best'); t.end(); }); }); batch.test('should inherit config from category hierarchy', (t) => { t.teardown(async () => { await removeFiles('logs/test.someTest.log'); }); log4js.configure({ appenders: { out: { type: 'stdout' }, test: { type: 'multiFile', base: 'logs/', property: 'categoryName', extension: '.log', }, }, categories: { default: { appenders: ['out'], level: 'info' }, test: { appenders: ['test'], level: 'debug' }, }, }); const testLogger = log4js.getLogger('test.someTest'); testLogger.debug('This should go to the file'); log4js.shutdown(() => { const contents = fs.readFileSync('logs/test.someTest.log', 'utf-8'); t.match(contents, 'This should go to the file'); t.end(); }); }); batch.test('should shutdown safely even if it is not used', (t) => { log4js.configure({ appenders: { out: { type: 'stdout' }, test: { type: 'multiFile', base: 'logs/', property: 'categoryName', extension: '.log', }, }, categories: { default: { appenders: ['out'], level: 'info' }, test: { appenders: ['test'], level: 'debug' }, }, }); log4js.shutdown(() => { t.ok('callback is called'); t.end(); }); }); batch.teardown(async () => { try { const files = fs.readdirSync('logs'); await removeFiles(files.map((filename) => `logs/${filename}`)); fs.rmdirSync('logs'); } catch (e) { // doesn't matter } }); batch.end(); });
const process = require('process'); const { test } = require('tap'); const debug = require('debug'); const fs = require('fs'); const sandbox = require('@log4js-node/sandboxed-module'); const log4js = require('../../lib/log4js'); const removeFiles = async (filenames) => { if (!Array.isArray(filenames)) filenames = [filenames]; const promises = filenames.map((filename) => fs.promises.unlink(filename)); await Promise.allSettled(promises); }; test('multiFile appender', (batch) => { batch.test( 'should write to multiple files based on the loggingEvent property', (t) => { t.teardown(async () => { await removeFiles(['logs/A.log', 'logs/B.log']); }); log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'categoryName', extension: '.log', }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerA = log4js.getLogger('A'); const loggerB = log4js.getLogger('B'); loggerA.info('I am in logger A'); loggerB.info('I am in logger B'); log4js.shutdown(() => { t.match(fs.readFileSync('logs/A.log', 'utf-8'), 'I am in logger A'); t.match(fs.readFileSync('logs/B.log', 'utf-8'), 'I am in logger B'); t.end(); }); } ); batch.test( 'should write to multiple files based on loggingEvent.context properties', (t) => { t.teardown(async () => { await removeFiles(['logs/C.log', 'logs/D.log']); }); log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerC = log4js.getLogger('cheese'); const loggerD = log4js.getLogger('biscuits'); loggerC.addContext('label', 'C'); loggerD.addContext('label', 'D'); loggerC.info('I am in logger C'); loggerD.info('I am in logger D'); log4js.shutdown(() => { t.match(fs.readFileSync('logs/C.log', 'utf-8'), 'I am in logger C'); t.match(fs.readFileSync('logs/D.log', 'utf-8'), 'I am in logger D'); t.end(); }); } ); batch.test('should close file after timeout', (t) => { /* checking that the file is closed after a timeout is done by looking at the debug logs since detecting file locks with node.js is platform specific. */ const debugWasEnabled = debug.enabled('log4js:multiFile'); const debugLogs = []; const originalWrite = process.stderr.write; process.stderr.write = (string, encoding, fd) => { debugLogs.push(string); if (debugWasEnabled) { originalWrite.apply(process.stderr, [string, encoding, fd]); } }; const originalNamespace = debug.disable(); debug.enable(`${originalNamespace}, log4js:multiFile`); t.teardown(async () => { await new Promise((resolve) => { log4js.shutdown(resolve); }); await removeFiles('logs/C.log'); process.stderr.write = originalWrite; debug.enable(originalNamespace); }); const timeoutMs = 25; log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', timeout: timeoutMs, }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerC = log4js.getLogger('cheese'); loggerC.addContext('label', 'C'); loggerC.info('I am in logger C'); setTimeout(() => { t.match( debugLogs[debugLogs.length - 1], `C not used for > ${timeoutMs} ms => close`, '(timeout1) should have closed' ); t.end(); }, timeoutMs * 1 + 50); // add a 50 ms delay }); batch.test('should close file safely after timeout', (t) => { const error = new Error('fileAppender shutdown error'); const sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { './appenders/file': { configure(config, layouts) { const fileAppender = require('../../lib/appenders/file').configure( config, layouts ); const originalShutdown = fileAppender.shutdown; fileAppender.shutdown = function (complete) { const onCallback = function () { complete(error); }; originalShutdown(onCallback); }; return fileAppender; }, }, debug, }, }); /* checking that the file is closed after a timeout is done by looking at the debug logs since detecting file locks with node.js is platform specific. */ const debugWasEnabled = debug.enabled('log4js:multiFile'); const debugLogs = []; const originalWrite = process.stderr.write; process.stderr.write = (string, encoding, fd) => { debugLogs.push(string); if (debugWasEnabled) { originalWrite.apply(process.stderr, [string, encoding, fd]); } }; const originalNamespace = debug.disable(); debug.enable(`${originalNamespace}, log4js:multiFile`); t.teardown(async () => { await new Promise((resolve) => { sandboxedLog4js.shutdown(resolve); }); await removeFiles('logs/C.log'); process.stderr.write = originalWrite; debug.enable(originalNamespace); }); const timeoutMs = 25; sandboxedLog4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', timeout: timeoutMs, }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerC = sandboxedLog4js.getLogger('cheese'); loggerC.addContext('label', 'C'); loggerC.info('I am in logger C'); setTimeout(() => { t.match( debugLogs[debugLogs.length - 2], `C not used for > ${timeoutMs} ms => close`, '(timeout1) should have closed' ); t.match( debugLogs[debugLogs.length - 1], `ignore error on file shutdown: ${error.message}`, 'safely shutdown' ); t.end(); }, timeoutMs * 1 + 50); // add a 50 ms delay }); batch.test('should close file after extended timeout', (t) => { /* checking that the file is closed after a timeout is done by looking at the debug logs since detecting file locks with node.js is platform specific. */ const debugWasEnabled = debug.enabled('log4js:multiFile'); const debugLogs = []; const originalWrite = process.stderr.write; process.stderr.write = (string, encoding, fd) => { debugLogs.push(string); if (debugWasEnabled) { originalWrite.apply(process.stderr, [string, encoding, fd]); } }; const originalNamespace = debug.disable(); debug.enable(`${originalNamespace}, log4js:multiFile`); t.teardown(async () => { await new Promise((resolve) => { log4js.shutdown(resolve); }); await removeFiles('logs/D.log'); process.stderr.write = originalWrite; debug.enable(originalNamespace); }); const timeoutMs = 100; log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', timeout: timeoutMs, }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerD = log4js.getLogger('cheese'); loggerD.addContext('label', 'D'); loggerD.info('I am in logger D'); setTimeout(() => { loggerD.info('extending activity!'); t.match( debugLogs[debugLogs.length - 1], 'D extending activity', 'should have extended' ); }, timeoutMs / 2); setTimeout(() => { t.notOk( debugLogs.some( (s) => s.indexOf(`D not used for > ${timeoutMs} ms => close`) !== -1 ), '(timeout1) should not have closed' ); }, timeoutMs * 1 + 50); // add a 50 ms delay setTimeout(() => { t.match( debugLogs[debugLogs.length - 1], `D not used for > ${timeoutMs} ms => close`, '(timeout2) should have closed' ); t.end(); }, timeoutMs * 2 + 50); // add a 50 ms delay }); batch.test('should clear interval for active timers on shutdown', (t) => { /* checking that the file is closed after a timeout is done by looking at the debug logs since detecting file locks with node.js is platform specific. */ const debugWasEnabled = debug.enabled('log4js:multiFile'); const debugLogs = []; const originalWrite = process.stderr.write; process.stderr.write = (string, encoding, fd) => { debugLogs.push(string); if (debugWasEnabled) { originalWrite.apply(process.stderr, [string, encoding, fd]); } }; const originalNamespace = debug.disable(); debug.enable(`${originalNamespace}, log4js:multiFile`); t.teardown(async () => { await removeFiles('logs/D.log'); process.stderr.write = originalWrite; debug.enable(originalNamespace); }); const timeoutMs = 100; log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', timeout: timeoutMs, }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerD = log4js.getLogger('cheese'); loggerD.addContext('label', 'D'); loggerD.info('I am in logger D'); log4js.shutdown(() => { t.notOk( debugLogs.some( (s) => s.indexOf(`D not used for > ${timeoutMs} ms => close`) !== -1 ), 'should not have closed' ); t.ok( debugLogs.some((s) => s.indexOf('clearing timer for D') !== -1), 'should have cleared timers' ); t.match( debugLogs[debugLogs.length - 1], 'calling shutdown for D', 'should have called shutdown' ); t.end(); }); }); batch.test( 'should fail silently if loggingEvent property has no value', (t) => { t.teardown(async () => { await removeFiles('logs/E.log'); }); log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerE = log4js.getLogger(); loggerE.addContext('label', 'E'); loggerE.info('I am in logger E'); loggerE.removeContext('label'); loggerE.info('I am not in logger E'); loggerE.addContext('label', null); loggerE.info('I am also not in logger E'); log4js.shutdown(() => { const contents = fs.readFileSync('logs/E.log', 'utf-8'); t.match(contents, 'I am in logger E'); t.notMatch(contents, 'I am not in logger E'); t.notMatch(contents, 'I am also not in logger E'); t.end(); }); } ); batch.test('should pass options to rolling file stream', (t) => { t.teardown(async () => { await removeFiles(['logs/F.log', 'logs/F.log.1', 'logs/F.log.2']); }); log4js.configure({ appenders: { multi: { type: 'multiFile', base: 'logs/', property: 'label', extension: '.log', maxLogSize: 30, backups: 2, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['multi'], level: 'info' } }, }); const loggerF = log4js.getLogger(); loggerF.addContext('label', 'F'); loggerF.info('Being in logger F is the best.'); loggerF.info('I am also in logger F, awesome'); loggerF.info('I am in logger F'); log4js.shutdown(() => { let contents = fs.readFileSync('logs/F.log', 'utf-8'); t.match(contents, 'I am in logger F'); contents = fs.readFileSync('logs/F.log.1', 'utf-8'); t.match(contents, 'I am also in logger F'); contents = fs.readFileSync('logs/F.log.2', 'utf-8'); t.match(contents, 'Being in logger F is the best'); t.end(); }); }); batch.test('should inherit config from category hierarchy', (t) => { t.teardown(async () => { await removeFiles('logs/test.someTest.log'); }); log4js.configure({ appenders: { out: { type: 'stdout' }, test: { type: 'multiFile', base: 'logs/', property: 'categoryName', extension: '.log', }, }, categories: { default: { appenders: ['out'], level: 'info' }, test: { appenders: ['test'], level: 'debug' }, }, }); const testLogger = log4js.getLogger('test.someTest'); testLogger.debug('This should go to the file'); log4js.shutdown(() => { const contents = fs.readFileSync('logs/test.someTest.log', 'utf-8'); t.match(contents, 'This should go to the file'); t.end(); }); }); batch.test('should shutdown safely even if it is not used', (t) => { log4js.configure({ appenders: { out: { type: 'stdout' }, test: { type: 'multiFile', base: 'logs/', property: 'categoryName', extension: '.log', }, }, categories: { default: { appenders: ['out'], level: 'info' }, test: { appenders: ['test'], level: 'debug' }, }, }); log4js.shutdown(() => { t.ok('callback is called'); t.end(); }); }); batch.teardown(async () => { try { const files = fs.readdirSync('logs'); await removeFiles(files.map((filename) => `logs/${filename}`)); fs.rmdirSync('logs'); } catch (e) { // doesn't matter } }); batch.end(); });
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./test/tap/dateFileAppender-test.js
/* eslint max-classes-per-file: ["error", 3] */ const { test } = require('tap'); const path = require('path'); const fs = require('fs'); const EOL = require('os').EOL || '\n'; const format = require('date-format'); const sandbox = require('@log4js-node/sandboxed-module'); const log4js = require('../../lib/log4js'); function removeFile(filename) { try { fs.unlinkSync(path.join(__dirname, filename)); } catch (e) { // doesn't matter } } test('../../lib/appenders/dateFile', (batch) => { batch.test('with default settings', (t) => { const testFile = path.join(__dirname, 'date-appender-default.log'); log4js.configure({ appenders: { date: { type: 'dateFile', filename: testFile } }, categories: { default: { appenders: ['date'], level: 'DEBUG' } }, }); const logger = log4js.getLogger('default-settings'); logger.info('This should be in the file.'); t.teardown(() => { removeFile('date-appender-default.log'); }); setTimeout(() => { fs.readFile(testFile, 'utf8', (err, contents) => { t.match(contents, 'This should be in the file'); t.match( contents, /\[\d{4}-\d{2}-\d{2}T\d{2}:\d{2}:\d{2}\.\d{3}] \[INFO] default-settings - / ); t.end(); }); }, 100); }); batch.test('configure with dateFileAppender', (t) => { log4js.configure({ appenders: { date: { type: 'dateFile', filename: 'test/tap/date-file-test.log', pattern: '-yyyy-MM-dd', layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['date'], level: 'WARN' } }, }); const logger = log4js.getLogger('tests'); logger.info('this should not be written to the file'); logger.warn('this should be written to the file'); log4js.shutdown(() => { fs.readFile( path.join(__dirname, 'date-file-test.log'), 'utf8', (err, contents) => { t.match(contents, `this should be written to the file${EOL}`); t.equal( contents.indexOf('this should not be written to the file'), -1 ); t.end(); } ); }); t.teardown(() => { removeFile('date-file-test.log'); }); }); batch.test('configure with options.alwaysIncludePattern', (t) => { const options = { appenders: { date: { category: 'tests', type: 'dateFile', filename: 'test/tap/date-file-test', pattern: 'yyyy-MM-dd.log', alwaysIncludePattern: true, layout: { type: 'messagePassThrough', }, }, }, categories: { default: { appenders: ['date'], level: 'debug' } }, }; const thisTime = format.asString( options.appenders.date.pattern, new Date() ); const testFile = `date-file-test.${thisTime}`; const existingFile = path.join(__dirname, testFile); fs.writeFileSync(existingFile, `this is existing data${EOL}`, 'utf8'); log4js.configure(options); const logger = log4js.getLogger('tests'); logger.warn('this should be written to the file with the appended date'); t.teardown(() => { removeFile(testFile); }); // wait for filesystem to catch up log4js.shutdown(() => { fs.readFile(existingFile, 'utf8', (err, contents) => { t.match( contents, 'this is existing data', 'should not overwrite the file on open (issue #132)' ); t.match( contents, 'this should be written to the file with the appended date' ); t.end(); }); }); }); batch.test('should flush logs on shutdown', (t) => { const testFile = path.join(__dirname, 'date-appender-flush.log'); log4js.configure({ appenders: { test: { type: 'dateFile', filename: testFile } }, categories: { default: { appenders: ['test'], level: 'trace' } }, }); const logger = log4js.getLogger('default-settings'); logger.info('1'); logger.info('2'); logger.info('3'); t.teardown(() => { removeFile('date-appender-flush.log'); }); log4js.shutdown(() => { fs.readFile(testFile, 'utf8', (err, fileContents) => { // 3 lines of output, plus the trailing newline. t.equal(fileContents.split(EOL).length, 4); t.match( fileContents, /\[\d{4}-\d{2}-\d{2}T\d{2}:\d{2}:\d{2}\.\d{3}] \[INFO] default-settings - / ); t.end(); }); }); }); batch.test('should map maxLogSize to maxSize', (t) => { const fakeStreamroller = {}; class DateRollingFileStream { constructor(filename, pattern, options) { fakeStreamroller.filename = filename; fakeStreamroller.pattern = pattern; fakeStreamroller.options = options; } on() {} // eslint-disable-line class-methods-use-this } fakeStreamroller.DateRollingFileStream = DateRollingFileStream; const dateFileAppenderModule = sandbox.require( '../../lib/appenders/dateFile', { requires: { streamroller: fakeStreamroller }, } ); dateFileAppenderModule.configure( { filename: 'cheese.log', pattern: 'yyyy', maxLogSize: 100, }, { basicLayout: () => {} } ); t.equal(fakeStreamroller.options.maxSize, 100); t.end(); }); batch.test('handling of writer.writable', (t) => { const output = []; let writable = true; const DateRollingFileStream = class { write(loggingEvent) { output.push(loggingEvent); this.written = true; return true; } // eslint-disable-next-line class-methods-use-this on() {} // eslint-disable-next-line class-methods-use-this get writable() { return writable; } }; const dateFileAppender = sandbox.require('../../lib/appenders/dateFile', { requires: { streamroller: { DateRollingFileStream, }, }, }); const appender = dateFileAppender.configure( { filename: 'test1.log', maxLogSize: 100 }, { basicLayout(loggingEvent) { return loggingEvent.data; }, } ); t.test('should log when writer.writable=true', (assert) => { writable = true; appender({ data: 'something to log' }); assert.ok(output.length, 1); assert.match(output[output.length - 1], 'something to log'); assert.end(); }); t.test('should not log when writer.writable=false', (assert) => { writable = false; appender({ data: 'this should not be logged' }); assert.ok(output.length, 1); assert.notMatch(output[output.length - 1], 'this should not be logged'); assert.end(); }); t.end(); }); batch.test('when underlying stream errors', (t) => { let consoleArgs; let errorHandler; const DateRollingFileStream = class { end() { this.ended = true; } on(evt, cb) { if (evt === 'error') { this.errored = true; errorHandler = cb; } } write() { this.written = true; return true; } }; const dateFileAppender = sandbox.require('../../lib/appenders/dateFile', { globals: { console: { error(...args) { consoleArgs = args; }, }, }, requires: { streamroller: { DateRollingFileStream, }, }, }); dateFileAppender.configure( { filename: 'test1.log', maxLogSize: 100 }, { basicLayout() {} } ); errorHandler({ error: 'aargh' }); t.test('should log the error to console.error', (assert) => { assert.ok(consoleArgs); assert.equal( consoleArgs[0], 'log4js.dateFileAppender - Writing to file %s, error happened ' ); assert.equal(consoleArgs[1], 'test1.log'); assert.equal(consoleArgs[2].error, 'aargh'); assert.end(); }); t.end(); }); batch.end(); });
/* eslint max-classes-per-file: ["error", 3] */ const { test } = require('tap'); const path = require('path'); const fs = require('fs'); const EOL = require('os').EOL || '\n'; const format = require('date-format'); const sandbox = require('@log4js-node/sandboxed-module'); const log4js = require('../../lib/log4js'); function removeFile(filename) { try { fs.unlinkSync(path.join(__dirname, filename)); } catch (e) { // doesn't matter } } test('../../lib/appenders/dateFile', (batch) => { batch.test('with default settings', (t) => { const testFile = path.join(__dirname, 'date-appender-default.log'); log4js.configure({ appenders: { date: { type: 'dateFile', filename: testFile } }, categories: { default: { appenders: ['date'], level: 'DEBUG' } }, }); const logger = log4js.getLogger('default-settings'); logger.info('This should be in the file.'); t.teardown(() => { removeFile('date-appender-default.log'); }); setTimeout(() => { fs.readFile(testFile, 'utf8', (err, contents) => { t.match(contents, 'This should be in the file'); t.match( contents, /\[\d{4}-\d{2}-\d{2}T\d{2}:\d{2}:\d{2}\.\d{3}] \[INFO] default-settings - / ); t.end(); }); }, 100); }); batch.test('configure with dateFileAppender', (t) => { log4js.configure({ appenders: { date: { type: 'dateFile', filename: 'test/tap/date-file-test.log', pattern: '-yyyy-MM-dd', layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['date'], level: 'WARN' } }, }); const logger = log4js.getLogger('tests'); logger.info('this should not be written to the file'); logger.warn('this should be written to the file'); log4js.shutdown(() => { fs.readFile( path.join(__dirname, 'date-file-test.log'), 'utf8', (err, contents) => { t.match(contents, `this should be written to the file${EOL}`); t.equal( contents.indexOf('this should not be written to the file'), -1 ); t.end(); } ); }); t.teardown(() => { removeFile('date-file-test.log'); }); }); batch.test('configure with options.alwaysIncludePattern', (t) => { const options = { appenders: { date: { category: 'tests', type: 'dateFile', filename: 'test/tap/date-file-test', pattern: 'yyyy-MM-dd.log', alwaysIncludePattern: true, layout: { type: 'messagePassThrough', }, }, }, categories: { default: { appenders: ['date'], level: 'debug' } }, }; const thisTime = format.asString( options.appenders.date.pattern, new Date() ); const testFile = `date-file-test.${thisTime}`; const existingFile = path.join(__dirname, testFile); fs.writeFileSync(existingFile, `this is existing data${EOL}`, 'utf8'); log4js.configure(options); const logger = log4js.getLogger('tests'); logger.warn('this should be written to the file with the appended date'); t.teardown(() => { removeFile(testFile); }); // wait for filesystem to catch up log4js.shutdown(() => { fs.readFile(existingFile, 'utf8', (err, contents) => { t.match( contents, 'this is existing data', 'should not overwrite the file on open (issue #132)' ); t.match( contents, 'this should be written to the file with the appended date' ); t.end(); }); }); }); batch.test('should flush logs on shutdown', (t) => { const testFile = path.join(__dirname, 'date-appender-flush.log'); log4js.configure({ appenders: { test: { type: 'dateFile', filename: testFile } }, categories: { default: { appenders: ['test'], level: 'trace' } }, }); const logger = log4js.getLogger('default-settings'); logger.info('1'); logger.info('2'); logger.info('3'); t.teardown(() => { removeFile('date-appender-flush.log'); }); log4js.shutdown(() => { fs.readFile(testFile, 'utf8', (err, fileContents) => { // 3 lines of output, plus the trailing newline. t.equal(fileContents.split(EOL).length, 4); t.match( fileContents, /\[\d{4}-\d{2}-\d{2}T\d{2}:\d{2}:\d{2}\.\d{3}] \[INFO] default-settings - / ); t.end(); }); }); }); batch.test('should map maxLogSize to maxSize', (t) => { const fakeStreamroller = {}; class DateRollingFileStream { constructor(filename, pattern, options) { fakeStreamroller.filename = filename; fakeStreamroller.pattern = pattern; fakeStreamroller.options = options; } on() {} // eslint-disable-line class-methods-use-this } fakeStreamroller.DateRollingFileStream = DateRollingFileStream; const dateFileAppenderModule = sandbox.require( '../../lib/appenders/dateFile', { requires: { streamroller: fakeStreamroller }, } ); dateFileAppenderModule.configure( { filename: 'cheese.log', pattern: 'yyyy', maxLogSize: 100, }, { basicLayout: () => {} } ); t.equal(fakeStreamroller.options.maxSize, 100); t.end(); }); batch.test('handling of writer.writable', (t) => { const output = []; let writable = true; const DateRollingFileStream = class { write(loggingEvent) { output.push(loggingEvent); this.written = true; return true; } // eslint-disable-next-line class-methods-use-this on() {} // eslint-disable-next-line class-methods-use-this get writable() { return writable; } }; const dateFileAppender = sandbox.require('../../lib/appenders/dateFile', { requires: { streamroller: { DateRollingFileStream, }, }, }); const appender = dateFileAppender.configure( { filename: 'test1.log', maxLogSize: 100 }, { basicLayout(loggingEvent) { return loggingEvent.data; }, } ); t.test('should log when writer.writable=true', (assert) => { writable = true; appender({ data: 'something to log' }); assert.ok(output.length, 1); assert.match(output[output.length - 1], 'something to log'); assert.end(); }); t.test('should not log when writer.writable=false', (assert) => { writable = false; appender({ data: 'this should not be logged' }); assert.ok(output.length, 1); assert.notMatch(output[output.length - 1], 'this should not be logged'); assert.end(); }); t.end(); }); batch.test('when underlying stream errors', (t) => { let consoleArgs; let errorHandler; const DateRollingFileStream = class { end() { this.ended = true; } on(evt, cb) { if (evt === 'error') { this.errored = true; errorHandler = cb; } } write() { this.written = true; return true; } }; const dateFileAppender = sandbox.require('../../lib/appenders/dateFile', { globals: { console: { error(...args) { consoleArgs = args; }, }, }, requires: { streamroller: { DateRollingFileStream, }, }, }); dateFileAppender.configure( { filename: 'test1.log', maxLogSize: 100 }, { basicLayout() {} } ); errorHandler({ error: 'aargh' }); t.test('should log the error to console.error', (assert) => { assert.ok(consoleArgs); assert.equal( consoleArgs[0], 'log4js.dateFileAppender - Writing to file %s, error happened ' ); assert.equal(consoleArgs[1], 'test1.log'); assert.equal(consoleArgs[2].error, 'aargh'); assert.end(); }); t.end(); }); batch.end(); });
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./test/tap/setLevel-asymmetry-test.js
// This test shows an asymmetry between setLevel and isLevelEnabled // (in [email protected] and earlier): // 1) setLevel("foo") works, but setLevel(log4js.levels.foo) silently // does not (sets the level to TRACE). // 2) isLevelEnabled("foo") works as does isLevelEnabled(log4js.levels.foo). // const { test } = require('tap'); const log4js = require('../../lib/log4js'); const logger = log4js.getLogger('test-setLevel-asymmetry'); // Define the array of levels as string to iterate over. const strLevels = ['Trace', 'Debug', 'Info', 'Warn', 'Error', 'Fatal']; const log4jsLevels = strLevels.map(log4js.levels.getLevel); test('log4js setLevel', (batch) => { strLevels.forEach((strLevel) => { batch.test(`is called with a ${strLevel} as string`, (t) => { const log4jsLevel = log4js.levels.getLevel(strLevel); t.test('should convert string to level correctly', (assert) => { logger.level = strLevel; log4jsLevels.forEach((level) => { assert.equal( logger.isLevelEnabled(level), log4jsLevel.isLessThanOrEqualTo(level) ); }); assert.end(); }); t.test('should also accept a Level', (assert) => { logger.level = log4jsLevel; log4jsLevels.forEach((level) => { assert.equal( logger.isLevelEnabled(level), log4jsLevel.isLessThanOrEqualTo(level) ); }); assert.end(); }); t.end(); }); }); batch.end(); });
// This test shows an asymmetry between setLevel and isLevelEnabled // (in [email protected] and earlier): // 1) setLevel("foo") works, but setLevel(log4js.levels.foo) silently // does not (sets the level to TRACE). // 2) isLevelEnabled("foo") works as does isLevelEnabled(log4js.levels.foo). // const { test } = require('tap'); const log4js = require('../../lib/log4js'); const logger = log4js.getLogger('test-setLevel-asymmetry'); // Define the array of levels as string to iterate over. const strLevels = ['Trace', 'Debug', 'Info', 'Warn', 'Error', 'Fatal']; const log4jsLevels = strLevels.map(log4js.levels.getLevel); test('log4js setLevel', (batch) => { strLevels.forEach((strLevel) => { batch.test(`is called with a ${strLevel} as string`, (t) => { const log4jsLevel = log4js.levels.getLevel(strLevel); t.test('should convert string to level correctly', (assert) => { logger.level = strLevel; log4jsLevels.forEach((level) => { assert.equal( logger.isLevelEnabled(level), log4jsLevel.isLessThanOrEqualTo(level) ); }); assert.end(); }); t.test('should also accept a Level', (assert) => { logger.level = log4jsLevel; log4jsLevels.forEach((level) => { assert.equal( logger.isLevelEnabled(level), log4jsLevel.isLessThanOrEqualTo(level) ); }); assert.end(); }); t.end(); }); }); batch.end(); });
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./test/tap/stdoutAppender-test.js
const { test } = require('tap'); const sandbox = require('@log4js-node/sandboxed-module'); const layouts = require('../../lib/layouts'); test('stdout appender', (t) => { const output = []; const appender = sandbox .require('../../lib/appenders/stdout', { globals: { process: { stdout: { write(data) { output.push(data); }, }, }, }, }) .configure( { type: 'stdout', layout: { type: 'messagePassThrough' } }, layouts ); appender({ data: ['cheese'] }); t.plan(2); t.equal(output.length, 1, 'There should be one message.'); t.equal(output[0], 'cheese\n', 'The message should be cheese.'); t.end(); });
const { test } = require('tap'); const sandbox = require('@log4js-node/sandboxed-module'); const layouts = require('../../lib/layouts'); test('stdout appender', (t) => { const output = []; const appender = sandbox .require('../../lib/appenders/stdout', { globals: { process: { stdout: { write(data) { output.push(data); }, }, }, }, }) .configure( { type: 'stdout', layout: { type: 'messagePassThrough' } }, layouts ); appender({ data: ['cheese'] }); t.plan(2); t.equal(output.length, 1, 'There should be one message.'); t.equal(output[0], 'cheese\n', 'The message should be cheese.'); t.end(); });
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./test/tap/configuration-test.js
const { test } = require('tap'); const sandbox = require('@log4js-node/sandboxed-module'); const realFS = require('fs'); const modulePath = 'some/path/to/mylog4js.json'; const pathsChecked = []; let fakeFS = {}; let dependencies; let fileRead; test('log4js configure', (batch) => { batch.beforeEach(() => { fileRead = 0; fakeFS = { realpath: realFS.realpath, // fs-extra looks for this ReadStream: realFS.ReadStream, // need to define these, because graceful-fs uses them WriteStream: realFS.WriteStream, read: realFS.read, closeSync: () => {}, config: { appenders: { console: { type: 'console', layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['console'], level: 'INFO', }, }, }, readdirSync: (dir) => require('fs').readdirSync(dir), readFileSync: (file, encoding) => { fileRead += 1; batch.type(file, 'string'); batch.equal(file, modulePath); batch.equal(encoding, 'utf8'); return JSON.stringify(fakeFS.config); }, statSync: (path) => { pathsChecked.push(path); if (path === modulePath) { return { mtime: new Date() }; } throw new Error('no such file'); }, }; dependencies = { requires: { fs: fakeFS, }, }; }); batch.test( 'when configuration file loaded via LOG4JS_CONFIG env variable', (t) => { process.env.LOG4JS_CONFIG = 'some/path/to/mylog4js.json'; const log4js = sandbox.require('../../lib/log4js', dependencies); log4js.getLogger('test-logger'); t.equal(fileRead, 1, 'should load the specified local config file'); delete process.env.LOG4JS_CONFIG; t.end(); } ); batch.test( 'when configuration is set via configure() method call, return the log4js object', (t) => { const log4js = sandbox .require('../../lib/log4js', dependencies) .configure(fakeFS.config); t.type( log4js, 'object', 'Configure method call should return the log4js object!' ); const log = log4js.getLogger('daemon'); t.type( log, 'object', 'log4js object, returned by configure(...) method should be able to create log object.' ); t.type(log.info, 'function'); t.end(); } ); batch.end(); });
const { test } = require('tap'); const sandbox = require('@log4js-node/sandboxed-module'); const realFS = require('fs'); const modulePath = 'some/path/to/mylog4js.json'; const pathsChecked = []; let fakeFS = {}; let dependencies; let fileRead; test('log4js configure', (batch) => { batch.beforeEach(() => { fileRead = 0; fakeFS = { realpath: realFS.realpath, // fs-extra looks for this ReadStream: realFS.ReadStream, // need to define these, because graceful-fs uses them WriteStream: realFS.WriteStream, read: realFS.read, closeSync: () => {}, config: { appenders: { console: { type: 'console', layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['console'], level: 'INFO', }, }, }, readdirSync: (dir) => require('fs').readdirSync(dir), readFileSync: (file, encoding) => { fileRead += 1; batch.type(file, 'string'); batch.equal(file, modulePath); batch.equal(encoding, 'utf8'); return JSON.stringify(fakeFS.config); }, statSync: (path) => { pathsChecked.push(path); if (path === modulePath) { return { mtime: new Date() }; } throw new Error('no such file'); }, }; dependencies = { requires: { fs: fakeFS, }, }; }); batch.test( 'when configuration file loaded via LOG4JS_CONFIG env variable', (t) => { process.env.LOG4JS_CONFIG = 'some/path/to/mylog4js.json'; const log4js = sandbox.require('../../lib/log4js', dependencies); log4js.getLogger('test-logger'); t.equal(fileRead, 1, 'should load the specified local config file'); delete process.env.LOG4JS_CONFIG; t.end(); } ); batch.test( 'when configuration is set via configure() method call, return the log4js object', (t) => { const log4js = sandbox .require('../../lib/log4js', dependencies) .configure(fakeFS.config); t.type( log4js, 'object', 'Configure method call should return the log4js object!' ); const log = log4js.getLogger('daemon'); t.type( log, 'object', 'log4js object, returned by configure(...) method should be able to create log object.' ); t.type(log.info, 'function'); t.end(); } ); batch.end(); });
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./test/tap/file-descriptor-leak-test.js
const { test } = require('tap'); const fs = require('fs'); const path = require('path'); const log4js = require('../../lib/log4js'); const removeFiles = async (filenames) => { if (!Array.isArray(filenames)) filenames = [filenames]; const promises = filenames.map((filename) => fs.promises.unlink(filename)); await Promise.allSettled(promises); }; // no file descriptors on Windows, so don't run the tests if (process.platform !== 'win32') { test('multiple log4js configure fd leak test', (batch) => { const config = { appenders: {}, categories: { default: { appenders: [], level: 'debug' }, }, }; // create 11 appenders const numOfAppenders = 11; for (let i = 1; i <= numOfAppenders; i++) { config.appenders[`app${i}`] = { type: 'file', filename: path.join(__dirname, `file${i}.log`), }; config.categories.default.appenders.push(`app${i}`); } const initialFd = fs.readdirSync('/proc/self/fd').length; let loadedFd; batch.test( 'initial log4js configure to increase file descriptor count', (t) => { log4js.configure(config); // wait for the file system to catch up setTimeout(() => { loadedFd = fs.readdirSync('/proc/self/fd').length; t.equal( loadedFd, initialFd + numOfAppenders, `file descriptor count should increase by ${numOfAppenders} after 1st configure() call` ); t.end(); }, 250); } ); batch.test( 'repeated log4js configure to not increase file descriptor count', (t) => { log4js.configure(config); log4js.configure(config); log4js.configure(config); // wait for the file system to catch up setTimeout(() => { t.equal( fs.readdirSync('/proc/self/fd').length, loadedFd, `file descriptor count should be identical after repeated configure() calls` ); t.end(); }, 250); } ); batch.test( 'file descriptor count should return back to initial count', (t) => { log4js.shutdown(); // wait for the file system to catch up setTimeout(() => { t.equal( fs.readdirSync('/proc/self/fd').length, initialFd, `file descriptor count should be back to initial` ); t.end(); }, 250); } ); batch.teardown(async () => { await new Promise((resolve) => { log4js.shutdown(resolve); }); const filenames = Object.values(config.appenders).map( (appender) => appender.filename ); await removeFiles(filenames); }); batch.end(); }); }
const { test } = require('tap'); const fs = require('fs'); const path = require('path'); const log4js = require('../../lib/log4js'); const removeFiles = async (filenames) => { if (!Array.isArray(filenames)) filenames = [filenames]; const promises = filenames.map((filename) => fs.promises.unlink(filename)); await Promise.allSettled(promises); }; // no file descriptors on Windows, so don't run the tests if (process.platform !== 'win32') { test('multiple log4js configure fd leak test', (batch) => { const config = { appenders: {}, categories: { default: { appenders: [], level: 'debug' }, }, }; // create 11 appenders const numOfAppenders = 11; for (let i = 1; i <= numOfAppenders; i++) { config.appenders[`app${i}`] = { type: 'file', filename: path.join(__dirname, `file${i}.log`), }; config.categories.default.appenders.push(`app${i}`); } const initialFd = fs.readdirSync('/proc/self/fd').length; let loadedFd; batch.test( 'initial log4js configure to increase file descriptor count', (t) => { log4js.configure(config); // wait for the file system to catch up setTimeout(() => { loadedFd = fs.readdirSync('/proc/self/fd').length; t.equal( loadedFd, initialFd + numOfAppenders, `file descriptor count should increase by ${numOfAppenders} after 1st configure() call` ); t.end(); }, 250); } ); batch.test( 'repeated log4js configure to not increase file descriptor count', (t) => { log4js.configure(config); log4js.configure(config); log4js.configure(config); // wait for the file system to catch up setTimeout(() => { t.equal( fs.readdirSync('/proc/self/fd').length, loadedFd, `file descriptor count should be identical after repeated configure() calls` ); t.end(); }, 250); } ); batch.test( 'file descriptor count should return back to initial count', (t) => { log4js.shutdown(); // wait for the file system to catch up setTimeout(() => { t.equal( fs.readdirSync('/proc/self/fd').length, initialFd, `file descriptor count should be back to initial` ); t.end(); }, 250); } ); batch.teardown(async () => { await new Promise((resolve) => { log4js.shutdown(resolve); }); const filenames = Object.values(config.appenders).map( (appender) => appender.filename ); await removeFiles(filenames); }); batch.end(); }); }
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./examples/stacktrace.js
const log4js = require('../lib/log4js'); log4js.configure({ appenders: { 'console-appender': { type: 'console', layout: { type: 'pattern', pattern: '%[[%p]%] - %10.-100f{2} | %7.12l:%7.12o - %[%m%]', }, }, }, categories: { default: { appenders: ['console-appender'], enableCallStack: true, level: 'info', }, }, }); log4js.getLogger().info('This should not cause problems');
const log4js = require('../lib/log4js'); log4js.configure({ appenders: { 'console-appender': { type: 'console', layout: { type: 'pattern', pattern: '%[[%p]%] - %10.-100f{2} | %7.12l:%7.12o - %[%m%]', }, }, }, categories: { default: { appenders: ['console-appender'], enableCallStack: true, level: 'info', }, }, }); log4js.getLogger().info('This should not cause problems');
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./lib/appenders/file.js
const debug = require('debug')('log4js:file'); const path = require('path'); const streams = require('streamroller'); const os = require('os'); const eol = os.EOL; let mainSighupListenerStarted = false; const sighupListeners = new Set(); function mainSighupHandler() { sighupListeners.forEach((app) => { app.sighupHandler(); }); } /** * File Appender writing the logs to a text file. Supports rolling of logs by size. * * @param file the file log messages will be written to * @param layout a function that takes a logEvent and returns a string * (defaults to basicLayout). * @param logSize - the maximum size (in bytes) for a log file, * if not provided then logs won't be rotated. * @param numBackups - the number of log files to keep after logSize * has been reached (default 5) * @param options - options to be passed to the underlying stream * @param timezoneOffset - optional timezone offset in minutes (default system local) */ function fileAppender( file, layout, logSize, numBackups, options, timezoneOffset ) { if (typeof file !== 'string' || file.length === 0) { throw new Error(`Invalid filename: ${file}`); } else if (file.endsWith(path.sep)) { throw new Error(`Filename is a directory: ${file}`); } else { // handle ~ expansion: https://github.com/nodejs/node/issues/684 // exclude ~ and ~filename as these can be valid files file = file.replace(new RegExp(`^~(?=${path.sep}.+)`), os.homedir()); } file = path.normalize(file); numBackups = !numBackups && numBackups !== 0 ? 5 : numBackups; debug( 'Creating file appender (', file, ', ', logSize, ', ', numBackups, ', ', options, ', ', timezoneOffset, ')' ); function openTheStream(filePath, fileSize, numFiles, opt) { const stream = new streams.RollingFileStream( filePath, fileSize, numFiles, opt ); stream.on('error', (err) => { // eslint-disable-next-line no-console console.error( 'log4js.fileAppender - Writing to file %s, error happened ', filePath, err ); }); stream.on('drain', () => { process.emit('log4js:pause', false); }); return stream; } let writer = openTheStream(file, logSize, numBackups, options); const app = function (loggingEvent) { if (!writer.writable) { return; } if (options.removeColor === true) { // eslint-disable-next-line no-control-regex const regex = /\x1b[[0-9;]*m/g; loggingEvent.data = loggingEvent.data.map((d) => { if (typeof d === 'string') return d.replace(regex, ''); return d; }); } if (!writer.write(layout(loggingEvent, timezoneOffset) + eol, 'utf8')) { process.emit('log4js:pause', true); } }; app.reopen = function () { writer.end(() => { writer = openTheStream(file, logSize, numBackups, options); }); }; app.sighupHandler = function () { debug('SIGHUP handler called.'); app.reopen(); }; app.shutdown = function (complete) { sighupListeners.delete(app); if (sighupListeners.size === 0 && mainSighupListenerStarted) { process.removeListener('SIGHUP', mainSighupHandler); mainSighupListenerStarted = false; } writer.end('', 'utf-8', complete); }; // On SIGHUP, close and reopen all files. This allows this appender to work with // logrotate. Note that if you are using logrotate, you should not set // `logSize`. sighupListeners.add(app); if (!mainSighupListenerStarted) { process.on('SIGHUP', mainSighupHandler); mainSighupListenerStarted = true; } return app; } function configure(config, layouts) { let layout = layouts.basicLayout; if (config.layout) { layout = layouts.layout(config.layout.type, config.layout); } // security default (instead of relying on streamroller default) config.mode = config.mode || 0o600; return fileAppender( config.filename, layout, config.maxLogSize, config.backups, config, config.timezoneOffset ); } module.exports.configure = configure;
const debug = require('debug')('log4js:file'); const path = require('path'); const streams = require('streamroller'); const os = require('os'); const eol = os.EOL; let mainSighupListenerStarted = false; const sighupListeners = new Set(); function mainSighupHandler() { sighupListeners.forEach((app) => { app.sighupHandler(); }); } /** * File Appender writing the logs to a text file. Supports rolling of logs by size. * * @param file the file log messages will be written to * @param layout a function that takes a logEvent and returns a string * (defaults to basicLayout). * @param logSize - the maximum size (in bytes) for a log file, * if not provided then logs won't be rotated. * @param numBackups - the number of log files to keep after logSize * has been reached (default 5) * @param options - options to be passed to the underlying stream * @param timezoneOffset - optional timezone offset in minutes (default system local) */ function fileAppender( file, layout, logSize, numBackups, options, timezoneOffset ) { if (typeof file !== 'string' || file.length === 0) { throw new Error(`Invalid filename: ${file}`); } else if (file.endsWith(path.sep)) { throw new Error(`Filename is a directory: ${file}`); } else { // handle ~ expansion: https://github.com/nodejs/node/issues/684 // exclude ~ and ~filename as these can be valid files file = file.replace(new RegExp(`^~(?=${path.sep}.+)`), os.homedir()); } file = path.normalize(file); numBackups = !numBackups && numBackups !== 0 ? 5 : numBackups; debug( 'Creating file appender (', file, ', ', logSize, ', ', numBackups, ', ', options, ', ', timezoneOffset, ')' ); function openTheStream(filePath, fileSize, numFiles, opt) { const stream = new streams.RollingFileStream( filePath, fileSize, numFiles, opt ); stream.on('error', (err) => { // eslint-disable-next-line no-console console.error( 'log4js.fileAppender - Writing to file %s, error happened ', filePath, err ); }); stream.on('drain', () => { process.emit('log4js:pause', false); }); return stream; } let writer = openTheStream(file, logSize, numBackups, options); const app = function (loggingEvent) { if (!writer.writable) { return; } if (options.removeColor === true) { // eslint-disable-next-line no-control-regex const regex = /\x1b[[0-9;]*m/g; loggingEvent.data = loggingEvent.data.map((d) => { if (typeof d === 'string') return d.replace(regex, ''); return d; }); } if (!writer.write(layout(loggingEvent, timezoneOffset) + eol, 'utf8')) { process.emit('log4js:pause', true); } }; app.reopen = function () { writer.end(() => { writer = openTheStream(file, logSize, numBackups, options); }); }; app.sighupHandler = function () { debug('SIGHUP handler called.'); app.reopen(); }; app.shutdown = function (complete) { sighupListeners.delete(app); if (sighupListeners.size === 0 && mainSighupListenerStarted) { process.removeListener('SIGHUP', mainSighupHandler); mainSighupListenerStarted = false; } writer.end('', 'utf-8', complete); }; // On SIGHUP, close and reopen all files. This allows this appender to work with // logrotate. Note that if you are using logrotate, you should not set // `logSize`. sighupListeners.add(app); if (!mainSighupListenerStarted) { process.on('SIGHUP', mainSighupHandler); mainSighupListenerStarted = true; } return app; } function configure(config, layouts) { let layout = layouts.basicLayout; if (config.layout) { layout = layouts.layout(config.layout.type, config.layout); } // security default (instead of relying on streamroller default) config.mode = config.mode || 0o600; return fileAppender( config.filename, layout, config.maxLogSize, config.backups, config, config.timezoneOffset ); } module.exports.configure = configure;
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./docs/multiprocess.md
# Multiprocess Appender _You probably want to use the [tcp server](tcp-server.md) or [tcp appender](tcp.md) instead of this - they are more flexible_ _Note that if you're just using node core's `cluster` module then you don't need to use this appender - log4js will handle logging within the cluster transparently._ The multiprocess appender sends log events to a master server over TCP sockets. It can be used as a simple way to centralise logging when you have multiple servers or processes. It uses the node.js core networking modules, and so does not require any extra dependencies. Remember to call `log4js.shutdown` when your application terminates, so that the sockets get closed cleanly. ## Configuration - `type` - `multiprocess` - `mode` - `master|worker` - controls whether the appender listens for log events sent over the network, or is responsible for serialising events and sending them to a server. - `appender` - `string` (only needed if `mode` == `master`)- the name of the appender to send the log events to - `loggerPort` - `integer` (optional, defaults to `5000`) - the port to listen on, or send to - `loggerHost` - `string` (optional, defaults to `localhost`) - the host/IP address to listen on, or send to ## Example (master) ```javascript log4js.configure({ appenders: { file: { type: "file", filename: "all-the-logs.log" }, server: { type: "multiprocess", mode: "master", appender: "file", loggerHost: "0.0.0.0", }, }, categories: { default: { appenders: ["file"], level: "info" }, }, }); ``` This creates a log server listening on port 5000, on all IP addresses the host has assigned to it. Note that the appender is not included in the appenders listed for the categories. Also note that the multiprocess master appender will send every event it receives to the underlying appender, regardless of level settings. ## Example (worker) ```javascript log4js.configure({ appenders: { network: { type: "multiprocess", mode: "worker", loggerHost: "log.server" }, }, categories: { default: { appenders: ["network"], level: "error" }, }, }); ``` This will send all error messages to `log.server:5000`.
# Multiprocess Appender _You probably want to use the [tcp server](tcp-server.md) or [tcp appender](tcp.md) instead of this - they are more flexible_ _Note that if you're just using node core's `cluster` module then you don't need to use this appender - log4js will handle logging within the cluster transparently._ The multiprocess appender sends log events to a master server over TCP sockets. It can be used as a simple way to centralise logging when you have multiple servers or processes. It uses the node.js core networking modules, and so does not require any extra dependencies. Remember to call `log4js.shutdown` when your application terminates, so that the sockets get closed cleanly. ## Configuration - `type` - `multiprocess` - `mode` - `master|worker` - controls whether the appender listens for log events sent over the network, or is responsible for serialising events and sending them to a server. - `appender` - `string` (only needed if `mode` == `master`)- the name of the appender to send the log events to - `loggerPort` - `integer` (optional, defaults to `5000`) - the port to listen on, or send to - `loggerHost` - `string` (optional, defaults to `localhost`) - the host/IP address to listen on, or send to ## Example (master) ```javascript log4js.configure({ appenders: { file: { type: "file", filename: "all-the-logs.log" }, server: { type: "multiprocess", mode: "master", appender: "file", loggerHost: "0.0.0.0", }, }, categories: { default: { appenders: ["file"], level: "info" }, }, }); ``` This creates a log server listening on port 5000, on all IP addresses the host has assigned to it. Note that the appender is not included in the appenders listed for the categories. Also note that the multiprocess master appender will send every event it receives to the underlying appender, regardless of level settings. ## Example (worker) ```javascript log4js.configure({ appenders: { network: { type: "multiprocess", mode: "worker", loggerHost: "log.server" }, }, categories: { default: { appenders: ["network"], level: "error" }, }, }); ``` This will send all error messages to `log.server:5000`.
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./docs/terms.md
## Terminology `Level` - a log level is the severity or priority of a log event (debug, info, etc). Whether an _appender_ will see the event or not is determined by the _category_'s level. If this is less than or equal to the event's level, it will be sent to the category's appender(s). `Category` - a label for grouping log events. This can be based on module (e.g. 'auth', 'payment', 'http'), or anything you like. Log events with the same _category_ will go to the same _appenders_. Log4js supports a hierarchy for categories, using dots to separate layers - for example, log events in the category 'myapp.submodule' will use the level for 'myapp' if none is defined for 'myapp.submodule', and also any appenders defined for 'myapp'. (This behaviour can be disabled by setting inherit=false on the sub-category.) The category for log events is defined when you get a _Logger_ from log4js (`log4js.getLogger('somecategory')`). `Appender` - appenders are responsible for output of log events. They may write events to files, send emails, store them in a database, or anything. Most appenders use _layouts_ to serialise the events to strings for output. `Logger` - this is your code's main interface with log4js. A logger instance may have an optional _category_, defined when you create the instance. Loggers provide the `info`, `debug`, `error`, etc functions that create _LogEvents_ and pass them on to appenders. `Layout` - a function for converting a _LogEvent_ into a string representation. Log4js comes with a few different implementations: basic, coloured, and a more configurable pattern based layout. `LogEvent` - a log event has a timestamp, a level, and optional category, data, and context properties. When you call `logger.info('cheese value:', edam)` the _logger_ will create a log event with the timestamp of now, a _level_ of INFO, a _category_ that was chosen when the logger was created, and a data array with two values (the string 'cheese value:', and the object 'edam'), along with any context data that was added to the logger.
## Terminology `Level` - a log level is the severity or priority of a log event (debug, info, etc). Whether an _appender_ will see the event or not is determined by the _category_'s level. If this is less than or equal to the event's level, it will be sent to the category's appender(s). `Category` - a label for grouping log events. This can be based on module (e.g. 'auth', 'payment', 'http'), or anything you like. Log events with the same _category_ will go to the same _appenders_. Log4js supports a hierarchy for categories, using dots to separate layers - for example, log events in the category 'myapp.submodule' will use the level for 'myapp' if none is defined for 'myapp.submodule', and also any appenders defined for 'myapp'. (This behaviour can be disabled by setting inherit=false on the sub-category.) The category for log events is defined when you get a _Logger_ from log4js (`log4js.getLogger('somecategory')`). `Appender` - appenders are responsible for output of log events. They may write events to files, send emails, store them in a database, or anything. Most appenders use _layouts_ to serialise the events to strings for output. `Logger` - this is your code's main interface with log4js. A logger instance may have an optional _category_, defined when you create the instance. Loggers provide the `info`, `debug`, `error`, etc functions that create _LogEvents_ and pass them on to appenders. `Layout` - a function for converting a _LogEvent_ into a string representation. Log4js comes with a few different implementations: basic, coloured, and a more configurable pattern based layout. `LogEvent` - a log event has a timestamp, a level, and optional category, data, and context properties. When you call `logger.info('cheese value:', edam)` the _logger_ will create a log event with the timestamp of now, a _level_ of INFO, a _category_ that was chosen when the logger was created, and a data array with two values (the string 'cheese value:', and the object 'edam'), along with any context data that was added to the logger.
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./test/tap/server-test.js
const { test } = require('tap'); const net = require('net'); const log4js = require('../../lib/log4js'); const vcr = require('../../lib/appenders/recording'); const levels = require('../../lib/levels'); const LoggingEvent = require('../../lib/LoggingEvent'); test('TCP Server', (batch) => { batch.test( 'should listen for TCP messages and re-send via process.send', (t) => { log4js.configure({ appenders: { vcr: { type: 'recording' }, tcp: { type: 'tcp-server', port: 5678 }, }, categories: { default: { appenders: ['vcr'], level: 'debug' }, }, }); // give the socket a chance to start up setTimeout(() => { const socket = net.connect(5678, () => { socket.write( `${new LoggingEvent( 'test-category', levels.INFO, ['something'], {} ).serialise()}__LOG4JS__${new LoggingEvent( 'test-category', levels.INFO, ['something else'], {} ).serialise()}__LOG4JS__some nonsense__LOG4JS__{"some":"json"}__LOG4JS__`, () => { socket.end(); setTimeout(() => { log4js.shutdown(() => { const logs = vcr.replay(); t.equal(logs.length, 4); t.match(logs[0], { data: ['something'], categoryName: 'test-category', level: { levelStr: 'INFO' }, context: {}, }); t.match(logs[1], { data: ['something else'], categoryName: 'test-category', level: { levelStr: 'INFO' }, context: {}, }); t.match(logs[2], { data: [ 'Unable to parse log:', 'some nonsense', 'because: ', SyntaxError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.match(logs[3], { data: [ 'Unable to parse log:', '{"some":"json"}', 'because: ', TypeError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.end(); }); }, 100); } ); }); socket.unref(); }, 100); } ); batch.test('sending incomplete messages in chunks', (t) => { log4js.configure({ appenders: { vcr: { type: 'recording' }, tcp: { type: 'tcp-server' }, }, categories: { default: { appenders: ['vcr'], level: 'debug' }, }, }); // give the socket a chance to start up setTimeout(() => { const socket = net.connect(5000, () => { const syncWrite = (dataArray, finalCallback) => { if (!Array.isArray(dataArray)) { dataArray = [dataArray]; } if (typeof finalCallback !== 'function') { finalCallback = () => {}; } setTimeout(() => { if (!dataArray.length) { finalCallback(); } else if (dataArray.length === 1) { socket.write(dataArray.shift(), finalCallback); } else { socket.write(dataArray.shift(), () => { syncWrite(dataArray, finalCallback); }); } }, 100); }; const dataArray = [ '__LOG4JS__', 'Hello__LOG4JS__World', '__LOG4JS__', 'testing nonsense', `__LOG4JS__more nonsense__LOG4JS__`, ]; const finalCallback = () => { socket.end(); setTimeout(() => { log4js.shutdown(() => { const logs = vcr.replay(); t.equal(logs.length, 8); t.match(logs[4], { data: [ 'Unable to parse log:', 'Hello', 'because: ', SyntaxError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.match(logs[5], { data: [ 'Unable to parse log:', 'World', 'because: ', SyntaxError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.match(logs[6], { data: [ 'Unable to parse log:', 'testing nonsense', 'because: ', SyntaxError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.match(logs[7], { data: [ 'Unable to parse log:', 'more nonsense', 'because: ', SyntaxError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.end(); }); }, 100); }; syncWrite(dataArray, finalCallback); }); socket.unref(); }, 100); }); batch.end(); });
const { test } = require('tap'); const net = require('net'); const log4js = require('../../lib/log4js'); const vcr = require('../../lib/appenders/recording'); const levels = require('../../lib/levels'); const LoggingEvent = require('../../lib/LoggingEvent'); test('TCP Server', (batch) => { batch.test( 'should listen for TCP messages and re-send via process.send', (t) => { log4js.configure({ appenders: { vcr: { type: 'recording' }, tcp: { type: 'tcp-server', port: 5678 }, }, categories: { default: { appenders: ['vcr'], level: 'debug' }, }, }); // give the socket a chance to start up setTimeout(() => { const socket = net.connect(5678, () => { socket.write( `${new LoggingEvent( 'test-category', levels.INFO, ['something'], {} ).serialise()}__LOG4JS__${new LoggingEvent( 'test-category', levels.INFO, ['something else'], {} ).serialise()}__LOG4JS__some nonsense__LOG4JS__{"some":"json"}__LOG4JS__`, () => { socket.end(); setTimeout(() => { log4js.shutdown(() => { const logs = vcr.replay(); t.equal(logs.length, 4); t.match(logs[0], { data: ['something'], categoryName: 'test-category', level: { levelStr: 'INFO' }, context: {}, }); t.match(logs[1], { data: ['something else'], categoryName: 'test-category', level: { levelStr: 'INFO' }, context: {}, }); t.match(logs[2], { data: [ 'Unable to parse log:', 'some nonsense', 'because: ', SyntaxError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.match(logs[3], { data: [ 'Unable to parse log:', '{"some":"json"}', 'because: ', TypeError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.end(); }); }, 100); } ); }); socket.unref(); }, 100); } ); batch.test('sending incomplete messages in chunks', (t) => { log4js.configure({ appenders: { vcr: { type: 'recording' }, tcp: { type: 'tcp-server' }, }, categories: { default: { appenders: ['vcr'], level: 'debug' }, }, }); // give the socket a chance to start up setTimeout(() => { const socket = net.connect(5000, () => { const syncWrite = (dataArray, finalCallback) => { if (!Array.isArray(dataArray)) { dataArray = [dataArray]; } if (typeof finalCallback !== 'function') { finalCallback = () => {}; } setTimeout(() => { if (!dataArray.length) { finalCallback(); } else if (dataArray.length === 1) { socket.write(dataArray.shift(), finalCallback); } else { socket.write(dataArray.shift(), () => { syncWrite(dataArray, finalCallback); }); } }, 100); }; const dataArray = [ '__LOG4JS__', 'Hello__LOG4JS__World', '__LOG4JS__', 'testing nonsense', `__LOG4JS__more nonsense__LOG4JS__`, ]; const finalCallback = () => { socket.end(); setTimeout(() => { log4js.shutdown(() => { const logs = vcr.replay(); t.equal(logs.length, 8); t.match(logs[4], { data: [ 'Unable to parse log:', 'Hello', 'because: ', SyntaxError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.match(logs[5], { data: [ 'Unable to parse log:', 'World', 'because: ', SyntaxError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.match(logs[6], { data: [ 'Unable to parse log:', 'testing nonsense', 'because: ', SyntaxError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.match(logs[7], { data: [ 'Unable to parse log:', 'more nonsense', 'because: ', SyntaxError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.end(); }); }, 100); }; syncWrite(dataArray, finalCallback); }); socket.unref(); }, 100); }); batch.end(); });
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./test/tap/fileSyncAppender-test.js
const { test } = require('tap'); const fs = require('fs'); const path = require('path'); const EOL = require('os').EOL || '\n'; const sandbox = require('@log4js-node/sandboxed-module'); const log4js = require('../../lib/log4js'); function remove(filename) { try { fs.unlinkSync(filename); } catch (e) { // doesn't really matter if it failed } } test('log4js fileSyncAppender', (batch) => { batch.test('with default fileSyncAppender settings', (t) => { const testFile = path.join(__dirname, '/fa-default-sync-test.log'); const logger = log4js.getLogger('default-settings'); remove(testFile); t.teardown(() => { remove(testFile); }); log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile } }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); logger.info('This should be in the file.'); fs.readFile(testFile, 'utf8', (err, fileContents) => { t.match(fileContents, `This should be in the file.${EOL}`); t.match( fileContents, /\[\d{4}-\d{2}-\d{2}T\d{2}:\d{2}:\d{2}\.\d{3}] \[INFO] default-settings - / ); t.end(); }); }); batch.test('with existing file', (t) => { const testFile = path.join(__dirname, '/fa-existing-file-sync-test.log'); const logger = log4js.getLogger('default-settings'); remove(testFile); t.teardown(() => { remove(testFile); }); log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile } }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); logger.info('This should be in the file.'); log4js.shutdown(() => { log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile } }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); logger.info('This should also be in the file.'); fs.readFile(testFile, 'utf8', (err, fileContents) => { t.match(fileContents, `This should be in the file.${EOL}`); t.match(fileContents, `This should also be in the file.${EOL}`); t.match( fileContents, /\[\d{4}-\d{2}-\d{2}T\d{2}:\d{2}:\d{2}\.\d{3}] \[INFO] default-settings - / ); t.end(); }); }); }); batch.test('should give error if invalid filename', async (t) => { const file = ''; t.throws( () => log4js.configure({ appenders: { file: { type: 'fileSync', filename: file, }, }, categories: { default: { appenders: ['file'], level: 'debug' }, }, }), new Error(`Invalid filename: ${file}`) ); const dir = `.${path.sep}`; t.throws( () => log4js.configure({ appenders: { file: { type: 'fileSync', filename: dir, }, }, categories: { default: { appenders: ['file'], level: 'debug' }, }, }), new Error(`Filename is a directory: ${dir}`) ); t.end(); }); batch.test('should give error if invalid maxLogSize', async (t) => { const maxLogSize = -1; const expectedError = new Error(`maxLogSize (${maxLogSize}) should be > 0`); t.throws( () => log4js.configure({ appenders: { file: { type: 'fileSync', filename: path.join( __dirname, 'fa-invalidMaxFileSize-sync-test.log' ), maxLogSize: -1, }, }, categories: { default: { appenders: ['file'], level: 'debug' }, }, }), expectedError ); t.end(); }); batch.test('with a max file size and no backups', (t) => { const testFile = path.join(__dirname, '/fa-maxFileSize-sync-test.log'); const logger = log4js.getLogger('max-file-size'); remove(testFile); t.teardown(() => { remove(testFile); }); // log file of 100 bytes maximum, no backups log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, maxLogSize: 100, backups: 0, }, }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); logger.info('This is the first log message.'); logger.info('This is an intermediate log message.'); logger.info('This is the second log message.'); t.test('log file should only contain the second message', (assert) => { fs.readFile(testFile, 'utf8', (err, fileContents) => { assert.match(fileContents, `This is the second log message.${EOL}`); assert.equal( fileContents.indexOf('This is the first log message.'), -1 ); assert.end(); }); }); t.test('there should be one test files', (assert) => { fs.readdir(__dirname, (err, files) => { const logFiles = files.filter((file) => file.includes('fa-maxFileSize-sync-test.log') ); assert.equal(logFiles.length, 1); assert.end(); }); }); t.end(); }); batch.test('with a max file size in unit mode and no backups', (t) => { const testFile = path.join(__dirname, '/fa-maxFileSize-unit-sync-test.log'); const logger = log4js.getLogger('max-file-size-unit'); remove(testFile); remove(`${testFile}.1`); t.teardown(() => { remove(testFile); remove(`${testFile}.1`); }); // log file of 100 bytes maximum, no backups log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, maxLogSize: '1K', backups: 0, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); const maxLine = 22; // 1024 max file size / 47 bytes per line for (let i = 0; i < maxLine; i++) { logger.info('These are the log messages for the first file.'); // 46 bytes per line + '\n' } logger.info('This is the second log message.'); t.test('log file should only contain the second message', (assert) => { fs.readFile(testFile, 'utf8', (err, fileContents) => { assert.match(fileContents, `This is the second log message.${EOL}`); assert.notMatch( fileContents, 'These are the log messages for the first file.' ); assert.end(); }); }); t.test('there should be one test file', (assert) => { fs.readdir(__dirname, (err, files) => { const logFiles = files.filter((file) => file.includes('fa-maxFileSize-unit-sync-test.log') ); assert.equal(logFiles.length, 1); assert.end(); }); }); t.end(); }); batch.test('with a max file size and 2 backups', (t) => { const testFile = path.join( __dirname, '/fa-maxFileSize-with-backups-sync-test.log' ); const logger = log4js.getLogger('max-file-size-backups'); remove(testFile); remove(`${testFile}.1`); remove(`${testFile}.2`); t.teardown(() => { remove(testFile); remove(`${testFile}.1`); remove(`${testFile}.2`); }); // log file of 50 bytes maximum, 2 backups log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, maxLogSize: 50, backups: 2, }, }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); logger.info('This is the first log message.'); logger.info('This is the second log message.'); logger.info('This is the third log message.'); logger.info('This is the fourth log message.'); t.test('the log files', (assert) => { assert.plan(5); fs.readdir(__dirname, (err, files) => { const logFiles = files.filter((file) => file.includes('fa-maxFileSize-with-backups-sync-test.log') ); assert.equal(logFiles.length, 3, 'should be 3 files'); assert.same( logFiles, [ 'fa-maxFileSize-with-backups-sync-test.log', 'fa-maxFileSize-with-backups-sync-test.log.1', 'fa-maxFileSize-with-backups-sync-test.log.2', ], 'should be named in sequence' ); fs.readFile( path.join(__dirname, logFiles[0]), 'utf8', (e, contents) => { assert.match(contents, 'This is the fourth log message.'); } ); fs.readFile( path.join(__dirname, logFiles[1]), 'utf8', (e, contents) => { assert.match(contents, 'This is the third log message.'); } ); fs.readFile( path.join(__dirname, logFiles[2]), 'utf8', (e, contents) => { assert.match(contents, 'This is the second log message.'); } ); }); }); t.end(); }); batch.test('configure with fileSyncAppender', (t) => { const testFile = 'tmp-sync-tests.log'; remove(testFile); t.teardown(() => { remove(testFile); }); // this config defines one file appender (to ./tmp-sync-tests.log) // and sets the log level for "tests" to WARN log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, tests: { appenders: ['sync'], level: 'warn' }, }, }); const logger = log4js.getLogger('tests'); logger.info('this should not be written to the file'); logger.warn('this should be written to the file'); fs.readFile(testFile, 'utf8', (err, contents) => { t.match(contents, `this should be written to the file${EOL}`); t.equal(contents.indexOf('this should not be written to the file'), -1); t.end(); }); }); batch.test( 'configure with non-existent multi-directory (recursive, nodejs >= 10.12.0)', (t) => { const testFile = 'tmpA/tmpB/tmpC/tmp-sync-tests-recursive.log'; remove(testFile); t.teardown(() => { remove(testFile); try { fs.rmdirSync('tmpA/tmpB/tmpC'); fs.rmdirSync('tmpA/tmpB'); fs.rmdirSync('tmpA'); } catch (e) { // doesn't matter } }); log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, }, }); const logger = log4js.getLogger(); logger.info('this should be written to the file'); fs.readFile(testFile, 'utf8', (err, contents) => { t.match(contents, `this should be written to the file${EOL}`); t.end(); }); } ); batch.test( 'configure with non-existent multi-directory (non-recursive, nodejs < 10.12.0)', (t) => { const testFile = 'tmpA/tmpB/tmpC/tmp-sync-tests-non-recursive.log'; remove(testFile); t.teardown(() => { remove(testFile); try { fs.rmdirSync('tmpA/tmpB/tmpC'); fs.rmdirSync('tmpA/tmpB'); fs.rmdirSync('tmpA'); } catch (e) { // doesn't matter } }); const sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { fs: { ...fs, mkdirSync(dirPath, options) { return fs.mkdirSync(dirPath, { ...options, ...{ recursive: false }, }); }, }, }, }); sandboxedLog4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, }, }); const logger = sandboxedLog4js.getLogger(); logger.info('this should be written to the file'); fs.readFile(testFile, 'utf8', (err, contents) => { t.match(contents, `this should be written to the file${EOL}`); t.end(); }); } ); batch.test( 'configure with non-existent multi-directory (error handling)', (t) => { const testFile = 'tmpA/tmpB/tmpC/tmp-sync-tests-error-handling.log'; remove(testFile); t.teardown(() => { remove(testFile); try { fs.rmdirSync('tmpA/tmpB/tmpC'); fs.rmdirSync('tmpA/tmpB'); fs.rmdirSync('tmpA'); } catch (e) { // doesn't matter } }); const errorEPERM = new Error('EPERM'); errorEPERM.code = 'EPERM'; let sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { fs: { ...fs, mkdirSync() { throw errorEPERM; }, }, }, }); t.throws( () => sandboxedLog4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, }, }), errorEPERM ); const errorEROFS = new Error('EROFS'); errorEROFS.code = 'EROFS'; sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { fs: { ...fs, mkdirSync() { throw errorEROFS; }, statSync() { return { isDirectory() { return false; }, }; }, }, }, }); t.throws( () => sandboxedLog4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, }, }), errorEROFS ); fs.mkdirSync('tmpA/tmpB/tmpC', { recursive: true }); sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { fs: { ...fs, mkdirSync() { throw errorEROFS; }, }, }, }); t.doesNotThrow(() => sandboxedLog4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, }, }) ); t.end(); } ); batch.test('test options', (t) => { const testFile = 'tmp-options-tests.log'; remove(testFile); t.teardown(() => { remove(testFile); }); // using non-standard options log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, flags: 'w', encoding: 'ascii', mode: 0o666, }, }, categories: { default: { appenders: ['sync'], level: 'info' }, }, }); const logger = log4js.getLogger(); logger.warn('log message'); fs.readFile(testFile, 'ascii', (err, contents) => { t.match(contents, `log message${EOL}`); t.end(); }); }); batch.end(); });
const { test } = require('tap'); const fs = require('fs'); const path = require('path'); const EOL = require('os').EOL || '\n'; const sandbox = require('@log4js-node/sandboxed-module'); const log4js = require('../../lib/log4js'); function remove(filename) { try { fs.unlinkSync(filename); } catch (e) { // doesn't really matter if it failed } } test('log4js fileSyncAppender', (batch) => { batch.test('with default fileSyncAppender settings', (t) => { const testFile = path.join(__dirname, '/fa-default-sync-test.log'); const logger = log4js.getLogger('default-settings'); remove(testFile); t.teardown(() => { remove(testFile); }); log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile } }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); logger.info('This should be in the file.'); fs.readFile(testFile, 'utf8', (err, fileContents) => { t.match(fileContents, `This should be in the file.${EOL}`); t.match( fileContents, /\[\d{4}-\d{2}-\d{2}T\d{2}:\d{2}:\d{2}\.\d{3}] \[INFO] default-settings - / ); t.end(); }); }); batch.test('with existing file', (t) => { const testFile = path.join(__dirname, '/fa-existing-file-sync-test.log'); const logger = log4js.getLogger('default-settings'); remove(testFile); t.teardown(() => { remove(testFile); }); log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile } }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); logger.info('This should be in the file.'); log4js.shutdown(() => { log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile } }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); logger.info('This should also be in the file.'); fs.readFile(testFile, 'utf8', (err, fileContents) => { t.match(fileContents, `This should be in the file.${EOL}`); t.match(fileContents, `This should also be in the file.${EOL}`); t.match( fileContents, /\[\d{4}-\d{2}-\d{2}T\d{2}:\d{2}:\d{2}\.\d{3}] \[INFO] default-settings - / ); t.end(); }); }); }); batch.test('should give error if invalid filename', async (t) => { const file = ''; t.throws( () => log4js.configure({ appenders: { file: { type: 'fileSync', filename: file, }, }, categories: { default: { appenders: ['file'], level: 'debug' }, }, }), new Error(`Invalid filename: ${file}`) ); const dir = `.${path.sep}`; t.throws( () => log4js.configure({ appenders: { file: { type: 'fileSync', filename: dir, }, }, categories: { default: { appenders: ['file'], level: 'debug' }, }, }), new Error(`Filename is a directory: ${dir}`) ); t.end(); }); batch.test('should give error if invalid maxLogSize', async (t) => { const maxLogSize = -1; const expectedError = new Error(`maxLogSize (${maxLogSize}) should be > 0`); t.throws( () => log4js.configure({ appenders: { file: { type: 'fileSync', filename: path.join( __dirname, 'fa-invalidMaxFileSize-sync-test.log' ), maxLogSize: -1, }, }, categories: { default: { appenders: ['file'], level: 'debug' }, }, }), expectedError ); t.end(); }); batch.test('with a max file size and no backups', (t) => { const testFile = path.join(__dirname, '/fa-maxFileSize-sync-test.log'); const logger = log4js.getLogger('max-file-size'); remove(testFile); t.teardown(() => { remove(testFile); }); // log file of 100 bytes maximum, no backups log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, maxLogSize: 100, backups: 0, }, }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); logger.info('This is the first log message.'); logger.info('This is an intermediate log message.'); logger.info('This is the second log message.'); t.test('log file should only contain the second message', (assert) => { fs.readFile(testFile, 'utf8', (err, fileContents) => { assert.match(fileContents, `This is the second log message.${EOL}`); assert.equal( fileContents.indexOf('This is the first log message.'), -1 ); assert.end(); }); }); t.test('there should be one test files', (assert) => { fs.readdir(__dirname, (err, files) => { const logFiles = files.filter((file) => file.includes('fa-maxFileSize-sync-test.log') ); assert.equal(logFiles.length, 1); assert.end(); }); }); t.end(); }); batch.test('with a max file size in unit mode and no backups', (t) => { const testFile = path.join(__dirname, '/fa-maxFileSize-unit-sync-test.log'); const logger = log4js.getLogger('max-file-size-unit'); remove(testFile); remove(`${testFile}.1`); t.teardown(() => { remove(testFile); remove(`${testFile}.1`); }); // log file of 100 bytes maximum, no backups log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, maxLogSize: '1K', backups: 0, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); const maxLine = 22; // 1024 max file size / 47 bytes per line for (let i = 0; i < maxLine; i++) { logger.info('These are the log messages for the first file.'); // 46 bytes per line + '\n' } logger.info('This is the second log message.'); t.test('log file should only contain the second message', (assert) => { fs.readFile(testFile, 'utf8', (err, fileContents) => { assert.match(fileContents, `This is the second log message.${EOL}`); assert.notMatch( fileContents, 'These are the log messages for the first file.' ); assert.end(); }); }); t.test('there should be one test file', (assert) => { fs.readdir(__dirname, (err, files) => { const logFiles = files.filter((file) => file.includes('fa-maxFileSize-unit-sync-test.log') ); assert.equal(logFiles.length, 1); assert.end(); }); }); t.end(); }); batch.test('with a max file size and 2 backups', (t) => { const testFile = path.join( __dirname, '/fa-maxFileSize-with-backups-sync-test.log' ); const logger = log4js.getLogger('max-file-size-backups'); remove(testFile); remove(`${testFile}.1`); remove(`${testFile}.2`); t.teardown(() => { remove(testFile); remove(`${testFile}.1`); remove(`${testFile}.2`); }); // log file of 50 bytes maximum, 2 backups log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, maxLogSize: 50, backups: 2, }, }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); logger.info('This is the first log message.'); logger.info('This is the second log message.'); logger.info('This is the third log message.'); logger.info('This is the fourth log message.'); t.test('the log files', (assert) => { assert.plan(5); fs.readdir(__dirname, (err, files) => { const logFiles = files.filter((file) => file.includes('fa-maxFileSize-with-backups-sync-test.log') ); assert.equal(logFiles.length, 3, 'should be 3 files'); assert.same( logFiles, [ 'fa-maxFileSize-with-backups-sync-test.log', 'fa-maxFileSize-with-backups-sync-test.log.1', 'fa-maxFileSize-with-backups-sync-test.log.2', ], 'should be named in sequence' ); fs.readFile( path.join(__dirname, logFiles[0]), 'utf8', (e, contents) => { assert.match(contents, 'This is the fourth log message.'); } ); fs.readFile( path.join(__dirname, logFiles[1]), 'utf8', (e, contents) => { assert.match(contents, 'This is the third log message.'); } ); fs.readFile( path.join(__dirname, logFiles[2]), 'utf8', (e, contents) => { assert.match(contents, 'This is the second log message.'); } ); }); }); t.end(); }); batch.test('configure with fileSyncAppender', (t) => { const testFile = 'tmp-sync-tests.log'; remove(testFile); t.teardown(() => { remove(testFile); }); // this config defines one file appender (to ./tmp-sync-tests.log) // and sets the log level for "tests" to WARN log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, tests: { appenders: ['sync'], level: 'warn' }, }, }); const logger = log4js.getLogger('tests'); logger.info('this should not be written to the file'); logger.warn('this should be written to the file'); fs.readFile(testFile, 'utf8', (err, contents) => { t.match(contents, `this should be written to the file${EOL}`); t.equal(contents.indexOf('this should not be written to the file'), -1); t.end(); }); }); batch.test( 'configure with non-existent multi-directory (recursive, nodejs >= 10.12.0)', (t) => { const testFile = 'tmpA/tmpB/tmpC/tmp-sync-tests-recursive.log'; remove(testFile); t.teardown(() => { remove(testFile); try { fs.rmdirSync('tmpA/tmpB/tmpC'); fs.rmdirSync('tmpA/tmpB'); fs.rmdirSync('tmpA'); } catch (e) { // doesn't matter } }); log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, }, }); const logger = log4js.getLogger(); logger.info('this should be written to the file'); fs.readFile(testFile, 'utf8', (err, contents) => { t.match(contents, `this should be written to the file${EOL}`); t.end(); }); } ); batch.test( 'configure with non-existent multi-directory (non-recursive, nodejs < 10.12.0)', (t) => { const testFile = 'tmpA/tmpB/tmpC/tmp-sync-tests-non-recursive.log'; remove(testFile); t.teardown(() => { remove(testFile); try { fs.rmdirSync('tmpA/tmpB/tmpC'); fs.rmdirSync('tmpA/tmpB'); fs.rmdirSync('tmpA'); } catch (e) { // doesn't matter } }); const sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { fs: { ...fs, mkdirSync(dirPath, options) { return fs.mkdirSync(dirPath, { ...options, ...{ recursive: false }, }); }, }, }, }); sandboxedLog4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, }, }); const logger = sandboxedLog4js.getLogger(); logger.info('this should be written to the file'); fs.readFile(testFile, 'utf8', (err, contents) => { t.match(contents, `this should be written to the file${EOL}`); t.end(); }); } ); batch.test( 'configure with non-existent multi-directory (error handling)', (t) => { const testFile = 'tmpA/tmpB/tmpC/tmp-sync-tests-error-handling.log'; remove(testFile); t.teardown(() => { remove(testFile); try { fs.rmdirSync('tmpA/tmpB/tmpC'); fs.rmdirSync('tmpA/tmpB'); fs.rmdirSync('tmpA'); } catch (e) { // doesn't matter } }); const errorEPERM = new Error('EPERM'); errorEPERM.code = 'EPERM'; let sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { fs: { ...fs, mkdirSync() { throw errorEPERM; }, }, }, }); t.throws( () => sandboxedLog4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, }, }), errorEPERM ); const errorEROFS = new Error('EROFS'); errorEROFS.code = 'EROFS'; sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { fs: { ...fs, mkdirSync() { throw errorEROFS; }, statSync() { return { isDirectory() { return false; }, }; }, }, }, }); t.throws( () => sandboxedLog4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, }, }), errorEROFS ); fs.mkdirSync('tmpA/tmpB/tmpC', { recursive: true }); sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { fs: { ...fs, mkdirSync() { throw errorEROFS; }, }, }, }); t.doesNotThrow(() => sandboxedLog4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, }, }) ); t.end(); } ); batch.test('test options', (t) => { const testFile = 'tmp-options-tests.log'; remove(testFile); t.teardown(() => { remove(testFile); }); // using non-standard options log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, flags: 'w', encoding: 'ascii', mode: 0o666, }, }, categories: { default: { appenders: ['sync'], level: 'info' }, }, }); const logger = log4js.getLogger(); logger.warn('log message'); fs.readFile(testFile, 'ascii', (err, contents) => { t.match(contents, `log message${EOL}`); t.end(); }); }); batch.end(); });
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./CHANGELOG.md
# log4js-node Changelog ## 6.5.2 - [type: add LogEvent.serialise](https://github.com/log4js-node/log4js-node/pull/1260) - thanks [@marrowleaves](https://github.com/marrowleaves) ## 6.5.1 - [fix: fs.appendFileSync should use flag instead of flags](https://github.com/log4js-node/log4js-node/pull/1257) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1258) - thanks [@lamweili](https://github.com/lamweili) - chore(deps): bump streamroller from 3.1.0 to 3.1.1 - chore(deps): updated package-lock.json ## 6.5.0 - [feat: logger.log() to be synonym of logger.info()](https://github.com/log4js-node/log4js-node/pull/1254) - thanks [@lamweili](https://github.com/lamweili) - [feat: tilde expansion for filename](https://github.com/log4js-node/log4js-node/pull/1252) - thanks [@lamweili](https://github.com/lamweili) - [fix: better file validation](https://github.com/log4js-node/log4js-node/pull/1251) - thanks [@lamweili](https://github.com/lamweili) - [fix: fallback for logger.log outputs nothing](https://github.com/log4js-node/log4js-node/pull/1247) - thanks [@lamweili](https://github.com/lamweili) - [docs: updated fileAppender maxLogSize documentation](https://github.com/log4js-node/log4js-node/pull/1248) - thanks [@lamweili](https://github.com/lamweili) - [ci: enforced 100% test coverage tests](https://github.com/log4js-node/log4js-node/pull/1253) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1256) - thanks [@lamweili](https://github.com/lamweili) - chore(deps-dev): bump eslint from 8.15.0 to 8.16.0 - chore(deps): bump streamroller from 3.0.9 to 3.1.0 - chore(deps): updated package-lock.json ## 6.4.7 - [fix: dateFileAppender unable to use units in maxLogSize](https://github.com/log4js-node/log4js-node/pull/1243) - thanks [@lamweili](https://github.com/lamweili) - [type: added fileNameSep for FileAppender and DateFileAppender](https://github.com/log4js-node/log4js-node/pull/1241) - thanks [@lamweili](https://github.com/lamweili) - [docs: updated usage of units for maxLogSize](https://github.com/log4js-node/log4js-node/pull/1242) - thanks [@lamweili](https://github.com/lamweili) - [docs: updated comments in typescript def](https://github.com/log4js-node/log4js-node/pull/1240) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1244) - thanks [@lamweili](https://github.com/lamweili) - chore(deps-dev): bump eslint from 8.14.0 to 8.15.0 - chore(deps-dev): bump husky from 7.0.4 to 8.0.1 - chore(deps-dev): bump tap from 16.1.0 to 16.2.0 - chore(deps-dev): bump typescript from 4.6.3 to 4.6.4 - chore(deps): bump date-format from 4.0.9 to 4.0.10 - chore(deps): bump streamroller from 3.0.8 to 3.0.9 - chore(deps): updated package-lock.json - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1238) - thanks [@lamweili](https://github.com/lamweili) - chore(deps-dev): bump tap from 16.0.1 to 16.1.0 - chore(deps-dev): updated package-lock.json ## 6.4.6 - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1236) - thanks [@lamweili](https://github.com/lamweili) - chore(deps-dev): bump eslint from 8.13.0 to 8.14.0 - chore(deps): bump date-format from 4.0.7 to 4.0.9 - chore(deps): bump streamroller from 3.0.7 to 3.0.8 - fix: [#1216](https://github.com/log4js-node/log4js-node/issues/1216) where promise rejection is not handled ([[email protected] changelog](https://github.com/log4js-node/streamroller/blob/master/CHANGELOG.md)) - chore(deps): updated package-lock.json - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1234) - thanks [@lamweili](https://github.com/lamweili) - chore(deps): bump fs-extra from 10.0.1 to 10.1.0 - chore(deps): updated package-lock.json ## 6.4.5 - [fix: deserialise for enableCallStack features: filename, lineNumber, columnNumber, callStack](https://github.com/log4js-node/log4js-node/pull/1230) - thanks [@lamweili](https://github.com/lamweili) - [fix: fileDepth for ESM](https://github.com/log4js-node/log4js-node/pull/1224) - thanks [@lamweili](https://github.com/lamweili) - [refactor: replace deprecated String.prototype.substr()](https://github.com/log4js-node/log4js-node/pull/1223) - thanks [@CommanderRoot](https://github.com/CommanderRoot) - [type: LogEvent types](https://github.com/log4js-node/log4js-node/pull/1231) - thanks [@lamweili](https://github.com/lamweili) - [docs: updated typescript usage](https://github.com/log4js-node/log4js-node/pull/1229) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1232) - thanks [@lamweili](https://github.com/lamweili) - chore(deps): bump date-format from 4.0.6 to 4.0.7 - chore(deps): bump streamroller from 3.0.6 to 3.0.7 - fix: [#1225](https://github.com/log4js-node/log4js-node/issues/1225) where fs-extra throws error when fs.realpath.native is undefined ([[email protected] changelog](https://github.com/log4js-node/streamroller/blob/master/CHANGELOG.md)) - chore(deps): updated package-lock.json - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1228) - thanks [@lamweili](https://github.com/lamweili) - chore(deps-dev): bump eslint from 8.11.0 to 8.13.0 - chore(deps-dev): bump eslint-plugin-import from 2.25.4 to 2.26.0 - chore(deps-dev): bump tap from 16.0.0 to 16.0.1 - chore(deps-dev): bump typescript from 4.6.2 to 4.6.3 - chore(deps-dev): updated package-lock.json - [chore(deps-dev): bump minimist from 1.2.5 to 1.2.6](https://github.com/log4js-node/log4js-node/pull/1227) - thanks [@Dependabot](https://github.com/dependabot) ## 6.4.4 - [fix: set logger.level on runtime will no longer wrongly reset useCallStack](https://github.com/log4js-node/log4js-node/pull/1217) - thanks [@lamweili](https://github.com/lamweili) - [docs: updated docs for broken links and inaccessible pages](https://github.com/log4js-node/log4js-node/pull/1219) - thanks [@lamweili](https://github.com/lamweili) - [docs: broken link to gelf appender](https://github.com/log4js-node/log4js-node/pull/1218) - thanks [@mattalexx](https://github.com/mattalexx) - [docs: updated docs for appenders module loading](https://github.com/log4js-node/log4js-node/pull/985) - thanks [@leonimurilo](https://github.com/leonimurilo) - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1221) - thanks [@lamweili](https://github.com/lamweili) - chore(deps): bump streamroller from 3.0.5 to 3.0.6 - chore(deps): bump debug from 4.3.3 to 4.3.4 - chore(deps): bump date-format from 4.0.5 to 4.0.6 - chore(deps-dev): bump prettier from 2.5.1 to 2.6.0 - chore(deps): updated package-lock.json ## 6.4.3 - [fix: added filename validation](https://github.com/log4js-node/log4js-node/pull/1201) - thanks [@lamweili](https://github.com/lamweili) - [refactor: do not initialise default appenders as it will be done again by configure()](https://github.com/log4js-node/log4js-node/pull/1210) - thanks [@lamweili](https://github.com/lamweili) - [refactor: defensive coding for cluster=null if require('cluster') fails in try-catch ](https://github.com/log4js-node/log4js-node/pull/1199) - thanks [@lamweili](https://github.com/lamweili) - [refactor: removed redundant logic in tcp-serverAppender](https://github.com/log4js-node/log4js-node/pull/1198) - thanks [@lamweili](https://github.com/lamweili) - [refactor: removed redundant logic in multiprocessAppender](https://github.com/log4js-node/log4js-node/pull/1197) - thanks [@lamweili](https://github.com/lamweili) - test: 100% test coverage - thanks [@lamweili](https://github.com/lamweili) - test: part 1 of 3: https://github.com/log4js-node/log4js-node/pull/1200 - test: part 2 of 3: https://github.com/log4js-node/log4js-node/pull/1204 - test: part 3 of 3: https://github.com/log4js-node/log4js-node/pull/1205 - [test: improved test cases](https://github.com/log4js-node/log4js-node/pull/1211) - [docs: updated README.md with badges](https://github.com/log4js-node/log4js-node/pull/1209) - thanks [@lamweili](https://github.com/lamweili) - [docs: added docs for istanbul ignore](https://github.com/log4js-node/log4js-node/pull/1208) - thanks [@lamweili](https://github.com/lamweili) - [docs: updated logger api docs](https://github.com/log4js-node/log4js-node/pull/1203) - thanks [@lamweili](https://github.com/lamweili) - [docs: updated file and fileSync appender docs](https://github.com/log4js-node/log4js-node/pull/1202) - thanks [@lamweili](https://github.com/lamweili) - [chore(lint): improve eslint rules](https://github.com/log4js-node/log4js-node/pull/1206) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1207) - thanks [@lamweili](https://github.com/lamweili) - chore(deps-dev): bump eslint from 8.10.0 to 8.11.0 - chore(deps-dev): bump eslint-config-airbnb-base from 13.2.0 to 15.0.0 - chore(deps-dev): bump eslint-config-prettier from 8.4.0 to 8.5.0 - chore(deps-dev): bump tap from 15.1.6 to 16.0.0 - chore(deps): bump date-format from 4.0.4 to 4.0.5 - chore(deps): bump streamroller from 3.0.4 to 3.0.5 - chore(deps): updated package-lock.json ## 6.4.2 - [fix: fileSync appender to create directory recursively](https://github.com/log4js-node/log4js-node/pull/1191) - thanks [@lamweili](https://github.com/lamweili) - [fix: serialise() for NaN, Infinity, -Infinity and undefined](https://github.com/log4js-node/log4js-node/pull/1188) - thanks [@lamweili](https://github.com/lamweili) - [fix: connectLogger not logging on close](https://github.com/log4js-node/log4js-node/pull/1179) - thanks [@lamweili](https://github.com/lamweili) - [refactor: defensive coding](https://github.com/log4js-node/log4js-node/pull/1183) - thanks [@lamweili](https://github.com/lamweili) - [type: fixed Logger constructor](https://github.com/log4js-node/log4js-node/pull/1177) - thanks [@lamweili](https://github.com/lamweili) - [test: improve test coverage](https://github.com/log4js-node/log4js-node/pull/1184) - thanks [@lamweili](https://github.com/lamweili) - [test: refactor and replaced tap deprecation in preparation for tap v15](https://github.com/log4js-node/log4js-node/pull/1172) - thanks [@lamweili](https://github.com/lamweili) - [test: added e2e test for multiprocess Appender](https://github.com/log4js-node/log4js-node/pull/1170) - thanks [@nicojs](https://github.com/nicojs) - [docs: updated file appender docs](https://github.com/log4js-node/log4js-node/pull/1182) - thanks [@lamweili](https://github.com/lamweili) - [docs: updated dateFile appender docs](https://github.com/log4js-node/log4js-node/pull/1181) - thanks [@lamweili](https://github.com/lamweili) - [docs: corrected typo in sample code for multiFile appender](https://github.com/log4js-node/log4js-node/pull/1180) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): updated deps-dev](https://github.com/log4js-node/log4js-node/pull/1194) - thanks [@lamweili](https://github.com/lamweili) - chore(deps): bump date-format from 4.0.3 to 4.0.4 - chore(deps): bump streamroller from 3.0.2 to 3.0.4 - fix: [#1189](https://github.com/log4js-node/log4js-node/issues/1189) for an compatibility issue with directory creation for NodeJS < 10.12.0 ([[email protected] changelog](https://github.com/log4js-node/streamroller/blob/master/CHANGELOG.md)) - chore(deps-dev): bump eslint from 8.8.0 to 8.10.0 - chore(deps-dev): bump eslint-config-prettier from 8.3.0 to 8.4.0 - chore(deps-dev): bump fs-extra from 10.0.0 to 10.0.1 - chore(deps-dev): bump typescript from 4.5.5 to 4.6.2 - [chore(deps): updated deps-dev](https://github.com/log4js-node/log4js-node/pull/1185) - thanks [@lamweili](https://github.com/lamweili) - chore(deps): bump flatted from 3.2.4 to 3.2.5 - chore(deps-dev): bump eslint from 8.7.0 to 8.8.0 - [chore(deps): updated package-lock.json](https://github.com/log4js-node/log4js-node/pull/1174) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps-dev): bump tap from 14.10.7 to 15.1.6](https://github.com/log4js-node/log4js-node/pull/1173) - thanks [@lamweili](https://github.com/lamweili) ## 6.4.1 - [fix: startup multiprocess even when no direct appenders](https://github.com/log4js-node/log4js-node/pull/1162) - thanks [@nicojs](https://github.com/nicojs) - [refactor: fixed eslint warnings](https://github.com/log4js-node/log4js-node/pull/1165) - thanks [@lamweili](https://github.com/lamweili) - [refactor: additional alias for date patterns](https://github.com/log4js-node/log4js-node/pull/1163) - thanks [@lamweili](https://github.com/lamweili) - [refactor: added emitWarning for deprecation](https://github.com/log4js-node/log4js-node/pull/1164) - thanks [@lamweili](https://github.com/lamweili) - [type: Fixed wrong types from 6.4.0 regression](https://github.com/log4js-node/log4js-node/pull/1158) - thanks [@glasser](https://github.com/glasser) - [docs: changed author to contributors in package.json](https://github.com/log4js-node/log4js-node/pull/1153) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): bump node-fetch from 2.6.6 to 2.6.7](https://github.com/log4js-node/log4js-node/pull/1167) - thanks [@Dependabot](https://github.com/dependabot) - [chore(deps-dev): bump typescript from 4.5.4 to 4.5.5](https://github.com/log4js-node/log4js-node/pull/1166) - thanks [@lamweili](https://github.com/lamweili) ## 6.4.0 - BREAKING CHANGE 💥 New default file permissions may cause external applications unable to read logs. A [manual code/configuration change](https://github.com/log4js-node/log4js-node/pull/1141#issuecomment-1076224470) is required. - [feat: added warnings when log() is used with invalid levels before fallbacking to INFO](https://github.com/log4js-node/log4js-node/pull/1062) - thanks [@abernh](https://github.com/abernh) - [feat: exposed Recording](https://github.com/log4js-node/log4js-node/pull/1103) - thanks [@polo-language](https://github.com/polo-language) - [fix: default file permission to be 0o600 instead of 0o644](https://github.com/log4js-node/log4js-node/pull/1141) - thanks [ranjit-git](https://www.huntr.dev/users/ranjit-git) and [@lamweili](https://github.com/lamweili) - [docs: updated fileSync.md and misc comments](https://github.com/log4js-node/log4js-node/pull/1148) - thanks [@lamweili](https://github.com/lamweili) - [fix: file descriptor leak if repeated configure()](https://github.com/log4js-node/log4js-node/pull/1113) - thanks [@lamweili](https://github.com/lamweili) - [fix: MaxListenersExceededWarning from NodeJS](https://github.com/log4js-node/log4js-node/pull/1110) - thanks [@lamweili](https://github.com/lamweili) - [test: added assertion for increase of SIGHUP listeners on log4js.configure()](https://github.com/log4js-node/log4js-node/pull/1142) - thanks [@lamweili](https://github.com/lamweili) - [fix: missing TCP appender with Webpack and Typescript](https://github.com/log4js-node/log4js-node/pull/1028) - thanks [@techmunk](https://github.com/techmunk) - [fix: dateFile appender exiting NodeJS on error](https://github.com/log4js-node/log4js-node/pull/1097) - thanks [@4eb0da](https://github.com/4eb0da) - [refactor: using writer.writable instead of alive for checking](https://github.com/log4js-node/log4js-node/pull/1144) - thanks [@lamweili](https://github.com/lamweili) - [fix: TCP appender exiting NodeJS on error](https://github.com/log4js-node/log4js-node/pull/1089) - thanks [@jhonatanTeixeira](https://github.com/jhonatanTeixeira) - [fix: multiprocess appender exiting NodeJS on error](https://github.com/log4js-node/log4js-node/pull/529) - thanks [@harlentan](https://github.com/harlentan) - [test: update fakeFS.read as graceful-fs uses it](https://github.com/log4js-node/log4js-node/pull/1127) - thanks [@lamweili](https://github.com/lamweili) - [test: update fakeFS.realpath as fs-extra uses it](https://github.com/log4js-node/log4js-node/pull/1128) - thanks [@lamweili](https://github.com/lamweili) - test: added tap.tearDown() to clean up test files - test: [#1143](https://github.com/log4js-node/log4js-node/pull/1143) - thanks [@lamweili](https://github.com/lamweili) - test: [#1022](https://github.com/log4js-node/log4js-node/pull/1022) - thanks [@abetomo](https://github.com/abetomo) - [type: improved @types for AppenderModule](https://github.com/log4js-node/log4js-node/pull/1079) - thanks [@nicobao](https://github.com/nicobao) - [type: Updated fileSync appender types](https://github.com/log4js-node/log4js-node/pull/1116) - thanks [@lamweili](https://github.com/lamweili) - [type: Removed erroneous type in file appender](https://github.com/log4js-node/log4js-node/pull/1031) - thanks [@vdmtrv](https://github.com/vdmtrv) - [type: Updated Logger.log type](https://github.com/log4js-node/log4js-node/pull/1115) - thanks [@ZLundqvist](https://github.com/ZLundqvist) - [type: Updated Logger.\_log type](https://github.com/log4js-node/log4js-node/pull/1117) - thanks [@lamweili](https://github.com/lamweili) - [type: Updated Logger.level type](https://github.com/log4js-node/log4js-node/pull/1118) - thanks [@lamweili](https://github.com/lamweili) - [type: Updated Levels.getLevel type](https://github.com/log4js-node/log4js-node/pull/1072) - thanks [@saulzhong](https://github.com/saulzhong) - [chore(deps): bump streamroller from 3.0.1 to 3.0.2](https://github.com/log4js-node/log4js-node/pull/1147) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): bump date-format from 4.0.2 to 4.0.3](https://github.com/log4js-node/log4js-node/pull/1146) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps-dev): bump eslint from from 8.6.0 to 8.7.0](https://github.com/log4js-node/log4js-node/pull/1145) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps-dev): bump nyc from 14.1.1 to 15.1.0](https://github.com/log4js-node/log4js-node/pull/1140) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps-dev): bump eslint from 5.16.0 to 8.6.0](https://github.com/log4js-node/log4js-node/pull/1138) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): bump flatted from 2.0.2 to 3.2.4](https://github.com/log4js-node/log4js-node/pull/1137) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps-dev): bump fs-extra from 8.1.0 to 10.0.0](https://github.com/log4js-node/log4js-node/pull/1136) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): bump streamroller from 2.2.4 to 3.0.1](https://github.com/log4js-node/log4js-node/pull/1135) - thanks [@lamweili](https://github.com/lamweili) - [fix: compressed file ignores dateFile appender "mode"](https://github.com/log4js-node/streamroller/pull/65) - thanks [@rnd-debug](https://github.com/rnd-debug) - fix: [#1039](https://github.com/log4js-node/log4js-node/issues/1039) where there is an additional separator in filename ([[email protected] changelog](https://github.com/log4js-node/streamroller/blob/master/CHANGELOG.md)) - fix: [#1035](https://github.com/log4js-node/log4js-node/issues/1035), [#1080](https://github.com/log4js-node/log4js-node/issues/1080) for daysToKeep naming confusion ([[email protected] changelog](https://github.com/log4js-node/streamroller/blob/master/CHANGELOG.md)) - [refactor: migrated from daysToKeep to numBackups due to streamroller@^3.0.0](https://github.com/log4js-node/log4js-node/pull/1149) - thanks [@lamweili](https://github.com/lamweili) - [feat: allows for zero backups](https://github.com/log4js-node/log4js-node/pull/1151) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): bump date-format from 3.0.0 to 4.0.2](https://github.com/log4js-node/log4js-node/pull/1134) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1130) - thanks [@lamweili](https://github.com/lamweili) - chore(deps-dev): bump eslint-config-prettier from 6.15.0 to 8.3.0 - chore(deps-dev): bump eslint-plugin-prettier from 3.4.1 to 4.0.0 - chore(deps-dev): bump husky from 3.1.0 to 7.0.4 - chore(deps-dev): bump prettier from 1.19.0 to 2.5.1 - chore(deps-dev): bump typescript from 3.9.10 to 4.5.4 - [chore(deps-dev): bump eslint-config-prettier from 6.15.0 to 8.3.0](https://github.com/log4js-node/log4js-node/pull/1129) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1121) - thanks [@lamweili](https://github.com/lamweili) - chore(deps-dev): bump codecov from 3.6.1 to 3.8.3 - chore(deps-dev): bump eslint-config-prettier from 6.5.0 to 6.15.0 - chore(deps-dev): bump eslint-import-resolver-node from 0.3.2 to 0.3.6 - chore(deps-dev): bump eslint-plugin-import" from 2.18.2 to 2.25.4 - chore(deps-dev): bump eslint-plugin-prettier from 3.1.1 to 3.4.1 - chore(deps-dev): bump husky from 3.0.9 to 3.1.0 - chore(deps-dev): bump prettier from 1.18.2 to 1.19.1 - chore(deps-dev): bump typescript from 3.7.2 to 3.9.10 - [chore(deps): bump path-parse from 1.0.6 to 1.0.7](https://github.com/log4js-node/log4js-node/pull/1120) - thanks [@Dependabot](https://github.com/dependabot) - [chore(deps): bump glob-parent from 5.1.1 to 5.1.2](https://github.com/log4js-node/log4js-node/pull/1084) - thanks [@Dependabot](https://github.com/dependabot) - [chore(deps): bump hosted-git-info from 2.7.1 to 2.8.9](https://github.com/log4js-node/log4js-node/pull/1076) - thanks [@Dependabot](https://github.com/dependabot) - [chore(deps): bump lodash from 4.17.14 to 4.17.21](https://github.com/log4js-node/log4js-node/pull/1075) - thanks [@Dependabot](https://github.com/dependabot) - [chore(deps): bump y18n from 4.0.0 to 4.0.1](https://github.com/log4js-node/log4js-node/pull/1070) - thanks [@Dependabot](https://github.com/dependabot) - [chore(deps): bump node-fetch from 2.6.0 to 2.6.1](https://github.com/log4js-node/log4js-node/pull/1047) - thanks [@Dependabot](https://github.com/dependabot) - [chore(deps): bump yargs-parser from 13.1.1 to 13.1.2](https://github.com/log4js-node/log4js-node/pull/1045) - thanks [@Dependabot](https://github.com/dependabot) - [chore(deps-dev): bump codecov from 3.6.5 to 3.7.1](https://github.com/log4js-node/log4js-node/pull/1033) - thanks [@Dependabot](https://github.com/dependabot) ## 6.3.0 - [Add option to file appender to remove ANSI colours](https://github.com/log4js-node/log4js-node/pull/1001) - thanks [@BlueCocoa](https://github.com/BlueCocoa) - [Do not create appender if no categories use it](https://github.com/log4js-node/log4js-node/pull/1002) - thanks [@rnd-debug](https://github.com/rnd-debug) - [Docs: better categories inheritance description](https://github.com/log4js-node/log4js-node/pull/1003) - thanks [@rnd-debug](https://github.com/rnd-debug) - [Better jsdoc docs](https://github.com/log4js-node/log4js-node/pull/1004) - thanks [@wataash](https://github.com/wataash) - [Typescript: access category field in Logger](https://github.com/log4js-node/log4js-node/pull/1006) - thanks [@rtvd](https://github.com/rtvd) - [Docs: influxdb appender](https://github.com/log4js-node/log4js-node/pull/1014) - thanks [@rnd-debug](https://github.com/rnd-debug) - [Support for fileSync appender in webpack](https://github.com/log4js-node/log4js-node/pull/1015) - thanks [@lauren-li](https://github.com/lauren-li) - [Docs: UDP appender](https://github.com/log4js-node/log4js-node/pull/1018) - thanks [@iassasin](https://github.com/iassasin) - [Style: spaces and tabs](https://github.com/log4js-node/log4js-node/pull/1016) - thanks [@abetomo](https://github.com/abetomo) ## 6.2.1 - [Update streamroller to 2.2.4 to fix incorrect filename matching during log rotation](https://github.com/log4js-node/log4js-node/pull/996) ## 6.2.0 - [Add custom message end token to TCP appender](https://github.com/log4js-node/log4js-node/pull/994) - thanks [@rnd-debug](https://github.com/rnd-debug) - [Update acorn (dev dep of a dep)](https://github.com/log4js-node/log4js-node/pull/992) - thanks Github Robots. ## 6.1.2 - [Handle out-of-order appender loading](https://github.com/log4js-node/log4js-node/pull/986) - thanks [@mvastola](https://github.com/mvastola) ## 6.1.1 - [Add guards for undefined shutdown callback](https://github.com/log4js-node/log4js-node/pull/972) - thanks [@aaron-edwards](https://github.com/aaron-edwards) - [Ignore .bob files](https://github.com/log4js-node/log4js-node/pull/975) - thanks [@cesine](https://github.com/cesine) - [Add mark method to type definitions](https://github.com/log4js-node/log4js-node/pull/984) - thanks [@techmunk](https://github.com/techmunk) ## 6.1.0 - [Add pause event to dateFile appender](https://github.com/log4js-node/log4js-node/pull/965) - thanks [@shayantabatabaee](https://github.com/shayantabatabaee) - [Add pause event to file appender](https://github.com/log4js-node/log4js-node/pull/938) - thanks [@shayantabatabaee](https://github.com/shayantabatabaee) - [Add pause/resume event to docs](https://github.com/log4js-node/log4js-node/pull/966) ## 6.0.0 - [Update streamroller to fix unhandled promise rejection](https://github.com/log4js-node/log4js-node/pull/962) - [Updated date-format library](https://github.com/log4js-node/log4js-node/pull/960) ## 5.3.0 - [Padding and truncation changes](https://github.com/log4js-node/log4js-node/pull/956) ## 5.2.2 - [Update streamroller to fix overwriting old files when using date rolling](https://github.com/log4js-node/log4js-node/pull/951) ## 5.2.1 - [Update streamroller to fix numToKeep not working with dateFile pattern that is all digits](https://github.com/log4js-node/log4js-node/pull/949) ## 5.2.0 - [Update streamroller to 2.2.0 (copy and truncate when file is busy)](https://github.com/log4js-node/log4js-node/pull/948) ## 5.1.0 - [Update streamroller to 2.1.0 (windows fixes)](https://github.com/log4js-node/log4js-node/pull/933) ## 5.0.0 - [Update streamroller to 2.0.0 (remove support for node v6)](https://github.com/log4js-node/log4js-node/pull/922) - [Update dependencies (mostly dev deps)](https://github.com/log4js-node/log4js-node/pull/923) - [Fix error when cluster not available](https://github.com/log4js-node/log4js-node/pull/930) - [Test coverage improvements](https://github.com/log4js-node/log4js-node/pull/925) ## 4.5.1 - [Update streamroller 1.0.5 -> 1.0.6 (to fix overwriting old backup log files)](https://github.com/log4js-node/log4js-node/pull/918) - [Dependency update: lodash 4.17.4 (dependency of a dependency, not log4js)](https://github.com/log4js-node/log4js-node/pull/917) - thanks Github Automated Security Thing. - [Dependency update: lodash 4.4.0 -> 4.5.0 (dependency of a dependency, not log4js)](https://github.com/log4js-node/log4js-node/pull/915) - thanks Github Automated Security Thing. ## 4.5.0 - [Override call stack parsing](https://github.com/log4js-node/log4js-node/pull/914) - thanks [@rommni](https://github.com/rommni) - [patternLayout filename depth token](https://github.com/log4js-node/log4js-node/pull/913) - thanks [@rommni](https://github.com/rommni) ## 4.4.0 - [Add option to pass appender module in config](https://github.com/log4js-node/log4js-node/pull/833) - thanks [@kaxelson](https://github.com/kaxelson) - [Added docs for passing appender module](https://github.com/log4js-node/log4js-node/pull/904) - [Updated dependencies](https://github.com/log4js-node/log4js-node/pull/900) ## 4.3.2 - [Types for enableCallStack](https://github.com/log4js-node/log4js-node/pull/897) - thanks [@citrusjunoss](https://github.com/citrusjunoss) ## 4.3.1 - [Fix for maxLogSize in dateFile appender](https://github.com/log4js-node/log4js-node/pull/889) ## 4.3.0 - [Feature: line number support](https://github.com/log4js-node/log4js-node/pull/879) - thanks [@victor0801x](https://github.com/victor0801x) - [Fix for missing core appenders in webpack](https://github.com/log4js-node/log4js-node/pull/882) ## 4.2.0 - [Feature: add appender and level inheritance](https://github.com/log4js-node/log4js-node/pull/863) - thanks [@pharapiak](https://github.com/pharapiak) - [Feature: add response to context for connectLogger](https://github.com/log4js-node/log4js-node/pull/862) - thanks [@leak4mk0](https://github.com/leak4mk0) - [Fix for broken sighup handler](https://github.com/log4js-node/log4js-node/pull/873) - [Add missing types for Level](https://github.com/log4js-node/log4js-node/pull/872) - thanks [@Ivkaa](https://github.com/Ivkaa) - [Typescript fixes for connect logger context](https://github.com/log4js-node/log4js-node/pull/876) - thanks [@leak4mk0](https://github.com/leak4mk0) - [Upgrade to streamroller-1.0.5 to fix log rotation bug](https://github.com/log4js-node/log4js-node/pull/878) ## 4.1.1 - [Various test fixes for node v12](https://github.com/log4js-node/log4js-node/pull/870) - [Fix layout problem in node v12](https://github.com/log4js-node/log4js-node/pull/860) - thanks [@bjornstar](https://github.com/bjornstar) - [Add missing types for addLevels](https://github.com/log4js-node/log4js-node/pull/867) - thanks [@Ivkaa](https://github.com/Ivkaa) - [Allow any return type for layout function](https://github.com/log4js-node/log4js-node/pull/845) - thanks [@xinbenlv](https://github.com/xinbenlv) ## 4.1.0 - Updated streamroller to 1.0.4, to fix a bug where the inital size of an existing file was ignored when appending - [Updated streamroller to 1.0.3](https://github.com/log4js-node/log4js-node/pull/841), to fix a crash bug if the date pattern was all digits. - [Updated dependencies](https://github.com/log4js-node/log4js-node/pull/840) ## Previous versions Change information for older versions can be found by looking at the milestones in github.
# log4js-node Changelog ## 6.5.2 - [type: add LogEvent.serialise](https://github.com/log4js-node/log4js-node/pull/1260) - thanks [@marrowleaves](https://github.com/marrowleaves) ## 6.5.1 - [fix: fs.appendFileSync should use flag instead of flags](https://github.com/log4js-node/log4js-node/pull/1257) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1258) - thanks [@lamweili](https://github.com/lamweili) - chore(deps): bump streamroller from 3.1.0 to 3.1.1 - chore(deps): updated package-lock.json ## 6.5.0 - [feat: logger.log() to be synonym of logger.info()](https://github.com/log4js-node/log4js-node/pull/1254) - thanks [@lamweili](https://github.com/lamweili) - [feat: tilde expansion for filename](https://github.com/log4js-node/log4js-node/pull/1252) - thanks [@lamweili](https://github.com/lamweili) - [fix: better file validation](https://github.com/log4js-node/log4js-node/pull/1251) - thanks [@lamweili](https://github.com/lamweili) - [fix: fallback for logger.log outputs nothing](https://github.com/log4js-node/log4js-node/pull/1247) - thanks [@lamweili](https://github.com/lamweili) - [docs: updated fileAppender maxLogSize documentation](https://github.com/log4js-node/log4js-node/pull/1248) - thanks [@lamweili](https://github.com/lamweili) - [ci: enforced 100% test coverage tests](https://github.com/log4js-node/log4js-node/pull/1253) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1256) - thanks [@lamweili](https://github.com/lamweili) - chore(deps-dev): bump eslint from 8.15.0 to 8.16.0 - chore(deps): bump streamroller from 3.0.9 to 3.1.0 - chore(deps): updated package-lock.json ## 6.4.7 - [fix: dateFileAppender unable to use units in maxLogSize](https://github.com/log4js-node/log4js-node/pull/1243) - thanks [@lamweili](https://github.com/lamweili) - [type: added fileNameSep for FileAppender and DateFileAppender](https://github.com/log4js-node/log4js-node/pull/1241) - thanks [@lamweili](https://github.com/lamweili) - [docs: updated usage of units for maxLogSize](https://github.com/log4js-node/log4js-node/pull/1242) - thanks [@lamweili](https://github.com/lamweili) - [docs: updated comments in typescript def](https://github.com/log4js-node/log4js-node/pull/1240) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1244) - thanks [@lamweili](https://github.com/lamweili) - chore(deps-dev): bump eslint from 8.14.0 to 8.15.0 - chore(deps-dev): bump husky from 7.0.4 to 8.0.1 - chore(deps-dev): bump tap from 16.1.0 to 16.2.0 - chore(deps-dev): bump typescript from 4.6.3 to 4.6.4 - chore(deps): bump date-format from 4.0.9 to 4.0.10 - chore(deps): bump streamroller from 3.0.8 to 3.0.9 - chore(deps): updated package-lock.json - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1238) - thanks [@lamweili](https://github.com/lamweili) - chore(deps-dev): bump tap from 16.0.1 to 16.1.0 - chore(deps-dev): updated package-lock.json ## 6.4.6 - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1236) - thanks [@lamweili](https://github.com/lamweili) - chore(deps-dev): bump eslint from 8.13.0 to 8.14.0 - chore(deps): bump date-format from 4.0.7 to 4.0.9 - chore(deps): bump streamroller from 3.0.7 to 3.0.8 - fix: [#1216](https://github.com/log4js-node/log4js-node/issues/1216) where promise rejection is not handled ([[email protected] changelog](https://github.com/log4js-node/streamroller/blob/master/CHANGELOG.md)) - chore(deps): updated package-lock.json - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1234) - thanks [@lamweili](https://github.com/lamweili) - chore(deps): bump fs-extra from 10.0.1 to 10.1.0 - chore(deps): updated package-lock.json ## 6.4.5 - [fix: deserialise for enableCallStack features: filename, lineNumber, columnNumber, callStack](https://github.com/log4js-node/log4js-node/pull/1230) - thanks [@lamweili](https://github.com/lamweili) - [fix: fileDepth for ESM](https://github.com/log4js-node/log4js-node/pull/1224) - thanks [@lamweili](https://github.com/lamweili) - [refactor: replace deprecated String.prototype.substr()](https://github.com/log4js-node/log4js-node/pull/1223) - thanks [@CommanderRoot](https://github.com/CommanderRoot) - [type: LogEvent types](https://github.com/log4js-node/log4js-node/pull/1231) - thanks [@lamweili](https://github.com/lamweili) - [docs: updated typescript usage](https://github.com/log4js-node/log4js-node/pull/1229) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1232) - thanks [@lamweili](https://github.com/lamweili) - chore(deps): bump date-format from 4.0.6 to 4.0.7 - chore(deps): bump streamroller from 3.0.6 to 3.0.7 - fix: [#1225](https://github.com/log4js-node/log4js-node/issues/1225) where fs-extra throws error when fs.realpath.native is undefined ([[email protected] changelog](https://github.com/log4js-node/streamroller/blob/master/CHANGELOG.md)) - chore(deps): updated package-lock.json - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1228) - thanks [@lamweili](https://github.com/lamweili) - chore(deps-dev): bump eslint from 8.11.0 to 8.13.0 - chore(deps-dev): bump eslint-plugin-import from 2.25.4 to 2.26.0 - chore(deps-dev): bump tap from 16.0.0 to 16.0.1 - chore(deps-dev): bump typescript from 4.6.2 to 4.6.3 - chore(deps-dev): updated package-lock.json - [chore(deps-dev): bump minimist from 1.2.5 to 1.2.6](https://github.com/log4js-node/log4js-node/pull/1227) - thanks [@Dependabot](https://github.com/dependabot) ## 6.4.4 - [fix: set logger.level on runtime will no longer wrongly reset useCallStack](https://github.com/log4js-node/log4js-node/pull/1217) - thanks [@lamweili](https://github.com/lamweili) - [docs: updated docs for broken links and inaccessible pages](https://github.com/log4js-node/log4js-node/pull/1219) - thanks [@lamweili](https://github.com/lamweili) - [docs: broken link to gelf appender](https://github.com/log4js-node/log4js-node/pull/1218) - thanks [@mattalexx](https://github.com/mattalexx) - [docs: updated docs for appenders module loading](https://github.com/log4js-node/log4js-node/pull/985) - thanks [@leonimurilo](https://github.com/leonimurilo) - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1221) - thanks [@lamweili](https://github.com/lamweili) - chore(deps): bump streamroller from 3.0.5 to 3.0.6 - chore(deps): bump debug from 4.3.3 to 4.3.4 - chore(deps): bump date-format from 4.0.5 to 4.0.6 - chore(deps-dev): bump prettier from 2.5.1 to 2.6.0 - chore(deps): updated package-lock.json ## 6.4.3 - [fix: added filename validation](https://github.com/log4js-node/log4js-node/pull/1201) - thanks [@lamweili](https://github.com/lamweili) - [refactor: do not initialise default appenders as it will be done again by configure()](https://github.com/log4js-node/log4js-node/pull/1210) - thanks [@lamweili](https://github.com/lamweili) - [refactor: defensive coding for cluster=null if require('cluster') fails in try-catch ](https://github.com/log4js-node/log4js-node/pull/1199) - thanks [@lamweili](https://github.com/lamweili) - [refactor: removed redundant logic in tcp-serverAppender](https://github.com/log4js-node/log4js-node/pull/1198) - thanks [@lamweili](https://github.com/lamweili) - [refactor: removed redundant logic in multiprocessAppender](https://github.com/log4js-node/log4js-node/pull/1197) - thanks [@lamweili](https://github.com/lamweili) - test: 100% test coverage - thanks [@lamweili](https://github.com/lamweili) - test: part 1 of 3: https://github.com/log4js-node/log4js-node/pull/1200 - test: part 2 of 3: https://github.com/log4js-node/log4js-node/pull/1204 - test: part 3 of 3: https://github.com/log4js-node/log4js-node/pull/1205 - [test: improved test cases](https://github.com/log4js-node/log4js-node/pull/1211) - [docs: updated README.md with badges](https://github.com/log4js-node/log4js-node/pull/1209) - thanks [@lamweili](https://github.com/lamweili) - [docs: added docs for istanbul ignore](https://github.com/log4js-node/log4js-node/pull/1208) - thanks [@lamweili](https://github.com/lamweili) - [docs: updated logger api docs](https://github.com/log4js-node/log4js-node/pull/1203) - thanks [@lamweili](https://github.com/lamweili) - [docs: updated file and fileSync appender docs](https://github.com/log4js-node/log4js-node/pull/1202) - thanks [@lamweili](https://github.com/lamweili) - [chore(lint): improve eslint rules](https://github.com/log4js-node/log4js-node/pull/1206) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1207) - thanks [@lamweili](https://github.com/lamweili) - chore(deps-dev): bump eslint from 8.10.0 to 8.11.0 - chore(deps-dev): bump eslint-config-airbnb-base from 13.2.0 to 15.0.0 - chore(deps-dev): bump eslint-config-prettier from 8.4.0 to 8.5.0 - chore(deps-dev): bump tap from 15.1.6 to 16.0.0 - chore(deps): bump date-format from 4.0.4 to 4.0.5 - chore(deps): bump streamroller from 3.0.4 to 3.0.5 - chore(deps): updated package-lock.json ## 6.4.2 - [fix: fileSync appender to create directory recursively](https://github.com/log4js-node/log4js-node/pull/1191) - thanks [@lamweili](https://github.com/lamweili) - [fix: serialise() for NaN, Infinity, -Infinity and undefined](https://github.com/log4js-node/log4js-node/pull/1188) - thanks [@lamweili](https://github.com/lamweili) - [fix: connectLogger not logging on close](https://github.com/log4js-node/log4js-node/pull/1179) - thanks [@lamweili](https://github.com/lamweili) - [refactor: defensive coding](https://github.com/log4js-node/log4js-node/pull/1183) - thanks [@lamweili](https://github.com/lamweili) - [type: fixed Logger constructor](https://github.com/log4js-node/log4js-node/pull/1177) - thanks [@lamweili](https://github.com/lamweili) - [test: improve test coverage](https://github.com/log4js-node/log4js-node/pull/1184) - thanks [@lamweili](https://github.com/lamweili) - [test: refactor and replaced tap deprecation in preparation for tap v15](https://github.com/log4js-node/log4js-node/pull/1172) - thanks [@lamweili](https://github.com/lamweili) - [test: added e2e test for multiprocess Appender](https://github.com/log4js-node/log4js-node/pull/1170) - thanks [@nicojs](https://github.com/nicojs) - [docs: updated file appender docs](https://github.com/log4js-node/log4js-node/pull/1182) - thanks [@lamweili](https://github.com/lamweili) - [docs: updated dateFile appender docs](https://github.com/log4js-node/log4js-node/pull/1181) - thanks [@lamweili](https://github.com/lamweili) - [docs: corrected typo in sample code for multiFile appender](https://github.com/log4js-node/log4js-node/pull/1180) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): updated deps-dev](https://github.com/log4js-node/log4js-node/pull/1194) - thanks [@lamweili](https://github.com/lamweili) - chore(deps): bump date-format from 4.0.3 to 4.0.4 - chore(deps): bump streamroller from 3.0.2 to 3.0.4 - fix: [#1189](https://github.com/log4js-node/log4js-node/issues/1189) for an compatibility issue with directory creation for NodeJS < 10.12.0 ([[email protected] changelog](https://github.com/log4js-node/streamroller/blob/master/CHANGELOG.md)) - chore(deps-dev): bump eslint from 8.8.0 to 8.10.0 - chore(deps-dev): bump eslint-config-prettier from 8.3.0 to 8.4.0 - chore(deps-dev): bump fs-extra from 10.0.0 to 10.0.1 - chore(deps-dev): bump typescript from 4.5.5 to 4.6.2 - [chore(deps): updated deps-dev](https://github.com/log4js-node/log4js-node/pull/1185) - thanks [@lamweili](https://github.com/lamweili) - chore(deps): bump flatted from 3.2.4 to 3.2.5 - chore(deps-dev): bump eslint from 8.7.0 to 8.8.0 - [chore(deps): updated package-lock.json](https://github.com/log4js-node/log4js-node/pull/1174) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps-dev): bump tap from 14.10.7 to 15.1.6](https://github.com/log4js-node/log4js-node/pull/1173) - thanks [@lamweili](https://github.com/lamweili) ## 6.4.1 - [fix: startup multiprocess even when no direct appenders](https://github.com/log4js-node/log4js-node/pull/1162) - thanks [@nicojs](https://github.com/nicojs) - [refactor: fixed eslint warnings](https://github.com/log4js-node/log4js-node/pull/1165) - thanks [@lamweili](https://github.com/lamweili) - [refactor: additional alias for date patterns](https://github.com/log4js-node/log4js-node/pull/1163) - thanks [@lamweili](https://github.com/lamweili) - [refactor: added emitWarning for deprecation](https://github.com/log4js-node/log4js-node/pull/1164) - thanks [@lamweili](https://github.com/lamweili) - [type: Fixed wrong types from 6.4.0 regression](https://github.com/log4js-node/log4js-node/pull/1158) - thanks [@glasser](https://github.com/glasser) - [docs: changed author to contributors in package.json](https://github.com/log4js-node/log4js-node/pull/1153) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): bump node-fetch from 2.6.6 to 2.6.7](https://github.com/log4js-node/log4js-node/pull/1167) - thanks [@Dependabot](https://github.com/dependabot) - [chore(deps-dev): bump typescript from 4.5.4 to 4.5.5](https://github.com/log4js-node/log4js-node/pull/1166) - thanks [@lamweili](https://github.com/lamweili) ## 6.4.0 - BREAKING CHANGE 💥 New default file permissions may cause external applications unable to read logs. A [manual code/configuration change](https://github.com/log4js-node/log4js-node/pull/1141#issuecomment-1076224470) is required. - [feat: added warnings when log() is used with invalid levels before fallbacking to INFO](https://github.com/log4js-node/log4js-node/pull/1062) - thanks [@abernh](https://github.com/abernh) - [feat: exposed Recording](https://github.com/log4js-node/log4js-node/pull/1103) - thanks [@polo-language](https://github.com/polo-language) - [fix: default file permission to be 0o600 instead of 0o644](https://github.com/log4js-node/log4js-node/pull/1141) - thanks [ranjit-git](https://www.huntr.dev/users/ranjit-git) and [@lamweili](https://github.com/lamweili) - [docs: updated fileSync.md and misc comments](https://github.com/log4js-node/log4js-node/pull/1148) - thanks [@lamweili](https://github.com/lamweili) - [fix: file descriptor leak if repeated configure()](https://github.com/log4js-node/log4js-node/pull/1113) - thanks [@lamweili](https://github.com/lamweili) - [fix: MaxListenersExceededWarning from NodeJS](https://github.com/log4js-node/log4js-node/pull/1110) - thanks [@lamweili](https://github.com/lamweili) - [test: added assertion for increase of SIGHUP listeners on log4js.configure()](https://github.com/log4js-node/log4js-node/pull/1142) - thanks [@lamweili](https://github.com/lamweili) - [fix: missing TCP appender with Webpack and Typescript](https://github.com/log4js-node/log4js-node/pull/1028) - thanks [@techmunk](https://github.com/techmunk) - [fix: dateFile appender exiting NodeJS on error](https://github.com/log4js-node/log4js-node/pull/1097) - thanks [@4eb0da](https://github.com/4eb0da) - [refactor: using writer.writable instead of alive for checking](https://github.com/log4js-node/log4js-node/pull/1144) - thanks [@lamweili](https://github.com/lamweili) - [fix: TCP appender exiting NodeJS on error](https://github.com/log4js-node/log4js-node/pull/1089) - thanks [@jhonatanTeixeira](https://github.com/jhonatanTeixeira) - [fix: multiprocess appender exiting NodeJS on error](https://github.com/log4js-node/log4js-node/pull/529) - thanks [@harlentan](https://github.com/harlentan) - [test: update fakeFS.read as graceful-fs uses it](https://github.com/log4js-node/log4js-node/pull/1127) - thanks [@lamweili](https://github.com/lamweili) - [test: update fakeFS.realpath as fs-extra uses it](https://github.com/log4js-node/log4js-node/pull/1128) - thanks [@lamweili](https://github.com/lamweili) - test: added tap.tearDown() to clean up test files - test: [#1143](https://github.com/log4js-node/log4js-node/pull/1143) - thanks [@lamweili](https://github.com/lamweili) - test: [#1022](https://github.com/log4js-node/log4js-node/pull/1022) - thanks [@abetomo](https://github.com/abetomo) - [type: improved @types for AppenderModule](https://github.com/log4js-node/log4js-node/pull/1079) - thanks [@nicobao](https://github.com/nicobao) - [type: Updated fileSync appender types](https://github.com/log4js-node/log4js-node/pull/1116) - thanks [@lamweili](https://github.com/lamweili) - [type: Removed erroneous type in file appender](https://github.com/log4js-node/log4js-node/pull/1031) - thanks [@vdmtrv](https://github.com/vdmtrv) - [type: Updated Logger.log type](https://github.com/log4js-node/log4js-node/pull/1115) - thanks [@ZLundqvist](https://github.com/ZLundqvist) - [type: Updated Logger.\_log type](https://github.com/log4js-node/log4js-node/pull/1117) - thanks [@lamweili](https://github.com/lamweili) - [type: Updated Logger.level type](https://github.com/log4js-node/log4js-node/pull/1118) - thanks [@lamweili](https://github.com/lamweili) - [type: Updated Levels.getLevel type](https://github.com/log4js-node/log4js-node/pull/1072) - thanks [@saulzhong](https://github.com/saulzhong) - [chore(deps): bump streamroller from 3.0.1 to 3.0.2](https://github.com/log4js-node/log4js-node/pull/1147) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): bump date-format from 4.0.2 to 4.0.3](https://github.com/log4js-node/log4js-node/pull/1146) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps-dev): bump eslint from from 8.6.0 to 8.7.0](https://github.com/log4js-node/log4js-node/pull/1145) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps-dev): bump nyc from 14.1.1 to 15.1.0](https://github.com/log4js-node/log4js-node/pull/1140) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps-dev): bump eslint from 5.16.0 to 8.6.0](https://github.com/log4js-node/log4js-node/pull/1138) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): bump flatted from 2.0.2 to 3.2.4](https://github.com/log4js-node/log4js-node/pull/1137) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps-dev): bump fs-extra from 8.1.0 to 10.0.0](https://github.com/log4js-node/log4js-node/pull/1136) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): bump streamroller from 2.2.4 to 3.0.1](https://github.com/log4js-node/log4js-node/pull/1135) - thanks [@lamweili](https://github.com/lamweili) - [fix: compressed file ignores dateFile appender "mode"](https://github.com/log4js-node/streamroller/pull/65) - thanks [@rnd-debug](https://github.com/rnd-debug) - fix: [#1039](https://github.com/log4js-node/log4js-node/issues/1039) where there is an additional separator in filename ([[email protected] changelog](https://github.com/log4js-node/streamroller/blob/master/CHANGELOG.md)) - fix: [#1035](https://github.com/log4js-node/log4js-node/issues/1035), [#1080](https://github.com/log4js-node/log4js-node/issues/1080) for daysToKeep naming confusion ([[email protected] changelog](https://github.com/log4js-node/streamroller/blob/master/CHANGELOG.md)) - [refactor: migrated from daysToKeep to numBackups due to streamroller@^3.0.0](https://github.com/log4js-node/log4js-node/pull/1149) - thanks [@lamweili](https://github.com/lamweili) - [feat: allows for zero backups](https://github.com/log4js-node/log4js-node/pull/1151) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): bump date-format from 3.0.0 to 4.0.2](https://github.com/log4js-node/log4js-node/pull/1134) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1130) - thanks [@lamweili](https://github.com/lamweili) - chore(deps-dev): bump eslint-config-prettier from 6.15.0 to 8.3.0 - chore(deps-dev): bump eslint-plugin-prettier from 3.4.1 to 4.0.0 - chore(deps-dev): bump husky from 3.1.0 to 7.0.4 - chore(deps-dev): bump prettier from 1.19.0 to 2.5.1 - chore(deps-dev): bump typescript from 3.9.10 to 4.5.4 - [chore(deps-dev): bump eslint-config-prettier from 6.15.0 to 8.3.0](https://github.com/log4js-node/log4js-node/pull/1129) - thanks [@lamweili](https://github.com/lamweili) - [chore(deps): updated dependencies](https://github.com/log4js-node/log4js-node/pull/1121) - thanks [@lamweili](https://github.com/lamweili) - chore(deps-dev): bump codecov from 3.6.1 to 3.8.3 - chore(deps-dev): bump eslint-config-prettier from 6.5.0 to 6.15.0 - chore(deps-dev): bump eslint-import-resolver-node from 0.3.2 to 0.3.6 - chore(deps-dev): bump eslint-plugin-import" from 2.18.2 to 2.25.4 - chore(deps-dev): bump eslint-plugin-prettier from 3.1.1 to 3.4.1 - chore(deps-dev): bump husky from 3.0.9 to 3.1.0 - chore(deps-dev): bump prettier from 1.18.2 to 1.19.1 - chore(deps-dev): bump typescript from 3.7.2 to 3.9.10 - [chore(deps): bump path-parse from 1.0.6 to 1.0.7](https://github.com/log4js-node/log4js-node/pull/1120) - thanks [@Dependabot](https://github.com/dependabot) - [chore(deps): bump glob-parent from 5.1.1 to 5.1.2](https://github.com/log4js-node/log4js-node/pull/1084) - thanks [@Dependabot](https://github.com/dependabot) - [chore(deps): bump hosted-git-info from 2.7.1 to 2.8.9](https://github.com/log4js-node/log4js-node/pull/1076) - thanks [@Dependabot](https://github.com/dependabot) - [chore(deps): bump lodash from 4.17.14 to 4.17.21](https://github.com/log4js-node/log4js-node/pull/1075) - thanks [@Dependabot](https://github.com/dependabot) - [chore(deps): bump y18n from 4.0.0 to 4.0.1](https://github.com/log4js-node/log4js-node/pull/1070) - thanks [@Dependabot](https://github.com/dependabot) - [chore(deps): bump node-fetch from 2.6.0 to 2.6.1](https://github.com/log4js-node/log4js-node/pull/1047) - thanks [@Dependabot](https://github.com/dependabot) - [chore(deps): bump yargs-parser from 13.1.1 to 13.1.2](https://github.com/log4js-node/log4js-node/pull/1045) - thanks [@Dependabot](https://github.com/dependabot) - [chore(deps-dev): bump codecov from 3.6.5 to 3.7.1](https://github.com/log4js-node/log4js-node/pull/1033) - thanks [@Dependabot](https://github.com/dependabot) ## 6.3.0 - [Add option to file appender to remove ANSI colours](https://github.com/log4js-node/log4js-node/pull/1001) - thanks [@BlueCocoa](https://github.com/BlueCocoa) - [Do not create appender if no categories use it](https://github.com/log4js-node/log4js-node/pull/1002) - thanks [@rnd-debug](https://github.com/rnd-debug) - [Docs: better categories inheritance description](https://github.com/log4js-node/log4js-node/pull/1003) - thanks [@rnd-debug](https://github.com/rnd-debug) - [Better jsdoc docs](https://github.com/log4js-node/log4js-node/pull/1004) - thanks [@wataash](https://github.com/wataash) - [Typescript: access category field in Logger](https://github.com/log4js-node/log4js-node/pull/1006) - thanks [@rtvd](https://github.com/rtvd) - [Docs: influxdb appender](https://github.com/log4js-node/log4js-node/pull/1014) - thanks [@rnd-debug](https://github.com/rnd-debug) - [Support for fileSync appender in webpack](https://github.com/log4js-node/log4js-node/pull/1015) - thanks [@lauren-li](https://github.com/lauren-li) - [Docs: UDP appender](https://github.com/log4js-node/log4js-node/pull/1018) - thanks [@iassasin](https://github.com/iassasin) - [Style: spaces and tabs](https://github.com/log4js-node/log4js-node/pull/1016) - thanks [@abetomo](https://github.com/abetomo) ## 6.2.1 - [Update streamroller to 2.2.4 to fix incorrect filename matching during log rotation](https://github.com/log4js-node/log4js-node/pull/996) ## 6.2.0 - [Add custom message end token to TCP appender](https://github.com/log4js-node/log4js-node/pull/994) - thanks [@rnd-debug](https://github.com/rnd-debug) - [Update acorn (dev dep of a dep)](https://github.com/log4js-node/log4js-node/pull/992) - thanks Github Robots. ## 6.1.2 - [Handle out-of-order appender loading](https://github.com/log4js-node/log4js-node/pull/986) - thanks [@mvastola](https://github.com/mvastola) ## 6.1.1 - [Add guards for undefined shutdown callback](https://github.com/log4js-node/log4js-node/pull/972) - thanks [@aaron-edwards](https://github.com/aaron-edwards) - [Ignore .bob files](https://github.com/log4js-node/log4js-node/pull/975) - thanks [@cesine](https://github.com/cesine) - [Add mark method to type definitions](https://github.com/log4js-node/log4js-node/pull/984) - thanks [@techmunk](https://github.com/techmunk) ## 6.1.0 - [Add pause event to dateFile appender](https://github.com/log4js-node/log4js-node/pull/965) - thanks [@shayantabatabaee](https://github.com/shayantabatabaee) - [Add pause event to file appender](https://github.com/log4js-node/log4js-node/pull/938) - thanks [@shayantabatabaee](https://github.com/shayantabatabaee) - [Add pause/resume event to docs](https://github.com/log4js-node/log4js-node/pull/966) ## 6.0.0 - [Update streamroller to fix unhandled promise rejection](https://github.com/log4js-node/log4js-node/pull/962) - [Updated date-format library](https://github.com/log4js-node/log4js-node/pull/960) ## 5.3.0 - [Padding and truncation changes](https://github.com/log4js-node/log4js-node/pull/956) ## 5.2.2 - [Update streamroller to fix overwriting old files when using date rolling](https://github.com/log4js-node/log4js-node/pull/951) ## 5.2.1 - [Update streamroller to fix numToKeep not working with dateFile pattern that is all digits](https://github.com/log4js-node/log4js-node/pull/949) ## 5.2.0 - [Update streamroller to 2.2.0 (copy and truncate when file is busy)](https://github.com/log4js-node/log4js-node/pull/948) ## 5.1.0 - [Update streamroller to 2.1.0 (windows fixes)](https://github.com/log4js-node/log4js-node/pull/933) ## 5.0.0 - [Update streamroller to 2.0.0 (remove support for node v6)](https://github.com/log4js-node/log4js-node/pull/922) - [Update dependencies (mostly dev deps)](https://github.com/log4js-node/log4js-node/pull/923) - [Fix error when cluster not available](https://github.com/log4js-node/log4js-node/pull/930) - [Test coverage improvements](https://github.com/log4js-node/log4js-node/pull/925) ## 4.5.1 - [Update streamroller 1.0.5 -> 1.0.6 (to fix overwriting old backup log files)](https://github.com/log4js-node/log4js-node/pull/918) - [Dependency update: lodash 4.17.4 (dependency of a dependency, not log4js)](https://github.com/log4js-node/log4js-node/pull/917) - thanks Github Automated Security Thing. - [Dependency update: lodash 4.4.0 -> 4.5.0 (dependency of a dependency, not log4js)](https://github.com/log4js-node/log4js-node/pull/915) - thanks Github Automated Security Thing. ## 4.5.0 - [Override call stack parsing](https://github.com/log4js-node/log4js-node/pull/914) - thanks [@rommni](https://github.com/rommni) - [patternLayout filename depth token](https://github.com/log4js-node/log4js-node/pull/913) - thanks [@rommni](https://github.com/rommni) ## 4.4.0 - [Add option to pass appender module in config](https://github.com/log4js-node/log4js-node/pull/833) - thanks [@kaxelson](https://github.com/kaxelson) - [Added docs for passing appender module](https://github.com/log4js-node/log4js-node/pull/904) - [Updated dependencies](https://github.com/log4js-node/log4js-node/pull/900) ## 4.3.2 - [Types for enableCallStack](https://github.com/log4js-node/log4js-node/pull/897) - thanks [@citrusjunoss](https://github.com/citrusjunoss) ## 4.3.1 - [Fix for maxLogSize in dateFile appender](https://github.com/log4js-node/log4js-node/pull/889) ## 4.3.0 - [Feature: line number support](https://github.com/log4js-node/log4js-node/pull/879) - thanks [@victor0801x](https://github.com/victor0801x) - [Fix for missing core appenders in webpack](https://github.com/log4js-node/log4js-node/pull/882) ## 4.2.0 - [Feature: add appender and level inheritance](https://github.com/log4js-node/log4js-node/pull/863) - thanks [@pharapiak](https://github.com/pharapiak) - [Feature: add response to context for connectLogger](https://github.com/log4js-node/log4js-node/pull/862) - thanks [@leak4mk0](https://github.com/leak4mk0) - [Fix for broken sighup handler](https://github.com/log4js-node/log4js-node/pull/873) - [Add missing types for Level](https://github.com/log4js-node/log4js-node/pull/872) - thanks [@Ivkaa](https://github.com/Ivkaa) - [Typescript fixes for connect logger context](https://github.com/log4js-node/log4js-node/pull/876) - thanks [@leak4mk0](https://github.com/leak4mk0) - [Upgrade to streamroller-1.0.5 to fix log rotation bug](https://github.com/log4js-node/log4js-node/pull/878) ## 4.1.1 - [Various test fixes for node v12](https://github.com/log4js-node/log4js-node/pull/870) - [Fix layout problem in node v12](https://github.com/log4js-node/log4js-node/pull/860) - thanks [@bjornstar](https://github.com/bjornstar) - [Add missing types for addLevels](https://github.com/log4js-node/log4js-node/pull/867) - thanks [@Ivkaa](https://github.com/Ivkaa) - [Allow any return type for layout function](https://github.com/log4js-node/log4js-node/pull/845) - thanks [@xinbenlv](https://github.com/xinbenlv) ## 4.1.0 - Updated streamroller to 1.0.4, to fix a bug where the inital size of an existing file was ignored when appending - [Updated streamroller to 1.0.3](https://github.com/log4js-node/log4js-node/pull/841), to fix a crash bug if the date pattern was all digits. - [Updated dependencies](https://github.com/log4js-node/log4js-node/pull/840) ## Previous versions Change information for older versions can be found by looking at the milestones in github.
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./docs/writing-appenders.md
# Writing Appenders for Log4js Log4js can load appenders from outside its core set. To add a custom appender, the easiest way is to make it a stand-alone module and publish to npm. You can also load appenders from your own application, but they must be defined in a module. ## Loading mechanism When log4js parses your configuration, it loops through the defined appenders. For each one, it will `require` the appender initially using the `type` value prepended with './appenders' as the module identifier - this is to try loading from the core appenders first. If that fails (the module could not be found in the core appenders), then log4js will try to require the module using variations of the `type` value. Log4js checks the following places (in this order) for appenders based on the type value: 1. Bundled core appenders (within appenders directory): `require('./' + type)` 2. node_modules: `require(type)` 3. relative to the main file of your application: `require(path.dirname(require.main.filename) + '/' + type)` 4. relative to the process' current working directory: `require(process.cwd() + '/' + type)` If that fails, an error will be raised. ## Appender Modules An appender module should export a single function called `configure`. The function should accept the following arguments: - `config` - `object` - the appender's configuration object - `layouts` - `module` - gives access to the [layouts](layouts.md) module, which most appenders will need - `layout` - `function(type, config)` - this is the main function that appenders will use to find a layout - `findAppender` - `function(name)` - if your appender is a wrapper around another appender (like the [logLevelFilter](logLevelFilter.md) for example), this function can be used to find another appender by name - `levels` - `module` - gives access to the [levels](levels.md) module, which most appenders will need `configure` should return a function which accepts a logEvent, which is the appender itself. One of the simplest examples is the [stdout](stdout.md) appender. Let's run through the code. ## Example ```javascript // This is the function that generates an appender function function stdoutAppender(layout, timezoneOffset) { // This is the appender function itself return (loggingEvent) => { process.stdout.write(`${layout(loggingEvent, timezoneOffset)}\n`); }; } // stdout configure doesn't need to use findAppender, or levels function configure(config, layouts) { // the default layout for the appender let layout = layouts.colouredLayout; // check if there is another layout specified if (config.layout) { // load the layout layout = layouts.layout(config.layout.type, config.layout); } //create a new appender instance return stdoutAppender(layout, config.timezoneOffset); } //export the only function needed exports.configure = configure; ``` # Shutdown functions It's a good idea to implement a `shutdown` function on your appender instances. This function will get called by `log4js.shutdown` and signals that `log4js` has been asked to stop logging. Usually this is because of a fatal exception, or the application is being stopped. Your shutdown function should make sure that all asynchronous operations finish, and that any resources are cleaned up. The function must be named `shutdown`, take one callback argument, and be a property of the appender instance. Let's add a shutdown function to the `stdout` appender as an example. ## Example (shutdown) ```javascript // This is the function that generates an appender function function stdoutAppender(layout, timezoneOffset) { // This is the appender function itself const appender = (loggingEvent) => { process.stdout.write(`${layout(loggingEvent, timezoneOffset)}\n`); }; // add a shutdown function. appender.shutdown = (done) => { process.stdout.write("", done); }; return appender; } // ... rest of the code as above ```
# Writing Appenders for Log4js Log4js can load appenders from outside its core set. To add a custom appender, the easiest way is to make it a stand-alone module and publish to npm. You can also load appenders from your own application, but they must be defined in a module. ## Loading mechanism When log4js parses your configuration, it loops through the defined appenders. For each one, it will `require` the appender initially using the `type` value prepended with './appenders' as the module identifier - this is to try loading from the core appenders first. If that fails (the module could not be found in the core appenders), then log4js will try to require the module using variations of the `type` value. Log4js checks the following places (in this order) for appenders based on the type value: 1. Bundled core appenders (within appenders directory): `require('./' + type)` 2. node_modules: `require(type)` 3. relative to the main file of your application: `require(path.dirname(require.main.filename) + '/' + type)` 4. relative to the process' current working directory: `require(process.cwd() + '/' + type)` If that fails, an error will be raised. ## Appender Modules An appender module should export a single function called `configure`. The function should accept the following arguments: - `config` - `object` - the appender's configuration object - `layouts` - `module` - gives access to the [layouts](layouts.md) module, which most appenders will need - `layout` - `function(type, config)` - this is the main function that appenders will use to find a layout - `findAppender` - `function(name)` - if your appender is a wrapper around another appender (like the [logLevelFilter](logLevelFilter.md) for example), this function can be used to find another appender by name - `levels` - `module` - gives access to the [levels](levels.md) module, which most appenders will need `configure` should return a function which accepts a logEvent, which is the appender itself. One of the simplest examples is the [stdout](stdout.md) appender. Let's run through the code. ## Example ```javascript // This is the function that generates an appender function function stdoutAppender(layout, timezoneOffset) { // This is the appender function itself return (loggingEvent) => { process.stdout.write(`${layout(loggingEvent, timezoneOffset)}\n`); }; } // stdout configure doesn't need to use findAppender, or levels function configure(config, layouts) { // the default layout for the appender let layout = layouts.colouredLayout; // check if there is another layout specified if (config.layout) { // load the layout layout = layouts.layout(config.layout.type, config.layout); } //create a new appender instance return stdoutAppender(layout, config.timezoneOffset); } //export the only function needed exports.configure = configure; ``` # Shutdown functions It's a good idea to implement a `shutdown` function on your appender instances. This function will get called by `log4js.shutdown` and signals that `log4js` has been asked to stop logging. Usually this is because of a fatal exception, or the application is being stopped. Your shutdown function should make sure that all asynchronous operations finish, and that any resources are cleaned up. The function must be named `shutdown`, take one callback argument, and be a property of the appender instance. Let's add a shutdown function to the `stdout` appender as an example. ## Example (shutdown) ```javascript // This is the function that generates an appender function function stdoutAppender(layout, timezoneOffset) { // This is the appender function itself const appender = (loggingEvent) => { process.stdout.write(`${layout(loggingEvent, timezoneOffset)}\n`); }; // add a shutdown function. appender.shutdown = (done) => { process.stdout.write("", done); }; return appender; } // ... rest of the code as above ```
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./.git/logs/refs/heads/master
0000000000000000000000000000000000000000 bd457888eb91b9e932fe8f66d720cf2d9d6442f4 jupyter <[email protected]> 1704849661 +0000 clone: from https://github.com/log4js-node/log4js-node.git
0000000000000000000000000000000000000000 bd457888eb91b9e932fe8f66d720cf2d9d6442f4 jupyter <[email protected]> 1704849661 +0000 clone: from https://github.com/log4js-node/log4js-node.git
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./.git/hooks/pre-commit.sample
#!/bin/sh # # An example hook script to verify what is about to be committed. # Called by "git commit" with no arguments. The hook should # exit with non-zero status after issuing an appropriate message if # it wants to stop the commit. # # To enable this hook, rename this file to "pre-commit". if git rev-parse --verify HEAD >/dev/null 2>&1 then against=HEAD else # Initial commit: diff against an empty tree object against=$(git hash-object -t tree /dev/null) fi # If you want to allow non-ASCII filenames set this variable to true. allownonascii=$(git config --bool hooks.allownonascii) # Redirect output to stderr. exec 1>&2 # Cross platform projects tend to avoid non-ASCII filenames; prevent # them from being added to the repository. We exploit the fact that the # printable range starts at the space character and ends with tilde. if [ "$allownonascii" != "true" ] && # Note that the use of brackets around a tr range is ok here, (it's # even required, for portability to Solaris 10's /usr/bin/tr), since # the square bracket bytes happen to fall in the designated range. test $(git diff --cached --name-only --diff-filter=A -z $against | LC_ALL=C tr -d '[ -~]\0' | wc -c) != 0 then cat <<\EOF Error: Attempt to add a non-ASCII file name. This can cause problems if you want to work with people on other platforms. To be portable it is advisable to rename the file. If you know what you are doing you can disable this check using: git config hooks.allownonascii true EOF exit 1 fi # If there are whitespace errors, print the offending file names and fail. exec git diff-index --check --cached $against --
#!/bin/sh # # An example hook script to verify what is about to be committed. # Called by "git commit" with no arguments. The hook should # exit with non-zero status after issuing an appropriate message if # it wants to stop the commit. # # To enable this hook, rename this file to "pre-commit". if git rev-parse --verify HEAD >/dev/null 2>&1 then against=HEAD else # Initial commit: diff against an empty tree object against=$(git hash-object -t tree /dev/null) fi # If you want to allow non-ASCII filenames set this variable to true. allownonascii=$(git config --bool hooks.allownonascii) # Redirect output to stderr. exec 1>&2 # Cross platform projects tend to avoid non-ASCII filenames; prevent # them from being added to the repository. We exploit the fact that the # printable range starts at the space character and ends with tilde. if [ "$allownonascii" != "true" ] && # Note that the use of brackets around a tr range is ok here, (it's # even required, for portability to Solaris 10's /usr/bin/tr), since # the square bracket bytes happen to fall in the designated range. test $(git diff --cached --name-only --diff-filter=A -z $against | LC_ALL=C tr -d '[ -~]\0' | wc -c) != 0 then cat <<\EOF Error: Attempt to add a non-ASCII file name. This can cause problems if you want to work with people on other platforms. To be portable it is advisable to rename the file. If you know what you are doing you can disable this check using: git config hooks.allownonascii true EOF exit 1 fi # If there are whitespace errors, print the offending file names and fail. exec git diff-index --check --cached $against --
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./.editorconfig
# http://editorconfig.org root = true [*] indent_style = space end_of_line = lf indent_size = 2 charset = utf-8 trim_trailing_whitespace = true insert_final_newline = true [*.{js,ts,[cm]js,[cm]ts}] quote_type = single curly_bracket_next_line = true indent_brace_style = Allman spaces_around_operators = true spaces_around_brackets = inside continuation_indent_size = 2 [*.html] # indent_size = 4 [*{.yml,.yaml,.json}] indent_style = space indent_size = 2 [.eslintrc] indent_style = space indent_size = 2
# http://editorconfig.org root = true [*] indent_style = space end_of_line = lf indent_size = 2 charset = utf-8 trim_trailing_whitespace = true insert_final_newline = true [*.{js,ts,[cm]js,[cm]ts}] quote_type = single curly_bracket_next_line = true indent_brace_style = Allman spaces_around_operators = true spaces_around_brackets = inside continuation_indent_size = 2 [*.html] # indent_size = 4 [*{.yml,.yaml,.json}] indent_style = space indent_size = 2 [.eslintrc] indent_style = space indent_size = 2
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./lib/appenders/console.js
// eslint-disable-next-line no-console const consoleLog = console.log.bind(console); function consoleAppender(layout, timezoneOffset) { return (loggingEvent) => { consoleLog(layout(loggingEvent, timezoneOffset)); }; } function configure(config, layouts) { let layout = layouts.colouredLayout; if (config.layout) { layout = layouts.layout(config.layout.type, config.layout); } return consoleAppender(layout, config.timezoneOffset); } module.exports.configure = configure;
// eslint-disable-next-line no-console const consoleLog = console.log.bind(console); function consoleAppender(layout, timezoneOffset) { return (loggingEvent) => { consoleLog(layout(loggingEvent, timezoneOffset)); }; } function configure(config, layouts) { let layout = layouts.colouredLayout; if (config.layout) { layout = layouts.layout(config.layout.type, config.layout); } return consoleAppender(layout, config.timezoneOffset); } module.exports.configure = configure;
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./lib/appenders/fileSync.js
const debug = require('debug')('log4js:fileSync'); const path = require('path'); const fs = require('fs'); const os = require('os'); const eol = os.EOL; function touchFile(file, options) { // attempt to create the directory const mkdir = (dir) => { try { return fs.mkdirSync(dir, { recursive: true }); } catch (e) { // backward-compatible fs.mkdirSync for nodejs pre-10.12.0 (without recursive option) // recursive creation of parent first if (e.code === 'ENOENT') { mkdir(path.dirname(dir)); return mkdir(dir); } // throw error for all except EEXIST and EROFS (read-only filesystem) if (e.code !== 'EEXIST' && e.code !== 'EROFS') { throw e; } // EEXIST: throw if file and not directory // EROFS : throw if directory not found else { try { if (fs.statSync(dir).isDirectory()) { return dir; } throw e; } catch (err) { throw e; } } } }; mkdir(path.dirname(file)); // try to throw EISDIR, EROFS, EACCES fs.appendFileSync(file, '', { mode: options.mode, flag: options.flags }); } class RollingFileSync { constructor(filename, maxLogSize, backups, options) { debug('In RollingFileStream'); if (maxLogSize < 0) { throw new Error(`maxLogSize (${maxLogSize}) should be > 0`); } this.filename = filename; this.size = maxLogSize; this.backups = backups; this.options = options; this.currentSize = 0; function currentFileSize(file) { let fileSize = 0; try { fileSize = fs.statSync(file).size; } catch (e) { // file does not exist touchFile(file, options); } return fileSize; } this.currentSize = currentFileSize(this.filename); } shouldRoll() { debug( 'should roll with current size %d, and max size %d', this.currentSize, this.size ); return this.currentSize >= this.size; } roll(filename) { const that = this; const nameMatcher = new RegExp(`^${path.basename(filename)}`); function justTheseFiles(item) { return nameMatcher.test(item); } function index(filename_) { return ( parseInt(filename_.slice(`${path.basename(filename)}.`.length), 10) || 0 ); } function byIndex(a, b) { return index(a) - index(b); } function increaseFileIndex(fileToRename) { const idx = index(fileToRename); debug(`Index of ${fileToRename} is ${idx}`); if (that.backups === 0) { fs.truncateSync(filename, 0); } else if (idx < that.backups) { // on windows, you can get a EEXIST error if you rename a file to an existing file // so, we'll try to delete the file we're renaming to first try { fs.unlinkSync(`${filename}.${idx + 1}`); } catch (e) { // ignore err: if we could not delete, it's most likely that it doesn't exist } debug(`Renaming ${fileToRename} -> ${filename}.${idx + 1}`); fs.renameSync( path.join(path.dirname(filename), fileToRename), `${filename}.${idx + 1}` ); } } function renameTheFiles() { // roll the backups (rename file.n to file.n+1, where n <= numBackups) debug('Renaming the old files'); const files = fs.readdirSync(path.dirname(filename)); files .filter(justTheseFiles) .sort(byIndex) .reverse() .forEach(increaseFileIndex); } debug('Rolling, rolling, rolling'); renameTheFiles(); } // eslint-disable-next-line no-unused-vars write(chunk, encoding) { const that = this; function writeTheChunk() { debug('writing the chunk to the file'); that.currentSize += chunk.length; fs.appendFileSync(that.filename, chunk); } debug('in write'); if (this.shouldRoll()) { this.currentSize = 0; this.roll(this.filename); } writeTheChunk(); } } /** * File Appender writing the logs to a text file. Supports rolling of logs by size. * * @param file the file log messages will be written to * @param layout a function that takes a logevent and returns a string * (defaults to basicLayout). * @param logSize - the maximum size (in bytes) for a log file, * if not provided then logs won't be rotated. * @param numBackups - the number of log files to keep after logSize * has been reached (default 5) * @param options - options to be passed to the underlying stream * @param timezoneOffset - optional timezone offset in minutes (default system local) */ function fileAppender( file, layout, logSize, numBackups, options, timezoneOffset ) { if (typeof file !== 'string' || file.length === 0) { throw new Error(`Invalid filename: ${file}`); } else if (file.endsWith(path.sep)) { throw new Error(`Filename is a directory: ${file}`); } else { // handle ~ expansion: https://github.com/nodejs/node/issues/684 // exclude ~ and ~filename as these can be valid files file = file.replace(new RegExp(`^~(?=${path.sep}.+)`), os.homedir()); } file = path.normalize(file); numBackups = !numBackups && numBackups !== 0 ? 5 : numBackups; debug( 'Creating fileSync appender (', file, ', ', logSize, ', ', numBackups, ', ', options, ', ', timezoneOffset, ')' ); function openTheStream(filePath, fileSize, numFiles) { let stream; if (fileSize) { stream = new RollingFileSync(filePath, fileSize, numFiles, options); } else { stream = ((f) => { // touch the file to apply flags (like w to truncate the file) touchFile(f, options); return { write(data) { fs.appendFileSync(f, data); }, }; })(filePath); } return stream; } const logFile = openTheStream(file, logSize, numBackups); return (loggingEvent) => { logFile.write(layout(loggingEvent, timezoneOffset) + eol); }; } function configure(config, layouts) { let layout = layouts.basicLayout; if (config.layout) { layout = layouts.layout(config.layout.type, config.layout); } const options = { flags: config.flags || 'a', encoding: config.encoding || 'utf8', mode: config.mode || 0o600, }; return fileAppender( config.filename, layout, config.maxLogSize, config.backups, options, config.timezoneOffset ); } module.exports.configure = configure;
const debug = require('debug')('log4js:fileSync'); const path = require('path'); const fs = require('fs'); const os = require('os'); const eol = os.EOL; function touchFile(file, options) { // attempt to create the directory const mkdir = (dir) => { try { return fs.mkdirSync(dir, { recursive: true }); } catch (e) { // backward-compatible fs.mkdirSync for nodejs pre-10.12.0 (without recursive option) // recursive creation of parent first if (e.code === 'ENOENT') { mkdir(path.dirname(dir)); return mkdir(dir); } // throw error for all except EEXIST and EROFS (read-only filesystem) if (e.code !== 'EEXIST' && e.code !== 'EROFS') { throw e; } // EEXIST: throw if file and not directory // EROFS : throw if directory not found else { try { if (fs.statSync(dir).isDirectory()) { return dir; } throw e; } catch (err) { throw e; } } } }; mkdir(path.dirname(file)); // try to throw EISDIR, EROFS, EACCES fs.appendFileSync(file, '', { mode: options.mode, flag: options.flags }); } class RollingFileSync { constructor(filename, maxLogSize, backups, options) { debug('In RollingFileStream'); if (maxLogSize < 0) { throw new Error(`maxLogSize (${maxLogSize}) should be > 0`); } this.filename = filename; this.size = maxLogSize; this.backups = backups; this.options = options; this.currentSize = 0; function currentFileSize(file) { let fileSize = 0; try { fileSize = fs.statSync(file).size; } catch (e) { // file does not exist touchFile(file, options); } return fileSize; } this.currentSize = currentFileSize(this.filename); } shouldRoll() { debug( 'should roll with current size %d, and max size %d', this.currentSize, this.size ); return this.currentSize >= this.size; } roll(filename) { const that = this; const nameMatcher = new RegExp(`^${path.basename(filename)}`); function justTheseFiles(item) { return nameMatcher.test(item); } function index(filename_) { return ( parseInt(filename_.slice(`${path.basename(filename)}.`.length), 10) || 0 ); } function byIndex(a, b) { return index(a) - index(b); } function increaseFileIndex(fileToRename) { const idx = index(fileToRename); debug(`Index of ${fileToRename} is ${idx}`); if (that.backups === 0) { fs.truncateSync(filename, 0); } else if (idx < that.backups) { // on windows, you can get a EEXIST error if you rename a file to an existing file // so, we'll try to delete the file we're renaming to first try { fs.unlinkSync(`${filename}.${idx + 1}`); } catch (e) { // ignore err: if we could not delete, it's most likely that it doesn't exist } debug(`Renaming ${fileToRename} -> ${filename}.${idx + 1}`); fs.renameSync( path.join(path.dirname(filename), fileToRename), `${filename}.${idx + 1}` ); } } function renameTheFiles() { // roll the backups (rename file.n to file.n+1, where n <= numBackups) debug('Renaming the old files'); const files = fs.readdirSync(path.dirname(filename)); files .filter(justTheseFiles) .sort(byIndex) .reverse() .forEach(increaseFileIndex); } debug('Rolling, rolling, rolling'); renameTheFiles(); } // eslint-disable-next-line no-unused-vars write(chunk, encoding) { const that = this; function writeTheChunk() { debug('writing the chunk to the file'); that.currentSize += chunk.length; fs.appendFileSync(that.filename, chunk); } debug('in write'); if (this.shouldRoll()) { this.currentSize = 0; this.roll(this.filename); } writeTheChunk(); } } /** * File Appender writing the logs to a text file. Supports rolling of logs by size. * * @param file the file log messages will be written to * @param layout a function that takes a logevent and returns a string * (defaults to basicLayout). * @param logSize - the maximum size (in bytes) for a log file, * if not provided then logs won't be rotated. * @param numBackups - the number of log files to keep after logSize * has been reached (default 5) * @param options - options to be passed to the underlying stream * @param timezoneOffset - optional timezone offset in minutes (default system local) */ function fileAppender( file, layout, logSize, numBackups, options, timezoneOffset ) { if (typeof file !== 'string' || file.length === 0) { throw new Error(`Invalid filename: ${file}`); } else if (file.endsWith(path.sep)) { throw new Error(`Filename is a directory: ${file}`); } else { // handle ~ expansion: https://github.com/nodejs/node/issues/684 // exclude ~ and ~filename as these can be valid files file = file.replace(new RegExp(`^~(?=${path.sep}.+)`), os.homedir()); } file = path.normalize(file); numBackups = !numBackups && numBackups !== 0 ? 5 : numBackups; debug( 'Creating fileSync appender (', file, ', ', logSize, ', ', numBackups, ', ', options, ', ', timezoneOffset, ')' ); function openTheStream(filePath, fileSize, numFiles) { let stream; if (fileSize) { stream = new RollingFileSync(filePath, fileSize, numFiles, options); } else { stream = ((f) => { // touch the file to apply flags (like w to truncate the file) touchFile(f, options); return { write(data) { fs.appendFileSync(f, data); }, }; })(filePath); } return stream; } const logFile = openTheStream(file, logSize, numBackups); return (loggingEvent) => { logFile.write(layout(loggingEvent, timezoneOffset) + eol); }; } function configure(config, layouts) { let layout = layouts.basicLayout; if (config.layout) { layout = layouts.layout(config.layout.type, config.layout); } const options = { flags: config.flags || 'a', encoding: config.encoding || 'utf8', mode: config.mode || 0o600, }; return fileAppender( config.filename, layout, config.maxLogSize, config.backups, options, config.timezoneOffset ); } module.exports.configure = configure;
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./lib/log4js.js
/** * @fileoverview log4js is a library to log in JavaScript in similar manner * than in log4j for Java (but not really). * * <h3>Example:</h3> * <pre> * const logging = require('log4js'); * const log = logging.getLogger('some-category'); * * //call the log * log.trace('trace me' ); * </pre> * * NOTE: the authors below are the original browser-based log4js authors * don't try to contact them about bugs in this version :) * @author Stephan Strittmatter - http://jroller.com/page/stritti * @author Seth Chisamore - http://www.chisamore.com * @since 2005-05-20 * Website: http://log4js.berlios.de */ const debug = require('debug')('log4js:main'); const fs = require('fs'); const deepClone = require('rfdc')({ proto: true }); const configuration = require('./configuration'); const layouts = require('./layouts'); const levels = require('./levels'); const appenders = require('./appenders'); const categories = require('./categories'); const Logger = require('./logger'); const clustering = require('./clustering'); const connectLogger = require('./connect-logger'); const recordingModule = require('./appenders/recording'); let enabled = false; function sendLogEventToAppender(logEvent) { if (!enabled) return; debug('Received log event ', logEvent); const categoryAppenders = categories.appendersForCategory( logEvent.categoryName ); categoryAppenders.forEach((appender) => { appender(logEvent); }); } function loadConfigurationFile(filename) { debug(`Loading configuration from ${filename}`); try { return JSON.parse(fs.readFileSync(filename, 'utf8')); } catch (e) { throw new Error( `Problem reading config from file "${filename}". Error was ${e.message}`, e ); } } function configure(configurationFileOrObject) { if (enabled) { // eslint-disable-next-line no-use-before-define shutdown(); } let configObject = configurationFileOrObject; if (typeof configObject === 'string') { configObject = loadConfigurationFile(configurationFileOrObject); } debug(`Configuration is ${configObject}`); configuration.configure(deepClone(configObject)); clustering.onMessage(sendLogEventToAppender); enabled = true; // eslint-disable-next-line no-use-before-define return log4js; } function recording() { return recordingModule; } /** * Shutdown all log appenders. This will first disable all writing to appenders * and then call the shutdown function each appender. * * @params {Function} cb - The callback to be invoked once all appenders have * shutdown. If an error occurs, the callback will be given the error object * as the first argument. */ function shutdown(cb) { debug('Shutdown called. Disabling all log writing.'); // First, disable all writing to appenders. This prevents appenders from // not being able to be drained because of run-away log writes. enabled = false; // Clone out to maintain a reference const appendersToCheck = Array.from(appenders.values()); // Reset immediately to prevent leaks appenders.init(); categories.init(); // Call each of the shutdown functions in parallel const shutdownFunctions = appendersToCheck.reduceRight( (accum, next) => (next.shutdown ? accum + 1 : accum), 0 ); if (shutdownFunctions === 0) { debug('No appenders with shutdown functions found.'); return cb !== undefined && cb(); } let completed = 0; let error; debug(`Found ${shutdownFunctions} appenders with shutdown functions.`); function complete(err) { error = error || err; completed += 1; debug(`Appender shutdowns complete: ${completed} / ${shutdownFunctions}`); if (completed >= shutdownFunctions) { debug('All shutdown functions completed.'); if (cb) { cb(error); } } } appendersToCheck .filter((a) => a.shutdown) .forEach((a) => a.shutdown(complete)); return null; } /** * Get a logger instance. * @static * @param loggerCategoryName * @return {Logger} instance of logger for the category */ function getLogger(category) { if (!enabled) { configure( process.env.LOG4JS_CONFIG || { appenders: { out: { type: 'stdout' } }, categories: { default: { appenders: ['out'], level: 'OFF' } }, } ); } return new Logger(category || 'default'); } /** * @name log4js * @namespace Log4js * @property getLogger * @property configure * @property shutdown */ const log4js = { getLogger, configure, shutdown, connectLogger, levels, addLayout: layouts.addLayout, recording, }; module.exports = log4js;
/** * @fileoverview log4js is a library to log in JavaScript in similar manner * than in log4j for Java (but not really). * * <h3>Example:</h3> * <pre> * const logging = require('log4js'); * const log = logging.getLogger('some-category'); * * //call the log * log.trace('trace me' ); * </pre> * * NOTE: the authors below are the original browser-based log4js authors * don't try to contact them about bugs in this version :) * @author Stephan Strittmatter - http://jroller.com/page/stritti * @author Seth Chisamore - http://www.chisamore.com * @since 2005-05-20 * Website: http://log4js.berlios.de */ const debug = require('debug')('log4js:main'); const fs = require('fs'); const deepClone = require('rfdc')({ proto: true }); const configuration = require('./configuration'); const layouts = require('./layouts'); const levels = require('./levels'); const appenders = require('./appenders'); const categories = require('./categories'); const Logger = require('./logger'); const clustering = require('./clustering'); const connectLogger = require('./connect-logger'); const recordingModule = require('./appenders/recording'); let enabled = false; function sendLogEventToAppender(logEvent) { if (!enabled) return; debug('Received log event ', logEvent); const categoryAppenders = categories.appendersForCategory( logEvent.categoryName ); categoryAppenders.forEach((appender) => { appender(logEvent); }); } function loadConfigurationFile(filename) { debug(`Loading configuration from ${filename}`); try { return JSON.parse(fs.readFileSync(filename, 'utf8')); } catch (e) { throw new Error( `Problem reading config from file "${filename}". Error was ${e.message}`, e ); } } function configure(configurationFileOrObject) { if (enabled) { // eslint-disable-next-line no-use-before-define shutdown(); } let configObject = configurationFileOrObject; if (typeof configObject === 'string') { configObject = loadConfigurationFile(configurationFileOrObject); } debug(`Configuration is ${configObject}`); configuration.configure(deepClone(configObject)); clustering.onMessage(sendLogEventToAppender); enabled = true; // eslint-disable-next-line no-use-before-define return log4js; } function recording() { return recordingModule; } /** * Shutdown all log appenders. This will first disable all writing to appenders * and then call the shutdown function each appender. * * @params {Function} cb - The callback to be invoked once all appenders have * shutdown. If an error occurs, the callback will be given the error object * as the first argument. */ function shutdown(cb) { debug('Shutdown called. Disabling all log writing.'); // First, disable all writing to appenders. This prevents appenders from // not being able to be drained because of run-away log writes. enabled = false; // Clone out to maintain a reference const appendersToCheck = Array.from(appenders.values()); // Reset immediately to prevent leaks appenders.init(); categories.init(); // Call each of the shutdown functions in parallel const shutdownFunctions = appendersToCheck.reduceRight( (accum, next) => (next.shutdown ? accum + 1 : accum), 0 ); if (shutdownFunctions === 0) { debug('No appenders with shutdown functions found.'); return cb !== undefined && cb(); } let completed = 0; let error; debug(`Found ${shutdownFunctions} appenders with shutdown functions.`); function complete(err) { error = error || err; completed += 1; debug(`Appender shutdowns complete: ${completed} / ${shutdownFunctions}`); if (completed >= shutdownFunctions) { debug('All shutdown functions completed.'); if (cb) { cb(error); } } } appendersToCheck .filter((a) => a.shutdown) .forEach((a) => a.shutdown(complete)); return null; } /** * Get a logger instance. * @static * @param loggerCategoryName * @return {Logger} instance of logger for the category */ function getLogger(category) { if (!enabled) { configure( process.env.LOG4JS_CONFIG || { appenders: { out: { type: 'stdout' } }, categories: { default: { appenders: ['out'], level: 'OFF' } }, } ); } return new Logger(category || 'default'); } /** * @name log4js * @namespace Log4js * @property getLogger * @property configure * @property shutdown */ const log4js = { getLogger, configure, shutdown, connectLogger, levels, addLayout: layouts.addLayout, recording, }; module.exports = log4js;
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./test/tap/logging-test.js
const { test } = require('tap'); const sandbox = require('@log4js-node/sandboxed-module'); const util = require('util'); const recording = require('../../lib/appenders/recording'); test('log4js', (batch) => { batch.test( 'shutdown should return appenders and categories back to initial state', (t) => { const stringifyMap = (map) => JSON.stringify(Array.from(map)); const deepCopyMap = (map) => new Map(JSON.parse(stringifyMap(map))); const log4js = require('../../lib/log4js'); const appenders = require('../../lib/appenders'); const categories = require('../../lib/categories'); const initialAppenders = deepCopyMap(appenders); const initialCategories = deepCopyMap(categories); log4js.configure({ appenders: { recorder: { type: 'recording' } }, categories: { default: { appenders: ['recorder'], level: 'DEBUG' } }, }); const configuredAppenders = deepCopyMap(appenders); const configuredCategories = deepCopyMap(categories); t.not( stringifyMap(configuredAppenders), stringifyMap(initialAppenders), 'appenders should be different from initial state' ); t.not( stringifyMap(configuredCategories), stringifyMap(initialCategories), 'categories should be different from initial state' ); log4js.shutdown(() => { const finalAppenders = deepCopyMap(appenders); const finalCategories = deepCopyMap(categories); t.equal( stringifyMap(finalAppenders), stringifyMap(initialAppenders), 'appenders should revert back to initial state' ); t.equal( stringifyMap(finalCategories), stringifyMap(initialCategories), 'categories should revert back to initial state' ); t.end(); }); } ); batch.test('getLogger', (t) => { const log4js = require('../../lib/log4js'); log4js.configure({ appenders: { recorder: { type: 'recording' } }, categories: { default: { appenders: ['recorder'], level: 'DEBUG' } }, }); const logger = log4js.getLogger('tests'); t.test('should take a category and return a logger', (assert) => { assert.equal(logger.category, 'tests'); assert.equal(logger.level.toString(), 'DEBUG'); assert.type(logger.debug, 'function'); assert.type(logger.info, 'function'); assert.type(logger.warn, 'function'); assert.type(logger.error, 'function'); assert.type(logger.fatal, 'function'); assert.end(); }); t.test('log events', (assert) => { recording.reset(); logger.debug('Debug event'); logger.trace('Trace event 1'); logger.trace('Trace event 2'); logger.warn('Warning event'); logger.error('Aargh!', new Error('Pants are on fire!')); logger.error('Simulated CouchDB problem', { err: 127, cause: 'incendiary underwear', }); const events = recording.replay(); assert.equal(events[0].level.toString(), 'DEBUG'); assert.equal(events[0].data[0], 'Debug event'); assert.type(events[0].startTime, 'Date'); assert.equal(events.length, 4, 'should not emit events of a lower level'); assert.equal(events[1].level.toString(), 'WARN'); assert.type( events[2].data[1], 'Error', 'should include the error if passed in' ); assert.equal(events[2].data[1].message, 'Pants are on fire!'); assert.end(); }); t.end(); }); batch.test('when shutdown is called', (t) => { const events = { shutdownCalled: [], }; const log4js = sandbox.require('../../lib/log4js', { requires: { './appenders/file': { name: 'file', configure() { function thing(evt) { events.event = evt; return null; } thing.shutdown = function (cb) { events.shutdownCalled.push(true); cb(); }; return thing; }, }, }, }); const config = { appenders: { file: { type: 'file', filename: 'cheesy-wotsits.log', maxLogSize: 1024, backups: 3, }, alsoFile: { type: 'file', }, }, categories: { default: { appenders: ['file', 'alsoFile'], level: 'DEBUG' }, }, }; log4js.configure(config); const logger = log4js.getLogger(); log4js.shutdown(() => { t.equal( events.shutdownCalled.length, 2, 'should invoke appender shutdowns' ); logger.info('this should not go to the appenders'); logger.log('info', 'this should not go to the appenders'); logger._log(require('../../lib/levels').INFO, [ 'this should not go to the appenders', ]); t.notOk(events.event); t.end(); }); }); batch.test('configuration when passed as filename', (t) => { let appenderConfig; let configFilename; const log4js = sandbox.require('../../lib/log4js', { ignoreMissing: true, requires: { fs: { statSync() { return { mtime: Date.now() }; }, readFileSync(filename) { configFilename = filename; return JSON.stringify({ appenders: { file: { type: 'file', filename: 'whatever.log', }, }, categories: { default: { appenders: ['file'], level: 'DEBUG' } }, }); }, readdirSync() { return ['file']; }, }, './file': { configure(configuration) { appenderConfig = configuration; return function () {}; }, }, }, }); log4js.configure('/path/to/cheese.json'); t.equal( configFilename, '/path/to/cheese.json', 'should read the config from a file' ); t.equal( appenderConfig.filename, 'whatever.log', 'should pass config to appender' ); t.end(); }); batch.test('with configure not called', (t) => { const fakeStdoutAppender = { configure() { this.required = true; return function (evt) { fakeStdoutAppender.evt = evt; }; }, }; const log4js = sandbox.require('../../lib/log4js', { requires: { './appenders/stdout': fakeStdoutAppender, }, }); const logger = log4js.getLogger('some-logger'); logger.debug('This is a test'); t.ok(fakeStdoutAppender.required, 'stdout should be required'); t.notOk(fakeStdoutAppender.evt, 'should not log anything'); t.end(); }); batch.test('with configure called with empty values', (t) => { [null, undefined, '', ' ', []].forEach((config) => { const log4js = require('../../lib/log4js'); const expectedError = `Problem reading config from file "${util.inspect( config )}". Error was ENOENT: no such file or directory`; t.throws(() => log4js.configure(config), expectedError); }); t.end(); }); batch.test('configuration persistence', (t) => { const firstLog4js = require('../../lib/log4js'); firstLog4js.configure({ appenders: { recorder: { type: 'recording' } }, categories: { default: { appenders: ['recorder'], level: 'DEBUG' } }, }); recording.reset(); const secondLog4js = require('../../lib/log4js'); secondLog4js .getLogger() .info('This should go to the appender defined in firstLog4js'); t.equal( recording.replay()[0].data[0], 'This should go to the appender defined in firstLog4js' ); t.end(); }); batch.end(); });
const { test } = require('tap'); const sandbox = require('@log4js-node/sandboxed-module'); const util = require('util'); const recording = require('../../lib/appenders/recording'); test('log4js', (batch) => { batch.test( 'shutdown should return appenders and categories back to initial state', (t) => { const stringifyMap = (map) => JSON.stringify(Array.from(map)); const deepCopyMap = (map) => new Map(JSON.parse(stringifyMap(map))); const log4js = require('../../lib/log4js'); const appenders = require('../../lib/appenders'); const categories = require('../../lib/categories'); const initialAppenders = deepCopyMap(appenders); const initialCategories = deepCopyMap(categories); log4js.configure({ appenders: { recorder: { type: 'recording' } }, categories: { default: { appenders: ['recorder'], level: 'DEBUG' } }, }); const configuredAppenders = deepCopyMap(appenders); const configuredCategories = deepCopyMap(categories); t.not( stringifyMap(configuredAppenders), stringifyMap(initialAppenders), 'appenders should be different from initial state' ); t.not( stringifyMap(configuredCategories), stringifyMap(initialCategories), 'categories should be different from initial state' ); log4js.shutdown(() => { const finalAppenders = deepCopyMap(appenders); const finalCategories = deepCopyMap(categories); t.equal( stringifyMap(finalAppenders), stringifyMap(initialAppenders), 'appenders should revert back to initial state' ); t.equal( stringifyMap(finalCategories), stringifyMap(initialCategories), 'categories should revert back to initial state' ); t.end(); }); } ); batch.test('getLogger', (t) => { const log4js = require('../../lib/log4js'); log4js.configure({ appenders: { recorder: { type: 'recording' } }, categories: { default: { appenders: ['recorder'], level: 'DEBUG' } }, }); const logger = log4js.getLogger('tests'); t.test('should take a category and return a logger', (assert) => { assert.equal(logger.category, 'tests'); assert.equal(logger.level.toString(), 'DEBUG'); assert.type(logger.debug, 'function'); assert.type(logger.info, 'function'); assert.type(logger.warn, 'function'); assert.type(logger.error, 'function'); assert.type(logger.fatal, 'function'); assert.end(); }); t.test('log events', (assert) => { recording.reset(); logger.debug('Debug event'); logger.trace('Trace event 1'); logger.trace('Trace event 2'); logger.warn('Warning event'); logger.error('Aargh!', new Error('Pants are on fire!')); logger.error('Simulated CouchDB problem', { err: 127, cause: 'incendiary underwear', }); const events = recording.replay(); assert.equal(events[0].level.toString(), 'DEBUG'); assert.equal(events[0].data[0], 'Debug event'); assert.type(events[0].startTime, 'Date'); assert.equal(events.length, 4, 'should not emit events of a lower level'); assert.equal(events[1].level.toString(), 'WARN'); assert.type( events[2].data[1], 'Error', 'should include the error if passed in' ); assert.equal(events[2].data[1].message, 'Pants are on fire!'); assert.end(); }); t.end(); }); batch.test('when shutdown is called', (t) => { const events = { shutdownCalled: [], }; const log4js = sandbox.require('../../lib/log4js', { requires: { './appenders/file': { name: 'file', configure() { function thing(evt) { events.event = evt; return null; } thing.shutdown = function (cb) { events.shutdownCalled.push(true); cb(); }; return thing; }, }, }, }); const config = { appenders: { file: { type: 'file', filename: 'cheesy-wotsits.log', maxLogSize: 1024, backups: 3, }, alsoFile: { type: 'file', }, }, categories: { default: { appenders: ['file', 'alsoFile'], level: 'DEBUG' }, }, }; log4js.configure(config); const logger = log4js.getLogger(); log4js.shutdown(() => { t.equal( events.shutdownCalled.length, 2, 'should invoke appender shutdowns' ); logger.info('this should not go to the appenders'); logger.log('info', 'this should not go to the appenders'); logger._log(require('../../lib/levels').INFO, [ 'this should not go to the appenders', ]); t.notOk(events.event); t.end(); }); }); batch.test('configuration when passed as filename', (t) => { let appenderConfig; let configFilename; const log4js = sandbox.require('../../lib/log4js', { ignoreMissing: true, requires: { fs: { statSync() { return { mtime: Date.now() }; }, readFileSync(filename) { configFilename = filename; return JSON.stringify({ appenders: { file: { type: 'file', filename: 'whatever.log', }, }, categories: { default: { appenders: ['file'], level: 'DEBUG' } }, }); }, readdirSync() { return ['file']; }, }, './file': { configure(configuration) { appenderConfig = configuration; return function () {}; }, }, }, }); log4js.configure('/path/to/cheese.json'); t.equal( configFilename, '/path/to/cheese.json', 'should read the config from a file' ); t.equal( appenderConfig.filename, 'whatever.log', 'should pass config to appender' ); t.end(); }); batch.test('with configure not called', (t) => { const fakeStdoutAppender = { configure() { this.required = true; return function (evt) { fakeStdoutAppender.evt = evt; }; }, }; const log4js = sandbox.require('../../lib/log4js', { requires: { './appenders/stdout': fakeStdoutAppender, }, }); const logger = log4js.getLogger('some-logger'); logger.debug('This is a test'); t.ok(fakeStdoutAppender.required, 'stdout should be required'); t.notOk(fakeStdoutAppender.evt, 'should not log anything'); t.end(); }); batch.test('with configure called with empty values', (t) => { [null, undefined, '', ' ', []].forEach((config) => { const log4js = require('../../lib/log4js'); const expectedError = `Problem reading config from file "${util.inspect( config )}". Error was ENOENT: no such file or directory`; t.throws(() => log4js.configure(config), expectedError); }); t.end(); }); batch.test('configuration persistence', (t) => { const firstLog4js = require('../../lib/log4js'); firstLog4js.configure({ appenders: { recorder: { type: 'recording' } }, categories: { default: { appenders: ['recorder'], level: 'DEBUG' } }, }); recording.reset(); const secondLog4js = require('../../lib/log4js'); secondLog4js .getLogger() .info('This should go to the appender defined in firstLog4js'); t.equal( recording.replay()[0].data[0], 'This should go to the appender defined in firstLog4js' ); t.end(); }); batch.end(); });
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./.git/logs/HEAD
0000000000000000000000000000000000000000 bd457888eb91b9e932fe8f66d720cf2d9d6442f4 jupyter <[email protected]> 1704849661 +0000 clone: from https://github.com/log4js-node/log4js-node.git bd457888eb91b9e932fe8f66d720cf2d9d6442f4 26dcec62f9677dceba57de8cd717ff91447781c7 jupyter <[email protected]> 1704849669 +0000 checkout: moving from master to 26dcec62f9677dceba57de8cd717ff91447781c7 26dcec62f9677dceba57de8cd717ff91447781c7 c5d71e9212ed374122dfd783d2518379d5beca13 jupyter <[email protected]> 1704849669 +0000 checkout: moving from 26dcec62f9677dceba57de8cd717ff91447781c7 to c5d71e9212ed374122dfd783d2518379d5beca13 c5d71e9212ed374122dfd783d2518379d5beca13 7ebc9e0238b93b2ca48a557eb83a7cdc9850a27e jupyter <[email protected]> 1704849688 +0000 checkout: moving from c5d71e9212ed374122dfd783d2518379d5beca13 to 7ebc9e0238b93b2ca48a557eb83a7cdc9850a27e 7ebc9e0238b93b2ca48a557eb83a7cdc9850a27e 2b959bf621d07b7225bbc9f0e5e45c7fe3c1d7e5 jupyter <[email protected]> 1704849688 +0000 checkout: moving from 7ebc9e0238b93b2ca48a557eb83a7cdc9850a27e to 2b959bf621d07b7225bbc9f0e5e45c7fe3c1d7e5 2b959bf621d07b7225bbc9f0e5e45c7fe3c1d7e5 b4c75d51e2cfd51a9f172ea7f58bdfb098e718e4 jupyter <[email protected]> 1704849692 +0000 checkout: moving from 2b959bf621d07b7225bbc9f0e5e45c7fe3c1d7e5 to b4c75d51e2cfd51a9f172ea7f58bdfb098e718e4 b4c75d51e2cfd51a9f172ea7f58bdfb098e718e4 dd9827a4f24af51a3b5fa7d80427ae22e7f5619f jupyter <[email protected]> 1704849692 +0000 checkout: moving from b4c75d51e2cfd51a9f172ea7f58bdfb098e718e4 to dd9827a4f24af51a3b5fa7d80427ae22e7f5619f dd9827a4f24af51a3b5fa7d80427ae22e7f5619f cfab25c881de16e47aef1fff5df0c7ee2fa57263 jupyter <[email protected]> 1704849694 +0000 checkout: moving from dd9827a4f24af51a3b5fa7d80427ae22e7f5619f to cfab25c881de16e47aef1fff5df0c7ee2fa57263 cfab25c881de16e47aef1fff5df0c7ee2fa57263 b4c75d51e2cfd51a9f172ea7f58bdfb098e718e4 jupyter <[email protected]> 1704849694 +0000 checkout: moving from cfab25c881de16e47aef1fff5df0c7ee2fa57263 to b4c75d51e2cfd51a9f172ea7f58bdfb098e718e4 b4c75d51e2cfd51a9f172ea7f58bdfb098e718e4 f5907539ec190c6aac5f6a217e01095b27723ff5 jupyter <[email protected]> 1704849708 +0000 checkout: moving from b4c75d51e2cfd51a9f172ea7f58bdfb098e718e4 to f5907539ec190c6aac5f6a217e01095b27723ff5 f5907539ec190c6aac5f6a217e01095b27723ff5 ee0f4e46e2fc355dade05ad849e2527a67310179 jupyter <[email protected]> 1704849708 +0000 checkout: moving from f5907539ec190c6aac5f6a217e01095b27723ff5 to ee0f4e46e2fc355dade05ad849e2527a67310179 ee0f4e46e2fc355dade05ad849e2527a67310179 cfbc7a08a6395a9c9bd6ceb9573a9ca786e137d7 jupyter <[email protected]> 1704849714 +0000 checkout: moving from ee0f4e46e2fc355dade05ad849e2527a67310179 to cfbc7a08a6395a9c9bd6ceb9573a9ca786e137d7 cfbc7a08a6395a9c9bd6ceb9573a9ca786e137d7 7ca308dfde78ffc3ece68b77e30107590c61dc12 jupyter <[email protected]> 1704849714 +0000 checkout: moving from cfbc7a08a6395a9c9bd6ceb9573a9ca786e137d7 to 7ca308dfde78ffc3ece68b77e30107590c61dc12 7ca308dfde78ffc3ece68b77e30107590c61dc12 570ef530dc02d3e843a5421cb015bb8fadfe0b41 jupyter <[email protected]> 1704849716 +0000 checkout: moving from 7ca308dfde78ffc3ece68b77e30107590c61dc12 to 570ef530dc02d3e843a5421cb015bb8fadfe0b41 570ef530dc02d3e843a5421cb015bb8fadfe0b41 cfbc7a08a6395a9c9bd6ceb9573a9ca786e137d7 jupyter <[email protected]> 1704849716 +0000 checkout: moving from 570ef530dc02d3e843a5421cb015bb8fadfe0b41 to cfbc7a08a6395a9c9bd6ceb9573a9ca786e137d7 cfbc7a08a6395a9c9bd6ceb9573a9ca786e137d7 916eef11f1d2aa2f32765f956f1f674745feb8b6 jupyter <[email protected]> 1704849718 +0000 checkout: moving from cfbc7a08a6395a9c9bd6ceb9573a9ca786e137d7 to 916eef11f1d2aa2f32765f956f1f674745feb8b6 916eef11f1d2aa2f32765f956f1f674745feb8b6 570ef530dc02d3e843a5421cb015bb8fadfe0b41 jupyter <[email protected]> 1704849718 +0000 checkout: moving from 916eef11f1d2aa2f32765f956f1f674745feb8b6 to 570ef530dc02d3e843a5421cb015bb8fadfe0b41 570ef530dc02d3e843a5421cb015bb8fadfe0b41 084479c35183c9ed31484acdbc54cd34fd462684 jupyter <[email protected]> 1704849730 +0000 checkout: moving from 570ef530dc02d3e843a5421cb015bb8fadfe0b41 to 084479c35183c9ed31484acdbc54cd34fd462684 084479c35183c9ed31484acdbc54cd34fd462684 447b949ebd7a82a4bd281a021a471cae1c27dc55 jupyter <[email protected]> 1704849730 +0000 checkout: moving from 084479c35183c9ed31484acdbc54cd34fd462684 to 447b949ebd7a82a4bd281a021a471cae1c27dc55 447b949ebd7a82a4bd281a021a471cae1c27dc55 6a6029461111eb878f3110ecd782a09ef16298f7 jupyter <[email protected]> 1704849736 +0000 checkout: moving from 447b949ebd7a82a4bd281a021a471cae1c27dc55 to 6a6029461111eb878f3110ecd782a09ef16298f7 6a6029461111eb878f3110ecd782a09ef16298f7 588e793d49ae7c739e930b0c1c1995338aa6e724 jupyter <[email protected]> 1704849736 +0000 checkout: moving from 6a6029461111eb878f3110ecd782a09ef16298f7 to 588e793d49ae7c739e930b0c1c1995338aa6e724 588e793d49ae7c739e930b0c1c1995338aa6e724 be433f26c3169698aa7d8cd8b94584b6f0cb3ceb jupyter <[email protected]> 1704849740 +0000 checkout: moving from 588e793d49ae7c739e930b0c1c1995338aa6e724 to be433f26c3169698aa7d8cd8b94584b6f0cb3ceb be433f26c3169698aa7d8cd8b94584b6f0cb3ceb accaef82a280bea076cae24a2d3ad2aa08549fb1 jupyter <[email protected]> 1704849740 +0000 checkout: moving from be433f26c3169698aa7d8cd8b94584b6f0cb3ceb to accaef82a280bea076cae24a2d3ad2aa08549fb1 accaef82a280bea076cae24a2d3ad2aa08549fb1 4e460ffc02d544bdc912cb0db7c6e0a1bd6e43a3 jupyter <[email protected]> 1704849742 +0000 checkout: moving from accaef82a280bea076cae24a2d3ad2aa08549fb1 to 4e460ffc02d544bdc912cb0db7c6e0a1bd6e43a3 4e460ffc02d544bdc912cb0db7c6e0a1bd6e43a3 be433f26c3169698aa7d8cd8b94584b6f0cb3ceb jupyter <[email protected]> 1704849742 +0000 checkout: moving from 4e460ffc02d544bdc912cb0db7c6e0a1bd6e43a3 to be433f26c3169698aa7d8cd8b94584b6f0cb3ceb be433f26c3169698aa7d8cd8b94584b6f0cb3ceb b6b05d3263ae220a0fc18a25666febe328ab1c4c jupyter <[email protected]> 1704849752 +0000 checkout: moving from be433f26c3169698aa7d8cd8b94584b6f0cb3ceb to b6b05d3263ae220a0fc18a25666febe328ab1c4c b6b05d3263ae220a0fc18a25666febe328ab1c4c ea60ad0fd8ff2cb46b4a9a476de097bccb85df2a jupyter <[email protected]> 1704849752 +0000 checkout: moving from b6b05d3263ae220a0fc18a25666febe328ab1c4c to ea60ad0fd8ff2cb46b4a9a476de097bccb85df2a ea60ad0fd8ff2cb46b4a9a476de097bccb85df2a 96e305a8eb6ce9a024744ce1db1e2f927d2666fe jupyter <[email protected]> 1704849754 +0000 checkout: moving from ea60ad0fd8ff2cb46b4a9a476de097bccb85df2a to 96e305a8eb6ce9a024744ce1db1e2f927d2666fe 96e305a8eb6ce9a024744ce1db1e2f927d2666fe b6b05d3263ae220a0fc18a25666febe328ab1c4c jupyter <[email protected]> 1704849754 +0000 checkout: moving from 96e305a8eb6ce9a024744ce1db1e2f927d2666fe to b6b05d3263ae220a0fc18a25666febe328ab1c4c b6b05d3263ae220a0fc18a25666febe328ab1c4c 449acdd5f4f1feb677e143bcc9c7362e36d3915f jupyter <[email protected]> 1704849764 +0000 checkout: moving from b6b05d3263ae220a0fc18a25666febe328ab1c4c to 449acdd5f4f1feb677e143bcc9c7362e36d3915f 449acdd5f4f1feb677e143bcc9c7362e36d3915f e917cb9d4374e201e16243431c21869eb5030892 jupyter <[email protected]> 1704849764 +0000 checkout: moving from 449acdd5f4f1feb677e143bcc9c7362e36d3915f to e917cb9d4374e201e16243431c21869eb5030892 e917cb9d4374e201e16243431c21869eb5030892 39218cc8d0e42773dd5513ca3d24cb397d0b4d50 jupyter <[email protected]> 1704849776 +0000 checkout: moving from e917cb9d4374e201e16243431c21869eb5030892 to 39218cc8d0e42773dd5513ca3d24cb397d0b4d50 39218cc8d0e42773dd5513ca3d24cb397d0b4d50 76c6230b4c817f4a112f8283eff70d685b3f9f3b jupyter <[email protected]> 1704849776 +0000 checkout: moving from 39218cc8d0e42773dd5513ca3d24cb397d0b4d50 to 76c6230b4c817f4a112f8283eff70d685b3f9f3b 76c6230b4c817f4a112f8283eff70d685b3f9f3b 28893ffd11cfeda001332114c34e4c4d2d7375a8 jupyter <[email protected]> 1704849782 +0000 checkout: moving from 76c6230b4c817f4a112f8283eff70d685b3f9f3b to 28893ffd11cfeda001332114c34e4c4d2d7375a8 28893ffd11cfeda001332114c34e4c4d2d7375a8 39218cc8d0e42773dd5513ca3d24cb397d0b4d50 jupyter <[email protected]> 1704849782 +0000 checkout: moving from 28893ffd11cfeda001332114c34e4c4d2d7375a8 to 39218cc8d0e42773dd5513ca3d24cb397d0b4d50 39218cc8d0e42773dd5513ca3d24cb397d0b4d50 d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d jupyter <[email protected]> 1704849788 +0000 checkout: moving from 39218cc8d0e42773dd5513ca3d24cb397d0b4d50 to d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
0000000000000000000000000000000000000000 bd457888eb91b9e932fe8f66d720cf2d9d6442f4 jupyter <[email protected]> 1704849661 +0000 clone: from https://github.com/log4js-node/log4js-node.git bd457888eb91b9e932fe8f66d720cf2d9d6442f4 26dcec62f9677dceba57de8cd717ff91447781c7 jupyter <[email protected]> 1704849669 +0000 checkout: moving from master to 26dcec62f9677dceba57de8cd717ff91447781c7 26dcec62f9677dceba57de8cd717ff91447781c7 c5d71e9212ed374122dfd783d2518379d5beca13 jupyter <[email protected]> 1704849669 +0000 checkout: moving from 26dcec62f9677dceba57de8cd717ff91447781c7 to c5d71e9212ed374122dfd783d2518379d5beca13 c5d71e9212ed374122dfd783d2518379d5beca13 7ebc9e0238b93b2ca48a557eb83a7cdc9850a27e jupyter <[email protected]> 1704849688 +0000 checkout: moving from c5d71e9212ed374122dfd783d2518379d5beca13 to 7ebc9e0238b93b2ca48a557eb83a7cdc9850a27e 7ebc9e0238b93b2ca48a557eb83a7cdc9850a27e 2b959bf621d07b7225bbc9f0e5e45c7fe3c1d7e5 jupyter <[email protected]> 1704849688 +0000 checkout: moving from 7ebc9e0238b93b2ca48a557eb83a7cdc9850a27e to 2b959bf621d07b7225bbc9f0e5e45c7fe3c1d7e5 2b959bf621d07b7225bbc9f0e5e45c7fe3c1d7e5 b4c75d51e2cfd51a9f172ea7f58bdfb098e718e4 jupyter <[email protected]> 1704849692 +0000 checkout: moving from 2b959bf621d07b7225bbc9f0e5e45c7fe3c1d7e5 to b4c75d51e2cfd51a9f172ea7f58bdfb098e718e4 b4c75d51e2cfd51a9f172ea7f58bdfb098e718e4 dd9827a4f24af51a3b5fa7d80427ae22e7f5619f jupyter <[email protected]> 1704849692 +0000 checkout: moving from b4c75d51e2cfd51a9f172ea7f58bdfb098e718e4 to dd9827a4f24af51a3b5fa7d80427ae22e7f5619f dd9827a4f24af51a3b5fa7d80427ae22e7f5619f cfab25c881de16e47aef1fff5df0c7ee2fa57263 jupyter <[email protected]> 1704849694 +0000 checkout: moving from dd9827a4f24af51a3b5fa7d80427ae22e7f5619f to cfab25c881de16e47aef1fff5df0c7ee2fa57263 cfab25c881de16e47aef1fff5df0c7ee2fa57263 b4c75d51e2cfd51a9f172ea7f58bdfb098e718e4 jupyter <[email protected]> 1704849694 +0000 checkout: moving from cfab25c881de16e47aef1fff5df0c7ee2fa57263 to b4c75d51e2cfd51a9f172ea7f58bdfb098e718e4 b4c75d51e2cfd51a9f172ea7f58bdfb098e718e4 f5907539ec190c6aac5f6a217e01095b27723ff5 jupyter <[email protected]> 1704849708 +0000 checkout: moving from b4c75d51e2cfd51a9f172ea7f58bdfb098e718e4 to f5907539ec190c6aac5f6a217e01095b27723ff5 f5907539ec190c6aac5f6a217e01095b27723ff5 ee0f4e46e2fc355dade05ad849e2527a67310179 jupyter <[email protected]> 1704849708 +0000 checkout: moving from f5907539ec190c6aac5f6a217e01095b27723ff5 to ee0f4e46e2fc355dade05ad849e2527a67310179 ee0f4e46e2fc355dade05ad849e2527a67310179 cfbc7a08a6395a9c9bd6ceb9573a9ca786e137d7 jupyter <[email protected]> 1704849714 +0000 checkout: moving from ee0f4e46e2fc355dade05ad849e2527a67310179 to cfbc7a08a6395a9c9bd6ceb9573a9ca786e137d7 cfbc7a08a6395a9c9bd6ceb9573a9ca786e137d7 7ca308dfde78ffc3ece68b77e30107590c61dc12 jupyter <[email protected]> 1704849714 +0000 checkout: moving from cfbc7a08a6395a9c9bd6ceb9573a9ca786e137d7 to 7ca308dfde78ffc3ece68b77e30107590c61dc12 7ca308dfde78ffc3ece68b77e30107590c61dc12 570ef530dc02d3e843a5421cb015bb8fadfe0b41 jupyter <[email protected]> 1704849716 +0000 checkout: moving from 7ca308dfde78ffc3ece68b77e30107590c61dc12 to 570ef530dc02d3e843a5421cb015bb8fadfe0b41 570ef530dc02d3e843a5421cb015bb8fadfe0b41 cfbc7a08a6395a9c9bd6ceb9573a9ca786e137d7 jupyter <[email protected]> 1704849716 +0000 checkout: moving from 570ef530dc02d3e843a5421cb015bb8fadfe0b41 to cfbc7a08a6395a9c9bd6ceb9573a9ca786e137d7 cfbc7a08a6395a9c9bd6ceb9573a9ca786e137d7 916eef11f1d2aa2f32765f956f1f674745feb8b6 jupyter <[email protected]> 1704849718 +0000 checkout: moving from cfbc7a08a6395a9c9bd6ceb9573a9ca786e137d7 to 916eef11f1d2aa2f32765f956f1f674745feb8b6 916eef11f1d2aa2f32765f956f1f674745feb8b6 570ef530dc02d3e843a5421cb015bb8fadfe0b41 jupyter <[email protected]> 1704849718 +0000 checkout: moving from 916eef11f1d2aa2f32765f956f1f674745feb8b6 to 570ef530dc02d3e843a5421cb015bb8fadfe0b41 570ef530dc02d3e843a5421cb015bb8fadfe0b41 084479c35183c9ed31484acdbc54cd34fd462684 jupyter <[email protected]> 1704849730 +0000 checkout: moving from 570ef530dc02d3e843a5421cb015bb8fadfe0b41 to 084479c35183c9ed31484acdbc54cd34fd462684 084479c35183c9ed31484acdbc54cd34fd462684 447b949ebd7a82a4bd281a021a471cae1c27dc55 jupyter <[email protected]> 1704849730 +0000 checkout: moving from 084479c35183c9ed31484acdbc54cd34fd462684 to 447b949ebd7a82a4bd281a021a471cae1c27dc55 447b949ebd7a82a4bd281a021a471cae1c27dc55 6a6029461111eb878f3110ecd782a09ef16298f7 jupyter <[email protected]> 1704849736 +0000 checkout: moving from 447b949ebd7a82a4bd281a021a471cae1c27dc55 to 6a6029461111eb878f3110ecd782a09ef16298f7 6a6029461111eb878f3110ecd782a09ef16298f7 588e793d49ae7c739e930b0c1c1995338aa6e724 jupyter <[email protected]> 1704849736 +0000 checkout: moving from 6a6029461111eb878f3110ecd782a09ef16298f7 to 588e793d49ae7c739e930b0c1c1995338aa6e724 588e793d49ae7c739e930b0c1c1995338aa6e724 be433f26c3169698aa7d8cd8b94584b6f0cb3ceb jupyter <[email protected]> 1704849740 +0000 checkout: moving from 588e793d49ae7c739e930b0c1c1995338aa6e724 to be433f26c3169698aa7d8cd8b94584b6f0cb3ceb be433f26c3169698aa7d8cd8b94584b6f0cb3ceb accaef82a280bea076cae24a2d3ad2aa08549fb1 jupyter <[email protected]> 1704849740 +0000 checkout: moving from be433f26c3169698aa7d8cd8b94584b6f0cb3ceb to accaef82a280bea076cae24a2d3ad2aa08549fb1 accaef82a280bea076cae24a2d3ad2aa08549fb1 4e460ffc02d544bdc912cb0db7c6e0a1bd6e43a3 jupyter <[email protected]> 1704849742 +0000 checkout: moving from accaef82a280bea076cae24a2d3ad2aa08549fb1 to 4e460ffc02d544bdc912cb0db7c6e0a1bd6e43a3 4e460ffc02d544bdc912cb0db7c6e0a1bd6e43a3 be433f26c3169698aa7d8cd8b94584b6f0cb3ceb jupyter <[email protected]> 1704849742 +0000 checkout: moving from 4e460ffc02d544bdc912cb0db7c6e0a1bd6e43a3 to be433f26c3169698aa7d8cd8b94584b6f0cb3ceb be433f26c3169698aa7d8cd8b94584b6f0cb3ceb b6b05d3263ae220a0fc18a25666febe328ab1c4c jupyter <[email protected]> 1704849752 +0000 checkout: moving from be433f26c3169698aa7d8cd8b94584b6f0cb3ceb to b6b05d3263ae220a0fc18a25666febe328ab1c4c b6b05d3263ae220a0fc18a25666febe328ab1c4c ea60ad0fd8ff2cb46b4a9a476de097bccb85df2a jupyter <[email protected]> 1704849752 +0000 checkout: moving from b6b05d3263ae220a0fc18a25666febe328ab1c4c to ea60ad0fd8ff2cb46b4a9a476de097bccb85df2a ea60ad0fd8ff2cb46b4a9a476de097bccb85df2a 96e305a8eb6ce9a024744ce1db1e2f927d2666fe jupyter <[email protected]> 1704849754 +0000 checkout: moving from ea60ad0fd8ff2cb46b4a9a476de097bccb85df2a to 96e305a8eb6ce9a024744ce1db1e2f927d2666fe 96e305a8eb6ce9a024744ce1db1e2f927d2666fe b6b05d3263ae220a0fc18a25666febe328ab1c4c jupyter <[email protected]> 1704849754 +0000 checkout: moving from 96e305a8eb6ce9a024744ce1db1e2f927d2666fe to b6b05d3263ae220a0fc18a25666febe328ab1c4c b6b05d3263ae220a0fc18a25666febe328ab1c4c 449acdd5f4f1feb677e143bcc9c7362e36d3915f jupyter <[email protected]> 1704849764 +0000 checkout: moving from b6b05d3263ae220a0fc18a25666febe328ab1c4c to 449acdd5f4f1feb677e143bcc9c7362e36d3915f 449acdd5f4f1feb677e143bcc9c7362e36d3915f e917cb9d4374e201e16243431c21869eb5030892 jupyter <[email protected]> 1704849764 +0000 checkout: moving from 449acdd5f4f1feb677e143bcc9c7362e36d3915f to e917cb9d4374e201e16243431c21869eb5030892 e917cb9d4374e201e16243431c21869eb5030892 39218cc8d0e42773dd5513ca3d24cb397d0b4d50 jupyter <[email protected]> 1704849776 +0000 checkout: moving from e917cb9d4374e201e16243431c21869eb5030892 to 39218cc8d0e42773dd5513ca3d24cb397d0b4d50 39218cc8d0e42773dd5513ca3d24cb397d0b4d50 76c6230b4c817f4a112f8283eff70d685b3f9f3b jupyter <[email protected]> 1704849776 +0000 checkout: moving from 39218cc8d0e42773dd5513ca3d24cb397d0b4d50 to 76c6230b4c817f4a112f8283eff70d685b3f9f3b 76c6230b4c817f4a112f8283eff70d685b3f9f3b 28893ffd11cfeda001332114c34e4c4d2d7375a8 jupyter <[email protected]> 1704849782 +0000 checkout: moving from 76c6230b4c817f4a112f8283eff70d685b3f9f3b to 28893ffd11cfeda001332114c34e4c4d2d7375a8 28893ffd11cfeda001332114c34e4c4d2d7375a8 39218cc8d0e42773dd5513ca3d24cb397d0b4d50 jupyter <[email protected]> 1704849782 +0000 checkout: moving from 28893ffd11cfeda001332114c34e4c4d2d7375a8 to 39218cc8d0e42773dd5513ca3d24cb397d0b4d50 39218cc8d0e42773dd5513ca3d24cb397d0b4d50 d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d jupyter <[email protected]> 1704849788 +0000 checkout: moving from 39218cc8d0e42773dd5513ca3d24cb397d0b4d50 to d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./docs/multiFile.md
# MultiFile Appender The multiFile appender can be used to dynamically write logs to multiple files, based on a property of the logging event. Use this as a way to write separate log files for each category when the number of categories is unknown, for instance. It creates [file](file.md) appenders under the hood, so all the options that apply to that appender (apart from filename) can be used with this one, allowing the log files to be rotated and capped at a certain size. ## Configuration - `type` - `"multiFile"` - `base` - `string` - the base part of the generated log filename - `property` - `string` - the value to use to split files (see below). - `extension` - `string` - the suffix for the generated log filename. - `timeout` - `integer` - optional activity timeout in ms after which the file will be closed. All other properties will be passed to the created [file](file.md) appenders. For the property value, `categoryName` is probably the most useful - although you could use `pid` or `level`. If the property is not found then the appender will look for the value in the context map. If that fails, then the logger will not output the logging event, without an error. This is to allow for dynamic properties which may not exist for all log messages. ## Example (split on category) ```javascript log4js.configure({ appenders: { multi: { type: "multiFile", base: "logs/", property: "categoryName", extension: ".log", }, }, categories: { default: { appenders: ["multi"], level: "debug" }, }, }); const logger = log4js.getLogger(); logger.debug("I will be logged in logs/default.log"); const otherLogger = log4js.getLogger("cheese"); otherLogger.info("Cheese is cheddar - this will be logged in logs/cheese.log"); ``` This example will result in two log files (`logs/default.log` and `logs/cheese.log`) containing the log messages. ## Example with log rolling (and compressed backups) ```javascript log4js.configure({ appenders: { everything: { type: "multiFile", base: "logs/", property: "userID", extension: ".log", maxLogSize: 10485760, backups: 3, compress: true, }, }, categories: { default: { appenders: ["everything"], level: "debug" }, }, }); const userLogger = log4js.getLogger("user"); userLogger.addContext("userID", user.getID()); userLogger.info("this user just logged in"); ``` This will result in one log file (`logs/u12345.log`), capped at 10Mb in size, with three backups kept when rolling the file. If more users were logged, each user would get their own files, and their own backups.
# MultiFile Appender The multiFile appender can be used to dynamically write logs to multiple files, based on a property of the logging event. Use this as a way to write separate log files for each category when the number of categories is unknown, for instance. It creates [file](file.md) appenders under the hood, so all the options that apply to that appender (apart from filename) can be used with this one, allowing the log files to be rotated and capped at a certain size. ## Configuration - `type` - `"multiFile"` - `base` - `string` - the base part of the generated log filename - `property` - `string` - the value to use to split files (see below). - `extension` - `string` - the suffix for the generated log filename. - `timeout` - `integer` - optional activity timeout in ms after which the file will be closed. All other properties will be passed to the created [file](file.md) appenders. For the property value, `categoryName` is probably the most useful - although you could use `pid` or `level`. If the property is not found then the appender will look for the value in the context map. If that fails, then the logger will not output the logging event, without an error. This is to allow for dynamic properties which may not exist for all log messages. ## Example (split on category) ```javascript log4js.configure({ appenders: { multi: { type: "multiFile", base: "logs/", property: "categoryName", extension: ".log", }, }, categories: { default: { appenders: ["multi"], level: "debug" }, }, }); const logger = log4js.getLogger(); logger.debug("I will be logged in logs/default.log"); const otherLogger = log4js.getLogger("cheese"); otherLogger.info("Cheese is cheddar - this will be logged in logs/cheese.log"); ``` This example will result in two log files (`logs/default.log` and `logs/cheese.log`) containing the log messages. ## Example with log rolling (and compressed backups) ```javascript log4js.configure({ appenders: { everything: { type: "multiFile", base: "logs/", property: "userID", extension: ".log", maxLogSize: 10485760, backups: 3, compress: true, }, }, categories: { default: { appenders: ["everything"], level: "debug" }, }, }); const userLogger = log4js.getLogger("user"); userLogger.addContext("userID", user.getID()); userLogger.info("this user just logged in"); ``` This will result in one log file (`logs/u12345.log`), capped at 10Mb in size, with three backups kept when rolling the file. If more users were logged, each user would get their own files, and their own backups.
-1
log4js-node/log4js-node
1,279
feat: adding function(req, res) support to connectLogger options->nol…
#1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
eyoboue
2022-07-03T13:41:18Z
2022-07-04T07:46:28Z
d2557dad3e3e6a4351e4c8a7abb0bf1cf945834d
6acc345b598525a47703a9d0072996453c8c7290
feat: adding function(req, res) support to connectLogger options->nol…. #1278 Adding connectLogger options.nolog -> (req, res). Example: ```js const connectLogger = log4js.connectLogger(logger, { nolog: (req, res) => res.statusCode < 400 }); ```
./examples/log-rolling.js
const log4js = require('../lib/log4js'); log4js.configure({ appenders: { console: { type: 'console', }, file: { type: 'file', filename: 'tmp-test.log', maxLogSize: 1024, backups: 3, }, }, categories: { default: { appenders: ['console', 'file'], level: 'info' }, }, }); const log = log4js.getLogger('test'); function doTheLogging(x) { log.info('Logging something %d', x); } let i = 0; for (; i < 5000; i += 1) { doTheLogging(i); }
const log4js = require('../lib/log4js'); log4js.configure({ appenders: { console: { type: 'console', }, file: { type: 'file', filename: 'tmp-test.log', maxLogSize: 1024, backups: 3, }, }, categories: { default: { appenders: ['console', 'file'], level: 'info' }, }, }); const log = log4js.getLogger('test'); function doTheLogging(x) { log.info('Logging something %d', x); } let i = 0; for (; i < 5000; i += 1) { doTheLogging(i); }
-1
log4js-node/log4js-node
1,274
Replace validate-commit-msg, fix husky config, and remove codecov
3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
ZachHaber
2022-06-23T22:41:38Z
2022-07-06T09:29:23Z
1ca79dad4018b22c519699972ef3e3a67130c7e2
2af3bb6e2ddcb615fb61b09d3b7e68081dde3883
Replace validate-commit-msg, fix husky config, and remove codecov. 3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
./.gitattributes
# Automatically normalize line endings for all text-based files # http://git-scm.com/docs/gitattributes#_end_of_line_conversion * text=auto # For the following file types, normalize line endings to LF on # checkin and prevent conversion to CRLF when they are checked out # (this is required in order to prevent newline related issues like, # for example, after the build script is run) .* text eol=lf *.css text eol=lf *.scss text eol=lf *.html text eol=lf *.js text eol=lf *.cjs text eol=lf *.mjs text eol=lf *.ts text eol=lf *.cts text eol=lf *.mts text eol=lf *.json text eol=lf *.md text eol=lf *.sh text eol=lf *.txt text eol=lf *.xml text eol=lf *.yml text eol=lf # Exclude the `.htaccess` file from GitHub's language statistics # https://github.com/github/linguist#using-gitattributes dist/.htaccess linguist-vendored
# Automatically normalize line endings for all text-based files # http://git-scm.com/docs/gitattributes#_end_of_line_conversion * text=auto # For the following file types, normalize line endings to LF on # checkin and prevent conversion to CRLF when they are checked out # (this is required in order to prevent newline related issues like, # for example, after the build script is run) .* text eol=lf *.css text eol=lf *.scss text eol=lf *.html text eol=lf *.js text eol=lf *.cjs text eol=lf *.mjs text eol=lf *.ts text eol=lf *.cts text eol=lf *.mts text eol=lf *.json text eol=lf *.md text eol=lf *.sh text eol=lf *.txt text eol=lf *.xml text eol=lf *.yml text eol=lf .husky/* text eol=lf # Exclude the `.htaccess` file from GitHub's language statistics # https://github.com/github/linguist#using-gitattributes dist/.htaccess linguist-vendored
1
log4js-node/log4js-node
1,274
Replace validate-commit-msg, fix husky config, and remove codecov
3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
ZachHaber
2022-06-23T22:41:38Z
2022-07-06T09:29:23Z
1ca79dad4018b22c519699972ef3e3a67130c7e2
2af3bb6e2ddcb615fb61b09d3b7e68081dde3883
Replace validate-commit-msg, fix husky config, and remove codecov. 3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
./package-lock.json
{ "name": "log4js", "version": "6.5.2", "lockfileVersion": 1, "requires": true, "dependencies": { "@ampproject/remapping": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/@ampproject/remapping/-/remapping-2.2.0.tgz", "integrity": "sha512-qRmjj8nj9qmLTQXXmaR1cck3UXSRMPrbsLJAasZpF+t3riI71BXed5ebIOYwQntykeZuhjsdweEc9BxH5Jc26w==", "dev": true, "requires": { "@jridgewell/gen-mapping": "^0.1.0", "@jridgewell/trace-mapping": "^0.3.9" } }, "@babel/code-frame": { "version": "7.16.7", "resolved": "https://registry.npmjs.org/@babel/code-frame/-/code-frame-7.16.7.tgz", "integrity": "sha512-iAXqUn8IIeBTNd72xsFlgaXHkMBMt6y4HJp1tIaK465CWLT/fG1aqB7ykr95gHHmlBdGbFeWWfyB4NJJ0nmeIg==", "dev": true, "requires": { "@babel/highlight": "^7.16.7" } }, "@babel/compat-data": { "version": "7.17.10", "resolved": "https://registry.npmjs.org/@babel/compat-data/-/compat-data-7.17.10.tgz", "integrity": "sha512-GZt/TCsG70Ms19gfZO1tM4CVnXsPgEPBCpJu+Qz3L0LUDsY5nZqFZglIoPC1kIYOtNBZlrnFT+klg12vFGZXrw==", "dev": true }, "@babel/core": { "version": "7.18.2", "resolved": "https://registry.npmjs.org/@babel/core/-/core-7.18.2.tgz", "integrity": "sha512-A8pri1YJiC5UnkdrWcmfZTJTV85b4UXTAfImGmCfYmax4TR9Cw8sDS0MOk++Gp2mE/BefVJ5nwy5yzqNJbP/DQ==", "dev": true, "requires": { "@ampproject/remapping": "^2.1.0", "@babel/code-frame": "^7.16.7", "@babel/generator": "^7.18.2", "@babel/helper-compilation-targets": "^7.18.2", "@babel/helper-module-transforms": "^7.18.0", "@babel/helpers": "^7.18.2", "@babel/parser": "^7.18.0", "@babel/template": "^7.16.7", "@babel/traverse": "^7.18.2", "@babel/types": "^7.18.2", "convert-source-map": "^1.7.0", "debug": "^4.1.0", "gensync": "^1.0.0-beta.2", "json5": "^2.2.1", "semver": "^6.3.0" }, "dependencies": { "json5": { "version": "2.2.1", "resolved": "https://registry.npmjs.org/json5/-/json5-2.2.1.tgz", "integrity": "sha512-1hqLFMSrGHRHxav9q9gNjJ5EXznIxGVO09xQRrwplcS8qs28pZ8s8hupZAmqDwZUmVZ2Qb2jnyPOWcDH8m8dlA==", "dev": true } } }, "@babel/generator": { "version": "7.18.2", "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.18.2.tgz", "integrity": "sha512-W1lG5vUwFvfMd8HVXqdfbuG7RuaSrTCCD8cl8fP8wOivdbtbIg2Db3IWUcgvfxKbbn6ZBGYRW/Zk1MIwK49mgw==", "dev": true, "requires": { "@babel/types": "^7.18.2", "@jridgewell/gen-mapping": "^0.3.0", "jsesc": "^2.5.1" }, "dependencies": { "@jridgewell/gen-mapping": { "version": "0.3.1", "resolved": "https://registry.npmjs.org/@jridgewell/gen-mapping/-/gen-mapping-0.3.1.tgz", "integrity": "sha512-GcHwniMlA2z+WFPWuY8lp3fsza0I8xPFMWL5+n8LYyP6PSvPrXf4+n8stDHZY2DM0zy9sVkRDy1jDI4XGzYVqg==", "dev": true, "requires": { "@jridgewell/set-array": "^1.0.0", "@jridgewell/sourcemap-codec": "^1.4.10", "@jridgewell/trace-mapping": "^0.3.9" } } } }, "@babel/helper-compilation-targets": { "version": "7.18.2", "resolved": "https://registry.npmjs.org/@babel/helper-compilation-targets/-/helper-compilation-targets-7.18.2.tgz", "integrity": "sha512-s1jnPotJS9uQnzFtiZVBUxe67CuBa679oWFHpxYYnTpRL/1ffhyX44R9uYiXoa/pLXcY9H2moJta0iaanlk/rQ==", "dev": true, "requires": { "@babel/compat-data": "^7.17.10", "@babel/helper-validator-option": "^7.16.7", "browserslist": "^4.20.2", "semver": "^6.3.0" } }, "@babel/helper-environment-visitor": { "version": "7.18.2", "resolved": "https://registry.npmjs.org/@babel/helper-environment-visitor/-/helper-environment-visitor-7.18.2.tgz", "integrity": "sha512-14GQKWkX9oJzPiQQ7/J36FTXcD4kSp8egKjO9nINlSKiHITRA9q/R74qu8S9xlc/b/yjsJItQUeeh3xnGN0voQ==", "dev": true }, "@babel/helper-function-name": { "version": "7.17.9", "resolved": "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.17.9.tgz", "integrity": "sha512-7cRisGlVtiVqZ0MW0/yFB4atgpGLWEHUVYnb448hZK4x+vih0YO5UoS11XIYtZYqHd0dIPMdUSv8q5K4LdMnIg==", "dev": true, "requires": { "@babel/template": "^7.16.7", "@babel/types": "^7.17.0" } }, "@babel/helper-hoist-variables": { "version": "7.16.7", "resolved": "https://registry.npmjs.org/@babel/helper-hoist-variables/-/helper-hoist-variables-7.16.7.tgz", "integrity": "sha512-m04d/0Op34H5v7pbZw6pSKP7weA6lsMvfiIAMeIvkY/R4xQtBSMFEigu9QTZ2qB/9l22vsxtM8a+Q8CzD255fg==", "dev": true, "requires": { "@babel/types": "^7.16.7" } }, "@babel/helper-module-imports": { "version": "7.16.7", "resolved": "https://registry.npmjs.org/@babel/helper-module-imports/-/helper-module-imports-7.16.7.tgz", "integrity": "sha512-LVtS6TqjJHFc+nYeITRo6VLXve70xmq7wPhWTqDJusJEgGmkAACWwMiTNrvfoQo6hEhFwAIixNkvB0jPXDL8Wg==", "dev": true, "requires": { "@babel/types": "^7.16.7" } }, "@babel/helper-module-transforms": { "version": "7.18.0", "resolved": "https://registry.npmjs.org/@babel/helper-module-transforms/-/helper-module-transforms-7.18.0.tgz", "integrity": "sha512-kclUYSUBIjlvnzN2++K9f2qzYKFgjmnmjwL4zlmU5f8ZtzgWe8s0rUPSTGy2HmK4P8T52MQsS+HTQAgZd3dMEA==", "dev": true, "requires": { "@babel/helper-environment-visitor": "^7.16.7", "@babel/helper-module-imports": "^7.16.7", "@babel/helper-simple-access": "^7.17.7", "@babel/helper-split-export-declaration": "^7.16.7", "@babel/helper-validator-identifier": "^7.16.7", "@babel/template": "^7.16.7", "@babel/traverse": "^7.18.0", "@babel/types": "^7.18.0" } }, "@babel/helper-simple-access": { "version": "7.18.2", "resolved": "https://registry.npmjs.org/@babel/helper-simple-access/-/helper-simple-access-7.18.2.tgz", "integrity": "sha512-7LIrjYzndorDY88MycupkpQLKS1AFfsVRm2k/9PtKScSy5tZq0McZTj+DiMRynboZfIqOKvo03pmhTaUgiD6fQ==", "dev": true, "requires": { "@babel/types": "^7.18.2" } }, "@babel/helper-split-export-declaration": { "version": "7.16.7", "resolved": "https://registry.npmjs.org/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.16.7.tgz", "integrity": "sha512-xbWoy/PFoxSWazIToT9Sif+jJTlrMcndIsaOKvTA6u7QEo7ilkRZpjew18/W3c7nm8fXdUDXh02VXTbZ0pGDNw==", "dev": true, "requires": { "@babel/types": "^7.16.7" } }, "@babel/helper-validator-identifier": { "version": "7.16.7", "resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.16.7.tgz", "integrity": "sha512-hsEnFemeiW4D08A5gUAZxLBTXpZ39P+a+DGDsHw1yxqyQ/jzFEnxf5uTEGp+3bzAbNOxU1paTgYS4ECU/IgfDw==", "dev": true }, "@babel/helper-validator-option": { "version": "7.16.7", "resolved": "https://registry.npmjs.org/@babel/helper-validator-option/-/helper-validator-option-7.16.7.tgz", "integrity": "sha512-TRtenOuRUVo9oIQGPC5G9DgK4743cdxvtOw0weQNpZXaS16SCBi5MNjZF8vba3ETURjZpTbVn7Vvcf2eAwFozQ==", "dev": true }, "@babel/helpers": { "version": "7.18.2", "resolved": "https://registry.npmjs.org/@babel/helpers/-/helpers-7.18.2.tgz", "integrity": "sha512-j+d+u5xT5utcQSzrh9p+PaJX94h++KN+ng9b9WEJq7pkUPAd61FGqhjuUEdfknb3E/uDBb7ruwEeKkIxNJPIrg==", "dev": true, "requires": { "@babel/template": "^7.16.7", "@babel/traverse": "^7.18.2", "@babel/types": "^7.18.2" } }, "@babel/highlight": { "version": "7.17.12", "resolved": "https://registry.npmjs.org/@babel/highlight/-/highlight-7.17.12.tgz", "integrity": "sha512-7yykMVF3hfZY2jsHZEEgLc+3x4o1O+fYyULu11GynEUQNwB6lua+IIQn1FiJxNucd5UlyJryrwsOh8PL9Sn8Qg==", "dev": true, "requires": { "@babel/helper-validator-identifier": "^7.16.7", "chalk": "^2.0.0", "js-tokens": "^4.0.0" }, "dependencies": { "ansi-styles": { "version": "3.2.1", "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-3.2.1.tgz", "integrity": "sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==", "dev": true, "requires": { "color-convert": "^1.9.0" } }, "chalk": { "version": "2.4.2", "resolved": "https://registry.npmjs.org/chalk/-/chalk-2.4.2.tgz", "integrity": "sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==", "dev": true, "requires": { "ansi-styles": "^3.2.1", "escape-string-regexp": "^1.0.5", "supports-color": "^5.3.0" } }, "color-convert": { "version": "1.9.3", "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-1.9.3.tgz", "integrity": "sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==", "dev": true, "requires": { "color-name": "1.1.3" } }, "color-name": { "version": "1.1.3", "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.3.tgz", "integrity": "sha512-72fSenhMw2HZMTVHeCA9KCmpEIbzWiQsjN+BHcBbS9vr1mtt+vJjPdksIBNUmKAW8TFUDPJK5SUU3QhE9NEXDw==", "dev": true }, "escape-string-regexp": { "version": "1.0.5", "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==", "dev": true }, "has-flag": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-3.0.0.tgz", "integrity": "sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw==", "dev": true }, "supports-color": { "version": "5.5.0", "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-5.5.0.tgz", "integrity": "sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==", "dev": true, "requires": { "has-flag": "^3.0.0" } } } }, "@babel/parser": { "version": "7.18.4", "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.18.4.tgz", "integrity": "sha512-FDge0dFazETFcxGw/EXzOkN8uJp0PC7Qbm+Pe9T+av2zlBpOgunFHkQPPn+eRuClU73JF+98D531UgayY89tow==", "dev": true }, "@babel/template": { "version": "7.16.7", "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.16.7.tgz", "integrity": "sha512-I8j/x8kHUrbYRTUxXrrMbfCa7jxkE7tZre39x3kjr9hvI82cK1FfqLygotcWN5kdPGWcLdWMHpSBavse5tWw3w==", "dev": true, "requires": { "@babel/code-frame": "^7.16.7", "@babel/parser": "^7.16.7", "@babel/types": "^7.16.7" } }, "@babel/traverse": { "version": "7.18.2", "resolved": "https://registry.npmjs.org/@babel/traverse/-/traverse-7.18.2.tgz", "integrity": "sha512-9eNwoeovJ6KH9zcCNnENY7DMFwTU9JdGCFtqNLfUAqtUHRCOsTOqWoffosP8vKmNYeSBUv3yVJXjfd8ucwOjUA==", "dev": true, "requires": { "@babel/code-frame": "^7.16.7", "@babel/generator": "^7.18.2", "@babel/helper-environment-visitor": "^7.18.2", "@babel/helper-function-name": "^7.17.9", "@babel/helper-hoist-variables": "^7.16.7", "@babel/helper-split-export-declaration": "^7.16.7", "@babel/parser": "^7.18.0", "@babel/types": "^7.18.2", "debug": "^4.1.0", "globals": "^11.1.0" }, "dependencies": { "globals": { "version": "11.12.0", "resolved": "https://registry.npmjs.org/globals/-/globals-11.12.0.tgz", "integrity": "sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==", "dev": true } } }, "@babel/types": { "version": "7.18.4", "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.18.4.tgz", "integrity": "sha512-ThN1mBcMq5pG/Vm2IcBmPPfyPXbd8S02rS+OBIDENdufvqC7Z/jHPCv9IcP01277aKtDI8g/2XysBN4hA8niiw==", "dev": true, "requires": { "@babel/helper-validator-identifier": "^7.16.7", "to-fast-properties": "^2.0.0" } }, "@eslint/eslintrc": { "version": "1.3.0", "resolved": "https://registry.npmjs.org/@eslint/eslintrc/-/eslintrc-1.3.0.tgz", "integrity": "sha512-UWW0TMTmk2d7hLcWD1/e2g5HDM/HQ3csaLSqXCfqwh4uNDuNqlaKWXmEsL4Cs41Z0KnILNvwbHAah3C2yt06kw==", "dev": true, "requires": { "ajv": "^6.12.4", "debug": "^4.3.2", "espree": "^9.3.2", "globals": "^13.15.0", "ignore": "^5.2.0", "import-fresh": "^3.2.1", "js-yaml": "^4.1.0", "minimatch": "^3.1.2", "strip-json-comments": "^3.1.1" }, "dependencies": { "argparse": { "version": "2.0.1", "resolved": "https://registry.npmjs.org/argparse/-/argparse-2.0.1.tgz", "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==", "dev": true }, "js-yaml": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-4.1.0.tgz", "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==", "dev": true, "requires": { "argparse": "^2.0.1" } } } }, "@humanwhocodes/config-array": { "version": "0.9.5", "resolved": "https://registry.npmjs.org/@humanwhocodes/config-array/-/config-array-0.9.5.tgz", "integrity": "sha512-ObyMyWxZiCu/yTisA7uzx81s40xR2fD5Cg/2Kq7G02ajkNubJf6BopgDTmDyc3U7sXpNKM8cYOw7s7Tyr+DnCw==", "dev": true, "requires": { "@humanwhocodes/object-schema": "^1.2.1", "debug": "^4.1.1", "minimatch": "^3.0.4" } }, "@humanwhocodes/object-schema": { "version": "1.2.1", "resolved": "https://registry.npmjs.org/@humanwhocodes/object-schema/-/object-schema-1.2.1.tgz", "integrity": "sha512-ZnQMnLV4e7hDlUvw8H+U8ASL02SS2Gn6+9Ac3wGGLIe7+je2AeAOxPY+izIPJDfFDb7eDjev0Us8MO1iFRN8hA==", "dev": true }, "@istanbuljs/load-nyc-config": { "version": "1.1.0", "resolved": "https://registry.npmjs.org/@istanbuljs/load-nyc-config/-/load-nyc-config-1.1.0.tgz", "integrity": "sha512-VjeHSlIzpv/NyD3N0YuHfXOPDIixcA1q2ZV98wsMqcYlPmv2n3Yb2lYP9XMElnaFVXg5A7YLTeLu6V84uQDjmQ==", "dev": true, "requires": { "camelcase": "^5.3.1", "find-up": "^4.1.0", "get-package-type": "^0.1.0", "js-yaml": "^3.13.1", "resolve-from": "^5.0.0" }, "dependencies": { "find-up": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/find-up/-/find-up-4.1.0.tgz", "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", "dev": true, "requires": { "locate-path": "^5.0.0", "path-exists": "^4.0.0" } }, "locate-path": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-5.0.0.tgz", "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", "dev": true, "requires": { "p-locate": "^4.1.0" } }, "p-limit": { "version": "2.3.0", "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", "dev": true, "requires": { "p-try": "^2.0.0" } }, "p-locate": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-4.1.0.tgz", "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", "dev": true, "requires": { "p-limit": "^2.2.0" } }, "p-try": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/p-try/-/p-try-2.2.0.tgz", "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", "dev": true }, "path-exists": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", "dev": true }, "resolve-from": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-5.0.0.tgz", "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==", "dev": true } } }, "@istanbuljs/schema": { "version": "0.1.3", "resolved": "https://registry.npmjs.org/@istanbuljs/schema/-/schema-0.1.3.tgz", "integrity": "sha512-ZXRY4jNvVgSVQ8DL3LTcakaAtXwTVUxE81hslsyD2AtoXW/wVob10HkOJ1X/pAlcI7D+2YoZKg5do8G/w6RYgA==", "dev": true }, "@jridgewell/gen-mapping": { "version": "0.1.1", "resolved": "https://registry.npmjs.org/@jridgewell/gen-mapping/-/gen-mapping-0.1.1.tgz", "integrity": "sha512-sQXCasFk+U8lWYEe66WxRDOE9PjVz4vSM51fTu3Hw+ClTpUSQb718772vH3pyS5pShp6lvQM7SxgIDXXXmOX7w==", "dev": true, "requires": { "@jridgewell/set-array": "^1.0.0", "@jridgewell/sourcemap-codec": "^1.4.10" } }, "@jridgewell/resolve-uri": { "version": "3.0.7", "resolved": "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.0.7.tgz", "integrity": "sha512-8cXDaBBHOr2pQ7j77Y6Vp5VDT2sIqWyWQ56TjEq4ih/a4iST3dItRe8Q9fp0rrIl9DoKhWQtUQz/YpOxLkXbNA==", "dev": true }, "@jridgewell/set-array": { "version": "1.1.1", "resolved": "https://registry.npmjs.org/@jridgewell/set-array/-/set-array-1.1.1.tgz", "integrity": "sha512-Ct5MqZkLGEXTVmQYbGtx9SVqD2fqwvdubdps5D3djjAkgkKwT918VNOz65pEHFaYTeWcukmJmH5SwsA9Tn2ObQ==", "dev": true }, "@jridgewell/sourcemap-codec": { "version": "1.4.13", "resolved": "https://registry.npmjs.org/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.13.tgz", "integrity": "sha512-GryiOJmNcWbovBxTfZSF71V/mXbgcV3MewDe3kIMCLyIh5e7SKAeUZs+rMnJ8jkMolZ/4/VsdBmMrw3l+VdZ3w==", "dev": true }, "@jridgewell/trace-mapping": { "version": "0.3.13", "resolved": "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.13.tgz", "integrity": "sha512-o1xbKhp9qnIAoHJSWd6KlCZfqslL4valSF81H8ImioOAxluWYWOpWkpyktY2vnt4tbrX9XYaxovq6cgowaJp2w==", "dev": true, "requires": { "@jridgewell/resolve-uri": "^3.0.3", "@jridgewell/sourcemap-codec": "^1.4.10" } }, "@log4js-node/sandboxed-module": { "version": "2.2.1", "resolved": "https://registry.npmjs.org/@log4js-node/sandboxed-module/-/sandboxed-module-2.2.1.tgz", "integrity": "sha512-BtpxW7EReVwZ6WSNHPMyID2vVYuBKYkJyevJxbPsTtecWGqwm1wL4/O3oOQcyGhJsuNi7Y8JhNc5FE9jdXlZ0A==", "dev": true, "requires": { "require-like": "0.1.2", "stack-trace": "0.0.10" } }, "@tootallnate/once": { "version": "1.1.2", "resolved": "https://registry.npmjs.org/@tootallnate/once/-/once-1.1.2.tgz", "integrity": "sha512-RbzJvlNzmRq5c3O09UipeuXno4tA1FE6ikOjxZK0tuxVv3412l64l5t1W5pj4+rJq9vpkm/kwiR07aZXnsKPxw==", "dev": true }, "@types/json5": { "version": "0.0.29", "resolved": "https://registry.npmjs.org/@types/json5/-/json5-0.0.29.tgz", "integrity": "sha512-dRLjCWHYg4oaA77cxO64oO+7JwCwnIzkZPdrrC71jQmQtlhM556pwKo5bUzqvZndkVbeFLIIi+9TC40JNF5hNQ==", "dev": true }, "acorn": { "version": "8.7.1", "resolved": "https://registry.npmjs.org/acorn/-/acorn-8.7.1.tgz", "integrity": "sha512-Xx54uLJQZ19lKygFXOWsscKUbsBZW0CPykPhVQdhIeIwrbPmJzqeASDInc8nKBnp/JT6igTs82qPXz069H8I/A==", "dev": true }, "acorn-jsx": { "version": "5.3.2", "resolved": "https://registry.npmjs.org/acorn-jsx/-/acorn-jsx-5.3.2.tgz", "integrity": "sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==", "dev": true }, "agent-base": { "version": "6.0.2", "resolved": "https://registry.npmjs.org/agent-base/-/agent-base-6.0.2.tgz", "integrity": "sha512-RZNwNclF7+MS/8bDg70amg32dyeZGZxiDuQmZxKLAlQjr3jGyLx+4Kkk58UO7D2QdgFIQCovuSuZESne6RG6XQ==", "dev": true, "requires": { "debug": "4" } }, "aggregate-error": { "version": "3.1.0", "resolved": "https://registry.npmjs.org/aggregate-error/-/aggregate-error-3.1.0.tgz", "integrity": "sha512-4I7Td01quW/RpocfNayFdFVk1qSuoh0E7JrbRJ16nH01HhKFQ88INq9Sd+nd72zqRySlr9BmDA8xlEJ6vJMrYA==", "dev": true, "requires": { "clean-stack": "^2.0.0", "indent-string": "^4.0.0" } }, "ajv": { "version": "6.12.6", "resolved": "https://registry.npmjs.org/ajv/-/ajv-6.12.6.tgz", "integrity": "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==", "dev": true, "requires": { "fast-deep-equal": "^3.1.1", "fast-json-stable-stringify": "^2.0.0", "json-schema-traverse": "^0.4.1", "uri-js": "^4.2.2" } }, "ansi-regex": { "version": "5.0.1", "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", "dev": true }, "ansi-styles": { "version": "4.3.0", "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz", "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", "dev": true, "requires": { "color-convert": "^2.0.1" } }, "anymatch": { "version": "3.1.2", "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-3.1.2.tgz", "integrity": "sha512-P43ePfOAIupkguHUycrc4qJ9kz8ZiuOUijaETwX7THt0Y/GNK7v0aa8rY816xWjZ7rJdA5XdMcpVFTKMq+RvWg==", "dev": true, "requires": { "normalize-path": "^3.0.0", "picomatch": "^2.0.4" } }, "append-transform": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/append-transform/-/append-transform-2.0.0.tgz", "integrity": "sha512-7yeyCEurROLQJFv5Xj4lEGTy0borxepjFv1g22oAdqFu//SrAlDl1O1Nxx15SH1RoliUml6p8dwJW9jvZughhg==", "dev": true, "requires": { "default-require-extensions": "^3.0.0" } }, "archy": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/archy/-/archy-1.0.0.tgz", "integrity": "sha512-Xg+9RwCg/0p32teKdGMPTPnVXKD0w3DfHnFTficozsAgsvq2XenPJq/MYpzzQ/v8zrOyJn6Ds39VA4JIDwFfqw==", "dev": true }, "argparse": { "version": "1.0.10", "resolved": "https://registry.npmjs.org/argparse/-/argparse-1.0.10.tgz", "integrity": "sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg==", "dev": true, "requires": { "sprintf-js": "~1.0.2" } }, "argv": { "version": "0.0.2", "resolved": "https://registry.npmjs.org/argv/-/argv-0.0.2.tgz", "integrity": "sha512-dEamhpPEwRUBpLNHeuCm/v+g0anFByHahxodVO/BbAarHVBBg2MccCwf9K+o1Pof+2btdnkJelYVUWjW/VrATw==", "dev": true }, "array-includes": { "version": "3.1.5", "resolved": "https://registry.npmjs.org/array-includes/-/array-includes-3.1.5.tgz", "integrity": "sha512-iSDYZMMyTPkiFasVqfuAQnWAYcvO/SeBSCGKePoEthjp4LEMTe4uLc7b025o4jAZpHhihh8xPo99TNWUWWkGDQ==", "dev": true, "requires": { "call-bind": "^1.0.2", "define-properties": "^1.1.4", "es-abstract": "^1.19.5", "get-intrinsic": "^1.1.1", "is-string": "^1.0.7" } }, "array.prototype.flat": { "version": "1.3.0", "resolved": "https://registry.npmjs.org/array.prototype.flat/-/array.prototype.flat-1.3.0.tgz", "integrity": "sha512-12IUEkHsAhA4DY5s0FPgNXIdc8VRSqD9Zp78a5au9abH/SOBrsp082JOWFNTjkMozh8mqcdiKuaLGhPeYztxSw==", "dev": true, "requires": { "call-bind": "^1.0.2", "define-properties": "^1.1.3", "es-abstract": "^1.19.2", "es-shim-unscopables": "^1.0.0" } }, "async-hook-domain": { "version": "2.0.4", "resolved": "https://registry.npmjs.org/async-hook-domain/-/async-hook-domain-2.0.4.tgz", "integrity": "sha512-14LjCmlK1PK8eDtTezR6WX8TMaYNIzBIsd2D1sGoGjgx0BuNMMoSdk7i/drlbtamy0AWv9yv2tkB+ASdmeqFIw==", "dev": true }, "balanced-match": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz", "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==", "dev": true }, "binary-extensions": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/binary-extensions/-/binary-extensions-2.2.0.tgz", "integrity": "sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA==", "dev": true }, "bind-obj-methods": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/bind-obj-methods/-/bind-obj-methods-3.0.0.tgz", "integrity": "sha512-nLEaaz3/sEzNSyPWRsN9HNsqwk1AUyECtGj+XwGdIi3xABnEqecvXtIJ0wehQXuuER5uZ/5fTs2usONgYjG+iw==", "dev": true }, "brace-expansion": { "version": "1.1.11", "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz", "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==", "dev": true, "requires": { "balanced-match": "^1.0.0", "concat-map": "0.0.1" } }, "braces": { "version": "3.0.2", "resolved": "https://registry.npmjs.org/braces/-/braces-3.0.2.tgz", "integrity": "sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==", "dev": true, "requires": { "fill-range": "^7.0.1" } }, "browserslist": { "version": "4.20.3", "resolved": "https://registry.npmjs.org/browserslist/-/browserslist-4.20.3.tgz", "integrity": "sha512-NBhymBQl1zM0Y5dQT/O+xiLP9/rzOIQdKM/eMJBAq7yBgaB6krIYLGejrwVYnSHZdqjscB1SPuAjHwxjvN6Wdg==", "dev": true, "requires": { "caniuse-lite": "^1.0.30001332", "electron-to-chromium": "^1.4.118", "escalade": "^3.1.1", "node-releases": "^2.0.3", "picocolors": "^1.0.0" } }, "buffer-from": { "version": "1.1.2", "resolved": "https://registry.npmjs.org/buffer-from/-/buffer-from-1.1.2.tgz", "integrity": "sha512-E+XQCRwSbaaiChtv6k6Dwgc+bx+Bs6vuKJHHl5kox/BaKbhiXzqQOwK4cO22yElGp2OCmjwVhT3HmxgyPGnJfQ==", "dev": true }, "caching-transform": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/caching-transform/-/caching-transform-4.0.0.tgz", "integrity": "sha512-kpqOvwXnjjN44D89K5ccQC+RUrsy7jB/XLlRrx0D7/2HNcTPqzsb6XgYoErwko6QsV184CA2YgS1fxDiiDZMWA==", "dev": true, "requires": { "hasha": "^5.0.0", "make-dir": "^3.0.0", "package-hash": "^4.0.0", "write-file-atomic": "^3.0.0" } }, "call-bind": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/call-bind/-/call-bind-1.0.2.tgz", "integrity": "sha512-7O+FbCihrB5WGbFYesctwmTKae6rOiIzmz1icreWJ+0aA7LJfuqhEso2T9ncpcFtzMQtzXf2QGGueWJGTYsqrA==", "dev": true, "requires": { "function-bind": "^1.1.1", "get-intrinsic": "^1.0.2" } }, "callsites": { "version": "3.1.0", "resolved": "https://registry.npmjs.org/callsites/-/callsites-3.1.0.tgz", "integrity": "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==", "dev": true }, "camelcase": { "version": "5.3.1", "resolved": "https://registry.npmjs.org/camelcase/-/camelcase-5.3.1.tgz", "integrity": "sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg==", "dev": true }, "caniuse-lite": { "version": "1.0.30001344", "resolved": "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001344.tgz", "integrity": "sha512-0ZFjnlCaXNOAYcV7i+TtdKBp0L/3XEU2MF/x6Du1lrh+SRX4IfzIVL4HNJg5pB2PmFb8rszIGyOvsZnqqRoc2g==", "dev": true }, "chalk": { "version": "4.1.2", "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.2.tgz", "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==", "dev": true, "requires": { "ansi-styles": "^4.1.0", "supports-color": "^7.1.0" } }, "chokidar": { "version": "3.5.3", "resolved": "https://registry.npmjs.org/chokidar/-/chokidar-3.5.3.tgz", "integrity": "sha512-Dr3sfKRP6oTcjf2JmUmFJfeVMvXBdegxB0iVQ5eb2V10uFJUCAS8OByZdVAyVb8xXNz3GjjTgj9kLWsZTqE6kw==", "dev": true, "requires": { "anymatch": "~3.1.2", "braces": "~3.0.2", "fsevents": "~2.3.2", "glob-parent": "~5.1.2", "is-binary-path": "~2.1.0", "is-glob": "~4.0.1", "normalize-path": "~3.0.0", "readdirp": "~3.6.0" }, "dependencies": { "glob-parent": { "version": "5.1.2", "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz", "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==", "dev": true, "requires": { "is-glob": "^4.0.1" } } } }, "clean-stack": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/clean-stack/-/clean-stack-2.2.0.tgz", "integrity": "sha512-4diC9HaTE+KRAMWhDhrGOECgWZxoevMc5TlkObMqNSsVU62PYzXZ/SMTjzyGAFF1YusgxGcSWTEXBhp0CPwQ1A==", "dev": true }, "cliui": { "version": "6.0.0", "resolved": "https://registry.npmjs.org/cliui/-/cliui-6.0.0.tgz", "integrity": "sha512-t6wbgtoCXvAzst7QgXxJYqPt0usEfbgQdftEPbLL/cvv6HPE5VgvqCuAIDR0NgU52ds6rFwqrgakNLrHEjCbrQ==", "dev": true, "requires": { "string-width": "^4.2.0", "strip-ansi": "^6.0.0", "wrap-ansi": "^6.2.0" } }, "codecov": { "version": "3.8.3", "resolved": "https://registry.npmjs.org/codecov/-/codecov-3.8.3.tgz", "integrity": "sha512-Y8Hw+V3HgR7V71xWH2vQ9lyS358CbGCldWlJFR0JirqoGtOoas3R3/OclRTvgUYFK29mmJICDPauVKmpqbwhOA==", "dev": true, "requires": { "argv": "0.0.2", "ignore-walk": "3.0.4", "js-yaml": "3.14.1", "teeny-request": "7.1.1", "urlgrey": "1.0.0" } }, "color-convert": { "version": "2.0.1", "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", "dev": true, "requires": { "color-name": "~1.1.4" } }, "color-name": { "version": "1.1.4", "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz", "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", "dev": true }, "color-support": { "version": "1.1.3", "resolved": "https://registry.npmjs.org/color-support/-/color-support-1.1.3.tgz", "integrity": "sha512-qiBjkpbMLO/HL68y+lh4q0/O1MZFj2RX6X/KmMa3+gJD3z+WwI1ZzDHysvqHGS3mP6mznPckpXmw1nI9cJjyRg==", "dev": true }, "colors": { "version": "0.6.2", "resolved": "https://registry.npmjs.org/colors/-/colors-0.6.2.tgz", "integrity": "sha512-OsSVtHK8Ir8r3+Fxw/b4jS1ZLPXkV6ZxDRJQzeD7qo0SqMXWrHDM71DgYzPMHY8SFJ0Ao+nNU2p1MmwdzKqPrw==", "dev": true }, "commander": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/commander/-/commander-2.1.0.tgz", "integrity": "sha512-J2wnb6TKniXNOtoHS8TSrG9IOQluPrsmyAJ8oCUJOBmv+uLBCyPYAZkD2jFvw2DCzIXNnISIM01NIvr35TkBMQ==", "dev": true }, "commondir": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/commondir/-/commondir-1.0.1.tgz", "integrity": "sha512-W9pAhw0ja1Edb5GVdIF1mjZw/ASI0AlShXM83UUGe2DVr5TdAPEA1OA8m/g8zWp9x6On7gqufY+FatDbC3MDQg==", "dev": true }, "concat-map": { "version": "0.0.1", "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz", "integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==", "dev": true }, "confusing-browser-globals": { "version": "1.0.11", "resolved": "https://registry.npmjs.org/confusing-browser-globals/-/confusing-browser-globals-1.0.11.tgz", "integrity": "sha512-JsPKdmh8ZkmnHxDk55FZ1TqVLvEQTvoByJZRN9jzI0UjxK/QgAmsphz7PGtqgPieQZ/CQcHWXCR7ATDNhGe+YA==", "dev": true }, "conventional-commit-types": { "version": "2.3.0", "resolved": "https://registry.npmjs.org/conventional-commit-types/-/conventional-commit-types-2.3.0.tgz", "integrity": "sha512-6iB39PrcGYdz0n3z31kj6/Km6mK9hm9oMRhwcLnKxE7WNoeRKZbTAobliKrbYZ5jqyCvtcVEfjCiaEzhL3AVmQ==", "dev": true }, "convert-source-map": { "version": "1.8.0", "resolved": "https://registry.npmjs.org/convert-source-map/-/convert-source-map-1.8.0.tgz", "integrity": "sha512-+OQdjP49zViI/6i7nIJpA8rAl4sV/JdPfU9nZs3VqOwGIgizICvuN2ru6fMd+4llL0tar18UYJXfZ/TWtmhUjA==", "dev": true, "requires": { "safe-buffer": "~5.1.1" } }, "cross-spawn": { "version": "7.0.3", "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.3.tgz", "integrity": "sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==", "dev": true, "requires": { "path-key": "^3.1.0", "shebang-command": "^2.0.0", "which": "^2.0.1" } }, "date-format": { "version": "4.0.11", "resolved": "https://registry.npmjs.org/date-format/-/date-format-4.0.11.tgz", "integrity": "sha512-VS20KRyorrbMCQmpdl2hg5KaOUsda1RbnsJg461FfrcyCUg+pkd0b40BSW4niQyTheww4DBXQnS7HwSrKkipLw==" }, "debug": { "version": "4.3.4", "resolved": "https://registry.npmjs.org/debug/-/debug-4.3.4.tgz", "integrity": "sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==", "requires": { "ms": "2.1.2" } }, "decamelize": { "version": "1.2.0", "resolved": "https://registry.npmjs.org/decamelize/-/decamelize-1.2.0.tgz", "integrity": "sha512-z2S+W9X73hAUUki+N+9Za2lBlun89zigOyGrsax+KUQ6wKW4ZoWpEYBkGhQjwAjjDCkWxhY0VKEhk8wzY7F5cA==", "dev": true }, "deep-freeze": { "version": "0.0.1", "resolved": "https://registry.npmjs.org/deep-freeze/-/deep-freeze-0.0.1.tgz", "integrity": "sha512-Z+z8HiAvsGwmjqlphnHW5oz6yWlOwu6EQfFTjmeTWlDeda3FS2yv3jhq35TX/ewmsnqB+RX2IdsIOyjJCQN5tg==", "dev": true }, "deep-is": { "version": "0.1.4", "resolved": "https://registry.npmjs.org/deep-is/-/deep-is-0.1.4.tgz", "integrity": "sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==", "dev": true }, "default-require-extensions": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/default-require-extensions/-/default-require-extensions-3.0.0.tgz", "integrity": "sha512-ek6DpXq/SCpvjhpFsLFRVtIxJCRw6fUR42lYMVZuUMK7n8eMz4Uh5clckdBjEpLhn/gEBZo7hDJnJcwdKLKQjg==", "dev": true, "requires": { "strip-bom": "^4.0.0" }, "dependencies": { "strip-bom": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/strip-bom/-/strip-bom-4.0.0.tgz", "integrity": "sha512-3xurFv5tEgii33Zi8Jtp55wEIILR9eh34FAW00PZf+JnSsTmV/ioewSgQl97JHvgjoRGwPShsWm+IdrxB35d0w==", "dev": true } } }, "define-properties": { "version": "1.1.4", "resolved": "https://registry.npmjs.org/define-properties/-/define-properties-1.1.4.tgz", "integrity": "sha512-uckOqKcfaVvtBdsVkdPv3XjveQJsNQqmhXgRi8uhvWWuPYZCNlzT8qAyblUgNoXdHdjMTzAqeGjAoli8f+bzPA==", "dev": true, "requires": { "has-property-descriptors": "^1.0.0", "object-keys": "^1.1.1" } }, "diff": { "version": "4.0.2", "resolved": "https://registry.npmjs.org/diff/-/diff-4.0.2.tgz", "integrity": "sha512-58lmxKSA4BNyLz+HHMUzlOEpg09FV+ev6ZMe3vJihgdxzgcwZ8VoEEPmALCZG9LmqfVoNMMKpttIYTVG6uDY7A==", "dev": true }, "doctrine": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/doctrine/-/doctrine-3.0.0.tgz", "integrity": "sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==", "dev": true, "requires": { "esutils": "^2.0.2" } }, "electron-to-chromium": { "version": "1.4.144", "resolved": "https://registry.npmjs.org/electron-to-chromium/-/electron-to-chromium-1.4.144.tgz", "integrity": "sha512-R3RV3rU1xWwFJlSClVWDvARaOk6VUO/FubHLodIASDB3Mc2dzuWvNdfOgH9bwHUTqT79u92qw60NWfwUdzAqdg==", "dev": true }, "emoji-regex": { "version": "8.0.0", "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", "dev": true }, "es-abstract": { "version": "1.20.1", "resolved": "https://registry.npmjs.org/es-abstract/-/es-abstract-1.20.1.tgz", "integrity": "sha512-WEm2oBhfoI2sImeM4OF2zE2V3BYdSF+KnSi9Sidz51fQHd7+JuF8Xgcj9/0o+OWeIeIS/MiuNnlruQrJf16GQA==", "dev": true, "requires": { "call-bind": "^1.0.2", "es-to-primitive": "^1.2.1", "function-bind": "^1.1.1", "function.prototype.name": "^1.1.5", "get-intrinsic": "^1.1.1", "get-symbol-description": "^1.0.0", "has": "^1.0.3", "has-property-descriptors": "^1.0.0", "has-symbols": "^1.0.3", "internal-slot": "^1.0.3", "is-callable": "^1.2.4", "is-negative-zero": "^2.0.2", "is-regex": "^1.1.4", "is-shared-array-buffer": "^1.0.2", "is-string": "^1.0.7", "is-weakref": "^1.0.2", "object-inspect": "^1.12.0", "object-keys": "^1.1.1", "object.assign": "^4.1.2", "regexp.prototype.flags": "^1.4.3", "string.prototype.trimend": "^1.0.5", "string.prototype.trimstart": "^1.0.5", "unbox-primitive": "^1.0.2" } }, "es-shim-unscopables": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/es-shim-unscopables/-/es-shim-unscopables-1.0.0.tgz", "integrity": "sha512-Jm6GPcCdC30eMLbZ2x8z2WuRwAws3zTBBKuusffYVUrNj/GVSUAZ+xKMaUpfNDR5IbyNA5LJbaecoUVbmUcB1w==", "dev": true, "requires": { "has": "^1.0.3" } }, "es-to-primitive": { "version": "1.2.1", "resolved": "https://registry.npmjs.org/es-to-primitive/-/es-to-primitive-1.2.1.tgz", "integrity": "sha512-QCOllgZJtaUo9miYBcLChTUaHNjJF3PYs1VidD7AwiEj1kYxKeQTctLAezAOH5ZKRH0g2IgPn6KwB4IT8iRpvA==", "dev": true, "requires": { "is-callable": "^1.1.4", "is-date-object": "^1.0.1", "is-symbol": "^1.0.2" } }, "es6-error": { "version": "4.1.1", "resolved": "https://registry.npmjs.org/es6-error/-/es6-error-4.1.1.tgz", "integrity": "sha512-Um/+FxMr9CISWh0bi5Zv0iOD+4cFh5qLeks1qhAopKVAJw3drgKbKySikp7wGhDL0HPeaja0P5ULZrxLkniUVg==", "dev": true }, "escalade": { "version": "3.1.1", "resolved": "https://registry.npmjs.org/escalade/-/escalade-3.1.1.tgz", "integrity": "sha512-k0er2gUkLf8O0zKJiAhmkTnJlTvINGv7ygDNPbeIsX/TJjGJZHuh9B2UxbsaEkmlEo9MfhrSzmhIlhRlI2GXnw==", "dev": true }, "escape-string-regexp": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz", "integrity": "sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==", "dev": true }, "eslint": { "version": "8.16.0", "resolved": "https://registry.npmjs.org/eslint/-/eslint-8.16.0.tgz", "integrity": "sha512-MBndsoXY/PeVTDJeWsYj7kLZ5hQpJOfMYLsF6LicLHQWbRDG19lK5jOix4DPl8yY4SUFcE3txy86OzFLWT+yoA==", "dev": true, "requires": { "@eslint/eslintrc": "^1.3.0", "@humanwhocodes/config-array": "^0.9.2", "ajv": "^6.10.0", "chalk": "^4.0.0", "cross-spawn": "^7.0.2", "debug": "^4.3.2", "doctrine": "^3.0.0", "escape-string-regexp": "^4.0.0", "eslint-scope": "^7.1.1", "eslint-utils": "^3.0.0", "eslint-visitor-keys": "^3.3.0", "espree": "^9.3.2", "esquery": "^1.4.0", "esutils": "^2.0.2", "fast-deep-equal": "^3.1.3", "file-entry-cache": "^6.0.1", "functional-red-black-tree": "^1.0.1", "glob-parent": "^6.0.1", "globals": "^13.15.0", "ignore": "^5.2.0", "import-fresh": "^3.0.0", "imurmurhash": "^0.1.4", "is-glob": "^4.0.0", "js-yaml": "^4.1.0", "json-stable-stringify-without-jsonify": "^1.0.1", "levn": "^0.4.1", "lodash.merge": "^4.6.2", "minimatch": "^3.1.2", "natural-compare": "^1.4.0", "optionator": "^0.9.1", "regexpp": "^3.2.0", "strip-ansi": "^6.0.1", "strip-json-comments": "^3.1.0", "text-table": "^0.2.0", "v8-compile-cache": "^2.0.3" }, "dependencies": { "argparse": { "version": "2.0.1", "resolved": "https://registry.npmjs.org/argparse/-/argparse-2.0.1.tgz", "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==", "dev": true }, "js-yaml": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-4.1.0.tgz", "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==", "dev": true, "requires": { "argparse": "^2.0.1" } } } }, "eslint-config-airbnb-base": { "version": "15.0.0", "resolved": "https://registry.npmjs.org/eslint-config-airbnb-base/-/eslint-config-airbnb-base-15.0.0.tgz", "integrity": "sha512-xaX3z4ZZIcFLvh2oUNvcX5oEofXda7giYmuplVxoOg5A7EXJMrUyqRgR+mhDhPK8LZ4PttFOBvCYDbX3sUoUig==", "dev": true, "requires": { "confusing-browser-globals": "^1.0.10", "object.assign": "^4.1.2", "object.entries": "^1.1.5", "semver": "^6.3.0" } }, "eslint-config-prettier": { "version": "8.5.0", "resolved": "https://registry.npmjs.org/eslint-config-prettier/-/eslint-config-prettier-8.5.0.tgz", "integrity": "sha512-obmWKLUNCnhtQRKc+tmnYuQl0pFU1ibYJQ5BGhTVB08bHe9wC8qUeG7c08dj9XX+AuPj1YSGSQIHl1pnDHZR0Q==", "dev": true }, "eslint-import-resolver-node": { "version": "0.3.6", "resolved": "https://registry.npmjs.org/eslint-import-resolver-node/-/eslint-import-resolver-node-0.3.6.tgz", "integrity": "sha512-0En0w03NRVMn9Uiyn8YRPDKvWjxCWkslUEhGNTdGx15RvPJYQ+lbOlqrlNI2vEAs4pDYK4f/HN2TbDmk5TP0iw==", "dev": true, "requires": { "debug": "^3.2.7", "resolve": "^1.20.0" }, "dependencies": { "debug": { "version": "3.2.7", "resolved": "https://registry.npmjs.org/debug/-/debug-3.2.7.tgz", "integrity": "sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ==", "dev": true, "requires": { "ms": "^2.1.1" } } } }, "eslint-module-utils": { "version": "2.7.3", "resolved": "https://registry.npmjs.org/eslint-module-utils/-/eslint-module-utils-2.7.3.tgz", "integrity": "sha512-088JEC7O3lDZM9xGe0RerkOMd0EjFl+Yvd1jPWIkMT5u3H9+HC34mWWPnqPrN13gieT9pBOO+Qt07Nb/6TresQ==", "dev": true, "requires": { "debug": "^3.2.7", "find-up": "^2.1.0" }, "dependencies": { "debug": { "version": "3.2.7", "resolved": "https://registry.npmjs.org/debug/-/debug-3.2.7.tgz", "integrity": "sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ==", "dev": true, "requires": { "ms": "^2.1.1" } } } }, "eslint-plugin-import": { "version": "2.26.0", "resolved": "https://registry.npmjs.org/eslint-plugin-import/-/eslint-plugin-import-2.26.0.tgz", "integrity": "sha512-hYfi3FXaM8WPLf4S1cikh/r4IxnO6zrhZbEGz2b660EJRbuxgpDS5gkCuYgGWg2xxh2rBuIr4Pvhve/7c31koA==", "dev": true, "requires": { "array-includes": "^3.1.4", "array.prototype.flat": "^1.2.5", "debug": "^2.6.9", "doctrine": "^2.1.0", "eslint-import-resolver-node": "^0.3.6", "eslint-module-utils": "^2.7.3", "has": "^1.0.3", "is-core-module": "^2.8.1", "is-glob": "^4.0.3", "minimatch": "^3.1.2", "object.values": "^1.1.5", "resolve": "^1.22.0", "tsconfig-paths": "^3.14.1" }, "dependencies": { "debug": { "version": "2.6.9", "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", "dev": true, "requires": { "ms": "2.0.0" } }, "doctrine": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/doctrine/-/doctrine-2.1.0.tgz", "integrity": "sha512-35mSku4ZXK0vfCuHEDAwt55dg2jNajHZ1odvF+8SSr82EsZY4QmXfuWso8oEd8zRhVObSN18aM0CjSdoBX7zIw==", "dev": true, "requires": { "esutils": "^2.0.2" } }, "ms": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", "dev": true } } }, "eslint-plugin-prettier": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/eslint-plugin-prettier/-/eslint-plugin-prettier-4.0.0.tgz", "integrity": "sha512-98MqmCJ7vJodoQK359bqQWaxOE0CS8paAz/GgjaZLyex4TTk3g9HugoO89EqWCrFiOqn9EVvcoo7gZzONCWVwQ==", "dev": true, "requires": { "prettier-linter-helpers": "^1.0.0" } }, "eslint-scope": { "version": "7.1.1", "resolved": "https://registry.npmjs.org/eslint-scope/-/eslint-scope-7.1.1.tgz", "integrity": "sha512-QKQM/UXpIiHcLqJ5AOyIW7XZmzjkzQXYE54n1++wb0u9V/abW3l9uQnxX8Z5Xd18xyKIMTUAyQ0k1e8pz6LUrw==", "dev": true, "requires": { "esrecurse": "^4.3.0", "estraverse": "^5.2.0" } }, "eslint-utils": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/eslint-utils/-/eslint-utils-3.0.0.tgz", "integrity": "sha512-uuQC43IGctw68pJA1RgbQS8/NP7rch6Cwd4j3ZBtgo4/8Flj4eGE7ZYSZRN3iq5pVUv6GPdW5Z1RFleo84uLDA==", "dev": true, "requires": { "eslint-visitor-keys": "^2.0.0" }, "dependencies": { "eslint-visitor-keys": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-2.1.0.tgz", "integrity": "sha512-0rSmRBzXgDzIsD6mGdJgevzgezI534Cer5L/vyMX0kHzT/jiB43jRhd9YUlMGYLQy2zprNmoT8qasCGtY+QaKw==", "dev": true } } }, "eslint-visitor-keys": { "version": "3.3.0", "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-3.3.0.tgz", "integrity": "sha512-mQ+suqKJVyeuwGYHAdjMFqjCyfl8+Ldnxuyp3ldiMBFKkvytrXUZWaiPCEav8qDHKty44bD+qV1IP4T+w+xXRA==", "dev": true }, "espree": { "version": "9.3.2", "resolved": "https://registry.npmjs.org/espree/-/espree-9.3.2.tgz", "integrity": "sha512-D211tC7ZwouTIuY5x9XnS0E9sWNChB7IYKX/Xp5eQj3nFXhqmiUDB9q27y76oFl8jTg3pXcQx/bpxMfs3CIZbA==", "dev": true, "requires": { "acorn": "^8.7.1", "acorn-jsx": "^5.3.2", "eslint-visitor-keys": "^3.3.0" } }, "esprima": { "version": "4.0.1", "resolved": "https://registry.npmjs.org/esprima/-/esprima-4.0.1.tgz", "integrity": "sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A==", "dev": true }, "esquery": { "version": "1.4.0", "resolved": "https://registry.npmjs.org/esquery/-/esquery-1.4.0.tgz", "integrity": "sha512-cCDispWt5vHHtwMY2YrAQ4ibFkAL8RbH5YGBnZBc90MolvvfkkQcJro/aZiAQUlQ3qgrYS6D6v8Gc5G5CQsc9w==", "dev": true, "requires": { "estraverse": "^5.1.0" } }, "esrecurse": { "version": "4.3.0", "resolved": "https://registry.npmjs.org/esrecurse/-/esrecurse-4.3.0.tgz", "integrity": "sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==", "dev": true, "requires": { "estraverse": "^5.2.0" } }, "estraverse": { "version": "5.3.0", "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz", "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==", "dev": true }, "esutils": { "version": "2.0.3", "resolved": "https://registry.npmjs.org/esutils/-/esutils-2.0.3.tgz", "integrity": "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==", "dev": true }, "events-to-array": { "version": "1.1.2", "resolved": "https://registry.npmjs.org/events-to-array/-/events-to-array-1.1.2.tgz", "integrity": "sha512-inRWzRY7nG+aXZxBzEqYKB3HPgwflZRopAjDCHv0whhRx+MTUr1ei0ICZUypdyE0HRm4L2d5VEcIqLD6yl+BFA==", "dev": true }, "fast-deep-equal": { "version": "3.1.3", "resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz", "integrity": "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==", "dev": true }, "fast-diff": { "version": "1.2.0", "resolved": "https://registry.npmjs.org/fast-diff/-/fast-diff-1.2.0.tgz", "integrity": "sha512-xJuoT5+L99XlZ8twedaRf6Ax2TgQVxvgZOYoPKqZufmJib0tL2tegPBOZb1pVNgIhlqDlA0eO0c3wBvQcmzx4w==", "dev": true }, "fast-json-stable-stringify": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz", "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==", "dev": true }, "fast-levenshtein": { "version": "2.0.6", "resolved": "https://registry.npmjs.org/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz", "integrity": "sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==", "dev": true }, "fast-url-parser": { "version": "1.1.3", "resolved": "https://registry.npmjs.org/fast-url-parser/-/fast-url-parser-1.1.3.tgz", "integrity": "sha512-5jOCVXADYNuRkKFzNJ0dCCewsZiYo0dz8QNYljkOpFC6r2U4OBmKtvm/Tsuh4w1YYdDqDb31a8TVhBJ2OJKdqQ==", "dev": true, "requires": { "punycode": "^1.3.2" } }, "file-entry-cache": { "version": "6.0.1", "resolved": "https://registry.npmjs.org/file-entry-cache/-/file-entry-cache-6.0.1.tgz", "integrity": "sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==", "dev": true, "requires": { "flat-cache": "^3.0.4" } }, "fill-keys": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/fill-keys/-/fill-keys-1.0.2.tgz", "integrity": "sha512-tcgI872xXjwFF4xgQmLxi76GnwJG3g/3isB1l4/G5Z4zrbddGpBjqZCO9oEAcB5wX0Hj/5iQB3toxfO7in1hHA==", "dev": true, "requires": { "is-object": "~1.0.1", "merge-descriptors": "~1.0.0" } }, "fill-range": { "version": "7.0.1", "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.0.1.tgz", "integrity": "sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==", "dev": true, "requires": { "to-regex-range": "^5.0.1" } }, "find-cache-dir": { "version": "3.3.2", "resolved": "https://registry.npmjs.org/find-cache-dir/-/find-cache-dir-3.3.2.tgz", "integrity": "sha512-wXZV5emFEjrridIgED11OoUKLxiYjAcqot/NJdAkOhlJ+vGzwhOAfcG5OX1jP+S0PcjEn8bdMJv+g2jwQ3Onig==", "dev": true, "requires": { "commondir": "^1.0.1", "make-dir": "^3.0.2", "pkg-dir": "^4.1.0" } }, "find-parent-dir": { "version": "0.3.1", "resolved": "https://registry.npmjs.org/find-parent-dir/-/find-parent-dir-0.3.1.tgz", "integrity": "sha512-o4UcykWV/XN9wm+jMEtWLPlV8RXCZnMhQI6F6OdHeSez7iiJWePw8ijOlskJZMsaQoGR/b7dH6lO02HhaTN7+A==", "dev": true }, "find-up": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/find-up/-/find-up-2.1.0.tgz", "integrity": "sha512-NWzkk0jSJtTt08+FBFMvXoeZnOJD+jTtsRmBYbAIzJdX6l7dLgR7CTubCM5/eDdPUBvLCeVasP1brfVR/9/EZQ==", "dev": true, "requires": { "locate-path": "^2.0.0" } }, "findit": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/findit/-/findit-2.0.0.tgz", "integrity": "sha512-ENZS237/Hr8bjczn5eKuBohLgaD0JyUd0arxretR1f9RO46vZHA1b2y0VorgGV3WaOT3c+78P8h7v4JGJ1i/rg==", "dev": true }, "findup": { "version": "0.1.5", "resolved": "https://registry.npmjs.org/findup/-/findup-0.1.5.tgz", "integrity": "sha512-Udxo3C9A6alt2GZ2MNsgnIvX7De0V3VGxeP/x98NSVgSlizcDHdmJza61LI7zJy4OEtSiJyE72s0/+tBl5/ZxA==", "dev": true, "requires": { "colors": "~0.6.0-1", "commander": "~2.1.0" } }, "flat-cache": { "version": "3.0.4", "resolved": "https://registry.npmjs.org/flat-cache/-/flat-cache-3.0.4.tgz", "integrity": "sha512-dm9s5Pw7Jc0GvMYbshN6zchCA9RgQlzzEZX3vylR9IqFfS8XciblUXOKfW6SiuJ0e13eDYZoZV5wdrev7P3Nwg==", "dev": true, "requires": { "flatted": "^3.1.0", "rimraf": "^3.0.2" } }, "flatted": { "version": "3.2.5", "resolved": "https://registry.npmjs.org/flatted/-/flatted-3.2.5.tgz", "integrity": "sha512-WIWGi2L3DyTUvUrwRKgGi9TwxQMUEqPOPQBVi71R96jZXJdFskXEmf54BoZaS1kknGODoIGASGEzBUYdyMCBJg==" }, "foreground-child": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/foreground-child/-/foreground-child-2.0.0.tgz", "integrity": "sha512-dCIq9FpEcyQyXKCkyzmlPTFNgrCzPudOe+mhvJU5zAtlBnGVy2yKxtfsxK2tQBThwq225jcvBjpw1Gr40uzZCA==", "dev": true, "requires": { "cross-spawn": "^7.0.0", "signal-exit": "^3.0.2" } }, "fromentries": { "version": "1.3.2", "resolved": "https://registry.npmjs.org/fromentries/-/fromentries-1.3.2.tgz", "integrity": "sha512-cHEpEQHUg0f8XdtZCc2ZAhrHzKzT0MrFUTcvx+hfxYu7rGMDc5SKoXFh+n4YigxsHXRzc6OrCshdR1bWH6HHyg==", "dev": true }, "fs-exists-cached": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/fs-exists-cached/-/fs-exists-cached-1.0.0.tgz", "integrity": "sha512-kSxoARUDn4F2RPXX48UXnaFKwVU7Ivd/6qpzZL29MCDmr9sTvybv4gFCp+qaI4fM9m0z9fgz/yJvi56GAz+BZg==", "dev": true }, "fs-extra": { "version": "10.1.0", "resolved": "https://registry.npmjs.org/fs-extra/-/fs-extra-10.1.0.tgz", "integrity": "sha512-oRXApq54ETRj4eMiFzGnHWGy+zo5raudjuxN0b8H7s/RU2oW0Wvsx9O0ACRN/kRq9E8Vu/ReskGB5o3ji+FzHQ==", "requires": { "graceful-fs": "^4.2.0", "jsonfile": "^6.0.1", "universalify": "^2.0.0" } }, "fs.realpath": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/fs.realpath/-/fs.realpath-1.0.0.tgz", "integrity": "sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==", "dev": true }, "fsevents": { "version": "2.3.2", "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.2.tgz", "integrity": "sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA==", "dev": true, "optional": true }, "function-bind": { "version": "1.1.1", "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.1.tgz", "integrity": "sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==", "dev": true }, "function-loop": { "version": "2.0.1", "resolved": "https://registry.npmjs.org/function-loop/-/function-loop-2.0.1.tgz", "integrity": "sha512-ktIR+O6i/4h+j/ZhZJNdzeI4i9lEPeEK6UPR2EVyTVBqOwcU3Za9xYKLH64ZR9HmcROyRrOkizNyjjtWJzDDkQ==", "dev": true }, "function.prototype.name": { "version": "1.1.5", "resolved": "https://registry.npmjs.org/function.prototype.name/-/function.prototype.name-1.1.5.tgz", "integrity": "sha512-uN7m/BzVKQnCUF/iW8jYea67v++2u7m5UgENbHRtdDVclOUP+FMPlCNdmk0h/ysGyo2tavMJEDqJAkJdRa1vMA==", "dev": true, "requires": { "call-bind": "^1.0.2", "define-properties": "^1.1.3", "es-abstract": "^1.19.0", "functions-have-names": "^1.2.2" } }, "functional-red-black-tree": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/functional-red-black-tree/-/functional-red-black-tree-1.0.1.tgz", "integrity": "sha512-dsKNQNdj6xA3T+QlADDA7mOSlX0qiMINjn0cgr+eGHGsbSHzTabcIogz2+p/iqP1Xs6EP/sS2SbqH+brGTbq0g==", "dev": true }, "functions-have-names": { "version": "1.2.3", "resolved": "https://registry.npmjs.org/functions-have-names/-/functions-have-names-1.2.3.tgz", "integrity": "sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ==", "dev": true }, "gensync": { "version": "1.0.0-beta.2", "resolved": "https://registry.npmjs.org/gensync/-/gensync-1.0.0-beta.2.tgz", "integrity": "sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg==", "dev": true }, "get-caller-file": { "version": "2.0.5", "resolved": "https://registry.npmjs.org/get-caller-file/-/get-caller-file-2.0.5.tgz", "integrity": "sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==", "dev": true }, "get-intrinsic": { "version": "1.1.1", "resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.1.1.tgz", "integrity": "sha512-kWZrnVM42QCiEA2Ig1bG8zjoIMOgxWwYCEeNdwY6Tv/cOSeGpcoX4pXHfKUxNKVoArnrEr2e9srnAxxGIraS9Q==", "dev": true, "requires": { "function-bind": "^1.1.1", "has": "^1.0.3", "has-symbols": "^1.0.1" } }, "get-package-type": { "version": "0.1.0", "resolved": "https://registry.npmjs.org/get-package-type/-/get-package-type-0.1.0.tgz", "integrity": "sha512-pjzuKtY64GYfWizNAJ0fr9VqttZkNiK2iS430LtIHzjBEr6bX8Am2zm4sW4Ro5wjWW5cAlRL1qAMTcXbjNAO2Q==", "dev": true }, "get-symbol-description": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/get-symbol-description/-/get-symbol-description-1.0.0.tgz", "integrity": "sha512-2EmdH1YvIQiZpltCNgkuiUnyukzxM/R6NDJX31Ke3BG1Nq5b0S2PhX59UKi9vZpPDQVdqn+1IcaAwnzTT5vCjw==", "dev": true, "requires": { "call-bind": "^1.0.2", "get-intrinsic": "^1.1.1" } }, "glob": { "version": "7.2.3", "resolved": "https://registry.npmjs.org/glob/-/glob-7.2.3.tgz", "integrity": "sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==", "dev": true, "requires": { "fs.realpath": "^1.0.0", "inflight": "^1.0.4", "inherits": "2", "minimatch": "^3.1.1", "once": "^1.3.0", "path-is-absolute": "^1.0.0" } }, "glob-parent": { "version": "6.0.2", "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-6.0.2.tgz", "integrity": "sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==", "dev": true, "requires": { "is-glob": "^4.0.3" } }, "globals": { "version": "13.15.0", "resolved": "https://registry.npmjs.org/globals/-/globals-13.15.0.tgz", "integrity": "sha512-bpzcOlgDhMG070Av0Vy5Owklpv1I6+j96GhUI7Rh7IzDCKLzboflLrrfqMu8NquDbiR4EOQk7XzJwqVJxicxog==", "dev": true, "requires": { "type-fest": "^0.20.2" } }, "graceful-fs": { "version": "4.2.10", "resolved": "https://registry.npmjs.org/graceful-fs/-/graceful-fs-4.2.10.tgz", "integrity": "sha512-9ByhssR2fPVsNZj478qUUbKfmL0+t5BDVyjShtyZZLiK7ZDAArFFfopyOTj0M05wE2tJPisA4iTnnXl2YoPvOA==" }, "has": { "version": "1.0.3", "resolved": "https://registry.npmjs.org/has/-/has-1.0.3.tgz", "integrity": "sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==", "dev": true, "requires": { "function-bind": "^1.1.1" } }, "has-bigints": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/has-bigints/-/has-bigints-1.0.2.tgz", "integrity": "sha512-tSvCKtBr9lkF0Ex0aQiP9N+OpV4zi2r/Nee5VkRDbaqv35RLYMzbwQfFSZZH0kR+Rd6302UJZ2p/bJCEoR3VoQ==", "dev": true }, "has-flag": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", "dev": true }, "has-property-descriptors": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/has-property-descriptors/-/has-property-descriptors-1.0.0.tgz", "integrity": "sha512-62DVLZGoiEBDHQyqG4w9xCuZ7eJEwNmJRWw2VY84Oedb7WFcA27fiEVe8oUQx9hAUJ4ekurquucTGwsyO1XGdQ==", "dev": true, "requires": { "get-intrinsic": "^1.1.1" } }, "has-symbols": { "version": "1.0.3", "resolved": "https://registry.npmjs.org/has-symbols/-/has-symbols-1.0.3.tgz", "integrity": "sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==", "dev": true }, "has-tostringtag": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/has-tostringtag/-/has-tostringtag-1.0.0.tgz", "integrity": "sha512-kFjcSNhnlGV1kyoGk7OXKSawH5JOb/LzUc5w9B02hOTO0dfFRjbHQKvg1d6cf3HbeUmtU9VbbV3qzZ2Teh97WQ==", "dev": true, "requires": { "has-symbols": "^1.0.2" } }, "hasha": { "version": "5.2.2", "resolved": "https://registry.npmjs.org/hasha/-/hasha-5.2.2.tgz", "integrity": "sha512-Hrp5vIK/xr5SkeN2onO32H0MgNZ0f17HRNH39WfL0SYUNOTZ5Lz1TJ8Pajo/87dYGEFlLMm7mIc/k/s6Bvz9HQ==", "dev": true, "requires": { "is-stream": "^2.0.0", "type-fest": "^0.8.0" }, "dependencies": { "type-fest": { "version": "0.8.1", "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.8.1.tgz", "integrity": "sha512-4dbzIzqvjtgiM5rw1k5rEHtBANKmdudhGyBEajN01fEyhaAIhsoKNy6y7+IN93IfpFtwY9iqi7kD+xwKhQsNJA==", "dev": true } } }, "html-escaper": { "version": "2.0.2", "resolved": "https://registry.npmjs.org/html-escaper/-/html-escaper-2.0.2.tgz", "integrity": "sha512-H2iMtd0I4Mt5eYiapRdIDjp+XzelXQ0tFE4JS7YFwFevXXMmOp9myNrUvCg0D6ws8iqkRPBfKHgbwig1SmlLfg==", "dev": true }, "http-proxy-agent": { "version": "4.0.1", "resolved": "https://registry.npmjs.org/http-proxy-agent/-/http-proxy-agent-4.0.1.tgz", "integrity": "sha512-k0zdNgqWTGA6aeIRVpvfVob4fL52dTfaehylg0Y4UvSySvOq/Y+BOyPrgpUrA7HylqvU8vIZGsRuXmspskV0Tg==", "dev": true, "requires": { "@tootallnate/once": "1", "agent-base": "6", "debug": "4" } }, "https-proxy-agent": { "version": "5.0.1", "resolved": "https://registry.npmjs.org/https-proxy-agent/-/https-proxy-agent-5.0.1.tgz", "integrity": "sha512-dFcAjpTQFgoLMzC2VwU+C/CbS7uRL0lWmxDITmqm7C+7F0Odmj6s9l6alZc6AELXhrnggM2CeWSXHGOdX2YtwA==", "dev": true, "requires": { "agent-base": "6", "debug": "4" } }, "husky": { "version": "8.0.1", "resolved": "https://registry.npmjs.org/husky/-/husky-8.0.1.tgz", "integrity": "sha512-xs7/chUH/CKdOCs7Zy0Aev9e/dKOMZf3K1Az1nar3tzlv0jfqnYtu235bstsWTmXOR0EfINrPa97yy4Lz6RiKw==", "dev": true }, "ignore": { "version": "5.2.0", "resolved": "https://registry.npmjs.org/ignore/-/ignore-5.2.0.tgz", "integrity": "sha512-CmxgYGiEPCLhfLnpPp1MoRmifwEIOgjcHXxOBjv7mY96c+eWScsOP9c112ZyLdWHi0FxHjI+4uVhKYp/gcdRmQ==", "dev": true }, "ignore-walk": { "version": "3.0.4", "resolved": "https://registry.npmjs.org/ignore-walk/-/ignore-walk-3.0.4.tgz", "integrity": "sha512-PY6Ii8o1jMRA1z4F2hRkH/xN59ox43DavKvD3oDpfurRlOJyAHpifIwpbdv1n4jt4ov0jSpw3kQ4GhJnpBL6WQ==", "dev": true, "requires": { "minimatch": "^3.0.4" } }, "import-fresh": { "version": "3.3.0", "resolved": "https://registry.npmjs.org/import-fresh/-/import-fresh-3.3.0.tgz", "integrity": "sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==", "dev": true, "requires": { "parent-module": "^1.0.0", "resolve-from": "^4.0.0" } }, "imurmurhash": { "version": "0.1.4", "resolved": "https://registry.npmjs.org/imurmurhash/-/imurmurhash-0.1.4.tgz", "integrity": "sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==", "dev": true }, "indent-string": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/indent-string/-/indent-string-4.0.0.tgz", "integrity": "sha512-EdDDZu4A2OyIK7Lr/2zG+w5jmbuk1DVBnEwREQvBzspBJkCEbRa8GxU1lghYcaGJCnRWibjDXlq779X1/y5xwg==", "dev": true }, "inflight": { "version": "1.0.6", "resolved": "https://registry.npmjs.org/inflight/-/inflight-1.0.6.tgz", "integrity": "sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==", "dev": true, "requires": { "once": "^1.3.0", "wrappy": "1" } }, "inherits": { "version": "2.0.4", "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==", "dev": true }, "internal-slot": { "version": "1.0.3", "resolved": "https://registry.npmjs.org/internal-slot/-/internal-slot-1.0.3.tgz", "integrity": "sha512-O0DB1JC/sPyZl7cIo78n5dR7eUSwwpYPiXRhTzNxZVAMUuB8vlnRFyLxdrVToks6XPLVnFfbzaVd5WLjhgg+vA==", "dev": true, "requires": { "get-intrinsic": "^1.1.0", "has": "^1.0.3", "side-channel": "^1.0.4" } }, "is-bigint": { "version": "1.0.4", "resolved": "https://registry.npmjs.org/is-bigint/-/is-bigint-1.0.4.tgz", "integrity": "sha512-zB9CruMamjym81i2JZ3UMn54PKGsQzsJeo6xvN3HJJ4CAsQNB6iRutp2To77OfCNuoxspsIhzaPoO1zyCEhFOg==", "dev": true, "requires": { "has-bigints": "^1.0.1" } }, "is-binary-path": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/is-binary-path/-/is-binary-path-2.1.0.tgz", "integrity": "sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==", "dev": true, "requires": { "binary-extensions": "^2.0.0" } }, "is-boolean-object": { "version": "1.1.2", "resolved": "https://registry.npmjs.org/is-boolean-object/-/is-boolean-object-1.1.2.tgz", "integrity": "sha512-gDYaKHJmnj4aWxyj6YHyXVpdQawtVLHU5cb+eztPGczf6cjuTdwve5ZIEfgXqH4e57An1D1AKf8CZ3kYrQRqYA==", "dev": true, "requires": { "call-bind": "^1.0.2", "has-tostringtag": "^1.0.0" } }, "is-callable": { "version": "1.2.4", "resolved": "https://registry.npmjs.org/is-callable/-/is-callable-1.2.4.tgz", "integrity": "sha512-nsuwtxZfMX67Oryl9LCQ+upnC0Z0BgpwntpS89m1H/TLF0zNfzfLMV/9Wa/6MZsj0acpEjAO0KF1xT6ZdLl95w==", "dev": true }, "is-core-module": { "version": "2.9.0", "resolved": "https://registry.npmjs.org/is-core-module/-/is-core-module-2.9.0.tgz", "integrity": "sha512-+5FPy5PnwmO3lvfMb0AsoPaBG+5KHUI0wYFXOtYPnVVVspTFUuMZNfNaNVRt3FZadstu2c8x23vykRW/NBoU6A==", "dev": true, "requires": { "has": "^1.0.3" } }, "is-date-object": { "version": "1.0.5", "resolved": "https://registry.npmjs.org/is-date-object/-/is-date-object-1.0.5.tgz", "integrity": "sha512-9YQaSxsAiSwcvS33MBk3wTCVnWK+HhF8VZR2jRxehM16QcVOdHqPn4VPHmRK4lSr38n9JriurInLcP90xsYNfQ==", "dev": true, "requires": { "has-tostringtag": "^1.0.0" } }, "is-extglob": { "version": "2.1.1", "resolved": "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz", "integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==", "dev": true }, "is-fullwidth-code-point": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", "dev": true }, "is-glob": { "version": "4.0.3", "resolved": "https://registry.npmjs.org/is-glob/-/is-glob-4.0.3.tgz", "integrity": "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==", "dev": true, "requires": { "is-extglob": "^2.1.1" } }, "is-negative-zero": { "version": "2.0.2", "resolved": "https://registry.npmjs.org/is-negative-zero/-/is-negative-zero-2.0.2.tgz", "integrity": "sha512-dqJvarLawXsFbNDeJW7zAz8ItJ9cd28YufuuFzh0G8pNHjJMnY08Dv7sYX2uF5UpQOwieAeOExEYAWWfu7ZZUA==", "dev": true }, "is-number": { "version": "7.0.0", "resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz", "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==", "dev": true }, "is-number-object": { "version": "1.0.7", "resolved": "https://registry.npmjs.org/is-number-object/-/is-number-object-1.0.7.tgz", "integrity": "sha512-k1U0IRzLMo7ZlYIfzRu23Oh6MiIFasgpb9X76eqfFZAqwH44UI4KTBvBYIZ1dSL9ZzChTB9ShHfLkR4pdW5krQ==", "dev": true, "requires": { "has-tostringtag": "^1.0.0" } }, "is-object": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/is-object/-/is-object-1.0.2.tgz", "integrity": "sha512-2rRIahhZr2UWb45fIOuvZGpFtz0TyOZLf32KxBbSoUCeZR495zCKlWUKKUByk3geS2eAs7ZAABt0Y/Rx0GiQGA==", "dev": true }, "is-regex": { "version": "1.1.4", "resolved": "https://registry.npmjs.org/is-regex/-/is-regex-1.1.4.tgz", "integrity": "sha512-kvRdxDsxZjhzUX07ZnLydzS1TU/TJlTUHHY4YLL87e37oUA49DfkLqgy+VjFocowy29cKvcSiu+kIv728jTTVg==", "dev": true, "requires": { "call-bind": "^1.0.2", "has-tostringtag": "^1.0.0" } }, "is-shared-array-buffer": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/is-shared-array-buffer/-/is-shared-array-buffer-1.0.2.tgz", "integrity": "sha512-sqN2UDu1/0y6uvXyStCOzyhAjCSlHceFoMKJW8W9EU9cvic/QdsZ0kEU93HEy3IUEFZIiH/3w+AH/UQbPHNdhA==", "dev": true, "requires": { "call-bind": "^1.0.2" } }, "is-stream": { "version": "2.0.1", "resolved": "https://registry.npmjs.org/is-stream/-/is-stream-2.0.1.tgz", "integrity": "sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg==", "dev": true }, "is-string": { "version": "1.0.7", "resolved": "https://registry.npmjs.org/is-string/-/is-string-1.0.7.tgz", "integrity": "sha512-tE2UXzivje6ofPW7l23cjDOMa09gb7xlAqG6jG5ej6uPV32TlWP3NKPigtaGeHNu9fohccRYvIiZMfOOnOYUtg==", "dev": true, "requires": { "has-tostringtag": "^1.0.0" } }, "is-symbol": { "version": "1.0.4", "resolved": "https://registry.npmjs.org/is-symbol/-/is-symbol-1.0.4.tgz", "integrity": "sha512-C/CPBqKWnvdcxqIARxyOh4v1UUEOCHpgDa0WYgpKDFMszcrPcffg5uhwSgPCLD2WWxmq6isisz87tzT01tuGhg==", "dev": true, "requires": { "has-symbols": "^1.0.2" } }, "is-typedarray": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/is-typedarray/-/is-typedarray-1.0.0.tgz", "integrity": "sha512-cyA56iCMHAh5CdzjJIa4aohJyeO1YbwLi3Jc35MmRU6poroFjIGZzUzupGiRPOjgHg9TLu43xbpwXk523fMxKA==", "dev": true }, "is-weakref": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/is-weakref/-/is-weakref-1.0.2.tgz", "integrity": "sha512-qctsuLZmIQ0+vSSMfoVvyFe2+GSEvnmZ2ezTup1SBse9+twCCeial6EEi3Nc2KFcf6+qz2FBPnjXsk8xhKSaPQ==", "dev": true, "requires": { "call-bind": "^1.0.2" } }, "is-windows": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/is-windows/-/is-windows-1.0.2.tgz", "integrity": "sha512-eXK1UInq2bPmjyX6e3VHIzMLobc4J94i4AWn+Hpq3OU5KkrRC96OAcR3PRJ/pGu6m8TRnBHP9dkXQVsT/COVIA==", "dev": true }, "isexe": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz", "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==", "dev": true }, "istanbul-lib-coverage": { "version": "3.2.0", "resolved": "https://registry.npmjs.org/istanbul-lib-coverage/-/istanbul-lib-coverage-3.2.0.tgz", "integrity": "sha512-eOeJ5BHCmHYvQK7xt9GkdHuzuCGS1Y6g9Gvnx3Ym33fz/HpLRYxiS0wHNr+m/MBC8B647Xt608vCDEvhl9c6Mw==", "dev": true }, "istanbul-lib-hook": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/istanbul-lib-hook/-/istanbul-lib-hook-3.0.0.tgz", "integrity": "sha512-Pt/uge1Q9s+5VAZ+pCo16TYMWPBIl+oaNIjgLQxcX0itS6ueeaA+pEfThZpH8WxhFgCiEb8sAJY6MdUKgiIWaQ==", "dev": true, "requires": { "append-transform": "^2.0.0" } }, "istanbul-lib-instrument": { "version": "4.0.3", "resolved": "https://registry.npmjs.org/istanbul-lib-instrument/-/istanbul-lib-instrument-4.0.3.tgz", "integrity": "sha512-BXgQl9kf4WTCPCCpmFGoJkz/+uhvm7h7PFKUYxh7qarQd3ER33vHG//qaE8eN25l07YqZPpHXU9I09l/RD5aGQ==", "dev": true, "requires": { "@babel/core": "^7.7.5", "@istanbuljs/schema": "^0.1.2", "istanbul-lib-coverage": "^3.0.0", "semver": "^6.3.0" } }, "istanbul-lib-processinfo": { "version": "2.0.2", "resolved": "https://registry.npmjs.org/istanbul-lib-processinfo/-/istanbul-lib-processinfo-2.0.2.tgz", "integrity": "sha512-kOwpa7z9hme+IBPZMzQ5vdQj8srYgAtaRqeI48NGmAQ+/5yKiHLV0QbYqQpxsdEF0+w14SoB8YbnHKcXE2KnYw==", "dev": true, "requires": { "archy": "^1.0.0", "cross-spawn": "^7.0.0", "istanbul-lib-coverage": "^3.0.0-alpha.1", "make-dir": "^3.0.0", "p-map": "^3.0.0", "rimraf": "^3.0.0", "uuid": "^3.3.3" }, "dependencies": { "uuid": { "version": "3.4.0", "resolved": "https://registry.npmjs.org/uuid/-/uuid-3.4.0.tgz", "integrity": "sha512-HjSDRw6gZE5JMggctHBcjVak08+KEVhSIiDzFnT9S9aegmp85S/bReBVTb4QTFaRNptJ9kuYaNhnbNEOkbKb/A==", "dev": true } } }, "istanbul-lib-report": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/istanbul-lib-report/-/istanbul-lib-report-3.0.0.tgz", "integrity": "sha512-wcdi+uAKzfiGT2abPpKZ0hSU1rGQjUQnLvtY5MpQ7QCTahD3VODhcu4wcfY1YtkGaDD5yuydOLINXsfbus9ROw==", "dev": true, "requires": { "istanbul-lib-coverage": "^3.0.0", "make-dir": "^3.0.0", "supports-color": "^7.1.0" } }, "istanbul-lib-source-maps": { "version": "4.0.1", "resolved": "https://registry.npmjs.org/istanbul-lib-source-maps/-/istanbul-lib-source-maps-4.0.1.tgz", "integrity": "sha512-n3s8EwkdFIJCG3BPKBYvskgXGoy88ARzvegkitk60NxRdwltLOTaH7CUiMRXvwYorl0Q712iEjcWB+fK/MrWVw==", "dev": true, "requires": { "debug": "^4.1.1", "istanbul-lib-coverage": "^3.0.0", "source-map": "^0.6.1" } }, "istanbul-reports": { "version": "3.1.4", "resolved": "https://registry.npmjs.org/istanbul-reports/-/istanbul-reports-3.1.4.tgz", "integrity": "sha512-r1/DshN4KSE7xWEknZLLLLDn5CJybV3nw01VTkp6D5jzLuELlcbudfj/eSQFvrKsJuTVCGnePO7ho82Nw9zzfw==", "dev": true, "requires": { "html-escaper": "^2.0.0", "istanbul-lib-report": "^3.0.0" } }, "jackspeak": { "version": "1.4.1", "resolved": "https://registry.npmjs.org/jackspeak/-/jackspeak-1.4.1.tgz", "integrity": "sha512-npN8f+M4+IQ8xD3CcWi3U62VQwKlT3Tj4GxbdT/fYTmeogD9eBF9OFdpoFG/VPNoshRjPUijdkp/p2XrzUHaVg==", "dev": true, "requires": { "cliui": "^7.0.4" }, "dependencies": { "cliui": { "version": "7.0.4", "resolved": "https://registry.npmjs.org/cliui/-/cliui-7.0.4.tgz", "integrity": "sha512-OcRE68cOsVMXp1Yvonl/fzkQOyjLSu/8bhPDfQt0e0/Eb283TKP20Fs2MqoPsr9SwA595rRCA+QMzYc9nBP+JQ==", "dev": true, "requires": { "string-width": "^4.2.0", "strip-ansi": "^6.0.0", "wrap-ansi": "^7.0.0" } }, "wrap-ansi": { "version": "7.0.0", "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-7.0.0.tgz", "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==", "dev": true, "requires": { "ansi-styles": "^4.0.0", "string-width": "^4.1.0", "strip-ansi": "^6.0.0" } } } }, "js-tokens": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz", "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==", "dev": true }, "js-yaml": { "version": "3.14.1", "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-3.14.1.tgz", "integrity": "sha512-okMH7OXXJ7YrN9Ok3/SXrnu4iX9yOk+25nqX4imS2npuvTYDmo/QEZoqwZkYaIDk3jVvBOTOIEgEhaLOynBS9g==", "dev": true, "requires": { "argparse": "^1.0.7", "esprima": "^4.0.0" } }, "jsesc": { "version": "2.5.2", "resolved": "https://registry.npmjs.org/jsesc/-/jsesc-2.5.2.tgz", "integrity": "sha512-OYu7XEzjkCQ3C5Ps3QIZsQfNpqoJyZZA99wd9aWd05NCtC5pWOkShK2mkL6HXQR6/Cy2lbNdPlZBpuQHXE63gA==", "dev": true }, "json-schema-traverse": { "version": "0.4.1", "resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz", "integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==", "dev": true }, "json-stable-stringify-without-jsonify": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz", "integrity": "sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==", "dev": true }, "json5": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/json5/-/json5-1.0.1.tgz", "integrity": "sha512-aKS4WQjPenRxiQsC93MNfjx+nbF4PAdYzmd/1JIj8HYzqfbu86beTuNgXDzPknWk0n0uARlyewZo4s++ES36Ow==", "dev": true, "requires": { "minimist": "^1.2.0" } }, "jsonfile": { "version": "6.1.0", "resolved": "https://registry.npmjs.org/jsonfile/-/jsonfile-6.1.0.tgz", "integrity": "sha512-5dgndWOriYSm5cnYaJNhalLNDKOqFwyDB/rr1E9ZsGciGvKPs8R2xYGCacuf3z6K1YKDz182fd+fY3cn3pMqXQ==", "requires": { "graceful-fs": "^4.1.6", "universalify": "^2.0.0" } }, "levn": { "version": "0.4.1", "resolved": "https://registry.npmjs.org/levn/-/levn-0.4.1.tgz", "integrity": "sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==", "dev": true, "requires": { "prelude-ls": "^1.2.1", "type-check": "~0.4.0" } }, "libtap": { "version": "1.4.0", "resolved": "https://registry.npmjs.org/libtap/-/libtap-1.4.0.tgz", "integrity": "sha512-STLFynswQ2A6W14JkabgGetBNk6INL1REgJ9UeNKw5llXroC2cGLgKTqavv0sl8OLVztLLipVKMcQ7yeUcqpmg==", "dev": true, "requires": { "async-hook-domain": "^2.0.4", "bind-obj-methods": "^3.0.0", "diff": "^4.0.2", "function-loop": "^2.0.1", "minipass": "^3.1.5", "own-or": "^1.0.0", "own-or-env": "^1.0.2", "signal-exit": "^3.0.4", "stack-utils": "^2.0.4", "tap-parser": "^11.0.0", "tap-yaml": "^1.0.0", "tcompare": "^5.0.6", "trivial-deferred": "^1.0.1" } }, "locate-path": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-2.0.0.tgz", "integrity": "sha512-NCI2kiDkyR7VeEKm27Kda/iQHyKJe1Bu0FlTbYp3CqJu+9IFe9bLyAjMxf5ZDDbEg+iMPzB5zYyUTSm8wVTKmA==", "dev": true, "requires": { "p-locate": "^2.0.0", "path-exists": "^3.0.0" } }, "lodash.flattendeep": { "version": "4.4.0", "resolved": "https://registry.npmjs.org/lodash.flattendeep/-/lodash.flattendeep-4.4.0.tgz", "integrity": "sha512-uHaJFihxmJcEX3kT4I23ABqKKalJ/zDrDg0lsFtc1h+3uw49SIJ5beyhx5ExVRti3AvKoOJngIj7xz3oylPdWQ==", "dev": true }, "lodash.merge": { "version": "4.6.2", "resolved": "https://registry.npmjs.org/lodash.merge/-/lodash.merge-4.6.2.tgz", "integrity": "sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==", "dev": true }, "make-dir": { "version": "3.1.0", "resolved": "https://registry.npmjs.org/make-dir/-/make-dir-3.1.0.tgz", "integrity": "sha512-g3FeP20LNwhALb/6Cz6Dd4F2ngze0jz7tbzrD2wAV+o9FeNHe4rL+yK2md0J/fiSf1sa1ADhXqi5+oVwOM/eGw==", "dev": true, "requires": { "semver": "^6.0.0" } }, "merge-descriptors": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/merge-descriptors/-/merge-descriptors-1.0.1.tgz", "integrity": "sha512-cCi6g3/Zr1iqQi6ySbseM1Xvooa98N0w31jzUYrXPX2xqObmFGHJ0tQ5u74H3mVh7wLouTseZyYIq39g8cNp1w==", "dev": true }, "minimatch": { "version": "3.1.2", "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz", "integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==", "dev": true, "requires": { "brace-expansion": "^1.1.7" } }, "minimist": { "version": "1.2.6", "resolved": "https://registry.npmjs.org/minimist/-/minimist-1.2.6.tgz", "integrity": "sha512-Jsjnk4bw3YJqYzbdyBiNsPWHPfO++UGG749Cxs6peCu5Xg4nrena6OVxOYxrQTqww0Jmwt+Ref8rggumkTLz9Q==", "dev": true }, "minipass": { "version": "3.1.6", "resolved": "https://registry.npmjs.org/minipass/-/minipass-3.1.6.tgz", "integrity": "sha512-rty5kpw9/z8SX9dmxblFA6edItUmwJgMeYDZRrwlIVN27i8gysGbznJwUggw2V/FVqFSDdWy040ZPS811DYAqQ==", "dev": true, "requires": { "yallist": "^4.0.0" } }, "mkdirp": { "version": "1.0.4", "resolved": "https://registry.npmjs.org/mkdirp/-/mkdirp-1.0.4.tgz", "integrity": "sha512-vVqVZQyf3WLx2Shd0qJ9xuvqgAyKPLAiqITEtqW0oIUjzo3PePDd6fW9iFz30ef7Ysp/oiWqbhszeGWW2T6Gzw==", "dev": true }, "module-not-found-error": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/module-not-found-error/-/module-not-found-error-1.0.1.tgz", "integrity": "sha512-pEk4ECWQXV6z2zjhRZUongnLJNUeGQJ3w6OQ5ctGwD+i5o93qjRQUk2Rt6VdNeu3sEP0AB4LcfvdebpxBRVr4g==", "dev": true }, "ms": { "version": "2.1.2", "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.2.tgz", "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==" }, "natural-compare": { "version": "1.4.0", "resolved": "https://registry.npmjs.org/natural-compare/-/natural-compare-1.4.0.tgz", "integrity": "sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==", "dev": true }, "node-fetch": { "version": "2.6.7", "resolved": "https://registry.npmjs.org/node-fetch/-/node-fetch-2.6.7.tgz", "integrity": "sha512-ZjMPFEfVx5j+y2yF35Kzx5sF7kDzxuDj6ziH4FFbOp87zKDZNx8yExJIb05OGF4Nlt9IHFIMBkRl41VdvcNdbQ==", "dev": true, "requires": { "whatwg-url": "^5.0.0" } }, "node-preload": { "version": "0.2.1", "resolved": "https://registry.npmjs.org/node-preload/-/node-preload-0.2.1.tgz", "integrity": "sha512-RM5oyBy45cLEoHqCeh+MNuFAxO0vTFBLskvQbOKnEE7YTTSN4tbN8QWDIPQ6L+WvKsB/qLEGpYe2ZZ9d4W9OIQ==", "dev": true, "requires": { "process-on-spawn": "^1.0.0" } }, "node-releases": { "version": "2.0.5", "resolved": "https://registry.npmjs.org/node-releases/-/node-releases-2.0.5.tgz", "integrity": "sha512-U9h1NLROZTq9uE1SNffn6WuPDg8icmi3ns4rEl/oTfIle4iLjTliCzgTsbaIFMq/Xn078/lfY/BL0GWZ+psK4Q==", "dev": true }, "normalize-path": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/normalize-path/-/normalize-path-3.0.0.tgz", "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==", "dev": true }, "nyc": { "version": "15.1.0", "resolved": "https://registry.npmjs.org/nyc/-/nyc-15.1.0.tgz", "integrity": "sha512-jMW04n9SxKdKi1ZMGhvUTHBN0EICCRkHemEoE5jm6mTYcqcdas0ATzgUgejlQUHMvpnOZqGB5Xxsv9KxJW1j8A==", "dev": true, "requires": { "@istanbuljs/load-nyc-config": "^1.0.0", "@istanbuljs/schema": "^0.1.2", "caching-transform": "^4.0.0", "convert-source-map": "^1.7.0", "decamelize": "^1.2.0", "find-cache-dir": "^3.2.0", "find-up": "^4.1.0", "foreground-child": "^2.0.0", "get-package-type": "^0.1.0", "glob": "^7.1.6", "istanbul-lib-coverage": "^3.0.0", "istanbul-lib-hook": "^3.0.0", "istanbul-lib-instrument": "^4.0.0", "istanbul-lib-processinfo": "^2.0.2", "istanbul-lib-report": "^3.0.0", "istanbul-lib-source-maps": "^4.0.0", "istanbul-reports": "^3.0.2", "make-dir": "^3.0.0", "node-preload": "^0.2.1", "p-map": "^3.0.0", "process-on-spawn": "^1.0.0", "resolve-from": "^5.0.0", "rimraf": "^3.0.0", "signal-exit": "^3.0.2", "spawn-wrap": "^2.0.0", "test-exclude": "^6.0.0", "yargs": "^15.0.2" }, "dependencies": { "find-up": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/find-up/-/find-up-4.1.0.tgz", "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", "dev": true, "requires": { "locate-path": "^5.0.0", "path-exists": "^4.0.0" } }, "locate-path": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-5.0.0.tgz", "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", "dev": true, "requires": { "p-locate": "^4.1.0" } }, "p-limit": { "version": "2.3.0", "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", "dev": true, "requires": { "p-try": "^2.0.0" } }, "p-locate": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-4.1.0.tgz", "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", "dev": true, "requires": { "p-limit": "^2.2.0" } }, "p-try": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/p-try/-/p-try-2.2.0.tgz", "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", "dev": true }, "path-exists": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", "dev": true }, "resolve-from": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-5.0.0.tgz", "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==", "dev": true } } }, "object-inspect": { "version": "1.12.2", "resolved": "https://registry.npmjs.org/object-inspect/-/object-inspect-1.12.2.tgz", "integrity": "sha512-z+cPxW0QGUp0mcqcsgQyLVRDoXFQbXOwBaqyF7VIgI4TWNQsDHrBpUQslRmIfAoYWdYzs6UlKJtB2XJpTaNSpQ==", "dev": true }, "object-keys": { "version": "1.1.1", "resolved": "https://registry.npmjs.org/object-keys/-/object-keys-1.1.1.tgz", "integrity": "sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==", "dev": true }, "object.assign": { "version": "4.1.2", "resolved": "https://registry.npmjs.org/object.assign/-/object.assign-4.1.2.tgz", "integrity": "sha512-ixT2L5THXsApyiUPYKmW+2EHpXXe5Ii3M+f4e+aJFAHao5amFRW6J0OO6c/LU8Be47utCx2GL89hxGB6XSmKuQ==", "dev": true, "requires": { "call-bind": "^1.0.0", "define-properties": "^1.1.3", "has-symbols": "^1.0.1", "object-keys": "^1.1.1" } }, "object.entries": { "version": "1.1.5", "resolved": "https://registry.npmjs.org/object.entries/-/object.entries-1.1.5.tgz", "integrity": "sha512-TyxmjUoZggd4OrrU1W66FMDG6CuqJxsFvymeyXI51+vQLN67zYfZseptRge703kKQdo4uccgAKebXFcRCzk4+g==", "dev": true, "requires": { "call-bind": "^1.0.2", "define-properties": "^1.1.3", "es-abstract": "^1.19.1" } }, "object.values": { "version": "1.1.5", "resolved": "https://registry.npmjs.org/object.values/-/object.values-1.1.5.tgz", "integrity": "sha512-QUZRW0ilQ3PnPpbNtgdNV1PDbEqLIiSFB3l+EnGtBQ/8SUTLj1PZwtQHABZtLgwpJZTSZhuGLOGk57Drx2IvYg==", "dev": true, "requires": { "call-bind": "^1.0.2", "define-properties": "^1.1.3", "es-abstract": "^1.19.1" } }, "once": { "version": "1.4.0", "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz", "integrity": "sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==", "dev": true, "requires": { "wrappy": "1" } }, "opener": { "version": "1.5.2", "resolved": "https://registry.npmjs.org/opener/-/opener-1.5.2.tgz", "integrity": "sha512-ur5UIdyw5Y7yEj9wLzhqXiy6GZ3Mwx0yGI+5sMn2r0N0v3cKJvUmFH5yPP+WXh9e0xfyzyJX95D8l088DNFj7A==", "dev": true }, "optionator": { "version": "0.9.1", "resolved": "https://registry.npmjs.org/optionator/-/optionator-0.9.1.tgz", "integrity": "sha512-74RlY5FCnhq4jRxVUPKDaRwrVNXMqsGsiW6AJw4XK8hmtm10wC0ypZBLw5IIp85NZMr91+qd1RvvENwg7jjRFw==", "dev": true, "requires": { "deep-is": "^0.1.3", "fast-levenshtein": "^2.0.6", "levn": "^0.4.1", "prelude-ls": "^1.2.1", "type-check": "^0.4.0", "word-wrap": "^1.2.3" } }, "own-or": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/own-or/-/own-or-1.0.0.tgz", "integrity": "sha512-NfZr5+Tdf6MB8UI9GLvKRs4cXY8/yB0w3xtt84xFdWy8hkGjn+JFc60VhzS/hFRfbyxFcGYMTjnF4Me+RbbqrA==", "dev": true }, "own-or-env": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/own-or-env/-/own-or-env-1.0.2.tgz", "integrity": "sha512-NQ7v0fliWtK7Lkb+WdFqe6ky9XAzYmlkXthQrBbzlYbmFKoAYbDDcwmOm6q8kOuwSRXW8bdL5ORksploUJmWgw==", "dev": true, "requires": { "own-or": "^1.0.0" } }, "p-limit": { "version": "1.3.0", "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-1.3.0.tgz", "integrity": "sha512-vvcXsLAJ9Dr5rQOPk7toZQZJApBl2K4J6dANSsEuh6QI41JYcsS/qhTGa9ErIUUgK3WNQoJYvylxvjqmiqEA9Q==", "dev": true, "requires": { "p-try": "^1.0.0" } }, "p-locate": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-2.0.0.tgz", "integrity": "sha512-nQja7m7gSKuewoVRen45CtVfODR3crN3goVQ0DDZ9N3yHxgpkuBhZqsaiotSQRrADUrne346peY7kT3TSACykg==", "dev": true, "requires": { "p-limit": "^1.1.0" } }, "p-map": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/p-map/-/p-map-3.0.0.tgz", "integrity": "sha512-d3qXVTF/s+W+CdJ5A29wywV2n8CQQYahlgz2bFiA+4eVNJbHJodPZ+/gXwPGh0bOqA+j8S+6+ckmvLGPk1QpxQ==", "dev": true, "requires": { "aggregate-error": "^3.0.0" } }, "p-try": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/p-try/-/p-try-1.0.0.tgz", "integrity": "sha512-U1etNYuMJoIz3ZXSrrySFjsXQTWOx2/jdi86L+2pRvph/qMKL6sbcCYdH23fqsbm8TH2Gn0OybpT4eSFlCVHww==", "dev": true }, "package-hash": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/package-hash/-/package-hash-4.0.0.tgz", "integrity": "sha512-whdkPIooSu/bASggZ96BWVvZTRMOFxnyUG5PnTSGKoJE2gd5mbVNmR2Nj20QFzxYYgAXpoqC+AiXzl+UMRh7zQ==", "dev": true, "requires": { "graceful-fs": "^4.1.15", "hasha": "^5.0.0", "lodash.flattendeep": "^4.4.0", "release-zalgo": "^1.0.0" } }, "parent-module": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/parent-module/-/parent-module-1.0.1.tgz", "integrity": "sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==", "dev": true, "requires": { "callsites": "^3.0.0" } }, "path-exists": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-3.0.0.tgz", "integrity": "sha512-bpC7GYwiDYQ4wYLe+FA8lhRjhQCMcQGuSgGGqDkg/QerRWw9CmGRT0iSOVRSZJ29NMLZgIzqaljJ63oaL4NIJQ==", "dev": true }, "path-is-absolute": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/path-is-absolute/-/path-is-absolute-1.0.1.tgz", "integrity": "sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==", "dev": true }, "path-key": { "version": "3.1.1", "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz", "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", "dev": true }, "path-parse": { "version": "1.0.7", "resolved": "https://registry.npmjs.org/path-parse/-/path-parse-1.0.7.tgz", "integrity": "sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==", "dev": true }, "picocolors": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/picocolors/-/picocolors-1.0.0.tgz", "integrity": "sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ==", "dev": true }, "picomatch": { "version": "2.3.1", "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.3.1.tgz", "integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==", "dev": true }, "pkg-dir": { "version": "4.2.0", "resolved": "https://registry.npmjs.org/pkg-dir/-/pkg-dir-4.2.0.tgz", "integrity": "sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ==", "dev": true, "requires": { "find-up": "^4.0.0" }, "dependencies": { "find-up": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/find-up/-/find-up-4.1.0.tgz", "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", "dev": true, "requires": { "locate-path": "^5.0.0", "path-exists": "^4.0.0" } }, "locate-path": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-5.0.0.tgz", "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", "dev": true, "requires": { "p-locate": "^4.1.0" } }, "p-limit": { "version": "2.3.0", "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", "dev": true, "requires": { "p-try": "^2.0.0" } }, "p-locate": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-4.1.0.tgz", "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", "dev": true, "requires": { "p-limit": "^2.2.0" } }, "p-try": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/p-try/-/p-try-2.2.0.tgz", "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", "dev": true }, "path-exists": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", "dev": true } } }, "prelude-ls": { "version": "1.2.1", "resolved": "https://registry.npmjs.org/prelude-ls/-/prelude-ls-1.2.1.tgz", "integrity": "sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==", "dev": true }, "prettier": { "version": "2.6.2", "resolved": "https://registry.npmjs.org/prettier/-/prettier-2.6.2.tgz", "integrity": "sha512-PkUpF+qoXTqhOeWL9fu7As8LXsIUZ1WYaJiY/a7McAQzxjk82OF0tibkFXVCDImZtWxbvojFjerkiLb0/q8mew==", "dev": true }, "prettier-linter-helpers": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/prettier-linter-helpers/-/prettier-linter-helpers-1.0.0.tgz", "integrity": "sha512-GbK2cP9nraSSUF9N2XwUwqfzlAFlMNYYl+ShE/V+H8a9uNl/oUqB1w2EL54Jh0OlyRSd8RfWYJ3coVS4TROP2w==", "dev": true, "requires": { "fast-diff": "^1.1.2" } }, "process-on-spawn": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/process-on-spawn/-/process-on-spawn-1.0.0.tgz", "integrity": "sha512-1WsPDsUSMmZH5LeMLegqkPDrsGgsWwk1Exipy2hvB0o/F0ASzbpIctSCcZIK1ykJvtTJULEH+20WOFjMvGnCTg==", "dev": true, "requires": { "fromentries": "^1.2.0" } }, "proxyquire": { "version": "2.1.3", "resolved": "https://registry.npmjs.org/proxyquire/-/proxyquire-2.1.3.tgz", "integrity": "sha512-BQWfCqYM+QINd+yawJz23tbBM40VIGXOdDw3X344KcclI/gtBbdWF6SlQ4nK/bYhF9d27KYug9WzljHC6B9Ysg==", "dev": true, "requires": { "fill-keys": "^1.0.2", "module-not-found-error": "^1.0.1", "resolve": "^1.11.1" } }, "punycode": { "version": "1.4.1", "resolved": "https://registry.npmjs.org/punycode/-/punycode-1.4.1.tgz", "integrity": "sha512-jmYNElW7yvO7TV33CjSmvSiE2yco3bV2czu/OzDKdMNVZQWfxCblURLhf+47syQRBntjfLdd/H0egrzIG+oaFQ==", "dev": true }, "readdirp": { "version": "3.6.0", "resolved": "https://registry.npmjs.org/readdirp/-/readdirp-3.6.0.tgz", "integrity": "sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==", "dev": true, "requires": { "picomatch": "^2.2.1" } }, "regexp.prototype.flags": { "version": "1.4.3", "resolved": "https://registry.npmjs.org/regexp.prototype.flags/-/regexp.prototype.flags-1.4.3.tgz", "integrity": "sha512-fjggEOO3slI6Wvgjwflkc4NFRCTZAu5CnNfBd5qOMYhWdn67nJBBu34/TkD++eeFmd8C9r9jfXJ27+nSiRkSUA==", "dev": true, "requires": { "call-bind": "^1.0.2", "define-properties": "^1.1.3", "functions-have-names": "^1.2.2" } }, "regexpp": { "version": "3.2.0", "resolved": "https://registry.npmjs.org/regexpp/-/regexpp-3.2.0.tgz", "integrity": "sha512-pq2bWo9mVD43nbts2wGv17XLiNLya+GklZ8kaDLV2Z08gDCsGpnKn9BFMepvWuHCbyVvY7J5o5+BVvoQbmlJLg==", "dev": true }, "release-zalgo": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/release-zalgo/-/release-zalgo-1.0.0.tgz", "integrity": "sha1-CXALflB0Mpc5Mw5TXFqQ+2eFFzA=", "dev": true, "requires": { "es6-error": "^4.0.1" } }, "require-directory": { "version": "2.1.1", "resolved": "https://registry.npmjs.org/require-directory/-/require-directory-2.1.1.tgz", "integrity": "sha1-jGStX9MNqxyXbiNE/+f3kqam30I=", "dev": true }, "require-like": { "version": "0.1.2", "resolved": "https://registry.npmjs.org/require-like/-/require-like-0.1.2.tgz", "integrity": "sha1-rW8wwTvs15cBDEaK+ndcDAprR/o=", "dev": true }, "require-main-filename": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/require-main-filename/-/require-main-filename-2.0.0.tgz", "integrity": "sha512-NKN5kMDylKuldxYLSUfrbo5Tuzh4hd+2E8NPPX02mZtn1VuREQToYe/ZdlJy+J3uCpfaiGF05e7B8W0iXbQHmg==", "dev": true }, "resolve": { "version": "1.22.0", "resolved": "https://registry.npmjs.org/resolve/-/resolve-1.22.0.tgz", "integrity": "sha512-Hhtrw0nLeSrFQ7phPp4OOcVjLPIeMnRlr5mcnVuMe7M/7eBn98A3hmFRLoFo3DLZkivSYwhRUJTyPyWAk56WLw==", "dev": true, "requires": { "is-core-module": "^2.8.1", "path-parse": "^1.0.7", "supports-preserve-symlinks-flag": "^1.0.0" } }, "resolve-from": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-4.0.0.tgz", "integrity": "sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==", "dev": true }, "rfdc": { "version": "1.3.0", "resolved": "https://registry.npmjs.org/rfdc/-/rfdc-1.3.0.tgz", "integrity": "sha512-V2hovdzFbOi77/WajaSMXk2OLm+xNIeQdMMuB7icj7bk6zi2F8GGAxigcnDFpJHbNyNcgyJDiP+8nOrY5cZGrA==" }, "rimraf": { "version": "3.0.2", "resolved": "https://registry.npmjs.org/rimraf/-/rimraf-3.0.2.tgz", "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==", "dev": true, "requires": { "glob": "^7.1.3" } }, "safe-buffer": { "version": "5.1.2", "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.1.2.tgz", "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==", "dev": true }, "semver": { "version": "6.3.0", "resolved": "https://registry.npmjs.org/semver/-/semver-6.3.0.tgz", "integrity": "sha512-b39TBaTSfV6yBrapU89p5fKekE2m/NwnDocOVruQFS1/veMgdzuPcnOM34M6CwxW8jH/lxEa5rBoDeUwu5HHTw==", "dev": true }, "semver-regex": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/semver-regex/-/semver-regex-1.0.0.tgz", "integrity": "sha1-kqSWkGX5xwxpR1PVUkj8aPj2Usk=", "dev": true }, "set-blocking": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/set-blocking/-/set-blocking-2.0.0.tgz", "integrity": "sha1-BF+XgtARrppoA93TgrJDkrPYkPc=", "dev": true }, "shebang-command": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz", "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", "dev": true, "requires": { "shebang-regex": "^3.0.0" } }, "shebang-regex": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz", "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", "dev": true }, "side-channel": { "version": "1.0.4", "resolved": "https://registry.npmjs.org/side-channel/-/side-channel-1.0.4.tgz", "integrity": "sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==", "dev": true, "requires": { "call-bind": "^1.0.0", "get-intrinsic": "^1.0.2", "object-inspect": "^1.9.0" } }, "signal-exit": { "version": "3.0.7", "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-3.0.7.tgz", "integrity": "sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==", "dev": true }, "source-map": { "version": "0.6.1", "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz", "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", "dev": true }, "source-map-support": { "version": "0.5.21", "resolved": "https://registry.npmjs.org/source-map-support/-/source-map-support-0.5.21.tgz", "integrity": "sha512-uBHU3L3czsIyYXKX88fdrGovxdSCoTGDRZ6SYXtSRxLZUzHg5P/66Ht6uoUlHu9EZod+inXhKo3qQgwXUT/y1w==", "dev": true, "requires": { "buffer-from": "^1.0.0", "source-map": "^0.6.0" } }, "spawn-wrap": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/spawn-wrap/-/spawn-wrap-2.0.0.tgz", "integrity": "sha512-EeajNjfN9zMnULLwhZZQU3GWBoFNkbngTUPfaawT4RkMiviTxcX0qfhVbGey39mfctfDHkWtuecgQ8NJcyQWHg==", "dev": true, "requires": { "foreground-child": "^2.0.0", "is-windows": "^1.0.2", "make-dir": "^3.0.0", "rimraf": "^3.0.0", "signal-exit": "^3.0.2", "which": "^2.0.1" } }, "sprintf-js": { "version": "1.0.3", "resolved": "https://registry.npmjs.org/sprintf-js/-/sprintf-js-1.0.3.tgz", "integrity": "sha1-BOaSb2YolTVPPdAVIDYzuFcpfiw=", "dev": true }, "stack-trace": { "version": "0.0.10", "resolved": "https://registry.npmjs.org/stack-trace/-/stack-trace-0.0.10.tgz", "integrity": "sha1-VHxws0fo0ytOEI6hoqFZ5f3eGcA=", "dev": true }, "stack-utils": { "version": "2.0.5", "resolved": "https://registry.npmjs.org/stack-utils/-/stack-utils-2.0.5.tgz", "integrity": "sha512-xrQcmYhOsn/1kX+Vraq+7j4oE2j/6BFscZ0etmYg81xuM8Gq0022Pxb8+IqgOFUIaxHs0KaSb7T1+OegiNrNFA==", "dev": true, "requires": { "escape-string-regexp": "^2.0.0" }, "dependencies": { "escape-string-regexp": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-2.0.0.tgz", "integrity": "sha512-UpzcLCXolUWcNu5HtVMHYdXJjArjsF9C0aNnquZYY4uW/Vu0miy5YoWvbV345HauVvcAUnpRuhMMcqTcGOY2+w==", "dev": true } } }, "stream-events": { "version": "1.0.5", "resolved": "https://registry.npmjs.org/stream-events/-/stream-events-1.0.5.tgz", "integrity": "sha512-E1GUzBSgvct8Jsb3v2X15pjzN1tYebtbLaMg+eBOUOAxgbLoSbT2NS91ckc5lJD1KfLjId+jXJRgo0qnV5Nerg==", "dev": true, "requires": { "stubs": "^3.0.0" } }, "streamroller": { "version": "3.1.1", "resolved": "https://registry.npmjs.org/streamroller/-/streamroller-3.1.1.tgz", "integrity": "sha512-iPhtd9unZ6zKdWgMeYGfSBuqCngyJy1B/GPi/lTpwGpa3bajuX30GjUVd0/Tn/Xhg0mr4DOSENozz9Y06qyonQ==", "requires": { "date-format": "^4.0.10", "debug": "^4.3.4", "fs-extra": "^10.1.0" } }, "string-width": { "version": "4.2.3", "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz", "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", "dev": true, "requires": { "emoji-regex": "^8.0.0", "is-fullwidth-code-point": "^3.0.0", "strip-ansi": "^6.0.1" } }, "string.prototype.trimend": { "version": "1.0.5", "resolved": "https://registry.npmjs.org/string.prototype.trimend/-/string.prototype.trimend-1.0.5.tgz", "integrity": "sha512-I7RGvmjV4pJ7O3kdf+LXFpVfdNOxtCW/2C8f6jNiW4+PQchwxkCDzlk1/7p+Wl4bqFIZeF47qAHXLuHHWKAxog==", "dev": true, "requires": { "call-bind": "^1.0.2", "define-properties": "^1.1.4", "es-abstract": "^1.19.5" } }, "string.prototype.trimstart": { "version": "1.0.5", "resolved": "https://registry.npmjs.org/string.prototype.trimstart/-/string.prototype.trimstart-1.0.5.tgz", "integrity": "sha512-THx16TJCGlsN0o6dl2o6ncWUsdgnLRSA23rRE5pyGBw/mLr3Ej/R2LaqCtgP8VNMGZsvMWnf9ooZPyY2bHvUFg==", "dev": true, "requires": { "call-bind": "^1.0.2", "define-properties": "^1.1.4", "es-abstract": "^1.19.5" } }, "strip-ansi": { "version": "6.0.1", "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", "dev": true, "requires": { "ansi-regex": "^5.0.1" } }, "strip-bom": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/strip-bom/-/strip-bom-3.0.0.tgz", "integrity": "sha1-IzTBjpx1n3vdVv3vfprj1YjmjtM=", "dev": true }, "strip-json-comments": { "version": "3.1.1", "resolved": "https://registry.npmjs.org/strip-json-comments/-/strip-json-comments-3.1.1.tgz", "integrity": "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==", "dev": true }, "stubs": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/stubs/-/stubs-3.0.0.tgz", "integrity": "sha1-6NK6H6nJBXAwPAMLaQD31fiavls=", "dev": true }, "supports-color": { "version": "7.2.0", "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz", "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==", "dev": true, "requires": { "has-flag": "^4.0.0" } }, "supports-preserve-symlinks-flag": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz", "integrity": "sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==", "dev": true }, "tap": { "version": "16.2.0", "resolved": "https://registry.npmjs.org/tap/-/tap-16.2.0.tgz", "integrity": "sha512-ikfNLy701p2+sH3R0pAXQ/Aen6ZByaguUY7UsoTLL4AXa2c9gYQL+pI21p13lq54R7/CEoLaViC1sexcWG32ig==", "dev": true, "requires": { "@isaacs/import-jsx": "^4.0.1", "@types/react": "^17", "chokidar": "^3.3.0", "findit": "^2.0.0", "foreground-child": "^2.0.0", "fs-exists-cached": "^1.0.0", "glob": "^7.1.6", "ink": "^3.2.0", "isexe": "^2.0.0", "istanbul-lib-processinfo": "^2.0.2", "jackspeak": "^1.4.1", "libtap": "^1.4.0", "minipass": "^3.1.1", "mkdirp": "^1.0.4", "nyc": "^15.1.0", "opener": "^1.5.1", "react": "^17.0.2", "rimraf": "^3.0.0", "signal-exit": "^3.0.6", "source-map-support": "^0.5.16", "tap-mocha-reporter": "^5.0.3", "tap-parser": "^11.0.1", "tap-yaml": "^1.0.0", "tcompare": "^5.0.7", "treport": "^3.0.3", "which": "^2.0.2" }, "dependencies": { "@ampproject/remapping": { "version": "2.1.2", "bundled": true, "dev": true, "requires": { "@jridgewell/trace-mapping": "^0.3.0" } }, "@babel/code-frame": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/highlight": "^7.16.7" } }, "@babel/compat-data": { "version": "7.17.7", "bundled": true, "dev": true }, "@babel/core": { "version": "7.17.8", "bundled": true, "dev": true, "requires": { "@ampproject/remapping": "^2.1.0", "@babel/code-frame": "^7.16.7", "@babel/generator": "^7.17.7", "@babel/helper-compilation-targets": "^7.17.7", "@babel/helper-module-transforms": "^7.17.7", "@babel/helpers": "^7.17.8", "@babel/parser": "^7.17.8", "@babel/template": "^7.16.7", "@babel/traverse": "^7.17.3", "@babel/types": "^7.17.0", "convert-source-map": "^1.7.0", "debug": "^4.1.0", "gensync": "^1.0.0-beta.2", "json5": "^2.1.2", "semver": "^6.3.0" } }, "@babel/generator": { "version": "7.17.7", "bundled": true, "dev": true, "requires": { "@babel/types": "^7.17.0", "jsesc": "^2.5.1", "source-map": "^0.5.0" } }, "@babel/helper-annotate-as-pure": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/types": "^7.16.7" } }, "@babel/helper-compilation-targets": { "version": "7.17.7", "bundled": true, "dev": true, "requires": { "@babel/compat-data": "^7.17.7", "@babel/helper-validator-option": "^7.16.7", "browserslist": "^4.17.5", "semver": "^6.3.0" } }, "@babel/helper-environment-visitor": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/types": "^7.16.7" } }, "@babel/helper-function-name": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/helper-get-function-arity": "^7.16.7", "@babel/template": "^7.16.7", "@babel/types": "^7.16.7" } }, "@babel/helper-get-function-arity": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/types": "^7.16.7" } }, "@babel/helper-hoist-variables": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/types": "^7.16.7" } }, "@babel/helper-module-imports": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/types": "^7.16.7" } }, "@babel/helper-module-transforms": { "version": "7.17.7", "bundled": true, "dev": true, "requires": { "@babel/helper-environment-visitor": "^7.16.7", "@babel/helper-module-imports": "^7.16.7", "@babel/helper-simple-access": "^7.17.7", "@babel/helper-split-export-declaration": "^7.16.7", "@babel/helper-validator-identifier": "^7.16.7", "@babel/template": "^7.16.7", "@babel/traverse": "^7.17.3", "@babel/types": "^7.17.0" } }, "@babel/helper-plugin-utils": { "version": "7.16.7", "bundled": true, "dev": true }, "@babel/helper-simple-access": { "version": "7.17.7", "bundled": true, "dev": true, "requires": { "@babel/types": "^7.17.0" } }, "@babel/helper-split-export-declaration": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/types": "^7.16.7" } }, "@babel/helper-validator-identifier": { "version": "7.16.7", "bundled": true, "dev": true }, "@babel/helper-validator-option": { "version": "7.16.7", "bundled": true, "dev": true }, "@babel/helpers": { "version": "7.17.8", "bundled": true, "dev": true, "requires": { "@babel/template": "^7.16.7", "@babel/traverse": "^7.17.3", "@babel/types": "^7.17.0" } }, "@babel/highlight": { "version": "7.16.10", "bundled": true, "dev": true, "requires": { "@babel/helper-validator-identifier": "^7.16.7", "chalk": "^2.0.0", "js-tokens": "^4.0.0" } }, "@babel/parser": { "version": "7.17.8", "bundled": true, "dev": true }, "@babel/plugin-proposal-object-rest-spread": { "version": "7.17.3", "bundled": true, "dev": true, "requires": { "@babel/compat-data": "^7.17.0", "@babel/helper-compilation-targets": "^7.16.7", "@babel/helper-plugin-utils": "^7.16.7", "@babel/plugin-syntax-object-rest-spread": "^7.8.3", "@babel/plugin-transform-parameters": "^7.16.7" } }, "@babel/plugin-syntax-jsx": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/helper-plugin-utils": "^7.16.7" } }, "@babel/plugin-syntax-object-rest-spread": { "version": "7.8.3", "bundled": true, "dev": true, "requires": { "@babel/helper-plugin-utils": "^7.8.0" } }, "@babel/plugin-transform-destructuring": { "version": "7.17.7", "bundled": true, "dev": true, "requires": { "@babel/helper-plugin-utils": "^7.16.7" } }, "@babel/plugin-transform-parameters": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/helper-plugin-utils": "^7.16.7" } }, "@babel/plugin-transform-react-jsx": { "version": "7.17.3", "bundled": true, "dev": true, "requires": { "@babel/helper-annotate-as-pure": "^7.16.7", "@babel/helper-module-imports": "^7.16.7", "@babel/helper-plugin-utils": "^7.16.7", "@babel/plugin-syntax-jsx": "^7.16.7", "@babel/types": "^7.17.0" } }, "@babel/template": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/code-frame": "^7.16.7", "@babel/parser": "^7.16.7", "@babel/types": "^7.16.7" } }, "@babel/traverse": { "version": "7.17.3", "bundled": true, "dev": true, "requires": { "@babel/code-frame": "^7.16.7", "@babel/generator": "^7.17.3", "@babel/helper-environment-visitor": "^7.16.7", "@babel/helper-function-name": "^7.16.7", "@babel/helper-hoist-variables": "^7.16.7", "@babel/helper-split-export-declaration": "^7.16.7", "@babel/parser": "^7.17.3", "@babel/types": "^7.17.0", "debug": "^4.1.0", "globals": "^11.1.0" } }, "@babel/types": { "version": "7.17.0", "bundled": true, "dev": true, "requires": { "@babel/helper-validator-identifier": "^7.16.7", "to-fast-properties": "^2.0.0" } }, "@isaacs/import-jsx": { "version": "4.0.1", "bundled": true, "dev": true, "requires": { "@babel/core": "^7.5.5", "@babel/plugin-proposal-object-rest-spread": "^7.5.5", "@babel/plugin-transform-destructuring": "^7.5.0", "@babel/plugin-transform-react-jsx": "^7.3.0", "caller-path": "^3.0.1", "find-cache-dir": "^3.2.0", "make-dir": "^3.0.2", "resolve-from": "^3.0.0", "rimraf": "^3.0.0" } }, "@jridgewell/resolve-uri": { "version": "3.0.5", "bundled": true, "dev": true }, "@jridgewell/sourcemap-codec": { "version": "1.4.11", "bundled": true, "dev": true }, "@jridgewell/trace-mapping": { "version": "0.3.4", "bundled": true, "dev": true, "requires": { "@jridgewell/resolve-uri": "^3.0.3", "@jridgewell/sourcemap-codec": "^1.4.10" } }, "@types/prop-types": { "version": "15.7.4", "bundled": true, "dev": true }, "@types/react": { "version": "17.0.41", "bundled": true, "dev": true, "requires": { "@types/prop-types": "*", "@types/scheduler": "*", "csstype": "^3.0.2" } }, "@types/scheduler": { "version": "0.16.2", "bundled": true, "dev": true }, "@types/yoga-layout": { "version": "1.9.2", "bundled": true, "dev": true }, "ansi-escapes": { "version": "4.3.2", "bundled": true, "dev": true, "requires": { "type-fest": "^0.21.3" }, "dependencies": { "type-fest": { "version": "0.21.3", "bundled": true, "dev": true } } }, "ansi-regex": { "version": "5.0.1", "bundled": true, "dev": true }, "ansi-styles": { "version": "3.2.1", "bundled": true, "dev": true, "requires": { "color-convert": "^1.9.0" } }, "ansicolors": { "version": "0.3.2", "bundled": true, "dev": true }, "astral-regex": { "version": "2.0.0", "bundled": true, "dev": true }, "auto-bind": { "version": "4.0.0", "bundled": true, "dev": true }, "balanced-match": { "version": "1.0.2", "bundled": true, "dev": true }, "brace-expansion": { "version": "1.1.11", "bundled": true, "dev": true, "requires": { "balanced-match": "^1.0.0", "concat-map": "0.0.1" } }, "browserslist": { "version": "4.20.2", "bundled": true, "dev": true, "requires": { "caniuse-lite": "^1.0.30001317", "electron-to-chromium": "^1.4.84", "escalade": "^3.1.1", "node-releases": "^2.0.2", "picocolors": "^1.0.0" } }, "caller-callsite": { "version": "4.1.0", "bundled": true, "dev": true, "requires": { "callsites": "^3.1.0" } }, "caller-path": { "version": "3.0.1", "bundled": true, "dev": true, "requires": { "caller-callsite": "^4.1.0" } }, "callsites": { "version": "3.1.0", "bundled": true, "dev": true }, "caniuse-lite": { "version": "1.0.30001319", "bundled": true, "dev": true }, "cardinal": { "version": "2.1.1", "bundled": true, "dev": true, "requires": { "ansicolors": "~0.3.2", "redeyed": "~2.1.0" } }, "chalk": { "version": "2.4.2", "bundled": true, "dev": true, "requires": { "ansi-styles": "^3.2.1", "escape-string-regexp": "^1.0.5", "supports-color": "^5.3.0" } }, "ci-info": { "version": "2.0.0", "bundled": true, "dev": true }, "cli-boxes": { "version": "2.2.1", "bundled": true, "dev": true }, "cli-cursor": { "version": "3.1.0", "bundled": true, "dev": true, "requires": { "restore-cursor": "^3.1.0" } }, "cli-truncate": { "version": "2.1.0", "bundled": true, "dev": true, "requires": { "slice-ansi": "^3.0.0", "string-width": "^4.2.0" } }, "code-excerpt": { "version": "3.0.0", "bundled": true, "dev": true, "requires": { "convert-to-spaces": "^1.0.1" } }, "color-convert": { "version": "1.9.3", "bundled": true, "dev": true, "requires": { "color-name": "1.1.3" } }, "color-name": { "version": "1.1.3", "bundled": true, "dev": true }, "commondir": { "version": "1.0.1", "bundled": true, "dev": true }, "concat-map": { "version": "0.0.1", "bundled": true, "dev": true }, "convert-source-map": { "version": "1.8.0", "bundled": true, "dev": true, "requires": { "safe-buffer": "~5.1.1" } }, "convert-to-spaces": { "version": "1.0.2", "bundled": true, "dev": true }, "csstype": { "version": "3.0.11", "bundled": true, "dev": true }, "debug": { "version": "4.3.4", "bundled": true, "dev": true, "requires": { "ms": "2.1.2" } }, "electron-to-chromium": { "version": "1.4.89", "bundled": true, "dev": true }, "emoji-regex": { "version": "8.0.0", "bundled": true, "dev": true }, "escalade": { "version": "3.1.1", "bundled": true, "dev": true }, "escape-string-regexp": { "version": "1.0.5", "bundled": true, "dev": true }, "esprima": { "version": "4.0.1", "bundled": true, "dev": true }, "events-to-array": { "version": "1.1.2", "bundled": true, "dev": true }, "find-cache-dir": { "version": "3.3.2", "bundled": true, "dev": true, "requires": { "commondir": "^1.0.1", "make-dir": "^3.0.2", "pkg-dir": "^4.1.0" } }, "find-up": { "version": "4.1.0", "bundled": true, "dev": true, "requires": { "locate-path": "^5.0.0", "path-exists": "^4.0.0" } }, "fs.realpath": { "version": "1.0.0", "bundled": true, "dev": true }, "gensync": { "version": "1.0.0-beta.2", "bundled": true, "dev": true }, "glob": { "version": "7.2.0", "bundled": true, "dev": true, "requires": { "fs.realpath": "^1.0.0", "inflight": "^1.0.4", "inherits": "2", "minimatch": "^3.0.4", "once": "^1.3.0", "path-is-absolute": "^1.0.0" } }, "globals": { "version": "11.12.0", "bundled": true, "dev": true }, "has-flag": { "version": "3.0.0", "bundled": true, "dev": true }, "indent-string": { "version": "4.0.0", "bundled": true, "dev": true }, "inflight": { "version": "1.0.6", "bundled": true, "dev": true, "requires": { "once": "^1.3.0", "wrappy": "1" } }, "inherits": { "version": "2.0.4", "bundled": true, "dev": true }, "ink": { "version": "3.2.0", "bundled": true, "dev": true, "requires": { "ansi-escapes": "^4.2.1", "auto-bind": "4.0.0", "chalk": "^4.1.0", "cli-boxes": "^2.2.0", "cli-cursor": "^3.1.0", "cli-truncate": "^2.1.0", "code-excerpt": "^3.0.0", "indent-string": "^4.0.0", "is-ci": "^2.0.0", "lodash": "^4.17.20", "patch-console": "^1.0.0", "react-devtools-core": "^4.19.1", "react-reconciler": "^0.26.2", "scheduler": "^0.20.2", "signal-exit": "^3.0.2", "slice-ansi": "^3.0.0", "stack-utils": "^2.0.2", "string-width": "^4.2.2", "type-fest": "^0.12.0", "widest-line": "^3.1.0", "wrap-ansi": "^6.2.0", "ws": "^7.5.5", "yoga-layout-prebuilt": "^1.9.6" }, "dependencies": { "ansi-styles": { "version": "4.3.0", "bundled": true, "dev": true, "requires": { "color-convert": "^2.0.1" } }, "chalk": { "version": "4.1.2", "bundled": true, "dev": true, "requires": { "ansi-styles": "^4.1.0", "supports-color": "^7.1.0" } }, "color-convert": { "version": "2.0.1", "bundled": true, "dev": true, "requires": { "color-name": "~1.1.4" } }, "color-name": { "version": "1.1.4", "bundled": true, "dev": true }, "has-flag": { "version": "4.0.0", "bundled": true, "dev": true }, "supports-color": { "version": "7.2.0", "bundled": true, "dev": true, "requires": { "has-flag": "^4.0.0" } } } }, "is-ci": { "version": "2.0.0", "bundled": true, "dev": true, "requires": { "ci-info": "^2.0.0" } }, "is-fullwidth-code-point": { "version": "3.0.0", "bundled": true, "dev": true }, "js-tokens": { "version": "4.0.0", "bundled": true, "dev": true }, "jsesc": { "version": "2.5.2", "bundled": true, "dev": true }, "json5": { "version": "2.2.1", "bundled": true, "dev": true }, "locate-path": { "version": "5.0.0", "bundled": true, "dev": true, "requires": { "p-locate": "^4.1.0" } }, "lodash": { "version": "4.17.21", "bundled": true, "dev": true }, "loose-envify": { "version": "1.4.0", "bundled": true, "dev": true, "requires": { "js-tokens": "^3.0.0 || ^4.0.0" } }, "make-dir": { "version": "3.1.0", "bundled": true, "dev": true, "requires": { "semver": "^6.0.0" } }, "mimic-fn": { "version": "2.1.0", "bundled": true, "dev": true }, "minimatch": { "version": "3.1.2", "bundled": true, "dev": true, "requires": { "brace-expansion": "^1.1.7" } }, "minipass": { "version": "3.1.6", "bundled": true, "dev": true, "requires": { "yallist": "^4.0.0" } }, "ms": { "version": "2.1.2", "bundled": true, "dev": true }, "node-releases": { "version": "2.0.2", "bundled": true, "dev": true }, "object-assign": { "version": "4.1.1", "bundled": true, "dev": true }, "once": { "version": "1.4.0", "bundled": true, "dev": true, "requires": { "wrappy": "1" } }, "onetime": { "version": "5.1.2", "bundled": true, "dev": true, "requires": { "mimic-fn": "^2.1.0" } }, "p-limit": { "version": "2.3.0", "bundled": true, "dev": true, "requires": { "p-try": "^2.0.0" } }, "p-locate": { "version": "4.1.0", "bundled": true, "dev": true, "requires": { "p-limit": "^2.2.0" } }, "p-try": { "version": "2.2.0", "bundled": true, "dev": true }, "patch-console": { "version": "1.0.0", "bundled": true, "dev": true }, "path-exists": { "version": "4.0.0", "bundled": true, "dev": true }, "path-is-absolute": { "version": "1.0.1", "bundled": true, "dev": true }, "picocolors": { "version": "1.0.0", "bundled": true, "dev": true }, "pkg-dir": { "version": "4.2.0", "bundled": true, "dev": true, "requires": { "find-up": "^4.0.0" } }, "punycode": { "version": "2.1.1", "bundled": true, "dev": true }, "react": { "version": "17.0.2", "bundled": true, "dev": true, "requires": { "loose-envify": "^1.1.0", "object-assign": "^4.1.1" } }, "react-devtools-core": { "version": "4.24.1", "bundled": true, "dev": true, "requires": { "shell-quote": "^1.6.1", "ws": "^7" } }, "react-reconciler": { "version": "0.26.2", "bundled": true, "dev": true, "requires": { "loose-envify": "^1.1.0", "object-assign": "^4.1.1", "scheduler": "^0.20.2" } }, "redeyed": { "version": "2.1.1", "bundled": true, "dev": true, "requires": { "esprima": "~4.0.0" } }, "resolve-from": { "version": "3.0.0", "bundled": true, "dev": true }, "restore-cursor": { "version": "3.1.0", "bundled": true, "dev": true, "requires": { "onetime": "^5.1.0", "signal-exit": "^3.0.2" } }, "rimraf": { "version": "3.0.2", "bundled": true, "dev": true, "requires": { "glob": "^7.1.3" } }, "safe-buffer": { "version": "5.1.2", "bundled": true, "dev": true }, "scheduler": { "version": "0.20.2", "bundled": true, "dev": true, "requires": { "loose-envify": "^1.1.0", "object-assign": "^4.1.1" } }, "semver": { "version": "6.3.0", "bundled": true, "dev": true }, "shell-quote": { "version": "1.7.3", "bundled": true, "dev": true }, "signal-exit": { "version": "3.0.7", "bundled": true, "dev": true }, "slice-ansi": { "version": "3.0.0", "bundled": true, "dev": true, "requires": { "ansi-styles": "^4.0.0", "astral-regex": "^2.0.0", "is-fullwidth-code-point": "^3.0.0" }, "dependencies": { "ansi-styles": { "version": "4.3.0", "bundled": true, "dev": true, "requires": { "color-convert": "^2.0.1" } }, "color-convert": { "version": "2.0.1", "bundled": true, "dev": true, "requires": { "color-name": "~1.1.4" } }, "color-name": { "version": "1.1.4", "bundled": true, "dev": true } } }, "source-map": { "version": "0.5.7", "bundled": true, "dev": true }, "stack-utils": { "version": "2.0.5", "bundled": true, "dev": true, "requires": { "escape-string-regexp": "^2.0.0" }, "dependencies": { "escape-string-regexp": { "version": "2.0.0", "bundled": true, "dev": true } } }, "string-width": { "version": "4.2.3", "bundled": true, "dev": true, "requires": { "emoji-regex": "^8.0.0", "is-fullwidth-code-point": "^3.0.0", "strip-ansi": "^6.0.1" } }, "strip-ansi": { "version": "6.0.1", "bundled": true, "dev": true, "requires": { "ansi-regex": "^5.0.1" } }, "supports-color": { "version": "5.5.0", "bundled": true, "dev": true, "requires": { "has-flag": "^3.0.0" } }, "tap-parser": { "version": "11.0.1", "bundled": true, "dev": true, "requires": { "events-to-array": "^1.0.1", "minipass": "^3.1.6", "tap-yaml": "^1.0.0" } }, "tap-yaml": { "version": "1.0.0", "bundled": true, "dev": true, "requires": { "yaml": "^1.5.0" } }, "to-fast-properties": { "version": "2.0.0", "bundled": true, "dev": true }, "treport": { "version": "3.0.3", "bundled": true, "dev": true, "requires": { "@isaacs/import-jsx": "^4.0.1", "cardinal": "^2.1.1", "chalk": "^3.0.0", "ink": "^3.2.0", "ms": "^2.1.2", "tap-parser": "^11.0.0", "unicode-length": "^2.0.2" }, "dependencies": { "ansi-styles": { "version": "4.3.0", "bundled": true, "dev": true, "requires": { "color-convert": "^2.0.1" } }, "chalk": { "version": "3.0.0", "bundled": true, "dev": true, "requires": { "ansi-styles": "^4.1.0", "supports-color": "^7.1.0" } }, "color-convert": { "version": "2.0.1", "bundled": true, "dev": true, "requires": { "color-name": "~1.1.4" } }, "color-name": { "version": "1.1.4", "bundled": true, "dev": true }, "has-flag": { "version": "4.0.0", "bundled": true, "dev": true }, "supports-color": { "version": "7.2.0", "bundled": true, "dev": true, "requires": { "has-flag": "^4.0.0" } } } }, "type-fest": { "version": "0.12.0", "bundled": true, "dev": true }, "unicode-length": { "version": "2.0.2", "bundled": true, "dev": true, "requires": { "punycode": "^2.0.0", "strip-ansi": "^3.0.1" }, "dependencies": { "ansi-regex": { "version": "2.1.1", "bundled": true, "dev": true }, "strip-ansi": { "version": "3.0.1", "bundled": true, "dev": true, "requires": { "ansi-regex": "^2.0.0" } } } }, "widest-line": { "version": "3.1.0", "bundled": true, "dev": true, "requires": { "string-width": "^4.0.0" } }, "wrap-ansi": { "version": "6.2.0", "bundled": true, "dev": true, "requires": { "ansi-styles": "^4.0.0", "string-width": "^4.1.0", "strip-ansi": "^6.0.0" }, "dependencies": { "ansi-styles": { "version": "4.3.0", "bundled": true, "dev": true, "requires": { "color-convert": "^2.0.1" } }, "color-convert": { "version": "2.0.1", "bundled": true, "dev": true, "requires": { "color-name": "~1.1.4" } }, "color-name": { "version": "1.1.4", "bundled": true, "dev": true } } }, "wrappy": { "version": "1.0.2", "bundled": true, "dev": true }, "ws": { "version": "7.5.7", "bundled": true, "dev": true }, "yallist": { "version": "4.0.0", "bundled": true, "dev": true }, "yaml": { "version": "1.10.2", "bundled": true, "dev": true }, "yoga-layout-prebuilt": { "version": "1.10.0", "bundled": true, "dev": true, "requires": { "@types/yoga-layout": "1.9.2" } } } }, "tap-mocha-reporter": { "version": "5.0.3", "resolved": "https://registry.npmjs.org/tap-mocha-reporter/-/tap-mocha-reporter-5.0.3.tgz", "integrity": "sha512-6zlGkaV4J+XMRFkN0X+yuw6xHbE9jyCZ3WUKfw4KxMyRGOpYSRuuQTRJyWX88WWuLdVTuFbxzwXhXuS2XE6o0g==", "dev": true, "requires": { "color-support": "^1.1.0", "debug": "^4.1.1", "diff": "^4.0.1", "escape-string-regexp": "^2.0.0", "glob": "^7.0.5", "tap-parser": "^11.0.0", "tap-yaml": "^1.0.0", "unicode-length": "^2.0.2" }, "dependencies": { "escape-string-regexp": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-2.0.0.tgz", "integrity": "sha512-UpzcLCXolUWcNu5HtVMHYdXJjArjsF9C0aNnquZYY4uW/Vu0miy5YoWvbV345HauVvcAUnpRuhMMcqTcGOY2+w==", "dev": true } } }, "tap-parser": { "version": "11.0.1", "resolved": "https://registry.npmjs.org/tap-parser/-/tap-parser-11.0.1.tgz", "integrity": "sha512-5ow0oyFOnXVSALYdidMX94u0GEjIlgc/BPFYLx0yRh9hb8+cFGNJqJzDJlUqbLOwx8+NBrIbxCWkIQi7555c0w==", "dev": true, "requires": { "events-to-array": "^1.0.1", "minipass": "^3.1.6", "tap-yaml": "^1.0.0" } }, "tap-yaml": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/tap-yaml/-/tap-yaml-1.0.0.tgz", "integrity": "sha512-Rxbx4EnrWkYk0/ztcm5u3/VznbyFJpyXO12dDBHKWiDVxy7O2Qw6MRrwO5H6Ww0U5YhRY/4C/VzWmFPhBQc4qQ==", "dev": true, "requires": { "yaml": "^1.5.0" } }, "tcompare": { "version": "5.0.7", "resolved": "https://registry.npmjs.org/tcompare/-/tcompare-5.0.7.tgz", "integrity": "sha512-d9iddt6YYGgyxJw5bjsN7UJUO1kGOtjSlNy/4PoGYAjQS5pAT/hzIoLf1bZCw+uUxRmZJh7Yy1aA7xKVRT9B4w==", "dev": true, "requires": { "diff": "^4.0.2" } }, "teeny-request": { "version": "7.1.1", "resolved": "https://registry.npmjs.org/teeny-request/-/teeny-request-7.1.1.tgz", "integrity": "sha512-iwY6rkW5DDGq8hE2YgNQlKbptYpY5Nn2xecjQiNjOXWbKzPGUfmeUBCSQbbr306d7Z7U2N0TPl+/SwYRfua1Dg==", "dev": true, "requires": { "http-proxy-agent": "^4.0.0", "https-proxy-agent": "^5.0.0", "node-fetch": "^2.6.1", "stream-events": "^1.0.5", "uuid": "^8.0.0" } }, "test-exclude": { "version": "6.0.0", "resolved": "https://registry.npmjs.org/test-exclude/-/test-exclude-6.0.0.tgz", "integrity": "sha512-cAGWPIyOHU6zlmg88jwm7VRyXnMN7iV68OGAbYDk/Mh/xC/pzVPlQtY6ngoIH/5/tciuhGfvESU8GrHrcxD56w==", "dev": true, "requires": { "@istanbuljs/schema": "^0.1.2", "glob": "^7.1.4", "minimatch": "^3.0.4" } }, "text-table": { "version": "0.2.0", "resolved": "https://registry.npmjs.org/text-table/-/text-table-0.2.0.tgz", "integrity": "sha1-f17oI66AUgfACvLfSoTsP8+lcLQ=", "dev": true }, "to-fast-properties": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/to-fast-properties/-/to-fast-properties-2.0.0.tgz", "integrity": "sha1-3F5pjL0HkmW8c+A3doGk5Og/YW4=", "dev": true }, "to-regex-range": { "version": "5.0.1", "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz", "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==", "dev": true, "requires": { "is-number": "^7.0.0" } }, "tr46": { "version": "0.0.3", "resolved": "https://registry.npmjs.org/tr46/-/tr46-0.0.3.tgz", "integrity": "sha1-gYT9NH2snNwYWZLzpmIuFLnZq2o=", "dev": true }, "trivial-deferred": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/trivial-deferred/-/trivial-deferred-1.0.1.tgz", "integrity": "sha1-N21NKdlR1jaKb3oK6FwvTV4GWPM=", "dev": true }, "tsconfig-paths": { "version": "3.14.1", "resolved": "https://registry.npmjs.org/tsconfig-paths/-/tsconfig-paths-3.14.1.tgz", "integrity": "sha512-fxDhWnFSLt3VuTwtvJt5fpwxBHg5AdKWMsgcPOOIilyjymcYVZoCQF8fvFRezCNfblEXmi+PcM1eYHeOAgXCOQ==", "dev": true, "requires": { "@types/json5": "^0.0.29", "json5": "^1.0.1", "minimist": "^1.2.6", "strip-bom": "^3.0.0" } }, "type-check": { "version": "0.4.0", "resolved": "https://registry.npmjs.org/type-check/-/type-check-0.4.0.tgz", "integrity": "sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==", "dev": true, "requires": { "prelude-ls": "^1.2.1" } }, "type-fest": { "version": "0.20.2", "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.20.2.tgz", "integrity": "sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==", "dev": true }, "typedarray-to-buffer": { "version": "3.1.5", "resolved": "https://registry.npmjs.org/typedarray-to-buffer/-/typedarray-to-buffer-3.1.5.tgz", "integrity": "sha512-zdu8XMNEDepKKR+XYOXAVPtWui0ly0NtohUscw+UmaHiAWT8hrV1rr//H6V+0DvJ3OQ19S979M0laLfX8rm82Q==", "dev": true, "requires": { "is-typedarray": "^1.0.0" } }, "typescript": { "version": "4.7.2", "resolved": "https://registry.npmjs.org/typescript/-/typescript-4.7.2.tgz", "integrity": "sha512-Mamb1iX2FDUpcTRzltPxgWMKy3fhg0TN378ylbktPGPK/99KbDtMQ4W1hwgsbPAsG3a0xKa1vmw4VKZQbkvz5A==", "dev": true }, "unbox-primitive": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/unbox-primitive/-/unbox-primitive-1.0.2.tgz", "integrity": "sha512-61pPlCD9h51VoreyJ0BReideM3MDKMKnh6+V9L08331ipq6Q8OFXZYiqP6n/tbHx4s5I9uRhcye6BrbkizkBDw==", "dev": true, "requires": { "call-bind": "^1.0.2", "has-bigints": "^1.0.2", "has-symbols": "^1.0.3", "which-boxed-primitive": "^1.0.2" } }, "unicode-length": { "version": "2.0.2", "resolved": "https://registry.npmjs.org/unicode-length/-/unicode-length-2.0.2.tgz", "integrity": "sha512-Ph/j1VbS3/r77nhoY2WU0GWGjVYOHL3xpKp0y/Eq2e5r0mT/6b649vm7KFO6RdAdrZkYLdxphYVgvODxPB+Ebg==", "dev": true, "requires": { "punycode": "^2.0.0", "strip-ansi": "^3.0.1" }, "dependencies": { "ansi-regex": { "version": "2.1.1", "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-2.1.1.tgz", "integrity": "sha512-TIGnTpdo+E3+pCyAluZvtED5p5wCqLdezCyhPZzKPcxvFplEt4i+W7OONCKgeZFT3+y5NZZfOOS/Bdcanm1MYA==", "dev": true }, "punycode": { "version": "2.1.1", "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.1.1.tgz", "integrity": "sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==", "dev": true }, "strip-ansi": { "version": "3.0.1", "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-3.0.1.tgz", "integrity": "sha1-ajhfuIU9lS1f8F0Oiq+UJ43GPc8=", "dev": true, "requires": { "ansi-regex": "^2.0.0" } } } }, "universalify": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/universalify/-/universalify-2.0.0.tgz", "integrity": "sha512-hAZsKq7Yy11Zu1DE0OzWjw7nnLZmJZYTDZZyEFHZdUhV8FkH5MCfoU1XMaxXovpyW5nq5scPqq0ZDP9Zyl04oQ==" }, "uri-js": { "version": "4.4.1", "resolved": "https://registry.npmjs.org/uri-js/-/uri-js-4.4.1.tgz", "integrity": "sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==", "dev": true, "requires": { "punycode": "^2.1.0" }, "dependencies": { "punycode": { "version": "2.1.1", "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.1.1.tgz", "integrity": "sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==", "dev": true } } }, "urlgrey": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/urlgrey/-/urlgrey-1.0.0.tgz", "integrity": "sha512-hJfIzMPJmI9IlLkby8QrsCykQ+SXDeO2W5Q9QTW3QpqZVTx4a/K7p8/5q+/isD8vsbVaFgql/gvAoQCRQ2Cb5w==", "dev": true, "requires": { "fast-url-parser": "^1.1.3" } }, "uuid": { "version": "8.3.2", "resolved": "https://registry.npmjs.org/uuid/-/uuid-8.3.2.tgz", "integrity": "sha512-+NYs2QeMWy+GWFOEm9xnn6HCDp0l7QBD7ml8zLUmJ+93Q5NF0NocErnwkTkXVFNiX3/fpC6afS8Dhb/gz7R7eg==", "dev": true }, "v8-compile-cache": { "version": "2.3.0", "resolved": "https://registry.npmjs.org/v8-compile-cache/-/v8-compile-cache-2.3.0.tgz", "integrity": "sha512-l8lCEmLcLYZh4nbunNZvQCJc5pv7+RCwa8q/LdUx8u7lsWvPDKmpodJAJNwkAhJC//dFY48KuIEmjtd4RViDrA==", "dev": true }, "validate-commit-msg": { "version": "2.14.0", "resolved": "https://registry.npmjs.org/validate-commit-msg/-/validate-commit-msg-2.14.0.tgz", "integrity": "sha1-5Tg2kQEsuycNzAvCpO/+vhSJDqw=", "dev": true, "requires": { "conventional-commit-types": "^2.0.0", "find-parent-dir": "^0.3.0", "findup": "0.1.5", "semver-regex": "1.0.0" } }, "webidl-conversions": { "version": "3.0.1", "resolved": "https://registry.npmjs.org/webidl-conversions/-/webidl-conversions-3.0.1.tgz", "integrity": "sha1-JFNCdeKnvGvnvIZhHMFq4KVlSHE=", "dev": true }, "whatwg-url": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-5.0.0.tgz", "integrity": "sha1-lmRU6HZUYuN2RNNib2dCzotwll0=", "dev": true, "requires": { "tr46": "~0.0.3", "webidl-conversions": "^3.0.0" } }, "which": { "version": "2.0.2", "resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz", "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", "dev": true, "requires": { "isexe": "^2.0.0" } }, "which-boxed-primitive": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/which-boxed-primitive/-/which-boxed-primitive-1.0.2.tgz", "integrity": "sha512-bwZdv0AKLpplFY2KZRX6TvyuN7ojjr7lwkg6ml0roIy9YeuSr7JS372qlNW18UQYzgYK9ziGcerWqZOmEn9VNg==", "dev": true, "requires": { "is-bigint": "^1.0.1", "is-boolean-object": "^1.1.0", "is-number-object": "^1.0.4", "is-string": "^1.0.5", "is-symbol": "^1.0.3" } }, "which-module": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/which-module/-/which-module-2.0.0.tgz", "integrity": "sha1-2e8H3Od7mQK4o6j6SzHD4/fm6Ho=", "dev": true }, "word-wrap": { "version": "1.2.3", "resolved": "https://registry.npmjs.org/word-wrap/-/word-wrap-1.2.3.tgz", "integrity": "sha512-Hz/mrNwitNRh/HUAtM/VT/5VH+ygD6DV7mYKZAtHOrbs8U7lvPS6xf7EJKMF0uW1KJCl0H701g3ZGus+muE5vQ==", "dev": true }, "wrap-ansi": { "version": "6.2.0", "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-6.2.0.tgz", "integrity": "sha512-r6lPcBGxZXlIcymEu7InxDMhdW0KDxpLgoFLcguasxCaJ/SOIZwINatK9KY/tf+ZrlywOKU0UDj3ATXUBfxJXA==", "dev": true, "requires": { "ansi-styles": "^4.0.0", "string-width": "^4.1.0", "strip-ansi": "^6.0.0" } }, "wrappy": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz", "integrity": "sha1-tSQ9jz7BqjXxNkYFvA0QNuMKtp8=", "dev": true }, "write-file-atomic": { "version": "3.0.3", "resolved": "https://registry.npmjs.org/write-file-atomic/-/write-file-atomic-3.0.3.tgz", "integrity": "sha512-AvHcyZ5JnSfq3ioSyjrBkH9yW4m7Ayk8/9My/DD9onKeu/94fwrMocemO2QAJFAlnnDN+ZDS+ZjAR5ua1/PV/Q==", "dev": true, "requires": { "imurmurhash": "^0.1.4", "is-typedarray": "^1.0.0", "signal-exit": "^3.0.2", "typedarray-to-buffer": "^3.1.5" } }, "y18n": { "version": "4.0.3", "resolved": "https://registry.npmjs.org/y18n/-/y18n-4.0.3.tgz", "integrity": "sha512-JKhqTOwSrqNA1NY5lSztJ1GrBiUodLMmIZuLiDaMRJ+itFd+ABVE8XBjOvIWL+rSqNDC74LCSFmlb/U4UZ4hJQ==", "dev": true }, "yallist": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/yallist/-/yallist-4.0.0.tgz", "integrity": "sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==", "dev": true }, "yaml": { "version": "1.10.2", "resolved": "https://registry.npmjs.org/yaml/-/yaml-1.10.2.tgz", "integrity": "sha512-r3vXyErRCYJ7wg28yvBY5VSoAF8ZvlcW9/BwUzEtUsjvX/DKs24dIkuwjtuprwJJHsbyUbLApepYTR1BN4uHrg==", "dev": true }, "yargs": { "version": "15.4.1", "resolved": "https://registry.npmjs.org/yargs/-/yargs-15.4.1.tgz", "integrity": "sha512-aePbxDmcYW++PaqBsJ+HYUFwCdv4LVvdnhBy78E57PIor8/OVvhMrADFFEDh8DHDFRv/O9i3lPhsENjO7QX0+A==", "dev": true, "requires": { "cliui": "^6.0.0", "decamelize": "^1.2.0", "find-up": "^4.1.0", "get-caller-file": "^2.0.1", "require-directory": "^2.1.1", "require-main-filename": "^2.0.0", "set-blocking": "^2.0.0", "string-width": "^4.2.0", "which-module": "^2.0.0", "y18n": "^4.0.0", "yargs-parser": "^18.1.2" }, "dependencies": { "find-up": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/find-up/-/find-up-4.1.0.tgz", "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", "dev": true, "requires": { "locate-path": "^5.0.0", "path-exists": "^4.0.0" } }, "locate-path": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-5.0.0.tgz", "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", "dev": true, "requires": { "p-locate": "^4.1.0" } }, "p-limit": { "version": "2.3.0", "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", "dev": true, "requires": { "p-try": "^2.0.0" } }, "p-locate": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-4.1.0.tgz", "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", "dev": true, "requires": { "p-limit": "^2.2.0" } }, "p-try": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/p-try/-/p-try-2.2.0.tgz", "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", "dev": true }, "path-exists": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", "dev": true } } }, "yargs-parser": { "version": "18.1.3", "resolved": "https://registry.npmjs.org/yargs-parser/-/yargs-parser-18.1.3.tgz", "integrity": "sha512-o50j0JeToy/4K6OZcaQmW6lyXXKhq7csREXcDwk2omFPJEwUNOVtJKvmDr9EI1fAJZUyZcRF7kxGBWmRXudrCQ==", "dev": true, "requires": { "camelcase": "^5.0.0", "decamelize": "^1.2.0" } } } }
{ "name": "log4js", "version": "6.5.2", "lockfileVersion": 2, "requires": true, "packages": { "": { "name": "log4js", "version": "6.5.2", "license": "Apache-2.0", "dependencies": { "date-format": "^4.0.11", "debug": "^4.3.4", "flatted": "^3.2.5", "rfdc": "^1.3.0", "streamroller": "^3.1.1" }, "devDependencies": { "@commitlint/cli": "^17.0.2", "@commitlint/config-conventional": "^17.0.2", "@log4js-node/sandboxed-module": "^2.2.1", "callsites": "^3.1.0", "deep-freeze": "0.0.1", "eslint": "^8.16.0", "eslint-config-airbnb-base": "^15.0.0", "eslint-config-prettier": "^8.5.0", "eslint-import-resolver-node": "^0.3.6", "eslint-plugin-import": "^2.26.0", "eslint-plugin-prettier": "^4.0.0", "fs-extra": "^10.1.0", "husky": "^8.0.1", "is-ci": "^3.0.1", "nyc": "^15.1.0", "prettier": "^2.6.0", "proxyquire": "^2.1.3", "tap": "^16.2.0", "typescript": "^4.7.2" }, "engines": { "node": ">=8.0" } }, "node_modules/@ampproject/remapping": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/@ampproject/remapping/-/remapping-2.2.0.tgz", "integrity": "sha512-qRmjj8nj9qmLTQXXmaR1cck3UXSRMPrbsLJAasZpF+t3riI71BXed5ebIOYwQntykeZuhjsdweEc9BxH5Jc26w==", "dev": true, "dependencies": { "@jridgewell/gen-mapping": "^0.1.0", "@jridgewell/trace-mapping": "^0.3.9" }, "engines": { "node": ">=6.0.0" } }, "node_modules/@babel/code-frame": { "version": "7.16.7", "resolved": "https://registry.npmjs.org/@babel/code-frame/-/code-frame-7.16.7.tgz", "integrity": "sha512-iAXqUn8IIeBTNd72xsFlgaXHkMBMt6y4HJp1tIaK465CWLT/fG1aqB7ykr95gHHmlBdGbFeWWfyB4NJJ0nmeIg==", "dev": true, "dependencies": { "@babel/highlight": "^7.16.7" }, "engines": { "node": ">=6.9.0" } }, "node_modules/@babel/compat-data": { "version": "7.17.10", "resolved": "https://registry.npmjs.org/@babel/compat-data/-/compat-data-7.17.10.tgz", "integrity": "sha512-GZt/TCsG70Ms19gfZO1tM4CVnXsPgEPBCpJu+Qz3L0LUDsY5nZqFZglIoPC1kIYOtNBZlrnFT+klg12vFGZXrw==", "dev": true, "engines": { "node": ">=6.9.0" } }, "node_modules/@babel/core": { "version": "7.18.2", "resolved": "https://registry.npmjs.org/@babel/core/-/core-7.18.2.tgz", "integrity": "sha512-A8pri1YJiC5UnkdrWcmfZTJTV85b4UXTAfImGmCfYmax4TR9Cw8sDS0MOk++Gp2mE/BefVJ5nwy5yzqNJbP/DQ==", "dev": true, "dependencies": { "@ampproject/remapping": "^2.1.0", "@babel/code-frame": "^7.16.7", "@babel/generator": "^7.18.2", "@babel/helper-compilation-targets": "^7.18.2", "@babel/helper-module-transforms": "^7.18.0", "@babel/helpers": "^7.18.2", "@babel/parser": "^7.18.0", "@babel/template": "^7.16.7", "@babel/traverse": "^7.18.2", "@babel/types": "^7.18.2", "convert-source-map": "^1.7.0", "debug": "^4.1.0", "gensync": "^1.0.0-beta.2", "json5": "^2.2.1", "semver": "^6.3.0" }, "engines": { "node": ">=6.9.0" }, "funding": { "type": "opencollective", "url": "https://opencollective.com/babel" } }, "node_modules/@babel/core/node_modules/json5": { "version": "2.2.1", "resolved": "https://registry.npmjs.org/json5/-/json5-2.2.1.tgz", "integrity": "sha512-1hqLFMSrGHRHxav9q9gNjJ5EXznIxGVO09xQRrwplcS8qs28pZ8s8hupZAmqDwZUmVZ2Qb2jnyPOWcDH8m8dlA==", "dev": true, "bin": { "json5": "lib/cli.js" }, "engines": { "node": ">=6" } }, "node_modules/@babel/generator": { "version": "7.18.2", "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.18.2.tgz", "integrity": "sha512-W1lG5vUwFvfMd8HVXqdfbuG7RuaSrTCCD8cl8fP8wOivdbtbIg2Db3IWUcgvfxKbbn6ZBGYRW/Zk1MIwK49mgw==", "dev": true, "dependencies": { "@babel/types": "^7.18.2", "@jridgewell/gen-mapping": "^0.3.0", "jsesc": "^2.5.1" }, "engines": { "node": ">=6.9.0" } }, "node_modules/@babel/generator/node_modules/@jridgewell/gen-mapping": { "version": "0.3.1", "resolved": "https://registry.npmjs.org/@jridgewell/gen-mapping/-/gen-mapping-0.3.1.tgz", "integrity": "sha512-GcHwniMlA2z+WFPWuY8lp3fsza0I8xPFMWL5+n8LYyP6PSvPrXf4+n8stDHZY2DM0zy9sVkRDy1jDI4XGzYVqg==", "dev": true, "dependencies": { "@jridgewell/set-array": "^1.0.0", "@jridgewell/sourcemap-codec": "^1.4.10", "@jridgewell/trace-mapping": "^0.3.9" }, "engines": { "node": ">=6.0.0" } }, "node_modules/@babel/helper-compilation-targets": { "version": "7.18.2", "resolved": "https://registry.npmjs.org/@babel/helper-compilation-targets/-/helper-compilation-targets-7.18.2.tgz", "integrity": "sha512-s1jnPotJS9uQnzFtiZVBUxe67CuBa679oWFHpxYYnTpRL/1ffhyX44R9uYiXoa/pLXcY9H2moJta0iaanlk/rQ==", "dev": true, "dependencies": { "@babel/compat-data": "^7.17.10", "@babel/helper-validator-option": "^7.16.7", "browserslist": "^4.20.2", "semver": "^6.3.0" }, "engines": { "node": ">=6.9.0" }, "peerDependencies": { "@babel/core": "^7.0.0" } }, "node_modules/@babel/helper-environment-visitor": { "version": "7.18.2", "resolved": "https://registry.npmjs.org/@babel/helper-environment-visitor/-/helper-environment-visitor-7.18.2.tgz", "integrity": "sha512-14GQKWkX9oJzPiQQ7/J36FTXcD4kSp8egKjO9nINlSKiHITRA9q/R74qu8S9xlc/b/yjsJItQUeeh3xnGN0voQ==", "dev": true, "engines": { "node": ">=6.9.0" } }, "node_modules/@babel/helper-function-name": { "version": "7.17.9", "resolved": "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.17.9.tgz", "integrity": "sha512-7cRisGlVtiVqZ0MW0/yFB4atgpGLWEHUVYnb448hZK4x+vih0YO5UoS11XIYtZYqHd0dIPMdUSv8q5K4LdMnIg==", "dev": true, "dependencies": { "@babel/template": "^7.16.7", "@babel/types": "^7.17.0" }, "engines": { "node": ">=6.9.0" } }, "node_modules/@babel/helper-hoist-variables": { "version": "7.16.7", "resolved": "https://registry.npmjs.org/@babel/helper-hoist-variables/-/helper-hoist-variables-7.16.7.tgz", "integrity": "sha512-m04d/0Op34H5v7pbZw6pSKP7weA6lsMvfiIAMeIvkY/R4xQtBSMFEigu9QTZ2qB/9l22vsxtM8a+Q8CzD255fg==", "dev": true, "dependencies": { "@babel/types": "^7.16.7" }, "engines": { "node": ">=6.9.0" } }, "node_modules/@babel/helper-module-imports": { "version": "7.16.7", "resolved": "https://registry.npmjs.org/@babel/helper-module-imports/-/helper-module-imports-7.16.7.tgz", "integrity": "sha512-LVtS6TqjJHFc+nYeITRo6VLXve70xmq7wPhWTqDJusJEgGmkAACWwMiTNrvfoQo6hEhFwAIixNkvB0jPXDL8Wg==", "dev": true, "dependencies": { "@babel/types": "^7.16.7" }, "engines": { "node": ">=6.9.0" } }, "node_modules/@babel/helper-module-transforms": { "version": "7.18.0", "resolved": "https://registry.npmjs.org/@babel/helper-module-transforms/-/helper-module-transforms-7.18.0.tgz", "integrity": "sha512-kclUYSUBIjlvnzN2++K9f2qzYKFgjmnmjwL4zlmU5f8ZtzgWe8s0rUPSTGy2HmK4P8T52MQsS+HTQAgZd3dMEA==", "dev": true, "dependencies": { "@babel/helper-environment-visitor": "^7.16.7", "@babel/helper-module-imports": "^7.16.7", "@babel/helper-simple-access": "^7.17.7", "@babel/helper-split-export-declaration": "^7.16.7", "@babel/helper-validator-identifier": "^7.16.7", "@babel/template": "^7.16.7", "@babel/traverse": "^7.18.0", "@babel/types": "^7.18.0" }, "engines": { "node": ">=6.9.0" } }, "node_modules/@babel/helper-simple-access": { "version": "7.18.2", "resolved": "https://registry.npmjs.org/@babel/helper-simple-access/-/helper-simple-access-7.18.2.tgz", "integrity": "sha512-7LIrjYzndorDY88MycupkpQLKS1AFfsVRm2k/9PtKScSy5tZq0McZTj+DiMRynboZfIqOKvo03pmhTaUgiD6fQ==", "dev": true, "dependencies": { "@babel/types": "^7.18.2" }, "engines": { "node": ">=6.9.0" } }, "node_modules/@babel/helper-split-export-declaration": { "version": "7.16.7", "resolved": "https://registry.npmjs.org/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.16.7.tgz", "integrity": "sha512-xbWoy/PFoxSWazIToT9Sif+jJTlrMcndIsaOKvTA6u7QEo7ilkRZpjew18/W3c7nm8fXdUDXh02VXTbZ0pGDNw==", "dev": true, "dependencies": { "@babel/types": "^7.16.7" }, "engines": { "node": ">=6.9.0" } }, "node_modules/@babel/helper-validator-identifier": { "version": "7.16.7", "resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.16.7.tgz", "integrity": "sha512-hsEnFemeiW4D08A5gUAZxLBTXpZ39P+a+DGDsHw1yxqyQ/jzFEnxf5uTEGp+3bzAbNOxU1paTgYS4ECU/IgfDw==", "dev": true, "engines": { "node": ">=6.9.0" } }, "node_modules/@babel/helper-validator-option": { "version": "7.16.7", "resolved": "https://registry.npmjs.org/@babel/helper-validator-option/-/helper-validator-option-7.16.7.tgz", "integrity": "sha512-TRtenOuRUVo9oIQGPC5G9DgK4743cdxvtOw0weQNpZXaS16SCBi5MNjZF8vba3ETURjZpTbVn7Vvcf2eAwFozQ==", "dev": true, "engines": { "node": ">=6.9.0" } }, "node_modules/@babel/helpers": { "version": "7.18.2", "resolved": "https://registry.npmjs.org/@babel/helpers/-/helpers-7.18.2.tgz", "integrity": "sha512-j+d+u5xT5utcQSzrh9p+PaJX94h++KN+ng9b9WEJq7pkUPAd61FGqhjuUEdfknb3E/uDBb7ruwEeKkIxNJPIrg==", "dev": true, "dependencies": { "@babel/template": "^7.16.7", "@babel/traverse": "^7.18.2", "@babel/types": "^7.18.2" }, "engines": { "node": ">=6.9.0" } }, "node_modules/@babel/highlight": { "version": "7.17.12", "resolved": "https://registry.npmjs.org/@babel/highlight/-/highlight-7.17.12.tgz", "integrity": "sha512-7yykMVF3hfZY2jsHZEEgLc+3x4o1O+fYyULu11GynEUQNwB6lua+IIQn1FiJxNucd5UlyJryrwsOh8PL9Sn8Qg==", "dev": true, "dependencies": { "@babel/helper-validator-identifier": "^7.16.7", "chalk": "^2.0.0", "js-tokens": "^4.0.0" }, "engines": { "node": ">=6.9.0" } }, "node_modules/@babel/highlight/node_modules/ansi-styles": { "version": "3.2.1", "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-3.2.1.tgz", "integrity": "sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==", "dev": true, "dependencies": { "color-convert": "^1.9.0" }, "engines": { "node": ">=4" } }, "node_modules/@babel/highlight/node_modules/chalk": { "version": "2.4.2", "resolved": "https://registry.npmjs.org/chalk/-/chalk-2.4.2.tgz", "integrity": "sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==", "dev": true, "dependencies": { "ansi-styles": "^3.2.1", "escape-string-regexp": "^1.0.5", "supports-color": "^5.3.0" }, "engines": { "node": ">=4" } }, "node_modules/@babel/highlight/node_modules/color-convert": { "version": "1.9.3", "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-1.9.3.tgz", "integrity": "sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==", "dev": true, "dependencies": { "color-name": "1.1.3" } }, "node_modules/@babel/highlight/node_modules/color-name": { "version": "1.1.3", "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.3.tgz", "integrity": "sha512-72fSenhMw2HZMTVHeCA9KCmpEIbzWiQsjN+BHcBbS9vr1mtt+vJjPdksIBNUmKAW8TFUDPJK5SUU3QhE9NEXDw==", "dev": true }, "node_modules/@babel/highlight/node_modules/escape-string-regexp": { "version": "1.0.5", "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==", "dev": true, "engines": { "node": ">=0.8.0" } }, "node_modules/@babel/highlight/node_modules/has-flag": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-3.0.0.tgz", "integrity": "sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw==", "dev": true, "engines": { "node": ">=4" } }, "node_modules/@babel/highlight/node_modules/supports-color": { "version": "5.5.0", "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-5.5.0.tgz", "integrity": "sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==", "dev": true, "dependencies": { "has-flag": "^3.0.0" }, "engines": { "node": ">=4" } }, "node_modules/@babel/parser": { "version": "7.18.4", "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.18.4.tgz", "integrity": "sha512-FDge0dFazETFcxGw/EXzOkN8uJp0PC7Qbm+Pe9T+av2zlBpOgunFHkQPPn+eRuClU73JF+98D531UgayY89tow==", "dev": true, "bin": { "parser": "bin/babel-parser.js" }, "engines": { "node": ">=6.0.0" } }, "node_modules/@babel/template": { "version": "7.16.7", "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.16.7.tgz", "integrity": "sha512-I8j/x8kHUrbYRTUxXrrMbfCa7jxkE7tZre39x3kjr9hvI82cK1FfqLygotcWN5kdPGWcLdWMHpSBavse5tWw3w==", "dev": true, "dependencies": { "@babel/code-frame": "^7.16.7", "@babel/parser": "^7.16.7", "@babel/types": "^7.16.7" }, "engines": { "node": ">=6.9.0" } }, "node_modules/@babel/traverse": { "version": "7.18.2", "resolved": "https://registry.npmjs.org/@babel/traverse/-/traverse-7.18.2.tgz", "integrity": "sha512-9eNwoeovJ6KH9zcCNnENY7DMFwTU9JdGCFtqNLfUAqtUHRCOsTOqWoffosP8vKmNYeSBUv3yVJXjfd8ucwOjUA==", "dev": true, "dependencies": { "@babel/code-frame": "^7.16.7", "@babel/generator": "^7.18.2", "@babel/helper-environment-visitor": "^7.18.2", "@babel/helper-function-name": "^7.17.9", "@babel/helper-hoist-variables": "^7.16.7", "@babel/helper-split-export-declaration": "^7.16.7", "@babel/parser": "^7.18.0", "@babel/types": "^7.18.2", "debug": "^4.1.0", "globals": "^11.1.0" }, "engines": { "node": ">=6.9.0" } }, "node_modules/@babel/traverse/node_modules/globals": { "version": "11.12.0", "resolved": "https://registry.npmjs.org/globals/-/globals-11.12.0.tgz", "integrity": "sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==", "dev": true, "engines": { "node": ">=4" } }, "node_modules/@babel/types": { "version": "7.18.4", "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.18.4.tgz", "integrity": "sha512-ThN1mBcMq5pG/Vm2IcBmPPfyPXbd8S02rS+OBIDENdufvqC7Z/jHPCv9IcP01277aKtDI8g/2XysBN4hA8niiw==", "dev": true, "dependencies": { "@babel/helper-validator-identifier": "^7.16.7", "to-fast-properties": "^2.0.0" }, "engines": { "node": ">=6.9.0" } }, "node_modules/@commitlint/cli": { "version": "17.0.2", "resolved": "https://registry.npmjs.org/@commitlint/cli/-/cli-17.0.2.tgz", "integrity": "sha512-Axe89Js0YzGGd4gxo3JLlF7yIdjOVpG1LbOorGc6PfYF+drBh14PvarSDLzyd2TNqdylUCq9wb9/A88ZjIdyhA==", "dev": true, "dependencies": { "@commitlint/format": "^17.0.0", "@commitlint/lint": "^17.0.0", "@commitlint/load": "^17.0.0", "@commitlint/read": "^17.0.0", "@commitlint/types": "^17.0.0", "execa": "^5.0.0", "lodash": "^4.17.19", "resolve-from": "5.0.0", "resolve-global": "1.0.0", "yargs": "^17.0.0" }, "bin": { "commitlint": "cli.js" }, "engines": { "node": ">=v14" } }, "node_modules/@commitlint/cli/node_modules/cliui": { "version": "7.0.4", "resolved": "https://registry.npmjs.org/cliui/-/cliui-7.0.4.tgz", "integrity": "sha512-OcRE68cOsVMXp1Yvonl/fzkQOyjLSu/8bhPDfQt0e0/Eb283TKP20Fs2MqoPsr9SwA595rRCA+QMzYc9nBP+JQ==", "dev": true, "dependencies": { "string-width": "^4.2.0", "strip-ansi": "^6.0.0", "wrap-ansi": "^7.0.0" } }, "node_modules/@commitlint/cli/node_modules/resolve-from": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-5.0.0.tgz", "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/@commitlint/cli/node_modules/wrap-ansi": { "version": "7.0.0", "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-7.0.0.tgz", "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==", "dev": true, "dependencies": { "ansi-styles": "^4.0.0", "string-width": "^4.1.0", "strip-ansi": "^6.0.0" }, "engines": { "node": ">=10" }, "funding": { "url": "https://github.com/chalk/wrap-ansi?sponsor=1" } }, "node_modules/@commitlint/cli/node_modules/y18n": { "version": "5.0.8", "resolved": "https://registry.npmjs.org/y18n/-/y18n-5.0.8.tgz", "integrity": "sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==", "dev": true, "engines": { "node": ">=10" } }, "node_modules/@commitlint/cli/node_modules/yargs": { "version": "17.5.1", "resolved": "https://registry.npmjs.org/yargs/-/yargs-17.5.1.tgz", "integrity": "sha512-t6YAJcxDkNX7NFYiVtKvWUz8l+PaKTLiL63mJYWR2GnHq2gjEWISzsLp9wg3aY36dY1j+gfIEL3pIF+XlJJfbA==", "dev": true, "dependencies": { "cliui": "^7.0.2", "escalade": "^3.1.1", "get-caller-file": "^2.0.5", "require-directory": "^2.1.1", "string-width": "^4.2.3", "y18n": "^5.0.5", "yargs-parser": "^21.0.0" }, "engines": { "node": ">=12" } }, "node_modules/@commitlint/cli/node_modules/yargs-parser": { "version": "21.0.1", "resolved": "https://registry.npmjs.org/yargs-parser/-/yargs-parser-21.0.1.tgz", "integrity": "sha512-9BK1jFpLzJROCI5TzwZL/TU4gqjK5xiHV/RfWLOahrjAko/e4DJkRDZQXfvqAsiZzzYhgAzbgz6lg48jcm4GLg==", "dev": true, "engines": { "node": ">=12" } }, "node_modules/@commitlint/config-conventional": { "version": "17.0.2", "resolved": "https://registry.npmjs.org/@commitlint/config-conventional/-/config-conventional-17.0.2.tgz", "integrity": "sha512-MfP0I/JbxKkzo+HXWB7B3WstGS4BiniotU3d3xQ9gK8cR0DbeZ4MuyGCWF65YDyrcDTS3WlrJ3ndSPA1pqhoPw==", "dev": true, "dependencies": { "conventional-changelog-conventionalcommits": "^5.0.0" }, "engines": { "node": ">=v14" } }, "node_modules/@commitlint/config-validator": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/config-validator/-/config-validator-17.0.0.tgz", "integrity": "sha512-78IQjoZWR4kDHp/U5y17euEWzswJpPkA9TDL5F6oZZZaLIEreWzrDZD5PWtM8MsSRl/K2LDU/UrzYju2bKLMpA==", "dev": true, "dependencies": { "@commitlint/types": "^17.0.0", "ajv": "^6.12.6" }, "engines": { "node": ">=v14" } }, "node_modules/@commitlint/ensure": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/ensure/-/ensure-17.0.0.tgz", "integrity": "sha512-M2hkJnNXvEni59S0QPOnqCKIK52G1XyXBGw51mvh7OXDudCmZ9tZiIPpU882p475Mhx48Ien1MbWjCP1zlyC0A==", "dev": true, "dependencies": { "@commitlint/types": "^17.0.0", "lodash": "^4.17.19" }, "engines": { "node": ">=v14" } }, "node_modules/@commitlint/execute-rule": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/execute-rule/-/execute-rule-17.0.0.tgz", "integrity": "sha512-nVjL/w/zuqjCqSJm8UfpNaw66V9WzuJtQvEnCrK4jDw6qKTmZB+1JQ8m6BQVZbNBcwfYdDNKnhIhqI0Rk7lgpQ==", "dev": true, "engines": { "node": ">=v14" } }, "node_modules/@commitlint/format": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/format/-/format-17.0.0.tgz", "integrity": "sha512-MZzJv7rBp/r6ZQJDEodoZvdRM0vXu1PfQvMTNWFb8jFraxnISMTnPBWMMjr2G/puoMashwaNM//fl7j8gGV5lA==", "dev": true, "dependencies": { "@commitlint/types": "^17.0.0", "chalk": "^4.1.0" }, "engines": { "node": ">=v14" } }, "node_modules/@commitlint/is-ignored": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/is-ignored/-/is-ignored-17.0.0.tgz", "integrity": "sha512-UmacD0XM/wWykgdXn5CEWVS4XGuqzU+ZGvM2hwv85+SXGnIOaG88XHrt81u37ZeVt1riWW+YdOxcJW6+nd5v5w==", "dev": true, "dependencies": { "@commitlint/types": "^17.0.0", "semver": "7.3.7" }, "engines": { "node": ">=v14" } }, "node_modules/@commitlint/is-ignored/node_modules/semver": { "version": "7.3.7", "resolved": "https://registry.npmjs.org/semver/-/semver-7.3.7.tgz", "integrity": "sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g==", "dev": true, "dependencies": { "lru-cache": "^6.0.0" }, "bin": { "semver": "bin/semver.js" }, "engines": { "node": ">=10" } }, "node_modules/@commitlint/lint": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/lint/-/lint-17.0.0.tgz", "integrity": "sha512-5FL7VLvGJQby24q0pd4UdM8FNFcL+ER1T/UBf8A9KRL5+QXV1Rkl6Zhcl7+SGpGlVo6Yo0pm6aLW716LVKWLGg==", "dev": true, "dependencies": { "@commitlint/is-ignored": "^17.0.0", "@commitlint/parse": "^17.0.0", "@commitlint/rules": "^17.0.0", "@commitlint/types": "^17.0.0" }, "engines": { "node": ">=v14" } }, "node_modules/@commitlint/load": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/load/-/load-17.0.0.tgz", "integrity": "sha512-XaiHF4yWQOPAI0O6wXvk+NYLtJn/Xb7jgZEeKd4C1ZWd7vR7u8z5h0PkWxSr0uLZGQsElGxv3fiZ32C5+q6M8w==", "dev": true, "dependencies": { "@commitlint/config-validator": "^17.0.0", "@commitlint/execute-rule": "^17.0.0", "@commitlint/resolve-extends": "^17.0.0", "@commitlint/types": "^17.0.0", "@types/node": ">=12", "chalk": "^4.1.0", "cosmiconfig": "^7.0.0", "cosmiconfig-typescript-loader": "^2.0.0", "lodash": "^4.17.19", "resolve-from": "^5.0.0", "typescript": "^4.6.4" }, "engines": { "node": ">=v14" } }, "node_modules/@commitlint/load/node_modules/resolve-from": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-5.0.0.tgz", "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/@commitlint/message": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/message/-/message-17.0.0.tgz", "integrity": "sha512-LpcwYtN+lBlfZijHUdVr8aNFTVpHjuHI52BnfoV01TF7iSLnia0jttzpLkrLmI8HNQz6Vhr9UrxDWtKZiMGsBw==", "dev": true, "engines": { "node": ">=v14" } }, "node_modules/@commitlint/parse": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/parse/-/parse-17.0.0.tgz", "integrity": "sha512-cKcpfTIQYDG1ywTIr5AG0RAiLBr1gudqEsmAGCTtj8ffDChbBRxm6xXs2nv7GvmJN7msOt7vOKleLvcMmRa1+A==", "dev": true, "dependencies": { "@commitlint/types": "^17.0.0", "conventional-changelog-angular": "^5.0.11", "conventional-commits-parser": "^3.2.2" }, "engines": { "node": ">=v14" } }, "node_modules/@commitlint/read": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/read/-/read-17.0.0.tgz", "integrity": "sha512-zkuOdZayKX3J6F6mPnVMzohK3OBrsEdOByIqp4zQjA9VLw1hMsDEFQ18rKgUc2adkZar+4S01QrFreDCfZgbxA==", "dev": true, "dependencies": { "@commitlint/top-level": "^17.0.0", "@commitlint/types": "^17.0.0", "fs-extra": "^10.0.0", "git-raw-commits": "^2.0.0" }, "engines": { "node": ">=v14" } }, "node_modules/@commitlint/resolve-extends": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/resolve-extends/-/resolve-extends-17.0.0.tgz", "integrity": "sha512-wi60WiJmwaQ7lzMXK8Vbc18Hq9tE2j/6iv2AFfPUGV7fvfY6Sf1iNKuUHirSqR0fquUyufIXe4y/K9A6LVIIvw==", "dev": true, "dependencies": { "@commitlint/config-validator": "^17.0.0", "@commitlint/types": "^17.0.0", "import-fresh": "^3.0.0", "lodash": "^4.17.19", "resolve-from": "^5.0.0", "resolve-global": "^1.0.0" }, "engines": { "node": ">=v14" } }, "node_modules/@commitlint/resolve-extends/node_modules/resolve-from": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-5.0.0.tgz", "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/@commitlint/rules": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/rules/-/rules-17.0.0.tgz", "integrity": "sha512-45nIy3dERKXWpnwX9HeBzK5SepHwlDxdGBfmedXhL30fmFCkJOdxHyOJsh0+B0RaVsLGT01NELpfzJUmtpDwdQ==", "dev": true, "dependencies": { "@commitlint/ensure": "^17.0.0", "@commitlint/message": "^17.0.0", "@commitlint/to-lines": "^17.0.0", "@commitlint/types": "^17.0.0", "execa": "^5.0.0" }, "engines": { "node": ">=v14" } }, "node_modules/@commitlint/to-lines": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/to-lines/-/to-lines-17.0.0.tgz", "integrity": "sha512-nEi4YEz04Rf2upFbpnEorG8iymyH7o9jYIVFBG1QdzebbIFET3ir+8kQvCZuBE5pKCtViE4XBUsRZz139uFrRQ==", "dev": true, "engines": { "node": ">=v14" } }, "node_modules/@commitlint/top-level": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/top-level/-/top-level-17.0.0.tgz", "integrity": "sha512-dZrEP1PBJvodNWYPOYiLWf6XZergdksKQaT6i1KSROLdjf5Ai0brLOv5/P+CPxBeoj3vBxK4Ax8H1Pg9t7sHIQ==", "dev": true, "dependencies": { "find-up": "^5.0.0" }, "engines": { "node": ">=v14" } }, "node_modules/@commitlint/top-level/node_modules/find-up": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/find-up/-/find-up-5.0.0.tgz", "integrity": "sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==", "dev": true, "dependencies": { "locate-path": "^6.0.0", "path-exists": "^4.0.0" }, "engines": { "node": ">=10" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/@commitlint/top-level/node_modules/locate-path": { "version": "6.0.0", "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-6.0.0.tgz", "integrity": "sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==", "dev": true, "dependencies": { "p-locate": "^5.0.0" }, "engines": { "node": ">=10" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/@commitlint/top-level/node_modules/p-limit": { "version": "3.1.0", "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-3.1.0.tgz", "integrity": "sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==", "dev": true, "dependencies": { "yocto-queue": "^0.1.0" }, "engines": { "node": ">=10" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/@commitlint/top-level/node_modules/p-locate": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-5.0.0.tgz", "integrity": "sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==", "dev": true, "dependencies": { "p-limit": "^3.0.2" }, "engines": { "node": ">=10" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/@commitlint/top-level/node_modules/path-exists": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/@commitlint/types": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/types/-/types-17.0.0.tgz", "integrity": "sha512-hBAw6U+SkAT5h47zDMeOu3HSiD0SODw4Aq7rRNh1ceUmL7GyLKYhPbUvlRWqZ65XjBLPHZhFyQlRaPNz8qvUyQ==", "dev": true, "dependencies": { "chalk": "^4.1.0" }, "engines": { "node": ">=v14" } }, "node_modules/@cspotcode/source-map-support": { "version": "0.8.1", "resolved": "https://registry.npmjs.org/@cspotcode/source-map-support/-/source-map-support-0.8.1.tgz", "integrity": "sha512-IchNf6dN4tHoMFIn/7OE8LWZ19Y6q/67Bmf6vnGREv8RSbBVb9LPJxEcnwrcwX6ixSvaiGoomAUvu4YSxXrVgw==", "dev": true, "dependencies": { "@jridgewell/trace-mapping": "0.3.9" }, "engines": { "node": ">=12" } }, "node_modules/@cspotcode/source-map-support/node_modules/@jridgewell/trace-mapping": { "version": "0.3.9", "resolved": "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.9.tgz", "integrity": "sha512-3Belt6tdc8bPgAtbcmdtNJlirVoTmEb5e2gC94PnkwEW9jI6CAHUeoG85tjWP5WquqfavoMtMwiG4P926ZKKuQ==", "dev": true, "dependencies": { "@jridgewell/resolve-uri": "^3.0.3", "@jridgewell/sourcemap-codec": "^1.4.10" } }, "node_modules/@eslint/eslintrc": { "version": "1.3.0", "resolved": "https://registry.npmjs.org/@eslint/eslintrc/-/eslintrc-1.3.0.tgz", "integrity": "sha512-UWW0TMTmk2d7hLcWD1/e2g5HDM/HQ3csaLSqXCfqwh4uNDuNqlaKWXmEsL4Cs41Z0KnILNvwbHAah3C2yt06kw==", "dev": true, "dependencies": { "ajv": "^6.12.4", "debug": "^4.3.2", "espree": "^9.3.2", "globals": "^13.15.0", "ignore": "^5.2.0", "import-fresh": "^3.2.1", "js-yaml": "^4.1.0", "minimatch": "^3.1.2", "strip-json-comments": "^3.1.1" }, "engines": { "node": "^12.22.0 || ^14.17.0 || >=16.0.0" } }, "node_modules/@eslint/eslintrc/node_modules/argparse": { "version": "2.0.1", "resolved": "https://registry.npmjs.org/argparse/-/argparse-2.0.1.tgz", "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==", "dev": true }, "node_modules/@eslint/eslintrc/node_modules/js-yaml": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-4.1.0.tgz", "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==", "dev": true, "dependencies": { "argparse": "^2.0.1" }, "bin": { "js-yaml": "bin/js-yaml.js" } }, "node_modules/@humanwhocodes/config-array": { "version": "0.9.5", "resolved": "https://registry.npmjs.org/@humanwhocodes/config-array/-/config-array-0.9.5.tgz", "integrity": "sha512-ObyMyWxZiCu/yTisA7uzx81s40xR2fD5Cg/2Kq7G02ajkNubJf6BopgDTmDyc3U7sXpNKM8cYOw7s7Tyr+DnCw==", "dev": true, "dependencies": { "@humanwhocodes/object-schema": "^1.2.1", "debug": "^4.1.1", "minimatch": "^3.0.4" }, "engines": { "node": ">=10.10.0" } }, "node_modules/@humanwhocodes/object-schema": { "version": "1.2.1", "resolved": "https://registry.npmjs.org/@humanwhocodes/object-schema/-/object-schema-1.2.1.tgz", "integrity": "sha512-ZnQMnLV4e7hDlUvw8H+U8ASL02SS2Gn6+9Ac3wGGLIe7+je2AeAOxPY+izIPJDfFDb7eDjev0Us8MO1iFRN8hA==", "dev": true }, "node_modules/@istanbuljs/load-nyc-config": { "version": "1.1.0", "resolved": "https://registry.npmjs.org/@istanbuljs/load-nyc-config/-/load-nyc-config-1.1.0.tgz", "integrity": "sha512-VjeHSlIzpv/NyD3N0YuHfXOPDIixcA1q2ZV98wsMqcYlPmv2n3Yb2lYP9XMElnaFVXg5A7YLTeLu6V84uQDjmQ==", "dev": true, "dependencies": { "camelcase": "^5.3.1", "find-up": "^4.1.0", "get-package-type": "^0.1.0", "js-yaml": "^3.13.1", "resolve-from": "^5.0.0" }, "engines": { "node": ">=8" } }, "node_modules/@istanbuljs/load-nyc-config/node_modules/find-up": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/find-up/-/find-up-4.1.0.tgz", "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", "dev": true, "dependencies": { "locate-path": "^5.0.0", "path-exists": "^4.0.0" }, "engines": { "node": ">=8" } }, "node_modules/@istanbuljs/load-nyc-config/node_modules/locate-path": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-5.0.0.tgz", "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", "dev": true, "dependencies": { "p-locate": "^4.1.0" }, "engines": { "node": ">=8" } }, "node_modules/@istanbuljs/load-nyc-config/node_modules/p-limit": { "version": "2.3.0", "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", "dev": true, "dependencies": { "p-try": "^2.0.0" }, "engines": { "node": ">=6" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/@istanbuljs/load-nyc-config/node_modules/p-locate": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-4.1.0.tgz", "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", "dev": true, "dependencies": { "p-limit": "^2.2.0" }, "engines": { "node": ">=8" } }, "node_modules/@istanbuljs/load-nyc-config/node_modules/p-try": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/p-try/-/p-try-2.2.0.tgz", "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", "dev": true, "engines": { "node": ">=6" } }, "node_modules/@istanbuljs/load-nyc-config/node_modules/path-exists": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/@istanbuljs/load-nyc-config/node_modules/resolve-from": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-5.0.0.tgz", "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/@istanbuljs/schema": { "version": "0.1.3", "resolved": "https://registry.npmjs.org/@istanbuljs/schema/-/schema-0.1.3.tgz", "integrity": "sha512-ZXRY4jNvVgSVQ8DL3LTcakaAtXwTVUxE81hslsyD2AtoXW/wVob10HkOJ1X/pAlcI7D+2YoZKg5do8G/w6RYgA==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/@jridgewell/gen-mapping": { "version": "0.1.1", "resolved": "https://registry.npmjs.org/@jridgewell/gen-mapping/-/gen-mapping-0.1.1.tgz", "integrity": "sha512-sQXCasFk+U8lWYEe66WxRDOE9PjVz4vSM51fTu3Hw+ClTpUSQb718772vH3pyS5pShp6lvQM7SxgIDXXXmOX7w==", "dev": true, "dependencies": { "@jridgewell/set-array": "^1.0.0", "@jridgewell/sourcemap-codec": "^1.4.10" }, "engines": { "node": ">=6.0.0" } }, "node_modules/@jridgewell/resolve-uri": { "version": "3.0.7", "resolved": "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.0.7.tgz", "integrity": "sha512-8cXDaBBHOr2pQ7j77Y6Vp5VDT2sIqWyWQ56TjEq4ih/a4iST3dItRe8Q9fp0rrIl9DoKhWQtUQz/YpOxLkXbNA==", "dev": true, "engines": { "node": ">=6.0.0" } }, "node_modules/@jridgewell/set-array": { "version": "1.1.1", "resolved": "https://registry.npmjs.org/@jridgewell/set-array/-/set-array-1.1.1.tgz", "integrity": "sha512-Ct5MqZkLGEXTVmQYbGtx9SVqD2fqwvdubdps5D3djjAkgkKwT918VNOz65pEHFaYTeWcukmJmH5SwsA9Tn2ObQ==", "dev": true, "engines": { "node": ">=6.0.0" } }, "node_modules/@jridgewell/sourcemap-codec": { "version": "1.4.13", "resolved": "https://registry.npmjs.org/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.13.tgz", "integrity": "sha512-GryiOJmNcWbovBxTfZSF71V/mXbgcV3MewDe3kIMCLyIh5e7SKAeUZs+rMnJ8jkMolZ/4/VsdBmMrw3l+VdZ3w==", "dev": true }, "node_modules/@jridgewell/trace-mapping": { "version": "0.3.13", "resolved": "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.13.tgz", "integrity": "sha512-o1xbKhp9qnIAoHJSWd6KlCZfqslL4valSF81H8ImioOAxluWYWOpWkpyktY2vnt4tbrX9XYaxovq6cgowaJp2w==", "dev": true, "dependencies": { "@jridgewell/resolve-uri": "^3.0.3", "@jridgewell/sourcemap-codec": "^1.4.10" } }, "node_modules/@log4js-node/sandboxed-module": { "version": "2.2.1", "resolved": "https://registry.npmjs.org/@log4js-node/sandboxed-module/-/sandboxed-module-2.2.1.tgz", "integrity": "sha512-BtpxW7EReVwZ6WSNHPMyID2vVYuBKYkJyevJxbPsTtecWGqwm1wL4/O3oOQcyGhJsuNi7Y8JhNc5FE9jdXlZ0A==", "dev": true, "dependencies": { "require-like": "0.1.2", "stack-trace": "0.0.10" } }, "node_modules/@tsconfig/node10": { "version": "1.0.9", "resolved": "https://registry.npmjs.org/@tsconfig/node10/-/node10-1.0.9.tgz", "integrity": "sha512-jNsYVVxU8v5g43Erja32laIDHXeoNvFEpX33OK4d6hljo3jDhCBDhx5dhCCTMWUojscpAagGiRkBKxpdl9fxqA==", "dev": true }, "node_modules/@tsconfig/node12": { "version": "1.0.11", "resolved": "https://registry.npmjs.org/@tsconfig/node12/-/node12-1.0.11.tgz", "integrity": "sha512-cqefuRsh12pWyGsIoBKJA9luFu3mRxCA+ORZvA4ktLSzIuCUtWVxGIuXigEwO5/ywWFMZ2QEGKWvkZG1zDMTag==", "dev": true }, "node_modules/@tsconfig/node14": { "version": "1.0.3", "resolved": "https://registry.npmjs.org/@tsconfig/node14/-/node14-1.0.3.tgz", "integrity": "sha512-ysT8mhdixWK6Hw3i1V2AeRqZ5WfXg1G43mqoYlM2nc6388Fq5jcXyr5mRsqViLx/GJYdoL0bfXD8nmF+Zn/Iow==", "dev": true }, "node_modules/@tsconfig/node16": { "version": "1.0.3", "resolved": "https://registry.npmjs.org/@tsconfig/node16/-/node16-1.0.3.tgz", "integrity": "sha512-yOlFc+7UtL/89t2ZhjPvvB/DeAr3r+Dq58IgzsFkOAvVC6NMJXmCGjbptdXdR9qsX7pKcTL+s87FtYREi2dEEQ==", "dev": true }, "node_modules/@types/json5": { "version": "0.0.29", "resolved": "https://registry.npmjs.org/@types/json5/-/json5-0.0.29.tgz", "integrity": "sha512-dRLjCWHYg4oaA77cxO64oO+7JwCwnIzkZPdrrC71jQmQtlhM556pwKo5bUzqvZndkVbeFLIIi+9TC40JNF5hNQ==", "dev": true }, "node_modules/@types/minimist": { "version": "1.2.2", "resolved": "https://registry.npmjs.org/@types/minimist/-/minimist-1.2.2.tgz", "integrity": "sha512-jhuKLIRrhvCPLqwPcx6INqmKeiA5EWrsCOPhrlFSrbrmU4ZMPjj5Ul/oLCMDO98XRUIwVm78xICz4EPCektzeQ==", "dev": true }, "node_modules/@types/node": { "version": "18.0.0", "resolved": "https://registry.npmjs.org/@types/node/-/node-18.0.0.tgz", "integrity": "sha512-cHlGmko4gWLVI27cGJntjs/Sj8th9aYwplmZFwmmgYQQvL5NUsgVJG7OddLvNfLqYS31KFN0s3qlaD9qCaxACA==", "dev": true }, "node_modules/@types/normalize-package-data": { "version": "2.4.1", "resolved": "https://registry.npmjs.org/@types/normalize-package-data/-/normalize-package-data-2.4.1.tgz", "integrity": "sha512-Gj7cI7z+98M282Tqmp2K5EIsoouUEzbBJhQQzDE3jSIRk6r9gsz0oUokqIUR4u1R3dMHo0pDHM7sNOHyhulypw==", "dev": true }, "node_modules/@types/parse-json": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/@types/parse-json/-/parse-json-4.0.0.tgz", "integrity": "sha512-//oorEZjL6sbPcKUaCdIGlIUeH26mgzimjBB77G6XRgnDl/L5wOnpyBGRe/Mmf5CVW3PwEBE1NjiMZ/ssFh4wA==", "dev": true }, "node_modules/acorn": { "version": "8.7.1", "resolved": "https://registry.npmjs.org/acorn/-/acorn-8.7.1.tgz", "integrity": "sha512-Xx54uLJQZ19lKygFXOWsscKUbsBZW0CPykPhVQdhIeIwrbPmJzqeASDInc8nKBnp/JT6igTs82qPXz069H8I/A==", "dev": true, "bin": { "acorn": "bin/acorn" }, "engines": { "node": ">=0.4.0" } }, "node_modules/acorn-jsx": { "version": "5.3.2", "resolved": "https://registry.npmjs.org/acorn-jsx/-/acorn-jsx-5.3.2.tgz", "integrity": "sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==", "dev": true, "peerDependencies": { "acorn": "^6.0.0 || ^7.0.0 || ^8.0.0" } }, "node_modules/acorn-walk": { "version": "8.2.0", "resolved": "https://registry.npmjs.org/acorn-walk/-/acorn-walk-8.2.0.tgz", "integrity": "sha512-k+iyHEuPgSw6SbuDpGQM+06HQUa04DZ3o+F6CSzXMvvI5KMvnaEqXe+YVe555R9nn6GPt404fos4wcgpw12SDA==", "dev": true, "engines": { "node": ">=0.4.0" } }, "node_modules/aggregate-error": { "version": "3.1.0", "resolved": "https://registry.npmjs.org/aggregate-error/-/aggregate-error-3.1.0.tgz", "integrity": "sha512-4I7Td01quW/RpocfNayFdFVk1qSuoh0E7JrbRJ16nH01HhKFQ88INq9Sd+nd72zqRySlr9BmDA8xlEJ6vJMrYA==", "dev": true, "dependencies": { "clean-stack": "^2.0.0", "indent-string": "^4.0.0" }, "engines": { "node": ">=8" } }, "node_modules/ajv": { "version": "6.12.6", "resolved": "https://registry.npmjs.org/ajv/-/ajv-6.12.6.tgz", "integrity": "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==", "dev": true, "dependencies": { "fast-deep-equal": "^3.1.1", "fast-json-stable-stringify": "^2.0.0", "json-schema-traverse": "^0.4.1", "uri-js": "^4.2.2" }, "funding": { "type": "github", "url": "https://github.com/sponsors/epoberezkin" } }, "node_modules/ansi-regex": { "version": "5.0.1", "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/ansi-styles": { "version": "4.3.0", "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz", "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", "dev": true, "dependencies": { "color-convert": "^2.0.1" }, "engines": { "node": ">=8" }, "funding": { "url": "https://github.com/chalk/ansi-styles?sponsor=1" } }, "node_modules/anymatch": { "version": "3.1.2", "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-3.1.2.tgz", "integrity": "sha512-P43ePfOAIupkguHUycrc4qJ9kz8ZiuOUijaETwX7THt0Y/GNK7v0aa8rY816xWjZ7rJdA5XdMcpVFTKMq+RvWg==", "dev": true, "dependencies": { "normalize-path": "^3.0.0", "picomatch": "^2.0.4" }, "engines": { "node": ">= 8" } }, "node_modules/append-transform": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/append-transform/-/append-transform-2.0.0.tgz", "integrity": "sha512-7yeyCEurROLQJFv5Xj4lEGTy0borxepjFv1g22oAdqFu//SrAlDl1O1Nxx15SH1RoliUml6p8dwJW9jvZughhg==", "dev": true, "dependencies": { "default-require-extensions": "^3.0.0" }, "engines": { "node": ">=8" } }, "node_modules/archy": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/archy/-/archy-1.0.0.tgz", "integrity": "sha512-Xg+9RwCg/0p32teKdGMPTPnVXKD0w3DfHnFTficozsAgsvq2XenPJq/MYpzzQ/v8zrOyJn6Ds39VA4JIDwFfqw==", "dev": true }, "node_modules/arg": { "version": "4.1.3", "resolved": "https://registry.npmjs.org/arg/-/arg-4.1.3.tgz", "integrity": "sha512-58S9QDqG0Xx27YwPSt9fJxivjYl432YCwfDMfZ+71RAqUrZef7LrKQZ3LHLOwCS4FLNBplP533Zx895SeOCHvA==", "dev": true }, "node_modules/argparse": { "version": "1.0.10", "resolved": "https://registry.npmjs.org/argparse/-/argparse-1.0.10.tgz", "integrity": "sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg==", "dev": true, "dependencies": { "sprintf-js": "~1.0.2" } }, "node_modules/array-ify": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/array-ify/-/array-ify-1.0.0.tgz", "integrity": "sha512-c5AMf34bKdvPhQ7tBGhqkgKNUzMr4WUs+WDtC2ZUGOUncbxKMTvqxYctiseW3+L4bA8ec+GcZ6/A/FW4m8ukng==", "dev": true }, "node_modules/array-includes": { "version": "3.1.5", "resolved": "https://registry.npmjs.org/array-includes/-/array-includes-3.1.5.tgz", "integrity": "sha512-iSDYZMMyTPkiFasVqfuAQnWAYcvO/SeBSCGKePoEthjp4LEMTe4uLc7b025o4jAZpHhihh8xPo99TNWUWWkGDQ==", "dev": true, "dependencies": { "call-bind": "^1.0.2", "define-properties": "^1.1.4", "es-abstract": "^1.19.5", "get-intrinsic": "^1.1.1", "is-string": "^1.0.7" }, "engines": { "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/array.prototype.flat": { "version": "1.3.0", "resolved": "https://registry.npmjs.org/array.prototype.flat/-/array.prototype.flat-1.3.0.tgz", "integrity": "sha512-12IUEkHsAhA4DY5s0FPgNXIdc8VRSqD9Zp78a5au9abH/SOBrsp082JOWFNTjkMozh8mqcdiKuaLGhPeYztxSw==", "dev": true, "dependencies": { "call-bind": "^1.0.2", "define-properties": "^1.1.3", "es-abstract": "^1.19.2", "es-shim-unscopables": "^1.0.0" }, "engines": { "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/arrify": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/arrify/-/arrify-1.0.1.tgz", "integrity": "sha512-3CYzex9M9FGQjCGMGyi6/31c8GJbgb0qGyrx5HWxPd0aCwh4cB2YjMb2Xf9UuoogrMrlO9cTqnB5rI5GHZTcUA==", "dev": true, "engines": { "node": ">=0.10.0" } }, "node_modules/async-hook-domain": { "version": "2.0.4", "resolved": "https://registry.npmjs.org/async-hook-domain/-/async-hook-domain-2.0.4.tgz", "integrity": "sha512-14LjCmlK1PK8eDtTezR6WX8TMaYNIzBIsd2D1sGoGjgx0BuNMMoSdk7i/drlbtamy0AWv9yv2tkB+ASdmeqFIw==", "dev": true, "engines": { "node": ">=10" } }, "node_modules/balanced-match": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz", "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==", "dev": true }, "node_modules/binary-extensions": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/binary-extensions/-/binary-extensions-2.2.0.tgz", "integrity": "sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/bind-obj-methods": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/bind-obj-methods/-/bind-obj-methods-3.0.0.tgz", "integrity": "sha512-nLEaaz3/sEzNSyPWRsN9HNsqwk1AUyECtGj+XwGdIi3xABnEqecvXtIJ0wehQXuuER5uZ/5fTs2usONgYjG+iw==", "dev": true, "engines": { "node": ">=10" } }, "node_modules/brace-expansion": { "version": "1.1.11", "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz", "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==", "dev": true, "dependencies": { "balanced-match": "^1.0.0", "concat-map": "0.0.1" } }, "node_modules/braces": { "version": "3.0.2", "resolved": "https://registry.npmjs.org/braces/-/braces-3.0.2.tgz", "integrity": "sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==", "dev": true, "dependencies": { "fill-range": "^7.0.1" }, "engines": { "node": ">=8" } }, "node_modules/browserslist": { "version": "4.20.3", "resolved": "https://registry.npmjs.org/browserslist/-/browserslist-4.20.3.tgz", "integrity": "sha512-NBhymBQl1zM0Y5dQT/O+xiLP9/rzOIQdKM/eMJBAq7yBgaB6krIYLGejrwVYnSHZdqjscB1SPuAjHwxjvN6Wdg==", "dev": true, "funding": [ { "type": "opencollective", "url": "https://opencollective.com/browserslist" }, { "type": "tidelift", "url": "https://tidelift.com/funding/github/npm/browserslist" } ], "dependencies": { "caniuse-lite": "^1.0.30001332", "electron-to-chromium": "^1.4.118", "escalade": "^3.1.1", "node-releases": "^2.0.3", "picocolors": "^1.0.0" }, "bin": { "browserslist": "cli.js" }, "engines": { "node": "^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7" } }, "node_modules/buffer-from": { "version": "1.1.2", "resolved": "https://registry.npmjs.org/buffer-from/-/buffer-from-1.1.2.tgz", "integrity": "sha512-E+XQCRwSbaaiChtv6k6Dwgc+bx+Bs6vuKJHHl5kox/BaKbhiXzqQOwK4cO22yElGp2OCmjwVhT3HmxgyPGnJfQ==", "dev": true }, "node_modules/caching-transform": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/caching-transform/-/caching-transform-4.0.0.tgz", "integrity": "sha512-kpqOvwXnjjN44D89K5ccQC+RUrsy7jB/XLlRrx0D7/2HNcTPqzsb6XgYoErwko6QsV184CA2YgS1fxDiiDZMWA==", "dev": true, "dependencies": { "hasha": "^5.0.0", "make-dir": "^3.0.0", "package-hash": "^4.0.0", "write-file-atomic": "^3.0.0" }, "engines": { "node": ">=8" } }, "node_modules/call-bind": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/call-bind/-/call-bind-1.0.2.tgz", "integrity": "sha512-7O+FbCihrB5WGbFYesctwmTKae6rOiIzmz1icreWJ+0aA7LJfuqhEso2T9ncpcFtzMQtzXf2QGGueWJGTYsqrA==", "dev": true, "dependencies": { "function-bind": "^1.1.1", "get-intrinsic": "^1.0.2" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/callsites": { "version": "3.1.0", "resolved": "https://registry.npmjs.org/callsites/-/callsites-3.1.0.tgz", "integrity": "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==", "dev": true, "engines": { "node": ">=6" } }, "node_modules/camelcase": { "version": "5.3.1", "resolved": "https://registry.npmjs.org/camelcase/-/camelcase-5.3.1.tgz", "integrity": "sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg==", "dev": true, "engines": { "node": ">=6" } }, "node_modules/camelcase-keys": { "version": "6.2.2", "resolved": "https://registry.npmjs.org/camelcase-keys/-/camelcase-keys-6.2.2.tgz", "integrity": "sha512-YrwaA0vEKazPBkn0ipTiMpSajYDSe+KjQfrjhcBMxJt/znbvlHd8Pw/Vamaz5EB4Wfhs3SUR3Z9mwRu/P3s3Yg==", "dev": true, "dependencies": { "camelcase": "^5.3.1", "map-obj": "^4.0.0", "quick-lru": "^4.0.1" }, "engines": { "node": ">=8" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/caniuse-lite": { "version": "1.0.30001344", "resolved": "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001344.tgz", "integrity": "sha512-0ZFjnlCaXNOAYcV7i+TtdKBp0L/3XEU2MF/x6Du1lrh+SRX4IfzIVL4HNJg5pB2PmFb8rszIGyOvsZnqqRoc2g==", "dev": true, "funding": [ { "type": "opencollective", "url": "https://opencollective.com/browserslist" }, { "type": "tidelift", "url": "https://tidelift.com/funding/github/npm/caniuse-lite" } ] }, "node_modules/chalk": { "version": "4.1.2", "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.2.tgz", "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==", "dev": true, "dependencies": { "ansi-styles": "^4.1.0", "supports-color": "^7.1.0" }, "engines": { "node": ">=10" }, "funding": { "url": "https://github.com/chalk/chalk?sponsor=1" } }, "node_modules/chokidar": { "version": "3.5.3", "resolved": "https://registry.npmjs.org/chokidar/-/chokidar-3.5.3.tgz", "integrity": "sha512-Dr3sfKRP6oTcjf2JmUmFJfeVMvXBdegxB0iVQ5eb2V10uFJUCAS8OByZdVAyVb8xXNz3GjjTgj9kLWsZTqE6kw==", "dev": true, "funding": [ { "type": "individual", "url": "https://paulmillr.com/funding/" } ], "dependencies": { "anymatch": "~3.1.2", "braces": "~3.0.2", "glob-parent": "~5.1.2", "is-binary-path": "~2.1.0", "is-glob": "~4.0.1", "normalize-path": "~3.0.0", "readdirp": "~3.6.0" }, "engines": { "node": ">= 8.10.0" }, "optionalDependencies": { "fsevents": "~2.3.2" } }, "node_modules/chokidar/node_modules/glob-parent": { "version": "5.1.2", "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz", "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==", "dev": true, "dependencies": { "is-glob": "^4.0.1" }, "engines": { "node": ">= 6" } }, "node_modules/ci-info": { "version": "3.3.2", "resolved": "https://registry.npmjs.org/ci-info/-/ci-info-3.3.2.tgz", "integrity": "sha512-xmDt/QIAdeZ9+nfdPsaBCpMvHNLFiLdjj59qjqn+6iPe6YmHGQ35sBnQ8uslRBXFmXkiZQOJRjvQeoGppoTjjg==", "dev": true }, "node_modules/clean-stack": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/clean-stack/-/clean-stack-2.2.0.tgz", "integrity": "sha512-4diC9HaTE+KRAMWhDhrGOECgWZxoevMc5TlkObMqNSsVU62PYzXZ/SMTjzyGAFF1YusgxGcSWTEXBhp0CPwQ1A==", "dev": true, "engines": { "node": ">=6" } }, "node_modules/cliui": { "version": "6.0.0", "resolved": "https://registry.npmjs.org/cliui/-/cliui-6.0.0.tgz", "integrity": "sha512-t6wbgtoCXvAzst7QgXxJYqPt0usEfbgQdftEPbLL/cvv6HPE5VgvqCuAIDR0NgU52ds6rFwqrgakNLrHEjCbrQ==", "dev": true, "dependencies": { "string-width": "^4.2.0", "strip-ansi": "^6.0.0", "wrap-ansi": "^6.2.0" } }, "node_modules/color-convert": { "version": "2.0.1", "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", "dev": true, "dependencies": { "color-name": "~1.1.4" }, "engines": { "node": ">=7.0.0" } }, "node_modules/color-name": { "version": "1.1.4", "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz", "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", "dev": true }, "node_modules/color-support": { "version": "1.1.3", "resolved": "https://registry.npmjs.org/color-support/-/color-support-1.1.3.tgz", "integrity": "sha512-qiBjkpbMLO/HL68y+lh4q0/O1MZFj2RX6X/KmMa3+gJD3z+WwI1ZzDHysvqHGS3mP6mznPckpXmw1nI9cJjyRg==", "dev": true, "bin": { "color-support": "bin.js" } }, "node_modules/commondir": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/commondir/-/commondir-1.0.1.tgz", "integrity": "sha512-W9pAhw0ja1Edb5GVdIF1mjZw/ASI0AlShXM83UUGe2DVr5TdAPEA1OA8m/g8zWp9x6On7gqufY+FatDbC3MDQg==", "dev": true }, "node_modules/compare-func": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/compare-func/-/compare-func-2.0.0.tgz", "integrity": "sha512-zHig5N+tPWARooBnb0Zx1MFcdfpyJrfTJ3Y5L+IFvUm8rM74hHz66z0gw0x4tijh5CorKkKUCnW82R2vmpeCRA==", "dev": true, "dependencies": { "array-ify": "^1.0.0", "dot-prop": "^5.1.0" } }, "node_modules/concat-map": { "version": "0.0.1", "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz", "integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==", "dev": true }, "node_modules/confusing-browser-globals": { "version": "1.0.11", "resolved": "https://registry.npmjs.org/confusing-browser-globals/-/confusing-browser-globals-1.0.11.tgz", "integrity": "sha512-JsPKdmh8ZkmnHxDk55FZ1TqVLvEQTvoByJZRN9jzI0UjxK/QgAmsphz7PGtqgPieQZ/CQcHWXCR7ATDNhGe+YA==", "dev": true }, "node_modules/conventional-changelog-angular": { "version": "5.0.13", "resolved": "https://registry.npmjs.org/conventional-changelog-angular/-/conventional-changelog-angular-5.0.13.tgz", "integrity": "sha512-i/gipMxs7s8L/QeuavPF2hLnJgH6pEZAttySB6aiQLWcX3puWDL3ACVmvBhJGxnAy52Qc15ua26BufY6KpmrVA==", "dev": true, "dependencies": { "compare-func": "^2.0.0", "q": "^1.5.1" }, "engines": { "node": ">=10" } }, "node_modules/conventional-changelog-conventionalcommits": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/conventional-changelog-conventionalcommits/-/conventional-changelog-conventionalcommits-5.0.0.tgz", "integrity": "sha512-lCDbA+ZqVFQGUj7h9QBKoIpLhl8iihkO0nCTyRNzuXtcd7ubODpYB04IFy31JloiJgG0Uovu8ot8oxRzn7Nwtw==", "dev": true, "dependencies": { "compare-func": "^2.0.0", "lodash": "^4.17.15", "q": "^1.5.1" }, "engines": { "node": ">=10" } }, "node_modules/conventional-commits-parser": { "version": "3.2.4", "resolved": "https://registry.npmjs.org/conventional-commits-parser/-/conventional-commits-parser-3.2.4.tgz", "integrity": "sha512-nK7sAtfi+QXbxHCYfhpZsfRtaitZLIA6889kFIouLvz6repszQDgxBu7wf2WbU+Dco7sAnNCJYERCwt54WPC2Q==", "dev": true, "dependencies": { "is-text-path": "^1.0.1", "JSONStream": "^1.0.4", "lodash": "^4.17.15", "meow": "^8.0.0", "split2": "^3.0.0", "through2": "^4.0.0" }, "bin": { "conventional-commits-parser": "cli.js" }, "engines": { "node": ">=10" } }, "node_modules/convert-source-map": { "version": "1.8.0", "resolved": "https://registry.npmjs.org/convert-source-map/-/convert-source-map-1.8.0.tgz", "integrity": "sha512-+OQdjP49zViI/6i7nIJpA8rAl4sV/JdPfU9nZs3VqOwGIgizICvuN2ru6fMd+4llL0tar18UYJXfZ/TWtmhUjA==", "dev": true, "dependencies": { "safe-buffer": "~5.1.1" } }, "node_modules/cosmiconfig": { "version": "7.0.1", "resolved": "https://registry.npmjs.org/cosmiconfig/-/cosmiconfig-7.0.1.tgz", "integrity": "sha512-a1YWNUV2HwGimB7dU2s1wUMurNKjpx60HxBB6xUM8Re+2s1g1IIfJvFR0/iCF+XHdE0GMTKTuLR32UQff4TEyQ==", "dev": true, "dependencies": { "@types/parse-json": "^4.0.0", "import-fresh": "^3.2.1", "parse-json": "^5.0.0", "path-type": "^4.0.0", "yaml": "^1.10.0" }, "engines": { "node": ">=10" } }, "node_modules/cosmiconfig-typescript-loader": { "version": "2.0.2", "resolved": "https://registry.npmjs.org/cosmiconfig-typescript-loader/-/cosmiconfig-typescript-loader-2.0.2.tgz", "integrity": "sha512-KmE+bMjWMXJbkWCeY4FJX/npHuZPNr9XF9q9CIQ/bpFwi1qHfCmSiKarrCcRa0LO4fWjk93pVoeRtJAkTGcYNw==", "dev": true, "dependencies": { "cosmiconfig": "^7", "ts-node": "^10.8.1" }, "engines": { "node": ">=12", "npm": ">=6" }, "peerDependencies": { "@types/node": "*", "cosmiconfig": ">=7", "typescript": ">=3" } }, "node_modules/create-require": { "version": "1.1.1", "resolved": "https://registry.npmjs.org/create-require/-/create-require-1.1.1.tgz", "integrity": "sha512-dcKFX3jn0MpIaXjisoRvexIJVEKzaq7z2rZKxf+MSr9TkdmHmsU4m2lcLojrj/FHl8mk5VxMmYA+ftRkP/3oKQ==", "dev": true }, "node_modules/cross-spawn": { "version": "7.0.3", "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.3.tgz", "integrity": "sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==", "dev": true, "dependencies": { "path-key": "^3.1.0", "shebang-command": "^2.0.0", "which": "^2.0.1" }, "engines": { "node": ">= 8" } }, "node_modules/dargs": { "version": "7.0.0", "resolved": "https://registry.npmjs.org/dargs/-/dargs-7.0.0.tgz", "integrity": "sha512-2iy1EkLdlBzQGvbweYRFxmFath8+K7+AKB0TlhHWkNuH+TmovaMH/Wp7V7R4u7f4SnX3OgLsU9t1NI9ioDnUpg==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/date-format": { "version": "4.0.11", "resolved": "https://registry.npmjs.org/date-format/-/date-format-4.0.11.tgz", "integrity": "sha512-VS20KRyorrbMCQmpdl2hg5KaOUsda1RbnsJg461FfrcyCUg+pkd0b40BSW4niQyTheww4DBXQnS7HwSrKkipLw==", "engines": { "node": ">=4.0" } }, "node_modules/debug": { "version": "4.3.4", "resolved": "https://registry.npmjs.org/debug/-/debug-4.3.4.tgz", "integrity": "sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==", "dependencies": { "ms": "2.1.2" }, "engines": { "node": ">=6.0" }, "peerDependenciesMeta": { "supports-color": { "optional": true } } }, "node_modules/decamelize": { "version": "1.2.0", "resolved": "https://registry.npmjs.org/decamelize/-/decamelize-1.2.0.tgz", "integrity": "sha512-z2S+W9X73hAUUki+N+9Za2lBlun89zigOyGrsax+KUQ6wKW4ZoWpEYBkGhQjwAjjDCkWxhY0VKEhk8wzY7F5cA==", "dev": true, "engines": { "node": ">=0.10.0" } }, "node_modules/decamelize-keys": { "version": "1.1.0", "resolved": "https://registry.npmjs.org/decamelize-keys/-/decamelize-keys-1.1.0.tgz", "integrity": "sha512-ocLWuYzRPoS9bfiSdDd3cxvrzovVMZnRDVEzAs+hWIVXGDbHxWMECij2OBuyB/An0FFW/nLuq6Kv1i/YC5Qfzg==", "dev": true, "dependencies": { "decamelize": "^1.1.0", "map-obj": "^1.0.0" }, "engines": { "node": ">=0.10.0" } }, "node_modules/decamelize-keys/node_modules/map-obj": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/map-obj/-/map-obj-1.0.1.tgz", "integrity": "sha512-7N/q3lyZ+LVCp7PzuxrJr4KMbBE2hW7BT7YNia330OFxIf4d3r5zVpicP2650l7CPN6RM9zOJRl3NGpqSiw3Eg==", "dev": true, "engines": { "node": ">=0.10.0" } }, "node_modules/deep-freeze": { "version": "0.0.1", "resolved": "https://registry.npmjs.org/deep-freeze/-/deep-freeze-0.0.1.tgz", "integrity": "sha512-Z+z8HiAvsGwmjqlphnHW5oz6yWlOwu6EQfFTjmeTWlDeda3FS2yv3jhq35TX/ewmsnqB+RX2IdsIOyjJCQN5tg==", "dev": true }, "node_modules/deep-is": { "version": "0.1.4", "resolved": "https://registry.npmjs.org/deep-is/-/deep-is-0.1.4.tgz", "integrity": "sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==", "dev": true }, "node_modules/default-require-extensions": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/default-require-extensions/-/default-require-extensions-3.0.0.tgz", "integrity": "sha512-ek6DpXq/SCpvjhpFsLFRVtIxJCRw6fUR42lYMVZuUMK7n8eMz4Uh5clckdBjEpLhn/gEBZo7hDJnJcwdKLKQjg==", "dev": true, "dependencies": { "strip-bom": "^4.0.0" }, "engines": { "node": ">=8" } }, "node_modules/default-require-extensions/node_modules/strip-bom": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/strip-bom/-/strip-bom-4.0.0.tgz", "integrity": "sha512-3xurFv5tEgii33Zi8Jtp55wEIILR9eh34FAW00PZf+JnSsTmV/ioewSgQl97JHvgjoRGwPShsWm+IdrxB35d0w==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/define-properties": { "version": "1.1.4", "resolved": "https://registry.npmjs.org/define-properties/-/define-properties-1.1.4.tgz", "integrity": "sha512-uckOqKcfaVvtBdsVkdPv3XjveQJsNQqmhXgRi8uhvWWuPYZCNlzT8qAyblUgNoXdHdjMTzAqeGjAoli8f+bzPA==", "dev": true, "dependencies": { "has-property-descriptors": "^1.0.0", "object-keys": "^1.1.1" }, "engines": { "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/diff": { "version": "4.0.2", "resolved": "https://registry.npmjs.org/diff/-/diff-4.0.2.tgz", "integrity": "sha512-58lmxKSA4BNyLz+HHMUzlOEpg09FV+ev6ZMe3vJihgdxzgcwZ8VoEEPmALCZG9LmqfVoNMMKpttIYTVG6uDY7A==", "dev": true, "engines": { "node": ">=0.3.1" } }, "node_modules/doctrine": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/doctrine/-/doctrine-3.0.0.tgz", "integrity": "sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==", "dev": true, "dependencies": { "esutils": "^2.0.2" }, "engines": { "node": ">=6.0.0" } }, "node_modules/dot-prop": { "version": "5.3.0", "resolved": "https://registry.npmjs.org/dot-prop/-/dot-prop-5.3.0.tgz", "integrity": "sha512-QM8q3zDe58hqUqjraQOmzZ1LIH9SWQJTlEKCH4kJ2oQvLZk7RbQXvtDM2XEq3fwkV9CCvvH4LA0AV+ogFsBM2Q==", "dev": true, "dependencies": { "is-obj": "^2.0.0" }, "engines": { "node": ">=8" } }, "node_modules/electron-to-chromium": { "version": "1.4.144", "resolved": "https://registry.npmjs.org/electron-to-chromium/-/electron-to-chromium-1.4.144.tgz", "integrity": "sha512-R3RV3rU1xWwFJlSClVWDvARaOk6VUO/FubHLodIASDB3Mc2dzuWvNdfOgH9bwHUTqT79u92qw60NWfwUdzAqdg==", "dev": true }, "node_modules/emoji-regex": { "version": "8.0.0", "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", "dev": true }, "node_modules/error-ex": { "version": "1.3.2", "resolved": "https://registry.npmjs.org/error-ex/-/error-ex-1.3.2.tgz", "integrity": "sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==", "dev": true, "dependencies": { "is-arrayish": "^0.2.1" } }, "node_modules/es-abstract": { "version": "1.20.1", "resolved": "https://registry.npmjs.org/es-abstract/-/es-abstract-1.20.1.tgz", "integrity": "sha512-WEm2oBhfoI2sImeM4OF2zE2V3BYdSF+KnSi9Sidz51fQHd7+JuF8Xgcj9/0o+OWeIeIS/MiuNnlruQrJf16GQA==", "dev": true, "dependencies": { "call-bind": "^1.0.2", "es-to-primitive": "^1.2.1", "function-bind": "^1.1.1", "function.prototype.name": "^1.1.5", "get-intrinsic": "^1.1.1", "get-symbol-description": "^1.0.0", "has": "^1.0.3", "has-property-descriptors": "^1.0.0", "has-symbols": "^1.0.3", "internal-slot": "^1.0.3", "is-callable": "^1.2.4", "is-negative-zero": "^2.0.2", "is-regex": "^1.1.4", "is-shared-array-buffer": "^1.0.2", "is-string": "^1.0.7", "is-weakref": "^1.0.2", "object-inspect": "^1.12.0", "object-keys": "^1.1.1", "object.assign": "^4.1.2", "regexp.prototype.flags": "^1.4.3", "string.prototype.trimend": "^1.0.5", "string.prototype.trimstart": "^1.0.5", "unbox-primitive": "^1.0.2" }, "engines": { "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/es-shim-unscopables": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/es-shim-unscopables/-/es-shim-unscopables-1.0.0.tgz", "integrity": "sha512-Jm6GPcCdC30eMLbZ2x8z2WuRwAws3zTBBKuusffYVUrNj/GVSUAZ+xKMaUpfNDR5IbyNA5LJbaecoUVbmUcB1w==", "dev": true, "dependencies": { "has": "^1.0.3" } }, "node_modules/es-to-primitive": { "version": "1.2.1", "resolved": "https://registry.npmjs.org/es-to-primitive/-/es-to-primitive-1.2.1.tgz", "integrity": "sha512-QCOllgZJtaUo9miYBcLChTUaHNjJF3PYs1VidD7AwiEj1kYxKeQTctLAezAOH5ZKRH0g2IgPn6KwB4IT8iRpvA==", "dev": true, "dependencies": { "is-callable": "^1.1.4", "is-date-object": "^1.0.1", "is-symbol": "^1.0.2" }, "engines": { "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/es6-error": { "version": "4.1.1", "resolved": "https://registry.npmjs.org/es6-error/-/es6-error-4.1.1.tgz", "integrity": "sha512-Um/+FxMr9CISWh0bi5Zv0iOD+4cFh5qLeks1qhAopKVAJw3drgKbKySikp7wGhDL0HPeaja0P5ULZrxLkniUVg==", "dev": true }, "node_modules/escalade": { "version": "3.1.1", "resolved": "https://registry.npmjs.org/escalade/-/escalade-3.1.1.tgz", "integrity": "sha512-k0er2gUkLf8O0zKJiAhmkTnJlTvINGv7ygDNPbeIsX/TJjGJZHuh9B2UxbsaEkmlEo9MfhrSzmhIlhRlI2GXnw==", "dev": true, "engines": { "node": ">=6" } }, "node_modules/escape-string-regexp": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz", "integrity": "sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==", "dev": true, "engines": { "node": ">=10" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/eslint": { "version": "8.16.0", "resolved": "https://registry.npmjs.org/eslint/-/eslint-8.16.0.tgz", "integrity": "sha512-MBndsoXY/PeVTDJeWsYj7kLZ5hQpJOfMYLsF6LicLHQWbRDG19lK5jOix4DPl8yY4SUFcE3txy86OzFLWT+yoA==", "dev": true, "dependencies": { "@eslint/eslintrc": "^1.3.0", "@humanwhocodes/config-array": "^0.9.2", "ajv": "^6.10.0", "chalk": "^4.0.0", "cross-spawn": "^7.0.2", "debug": "^4.3.2", "doctrine": "^3.0.0", "escape-string-regexp": "^4.0.0", "eslint-scope": "^7.1.1", "eslint-utils": "^3.0.0", "eslint-visitor-keys": "^3.3.0", "espree": "^9.3.2", "esquery": "^1.4.0", "esutils": "^2.0.2", "fast-deep-equal": "^3.1.3", "file-entry-cache": "^6.0.1", "functional-red-black-tree": "^1.0.1", "glob-parent": "^6.0.1", "globals": "^13.15.0", "ignore": "^5.2.0", "import-fresh": "^3.0.0", "imurmurhash": "^0.1.4", "is-glob": "^4.0.0", "js-yaml": "^4.1.0", "json-stable-stringify-without-jsonify": "^1.0.1", "levn": "^0.4.1", "lodash.merge": "^4.6.2", "minimatch": "^3.1.2", "natural-compare": "^1.4.0", "optionator": "^0.9.1", "regexpp": "^3.2.0", "strip-ansi": "^6.0.1", "strip-json-comments": "^3.1.0", "text-table": "^0.2.0", "v8-compile-cache": "^2.0.3" }, "bin": { "eslint": "bin/eslint.js" }, "engines": { "node": "^12.22.0 || ^14.17.0 || >=16.0.0" }, "funding": { "url": "https://opencollective.com/eslint" } }, "node_modules/eslint-config-airbnb-base": { "version": "15.0.0", "resolved": "https://registry.npmjs.org/eslint-config-airbnb-base/-/eslint-config-airbnb-base-15.0.0.tgz", "integrity": "sha512-xaX3z4ZZIcFLvh2oUNvcX5oEofXda7giYmuplVxoOg5A7EXJMrUyqRgR+mhDhPK8LZ4PttFOBvCYDbX3sUoUig==", "dev": true, "dependencies": { "confusing-browser-globals": "^1.0.10", "object.assign": "^4.1.2", "object.entries": "^1.1.5", "semver": "^6.3.0" }, "engines": { "node": "^10.12.0 || >=12.0.0" }, "peerDependencies": { "eslint": "^7.32.0 || ^8.2.0", "eslint-plugin-import": "^2.25.2" } }, "node_modules/eslint-config-prettier": { "version": "8.5.0", "resolved": "https://registry.npmjs.org/eslint-config-prettier/-/eslint-config-prettier-8.5.0.tgz", "integrity": "sha512-obmWKLUNCnhtQRKc+tmnYuQl0pFU1ibYJQ5BGhTVB08bHe9wC8qUeG7c08dj9XX+AuPj1YSGSQIHl1pnDHZR0Q==", "dev": true, "bin": { "eslint-config-prettier": "bin/cli.js" }, "peerDependencies": { "eslint": ">=7.0.0" } }, "node_modules/eslint-import-resolver-node": { "version": "0.3.6", "resolved": "https://registry.npmjs.org/eslint-import-resolver-node/-/eslint-import-resolver-node-0.3.6.tgz", "integrity": "sha512-0En0w03NRVMn9Uiyn8YRPDKvWjxCWkslUEhGNTdGx15RvPJYQ+lbOlqrlNI2vEAs4pDYK4f/HN2TbDmk5TP0iw==", "dev": true, "dependencies": { "debug": "^3.2.7", "resolve": "^1.20.0" } }, "node_modules/eslint-import-resolver-node/node_modules/debug": { "version": "3.2.7", "resolved": "https://registry.npmjs.org/debug/-/debug-3.2.7.tgz", "integrity": "sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ==", "dev": true, "dependencies": { "ms": "^2.1.1" } }, "node_modules/eslint-module-utils": { "version": "2.7.3", "resolved": "https://registry.npmjs.org/eslint-module-utils/-/eslint-module-utils-2.7.3.tgz", "integrity": "sha512-088JEC7O3lDZM9xGe0RerkOMd0EjFl+Yvd1jPWIkMT5u3H9+HC34mWWPnqPrN13gieT9pBOO+Qt07Nb/6TresQ==", "dev": true, "dependencies": { "debug": "^3.2.7", "find-up": "^2.1.0" }, "engines": { "node": ">=4" } }, "node_modules/eslint-module-utils/node_modules/debug": { "version": "3.2.7", "resolved": "https://registry.npmjs.org/debug/-/debug-3.2.7.tgz", "integrity": "sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ==", "dev": true, "dependencies": { "ms": "^2.1.1" } }, "node_modules/eslint-plugin-import": { "version": "2.26.0", "resolved": "https://registry.npmjs.org/eslint-plugin-import/-/eslint-plugin-import-2.26.0.tgz", "integrity": "sha512-hYfi3FXaM8WPLf4S1cikh/r4IxnO6zrhZbEGz2b660EJRbuxgpDS5gkCuYgGWg2xxh2rBuIr4Pvhve/7c31koA==", "dev": true, "dependencies": { "array-includes": "^3.1.4", "array.prototype.flat": "^1.2.5", "debug": "^2.6.9", "doctrine": "^2.1.0", "eslint-import-resolver-node": "^0.3.6", "eslint-module-utils": "^2.7.3", "has": "^1.0.3", "is-core-module": "^2.8.1", "is-glob": "^4.0.3", "minimatch": "^3.1.2", "object.values": "^1.1.5", "resolve": "^1.22.0", "tsconfig-paths": "^3.14.1" }, "engines": { "node": ">=4" }, "peerDependencies": { "eslint": "^2 || ^3 || ^4 || ^5 || ^6 || ^7.2.0 || ^8" } }, "node_modules/eslint-plugin-import/node_modules/debug": { "version": "2.6.9", "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", "dev": true, "dependencies": { "ms": "2.0.0" } }, "node_modules/eslint-plugin-import/node_modules/doctrine": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/doctrine/-/doctrine-2.1.0.tgz", "integrity": "sha512-35mSku4ZXK0vfCuHEDAwt55dg2jNajHZ1odvF+8SSr82EsZY4QmXfuWso8oEd8zRhVObSN18aM0CjSdoBX7zIw==", "dev": true, "dependencies": { "esutils": "^2.0.2" }, "engines": { "node": ">=0.10.0" } }, "node_modules/eslint-plugin-import/node_modules/ms": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", "dev": true }, "node_modules/eslint-plugin-prettier": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/eslint-plugin-prettier/-/eslint-plugin-prettier-4.0.0.tgz", "integrity": "sha512-98MqmCJ7vJodoQK359bqQWaxOE0CS8paAz/GgjaZLyex4TTk3g9HugoO89EqWCrFiOqn9EVvcoo7gZzONCWVwQ==", "dev": true, "dependencies": { "prettier-linter-helpers": "^1.0.0" }, "engines": { "node": ">=6.0.0" }, "peerDependencies": { "eslint": ">=7.28.0", "prettier": ">=2.0.0" }, "peerDependenciesMeta": { "eslint-config-prettier": { "optional": true } } }, "node_modules/eslint-scope": { "version": "7.1.1", "resolved": "https://registry.npmjs.org/eslint-scope/-/eslint-scope-7.1.1.tgz", "integrity": "sha512-QKQM/UXpIiHcLqJ5AOyIW7XZmzjkzQXYE54n1++wb0u9V/abW3l9uQnxX8Z5Xd18xyKIMTUAyQ0k1e8pz6LUrw==", "dev": true, "dependencies": { "esrecurse": "^4.3.0", "estraverse": "^5.2.0" }, "engines": { "node": "^12.22.0 || ^14.17.0 || >=16.0.0" } }, "node_modules/eslint-utils": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/eslint-utils/-/eslint-utils-3.0.0.tgz", "integrity": "sha512-uuQC43IGctw68pJA1RgbQS8/NP7rch6Cwd4j3ZBtgo4/8Flj4eGE7ZYSZRN3iq5pVUv6GPdW5Z1RFleo84uLDA==", "dev": true, "dependencies": { "eslint-visitor-keys": "^2.0.0" }, "engines": { "node": "^10.0.0 || ^12.0.0 || >= 14.0.0" }, "funding": { "url": "https://github.com/sponsors/mysticatea" }, "peerDependencies": { "eslint": ">=5" } }, "node_modules/eslint-utils/node_modules/eslint-visitor-keys": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-2.1.0.tgz", "integrity": "sha512-0rSmRBzXgDzIsD6mGdJgevzgezI534Cer5L/vyMX0kHzT/jiB43jRhd9YUlMGYLQy2zprNmoT8qasCGtY+QaKw==", "dev": true, "engines": { "node": ">=10" } }, "node_modules/eslint-visitor-keys": { "version": "3.3.0", "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-3.3.0.tgz", "integrity": "sha512-mQ+suqKJVyeuwGYHAdjMFqjCyfl8+Ldnxuyp3ldiMBFKkvytrXUZWaiPCEav8qDHKty44bD+qV1IP4T+w+xXRA==", "dev": true, "engines": { "node": "^12.22.0 || ^14.17.0 || >=16.0.0" } }, "node_modules/eslint/node_modules/argparse": { "version": "2.0.1", "resolved": "https://registry.npmjs.org/argparse/-/argparse-2.0.1.tgz", "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==", "dev": true }, "node_modules/eslint/node_modules/js-yaml": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-4.1.0.tgz", "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==", "dev": true, "dependencies": { "argparse": "^2.0.1" }, "bin": { "js-yaml": "bin/js-yaml.js" } }, "node_modules/espree": { "version": "9.3.2", "resolved": "https://registry.npmjs.org/espree/-/espree-9.3.2.tgz", "integrity": "sha512-D211tC7ZwouTIuY5x9XnS0E9sWNChB7IYKX/Xp5eQj3nFXhqmiUDB9q27y76oFl8jTg3pXcQx/bpxMfs3CIZbA==", "dev": true, "dependencies": { "acorn": "^8.7.1", "acorn-jsx": "^5.3.2", "eslint-visitor-keys": "^3.3.0" }, "engines": { "node": "^12.22.0 || ^14.17.0 || >=16.0.0" } }, "node_modules/esprima": { "version": "4.0.1", "resolved": "https://registry.npmjs.org/esprima/-/esprima-4.0.1.tgz", "integrity": "sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A==", "dev": true, "bin": { "esparse": "bin/esparse.js", "esvalidate": "bin/esvalidate.js" }, "engines": { "node": ">=4" } }, "node_modules/esquery": { "version": "1.4.0", "resolved": "https://registry.npmjs.org/esquery/-/esquery-1.4.0.tgz", "integrity": "sha512-cCDispWt5vHHtwMY2YrAQ4ibFkAL8RbH5YGBnZBc90MolvvfkkQcJro/aZiAQUlQ3qgrYS6D6v8Gc5G5CQsc9w==", "dev": true, "dependencies": { "estraverse": "^5.1.0" }, "engines": { "node": ">=0.10" } }, "node_modules/esrecurse": { "version": "4.3.0", "resolved": "https://registry.npmjs.org/esrecurse/-/esrecurse-4.3.0.tgz", "integrity": "sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==", "dev": true, "dependencies": { "estraverse": "^5.2.0" }, "engines": { "node": ">=4.0" } }, "node_modules/estraverse": { "version": "5.3.0", "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz", "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==", "dev": true, "engines": { "node": ">=4.0" } }, "node_modules/esutils": { "version": "2.0.3", "resolved": "https://registry.npmjs.org/esutils/-/esutils-2.0.3.tgz", "integrity": "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==", "dev": true, "engines": { "node": ">=0.10.0" } }, "node_modules/events-to-array": { "version": "1.1.2", "resolved": "https://registry.npmjs.org/events-to-array/-/events-to-array-1.1.2.tgz", "integrity": "sha512-inRWzRY7nG+aXZxBzEqYKB3HPgwflZRopAjDCHv0whhRx+MTUr1ei0ICZUypdyE0HRm4L2d5VEcIqLD6yl+BFA==", "dev": true }, "node_modules/execa": { "version": "5.1.1", "resolved": "https://registry.npmjs.org/execa/-/execa-5.1.1.tgz", "integrity": "sha512-8uSpZZocAZRBAPIEINJj3Lo9HyGitllczc27Eh5YYojjMFMn8yHMDMaUHE2Jqfq05D/wucwI4JGURyXt1vchyg==", "dev": true, "dependencies": { "cross-spawn": "^7.0.3", "get-stream": "^6.0.0", "human-signals": "^2.1.0", "is-stream": "^2.0.0", "merge-stream": "^2.0.0", "npm-run-path": "^4.0.1", "onetime": "^5.1.2", "signal-exit": "^3.0.3", "strip-final-newline": "^2.0.0" }, "engines": { "node": ">=10" }, "funding": { "url": "https://github.com/sindresorhus/execa?sponsor=1" } }, "node_modules/fast-deep-equal": { "version": "3.1.3", "resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz", "integrity": "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==", "dev": true }, "node_modules/fast-diff": { "version": "1.2.0", "resolved": "https://registry.npmjs.org/fast-diff/-/fast-diff-1.2.0.tgz", "integrity": "sha512-xJuoT5+L99XlZ8twedaRf6Ax2TgQVxvgZOYoPKqZufmJib0tL2tegPBOZb1pVNgIhlqDlA0eO0c3wBvQcmzx4w==", "dev": true }, "node_modules/fast-json-stable-stringify": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz", "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==", "dev": true }, "node_modules/fast-levenshtein": { "version": "2.0.6", "resolved": "https://registry.npmjs.org/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz", "integrity": "sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==", "dev": true }, "node_modules/file-entry-cache": { "version": "6.0.1", "resolved": "https://registry.npmjs.org/file-entry-cache/-/file-entry-cache-6.0.1.tgz", "integrity": "sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==", "dev": true, "dependencies": { "flat-cache": "^3.0.4" }, "engines": { "node": "^10.12.0 || >=12.0.0" } }, "node_modules/fill-keys": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/fill-keys/-/fill-keys-1.0.2.tgz", "integrity": "sha512-tcgI872xXjwFF4xgQmLxi76GnwJG3g/3isB1l4/G5Z4zrbddGpBjqZCO9oEAcB5wX0Hj/5iQB3toxfO7in1hHA==", "dev": true, "dependencies": { "is-object": "~1.0.1", "merge-descriptors": "~1.0.0" }, "engines": { "node": ">=0.10.0" } }, "node_modules/fill-range": { "version": "7.0.1", "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.0.1.tgz", "integrity": "sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==", "dev": true, "dependencies": { "to-regex-range": "^5.0.1" }, "engines": { "node": ">=8" } }, "node_modules/find-cache-dir": { "version": "3.3.2", "resolved": "https://registry.npmjs.org/find-cache-dir/-/find-cache-dir-3.3.2.tgz", "integrity": "sha512-wXZV5emFEjrridIgED11OoUKLxiYjAcqot/NJdAkOhlJ+vGzwhOAfcG5OX1jP+S0PcjEn8bdMJv+g2jwQ3Onig==", "dev": true, "dependencies": { "commondir": "^1.0.1", "make-dir": "^3.0.2", "pkg-dir": "^4.1.0" }, "engines": { "node": ">=8" }, "funding": { "url": "https://github.com/avajs/find-cache-dir?sponsor=1" } }, "node_modules/find-up": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/find-up/-/find-up-2.1.0.tgz", "integrity": "sha512-NWzkk0jSJtTt08+FBFMvXoeZnOJD+jTtsRmBYbAIzJdX6l7dLgR7CTubCM5/eDdPUBvLCeVasP1brfVR/9/EZQ==", "dev": true, "dependencies": { "locate-path": "^2.0.0" }, "engines": { "node": ">=4" } }, "node_modules/findit": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/findit/-/findit-2.0.0.tgz", "integrity": "sha512-ENZS237/Hr8bjczn5eKuBohLgaD0JyUd0arxretR1f9RO46vZHA1b2y0VorgGV3WaOT3c+78P8h7v4JGJ1i/rg==", "dev": true }, "node_modules/flat-cache": { "version": "3.0.4", "resolved": "https://registry.npmjs.org/flat-cache/-/flat-cache-3.0.4.tgz", "integrity": "sha512-dm9s5Pw7Jc0GvMYbshN6zchCA9RgQlzzEZX3vylR9IqFfS8XciblUXOKfW6SiuJ0e13eDYZoZV5wdrev7P3Nwg==", "dev": true, "dependencies": { "flatted": "^3.1.0", "rimraf": "^3.0.2" }, "engines": { "node": "^10.12.0 || >=12.0.0" } }, "node_modules/flatted": { "version": "3.2.5", "resolved": "https://registry.npmjs.org/flatted/-/flatted-3.2.5.tgz", "integrity": "sha512-WIWGi2L3DyTUvUrwRKgGi9TwxQMUEqPOPQBVi71R96jZXJdFskXEmf54BoZaS1kknGODoIGASGEzBUYdyMCBJg==" }, "node_modules/foreground-child": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/foreground-child/-/foreground-child-2.0.0.tgz", "integrity": "sha512-dCIq9FpEcyQyXKCkyzmlPTFNgrCzPudOe+mhvJU5zAtlBnGVy2yKxtfsxK2tQBThwq225jcvBjpw1Gr40uzZCA==", "dev": true, "dependencies": { "cross-spawn": "^7.0.0", "signal-exit": "^3.0.2" }, "engines": { "node": ">=8.0.0" } }, "node_modules/fromentries": { "version": "1.3.2", "resolved": "https://registry.npmjs.org/fromentries/-/fromentries-1.3.2.tgz", "integrity": "sha512-cHEpEQHUg0f8XdtZCc2ZAhrHzKzT0MrFUTcvx+hfxYu7rGMDc5SKoXFh+n4YigxsHXRzc6OrCshdR1bWH6HHyg==", "dev": true, "funding": [ { "type": "github", "url": "https://github.com/sponsors/feross" }, { "type": "patreon", "url": "https://www.patreon.com/feross" }, { "type": "consulting", "url": "https://feross.org/support" } ] }, "node_modules/fs-exists-cached": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/fs-exists-cached/-/fs-exists-cached-1.0.0.tgz", "integrity": "sha512-kSxoARUDn4F2RPXX48UXnaFKwVU7Ivd/6qpzZL29MCDmr9sTvybv4gFCp+qaI4fM9m0z9fgz/yJvi56GAz+BZg==", "dev": true }, "node_modules/fs-extra": { "version": "10.1.0", "resolved": "https://registry.npmjs.org/fs-extra/-/fs-extra-10.1.0.tgz", "integrity": "sha512-oRXApq54ETRj4eMiFzGnHWGy+zo5raudjuxN0b8H7s/RU2oW0Wvsx9O0ACRN/kRq9E8Vu/ReskGB5o3ji+FzHQ==", "dependencies": { "graceful-fs": "^4.2.0", "jsonfile": "^6.0.1", "universalify": "^2.0.0" }, "engines": { "node": ">=12" } }, "node_modules/fs.realpath": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/fs.realpath/-/fs.realpath-1.0.0.tgz", "integrity": "sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==", "dev": true }, "node_modules/fsevents": { "version": "2.3.2", "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.2.tgz", "integrity": "sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA==", "dev": true, "hasInstallScript": true, "optional": true, "os": [ "darwin" ], "engines": { "node": "^8.16.0 || ^10.6.0 || >=11.0.0" } }, "node_modules/function-bind": { "version": "1.1.1", "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.1.tgz", "integrity": "sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==", "dev": true }, "node_modules/function-loop": { "version": "2.0.1", "resolved": "https://registry.npmjs.org/function-loop/-/function-loop-2.0.1.tgz", "integrity": "sha512-ktIR+O6i/4h+j/ZhZJNdzeI4i9lEPeEK6UPR2EVyTVBqOwcU3Za9xYKLH64ZR9HmcROyRrOkizNyjjtWJzDDkQ==", "dev": true }, "node_modules/function.prototype.name": { "version": "1.1.5", "resolved": "https://registry.npmjs.org/function.prototype.name/-/function.prototype.name-1.1.5.tgz", "integrity": "sha512-uN7m/BzVKQnCUF/iW8jYea67v++2u7m5UgENbHRtdDVclOUP+FMPlCNdmk0h/ysGyo2tavMJEDqJAkJdRa1vMA==", "dev": true, "dependencies": { "call-bind": "^1.0.2", "define-properties": "^1.1.3", "es-abstract": "^1.19.0", "functions-have-names": "^1.2.2" }, "engines": { "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/functional-red-black-tree": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/functional-red-black-tree/-/functional-red-black-tree-1.0.1.tgz", "integrity": "sha512-dsKNQNdj6xA3T+QlADDA7mOSlX0qiMINjn0cgr+eGHGsbSHzTabcIogz2+p/iqP1Xs6EP/sS2SbqH+brGTbq0g==", "dev": true }, "node_modules/functions-have-names": { "version": "1.2.3", "resolved": "https://registry.npmjs.org/functions-have-names/-/functions-have-names-1.2.3.tgz", "integrity": "sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ==", "dev": true, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/gensync": { "version": "1.0.0-beta.2", "resolved": "https://registry.npmjs.org/gensync/-/gensync-1.0.0-beta.2.tgz", "integrity": "sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg==", "dev": true, "engines": { "node": ">=6.9.0" } }, "node_modules/get-caller-file": { "version": "2.0.5", "resolved": "https://registry.npmjs.org/get-caller-file/-/get-caller-file-2.0.5.tgz", "integrity": "sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==", "dev": true, "engines": { "node": "6.* || 8.* || >= 10.*" } }, "node_modules/get-intrinsic": { "version": "1.1.1", "resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.1.1.tgz", "integrity": "sha512-kWZrnVM42QCiEA2Ig1bG8zjoIMOgxWwYCEeNdwY6Tv/cOSeGpcoX4pXHfKUxNKVoArnrEr2e9srnAxxGIraS9Q==", "dev": true, "dependencies": { "function-bind": "^1.1.1", "has": "^1.0.3", "has-symbols": "^1.0.1" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/get-package-type": { "version": "0.1.0", "resolved": "https://registry.npmjs.org/get-package-type/-/get-package-type-0.1.0.tgz", "integrity": "sha512-pjzuKtY64GYfWizNAJ0fr9VqttZkNiK2iS430LtIHzjBEr6bX8Am2zm4sW4Ro5wjWW5cAlRL1qAMTcXbjNAO2Q==", "dev": true, "engines": { "node": ">=8.0.0" } }, "node_modules/get-stream": { "version": "6.0.1", "resolved": "https://registry.npmjs.org/get-stream/-/get-stream-6.0.1.tgz", "integrity": "sha512-ts6Wi+2j3jQjqi70w5AlN8DFnkSwC+MqmxEzdEALB2qXZYV3X/b1CTfgPLGJNMeAWxdPfU8FO1ms3NUfaHCPYg==", "dev": true, "engines": { "node": ">=10" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/get-symbol-description": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/get-symbol-description/-/get-symbol-description-1.0.0.tgz", "integrity": "sha512-2EmdH1YvIQiZpltCNgkuiUnyukzxM/R6NDJX31Ke3BG1Nq5b0S2PhX59UKi9vZpPDQVdqn+1IcaAwnzTT5vCjw==", "dev": true, "dependencies": { "call-bind": "^1.0.2", "get-intrinsic": "^1.1.1" }, "engines": { "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/git-raw-commits": { "version": "2.0.11", "resolved": "https://registry.npmjs.org/git-raw-commits/-/git-raw-commits-2.0.11.tgz", "integrity": "sha512-VnctFhw+xfj8Va1xtfEqCUD2XDrbAPSJx+hSrE5K7fGdjZruW7XV+QOrN7LF/RJyvspRiD2I0asWsxFp0ya26A==", "dev": true, "dependencies": { "dargs": "^7.0.0", "lodash": "^4.17.15", "meow": "^8.0.0", "split2": "^3.0.0", "through2": "^4.0.0" }, "bin": { "git-raw-commits": "cli.js" }, "engines": { "node": ">=10" } }, "node_modules/glob": { "version": "7.2.3", "resolved": "https://registry.npmjs.org/glob/-/glob-7.2.3.tgz", "integrity": "sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==", "dev": true, "dependencies": { "fs.realpath": "^1.0.0", "inflight": "^1.0.4", "inherits": "2", "minimatch": "^3.1.1", "once": "^1.3.0", "path-is-absolute": "^1.0.0" }, "engines": { "node": "*" }, "funding": { "url": "https://github.com/sponsors/isaacs" } }, "node_modules/glob-parent": { "version": "6.0.2", "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-6.0.2.tgz", "integrity": "sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==", "dev": true, "dependencies": { "is-glob": "^4.0.3" }, "engines": { "node": ">=10.13.0" } }, "node_modules/global-dirs": { "version": "0.1.1", "resolved": "https://registry.npmjs.org/global-dirs/-/global-dirs-0.1.1.tgz", "integrity": "sha512-NknMLn7F2J7aflwFOlGdNIuCDpN3VGoSoB+aap3KABFWbHVn1TCgFC+np23J8W2BiZbjfEw3BFBycSMv1AFblg==", "dev": true, "dependencies": { "ini": "^1.3.4" }, "engines": { "node": ">=4" } }, "node_modules/globals": { "version": "13.15.0", "resolved": "https://registry.npmjs.org/globals/-/globals-13.15.0.tgz", "integrity": "sha512-bpzcOlgDhMG070Av0Vy5Owklpv1I6+j96GhUI7Rh7IzDCKLzboflLrrfqMu8NquDbiR4EOQk7XzJwqVJxicxog==", "dev": true, "dependencies": { "type-fest": "^0.20.2" }, "engines": { "node": ">=8" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/graceful-fs": { "version": "4.2.10", "resolved": "https://registry.npmjs.org/graceful-fs/-/graceful-fs-4.2.10.tgz", "integrity": "sha512-9ByhssR2fPVsNZj478qUUbKfmL0+t5BDVyjShtyZZLiK7ZDAArFFfopyOTj0M05wE2tJPisA4iTnnXl2YoPvOA==" }, "node_modules/hard-rejection": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/hard-rejection/-/hard-rejection-2.1.0.tgz", "integrity": "sha512-VIZB+ibDhx7ObhAe7OVtoEbuP4h/MuOTHJ+J8h/eBXotJYl0fBgR72xDFCKgIh22OJZIOVNxBMWuhAr10r8HdA==", "dev": true, "engines": { "node": ">=6" } }, "node_modules/has": { "version": "1.0.3", "resolved": "https://registry.npmjs.org/has/-/has-1.0.3.tgz", "integrity": "sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==", "dev": true, "dependencies": { "function-bind": "^1.1.1" }, "engines": { "node": ">= 0.4.0" } }, "node_modules/has-bigints": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/has-bigints/-/has-bigints-1.0.2.tgz", "integrity": "sha512-tSvCKtBr9lkF0Ex0aQiP9N+OpV4zi2r/Nee5VkRDbaqv35RLYMzbwQfFSZZH0kR+Rd6302UJZ2p/bJCEoR3VoQ==", "dev": true, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/has-flag": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/has-property-descriptors": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/has-property-descriptors/-/has-property-descriptors-1.0.0.tgz", "integrity": "sha512-62DVLZGoiEBDHQyqG4w9xCuZ7eJEwNmJRWw2VY84Oedb7WFcA27fiEVe8oUQx9hAUJ4ekurquucTGwsyO1XGdQ==", "dev": true, "dependencies": { "get-intrinsic": "^1.1.1" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/has-symbols": { "version": "1.0.3", "resolved": "https://registry.npmjs.org/has-symbols/-/has-symbols-1.0.3.tgz", "integrity": "sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==", "dev": true, "engines": { "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/has-tostringtag": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/has-tostringtag/-/has-tostringtag-1.0.0.tgz", "integrity": "sha512-kFjcSNhnlGV1kyoGk7OXKSawH5JOb/LzUc5w9B02hOTO0dfFRjbHQKvg1d6cf3HbeUmtU9VbbV3qzZ2Teh97WQ==", "dev": true, "dependencies": { "has-symbols": "^1.0.2" }, "engines": { "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/hasha": { "version": "5.2.2", "resolved": "https://registry.npmjs.org/hasha/-/hasha-5.2.2.tgz", "integrity": "sha512-Hrp5vIK/xr5SkeN2onO32H0MgNZ0f17HRNH39WfL0SYUNOTZ5Lz1TJ8Pajo/87dYGEFlLMm7mIc/k/s6Bvz9HQ==", "dev": true, "dependencies": { "is-stream": "^2.0.0", "type-fest": "^0.8.0" }, "engines": { "node": ">=8" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/hasha/node_modules/type-fest": { "version": "0.8.1", "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.8.1.tgz", "integrity": "sha512-4dbzIzqvjtgiM5rw1k5rEHtBANKmdudhGyBEajN01fEyhaAIhsoKNy6y7+IN93IfpFtwY9iqi7kD+xwKhQsNJA==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/hosted-git-info": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/hosted-git-info/-/hosted-git-info-4.1.0.tgz", "integrity": "sha512-kyCuEOWjJqZuDbRHzL8V93NzQhwIB71oFWSyzVo+KPZI+pnQPPxucdkrOZvkLRnrf5URsQM+IJ09Dw29cRALIA==", "dev": true, "dependencies": { "lru-cache": "^6.0.0" }, "engines": { "node": ">=10" } }, "node_modules/html-escaper": { "version": "2.0.2", "resolved": "https://registry.npmjs.org/html-escaper/-/html-escaper-2.0.2.tgz", "integrity": "sha512-H2iMtd0I4Mt5eYiapRdIDjp+XzelXQ0tFE4JS7YFwFevXXMmOp9myNrUvCg0D6ws8iqkRPBfKHgbwig1SmlLfg==", "dev": true }, "node_modules/human-signals": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/human-signals/-/human-signals-2.1.0.tgz", "integrity": "sha512-B4FFZ6q/T2jhhksgkbEW3HBvWIfDW85snkQgawt07S7J5QXTk6BkNV+0yAeZrM5QpMAdYlocGoljn0sJ/WQkFw==", "dev": true, "engines": { "node": ">=10.17.0" } }, "node_modules/husky": { "version": "8.0.1", "resolved": "https://registry.npmjs.org/husky/-/husky-8.0.1.tgz", "integrity": "sha512-xs7/chUH/CKdOCs7Zy0Aev9e/dKOMZf3K1Az1nar3tzlv0jfqnYtu235bstsWTmXOR0EfINrPa97yy4Lz6RiKw==", "dev": true, "bin": { "husky": "lib/bin.js" }, "engines": { "node": ">=14" }, "funding": { "url": "https://github.com/sponsors/typicode" } }, "node_modules/ignore": { "version": "5.2.0", "resolved": "https://registry.npmjs.org/ignore/-/ignore-5.2.0.tgz", "integrity": "sha512-CmxgYGiEPCLhfLnpPp1MoRmifwEIOgjcHXxOBjv7mY96c+eWScsOP9c112ZyLdWHi0FxHjI+4uVhKYp/gcdRmQ==", "dev": true, "engines": { "node": ">= 4" } }, "node_modules/import-fresh": { "version": "3.3.0", "resolved": "https://registry.npmjs.org/import-fresh/-/import-fresh-3.3.0.tgz", "integrity": "sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==", "dev": true, "dependencies": { "parent-module": "^1.0.0", "resolve-from": "^4.0.0" }, "engines": { "node": ">=6" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/imurmurhash": { "version": "0.1.4", "resolved": "https://registry.npmjs.org/imurmurhash/-/imurmurhash-0.1.4.tgz", "integrity": "sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==", "dev": true, "engines": { "node": ">=0.8.19" } }, "node_modules/indent-string": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/indent-string/-/indent-string-4.0.0.tgz", "integrity": "sha512-EdDDZu4A2OyIK7Lr/2zG+w5jmbuk1DVBnEwREQvBzspBJkCEbRa8GxU1lghYcaGJCnRWibjDXlq779X1/y5xwg==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/inflight": { "version": "1.0.6", "resolved": "https://registry.npmjs.org/inflight/-/inflight-1.0.6.tgz", "integrity": "sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==", "dev": true, "dependencies": { "once": "^1.3.0", "wrappy": "1" } }, "node_modules/inherits": { "version": "2.0.4", "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==", "dev": true }, "node_modules/ini": { "version": "1.3.8", "resolved": "https://registry.npmjs.org/ini/-/ini-1.3.8.tgz", "integrity": "sha512-JV/yugV2uzW5iMRSiZAyDtQd+nxtUnjeLt0acNdw98kKLrvuRVyB80tsREOE7yvGVgalhZ6RNXCmEHkUKBKxew==", "dev": true }, "node_modules/internal-slot": { "version": "1.0.3", "resolved": "https://registry.npmjs.org/internal-slot/-/internal-slot-1.0.3.tgz", "integrity": "sha512-O0DB1JC/sPyZl7cIo78n5dR7eUSwwpYPiXRhTzNxZVAMUuB8vlnRFyLxdrVToks6XPLVnFfbzaVd5WLjhgg+vA==", "dev": true, "dependencies": { "get-intrinsic": "^1.1.0", "has": "^1.0.3", "side-channel": "^1.0.4" }, "engines": { "node": ">= 0.4" } }, "node_modules/is-arrayish": { "version": "0.2.1", "resolved": "https://registry.npmjs.org/is-arrayish/-/is-arrayish-0.2.1.tgz", "integrity": "sha512-zz06S8t0ozoDXMG+ube26zeCTNXcKIPJZJi8hBrF4idCLms4CG9QtK7qBl1boi5ODzFpjswb5JPmHCbMpjaYzg==", "dev": true }, "node_modules/is-bigint": { "version": "1.0.4", "resolved": "https://registry.npmjs.org/is-bigint/-/is-bigint-1.0.4.tgz", "integrity": "sha512-zB9CruMamjym81i2JZ3UMn54PKGsQzsJeo6xvN3HJJ4CAsQNB6iRutp2To77OfCNuoxspsIhzaPoO1zyCEhFOg==", "dev": true, "dependencies": { "has-bigints": "^1.0.1" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/is-binary-path": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/is-binary-path/-/is-binary-path-2.1.0.tgz", "integrity": "sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==", "dev": true, "dependencies": { "binary-extensions": "^2.0.0" }, "engines": { "node": ">=8" } }, "node_modules/is-boolean-object": { "version": "1.1.2", "resolved": "https://registry.npmjs.org/is-boolean-object/-/is-boolean-object-1.1.2.tgz", "integrity": "sha512-gDYaKHJmnj4aWxyj6YHyXVpdQawtVLHU5cb+eztPGczf6cjuTdwve5ZIEfgXqH4e57An1D1AKf8CZ3kYrQRqYA==", "dev": true, "dependencies": { "call-bind": "^1.0.2", "has-tostringtag": "^1.0.0" }, "engines": { "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/is-callable": { "version": "1.2.4", "resolved": "https://registry.npmjs.org/is-callable/-/is-callable-1.2.4.tgz", "integrity": "sha512-nsuwtxZfMX67Oryl9LCQ+upnC0Z0BgpwntpS89m1H/TLF0zNfzfLMV/9Wa/6MZsj0acpEjAO0KF1xT6ZdLl95w==", "dev": true, "engines": { "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/is-ci": { "version": "3.0.1", "resolved": "https://registry.npmjs.org/is-ci/-/is-ci-3.0.1.tgz", "integrity": "sha512-ZYvCgrefwqoQ6yTyYUbQu64HsITZ3NfKX1lzaEYdkTDcfKzzCI/wthRRYKkdjHKFVgNiXKAKm65Zo1pk2as/QQ==", "dev": true, "dependencies": { "ci-info": "^3.2.0" }, "bin": { "is-ci": "bin.js" } }, "node_modules/is-core-module": { "version": "2.9.0", "resolved": "https://registry.npmjs.org/is-core-module/-/is-core-module-2.9.0.tgz", "integrity": "sha512-+5FPy5PnwmO3lvfMb0AsoPaBG+5KHUI0wYFXOtYPnVVVspTFUuMZNfNaNVRt3FZadstu2c8x23vykRW/NBoU6A==", "dev": true, "dependencies": { "has": "^1.0.3" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/is-date-object": { "version": "1.0.5", "resolved": "https://registry.npmjs.org/is-date-object/-/is-date-object-1.0.5.tgz", "integrity": "sha512-9YQaSxsAiSwcvS33MBk3wTCVnWK+HhF8VZR2jRxehM16QcVOdHqPn4VPHmRK4lSr38n9JriurInLcP90xsYNfQ==", "dev": true, "dependencies": { "has-tostringtag": "^1.0.0" }, "engines": { "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/is-extglob": { "version": "2.1.1", "resolved": "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz", "integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==", "dev": true, "engines": { "node": ">=0.10.0" } }, "node_modules/is-fullwidth-code-point": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/is-glob": { "version": "4.0.3", "resolved": "https://registry.npmjs.org/is-glob/-/is-glob-4.0.3.tgz", "integrity": "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==", "dev": true, "dependencies": { "is-extglob": "^2.1.1" }, "engines": { "node": ">=0.10.0" } }, "node_modules/is-negative-zero": { "version": "2.0.2", "resolved": "https://registry.npmjs.org/is-negative-zero/-/is-negative-zero-2.0.2.tgz", "integrity": "sha512-dqJvarLawXsFbNDeJW7zAz8ItJ9cd28YufuuFzh0G8pNHjJMnY08Dv7sYX2uF5UpQOwieAeOExEYAWWfu7ZZUA==", "dev": true, "engines": { "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/is-number": { "version": "7.0.0", "resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz", "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==", "dev": true, "engines": { "node": ">=0.12.0" } }, "node_modules/is-number-object": { "version": "1.0.7", "resolved": "https://registry.npmjs.org/is-number-object/-/is-number-object-1.0.7.tgz", "integrity": "sha512-k1U0IRzLMo7ZlYIfzRu23Oh6MiIFasgpb9X76eqfFZAqwH44UI4KTBvBYIZ1dSL9ZzChTB9ShHfLkR4pdW5krQ==", "dev": true, "dependencies": { "has-tostringtag": "^1.0.0" }, "engines": { "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/is-obj": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/is-obj/-/is-obj-2.0.0.tgz", "integrity": "sha512-drqDG3cbczxxEJRoOXcOjtdp1J/lyp1mNn0xaznRs8+muBhgQcrnbspox5X5fOw0HnMnbfDzvnEMEtqDEJEo8w==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/is-object": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/is-object/-/is-object-1.0.2.tgz", "integrity": "sha512-2rRIahhZr2UWb45fIOuvZGpFtz0TyOZLf32KxBbSoUCeZR495zCKlWUKKUByk3geS2eAs7ZAABt0Y/Rx0GiQGA==", "dev": true, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/is-plain-obj": { "version": "1.1.0", "resolved": "https://registry.npmjs.org/is-plain-obj/-/is-plain-obj-1.1.0.tgz", "integrity": "sha512-yvkRyxmFKEOQ4pNXCmJG5AEQNlXJS5LaONXo5/cLdTZdWvsZ1ioJEonLGAosKlMWE8lwUy/bJzMjcw8az73+Fg==", "dev": true, "engines": { "node": ">=0.10.0" } }, "node_modules/is-regex": { "version": "1.1.4", "resolved": "https://registry.npmjs.org/is-regex/-/is-regex-1.1.4.tgz", "integrity": "sha512-kvRdxDsxZjhzUX07ZnLydzS1TU/TJlTUHHY4YLL87e37oUA49DfkLqgy+VjFocowy29cKvcSiu+kIv728jTTVg==", "dev": true, "dependencies": { "call-bind": "^1.0.2", "has-tostringtag": "^1.0.0" }, "engines": { "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/is-shared-array-buffer": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/is-shared-array-buffer/-/is-shared-array-buffer-1.0.2.tgz", "integrity": "sha512-sqN2UDu1/0y6uvXyStCOzyhAjCSlHceFoMKJW8W9EU9cvic/QdsZ0kEU93HEy3IUEFZIiH/3w+AH/UQbPHNdhA==", "dev": true, "dependencies": { "call-bind": "^1.0.2" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/is-stream": { "version": "2.0.1", "resolved": "https://registry.npmjs.org/is-stream/-/is-stream-2.0.1.tgz", "integrity": "sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg==", "dev": true, "engines": { "node": ">=8" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/is-string": { "version": "1.0.7", "resolved": "https://registry.npmjs.org/is-string/-/is-string-1.0.7.tgz", "integrity": "sha512-tE2UXzivje6ofPW7l23cjDOMa09gb7xlAqG6jG5ej6uPV32TlWP3NKPigtaGeHNu9fohccRYvIiZMfOOnOYUtg==", "dev": true, "dependencies": { "has-tostringtag": "^1.0.0" }, "engines": { "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/is-symbol": { "version": "1.0.4", "resolved": "https://registry.npmjs.org/is-symbol/-/is-symbol-1.0.4.tgz", "integrity": "sha512-C/CPBqKWnvdcxqIARxyOh4v1UUEOCHpgDa0WYgpKDFMszcrPcffg5uhwSgPCLD2WWxmq6isisz87tzT01tuGhg==", "dev": true, "dependencies": { "has-symbols": "^1.0.2" }, "engines": { "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/is-text-path": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/is-text-path/-/is-text-path-1.0.1.tgz", "integrity": "sha512-xFuJpne9oFz5qDaodwmmG08e3CawH/2ZV8Qqza1Ko7Sk8POWbkRdwIoAWVhqvq0XeUzANEhKo2n0IXUGBm7A/w==", "dev": true, "dependencies": { "text-extensions": "^1.0.0" }, "engines": { "node": ">=0.10.0" } }, "node_modules/is-typedarray": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/is-typedarray/-/is-typedarray-1.0.0.tgz", "integrity": "sha512-cyA56iCMHAh5CdzjJIa4aohJyeO1YbwLi3Jc35MmRU6poroFjIGZzUzupGiRPOjgHg9TLu43xbpwXk523fMxKA==", "dev": true }, "node_modules/is-weakref": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/is-weakref/-/is-weakref-1.0.2.tgz", "integrity": "sha512-qctsuLZmIQ0+vSSMfoVvyFe2+GSEvnmZ2ezTup1SBse9+twCCeial6EEi3Nc2KFcf6+qz2FBPnjXsk8xhKSaPQ==", "dev": true, "dependencies": { "call-bind": "^1.0.2" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/is-windows": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/is-windows/-/is-windows-1.0.2.tgz", "integrity": "sha512-eXK1UInq2bPmjyX6e3VHIzMLobc4J94i4AWn+Hpq3OU5KkrRC96OAcR3PRJ/pGu6m8TRnBHP9dkXQVsT/COVIA==", "dev": true, "engines": { "node": ">=0.10.0" } }, "node_modules/isexe": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz", "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==", "dev": true }, "node_modules/istanbul-lib-coverage": { "version": "3.2.0", "resolved": "https://registry.npmjs.org/istanbul-lib-coverage/-/istanbul-lib-coverage-3.2.0.tgz", "integrity": "sha512-eOeJ5BHCmHYvQK7xt9GkdHuzuCGS1Y6g9Gvnx3Ym33fz/HpLRYxiS0wHNr+m/MBC8B647Xt608vCDEvhl9c6Mw==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/istanbul-lib-hook": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/istanbul-lib-hook/-/istanbul-lib-hook-3.0.0.tgz", "integrity": "sha512-Pt/uge1Q9s+5VAZ+pCo16TYMWPBIl+oaNIjgLQxcX0itS6ueeaA+pEfThZpH8WxhFgCiEb8sAJY6MdUKgiIWaQ==", "dev": true, "dependencies": { "append-transform": "^2.0.0" }, "engines": { "node": ">=8" } }, "node_modules/istanbul-lib-instrument": { "version": "4.0.3", "resolved": "https://registry.npmjs.org/istanbul-lib-instrument/-/istanbul-lib-instrument-4.0.3.tgz", "integrity": "sha512-BXgQl9kf4WTCPCCpmFGoJkz/+uhvm7h7PFKUYxh7qarQd3ER33vHG//qaE8eN25l07YqZPpHXU9I09l/RD5aGQ==", "dev": true, "dependencies": { "@babel/core": "^7.7.5", "@istanbuljs/schema": "^0.1.2", "istanbul-lib-coverage": "^3.0.0", "semver": "^6.3.0" }, "engines": { "node": ">=8" } }, "node_modules/istanbul-lib-processinfo": { "version": "2.0.2", "resolved": "https://registry.npmjs.org/istanbul-lib-processinfo/-/istanbul-lib-processinfo-2.0.2.tgz", "integrity": "sha512-kOwpa7z9hme+IBPZMzQ5vdQj8srYgAtaRqeI48NGmAQ+/5yKiHLV0QbYqQpxsdEF0+w14SoB8YbnHKcXE2KnYw==", "dev": true, "dependencies": { "archy": "^1.0.0", "cross-spawn": "^7.0.0", "istanbul-lib-coverage": "^3.0.0-alpha.1", "make-dir": "^3.0.0", "p-map": "^3.0.0", "rimraf": "^3.0.0", "uuid": "^3.3.3" }, "engines": { "node": ">=8" } }, "node_modules/istanbul-lib-processinfo/node_modules/uuid": { "version": "3.4.0", "resolved": "https://registry.npmjs.org/uuid/-/uuid-3.4.0.tgz", "integrity": "sha512-HjSDRw6gZE5JMggctHBcjVak08+KEVhSIiDzFnT9S9aegmp85S/bReBVTb4QTFaRNptJ9kuYaNhnbNEOkbKb/A==", "deprecated": "Please upgrade to version 7 or higher. Older versions may use Math.random() in certain circumstances, which is known to be problematic. See https://v8.dev/blog/math-random for details.", "dev": true, "bin": { "uuid": "bin/uuid" } }, "node_modules/istanbul-lib-report": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/istanbul-lib-report/-/istanbul-lib-report-3.0.0.tgz", "integrity": "sha512-wcdi+uAKzfiGT2abPpKZ0hSU1rGQjUQnLvtY5MpQ7QCTahD3VODhcu4wcfY1YtkGaDD5yuydOLINXsfbus9ROw==", "dev": true, "dependencies": { "istanbul-lib-coverage": "^3.0.0", "make-dir": "^3.0.0", "supports-color": "^7.1.0" }, "engines": { "node": ">=8" } }, "node_modules/istanbul-lib-source-maps": { "version": "4.0.1", "resolved": "https://registry.npmjs.org/istanbul-lib-source-maps/-/istanbul-lib-source-maps-4.0.1.tgz", "integrity": "sha512-n3s8EwkdFIJCG3BPKBYvskgXGoy88ARzvegkitk60NxRdwltLOTaH7CUiMRXvwYorl0Q712iEjcWB+fK/MrWVw==", "dev": true, "dependencies": { "debug": "^4.1.1", "istanbul-lib-coverage": "^3.0.0", "source-map": "^0.6.1" }, "engines": { "node": ">=10" } }, "node_modules/istanbul-reports": { "version": "3.1.4", "resolved": "https://registry.npmjs.org/istanbul-reports/-/istanbul-reports-3.1.4.tgz", "integrity": "sha512-r1/DshN4KSE7xWEknZLLLLDn5CJybV3nw01VTkp6D5jzLuELlcbudfj/eSQFvrKsJuTVCGnePO7ho82Nw9zzfw==", "dev": true, "dependencies": { "html-escaper": "^2.0.0", "istanbul-lib-report": "^3.0.0" }, "engines": { "node": ">=8" } }, "node_modules/jackspeak": { "version": "1.4.1", "resolved": "https://registry.npmjs.org/jackspeak/-/jackspeak-1.4.1.tgz", "integrity": "sha512-npN8f+M4+IQ8xD3CcWi3U62VQwKlT3Tj4GxbdT/fYTmeogD9eBF9OFdpoFG/VPNoshRjPUijdkp/p2XrzUHaVg==", "dev": true, "dependencies": { "cliui": "^7.0.4" }, "engines": { "node": ">=8" } }, "node_modules/jackspeak/node_modules/cliui": { "version": "7.0.4", "resolved": "https://registry.npmjs.org/cliui/-/cliui-7.0.4.tgz", "integrity": "sha512-OcRE68cOsVMXp1Yvonl/fzkQOyjLSu/8bhPDfQt0e0/Eb283TKP20Fs2MqoPsr9SwA595rRCA+QMzYc9nBP+JQ==", "dev": true, "dependencies": { "string-width": "^4.2.0", "strip-ansi": "^6.0.0", "wrap-ansi": "^7.0.0" } }, "node_modules/jackspeak/node_modules/wrap-ansi": { "version": "7.0.0", "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-7.0.0.tgz", "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==", "dev": true, "dependencies": { "ansi-styles": "^4.0.0", "string-width": "^4.1.0", "strip-ansi": "^6.0.0" }, "engines": { "node": ">=10" }, "funding": { "url": "https://github.com/chalk/wrap-ansi?sponsor=1" } }, "node_modules/js-tokens": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz", "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==", "dev": true }, "node_modules/js-yaml": { "version": "3.14.1", "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-3.14.1.tgz", "integrity": "sha512-okMH7OXXJ7YrN9Ok3/SXrnu4iX9yOk+25nqX4imS2npuvTYDmo/QEZoqwZkYaIDk3jVvBOTOIEgEhaLOynBS9g==", "dev": true, "dependencies": { "argparse": "^1.0.7", "esprima": "^4.0.0" }, "bin": { "js-yaml": "bin/js-yaml.js" } }, "node_modules/jsesc": { "version": "2.5.2", "resolved": "https://registry.npmjs.org/jsesc/-/jsesc-2.5.2.tgz", "integrity": "sha512-OYu7XEzjkCQ3C5Ps3QIZsQfNpqoJyZZA99wd9aWd05NCtC5pWOkShK2mkL6HXQR6/Cy2lbNdPlZBpuQHXE63gA==", "dev": true, "bin": { "jsesc": "bin/jsesc" }, "engines": { "node": ">=4" } }, "node_modules/json-parse-even-better-errors": { "version": "2.3.1", "resolved": "https://registry.npmjs.org/json-parse-even-better-errors/-/json-parse-even-better-errors-2.3.1.tgz", "integrity": "sha512-xyFwyhro/JEof6Ghe2iz2NcXoj2sloNsWr/XsERDK/oiPCfaNhl5ONfp+jQdAZRQQ0IJWNzH9zIZF7li91kh2w==", "dev": true }, "node_modules/json-schema-traverse": { "version": "0.4.1", "resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz", "integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==", "dev": true }, "node_modules/json-stable-stringify-without-jsonify": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz", "integrity": "sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==", "dev": true }, "node_modules/json5": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/json5/-/json5-1.0.1.tgz", "integrity": "sha512-aKS4WQjPenRxiQsC93MNfjx+nbF4PAdYzmd/1JIj8HYzqfbu86beTuNgXDzPknWk0n0uARlyewZo4s++ES36Ow==", "dev": true, "dependencies": { "minimist": "^1.2.0" }, "bin": { "json5": "lib/cli.js" } }, "node_modules/jsonfile": { "version": "6.1.0", "resolved": "https://registry.npmjs.org/jsonfile/-/jsonfile-6.1.0.tgz", "integrity": "sha512-5dgndWOriYSm5cnYaJNhalLNDKOqFwyDB/rr1E9ZsGciGvKPs8R2xYGCacuf3z6K1YKDz182fd+fY3cn3pMqXQ==", "dependencies": { "universalify": "^2.0.0" }, "optionalDependencies": { "graceful-fs": "^4.1.6" } }, "node_modules/jsonparse": { "version": "1.3.1", "resolved": "https://registry.npmjs.org/jsonparse/-/jsonparse-1.3.1.tgz", "integrity": "sha512-POQXvpdL69+CluYsillJ7SUhKvytYjW9vG/GKpnf+xP8UWgYEM/RaMzHHofbALDiKbbP1W8UEYmgGl39WkPZsg==", "dev": true, "engines": [ "node >= 0.2.0" ] }, "node_modules/JSONStream": { "version": "1.3.5", "resolved": "https://registry.npmjs.org/JSONStream/-/JSONStream-1.3.5.tgz", "integrity": "sha512-E+iruNOY8VV9s4JEbe1aNEm6MiszPRr/UfcHMz0TQh1BXSxHK+ASV1R6W4HpjBhSeS+54PIsAMCBmwD06LLsqQ==", "dev": true, "dependencies": { "jsonparse": "^1.2.0", "through": ">=2.2.7 <3" }, "bin": { "JSONStream": "bin.js" }, "engines": { "node": "*" } }, "node_modules/kind-of": { "version": "6.0.3", "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-6.0.3.tgz", "integrity": "sha512-dcS1ul+9tmeD95T+x28/ehLgd9mENa3LsvDTtzm3vyBEO7RPptvAD+t44WVXaUjTBRcrpFeFlC8WCruUR456hw==", "dev": true, "engines": { "node": ">=0.10.0" } }, "node_modules/levn": { "version": "0.4.1", "resolved": "https://registry.npmjs.org/levn/-/levn-0.4.1.tgz", "integrity": "sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==", "dev": true, "dependencies": { "prelude-ls": "^1.2.1", "type-check": "~0.4.0" }, "engines": { "node": ">= 0.8.0" } }, "node_modules/libtap": { "version": "1.4.0", "resolved": "https://registry.npmjs.org/libtap/-/libtap-1.4.0.tgz", "integrity": "sha512-STLFynswQ2A6W14JkabgGetBNk6INL1REgJ9UeNKw5llXroC2cGLgKTqavv0sl8OLVztLLipVKMcQ7yeUcqpmg==", "dev": true, "dependencies": { "async-hook-domain": "^2.0.4", "bind-obj-methods": "^3.0.0", "diff": "^4.0.2", "function-loop": "^2.0.1", "minipass": "^3.1.5", "own-or": "^1.0.0", "own-or-env": "^1.0.2", "signal-exit": "^3.0.4", "stack-utils": "^2.0.4", "tap-parser": "^11.0.0", "tap-yaml": "^1.0.0", "tcompare": "^5.0.6", "trivial-deferred": "^1.0.1" }, "engines": { "node": ">=10" }, "funding": { "url": "https://github.com/sponsors/isaacs" } }, "node_modules/lines-and-columns": { "version": "1.2.4", "resolved": "https://registry.npmjs.org/lines-and-columns/-/lines-and-columns-1.2.4.tgz", "integrity": "sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg==", "dev": true }, "node_modules/locate-path": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-2.0.0.tgz", "integrity": "sha512-NCI2kiDkyR7VeEKm27Kda/iQHyKJe1Bu0FlTbYp3CqJu+9IFe9bLyAjMxf5ZDDbEg+iMPzB5zYyUTSm8wVTKmA==", "dev": true, "dependencies": { "p-locate": "^2.0.0", "path-exists": "^3.0.0" }, "engines": { "node": ">=4" } }, "node_modules/lodash": { "version": "4.17.21", "resolved": "https://registry.npmjs.org/lodash/-/lodash-4.17.21.tgz", "integrity": "sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==", "dev": true }, "node_modules/lodash.flattendeep": { "version": "4.4.0", "resolved": "https://registry.npmjs.org/lodash.flattendeep/-/lodash.flattendeep-4.4.0.tgz", "integrity": "sha512-uHaJFihxmJcEX3kT4I23ABqKKalJ/zDrDg0lsFtc1h+3uw49SIJ5beyhx5ExVRti3AvKoOJngIj7xz3oylPdWQ==", "dev": true }, "node_modules/lodash.merge": { "version": "4.6.2", "resolved": "https://registry.npmjs.org/lodash.merge/-/lodash.merge-4.6.2.tgz", "integrity": "sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==", "dev": true }, "node_modules/lru-cache": { "version": "6.0.0", "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-6.0.0.tgz", "integrity": "sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==", "dev": true, "dependencies": { "yallist": "^4.0.0" }, "engines": { "node": ">=10" } }, "node_modules/make-dir": { "version": "3.1.0", "resolved": "https://registry.npmjs.org/make-dir/-/make-dir-3.1.0.tgz", "integrity": "sha512-g3FeP20LNwhALb/6Cz6Dd4F2ngze0jz7tbzrD2wAV+o9FeNHe4rL+yK2md0J/fiSf1sa1ADhXqi5+oVwOM/eGw==", "dev": true, "dependencies": { "semver": "^6.0.0" }, "engines": { "node": ">=8" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/make-error": { "version": "1.3.6", "resolved": "https://registry.npmjs.org/make-error/-/make-error-1.3.6.tgz", "integrity": "sha512-s8UhlNe7vPKomQhC1qFelMokr/Sc3AgNbso3n74mVPA5LTZwkB9NlXf4XPamLxJE8h0gh73rM94xvwRT2CVInw==", "dev": true }, "node_modules/map-obj": { "version": "4.3.0", "resolved": "https://registry.npmjs.org/map-obj/-/map-obj-4.3.0.tgz", "integrity": "sha512-hdN1wVrZbb29eBGiGjJbeP8JbKjq1urkHJ/LIP/NY48MZ1QVXUsQBV1G1zvYFHn1XE06cwjBsOI2K3Ulnj1YXQ==", "dev": true, "engines": { "node": ">=8" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/meow": { "version": "8.1.2", "resolved": "https://registry.npmjs.org/meow/-/meow-8.1.2.tgz", "integrity": "sha512-r85E3NdZ+mpYk1C6RjPFEMSE+s1iZMuHtsHAqY0DT3jZczl0diWUZ8g6oU7h0M9cD2EL+PzaYghhCLzR0ZNn5Q==", "dev": true, "dependencies": { "@types/minimist": "^1.2.0", "camelcase-keys": "^6.2.2", "decamelize-keys": "^1.1.0", "hard-rejection": "^2.1.0", "minimist-options": "4.1.0", "normalize-package-data": "^3.0.0", "read-pkg-up": "^7.0.1", "redent": "^3.0.0", "trim-newlines": "^3.0.0", "type-fest": "^0.18.0", "yargs-parser": "^20.2.3" }, "engines": { "node": ">=10" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/meow/node_modules/type-fest": { "version": "0.18.1", "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.18.1.tgz", "integrity": "sha512-OIAYXk8+ISY+qTOwkHtKqzAuxchoMiD9Udx+FSGQDuiRR+PJKJHc2NJAXlbhkGwTt/4/nKZxELY1w3ReWOL8mw==", "dev": true, "engines": { "node": ">=10" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/meow/node_modules/yargs-parser": { "version": "20.2.9", "resolved": "https://registry.npmjs.org/yargs-parser/-/yargs-parser-20.2.9.tgz", "integrity": "sha512-y11nGElTIV+CT3Zv9t7VKl+Q3hTQoT9a1Qzezhhl6Rp21gJ/IVTW7Z3y9EWXhuUBC2Shnf+DX0antecpAwSP8w==", "dev": true, "engines": { "node": ">=10" } }, "node_modules/merge-descriptors": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/merge-descriptors/-/merge-descriptors-1.0.1.tgz", "integrity": "sha512-cCi6g3/Zr1iqQi6ySbseM1Xvooa98N0w31jzUYrXPX2xqObmFGHJ0tQ5u74H3mVh7wLouTseZyYIq39g8cNp1w==", "dev": true }, "node_modules/merge-stream": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/merge-stream/-/merge-stream-2.0.0.tgz", "integrity": "sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==", "dev": true }, "node_modules/mimic-fn": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/mimic-fn/-/mimic-fn-2.1.0.tgz", "integrity": "sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==", "dev": true, "engines": { "node": ">=6" } }, "node_modules/min-indent": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/min-indent/-/min-indent-1.0.1.tgz", "integrity": "sha512-I9jwMn07Sy/IwOj3zVkVik2JTvgpaykDZEigL6Rx6N9LbMywwUSMtxET+7lVoDLLd3O3IXwJwvuuns8UB/HeAg==", "dev": true, "engines": { "node": ">=4" } }, "node_modules/minimatch": { "version": "3.1.2", "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz", "integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==", "dev": true, "dependencies": { "brace-expansion": "^1.1.7" }, "engines": { "node": "*" } }, "node_modules/minimist": { "version": "1.2.6", "resolved": "https://registry.npmjs.org/minimist/-/minimist-1.2.6.tgz", "integrity": "sha512-Jsjnk4bw3YJqYzbdyBiNsPWHPfO++UGG749Cxs6peCu5Xg4nrena6OVxOYxrQTqww0Jmwt+Ref8rggumkTLz9Q==", "dev": true }, "node_modules/minimist-options": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/minimist-options/-/minimist-options-4.1.0.tgz", "integrity": "sha512-Q4r8ghd80yhO/0j1O3B2BjweX3fiHg9cdOwjJd2J76Q135c+NDxGCqdYKQ1SKBuFfgWbAUzBfvYjPUEeNgqN1A==", "dev": true, "dependencies": { "arrify": "^1.0.1", "is-plain-obj": "^1.1.0", "kind-of": "^6.0.3" }, "engines": { "node": ">= 6" } }, "node_modules/minipass": { "version": "3.1.6", "resolved": "https://registry.npmjs.org/minipass/-/minipass-3.1.6.tgz", "integrity": "sha512-rty5kpw9/z8SX9dmxblFA6edItUmwJgMeYDZRrwlIVN27i8gysGbznJwUggw2V/FVqFSDdWy040ZPS811DYAqQ==", "dev": true, "dependencies": { "yallist": "^4.0.0" }, "engines": { "node": ">=8" } }, "node_modules/mkdirp": { "version": "1.0.4", "resolved": "https://registry.npmjs.org/mkdirp/-/mkdirp-1.0.4.tgz", "integrity": "sha512-vVqVZQyf3WLx2Shd0qJ9xuvqgAyKPLAiqITEtqW0oIUjzo3PePDd6fW9iFz30ef7Ysp/oiWqbhszeGWW2T6Gzw==", "dev": true, "bin": { "mkdirp": "bin/cmd.js" }, "engines": { "node": ">=10" } }, "node_modules/module-not-found-error": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/module-not-found-error/-/module-not-found-error-1.0.1.tgz", "integrity": "sha512-pEk4ECWQXV6z2zjhRZUongnLJNUeGQJ3w6OQ5ctGwD+i5o93qjRQUk2Rt6VdNeu3sEP0AB4LcfvdebpxBRVr4g==", "dev": true }, "node_modules/ms": { "version": "2.1.2", "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.2.tgz", "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==" }, "node_modules/natural-compare": { "version": "1.4.0", "resolved": "https://registry.npmjs.org/natural-compare/-/natural-compare-1.4.0.tgz", "integrity": "sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==", "dev": true }, "node_modules/node-preload": { "version": "0.2.1", "resolved": "https://registry.npmjs.org/node-preload/-/node-preload-0.2.1.tgz", "integrity": "sha512-RM5oyBy45cLEoHqCeh+MNuFAxO0vTFBLskvQbOKnEE7YTTSN4tbN8QWDIPQ6L+WvKsB/qLEGpYe2ZZ9d4W9OIQ==", "dev": true, "dependencies": { "process-on-spawn": "^1.0.0" }, "engines": { "node": ">=8" } }, "node_modules/node-releases": { "version": "2.0.5", "resolved": "https://registry.npmjs.org/node-releases/-/node-releases-2.0.5.tgz", "integrity": "sha512-U9h1NLROZTq9uE1SNffn6WuPDg8icmi3ns4rEl/oTfIle4iLjTliCzgTsbaIFMq/Xn078/lfY/BL0GWZ+psK4Q==", "dev": true }, "node_modules/normalize-package-data": { "version": "3.0.3", "resolved": "https://registry.npmjs.org/normalize-package-data/-/normalize-package-data-3.0.3.tgz", "integrity": "sha512-p2W1sgqij3zMMyRC067Dg16bfzVH+w7hyegmpIvZ4JNjqtGOVAIvLmjBx3yP7YTe9vKJgkoNOPjwQGogDoMXFA==", "dev": true, "dependencies": { "hosted-git-info": "^4.0.1", "is-core-module": "^2.5.0", "semver": "^7.3.4", "validate-npm-package-license": "^3.0.1" }, "engines": { "node": ">=10" } }, "node_modules/normalize-package-data/node_modules/semver": { "version": "7.3.7", "resolved": "https://registry.npmjs.org/semver/-/semver-7.3.7.tgz", "integrity": "sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g==", "dev": true, "dependencies": { "lru-cache": "^6.0.0" }, "bin": { "semver": "bin/semver.js" }, "engines": { "node": ">=10" } }, "node_modules/normalize-path": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/normalize-path/-/normalize-path-3.0.0.tgz", "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==", "dev": true, "engines": { "node": ">=0.10.0" } }, "node_modules/npm-run-path": { "version": "4.0.1", "resolved": "https://registry.npmjs.org/npm-run-path/-/npm-run-path-4.0.1.tgz", "integrity": "sha512-S48WzZW777zhNIrn7gxOlISNAqi9ZC/uQFnRdbeIHhZhCA6UqpkOT8T1G7BvfdgP4Er8gF4sUbaS0i7QvIfCWw==", "dev": true, "dependencies": { "path-key": "^3.0.0" }, "engines": { "node": ">=8" } }, "node_modules/nyc": { "version": "15.1.0", "resolved": "https://registry.npmjs.org/nyc/-/nyc-15.1.0.tgz", "integrity": "sha512-jMW04n9SxKdKi1ZMGhvUTHBN0EICCRkHemEoE5jm6mTYcqcdas0ATzgUgejlQUHMvpnOZqGB5Xxsv9KxJW1j8A==", "dev": true, "dependencies": { "@istanbuljs/load-nyc-config": "^1.0.0", "@istanbuljs/schema": "^0.1.2", "caching-transform": "^4.0.0", "convert-source-map": "^1.7.0", "decamelize": "^1.2.0", "find-cache-dir": "^3.2.0", "find-up": "^4.1.0", "foreground-child": "^2.0.0", "get-package-type": "^0.1.0", "glob": "^7.1.6", "istanbul-lib-coverage": "^3.0.0", "istanbul-lib-hook": "^3.0.0", "istanbul-lib-instrument": "^4.0.0", "istanbul-lib-processinfo": "^2.0.2", "istanbul-lib-report": "^3.0.0", "istanbul-lib-source-maps": "^4.0.0", "istanbul-reports": "^3.0.2", "make-dir": "^3.0.0", "node-preload": "^0.2.1", "p-map": "^3.0.0", "process-on-spawn": "^1.0.0", "resolve-from": "^5.0.0", "rimraf": "^3.0.0", "signal-exit": "^3.0.2", "spawn-wrap": "^2.0.0", "test-exclude": "^6.0.0", "yargs": "^15.0.2" }, "bin": { "nyc": "bin/nyc.js" }, "engines": { "node": ">=8.9" } }, "node_modules/nyc/node_modules/find-up": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/find-up/-/find-up-4.1.0.tgz", "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", "dev": true, "dependencies": { "locate-path": "^5.0.0", "path-exists": "^4.0.0" }, "engines": { "node": ">=8" } }, "node_modules/nyc/node_modules/locate-path": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-5.0.0.tgz", "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", "dev": true, "dependencies": { "p-locate": "^4.1.0" }, "engines": { "node": ">=8" } }, "node_modules/nyc/node_modules/p-limit": { "version": "2.3.0", "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", "dev": true, "dependencies": { "p-try": "^2.0.0" }, "engines": { "node": ">=6" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/nyc/node_modules/p-locate": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-4.1.0.tgz", "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", "dev": true, "dependencies": { "p-limit": "^2.2.0" }, "engines": { "node": ">=8" } }, "node_modules/nyc/node_modules/p-try": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/p-try/-/p-try-2.2.0.tgz", "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", "dev": true, "engines": { "node": ">=6" } }, "node_modules/nyc/node_modules/path-exists": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/nyc/node_modules/resolve-from": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-5.0.0.tgz", "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/object-inspect": { "version": "1.12.2", "resolved": "https://registry.npmjs.org/object-inspect/-/object-inspect-1.12.2.tgz", "integrity": "sha512-z+cPxW0QGUp0mcqcsgQyLVRDoXFQbXOwBaqyF7VIgI4TWNQsDHrBpUQslRmIfAoYWdYzs6UlKJtB2XJpTaNSpQ==", "dev": true, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/object-keys": { "version": "1.1.1", "resolved": "https://registry.npmjs.org/object-keys/-/object-keys-1.1.1.tgz", "integrity": "sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==", "dev": true, "engines": { "node": ">= 0.4" } }, "node_modules/object.assign": { "version": "4.1.2", "resolved": "https://registry.npmjs.org/object.assign/-/object.assign-4.1.2.tgz", "integrity": "sha512-ixT2L5THXsApyiUPYKmW+2EHpXXe5Ii3M+f4e+aJFAHao5amFRW6J0OO6c/LU8Be47utCx2GL89hxGB6XSmKuQ==", "dev": true, "dependencies": { "call-bind": "^1.0.0", "define-properties": "^1.1.3", "has-symbols": "^1.0.1", "object-keys": "^1.1.1" }, "engines": { "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/object.entries": { "version": "1.1.5", "resolved": "https://registry.npmjs.org/object.entries/-/object.entries-1.1.5.tgz", "integrity": "sha512-TyxmjUoZggd4OrrU1W66FMDG6CuqJxsFvymeyXI51+vQLN67zYfZseptRge703kKQdo4uccgAKebXFcRCzk4+g==", "dev": true, "dependencies": { "call-bind": "^1.0.2", "define-properties": "^1.1.3", "es-abstract": "^1.19.1" }, "engines": { "node": ">= 0.4" } }, "node_modules/object.values": { "version": "1.1.5", "resolved": "https://registry.npmjs.org/object.values/-/object.values-1.1.5.tgz", "integrity": "sha512-QUZRW0ilQ3PnPpbNtgdNV1PDbEqLIiSFB3l+EnGtBQ/8SUTLj1PZwtQHABZtLgwpJZTSZhuGLOGk57Drx2IvYg==", "dev": true, "dependencies": { "call-bind": "^1.0.2", "define-properties": "^1.1.3", "es-abstract": "^1.19.1" }, "engines": { "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/once": { "version": "1.4.0", "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz", "integrity": "sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==", "dev": true, "dependencies": { "wrappy": "1" } }, "node_modules/onetime": { "version": "5.1.2", "resolved": "https://registry.npmjs.org/onetime/-/onetime-5.1.2.tgz", "integrity": "sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg==", "dev": true, "dependencies": { "mimic-fn": "^2.1.0" }, "engines": { "node": ">=6" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/opener": { "version": "1.5.2", "resolved": "https://registry.npmjs.org/opener/-/opener-1.5.2.tgz", "integrity": "sha512-ur5UIdyw5Y7yEj9wLzhqXiy6GZ3Mwx0yGI+5sMn2r0N0v3cKJvUmFH5yPP+WXh9e0xfyzyJX95D8l088DNFj7A==", "dev": true, "bin": { "opener": "bin/opener-bin.js" } }, "node_modules/optionator": { "version": "0.9.1", "resolved": "https://registry.npmjs.org/optionator/-/optionator-0.9.1.tgz", "integrity": "sha512-74RlY5FCnhq4jRxVUPKDaRwrVNXMqsGsiW6AJw4XK8hmtm10wC0ypZBLw5IIp85NZMr91+qd1RvvENwg7jjRFw==", "dev": true, "dependencies": { "deep-is": "^0.1.3", "fast-levenshtein": "^2.0.6", "levn": "^0.4.1", "prelude-ls": "^1.2.1", "type-check": "^0.4.0", "word-wrap": "^1.2.3" }, "engines": { "node": ">= 0.8.0" } }, "node_modules/own-or": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/own-or/-/own-or-1.0.0.tgz", "integrity": "sha512-NfZr5+Tdf6MB8UI9GLvKRs4cXY8/yB0w3xtt84xFdWy8hkGjn+JFc60VhzS/hFRfbyxFcGYMTjnF4Me+RbbqrA==", "dev": true }, "node_modules/own-or-env": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/own-or-env/-/own-or-env-1.0.2.tgz", "integrity": "sha512-NQ7v0fliWtK7Lkb+WdFqe6ky9XAzYmlkXthQrBbzlYbmFKoAYbDDcwmOm6q8kOuwSRXW8bdL5ORksploUJmWgw==", "dev": true, "dependencies": { "own-or": "^1.0.0" } }, "node_modules/p-limit": { "version": "1.3.0", "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-1.3.0.tgz", "integrity": "sha512-vvcXsLAJ9Dr5rQOPk7toZQZJApBl2K4J6dANSsEuh6QI41JYcsS/qhTGa9ErIUUgK3WNQoJYvylxvjqmiqEA9Q==", "dev": true, "dependencies": { "p-try": "^1.0.0" }, "engines": { "node": ">=4" } }, "node_modules/p-locate": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-2.0.0.tgz", "integrity": "sha512-nQja7m7gSKuewoVRen45CtVfODR3crN3goVQ0DDZ9N3yHxgpkuBhZqsaiotSQRrADUrne346peY7kT3TSACykg==", "dev": true, "dependencies": { "p-limit": "^1.1.0" }, "engines": { "node": ">=4" } }, "node_modules/p-map": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/p-map/-/p-map-3.0.0.tgz", "integrity": "sha512-d3qXVTF/s+W+CdJ5A29wywV2n8CQQYahlgz2bFiA+4eVNJbHJodPZ+/gXwPGh0bOqA+j8S+6+ckmvLGPk1QpxQ==", "dev": true, "dependencies": { "aggregate-error": "^3.0.0" }, "engines": { "node": ">=8" } }, "node_modules/p-try": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/p-try/-/p-try-1.0.0.tgz", "integrity": "sha512-U1etNYuMJoIz3ZXSrrySFjsXQTWOx2/jdi86L+2pRvph/qMKL6sbcCYdH23fqsbm8TH2Gn0OybpT4eSFlCVHww==", "dev": true, "engines": { "node": ">=4" } }, "node_modules/package-hash": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/package-hash/-/package-hash-4.0.0.tgz", "integrity": "sha512-whdkPIooSu/bASggZ96BWVvZTRMOFxnyUG5PnTSGKoJE2gd5mbVNmR2Nj20QFzxYYgAXpoqC+AiXzl+UMRh7zQ==", "dev": true, "dependencies": { "graceful-fs": "^4.1.15", "hasha": "^5.0.0", "lodash.flattendeep": "^4.4.0", "release-zalgo": "^1.0.0" }, "engines": { "node": ">=8" } }, "node_modules/parent-module": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/parent-module/-/parent-module-1.0.1.tgz", "integrity": "sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==", "dev": true, "dependencies": { "callsites": "^3.0.0" }, "engines": { "node": ">=6" } }, "node_modules/parse-json": { "version": "5.2.0", "resolved": "https://registry.npmjs.org/parse-json/-/parse-json-5.2.0.tgz", "integrity": "sha512-ayCKvm/phCGxOkYRSCM82iDwct8/EonSEgCSxWxD7ve6jHggsFl4fZVQBPRNgQoKiuV/odhFrGzQXZwbifC8Rg==", "dev": true, "dependencies": { "@babel/code-frame": "^7.0.0", "error-ex": "^1.3.1", "json-parse-even-better-errors": "^2.3.0", "lines-and-columns": "^1.1.6" }, "engines": { "node": ">=8" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/path-exists": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-3.0.0.tgz", "integrity": "sha512-bpC7GYwiDYQ4wYLe+FA8lhRjhQCMcQGuSgGGqDkg/QerRWw9CmGRT0iSOVRSZJ29NMLZgIzqaljJ63oaL4NIJQ==", "dev": true, "engines": { "node": ">=4" } }, "node_modules/path-is-absolute": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/path-is-absolute/-/path-is-absolute-1.0.1.tgz", "integrity": "sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==", "dev": true, "engines": { "node": ">=0.10.0" } }, "node_modules/path-key": { "version": "3.1.1", "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz", "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/path-parse": { "version": "1.0.7", "resolved": "https://registry.npmjs.org/path-parse/-/path-parse-1.0.7.tgz", "integrity": "sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==", "dev": true }, "node_modules/path-type": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/path-type/-/path-type-4.0.0.tgz", "integrity": "sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/picocolors": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/picocolors/-/picocolors-1.0.0.tgz", "integrity": "sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ==", "dev": true }, "node_modules/picomatch": { "version": "2.3.1", "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.3.1.tgz", "integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==", "dev": true, "engines": { "node": ">=8.6" }, "funding": { "url": "https://github.com/sponsors/jonschlinkert" } }, "node_modules/pkg-dir": { "version": "4.2.0", "resolved": "https://registry.npmjs.org/pkg-dir/-/pkg-dir-4.2.0.tgz", "integrity": "sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ==", "dev": true, "dependencies": { "find-up": "^4.0.0" }, "engines": { "node": ">=8" } }, "node_modules/pkg-dir/node_modules/find-up": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/find-up/-/find-up-4.1.0.tgz", "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", "dev": true, "dependencies": { "locate-path": "^5.0.0", "path-exists": "^4.0.0" }, "engines": { "node": ">=8" } }, "node_modules/pkg-dir/node_modules/locate-path": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-5.0.0.tgz", "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", "dev": true, "dependencies": { "p-locate": "^4.1.0" }, "engines": { "node": ">=8" } }, "node_modules/pkg-dir/node_modules/p-limit": { "version": "2.3.0", "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", "dev": true, "dependencies": { "p-try": "^2.0.0" }, "engines": { "node": ">=6" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/pkg-dir/node_modules/p-locate": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-4.1.0.tgz", "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", "dev": true, "dependencies": { "p-limit": "^2.2.0" }, "engines": { "node": ">=8" } }, "node_modules/pkg-dir/node_modules/p-try": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/p-try/-/p-try-2.2.0.tgz", "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", "dev": true, "engines": { "node": ">=6" } }, "node_modules/pkg-dir/node_modules/path-exists": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/prelude-ls": { "version": "1.2.1", "resolved": "https://registry.npmjs.org/prelude-ls/-/prelude-ls-1.2.1.tgz", "integrity": "sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==", "dev": true, "engines": { "node": ">= 0.8.0" } }, "node_modules/prettier": { "version": "2.6.2", "resolved": "https://registry.npmjs.org/prettier/-/prettier-2.6.2.tgz", "integrity": "sha512-PkUpF+qoXTqhOeWL9fu7As8LXsIUZ1WYaJiY/a7McAQzxjk82OF0tibkFXVCDImZtWxbvojFjerkiLb0/q8mew==", "dev": true, "bin": { "prettier": "bin-prettier.js" }, "engines": { "node": ">=10.13.0" }, "funding": { "url": "https://github.com/prettier/prettier?sponsor=1" } }, "node_modules/prettier-linter-helpers": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/prettier-linter-helpers/-/prettier-linter-helpers-1.0.0.tgz", "integrity": "sha512-GbK2cP9nraSSUF9N2XwUwqfzlAFlMNYYl+ShE/V+H8a9uNl/oUqB1w2EL54Jh0OlyRSd8RfWYJ3coVS4TROP2w==", "dev": true, "dependencies": { "fast-diff": "^1.1.2" }, "engines": { "node": ">=6.0.0" } }, "node_modules/process-on-spawn": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/process-on-spawn/-/process-on-spawn-1.0.0.tgz", "integrity": "sha512-1WsPDsUSMmZH5LeMLegqkPDrsGgsWwk1Exipy2hvB0o/F0ASzbpIctSCcZIK1ykJvtTJULEH+20WOFjMvGnCTg==", "dev": true, "dependencies": { "fromentries": "^1.2.0" }, "engines": { "node": ">=8" } }, "node_modules/proxyquire": { "version": "2.1.3", "resolved": "https://registry.npmjs.org/proxyquire/-/proxyquire-2.1.3.tgz", "integrity": "sha512-BQWfCqYM+QINd+yawJz23tbBM40VIGXOdDw3X344KcclI/gtBbdWF6SlQ4nK/bYhF9d27KYug9WzljHC6B9Ysg==", "dev": true, "dependencies": { "fill-keys": "^1.0.2", "module-not-found-error": "^1.0.1", "resolve": "^1.11.1" } }, "node_modules/q": { "version": "1.5.1", "resolved": "https://registry.npmjs.org/q/-/q-1.5.1.tgz", "integrity": "sha512-kV/CThkXo6xyFEZUugw/+pIOywXcDbFYgSct5cT3gqlbkBE1SJdwy6UQoZvodiWF/ckQLZyDE/Bu1M6gVu5lVw==", "dev": true, "engines": { "node": ">=0.6.0", "teleport": ">=0.2.0" } }, "node_modules/quick-lru": { "version": "4.0.1", "resolved": "https://registry.npmjs.org/quick-lru/-/quick-lru-4.0.1.tgz", "integrity": "sha512-ARhCpm70fzdcvNQfPoy49IaanKkTlRWF2JMzqhcJbhSFRZv7nPTvZJdcY7301IPmvW+/p0RgIWnQDLJxifsQ7g==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/read-pkg": { "version": "5.2.0", "resolved": "https://registry.npmjs.org/read-pkg/-/read-pkg-5.2.0.tgz", "integrity": "sha512-Ug69mNOpfvKDAc2Q8DRpMjjzdtrnv9HcSMX+4VsZxD1aZ6ZzrIE7rlzXBtWTyhULSMKg076AW6WR5iZpD0JiOg==", "dev": true, "dependencies": { "@types/normalize-package-data": "^2.4.0", "normalize-package-data": "^2.5.0", "parse-json": "^5.0.0", "type-fest": "^0.6.0" }, "engines": { "node": ">=8" } }, "node_modules/read-pkg-up": { "version": "7.0.1", "resolved": "https://registry.npmjs.org/read-pkg-up/-/read-pkg-up-7.0.1.tgz", "integrity": "sha512-zK0TB7Xd6JpCLmlLmufqykGE+/TlOePD6qKClNW7hHDKFh/J7/7gCWGR7joEQEW1bKq3a3yUZSObOoWLFQ4ohg==", "dev": true, "dependencies": { "find-up": "^4.1.0", "read-pkg": "^5.2.0", "type-fest": "^0.8.1" }, "engines": { "node": ">=8" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/read-pkg-up/node_modules/find-up": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/find-up/-/find-up-4.1.0.tgz", "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", "dev": true, "dependencies": { "locate-path": "^5.0.0", "path-exists": "^4.0.0" }, "engines": { "node": ">=8" } }, "node_modules/read-pkg-up/node_modules/locate-path": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-5.0.0.tgz", "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", "dev": true, "dependencies": { "p-locate": "^4.1.0" }, "engines": { "node": ">=8" } }, "node_modules/read-pkg-up/node_modules/p-limit": { "version": "2.3.0", "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", "dev": true, "dependencies": { "p-try": "^2.0.0" }, "engines": { "node": ">=6" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/read-pkg-up/node_modules/p-locate": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-4.1.0.tgz", "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", "dev": true, "dependencies": { "p-limit": "^2.2.0" }, "engines": { "node": ">=8" } }, "node_modules/read-pkg-up/node_modules/p-try": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/p-try/-/p-try-2.2.0.tgz", "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", "dev": true, "engines": { "node": ">=6" } }, "node_modules/read-pkg-up/node_modules/path-exists": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/read-pkg-up/node_modules/type-fest": { "version": "0.8.1", "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.8.1.tgz", "integrity": "sha512-4dbzIzqvjtgiM5rw1k5rEHtBANKmdudhGyBEajN01fEyhaAIhsoKNy6y7+IN93IfpFtwY9iqi7kD+xwKhQsNJA==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/read-pkg/node_modules/hosted-git-info": { "version": "2.8.9", "resolved": "https://registry.npmjs.org/hosted-git-info/-/hosted-git-info-2.8.9.tgz", "integrity": "sha512-mxIDAb9Lsm6DoOJ7xH+5+X4y1LU/4Hi50L9C5sIswK3JzULS4bwk1FvjdBgvYR4bzT4tuUQiC15FE2f5HbLvYw==", "dev": true }, "node_modules/read-pkg/node_modules/normalize-package-data": { "version": "2.5.0", "resolved": "https://registry.npmjs.org/normalize-package-data/-/normalize-package-data-2.5.0.tgz", "integrity": "sha512-/5CMN3T0R4XTj4DcGaexo+roZSdSFW/0AOOTROrjxzCG1wrWXEsGbRKevjlIL+ZDE4sZlJr5ED4YW0yqmkK+eA==", "dev": true, "dependencies": { "hosted-git-info": "^2.1.4", "resolve": "^1.10.0", "semver": "2 || 3 || 4 || 5", "validate-npm-package-license": "^3.0.1" } }, "node_modules/read-pkg/node_modules/semver": { "version": "5.7.1", "resolved": "https://registry.npmjs.org/semver/-/semver-5.7.1.tgz", "integrity": "sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ==", "dev": true, "bin": { "semver": "bin/semver" } }, "node_modules/read-pkg/node_modules/type-fest": { "version": "0.6.0", "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.6.0.tgz", "integrity": "sha512-q+MB8nYR1KDLrgr4G5yemftpMC7/QLqVndBmEEdqzmNj5dcFOO4Oo8qlwZE3ULT3+Zim1F8Kq4cBnikNhlCMlg==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/readable-stream": { "version": "3.6.0", "resolved": "https://registry.npmjs.org/readable-stream/-/readable-stream-3.6.0.tgz", "integrity": "sha512-BViHy7LKeTz4oNnkcLJ+lVSL6vpiFeX6/d3oSH8zCW7UxP2onchk+vTGB143xuFjHS3deTgkKoXXymXqymiIdA==", "dev": true, "dependencies": { "inherits": "^2.0.3", "string_decoder": "^1.1.1", "util-deprecate": "^1.0.1" }, "engines": { "node": ">= 6" } }, "node_modules/readdirp": { "version": "3.6.0", "resolved": "https://registry.npmjs.org/readdirp/-/readdirp-3.6.0.tgz", "integrity": "sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==", "dev": true, "dependencies": { "picomatch": "^2.2.1" }, "engines": { "node": ">=8.10.0" } }, "node_modules/redent": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/redent/-/redent-3.0.0.tgz", "integrity": "sha512-6tDA8g98We0zd0GvVeMT9arEOnTw9qM03L9cJXaCjrip1OO764RDBLBfrB4cwzNGDj5OA5ioymC9GkizgWJDUg==", "dev": true, "dependencies": { "indent-string": "^4.0.0", "strip-indent": "^3.0.0" }, "engines": { "node": ">=8" } }, "node_modules/regexp.prototype.flags": { "version": "1.4.3", "resolved": "https://registry.npmjs.org/regexp.prototype.flags/-/regexp.prototype.flags-1.4.3.tgz", "integrity": "sha512-fjggEOO3slI6Wvgjwflkc4NFRCTZAu5CnNfBd5qOMYhWdn67nJBBu34/TkD++eeFmd8C9r9jfXJ27+nSiRkSUA==", "dev": true, "dependencies": { "call-bind": "^1.0.2", "define-properties": "^1.1.3", "functions-have-names": "^1.2.2" }, "engines": { "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/regexpp": { "version": "3.2.0", "resolved": "https://registry.npmjs.org/regexpp/-/regexpp-3.2.0.tgz", "integrity": "sha512-pq2bWo9mVD43nbts2wGv17XLiNLya+GklZ8kaDLV2Z08gDCsGpnKn9BFMepvWuHCbyVvY7J5o5+BVvoQbmlJLg==", "dev": true, "engines": { "node": ">=8" }, "funding": { "url": "https://github.com/sponsors/mysticatea" } }, "node_modules/release-zalgo": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/release-zalgo/-/release-zalgo-1.0.0.tgz", "integrity": "sha1-CXALflB0Mpc5Mw5TXFqQ+2eFFzA=", "dev": true, "dependencies": { "es6-error": "^4.0.1" }, "engines": { "node": ">=4" } }, "node_modules/require-directory": { "version": "2.1.1", "resolved": "https://registry.npmjs.org/require-directory/-/require-directory-2.1.1.tgz", "integrity": "sha1-jGStX9MNqxyXbiNE/+f3kqam30I=", "dev": true, "engines": { "node": ">=0.10.0" } }, "node_modules/require-like": { "version": "0.1.2", "resolved": "https://registry.npmjs.org/require-like/-/require-like-0.1.2.tgz", "integrity": "sha1-rW8wwTvs15cBDEaK+ndcDAprR/o=", "dev": true, "engines": { "node": "*" } }, "node_modules/require-main-filename": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/require-main-filename/-/require-main-filename-2.0.0.tgz", "integrity": "sha512-NKN5kMDylKuldxYLSUfrbo5Tuzh4hd+2E8NPPX02mZtn1VuREQToYe/ZdlJy+J3uCpfaiGF05e7B8W0iXbQHmg==", "dev": true }, "node_modules/resolve": { "version": "1.22.0", "resolved": "https://registry.npmjs.org/resolve/-/resolve-1.22.0.tgz", "integrity": "sha512-Hhtrw0nLeSrFQ7phPp4OOcVjLPIeMnRlr5mcnVuMe7M/7eBn98A3hmFRLoFo3DLZkivSYwhRUJTyPyWAk56WLw==", "dev": true, "dependencies": { "is-core-module": "^2.8.1", "path-parse": "^1.0.7", "supports-preserve-symlinks-flag": "^1.0.0" }, "bin": { "resolve": "bin/resolve" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/resolve-from": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-4.0.0.tgz", "integrity": "sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==", "dev": true, "engines": { "node": ">=4" } }, "node_modules/resolve-global": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/resolve-global/-/resolve-global-1.0.0.tgz", "integrity": "sha512-zFa12V4OLtT5XUX/Q4VLvTfBf+Ok0SPc1FNGM/z9ctUdiU618qwKpWnd0CHs3+RqROfyEg/DhuHbMWYqcgljEw==", "dev": true, "dependencies": { "global-dirs": "^0.1.1" }, "engines": { "node": ">=8" } }, "node_modules/rfdc": { "version": "1.3.0", "resolved": "https://registry.npmjs.org/rfdc/-/rfdc-1.3.0.tgz", "integrity": "sha512-V2hovdzFbOi77/WajaSMXk2OLm+xNIeQdMMuB7icj7bk6zi2F8GGAxigcnDFpJHbNyNcgyJDiP+8nOrY5cZGrA==" }, "node_modules/rimraf": { "version": "3.0.2", "resolved": "https://registry.npmjs.org/rimraf/-/rimraf-3.0.2.tgz", "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==", "dev": true, "dependencies": { "glob": "^7.1.3" }, "bin": { "rimraf": "bin.js" }, "funding": { "url": "https://github.com/sponsors/isaacs" } }, "node_modules/safe-buffer": { "version": "5.1.2", "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.1.2.tgz", "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==", "dev": true }, "node_modules/semver": { "version": "6.3.0", "resolved": "https://registry.npmjs.org/semver/-/semver-6.3.0.tgz", "integrity": "sha512-b39TBaTSfV6yBrapU89p5fKekE2m/NwnDocOVruQFS1/veMgdzuPcnOM34M6CwxW8jH/lxEa5rBoDeUwu5HHTw==", "dev": true, "bin": { "semver": "bin/semver.js" } }, "node_modules/set-blocking": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/set-blocking/-/set-blocking-2.0.0.tgz", "integrity": "sha1-BF+XgtARrppoA93TgrJDkrPYkPc=", "dev": true }, "node_modules/shebang-command": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz", "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", "dev": true, "dependencies": { "shebang-regex": "^3.0.0" }, "engines": { "node": ">=8" } }, "node_modules/shebang-regex": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz", "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/side-channel": { "version": "1.0.4", "resolved": "https://registry.npmjs.org/side-channel/-/side-channel-1.0.4.tgz", "integrity": "sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==", "dev": true, "dependencies": { "call-bind": "^1.0.0", "get-intrinsic": "^1.0.2", "object-inspect": "^1.9.0" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/signal-exit": { "version": "3.0.7", "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-3.0.7.tgz", "integrity": "sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==", "dev": true }, "node_modules/source-map": { "version": "0.6.1", "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz", "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", "dev": true, "engines": { "node": ">=0.10.0" } }, "node_modules/source-map-support": { "version": "0.5.21", "resolved": "https://registry.npmjs.org/source-map-support/-/source-map-support-0.5.21.tgz", "integrity": "sha512-uBHU3L3czsIyYXKX88fdrGovxdSCoTGDRZ6SYXtSRxLZUzHg5P/66Ht6uoUlHu9EZod+inXhKo3qQgwXUT/y1w==", "dev": true, "dependencies": { "buffer-from": "^1.0.0", "source-map": "^0.6.0" } }, "node_modules/spawn-wrap": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/spawn-wrap/-/spawn-wrap-2.0.0.tgz", "integrity": "sha512-EeajNjfN9zMnULLwhZZQU3GWBoFNkbngTUPfaawT4RkMiviTxcX0qfhVbGey39mfctfDHkWtuecgQ8NJcyQWHg==", "dev": true, "dependencies": { "foreground-child": "^2.0.0", "is-windows": "^1.0.2", "make-dir": "^3.0.0", "rimraf": "^3.0.0", "signal-exit": "^3.0.2", "which": "^2.0.1" }, "engines": { "node": ">=8" } }, "node_modules/spdx-correct": { "version": "3.1.1", "resolved": "https://registry.npmjs.org/spdx-correct/-/spdx-correct-3.1.1.tgz", "integrity": "sha512-cOYcUWwhCuHCXi49RhFRCyJEK3iPj1Ziz9DpViV3tbZOwXD49QzIN3MpOLJNxh2qwq2lJJZaKMVw9qNi4jTC0w==", "dev": true, "dependencies": { "spdx-expression-parse": "^3.0.0", "spdx-license-ids": "^3.0.0" } }, "node_modules/spdx-exceptions": { "version": "2.3.0", "resolved": "https://registry.npmjs.org/spdx-exceptions/-/spdx-exceptions-2.3.0.tgz", "integrity": "sha512-/tTrYOC7PPI1nUAgx34hUpqXuyJG+DTHJTnIULG4rDygi4xu/tfgmq1e1cIRwRzwZgo4NLySi+ricLkZkw4i5A==", "dev": true }, "node_modules/spdx-expression-parse": { "version": "3.0.1", "resolved": "https://registry.npmjs.org/spdx-expression-parse/-/spdx-expression-parse-3.0.1.tgz", "integrity": "sha512-cbqHunsQWnJNE6KhVSMsMeH5H/L9EpymbzqTQ3uLwNCLZ1Q481oWaofqH7nO6V07xlXwY6PhQdQ2IedWx/ZK4Q==", "dev": true, "dependencies": { "spdx-exceptions": "^2.1.0", "spdx-license-ids": "^3.0.0" } }, "node_modules/spdx-license-ids": { "version": "3.0.11", "resolved": "https://registry.npmjs.org/spdx-license-ids/-/spdx-license-ids-3.0.11.tgz", "integrity": "sha512-Ctl2BrFiM0X3MANYgj3CkygxhRmr9mi6xhejbdO960nF6EDJApTYpn0BQnDKlnNBULKiCN1n3w9EBkHK8ZWg+g==", "dev": true }, "node_modules/split2": { "version": "3.2.2", "resolved": "https://registry.npmjs.org/split2/-/split2-3.2.2.tgz", "integrity": "sha512-9NThjpgZnifTkJpzTZ7Eue85S49QwpNhZTq6GRJwObb6jnLFNGB7Qm73V5HewTROPyxD0C29xqmaI68bQtV+hg==", "dev": true, "dependencies": { "readable-stream": "^3.0.0" } }, "node_modules/sprintf-js": { "version": "1.0.3", "resolved": "https://registry.npmjs.org/sprintf-js/-/sprintf-js-1.0.3.tgz", "integrity": "sha1-BOaSb2YolTVPPdAVIDYzuFcpfiw=", "dev": true }, "node_modules/stack-trace": { "version": "0.0.10", "resolved": "https://registry.npmjs.org/stack-trace/-/stack-trace-0.0.10.tgz", "integrity": "sha1-VHxws0fo0ytOEI6hoqFZ5f3eGcA=", "dev": true, "engines": { "node": "*" } }, "node_modules/stack-utils": { "version": "2.0.5", "resolved": "https://registry.npmjs.org/stack-utils/-/stack-utils-2.0.5.tgz", "integrity": "sha512-xrQcmYhOsn/1kX+Vraq+7j4oE2j/6BFscZ0etmYg81xuM8Gq0022Pxb8+IqgOFUIaxHs0KaSb7T1+OegiNrNFA==", "dev": true, "dependencies": { "escape-string-regexp": "^2.0.0" }, "engines": { "node": ">=10" } }, "node_modules/stack-utils/node_modules/escape-string-regexp": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-2.0.0.tgz", "integrity": "sha512-UpzcLCXolUWcNu5HtVMHYdXJjArjsF9C0aNnquZYY4uW/Vu0miy5YoWvbV345HauVvcAUnpRuhMMcqTcGOY2+w==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/streamroller": { "version": "3.1.1", "resolved": "https://registry.npmjs.org/streamroller/-/streamroller-3.1.1.tgz", "integrity": "sha512-iPhtd9unZ6zKdWgMeYGfSBuqCngyJy1B/GPi/lTpwGpa3bajuX30GjUVd0/Tn/Xhg0mr4DOSENozz9Y06qyonQ==", "dependencies": { "date-format": "^4.0.10", "debug": "^4.3.4", "fs-extra": "^10.1.0" }, "engines": { "node": ">=8.0" } }, "node_modules/string_decoder": { "version": "1.3.0", "resolved": "https://registry.npmjs.org/string_decoder/-/string_decoder-1.3.0.tgz", "integrity": "sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA==", "dev": true, "dependencies": { "safe-buffer": "~5.2.0" } }, "node_modules/string_decoder/node_modules/safe-buffer": { "version": "5.2.1", "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.2.1.tgz", "integrity": "sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==", "dev": true, "funding": [ { "type": "github", "url": "https://github.com/sponsors/feross" }, { "type": "patreon", "url": "https://www.patreon.com/feross" }, { "type": "consulting", "url": "https://feross.org/support" } ] }, "node_modules/string-width": { "version": "4.2.3", "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz", "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", "dev": true, "dependencies": { "emoji-regex": "^8.0.0", "is-fullwidth-code-point": "^3.0.0", "strip-ansi": "^6.0.1" }, "engines": { "node": ">=8" } }, "node_modules/string.prototype.trimend": { "version": "1.0.5", "resolved": "https://registry.npmjs.org/string.prototype.trimend/-/string.prototype.trimend-1.0.5.tgz", "integrity": "sha512-I7RGvmjV4pJ7O3kdf+LXFpVfdNOxtCW/2C8f6jNiW4+PQchwxkCDzlk1/7p+Wl4bqFIZeF47qAHXLuHHWKAxog==", "dev": true, "dependencies": { "call-bind": "^1.0.2", "define-properties": "^1.1.4", "es-abstract": "^1.19.5" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/string.prototype.trimstart": { "version": "1.0.5", "resolved": "https://registry.npmjs.org/string.prototype.trimstart/-/string.prototype.trimstart-1.0.5.tgz", "integrity": "sha512-THx16TJCGlsN0o6dl2o6ncWUsdgnLRSA23rRE5pyGBw/mLr3Ej/R2LaqCtgP8VNMGZsvMWnf9ooZPyY2bHvUFg==", "dev": true, "dependencies": { "call-bind": "^1.0.2", "define-properties": "^1.1.4", "es-abstract": "^1.19.5" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/strip-ansi": { "version": "6.0.1", "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", "dev": true, "dependencies": { "ansi-regex": "^5.0.1" }, "engines": { "node": ">=8" } }, "node_modules/strip-bom": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/strip-bom/-/strip-bom-3.0.0.tgz", "integrity": "sha1-IzTBjpx1n3vdVv3vfprj1YjmjtM=", "dev": true, "engines": { "node": ">=4" } }, "node_modules/strip-final-newline": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/strip-final-newline/-/strip-final-newline-2.0.0.tgz", "integrity": "sha512-BrpvfNAE3dcvq7ll3xVumzjKjZQ5tI1sEUIKr3Uoks0XUl45St3FlatVqef9prk4jRDzhW6WZg+3bk93y6pLjA==", "dev": true, "engines": { "node": ">=6" } }, "node_modules/strip-indent": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/strip-indent/-/strip-indent-3.0.0.tgz", "integrity": "sha512-laJTa3Jb+VQpaC6DseHhF7dXVqHTfJPCRDaEbid/drOhgitgYku/letMUqOXFoWV0zIIUbjpdH2t+tYj4bQMRQ==", "dev": true, "dependencies": { "min-indent": "^1.0.0" }, "engines": { "node": ">=8" } }, "node_modules/strip-json-comments": { "version": "3.1.1", "resolved": "https://registry.npmjs.org/strip-json-comments/-/strip-json-comments-3.1.1.tgz", "integrity": "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==", "dev": true, "engines": { "node": ">=8" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/supports-color": { "version": "7.2.0", "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz", "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==", "dev": true, "dependencies": { "has-flag": "^4.0.0" }, "engines": { "node": ">=8" } }, "node_modules/supports-preserve-symlinks-flag": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz", "integrity": "sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==", "dev": true, "engines": { "node": ">= 0.4" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/tap": { "version": "16.2.0", "resolved": "https://registry.npmjs.org/tap/-/tap-16.2.0.tgz", "integrity": "sha512-ikfNLy701p2+sH3R0pAXQ/Aen6ZByaguUY7UsoTLL4AXa2c9gYQL+pI21p13lq54R7/CEoLaViC1sexcWG32ig==", "bundleDependencies": [ "ink", "treport", "@types/react", "@isaacs/import-jsx", "react" ], "dev": true, "dependencies": { "@isaacs/import-jsx": "^4.0.1", "@types/react": "^17", "chokidar": "^3.3.0", "findit": "^2.0.0", "foreground-child": "^2.0.0", "fs-exists-cached": "^1.0.0", "glob": "^7.1.6", "ink": "^3.2.0", "isexe": "^2.0.0", "istanbul-lib-processinfo": "^2.0.2", "jackspeak": "^1.4.1", "libtap": "^1.4.0", "minipass": "^3.1.1", "mkdirp": "^1.0.4", "nyc": "^15.1.0", "opener": "^1.5.1", "react": "^17.0.2", "rimraf": "^3.0.0", "signal-exit": "^3.0.6", "source-map-support": "^0.5.16", "tap-mocha-reporter": "^5.0.3", "tap-parser": "^11.0.1", "tap-yaml": "^1.0.0", "tcompare": "^5.0.7", "treport": "^3.0.3", "which": "^2.0.2" }, "bin": { "tap": "bin/run.js" }, "engines": { "node": ">=12" }, "funding": { "url": "https://github.com/sponsors/isaacs" }, "peerDependencies": { "coveralls": "^3.1.1", "flow-remove-types": ">=2.112.0", "ts-node": ">=8.5.2", "typescript": ">=3.7.2" }, "peerDependenciesMeta": { "coveralls": { "optional": true }, "flow-remove-types": { "optional": true }, "ts-node": { "optional": true }, "typescript": { "optional": true } } }, "node_modules/tap-mocha-reporter": { "version": "5.0.3", "resolved": "https://registry.npmjs.org/tap-mocha-reporter/-/tap-mocha-reporter-5.0.3.tgz", "integrity": "sha512-6zlGkaV4J+XMRFkN0X+yuw6xHbE9jyCZ3WUKfw4KxMyRGOpYSRuuQTRJyWX88WWuLdVTuFbxzwXhXuS2XE6o0g==", "dev": true, "dependencies": { "color-support": "^1.1.0", "debug": "^4.1.1", "diff": "^4.0.1", "escape-string-regexp": "^2.0.0", "glob": "^7.0.5", "tap-parser": "^11.0.0", "tap-yaml": "^1.0.0", "unicode-length": "^2.0.2" }, "bin": { "tap-mocha-reporter": "index.js" }, "engines": { "node": ">= 8" } }, "node_modules/tap-mocha-reporter/node_modules/escape-string-regexp": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-2.0.0.tgz", "integrity": "sha512-UpzcLCXolUWcNu5HtVMHYdXJjArjsF9C0aNnquZYY4uW/Vu0miy5YoWvbV345HauVvcAUnpRuhMMcqTcGOY2+w==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/tap-parser": { "version": "11.0.1", "resolved": "https://registry.npmjs.org/tap-parser/-/tap-parser-11.0.1.tgz", "integrity": "sha512-5ow0oyFOnXVSALYdidMX94u0GEjIlgc/BPFYLx0yRh9hb8+cFGNJqJzDJlUqbLOwx8+NBrIbxCWkIQi7555c0w==", "dev": true, "dependencies": { "events-to-array": "^1.0.1", "minipass": "^3.1.6", "tap-yaml": "^1.0.0" }, "bin": { "tap-parser": "bin/cmd.js" }, "engines": { "node": ">= 8" } }, "node_modules/tap-yaml": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/tap-yaml/-/tap-yaml-1.0.0.tgz", "integrity": "sha512-Rxbx4EnrWkYk0/ztcm5u3/VznbyFJpyXO12dDBHKWiDVxy7O2Qw6MRrwO5H6Ww0U5YhRY/4C/VzWmFPhBQc4qQ==", "dev": true, "dependencies": { "yaml": "^1.5.0" } }, "node_modules/tap/node_modules/@ampproject/remapping": { "version": "2.1.2", "dev": true, "inBundle": true, "license": "Apache-2.0", "dependencies": { "@jridgewell/trace-mapping": "^0.3.0" }, "engines": { "node": ">=6.0.0" } }, "node_modules/tap/node_modules/@babel/code-frame": { "version": "7.16.7", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/highlight": "^7.16.7" }, "engines": { "node": ">=6.9.0" } }, "node_modules/tap/node_modules/@babel/compat-data": { "version": "7.17.7", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=6.9.0" } }, "node_modules/tap/node_modules/@babel/core": { "version": "7.17.8", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@ampproject/remapping": "^2.1.0", "@babel/code-frame": "^7.16.7", "@babel/generator": "^7.17.7", "@babel/helper-compilation-targets": "^7.17.7", "@babel/helper-module-transforms": "^7.17.7", "@babel/helpers": "^7.17.8", "@babel/parser": "^7.17.8", "@babel/template": "^7.16.7", "@babel/traverse": "^7.17.3", "@babel/types": "^7.17.0", "convert-source-map": "^1.7.0", "debug": "^4.1.0", "gensync": "^1.0.0-beta.2", "json5": "^2.1.2", "semver": "^6.3.0" }, "engines": { "node": ">=6.9.0" }, "funding": { "type": "opencollective", "url": "https://opencollective.com/babel" } }, "node_modules/tap/node_modules/@babel/generator": { "version": "7.17.7", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/types": "^7.17.0", "jsesc": "^2.5.1", "source-map": "^0.5.0" }, "engines": { "node": ">=6.9.0" } }, "node_modules/tap/node_modules/@babel/helper-annotate-as-pure": { "version": "7.16.7", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/types": "^7.16.7" }, "engines": { "node": ">=6.9.0" } }, "node_modules/tap/node_modules/@babel/helper-compilation-targets": { "version": "7.17.7", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/compat-data": "^7.17.7", "@babel/helper-validator-option": "^7.16.7", "browserslist": "^4.17.5", "semver": "^6.3.0" }, "engines": { "node": ">=6.9.0" }, "peerDependencies": { "@babel/core": "^7.0.0" } }, "node_modules/tap/node_modules/@babel/helper-environment-visitor": { "version": "7.16.7", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/types": "^7.16.7" }, "engines": { "node": ">=6.9.0" } }, "node_modules/tap/node_modules/@babel/helper-function-name": { "version": "7.16.7", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/helper-get-function-arity": "^7.16.7", "@babel/template": "^7.16.7", "@babel/types": "^7.16.7" }, "engines": { "node": ">=6.9.0" } }, "node_modules/tap/node_modules/@babel/helper-get-function-arity": { "version": "7.16.7", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/types": "^7.16.7" }, "engines": { "node": ">=6.9.0" } }, "node_modules/tap/node_modules/@babel/helper-hoist-variables": { "version": "7.16.7", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/types": "^7.16.7" }, "engines": { "node": ">=6.9.0" } }, "node_modules/tap/node_modules/@babel/helper-module-imports": { "version": "7.16.7", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/types": "^7.16.7" }, "engines": { "node": ">=6.9.0" } }, "node_modules/tap/node_modules/@babel/helper-module-transforms": { "version": "7.17.7", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/helper-environment-visitor": "^7.16.7", "@babel/helper-module-imports": "^7.16.7", "@babel/helper-simple-access": "^7.17.7", "@babel/helper-split-export-declaration": "^7.16.7", "@babel/helper-validator-identifier": "^7.16.7", "@babel/template": "^7.16.7", "@babel/traverse": "^7.17.3", "@babel/types": "^7.17.0" }, "engines": { "node": ">=6.9.0" } }, "node_modules/tap/node_modules/@babel/helper-plugin-utils": { "version": "7.16.7", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=6.9.0" } }, "node_modules/tap/node_modules/@babel/helper-simple-access": { "version": "7.17.7", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/types": "^7.17.0" }, "engines": { "node": ">=6.9.0" } }, "node_modules/tap/node_modules/@babel/helper-split-export-declaration": { "version": "7.16.7", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/types": "^7.16.7" }, "engines": { "node": ">=6.9.0" } }, "node_modules/tap/node_modules/@babel/helper-validator-identifier": { "version": "7.16.7", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=6.9.0" } }, "node_modules/tap/node_modules/@babel/helper-validator-option": { "version": "7.16.7", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=6.9.0" } }, "node_modules/tap/node_modules/@babel/helpers": { "version": "7.17.8", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/template": "^7.16.7", "@babel/traverse": "^7.17.3", "@babel/types": "^7.17.0" }, "engines": { "node": ">=6.9.0" } }, "node_modules/tap/node_modules/@babel/highlight": { "version": "7.16.10", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/helper-validator-identifier": "^7.16.7", "chalk": "^2.0.0", "js-tokens": "^4.0.0" }, "engines": { "node": ">=6.9.0" } }, "node_modules/tap/node_modules/@babel/parser": { "version": "7.17.8", "dev": true, "inBundle": true, "license": "MIT", "bin": { "parser": "bin/babel-parser.js" }, "engines": { "node": ">=6.0.0" } }, "node_modules/tap/node_modules/@babel/plugin-proposal-object-rest-spread": { "version": "7.17.3", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/compat-data": "^7.17.0", "@babel/helper-compilation-targets": "^7.16.7", "@babel/helper-plugin-utils": "^7.16.7", "@babel/plugin-syntax-object-rest-spread": "^7.8.3", "@babel/plugin-transform-parameters": "^7.16.7" }, "engines": { "node": ">=6.9.0" }, "peerDependencies": { "@babel/core": "^7.0.0-0" } }, "node_modules/tap/node_modules/@babel/plugin-syntax-jsx": { "version": "7.16.7", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/helper-plugin-utils": "^7.16.7" }, "engines": { "node": ">=6.9.0" }, "peerDependencies": { "@babel/core": "^7.0.0-0" } }, "node_modules/tap/node_modules/@babel/plugin-syntax-object-rest-spread": { "version": "7.8.3", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/helper-plugin-utils": "^7.8.0" }, "peerDependencies": { "@babel/core": "^7.0.0-0" } }, "node_modules/tap/node_modules/@babel/plugin-transform-destructuring": { "version": "7.17.7", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/helper-plugin-utils": "^7.16.7" }, "engines": { "node": ">=6.9.0" }, "peerDependencies": { "@babel/core": "^7.0.0-0" } }, "node_modules/tap/node_modules/@babel/plugin-transform-parameters": { "version": "7.16.7", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/helper-plugin-utils": "^7.16.7" }, "engines": { "node": ">=6.9.0" }, "peerDependencies": { "@babel/core": "^7.0.0-0" } }, "node_modules/tap/node_modules/@babel/plugin-transform-react-jsx": { "version": "7.17.3", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/helper-annotate-as-pure": "^7.16.7", "@babel/helper-module-imports": "^7.16.7", "@babel/helper-plugin-utils": "^7.16.7", "@babel/plugin-syntax-jsx": "^7.16.7", "@babel/types": "^7.17.0" }, "engines": { "node": ">=6.9.0" }, "peerDependencies": { "@babel/core": "^7.0.0-0" } }, "node_modules/tap/node_modules/@babel/template": { "version": "7.16.7", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/code-frame": "^7.16.7", "@babel/parser": "^7.16.7", "@babel/types": "^7.16.7" }, "engines": { "node": ">=6.9.0" } }, "node_modules/tap/node_modules/@babel/traverse": { "version": "7.17.3", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/code-frame": "^7.16.7", "@babel/generator": "^7.17.3", "@babel/helper-environment-visitor": "^7.16.7", "@babel/helper-function-name": "^7.16.7", "@babel/helper-hoist-variables": "^7.16.7", "@babel/helper-split-export-declaration": "^7.16.7", "@babel/parser": "^7.17.3", "@babel/types": "^7.17.0", "debug": "^4.1.0", "globals": "^11.1.0" }, "engines": { "node": ">=6.9.0" } }, "node_modules/tap/node_modules/@babel/types": { "version": "7.17.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/helper-validator-identifier": "^7.16.7", "to-fast-properties": "^2.0.0" }, "engines": { "node": ">=6.9.0" } }, "node_modules/tap/node_modules/@isaacs/import-jsx": { "version": "4.0.1", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@babel/core": "^7.5.5", "@babel/plugin-proposal-object-rest-spread": "^7.5.5", "@babel/plugin-transform-destructuring": "^7.5.0", "@babel/plugin-transform-react-jsx": "^7.3.0", "caller-path": "^3.0.1", "find-cache-dir": "^3.2.0", "make-dir": "^3.0.2", "resolve-from": "^3.0.0", "rimraf": "^3.0.0" }, "engines": { "node": ">=10" } }, "node_modules/tap/node_modules/@jridgewell/resolve-uri": { "version": "3.0.5", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=6.0.0" } }, "node_modules/tap/node_modules/@jridgewell/sourcemap-codec": { "version": "1.4.11", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/@jridgewell/trace-mapping": { "version": "0.3.4", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@jridgewell/resolve-uri": "^3.0.3", "@jridgewell/sourcemap-codec": "^1.4.10" } }, "node_modules/tap/node_modules/@types/prop-types": { "version": "15.7.4", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/@types/react": { "version": "17.0.41", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@types/prop-types": "*", "@types/scheduler": "*", "csstype": "^3.0.2" } }, "node_modules/tap/node_modules/@types/scheduler": { "version": "0.16.2", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/@types/yoga-layout": { "version": "1.9.2", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/ansi-escapes": { "version": "4.3.2", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "type-fest": "^0.21.3" }, "engines": { "node": ">=8" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/tap/node_modules/ansi-escapes/node_modules/type-fest": { "version": "0.21.3", "dev": true, "inBundle": true, "license": "(MIT OR CC0-1.0)", "engines": { "node": ">=10" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/tap/node_modules/ansi-regex": { "version": "5.0.1", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/ansi-styles": { "version": "3.2.1", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "color-convert": "^1.9.0" }, "engines": { "node": ">=4" } }, "node_modules/tap/node_modules/ansicolors": { "version": "0.3.2", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/astral-regex": { "version": "2.0.0", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/auto-bind": { "version": "4.0.0", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=8" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/tap/node_modules/balanced-match": { "version": "1.0.2", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/brace-expansion": { "version": "1.1.11", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "balanced-match": "^1.0.0", "concat-map": "0.0.1" } }, "node_modules/tap/node_modules/browserslist": { "version": "4.20.2", "dev": true, "funding": [ { "type": "opencollective", "url": "https://opencollective.com/browserslist" }, { "type": "tidelift", "url": "https://tidelift.com/funding/github/npm/browserslist" } ], "inBundle": true, "license": "MIT", "dependencies": { "caniuse-lite": "^1.0.30001317", "electron-to-chromium": "^1.4.84", "escalade": "^3.1.1", "node-releases": "^2.0.2", "picocolors": "^1.0.0" }, "bin": { "browserslist": "cli.js" }, "engines": { "node": "^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7" } }, "node_modules/tap/node_modules/caller-callsite": { "version": "4.1.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "callsites": "^3.1.0" }, "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/caller-path": { "version": "3.0.1", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "caller-callsite": "^4.1.0" }, "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/callsites": { "version": "3.1.0", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=6" } }, "node_modules/tap/node_modules/caniuse-lite": { "version": "1.0.30001319", "dev": true, "funding": [ { "type": "opencollective", "url": "https://opencollective.com/browserslist" }, { "type": "tidelift", "url": "https://tidelift.com/funding/github/npm/caniuse-lite" } ], "inBundle": true, "license": "CC-BY-4.0" }, "node_modules/tap/node_modules/cardinal": { "version": "2.1.1", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "ansicolors": "~0.3.2", "redeyed": "~2.1.0" }, "bin": { "cdl": "bin/cdl.js" } }, "node_modules/tap/node_modules/chalk": { "version": "2.4.2", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "ansi-styles": "^3.2.1", "escape-string-regexp": "^1.0.5", "supports-color": "^5.3.0" }, "engines": { "node": ">=4" } }, "node_modules/tap/node_modules/ci-info": { "version": "2.0.0", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/cli-boxes": { "version": "2.2.1", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=6" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/tap/node_modules/cli-cursor": { "version": "3.1.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "restore-cursor": "^3.1.0" }, "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/cli-truncate": { "version": "2.1.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "slice-ansi": "^3.0.0", "string-width": "^4.2.0" }, "engines": { "node": ">=8" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/tap/node_modules/code-excerpt": { "version": "3.0.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "convert-to-spaces": "^1.0.1" }, "engines": { "node": ">=10" } }, "node_modules/tap/node_modules/color-convert": { "version": "1.9.3", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "color-name": "1.1.3" } }, "node_modules/tap/node_modules/color-name": { "version": "1.1.3", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/commondir": { "version": "1.0.1", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/concat-map": { "version": "0.0.1", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/convert-source-map": { "version": "1.8.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "safe-buffer": "~5.1.1" } }, "node_modules/tap/node_modules/convert-to-spaces": { "version": "1.0.2", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">= 4" } }, "node_modules/tap/node_modules/csstype": { "version": "3.0.11", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/debug": { "version": "4.3.4", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "ms": "2.1.2" }, "engines": { "node": ">=6.0" }, "peerDependenciesMeta": { "supports-color": { "optional": true } } }, "node_modules/tap/node_modules/electron-to-chromium": { "version": "1.4.89", "dev": true, "inBundle": true, "license": "ISC" }, "node_modules/tap/node_modules/emoji-regex": { "version": "8.0.0", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/escalade": { "version": "3.1.1", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=6" } }, "node_modules/tap/node_modules/escape-string-regexp": { "version": "1.0.5", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=0.8.0" } }, "node_modules/tap/node_modules/esprima": { "version": "4.0.1", "dev": true, "inBundle": true, "license": "BSD-2-Clause", "bin": { "esparse": "bin/esparse.js", "esvalidate": "bin/esvalidate.js" }, "engines": { "node": ">=4" } }, "node_modules/tap/node_modules/events-to-array": { "version": "1.1.2", "dev": true, "inBundle": true, "license": "ISC" }, "node_modules/tap/node_modules/find-cache-dir": { "version": "3.3.2", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "commondir": "^1.0.1", "make-dir": "^3.0.2", "pkg-dir": "^4.1.0" }, "engines": { "node": ">=8" }, "funding": { "url": "https://github.com/avajs/find-cache-dir?sponsor=1" } }, "node_modules/tap/node_modules/find-up": { "version": "4.1.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "locate-path": "^5.0.0", "path-exists": "^4.0.0" }, "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/fs.realpath": { "version": "1.0.0", "dev": true, "inBundle": true, "license": "ISC" }, "node_modules/tap/node_modules/gensync": { "version": "1.0.0-beta.2", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=6.9.0" } }, "node_modules/tap/node_modules/glob": { "version": "7.2.0", "dev": true, "inBundle": true, "license": "ISC", "dependencies": { "fs.realpath": "^1.0.0", "inflight": "^1.0.4", "inherits": "2", "minimatch": "^3.0.4", "once": "^1.3.0", "path-is-absolute": "^1.0.0" }, "engines": { "node": "*" }, "funding": { "url": "https://github.com/sponsors/isaacs" } }, "node_modules/tap/node_modules/globals": { "version": "11.12.0", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=4" } }, "node_modules/tap/node_modules/has-flag": { "version": "3.0.0", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=4" } }, "node_modules/tap/node_modules/indent-string": { "version": "4.0.0", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/inflight": { "version": "1.0.6", "dev": true, "inBundle": true, "license": "ISC", "dependencies": { "once": "^1.3.0", "wrappy": "1" } }, "node_modules/tap/node_modules/inherits": { "version": "2.0.4", "dev": true, "inBundle": true, "license": "ISC" }, "node_modules/tap/node_modules/ink": { "version": "3.2.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "ansi-escapes": "^4.2.1", "auto-bind": "4.0.0", "chalk": "^4.1.0", "cli-boxes": "^2.2.0", "cli-cursor": "^3.1.0", "cli-truncate": "^2.1.0", "code-excerpt": "^3.0.0", "indent-string": "^4.0.0", "is-ci": "^2.0.0", "lodash": "^4.17.20", "patch-console": "^1.0.0", "react-devtools-core": "^4.19.1", "react-reconciler": "^0.26.2", "scheduler": "^0.20.2", "signal-exit": "^3.0.2", "slice-ansi": "^3.0.0", "stack-utils": "^2.0.2", "string-width": "^4.2.2", "type-fest": "^0.12.0", "widest-line": "^3.1.0", "wrap-ansi": "^6.2.0", "ws": "^7.5.5", "yoga-layout-prebuilt": "^1.9.6" }, "engines": { "node": ">=10" }, "peerDependencies": { "@types/react": ">=16.8.0", "react": ">=16.8.0" }, "peerDependenciesMeta": { "@types/react": { "optional": true } } }, "node_modules/tap/node_modules/ink/node_modules/ansi-styles": { "version": "4.3.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "color-convert": "^2.0.1" }, "engines": { "node": ">=8" }, "funding": { "url": "https://github.com/chalk/ansi-styles?sponsor=1" } }, "node_modules/tap/node_modules/ink/node_modules/chalk": { "version": "4.1.2", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "ansi-styles": "^4.1.0", "supports-color": "^7.1.0" }, "engines": { "node": ">=10" }, "funding": { "url": "https://github.com/chalk/chalk?sponsor=1" } }, "node_modules/tap/node_modules/ink/node_modules/color-convert": { "version": "2.0.1", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "color-name": "~1.1.4" }, "engines": { "node": ">=7.0.0" } }, "node_modules/tap/node_modules/ink/node_modules/color-name": { "version": "1.1.4", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/ink/node_modules/has-flag": { "version": "4.0.0", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/ink/node_modules/supports-color": { "version": "7.2.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "has-flag": "^4.0.0" }, "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/is-ci": { "version": "2.0.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "ci-info": "^2.0.0" }, "bin": { "is-ci": "bin.js" } }, "node_modules/tap/node_modules/is-fullwidth-code-point": { "version": "3.0.0", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/js-tokens": { "version": "4.0.0", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/jsesc": { "version": "2.5.2", "dev": true, "inBundle": true, "license": "MIT", "bin": { "jsesc": "bin/jsesc" }, "engines": { "node": ">=4" } }, "node_modules/tap/node_modules/json5": { "version": "2.2.1", "dev": true, "inBundle": true, "license": "MIT", "bin": { "json5": "lib/cli.js" }, "engines": { "node": ">=6" } }, "node_modules/tap/node_modules/locate-path": { "version": "5.0.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "p-locate": "^4.1.0" }, "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/lodash": { "version": "4.17.21", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/loose-envify": { "version": "1.4.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "js-tokens": "^3.0.0 || ^4.0.0" }, "bin": { "loose-envify": "cli.js" } }, "node_modules/tap/node_modules/make-dir": { "version": "3.1.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "semver": "^6.0.0" }, "engines": { "node": ">=8" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/tap/node_modules/mimic-fn": { "version": "2.1.0", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=6" } }, "node_modules/tap/node_modules/minimatch": { "version": "3.1.2", "dev": true, "inBundle": true, "license": "ISC", "dependencies": { "brace-expansion": "^1.1.7" }, "engines": { "node": "*" } }, "node_modules/tap/node_modules/minipass": { "version": "3.1.6", "dev": true, "inBundle": true, "license": "ISC", "dependencies": { "yallist": "^4.0.0" }, "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/ms": { "version": "2.1.2", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/node-releases": { "version": "2.0.2", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/object-assign": { "version": "4.1.1", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=0.10.0" } }, "node_modules/tap/node_modules/once": { "version": "1.4.0", "dev": true, "inBundle": true, "license": "ISC", "dependencies": { "wrappy": "1" } }, "node_modules/tap/node_modules/onetime": { "version": "5.1.2", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "mimic-fn": "^2.1.0" }, "engines": { "node": ">=6" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/tap/node_modules/p-limit": { "version": "2.3.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "p-try": "^2.0.0" }, "engines": { "node": ">=6" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/tap/node_modules/p-locate": { "version": "4.1.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "p-limit": "^2.2.0" }, "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/p-try": { "version": "2.2.0", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=6" } }, "node_modules/tap/node_modules/patch-console": { "version": "1.0.0", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=10" } }, "node_modules/tap/node_modules/path-exists": { "version": "4.0.0", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/path-is-absolute": { "version": "1.0.1", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=0.10.0" } }, "node_modules/tap/node_modules/picocolors": { "version": "1.0.0", "dev": true, "inBundle": true, "license": "ISC" }, "node_modules/tap/node_modules/pkg-dir": { "version": "4.2.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "find-up": "^4.0.0" }, "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/punycode": { "version": "2.1.1", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=6" } }, "node_modules/tap/node_modules/react": { "version": "17.0.2", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "loose-envify": "^1.1.0", "object-assign": "^4.1.1" }, "engines": { "node": ">=0.10.0" } }, "node_modules/tap/node_modules/react-devtools-core": { "version": "4.24.1", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "shell-quote": "^1.6.1", "ws": "^7" } }, "node_modules/tap/node_modules/react-reconciler": { "version": "0.26.2", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "loose-envify": "^1.1.0", "object-assign": "^4.1.1", "scheduler": "^0.20.2" }, "engines": { "node": ">=0.10.0" }, "peerDependencies": { "react": "^17.0.2" } }, "node_modules/tap/node_modules/redeyed": { "version": "2.1.1", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "esprima": "~4.0.0" } }, "node_modules/tap/node_modules/resolve-from": { "version": "3.0.0", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=4" } }, "node_modules/tap/node_modules/restore-cursor": { "version": "3.1.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "onetime": "^5.1.0", "signal-exit": "^3.0.2" }, "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/rimraf": { "version": "3.0.2", "dev": true, "inBundle": true, "license": "ISC", "dependencies": { "glob": "^7.1.3" }, "bin": { "rimraf": "bin.js" }, "funding": { "url": "https://github.com/sponsors/isaacs" } }, "node_modules/tap/node_modules/safe-buffer": { "version": "5.1.2", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/scheduler": { "version": "0.20.2", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "loose-envify": "^1.1.0", "object-assign": "^4.1.1" } }, "node_modules/tap/node_modules/semver": { "version": "6.3.0", "dev": true, "inBundle": true, "license": "ISC", "bin": { "semver": "bin/semver.js" } }, "node_modules/tap/node_modules/shell-quote": { "version": "1.7.3", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/signal-exit": { "version": "3.0.7", "dev": true, "inBundle": true, "license": "ISC" }, "node_modules/tap/node_modules/slice-ansi": { "version": "3.0.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "ansi-styles": "^4.0.0", "astral-regex": "^2.0.0", "is-fullwidth-code-point": "^3.0.0" }, "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/slice-ansi/node_modules/ansi-styles": { "version": "4.3.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "color-convert": "^2.0.1" }, "engines": { "node": ">=8" }, "funding": { "url": "https://github.com/chalk/ansi-styles?sponsor=1" } }, "node_modules/tap/node_modules/slice-ansi/node_modules/color-convert": { "version": "2.0.1", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "color-name": "~1.1.4" }, "engines": { "node": ">=7.0.0" } }, "node_modules/tap/node_modules/slice-ansi/node_modules/color-name": { "version": "1.1.4", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/source-map": { "version": "0.5.7", "dev": true, "inBundle": true, "license": "BSD-3-Clause", "engines": { "node": ">=0.10.0" } }, "node_modules/tap/node_modules/stack-utils": { "version": "2.0.5", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "escape-string-regexp": "^2.0.0" }, "engines": { "node": ">=10" } }, "node_modules/tap/node_modules/stack-utils/node_modules/escape-string-regexp": { "version": "2.0.0", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/string-width": { "version": "4.2.3", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "emoji-regex": "^8.0.0", "is-fullwidth-code-point": "^3.0.0", "strip-ansi": "^6.0.1" }, "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/strip-ansi": { "version": "6.0.1", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "ansi-regex": "^5.0.1" }, "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/supports-color": { "version": "5.5.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "has-flag": "^3.0.0" }, "engines": { "node": ">=4" } }, "node_modules/tap/node_modules/tap-parser": { "version": "11.0.1", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "events-to-array": "^1.0.1", "minipass": "^3.1.6", "tap-yaml": "^1.0.0" }, "bin": { "tap-parser": "bin/cmd.js" }, "engines": { "node": ">= 8" } }, "node_modules/tap/node_modules/tap-yaml": { "version": "1.0.0", "dev": true, "inBundle": true, "license": "ISC", "dependencies": { "yaml": "^1.5.0" } }, "node_modules/tap/node_modules/to-fast-properties": { "version": "2.0.0", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=4" } }, "node_modules/tap/node_modules/treport": { "version": "3.0.3", "dev": true, "inBundle": true, "license": "ISC", "dependencies": { "@isaacs/import-jsx": "^4.0.1", "cardinal": "^2.1.1", "chalk": "^3.0.0", "ink": "^3.2.0", "ms": "^2.1.2", "tap-parser": "^11.0.0", "unicode-length": "^2.0.2" }, "peerDependencies": { "react": "^17.0.2" } }, "node_modules/tap/node_modules/treport/node_modules/ansi-styles": { "version": "4.3.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "color-convert": "^2.0.1" }, "engines": { "node": ">=8" }, "funding": { "url": "https://github.com/chalk/ansi-styles?sponsor=1" } }, "node_modules/tap/node_modules/treport/node_modules/chalk": { "version": "3.0.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "ansi-styles": "^4.1.0", "supports-color": "^7.1.0" }, "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/treport/node_modules/color-convert": { "version": "2.0.1", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "color-name": "~1.1.4" }, "engines": { "node": ">=7.0.0" } }, "node_modules/tap/node_modules/treport/node_modules/color-name": { "version": "1.1.4", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/treport/node_modules/has-flag": { "version": "4.0.0", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/treport/node_modules/supports-color": { "version": "7.2.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "has-flag": "^4.0.0" }, "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/type-fest": { "version": "0.12.0", "dev": true, "inBundle": true, "license": "(MIT OR CC0-1.0)", "engines": { "node": ">=10" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/tap/node_modules/unicode-length": { "version": "2.0.2", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "punycode": "^2.0.0", "strip-ansi": "^3.0.1" } }, "node_modules/tap/node_modules/unicode-length/node_modules/ansi-regex": { "version": "2.1.1", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=0.10.0" } }, "node_modules/tap/node_modules/unicode-length/node_modules/strip-ansi": { "version": "3.0.1", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "ansi-regex": "^2.0.0" }, "engines": { "node": ">=0.10.0" } }, "node_modules/tap/node_modules/widest-line": { "version": "3.1.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "string-width": "^4.0.0" }, "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/wrap-ansi": { "version": "6.2.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "ansi-styles": "^4.0.0", "string-width": "^4.1.0", "strip-ansi": "^6.0.0" }, "engines": { "node": ">=8" } }, "node_modules/tap/node_modules/wrap-ansi/node_modules/ansi-styles": { "version": "4.3.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "color-convert": "^2.0.1" }, "engines": { "node": ">=8" }, "funding": { "url": "https://github.com/chalk/ansi-styles?sponsor=1" } }, "node_modules/tap/node_modules/wrap-ansi/node_modules/color-convert": { "version": "2.0.1", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "color-name": "~1.1.4" }, "engines": { "node": ">=7.0.0" } }, "node_modules/tap/node_modules/wrap-ansi/node_modules/color-name": { "version": "1.1.4", "dev": true, "inBundle": true, "license": "MIT" }, "node_modules/tap/node_modules/wrappy": { "version": "1.0.2", "dev": true, "inBundle": true, "license": "ISC" }, "node_modules/tap/node_modules/ws": { "version": "7.5.7", "dev": true, "inBundle": true, "license": "MIT", "engines": { "node": ">=8.3.0" }, "peerDependencies": { "bufferutil": "^4.0.1", "utf-8-validate": "^5.0.2" }, "peerDependenciesMeta": { "bufferutil": { "optional": true }, "utf-8-validate": { "optional": true } } }, "node_modules/tap/node_modules/yallist": { "version": "4.0.0", "dev": true, "inBundle": true, "license": "ISC" }, "node_modules/tap/node_modules/yaml": { "version": "1.10.2", "dev": true, "inBundle": true, "license": "ISC", "engines": { "node": ">= 6" } }, "node_modules/tap/node_modules/yoga-layout-prebuilt": { "version": "1.10.0", "dev": true, "inBundle": true, "license": "MIT", "dependencies": { "@types/yoga-layout": "1.9.2" }, "engines": { "node": ">=8" } }, "node_modules/tcompare": { "version": "5.0.7", "resolved": "https://registry.npmjs.org/tcompare/-/tcompare-5.0.7.tgz", "integrity": "sha512-d9iddt6YYGgyxJw5bjsN7UJUO1kGOtjSlNy/4PoGYAjQS5pAT/hzIoLf1bZCw+uUxRmZJh7Yy1aA7xKVRT9B4w==", "dev": true, "dependencies": { "diff": "^4.0.2" }, "engines": { "node": ">=10" } }, "node_modules/test-exclude": { "version": "6.0.0", "resolved": "https://registry.npmjs.org/test-exclude/-/test-exclude-6.0.0.tgz", "integrity": "sha512-cAGWPIyOHU6zlmg88jwm7VRyXnMN7iV68OGAbYDk/Mh/xC/pzVPlQtY6ngoIH/5/tciuhGfvESU8GrHrcxD56w==", "dev": true, "dependencies": { "@istanbuljs/schema": "^0.1.2", "glob": "^7.1.4", "minimatch": "^3.0.4" }, "engines": { "node": ">=8" } }, "node_modules/text-extensions": { "version": "1.9.0", "resolved": "https://registry.npmjs.org/text-extensions/-/text-extensions-1.9.0.tgz", "integrity": "sha512-wiBrwC1EhBelW12Zy26JeOUkQ5mRu+5o8rpsJk5+2t+Y5vE7e842qtZDQ2g1NpX/29HdyFeJ4nSIhI47ENSxlQ==", "dev": true, "engines": { "node": ">=0.10" } }, "node_modules/text-table": { "version": "0.2.0", "resolved": "https://registry.npmjs.org/text-table/-/text-table-0.2.0.tgz", "integrity": "sha1-f17oI66AUgfACvLfSoTsP8+lcLQ=", "dev": true }, "node_modules/through": { "version": "2.3.8", "resolved": "https://registry.npmjs.org/through/-/through-2.3.8.tgz", "integrity": "sha512-w89qg7PI8wAdvX60bMDP+bFoD5Dvhm9oLheFp5O4a2QF0cSBGsBX4qZmadPMvVqlLJBBci+WqGGOAPvcDeNSVg==", "dev": true }, "node_modules/through2": { "version": "4.0.2", "resolved": "https://registry.npmjs.org/through2/-/through2-4.0.2.tgz", "integrity": "sha512-iOqSav00cVxEEICeD7TjLB1sueEL+81Wpzp2bY17uZjZN0pWZPuo4suZ/61VujxmqSGFfgOcNuTZ85QJwNZQpw==", "dev": true, "dependencies": { "readable-stream": "3" } }, "node_modules/to-fast-properties": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/to-fast-properties/-/to-fast-properties-2.0.0.tgz", "integrity": "sha1-3F5pjL0HkmW8c+A3doGk5Og/YW4=", "dev": true, "engines": { "node": ">=4" } }, "node_modules/to-regex-range": { "version": "5.0.1", "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz", "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==", "dev": true, "dependencies": { "is-number": "^7.0.0" }, "engines": { "node": ">=8.0" } }, "node_modules/trim-newlines": { "version": "3.0.1", "resolved": "https://registry.npmjs.org/trim-newlines/-/trim-newlines-3.0.1.tgz", "integrity": "sha512-c1PTsA3tYrIsLGkJkzHF+w9F2EyxfXGo4UyJc4pFL++FMjnq0HJS69T3M7d//gKrFKwy429bouPescbjecU+Zw==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/trivial-deferred": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/trivial-deferred/-/trivial-deferred-1.0.1.tgz", "integrity": "sha1-N21NKdlR1jaKb3oK6FwvTV4GWPM=", "dev": true }, "node_modules/ts-node": { "version": "10.8.1", "resolved": "https://registry.npmjs.org/ts-node/-/ts-node-10.8.1.tgz", "integrity": "sha512-Wwsnao4DQoJsN034wePSg5nZiw4YKXf56mPIAeD6wVmiv+RytNSWqc2f3fKvcUoV+Yn2+yocD71VOfQHbmVX4g==", "dev": true, "dependencies": { "@cspotcode/source-map-support": "^0.8.0", "@tsconfig/node10": "^1.0.7", "@tsconfig/node12": "^1.0.7", "@tsconfig/node14": "^1.0.0", "@tsconfig/node16": "^1.0.2", "acorn": "^8.4.1", "acorn-walk": "^8.1.1", "arg": "^4.1.0", "create-require": "^1.1.0", "diff": "^4.0.1", "make-error": "^1.1.1", "v8-compile-cache-lib": "^3.0.1", "yn": "3.1.1" }, "bin": { "ts-node": "dist/bin.js", "ts-node-cwd": "dist/bin-cwd.js", "ts-node-esm": "dist/bin-esm.js", "ts-node-script": "dist/bin-script.js", "ts-node-transpile-only": "dist/bin-transpile.js", "ts-script": "dist/bin-script-deprecated.js" }, "peerDependencies": { "@swc/core": ">=1.2.50", "@swc/wasm": ">=1.2.50", "@types/node": "*", "typescript": ">=2.7" }, "peerDependenciesMeta": { "@swc/core": { "optional": true }, "@swc/wasm": { "optional": true } } }, "node_modules/tsconfig-paths": { "version": "3.14.1", "resolved": "https://registry.npmjs.org/tsconfig-paths/-/tsconfig-paths-3.14.1.tgz", "integrity": "sha512-fxDhWnFSLt3VuTwtvJt5fpwxBHg5AdKWMsgcPOOIilyjymcYVZoCQF8fvFRezCNfblEXmi+PcM1eYHeOAgXCOQ==", "dev": true, "dependencies": { "@types/json5": "^0.0.29", "json5": "^1.0.1", "minimist": "^1.2.6", "strip-bom": "^3.0.0" } }, "node_modules/type-check": { "version": "0.4.0", "resolved": "https://registry.npmjs.org/type-check/-/type-check-0.4.0.tgz", "integrity": "sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==", "dev": true, "dependencies": { "prelude-ls": "^1.2.1" }, "engines": { "node": ">= 0.8.0" } }, "node_modules/type-fest": { "version": "0.20.2", "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.20.2.tgz", "integrity": "sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==", "dev": true, "engines": { "node": ">=10" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/typedarray-to-buffer": { "version": "3.1.5", "resolved": "https://registry.npmjs.org/typedarray-to-buffer/-/typedarray-to-buffer-3.1.5.tgz", "integrity": "sha512-zdu8XMNEDepKKR+XYOXAVPtWui0ly0NtohUscw+UmaHiAWT8hrV1rr//H6V+0DvJ3OQ19S979M0laLfX8rm82Q==", "dev": true, "dependencies": { "is-typedarray": "^1.0.0" } }, "node_modules/typescript": { "version": "4.7.2", "resolved": "https://registry.npmjs.org/typescript/-/typescript-4.7.2.tgz", "integrity": "sha512-Mamb1iX2FDUpcTRzltPxgWMKy3fhg0TN378ylbktPGPK/99KbDtMQ4W1hwgsbPAsG3a0xKa1vmw4VKZQbkvz5A==", "dev": true, "bin": { "tsc": "bin/tsc", "tsserver": "bin/tsserver" }, "engines": { "node": ">=4.2.0" } }, "node_modules/unbox-primitive": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/unbox-primitive/-/unbox-primitive-1.0.2.tgz", "integrity": "sha512-61pPlCD9h51VoreyJ0BReideM3MDKMKnh6+V9L08331ipq6Q8OFXZYiqP6n/tbHx4s5I9uRhcye6BrbkizkBDw==", "dev": true, "dependencies": { "call-bind": "^1.0.2", "has-bigints": "^1.0.2", "has-symbols": "^1.0.3", "which-boxed-primitive": "^1.0.2" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/unicode-length": { "version": "2.0.2", "resolved": "https://registry.npmjs.org/unicode-length/-/unicode-length-2.0.2.tgz", "integrity": "sha512-Ph/j1VbS3/r77nhoY2WU0GWGjVYOHL3xpKp0y/Eq2e5r0mT/6b649vm7KFO6RdAdrZkYLdxphYVgvODxPB+Ebg==", "dev": true, "dependencies": { "punycode": "^2.0.0", "strip-ansi": "^3.0.1" } }, "node_modules/unicode-length/node_modules/ansi-regex": { "version": "2.1.1", "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-2.1.1.tgz", "integrity": "sha512-TIGnTpdo+E3+pCyAluZvtED5p5wCqLdezCyhPZzKPcxvFplEt4i+W7OONCKgeZFT3+y5NZZfOOS/Bdcanm1MYA==", "dev": true, "engines": { "node": ">=0.10.0" } }, "node_modules/unicode-length/node_modules/punycode": { "version": "2.1.1", "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.1.1.tgz", "integrity": "sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==", "dev": true, "engines": { "node": ">=6" } }, "node_modules/unicode-length/node_modules/strip-ansi": { "version": "3.0.1", "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-3.0.1.tgz", "integrity": "sha1-ajhfuIU9lS1f8F0Oiq+UJ43GPc8=", "dev": true, "dependencies": { "ansi-regex": "^2.0.0" }, "engines": { "node": ">=0.10.0" } }, "node_modules/universalify": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/universalify/-/universalify-2.0.0.tgz", "integrity": "sha512-hAZsKq7Yy11Zu1DE0OzWjw7nnLZmJZYTDZZyEFHZdUhV8FkH5MCfoU1XMaxXovpyW5nq5scPqq0ZDP9Zyl04oQ==", "engines": { "node": ">= 10.0.0" } }, "node_modules/uri-js": { "version": "4.4.1", "resolved": "https://registry.npmjs.org/uri-js/-/uri-js-4.4.1.tgz", "integrity": "sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==", "dev": true, "dependencies": { "punycode": "^2.1.0" } }, "node_modules/uri-js/node_modules/punycode": { "version": "2.1.1", "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.1.1.tgz", "integrity": "sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==", "dev": true, "engines": { "node": ">=6" } }, "node_modules/util-deprecate": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/util-deprecate/-/util-deprecate-1.0.2.tgz", "integrity": "sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==", "dev": true }, "node_modules/v8-compile-cache": { "version": "2.3.0", "resolved": "https://registry.npmjs.org/v8-compile-cache/-/v8-compile-cache-2.3.0.tgz", "integrity": "sha512-l8lCEmLcLYZh4nbunNZvQCJc5pv7+RCwa8q/LdUx8u7lsWvPDKmpodJAJNwkAhJC//dFY48KuIEmjtd4RViDrA==", "dev": true }, "node_modules/v8-compile-cache-lib": { "version": "3.0.1", "resolved": "https://registry.npmjs.org/v8-compile-cache-lib/-/v8-compile-cache-lib-3.0.1.tgz", "integrity": "sha512-wa7YjyUGfNZngI/vtK0UHAN+lgDCxBPCylVXGp0zu59Fz5aiGtNXaq3DhIov063MorB+VfufLh3JlF2KdTK3xg==", "dev": true }, "node_modules/validate-npm-package-license": { "version": "3.0.4", "resolved": "https://registry.npmjs.org/validate-npm-package-license/-/validate-npm-package-license-3.0.4.tgz", "integrity": "sha512-DpKm2Ui/xN7/HQKCtpZxoRWBhZ9Z0kqtygG8XCgNQ8ZlDnxuQmWhj566j8fN4Cu3/JmbhsDo7fcAJq4s9h27Ew==", "dev": true, "dependencies": { "spdx-correct": "^3.0.0", "spdx-expression-parse": "^3.0.0" } }, "node_modules/which": { "version": "2.0.2", "resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz", "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", "dev": true, "dependencies": { "isexe": "^2.0.0" }, "bin": { "node-which": "bin/node-which" }, "engines": { "node": ">= 8" } }, "node_modules/which-boxed-primitive": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/which-boxed-primitive/-/which-boxed-primitive-1.0.2.tgz", "integrity": "sha512-bwZdv0AKLpplFY2KZRX6TvyuN7ojjr7lwkg6ml0roIy9YeuSr7JS372qlNW18UQYzgYK9ziGcerWqZOmEn9VNg==", "dev": true, "dependencies": { "is-bigint": "^1.0.1", "is-boolean-object": "^1.1.0", "is-number-object": "^1.0.4", "is-string": "^1.0.5", "is-symbol": "^1.0.3" }, "funding": { "url": "https://github.com/sponsors/ljharb" } }, "node_modules/which-module": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/which-module/-/which-module-2.0.0.tgz", "integrity": "sha1-2e8H3Od7mQK4o6j6SzHD4/fm6Ho=", "dev": true }, "node_modules/word-wrap": { "version": "1.2.3", "resolved": "https://registry.npmjs.org/word-wrap/-/word-wrap-1.2.3.tgz", "integrity": "sha512-Hz/mrNwitNRh/HUAtM/VT/5VH+ygD6DV7mYKZAtHOrbs8U7lvPS6xf7EJKMF0uW1KJCl0H701g3ZGus+muE5vQ==", "dev": true, "engines": { "node": ">=0.10.0" } }, "node_modules/wrap-ansi": { "version": "6.2.0", "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-6.2.0.tgz", "integrity": "sha512-r6lPcBGxZXlIcymEu7InxDMhdW0KDxpLgoFLcguasxCaJ/SOIZwINatK9KY/tf+ZrlywOKU0UDj3ATXUBfxJXA==", "dev": true, "dependencies": { "ansi-styles": "^4.0.0", "string-width": "^4.1.0", "strip-ansi": "^6.0.0" }, "engines": { "node": ">=8" } }, "node_modules/wrappy": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz", "integrity": "sha1-tSQ9jz7BqjXxNkYFvA0QNuMKtp8=", "dev": true }, "node_modules/write-file-atomic": { "version": "3.0.3", "resolved": "https://registry.npmjs.org/write-file-atomic/-/write-file-atomic-3.0.3.tgz", "integrity": "sha512-AvHcyZ5JnSfq3ioSyjrBkH9yW4m7Ayk8/9My/DD9onKeu/94fwrMocemO2QAJFAlnnDN+ZDS+ZjAR5ua1/PV/Q==", "dev": true, "dependencies": { "imurmurhash": "^0.1.4", "is-typedarray": "^1.0.0", "signal-exit": "^3.0.2", "typedarray-to-buffer": "^3.1.5" } }, "node_modules/y18n": { "version": "4.0.3", "resolved": "https://registry.npmjs.org/y18n/-/y18n-4.0.3.tgz", "integrity": "sha512-JKhqTOwSrqNA1NY5lSztJ1GrBiUodLMmIZuLiDaMRJ+itFd+ABVE8XBjOvIWL+rSqNDC74LCSFmlb/U4UZ4hJQ==", "dev": true }, "node_modules/yallist": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/yallist/-/yallist-4.0.0.tgz", "integrity": "sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==", "dev": true }, "node_modules/yaml": { "version": "1.10.2", "resolved": "https://registry.npmjs.org/yaml/-/yaml-1.10.2.tgz", "integrity": "sha512-r3vXyErRCYJ7wg28yvBY5VSoAF8ZvlcW9/BwUzEtUsjvX/DKs24dIkuwjtuprwJJHsbyUbLApepYTR1BN4uHrg==", "dev": true, "engines": { "node": ">= 6" } }, "node_modules/yargs": { "version": "15.4.1", "resolved": "https://registry.npmjs.org/yargs/-/yargs-15.4.1.tgz", "integrity": "sha512-aePbxDmcYW++PaqBsJ+HYUFwCdv4LVvdnhBy78E57PIor8/OVvhMrADFFEDh8DHDFRv/O9i3lPhsENjO7QX0+A==", "dev": true, "dependencies": { "cliui": "^6.0.0", "decamelize": "^1.2.0", "find-up": "^4.1.0", "get-caller-file": "^2.0.1", "require-directory": "^2.1.1", "require-main-filename": "^2.0.0", "set-blocking": "^2.0.0", "string-width": "^4.2.0", "which-module": "^2.0.0", "y18n": "^4.0.0", "yargs-parser": "^18.1.2" }, "engines": { "node": ">=8" } }, "node_modules/yargs-parser": { "version": "18.1.3", "resolved": "https://registry.npmjs.org/yargs-parser/-/yargs-parser-18.1.3.tgz", "integrity": "sha512-o50j0JeToy/4K6OZcaQmW6lyXXKhq7csREXcDwk2omFPJEwUNOVtJKvmDr9EI1fAJZUyZcRF7kxGBWmRXudrCQ==", "dev": true, "dependencies": { "camelcase": "^5.0.0", "decamelize": "^1.2.0" }, "engines": { "node": ">=6" } }, "node_modules/yargs/node_modules/find-up": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/find-up/-/find-up-4.1.0.tgz", "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", "dev": true, "dependencies": { "locate-path": "^5.0.0", "path-exists": "^4.0.0" }, "engines": { "node": ">=8" } }, "node_modules/yargs/node_modules/locate-path": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-5.0.0.tgz", "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", "dev": true, "dependencies": { "p-locate": "^4.1.0" }, "engines": { "node": ">=8" } }, "node_modules/yargs/node_modules/p-limit": { "version": "2.3.0", "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", "dev": true, "dependencies": { "p-try": "^2.0.0" }, "engines": { "node": ">=6" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } }, "node_modules/yargs/node_modules/p-locate": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-4.1.0.tgz", "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", "dev": true, "dependencies": { "p-limit": "^2.2.0" }, "engines": { "node": ">=8" } }, "node_modules/yargs/node_modules/p-try": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/p-try/-/p-try-2.2.0.tgz", "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", "dev": true, "engines": { "node": ">=6" } }, "node_modules/yargs/node_modules/path-exists": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", "dev": true, "engines": { "node": ">=8" } }, "node_modules/yn": { "version": "3.1.1", "resolved": "https://registry.npmjs.org/yn/-/yn-3.1.1.tgz", "integrity": "sha512-Ux4ygGWsu2c7isFWe8Yu1YluJmqVhxqK2cLXNQA5AcC3QfbGNpM7fu0Y8b/z16pXLnFxZYvWhd3fhBY9DLmC6Q==", "dev": true, "engines": { "node": ">=6" } }, "node_modules/yocto-queue": { "version": "0.1.0", "resolved": "https://registry.npmjs.org/yocto-queue/-/yocto-queue-0.1.0.tgz", "integrity": "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==", "dev": true, "engines": { "node": ">=10" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" } } }, "dependencies": { "@ampproject/remapping": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/@ampproject/remapping/-/remapping-2.2.0.tgz", "integrity": "sha512-qRmjj8nj9qmLTQXXmaR1cck3UXSRMPrbsLJAasZpF+t3riI71BXed5ebIOYwQntykeZuhjsdweEc9BxH5Jc26w==", "dev": true, "requires": { "@jridgewell/gen-mapping": "^0.1.0", "@jridgewell/trace-mapping": "^0.3.9" } }, "@babel/code-frame": { "version": "7.16.7", "resolved": "https://registry.npmjs.org/@babel/code-frame/-/code-frame-7.16.7.tgz", "integrity": "sha512-iAXqUn8IIeBTNd72xsFlgaXHkMBMt6y4HJp1tIaK465CWLT/fG1aqB7ykr95gHHmlBdGbFeWWfyB4NJJ0nmeIg==", "dev": true, "requires": { "@babel/highlight": "^7.16.7" } }, "@babel/compat-data": { "version": "7.17.10", "resolved": "https://registry.npmjs.org/@babel/compat-data/-/compat-data-7.17.10.tgz", "integrity": "sha512-GZt/TCsG70Ms19gfZO1tM4CVnXsPgEPBCpJu+Qz3L0LUDsY5nZqFZglIoPC1kIYOtNBZlrnFT+klg12vFGZXrw==", "dev": true }, "@babel/core": { "version": "7.18.2", "resolved": "https://registry.npmjs.org/@babel/core/-/core-7.18.2.tgz", "integrity": "sha512-A8pri1YJiC5UnkdrWcmfZTJTV85b4UXTAfImGmCfYmax4TR9Cw8sDS0MOk++Gp2mE/BefVJ5nwy5yzqNJbP/DQ==", "dev": true, "requires": { "@ampproject/remapping": "^2.1.0", "@babel/code-frame": "^7.16.7", "@babel/generator": "^7.18.2", "@babel/helper-compilation-targets": "^7.18.2", "@babel/helper-module-transforms": "^7.18.0", "@babel/helpers": "^7.18.2", "@babel/parser": "^7.18.0", "@babel/template": "^7.16.7", "@babel/traverse": "^7.18.2", "@babel/types": "^7.18.2", "convert-source-map": "^1.7.0", "debug": "^4.1.0", "gensync": "^1.0.0-beta.2", "json5": "^2.2.1", "semver": "^6.3.0" }, "dependencies": { "json5": { "version": "2.2.1", "resolved": "https://registry.npmjs.org/json5/-/json5-2.2.1.tgz", "integrity": "sha512-1hqLFMSrGHRHxav9q9gNjJ5EXznIxGVO09xQRrwplcS8qs28pZ8s8hupZAmqDwZUmVZ2Qb2jnyPOWcDH8m8dlA==", "dev": true } } }, "@babel/generator": { "version": "7.18.2", "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.18.2.tgz", "integrity": "sha512-W1lG5vUwFvfMd8HVXqdfbuG7RuaSrTCCD8cl8fP8wOivdbtbIg2Db3IWUcgvfxKbbn6ZBGYRW/Zk1MIwK49mgw==", "dev": true, "requires": { "@babel/types": "^7.18.2", "@jridgewell/gen-mapping": "^0.3.0", "jsesc": "^2.5.1" }, "dependencies": { "@jridgewell/gen-mapping": { "version": "0.3.1", "resolved": "https://registry.npmjs.org/@jridgewell/gen-mapping/-/gen-mapping-0.3.1.tgz", "integrity": "sha512-GcHwniMlA2z+WFPWuY8lp3fsza0I8xPFMWL5+n8LYyP6PSvPrXf4+n8stDHZY2DM0zy9sVkRDy1jDI4XGzYVqg==", "dev": true, "requires": { "@jridgewell/set-array": "^1.0.0", "@jridgewell/sourcemap-codec": "^1.4.10", "@jridgewell/trace-mapping": "^0.3.9" } } } }, "@babel/helper-compilation-targets": { "version": "7.18.2", "resolved": "https://registry.npmjs.org/@babel/helper-compilation-targets/-/helper-compilation-targets-7.18.2.tgz", "integrity": "sha512-s1jnPotJS9uQnzFtiZVBUxe67CuBa679oWFHpxYYnTpRL/1ffhyX44R9uYiXoa/pLXcY9H2moJta0iaanlk/rQ==", "dev": true, "requires": { "@babel/compat-data": "^7.17.10", "@babel/helper-validator-option": "^7.16.7", "browserslist": "^4.20.2", "semver": "^6.3.0" } }, "@babel/helper-environment-visitor": { "version": "7.18.2", "resolved": "https://registry.npmjs.org/@babel/helper-environment-visitor/-/helper-environment-visitor-7.18.2.tgz", "integrity": "sha512-14GQKWkX9oJzPiQQ7/J36FTXcD4kSp8egKjO9nINlSKiHITRA9q/R74qu8S9xlc/b/yjsJItQUeeh3xnGN0voQ==", "dev": true }, "@babel/helper-function-name": { "version": "7.17.9", "resolved": "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.17.9.tgz", "integrity": "sha512-7cRisGlVtiVqZ0MW0/yFB4atgpGLWEHUVYnb448hZK4x+vih0YO5UoS11XIYtZYqHd0dIPMdUSv8q5K4LdMnIg==", "dev": true, "requires": { "@babel/template": "^7.16.7", "@babel/types": "^7.17.0" } }, "@babel/helper-hoist-variables": { "version": "7.16.7", "resolved": "https://registry.npmjs.org/@babel/helper-hoist-variables/-/helper-hoist-variables-7.16.7.tgz", "integrity": "sha512-m04d/0Op34H5v7pbZw6pSKP7weA6lsMvfiIAMeIvkY/R4xQtBSMFEigu9QTZ2qB/9l22vsxtM8a+Q8CzD255fg==", "dev": true, "requires": { "@babel/types": "^7.16.7" } }, "@babel/helper-module-imports": { "version": "7.16.7", "resolved": "https://registry.npmjs.org/@babel/helper-module-imports/-/helper-module-imports-7.16.7.tgz", "integrity": "sha512-LVtS6TqjJHFc+nYeITRo6VLXve70xmq7wPhWTqDJusJEgGmkAACWwMiTNrvfoQo6hEhFwAIixNkvB0jPXDL8Wg==", "dev": true, "requires": { "@babel/types": "^7.16.7" } }, "@babel/helper-module-transforms": { "version": "7.18.0", "resolved": "https://registry.npmjs.org/@babel/helper-module-transforms/-/helper-module-transforms-7.18.0.tgz", "integrity": "sha512-kclUYSUBIjlvnzN2++K9f2qzYKFgjmnmjwL4zlmU5f8ZtzgWe8s0rUPSTGy2HmK4P8T52MQsS+HTQAgZd3dMEA==", "dev": true, "requires": { "@babel/helper-environment-visitor": "^7.16.7", "@babel/helper-module-imports": "^7.16.7", "@babel/helper-simple-access": "^7.17.7", "@babel/helper-split-export-declaration": "^7.16.7", "@babel/helper-validator-identifier": "^7.16.7", "@babel/template": "^7.16.7", "@babel/traverse": "^7.18.0", "@babel/types": "^7.18.0" } }, "@babel/helper-simple-access": { "version": "7.18.2", "resolved": "https://registry.npmjs.org/@babel/helper-simple-access/-/helper-simple-access-7.18.2.tgz", "integrity": "sha512-7LIrjYzndorDY88MycupkpQLKS1AFfsVRm2k/9PtKScSy5tZq0McZTj+DiMRynboZfIqOKvo03pmhTaUgiD6fQ==", "dev": true, "requires": { "@babel/types": "^7.18.2" } }, "@babel/helper-split-export-declaration": { "version": "7.16.7", "resolved": "https://registry.npmjs.org/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.16.7.tgz", "integrity": "sha512-xbWoy/PFoxSWazIToT9Sif+jJTlrMcndIsaOKvTA6u7QEo7ilkRZpjew18/W3c7nm8fXdUDXh02VXTbZ0pGDNw==", "dev": true, "requires": { "@babel/types": "^7.16.7" } }, "@babel/helper-validator-identifier": { "version": "7.16.7", "resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.16.7.tgz", "integrity": "sha512-hsEnFemeiW4D08A5gUAZxLBTXpZ39P+a+DGDsHw1yxqyQ/jzFEnxf5uTEGp+3bzAbNOxU1paTgYS4ECU/IgfDw==", "dev": true }, "@babel/helper-validator-option": { "version": "7.16.7", "resolved": "https://registry.npmjs.org/@babel/helper-validator-option/-/helper-validator-option-7.16.7.tgz", "integrity": "sha512-TRtenOuRUVo9oIQGPC5G9DgK4743cdxvtOw0weQNpZXaS16SCBi5MNjZF8vba3ETURjZpTbVn7Vvcf2eAwFozQ==", "dev": true }, "@babel/helpers": { "version": "7.18.2", "resolved": "https://registry.npmjs.org/@babel/helpers/-/helpers-7.18.2.tgz", "integrity": "sha512-j+d+u5xT5utcQSzrh9p+PaJX94h++KN+ng9b9WEJq7pkUPAd61FGqhjuUEdfknb3E/uDBb7ruwEeKkIxNJPIrg==", "dev": true, "requires": { "@babel/template": "^7.16.7", "@babel/traverse": "^7.18.2", "@babel/types": "^7.18.2" } }, "@babel/highlight": { "version": "7.17.12", "resolved": "https://registry.npmjs.org/@babel/highlight/-/highlight-7.17.12.tgz", "integrity": "sha512-7yykMVF3hfZY2jsHZEEgLc+3x4o1O+fYyULu11GynEUQNwB6lua+IIQn1FiJxNucd5UlyJryrwsOh8PL9Sn8Qg==", "dev": true, "requires": { "@babel/helper-validator-identifier": "^7.16.7", "chalk": "^2.0.0", "js-tokens": "^4.0.0" }, "dependencies": { "ansi-styles": { "version": "3.2.1", "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-3.2.1.tgz", "integrity": "sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==", "dev": true, "requires": { "color-convert": "^1.9.0" } }, "chalk": { "version": "2.4.2", "resolved": "https://registry.npmjs.org/chalk/-/chalk-2.4.2.tgz", "integrity": "sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==", "dev": true, "requires": { "ansi-styles": "^3.2.1", "escape-string-regexp": "^1.0.5", "supports-color": "^5.3.0" } }, "color-convert": { "version": "1.9.3", "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-1.9.3.tgz", "integrity": "sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==", "dev": true, "requires": { "color-name": "1.1.3" } }, "color-name": { "version": "1.1.3", "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.3.tgz", "integrity": "sha512-72fSenhMw2HZMTVHeCA9KCmpEIbzWiQsjN+BHcBbS9vr1mtt+vJjPdksIBNUmKAW8TFUDPJK5SUU3QhE9NEXDw==", "dev": true }, "escape-string-regexp": { "version": "1.0.5", "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==", "dev": true }, "has-flag": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-3.0.0.tgz", "integrity": "sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw==", "dev": true }, "supports-color": { "version": "5.5.0", "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-5.5.0.tgz", "integrity": "sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==", "dev": true, "requires": { "has-flag": "^3.0.0" } } } }, "@babel/parser": { "version": "7.18.4", "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.18.4.tgz", "integrity": "sha512-FDge0dFazETFcxGw/EXzOkN8uJp0PC7Qbm+Pe9T+av2zlBpOgunFHkQPPn+eRuClU73JF+98D531UgayY89tow==", "dev": true }, "@babel/template": { "version": "7.16.7", "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.16.7.tgz", "integrity": "sha512-I8j/x8kHUrbYRTUxXrrMbfCa7jxkE7tZre39x3kjr9hvI82cK1FfqLygotcWN5kdPGWcLdWMHpSBavse5tWw3w==", "dev": true, "requires": { "@babel/code-frame": "^7.16.7", "@babel/parser": "^7.16.7", "@babel/types": "^7.16.7" } }, "@babel/traverse": { "version": "7.18.2", "resolved": "https://registry.npmjs.org/@babel/traverse/-/traverse-7.18.2.tgz", "integrity": "sha512-9eNwoeovJ6KH9zcCNnENY7DMFwTU9JdGCFtqNLfUAqtUHRCOsTOqWoffosP8vKmNYeSBUv3yVJXjfd8ucwOjUA==", "dev": true, "requires": { "@babel/code-frame": "^7.16.7", "@babel/generator": "^7.18.2", "@babel/helper-environment-visitor": "^7.18.2", "@babel/helper-function-name": "^7.17.9", "@babel/helper-hoist-variables": "^7.16.7", "@babel/helper-split-export-declaration": "^7.16.7", "@babel/parser": "^7.18.0", "@babel/types": "^7.18.2", "debug": "^4.1.0", "globals": "^11.1.0" }, "dependencies": { "globals": { "version": "11.12.0", "resolved": "https://registry.npmjs.org/globals/-/globals-11.12.0.tgz", "integrity": "sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==", "dev": true } } }, "@babel/types": { "version": "7.18.4", "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.18.4.tgz", "integrity": "sha512-ThN1mBcMq5pG/Vm2IcBmPPfyPXbd8S02rS+OBIDENdufvqC7Z/jHPCv9IcP01277aKtDI8g/2XysBN4hA8niiw==", "dev": true, "requires": { "@babel/helper-validator-identifier": "^7.16.7", "to-fast-properties": "^2.0.0" } }, "@commitlint/cli": { "version": "17.0.2", "resolved": "https://registry.npmjs.org/@commitlint/cli/-/cli-17.0.2.tgz", "integrity": "sha512-Axe89Js0YzGGd4gxo3JLlF7yIdjOVpG1LbOorGc6PfYF+drBh14PvarSDLzyd2TNqdylUCq9wb9/A88ZjIdyhA==", "dev": true, "requires": { "@commitlint/format": "^17.0.0", "@commitlint/lint": "^17.0.0", "@commitlint/load": "^17.0.0", "@commitlint/read": "^17.0.0", "@commitlint/types": "^17.0.0", "execa": "^5.0.0", "lodash": "^4.17.19", "resolve-from": "5.0.0", "resolve-global": "1.0.0", "yargs": "^17.0.0" }, "dependencies": { "cliui": { "version": "7.0.4", "resolved": "https://registry.npmjs.org/cliui/-/cliui-7.0.4.tgz", "integrity": "sha512-OcRE68cOsVMXp1Yvonl/fzkQOyjLSu/8bhPDfQt0e0/Eb283TKP20Fs2MqoPsr9SwA595rRCA+QMzYc9nBP+JQ==", "dev": true, "requires": { "string-width": "^4.2.0", "strip-ansi": "^6.0.0", "wrap-ansi": "^7.0.0" } }, "resolve-from": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-5.0.0.tgz", "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==", "dev": true }, "wrap-ansi": { "version": "7.0.0", "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-7.0.0.tgz", "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==", "dev": true, "requires": { "ansi-styles": "^4.0.0", "string-width": "^4.1.0", "strip-ansi": "^6.0.0" } }, "y18n": { "version": "5.0.8", "resolved": "https://registry.npmjs.org/y18n/-/y18n-5.0.8.tgz", "integrity": "sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==", "dev": true }, "yargs": { "version": "17.5.1", "resolved": "https://registry.npmjs.org/yargs/-/yargs-17.5.1.tgz", "integrity": "sha512-t6YAJcxDkNX7NFYiVtKvWUz8l+PaKTLiL63mJYWR2GnHq2gjEWISzsLp9wg3aY36dY1j+gfIEL3pIF+XlJJfbA==", "dev": true, "requires": { "cliui": "^7.0.2", "escalade": "^3.1.1", "get-caller-file": "^2.0.5", "require-directory": "^2.1.1", "string-width": "^4.2.3", "y18n": "^5.0.5", "yargs-parser": "^21.0.0" } }, "yargs-parser": { "version": "21.0.1", "resolved": "https://registry.npmjs.org/yargs-parser/-/yargs-parser-21.0.1.tgz", "integrity": "sha512-9BK1jFpLzJROCI5TzwZL/TU4gqjK5xiHV/RfWLOahrjAko/e4DJkRDZQXfvqAsiZzzYhgAzbgz6lg48jcm4GLg==", "dev": true } } }, "@commitlint/config-conventional": { "version": "17.0.2", "resolved": "https://registry.npmjs.org/@commitlint/config-conventional/-/config-conventional-17.0.2.tgz", "integrity": "sha512-MfP0I/JbxKkzo+HXWB7B3WstGS4BiniotU3d3xQ9gK8cR0DbeZ4MuyGCWF65YDyrcDTS3WlrJ3ndSPA1pqhoPw==", "dev": true, "requires": { "conventional-changelog-conventionalcommits": "^5.0.0" } }, "@commitlint/config-validator": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/config-validator/-/config-validator-17.0.0.tgz", "integrity": "sha512-78IQjoZWR4kDHp/U5y17euEWzswJpPkA9TDL5F6oZZZaLIEreWzrDZD5PWtM8MsSRl/K2LDU/UrzYju2bKLMpA==", "dev": true, "requires": { "@commitlint/types": "^17.0.0", "ajv": "^6.12.6" } }, "@commitlint/ensure": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/ensure/-/ensure-17.0.0.tgz", "integrity": "sha512-M2hkJnNXvEni59S0QPOnqCKIK52G1XyXBGw51mvh7OXDudCmZ9tZiIPpU882p475Mhx48Ien1MbWjCP1zlyC0A==", "dev": true, "requires": { "@commitlint/types": "^17.0.0", "lodash": "^4.17.19" } }, "@commitlint/execute-rule": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/execute-rule/-/execute-rule-17.0.0.tgz", "integrity": "sha512-nVjL/w/zuqjCqSJm8UfpNaw66V9WzuJtQvEnCrK4jDw6qKTmZB+1JQ8m6BQVZbNBcwfYdDNKnhIhqI0Rk7lgpQ==", "dev": true }, "@commitlint/format": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/format/-/format-17.0.0.tgz", "integrity": "sha512-MZzJv7rBp/r6ZQJDEodoZvdRM0vXu1PfQvMTNWFb8jFraxnISMTnPBWMMjr2G/puoMashwaNM//fl7j8gGV5lA==", "dev": true, "requires": { "@commitlint/types": "^17.0.0", "chalk": "^4.1.0" } }, "@commitlint/is-ignored": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/is-ignored/-/is-ignored-17.0.0.tgz", "integrity": "sha512-UmacD0XM/wWykgdXn5CEWVS4XGuqzU+ZGvM2hwv85+SXGnIOaG88XHrt81u37ZeVt1riWW+YdOxcJW6+nd5v5w==", "dev": true, "requires": { "@commitlint/types": "^17.0.0", "semver": "7.3.7" }, "dependencies": { "semver": { "version": "7.3.7", "resolved": "https://registry.npmjs.org/semver/-/semver-7.3.7.tgz", "integrity": "sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g==", "dev": true, "requires": { "lru-cache": "^6.0.0" } } } }, "@commitlint/lint": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/lint/-/lint-17.0.0.tgz", "integrity": "sha512-5FL7VLvGJQby24q0pd4UdM8FNFcL+ER1T/UBf8A9KRL5+QXV1Rkl6Zhcl7+SGpGlVo6Yo0pm6aLW716LVKWLGg==", "dev": true, "requires": { "@commitlint/is-ignored": "^17.0.0", "@commitlint/parse": "^17.0.0", "@commitlint/rules": "^17.0.0", "@commitlint/types": "^17.0.0" } }, "@commitlint/load": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/load/-/load-17.0.0.tgz", "integrity": "sha512-XaiHF4yWQOPAI0O6wXvk+NYLtJn/Xb7jgZEeKd4C1ZWd7vR7u8z5h0PkWxSr0uLZGQsElGxv3fiZ32C5+q6M8w==", "dev": true, "requires": { "@commitlint/config-validator": "^17.0.0", "@commitlint/execute-rule": "^17.0.0", "@commitlint/resolve-extends": "^17.0.0", "@commitlint/types": "^17.0.0", "@types/node": ">=12", "chalk": "^4.1.0", "cosmiconfig": "^7.0.0", "cosmiconfig-typescript-loader": "^2.0.0", "lodash": "^4.17.19", "resolve-from": "^5.0.0", "typescript": "^4.6.4" }, "dependencies": { "resolve-from": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-5.0.0.tgz", "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==", "dev": true } } }, "@commitlint/message": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/message/-/message-17.0.0.tgz", "integrity": "sha512-LpcwYtN+lBlfZijHUdVr8aNFTVpHjuHI52BnfoV01TF7iSLnia0jttzpLkrLmI8HNQz6Vhr9UrxDWtKZiMGsBw==", "dev": true }, "@commitlint/parse": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/parse/-/parse-17.0.0.tgz", "integrity": "sha512-cKcpfTIQYDG1ywTIr5AG0RAiLBr1gudqEsmAGCTtj8ffDChbBRxm6xXs2nv7GvmJN7msOt7vOKleLvcMmRa1+A==", "dev": true, "requires": { "@commitlint/types": "^17.0.0", "conventional-changelog-angular": "^5.0.11", "conventional-commits-parser": "^3.2.2" } }, "@commitlint/read": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/read/-/read-17.0.0.tgz", "integrity": "sha512-zkuOdZayKX3J6F6mPnVMzohK3OBrsEdOByIqp4zQjA9VLw1hMsDEFQ18rKgUc2adkZar+4S01QrFreDCfZgbxA==", "dev": true, "requires": { "@commitlint/top-level": "^17.0.0", "@commitlint/types": "^17.0.0", "fs-extra": "^10.0.0", "git-raw-commits": "^2.0.0" } }, "@commitlint/resolve-extends": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/resolve-extends/-/resolve-extends-17.0.0.tgz", "integrity": "sha512-wi60WiJmwaQ7lzMXK8Vbc18Hq9tE2j/6iv2AFfPUGV7fvfY6Sf1iNKuUHirSqR0fquUyufIXe4y/K9A6LVIIvw==", "dev": true, "requires": { "@commitlint/config-validator": "^17.0.0", "@commitlint/types": "^17.0.0", "import-fresh": "^3.0.0", "lodash": "^4.17.19", "resolve-from": "^5.0.0", "resolve-global": "^1.0.0" }, "dependencies": { "resolve-from": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-5.0.0.tgz", "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==", "dev": true } } }, "@commitlint/rules": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/rules/-/rules-17.0.0.tgz", "integrity": "sha512-45nIy3dERKXWpnwX9HeBzK5SepHwlDxdGBfmedXhL30fmFCkJOdxHyOJsh0+B0RaVsLGT01NELpfzJUmtpDwdQ==", "dev": true, "requires": { "@commitlint/ensure": "^17.0.0", "@commitlint/message": "^17.0.0", "@commitlint/to-lines": "^17.0.0", "@commitlint/types": "^17.0.0", "execa": "^5.0.0" } }, "@commitlint/to-lines": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/to-lines/-/to-lines-17.0.0.tgz", "integrity": "sha512-nEi4YEz04Rf2upFbpnEorG8iymyH7o9jYIVFBG1QdzebbIFET3ir+8kQvCZuBE5pKCtViE4XBUsRZz139uFrRQ==", "dev": true }, "@commitlint/top-level": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/top-level/-/top-level-17.0.0.tgz", "integrity": "sha512-dZrEP1PBJvodNWYPOYiLWf6XZergdksKQaT6i1KSROLdjf5Ai0brLOv5/P+CPxBeoj3vBxK4Ax8H1Pg9t7sHIQ==", "dev": true, "requires": { "find-up": "^5.0.0" }, "dependencies": { "find-up": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/find-up/-/find-up-5.0.0.tgz", "integrity": "sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==", "dev": true, "requires": { "locate-path": "^6.0.0", "path-exists": "^4.0.0" } }, "locate-path": { "version": "6.0.0", "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-6.0.0.tgz", "integrity": "sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==", "dev": true, "requires": { "p-locate": "^5.0.0" } }, "p-limit": { "version": "3.1.0", "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-3.1.0.tgz", "integrity": "sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==", "dev": true, "requires": { "yocto-queue": "^0.1.0" } }, "p-locate": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-5.0.0.tgz", "integrity": "sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==", "dev": true, "requires": { "p-limit": "^3.0.2" } }, "path-exists": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", "dev": true } } }, "@commitlint/types": { "version": "17.0.0", "resolved": "https://registry.npmjs.org/@commitlint/types/-/types-17.0.0.tgz", "integrity": "sha512-hBAw6U+SkAT5h47zDMeOu3HSiD0SODw4Aq7rRNh1ceUmL7GyLKYhPbUvlRWqZ65XjBLPHZhFyQlRaPNz8qvUyQ==", "dev": true, "requires": { "chalk": "^4.1.0" } }, "@cspotcode/source-map-support": { "version": "0.8.1", "resolved": "https://registry.npmjs.org/@cspotcode/source-map-support/-/source-map-support-0.8.1.tgz", "integrity": "sha512-IchNf6dN4tHoMFIn/7OE8LWZ19Y6q/67Bmf6vnGREv8RSbBVb9LPJxEcnwrcwX6ixSvaiGoomAUvu4YSxXrVgw==", "dev": true, "requires": { "@jridgewell/trace-mapping": "0.3.9" }, "dependencies": { "@jridgewell/trace-mapping": { "version": "0.3.9", "resolved": "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.9.tgz", "integrity": "sha512-3Belt6tdc8bPgAtbcmdtNJlirVoTmEb5e2gC94PnkwEW9jI6CAHUeoG85tjWP5WquqfavoMtMwiG4P926ZKKuQ==", "dev": true, "requires": { "@jridgewell/resolve-uri": "^3.0.3", "@jridgewell/sourcemap-codec": "^1.4.10" } } } }, "@eslint/eslintrc": { "version": "1.3.0", "resolved": "https://registry.npmjs.org/@eslint/eslintrc/-/eslintrc-1.3.0.tgz", "integrity": "sha512-UWW0TMTmk2d7hLcWD1/e2g5HDM/HQ3csaLSqXCfqwh4uNDuNqlaKWXmEsL4Cs41Z0KnILNvwbHAah3C2yt06kw==", "dev": true, "requires": { "ajv": "^6.12.4", "debug": "^4.3.2", "espree": "^9.3.2", "globals": "^13.15.0", "ignore": "^5.2.0", "import-fresh": "^3.2.1", "js-yaml": "^4.1.0", "minimatch": "^3.1.2", "strip-json-comments": "^3.1.1" }, "dependencies": { "argparse": { "version": "2.0.1", "resolved": "https://registry.npmjs.org/argparse/-/argparse-2.0.1.tgz", "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==", "dev": true }, "js-yaml": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-4.1.0.tgz", "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==", "dev": true, "requires": { "argparse": "^2.0.1" } } } }, "@humanwhocodes/config-array": { "version": "0.9.5", "resolved": "https://registry.npmjs.org/@humanwhocodes/config-array/-/config-array-0.9.5.tgz", "integrity": "sha512-ObyMyWxZiCu/yTisA7uzx81s40xR2fD5Cg/2Kq7G02ajkNubJf6BopgDTmDyc3U7sXpNKM8cYOw7s7Tyr+DnCw==", "dev": true, "requires": { "@humanwhocodes/object-schema": "^1.2.1", "debug": "^4.1.1", "minimatch": "^3.0.4" } }, "@humanwhocodes/object-schema": { "version": "1.2.1", "resolved": "https://registry.npmjs.org/@humanwhocodes/object-schema/-/object-schema-1.2.1.tgz", "integrity": "sha512-ZnQMnLV4e7hDlUvw8H+U8ASL02SS2Gn6+9Ac3wGGLIe7+je2AeAOxPY+izIPJDfFDb7eDjev0Us8MO1iFRN8hA==", "dev": true }, "@istanbuljs/load-nyc-config": { "version": "1.1.0", "resolved": "https://registry.npmjs.org/@istanbuljs/load-nyc-config/-/load-nyc-config-1.1.0.tgz", "integrity": "sha512-VjeHSlIzpv/NyD3N0YuHfXOPDIixcA1q2ZV98wsMqcYlPmv2n3Yb2lYP9XMElnaFVXg5A7YLTeLu6V84uQDjmQ==", "dev": true, "requires": { "camelcase": "^5.3.1", "find-up": "^4.1.0", "get-package-type": "^0.1.0", "js-yaml": "^3.13.1", "resolve-from": "^5.0.0" }, "dependencies": { "find-up": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/find-up/-/find-up-4.1.0.tgz", "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", "dev": true, "requires": { "locate-path": "^5.0.0", "path-exists": "^4.0.0" } }, "locate-path": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-5.0.0.tgz", "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", "dev": true, "requires": { "p-locate": "^4.1.0" } }, "p-limit": { "version": "2.3.0", "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", "dev": true, "requires": { "p-try": "^2.0.0" } }, "p-locate": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-4.1.0.tgz", "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", "dev": true, "requires": { "p-limit": "^2.2.0" } }, "p-try": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/p-try/-/p-try-2.2.0.tgz", "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", "dev": true }, "path-exists": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", "dev": true }, "resolve-from": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-5.0.0.tgz", "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==", "dev": true } } }, "@istanbuljs/schema": { "version": "0.1.3", "resolved": "https://registry.npmjs.org/@istanbuljs/schema/-/schema-0.1.3.tgz", "integrity": "sha512-ZXRY4jNvVgSVQ8DL3LTcakaAtXwTVUxE81hslsyD2AtoXW/wVob10HkOJ1X/pAlcI7D+2YoZKg5do8G/w6RYgA==", "dev": true }, "@jridgewell/gen-mapping": { "version": "0.1.1", "resolved": "https://registry.npmjs.org/@jridgewell/gen-mapping/-/gen-mapping-0.1.1.tgz", "integrity": "sha512-sQXCasFk+U8lWYEe66WxRDOE9PjVz4vSM51fTu3Hw+ClTpUSQb718772vH3pyS5pShp6lvQM7SxgIDXXXmOX7w==", "dev": true, "requires": { "@jridgewell/set-array": "^1.0.0", "@jridgewell/sourcemap-codec": "^1.4.10" } }, "@jridgewell/resolve-uri": { "version": "3.0.7", "resolved": "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.0.7.tgz", "integrity": "sha512-8cXDaBBHOr2pQ7j77Y6Vp5VDT2sIqWyWQ56TjEq4ih/a4iST3dItRe8Q9fp0rrIl9DoKhWQtUQz/YpOxLkXbNA==", "dev": true }, "@jridgewell/set-array": { "version": "1.1.1", "resolved": "https://registry.npmjs.org/@jridgewell/set-array/-/set-array-1.1.1.tgz", "integrity": "sha512-Ct5MqZkLGEXTVmQYbGtx9SVqD2fqwvdubdps5D3djjAkgkKwT918VNOz65pEHFaYTeWcukmJmH5SwsA9Tn2ObQ==", "dev": true }, "@jridgewell/sourcemap-codec": { "version": "1.4.13", "resolved": "https://registry.npmjs.org/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.13.tgz", "integrity": "sha512-GryiOJmNcWbovBxTfZSF71V/mXbgcV3MewDe3kIMCLyIh5e7SKAeUZs+rMnJ8jkMolZ/4/VsdBmMrw3l+VdZ3w==", "dev": true }, "@jridgewell/trace-mapping": { "version": "0.3.13", "resolved": "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.13.tgz", "integrity": "sha512-o1xbKhp9qnIAoHJSWd6KlCZfqslL4valSF81H8ImioOAxluWYWOpWkpyktY2vnt4tbrX9XYaxovq6cgowaJp2w==", "dev": true, "requires": { "@jridgewell/resolve-uri": "^3.0.3", "@jridgewell/sourcemap-codec": "^1.4.10" } }, "@log4js-node/sandboxed-module": { "version": "2.2.1", "resolved": "https://registry.npmjs.org/@log4js-node/sandboxed-module/-/sandboxed-module-2.2.1.tgz", "integrity": "sha512-BtpxW7EReVwZ6WSNHPMyID2vVYuBKYkJyevJxbPsTtecWGqwm1wL4/O3oOQcyGhJsuNi7Y8JhNc5FE9jdXlZ0A==", "dev": true, "requires": { "require-like": "0.1.2", "stack-trace": "0.0.10" } }, "@tsconfig/node10": { "version": "1.0.9", "resolved": "https://registry.npmjs.org/@tsconfig/node10/-/node10-1.0.9.tgz", "integrity": "sha512-jNsYVVxU8v5g43Erja32laIDHXeoNvFEpX33OK4d6hljo3jDhCBDhx5dhCCTMWUojscpAagGiRkBKxpdl9fxqA==", "dev": true }, "@tsconfig/node12": { "version": "1.0.11", "resolved": "https://registry.npmjs.org/@tsconfig/node12/-/node12-1.0.11.tgz", "integrity": "sha512-cqefuRsh12pWyGsIoBKJA9luFu3mRxCA+ORZvA4ktLSzIuCUtWVxGIuXigEwO5/ywWFMZ2QEGKWvkZG1zDMTag==", "dev": true }, "@tsconfig/node14": { "version": "1.0.3", "resolved": "https://registry.npmjs.org/@tsconfig/node14/-/node14-1.0.3.tgz", "integrity": "sha512-ysT8mhdixWK6Hw3i1V2AeRqZ5WfXg1G43mqoYlM2nc6388Fq5jcXyr5mRsqViLx/GJYdoL0bfXD8nmF+Zn/Iow==", "dev": true }, "@tsconfig/node16": { "version": "1.0.3", "resolved": "https://registry.npmjs.org/@tsconfig/node16/-/node16-1.0.3.tgz", "integrity": "sha512-yOlFc+7UtL/89t2ZhjPvvB/DeAr3r+Dq58IgzsFkOAvVC6NMJXmCGjbptdXdR9qsX7pKcTL+s87FtYREi2dEEQ==", "dev": true }, "@types/json5": { "version": "0.0.29", "resolved": "https://registry.npmjs.org/@types/json5/-/json5-0.0.29.tgz", "integrity": "sha512-dRLjCWHYg4oaA77cxO64oO+7JwCwnIzkZPdrrC71jQmQtlhM556pwKo5bUzqvZndkVbeFLIIi+9TC40JNF5hNQ==", "dev": true }, "@types/minimist": { "version": "1.2.2", "resolved": "https://registry.npmjs.org/@types/minimist/-/minimist-1.2.2.tgz", "integrity": "sha512-jhuKLIRrhvCPLqwPcx6INqmKeiA5EWrsCOPhrlFSrbrmU4ZMPjj5Ul/oLCMDO98XRUIwVm78xICz4EPCektzeQ==", "dev": true }, "@types/node": { "version": "18.0.0", "resolved": "https://registry.npmjs.org/@types/node/-/node-18.0.0.tgz", "integrity": "sha512-cHlGmko4gWLVI27cGJntjs/Sj8th9aYwplmZFwmmgYQQvL5NUsgVJG7OddLvNfLqYS31KFN0s3qlaD9qCaxACA==", "dev": true }, "@types/normalize-package-data": { "version": "2.4.1", "resolved": "https://registry.npmjs.org/@types/normalize-package-data/-/normalize-package-data-2.4.1.tgz", "integrity": "sha512-Gj7cI7z+98M282Tqmp2K5EIsoouUEzbBJhQQzDE3jSIRk6r9gsz0oUokqIUR4u1R3dMHo0pDHM7sNOHyhulypw==", "dev": true }, "@types/parse-json": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/@types/parse-json/-/parse-json-4.0.0.tgz", "integrity": "sha512-//oorEZjL6sbPcKUaCdIGlIUeH26mgzimjBB77G6XRgnDl/L5wOnpyBGRe/Mmf5CVW3PwEBE1NjiMZ/ssFh4wA==", "dev": true }, "acorn": { "version": "8.7.1", "resolved": "https://registry.npmjs.org/acorn/-/acorn-8.7.1.tgz", "integrity": "sha512-Xx54uLJQZ19lKygFXOWsscKUbsBZW0CPykPhVQdhIeIwrbPmJzqeASDInc8nKBnp/JT6igTs82qPXz069H8I/A==", "dev": true }, "acorn-jsx": { "version": "5.3.2", "resolved": "https://registry.npmjs.org/acorn-jsx/-/acorn-jsx-5.3.2.tgz", "integrity": "sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==", "dev": true, "requires": {} }, "acorn-walk": { "version": "8.2.0", "resolved": "https://registry.npmjs.org/acorn-walk/-/acorn-walk-8.2.0.tgz", "integrity": "sha512-k+iyHEuPgSw6SbuDpGQM+06HQUa04DZ3o+F6CSzXMvvI5KMvnaEqXe+YVe555R9nn6GPt404fos4wcgpw12SDA==", "dev": true }, "aggregate-error": { "version": "3.1.0", "resolved": "https://registry.npmjs.org/aggregate-error/-/aggregate-error-3.1.0.tgz", "integrity": "sha512-4I7Td01quW/RpocfNayFdFVk1qSuoh0E7JrbRJ16nH01HhKFQ88INq9Sd+nd72zqRySlr9BmDA8xlEJ6vJMrYA==", "dev": true, "requires": { "clean-stack": "^2.0.0", "indent-string": "^4.0.0" } }, "ajv": { "version": "6.12.6", "resolved": "https://registry.npmjs.org/ajv/-/ajv-6.12.6.tgz", "integrity": "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==", "dev": true, "requires": { "fast-deep-equal": "^3.1.1", "fast-json-stable-stringify": "^2.0.0", "json-schema-traverse": "^0.4.1", "uri-js": "^4.2.2" } }, "ansi-regex": { "version": "5.0.1", "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", "dev": true }, "ansi-styles": { "version": "4.3.0", "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz", "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", "dev": true, "requires": { "color-convert": "^2.0.1" } }, "anymatch": { "version": "3.1.2", "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-3.1.2.tgz", "integrity": "sha512-P43ePfOAIupkguHUycrc4qJ9kz8ZiuOUijaETwX7THt0Y/GNK7v0aa8rY816xWjZ7rJdA5XdMcpVFTKMq+RvWg==", "dev": true, "requires": { "normalize-path": "^3.0.0", "picomatch": "^2.0.4" } }, "append-transform": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/append-transform/-/append-transform-2.0.0.tgz", "integrity": "sha512-7yeyCEurROLQJFv5Xj4lEGTy0borxepjFv1g22oAdqFu//SrAlDl1O1Nxx15SH1RoliUml6p8dwJW9jvZughhg==", "dev": true, "requires": { "default-require-extensions": "^3.0.0" } }, "archy": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/archy/-/archy-1.0.0.tgz", "integrity": "sha512-Xg+9RwCg/0p32teKdGMPTPnVXKD0w3DfHnFTficozsAgsvq2XenPJq/MYpzzQ/v8zrOyJn6Ds39VA4JIDwFfqw==", "dev": true }, "arg": { "version": "4.1.3", "resolved": "https://registry.npmjs.org/arg/-/arg-4.1.3.tgz", "integrity": "sha512-58S9QDqG0Xx27YwPSt9fJxivjYl432YCwfDMfZ+71RAqUrZef7LrKQZ3LHLOwCS4FLNBplP533Zx895SeOCHvA==", "dev": true }, "argparse": { "version": "1.0.10", "resolved": "https://registry.npmjs.org/argparse/-/argparse-1.0.10.tgz", "integrity": "sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg==", "dev": true, "requires": { "sprintf-js": "~1.0.2" } }, "array-ify": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/array-ify/-/array-ify-1.0.0.tgz", "integrity": "sha512-c5AMf34bKdvPhQ7tBGhqkgKNUzMr4WUs+WDtC2ZUGOUncbxKMTvqxYctiseW3+L4bA8ec+GcZ6/A/FW4m8ukng==", "dev": true }, "array-includes": { "version": "3.1.5", "resolved": "https://registry.npmjs.org/array-includes/-/array-includes-3.1.5.tgz", "integrity": "sha512-iSDYZMMyTPkiFasVqfuAQnWAYcvO/SeBSCGKePoEthjp4LEMTe4uLc7b025o4jAZpHhihh8xPo99TNWUWWkGDQ==", "dev": true, "requires": { "call-bind": "^1.0.2", "define-properties": "^1.1.4", "es-abstract": "^1.19.5", "get-intrinsic": "^1.1.1", "is-string": "^1.0.7" } }, "array.prototype.flat": { "version": "1.3.0", "resolved": "https://registry.npmjs.org/array.prototype.flat/-/array.prototype.flat-1.3.0.tgz", "integrity": "sha512-12IUEkHsAhA4DY5s0FPgNXIdc8VRSqD9Zp78a5au9abH/SOBrsp082JOWFNTjkMozh8mqcdiKuaLGhPeYztxSw==", "dev": true, "requires": { "call-bind": "^1.0.2", "define-properties": "^1.1.3", "es-abstract": "^1.19.2", "es-shim-unscopables": "^1.0.0" } }, "arrify": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/arrify/-/arrify-1.0.1.tgz", "integrity": "sha512-3CYzex9M9FGQjCGMGyi6/31c8GJbgb0qGyrx5HWxPd0aCwh4cB2YjMb2Xf9UuoogrMrlO9cTqnB5rI5GHZTcUA==", "dev": true }, "async-hook-domain": { "version": "2.0.4", "resolved": "https://registry.npmjs.org/async-hook-domain/-/async-hook-domain-2.0.4.tgz", "integrity": "sha512-14LjCmlK1PK8eDtTezR6WX8TMaYNIzBIsd2D1sGoGjgx0BuNMMoSdk7i/drlbtamy0AWv9yv2tkB+ASdmeqFIw==", "dev": true }, "balanced-match": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz", "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==", "dev": true }, "binary-extensions": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/binary-extensions/-/binary-extensions-2.2.0.tgz", "integrity": "sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA==", "dev": true }, "bind-obj-methods": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/bind-obj-methods/-/bind-obj-methods-3.0.0.tgz", "integrity": "sha512-nLEaaz3/sEzNSyPWRsN9HNsqwk1AUyECtGj+XwGdIi3xABnEqecvXtIJ0wehQXuuER5uZ/5fTs2usONgYjG+iw==", "dev": true }, "brace-expansion": { "version": "1.1.11", "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz", "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==", "dev": true, "requires": { "balanced-match": "^1.0.0", "concat-map": "0.0.1" } }, "braces": { "version": "3.0.2", "resolved": "https://registry.npmjs.org/braces/-/braces-3.0.2.tgz", "integrity": "sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==", "dev": true, "requires": { "fill-range": "^7.0.1" } }, "browserslist": { "version": "4.20.3", "resolved": "https://registry.npmjs.org/browserslist/-/browserslist-4.20.3.tgz", "integrity": "sha512-NBhymBQl1zM0Y5dQT/O+xiLP9/rzOIQdKM/eMJBAq7yBgaB6krIYLGejrwVYnSHZdqjscB1SPuAjHwxjvN6Wdg==", "dev": true, "requires": { "caniuse-lite": "^1.0.30001332", "electron-to-chromium": "^1.4.118", "escalade": "^3.1.1", "node-releases": "^2.0.3", "picocolors": "^1.0.0" } }, "buffer-from": { "version": "1.1.2", "resolved": "https://registry.npmjs.org/buffer-from/-/buffer-from-1.1.2.tgz", "integrity": "sha512-E+XQCRwSbaaiChtv6k6Dwgc+bx+Bs6vuKJHHl5kox/BaKbhiXzqQOwK4cO22yElGp2OCmjwVhT3HmxgyPGnJfQ==", "dev": true }, "caching-transform": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/caching-transform/-/caching-transform-4.0.0.tgz", "integrity": "sha512-kpqOvwXnjjN44D89K5ccQC+RUrsy7jB/XLlRrx0D7/2HNcTPqzsb6XgYoErwko6QsV184CA2YgS1fxDiiDZMWA==", "dev": true, "requires": { "hasha": "^5.0.0", "make-dir": "^3.0.0", "package-hash": "^4.0.0", "write-file-atomic": "^3.0.0" } }, "call-bind": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/call-bind/-/call-bind-1.0.2.tgz", "integrity": "sha512-7O+FbCihrB5WGbFYesctwmTKae6rOiIzmz1icreWJ+0aA7LJfuqhEso2T9ncpcFtzMQtzXf2QGGueWJGTYsqrA==", "dev": true, "requires": { "function-bind": "^1.1.1", "get-intrinsic": "^1.0.2" } }, "callsites": { "version": "3.1.0", "resolved": "https://registry.npmjs.org/callsites/-/callsites-3.1.0.tgz", "integrity": "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==", "dev": true }, "camelcase": { "version": "5.3.1", "resolved": "https://registry.npmjs.org/camelcase/-/camelcase-5.3.1.tgz", "integrity": "sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg==", "dev": true }, "camelcase-keys": { "version": "6.2.2", "resolved": "https://registry.npmjs.org/camelcase-keys/-/camelcase-keys-6.2.2.tgz", "integrity": "sha512-YrwaA0vEKazPBkn0ipTiMpSajYDSe+KjQfrjhcBMxJt/znbvlHd8Pw/Vamaz5EB4Wfhs3SUR3Z9mwRu/P3s3Yg==", "dev": true, "requires": { "camelcase": "^5.3.1", "map-obj": "^4.0.0", "quick-lru": "^4.0.1" } }, "caniuse-lite": { "version": "1.0.30001344", "resolved": "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001344.tgz", "integrity": "sha512-0ZFjnlCaXNOAYcV7i+TtdKBp0L/3XEU2MF/x6Du1lrh+SRX4IfzIVL4HNJg5pB2PmFb8rszIGyOvsZnqqRoc2g==", "dev": true }, "chalk": { "version": "4.1.2", "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.2.tgz", "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==", "dev": true, "requires": { "ansi-styles": "^4.1.0", "supports-color": "^7.1.0" } }, "chokidar": { "version": "3.5.3", "resolved": "https://registry.npmjs.org/chokidar/-/chokidar-3.5.3.tgz", "integrity": "sha512-Dr3sfKRP6oTcjf2JmUmFJfeVMvXBdegxB0iVQ5eb2V10uFJUCAS8OByZdVAyVb8xXNz3GjjTgj9kLWsZTqE6kw==", "dev": true, "requires": { "anymatch": "~3.1.2", "braces": "~3.0.2", "fsevents": "~2.3.2", "glob-parent": "~5.1.2", "is-binary-path": "~2.1.0", "is-glob": "~4.0.1", "normalize-path": "~3.0.0", "readdirp": "~3.6.0" }, "dependencies": { "glob-parent": { "version": "5.1.2", "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz", "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==", "dev": true, "requires": { "is-glob": "^4.0.1" } } } }, "ci-info": { "version": "3.3.2", "resolved": "https://registry.npmjs.org/ci-info/-/ci-info-3.3.2.tgz", "integrity": "sha512-xmDt/QIAdeZ9+nfdPsaBCpMvHNLFiLdjj59qjqn+6iPe6YmHGQ35sBnQ8uslRBXFmXkiZQOJRjvQeoGppoTjjg==", "dev": true }, "clean-stack": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/clean-stack/-/clean-stack-2.2.0.tgz", "integrity": "sha512-4diC9HaTE+KRAMWhDhrGOECgWZxoevMc5TlkObMqNSsVU62PYzXZ/SMTjzyGAFF1YusgxGcSWTEXBhp0CPwQ1A==", "dev": true }, "cliui": { "version": "6.0.0", "resolved": "https://registry.npmjs.org/cliui/-/cliui-6.0.0.tgz", "integrity": "sha512-t6wbgtoCXvAzst7QgXxJYqPt0usEfbgQdftEPbLL/cvv6HPE5VgvqCuAIDR0NgU52ds6rFwqrgakNLrHEjCbrQ==", "dev": true, "requires": { "string-width": "^4.2.0", "strip-ansi": "^6.0.0", "wrap-ansi": "^6.2.0" } }, "color-convert": { "version": "2.0.1", "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", "dev": true, "requires": { "color-name": "~1.1.4" } }, "color-name": { "version": "1.1.4", "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz", "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", "dev": true }, "color-support": { "version": "1.1.3", "resolved": "https://registry.npmjs.org/color-support/-/color-support-1.1.3.tgz", "integrity": "sha512-qiBjkpbMLO/HL68y+lh4q0/O1MZFj2RX6X/KmMa3+gJD3z+WwI1ZzDHysvqHGS3mP6mznPckpXmw1nI9cJjyRg==", "dev": true }, "commondir": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/commondir/-/commondir-1.0.1.tgz", "integrity": "sha512-W9pAhw0ja1Edb5GVdIF1mjZw/ASI0AlShXM83UUGe2DVr5TdAPEA1OA8m/g8zWp9x6On7gqufY+FatDbC3MDQg==", "dev": true }, "compare-func": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/compare-func/-/compare-func-2.0.0.tgz", "integrity": "sha512-zHig5N+tPWARooBnb0Zx1MFcdfpyJrfTJ3Y5L+IFvUm8rM74hHz66z0gw0x4tijh5CorKkKUCnW82R2vmpeCRA==", "dev": true, "requires": { "array-ify": "^1.0.0", "dot-prop": "^5.1.0" } }, "concat-map": { "version": "0.0.1", "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz", "integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==", "dev": true }, "confusing-browser-globals": { "version": "1.0.11", "resolved": "https://registry.npmjs.org/confusing-browser-globals/-/confusing-browser-globals-1.0.11.tgz", "integrity": "sha512-JsPKdmh8ZkmnHxDk55FZ1TqVLvEQTvoByJZRN9jzI0UjxK/QgAmsphz7PGtqgPieQZ/CQcHWXCR7ATDNhGe+YA==", "dev": true }, "conventional-changelog-angular": { "version": "5.0.13", "resolved": "https://registry.npmjs.org/conventional-changelog-angular/-/conventional-changelog-angular-5.0.13.tgz", "integrity": "sha512-i/gipMxs7s8L/QeuavPF2hLnJgH6pEZAttySB6aiQLWcX3puWDL3ACVmvBhJGxnAy52Qc15ua26BufY6KpmrVA==", "dev": true, "requires": { "compare-func": "^2.0.0", "q": "^1.5.1" } }, "conventional-changelog-conventionalcommits": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/conventional-changelog-conventionalcommits/-/conventional-changelog-conventionalcommits-5.0.0.tgz", "integrity": "sha512-lCDbA+ZqVFQGUj7h9QBKoIpLhl8iihkO0nCTyRNzuXtcd7ubODpYB04IFy31JloiJgG0Uovu8ot8oxRzn7Nwtw==", "dev": true, "requires": { "compare-func": "^2.0.0", "lodash": "^4.17.15", "q": "^1.5.1" } }, "conventional-commits-parser": { "version": "3.2.4", "resolved": "https://registry.npmjs.org/conventional-commits-parser/-/conventional-commits-parser-3.2.4.tgz", "integrity": "sha512-nK7sAtfi+QXbxHCYfhpZsfRtaitZLIA6889kFIouLvz6repszQDgxBu7wf2WbU+Dco7sAnNCJYERCwt54WPC2Q==", "dev": true, "requires": { "is-text-path": "^1.0.1", "JSONStream": "^1.0.4", "lodash": "^4.17.15", "meow": "^8.0.0", "split2": "^3.0.0", "through2": "^4.0.0" } }, "convert-source-map": { "version": "1.8.0", "resolved": "https://registry.npmjs.org/convert-source-map/-/convert-source-map-1.8.0.tgz", "integrity": "sha512-+OQdjP49zViI/6i7nIJpA8rAl4sV/JdPfU9nZs3VqOwGIgizICvuN2ru6fMd+4llL0tar18UYJXfZ/TWtmhUjA==", "dev": true, "requires": { "safe-buffer": "~5.1.1" } }, "cosmiconfig": { "version": "7.0.1", "resolved": "https://registry.npmjs.org/cosmiconfig/-/cosmiconfig-7.0.1.tgz", "integrity": "sha512-a1YWNUV2HwGimB7dU2s1wUMurNKjpx60HxBB6xUM8Re+2s1g1IIfJvFR0/iCF+XHdE0GMTKTuLR32UQff4TEyQ==", "dev": true, "requires": { "@types/parse-json": "^4.0.0", "import-fresh": "^3.2.1", "parse-json": "^5.0.0", "path-type": "^4.0.0", "yaml": "^1.10.0" } }, "cosmiconfig-typescript-loader": { "version": "2.0.2", "resolved": "https://registry.npmjs.org/cosmiconfig-typescript-loader/-/cosmiconfig-typescript-loader-2.0.2.tgz", "integrity": "sha512-KmE+bMjWMXJbkWCeY4FJX/npHuZPNr9XF9q9CIQ/bpFwi1qHfCmSiKarrCcRa0LO4fWjk93pVoeRtJAkTGcYNw==", "dev": true, "requires": { "cosmiconfig": "^7", "ts-node": "^10.8.1" } }, "create-require": { "version": "1.1.1", "resolved": "https://registry.npmjs.org/create-require/-/create-require-1.1.1.tgz", "integrity": "sha512-dcKFX3jn0MpIaXjisoRvexIJVEKzaq7z2rZKxf+MSr9TkdmHmsU4m2lcLojrj/FHl8mk5VxMmYA+ftRkP/3oKQ==", "dev": true }, "cross-spawn": { "version": "7.0.3", "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.3.tgz", "integrity": "sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==", "dev": true, "requires": { "path-key": "^3.1.0", "shebang-command": "^2.0.0", "which": "^2.0.1" } }, "dargs": { "version": "7.0.0", "resolved": "https://registry.npmjs.org/dargs/-/dargs-7.0.0.tgz", "integrity": "sha512-2iy1EkLdlBzQGvbweYRFxmFath8+K7+AKB0TlhHWkNuH+TmovaMH/Wp7V7R4u7f4SnX3OgLsU9t1NI9ioDnUpg==", "dev": true }, "date-format": { "version": "4.0.11", "resolved": "https://registry.npmjs.org/date-format/-/date-format-4.0.11.tgz", "integrity": "sha512-VS20KRyorrbMCQmpdl2hg5KaOUsda1RbnsJg461FfrcyCUg+pkd0b40BSW4niQyTheww4DBXQnS7HwSrKkipLw==" }, "debug": { "version": "4.3.4", "resolved": "https://registry.npmjs.org/debug/-/debug-4.3.4.tgz", "integrity": "sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==", "requires": { "ms": "2.1.2" } }, "decamelize": { "version": "1.2.0", "resolved": "https://registry.npmjs.org/decamelize/-/decamelize-1.2.0.tgz", "integrity": "sha512-z2S+W9X73hAUUki+N+9Za2lBlun89zigOyGrsax+KUQ6wKW4ZoWpEYBkGhQjwAjjDCkWxhY0VKEhk8wzY7F5cA==", "dev": true }, "decamelize-keys": { "version": "1.1.0", "resolved": "https://registry.npmjs.org/decamelize-keys/-/decamelize-keys-1.1.0.tgz", "integrity": "sha512-ocLWuYzRPoS9bfiSdDd3cxvrzovVMZnRDVEzAs+hWIVXGDbHxWMECij2OBuyB/An0FFW/nLuq6Kv1i/YC5Qfzg==", "dev": true, "requires": { "decamelize": "^1.1.0", "map-obj": "^1.0.0" }, "dependencies": { "map-obj": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/map-obj/-/map-obj-1.0.1.tgz", "integrity": "sha512-7N/q3lyZ+LVCp7PzuxrJr4KMbBE2hW7BT7YNia330OFxIf4d3r5zVpicP2650l7CPN6RM9zOJRl3NGpqSiw3Eg==", "dev": true } } }, "deep-freeze": { "version": "0.0.1", "resolved": "https://registry.npmjs.org/deep-freeze/-/deep-freeze-0.0.1.tgz", "integrity": "sha512-Z+z8HiAvsGwmjqlphnHW5oz6yWlOwu6EQfFTjmeTWlDeda3FS2yv3jhq35TX/ewmsnqB+RX2IdsIOyjJCQN5tg==", "dev": true }, "deep-is": { "version": "0.1.4", "resolved": "https://registry.npmjs.org/deep-is/-/deep-is-0.1.4.tgz", "integrity": "sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==", "dev": true }, "default-require-extensions": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/default-require-extensions/-/default-require-extensions-3.0.0.tgz", "integrity": "sha512-ek6DpXq/SCpvjhpFsLFRVtIxJCRw6fUR42lYMVZuUMK7n8eMz4Uh5clckdBjEpLhn/gEBZo7hDJnJcwdKLKQjg==", "dev": true, "requires": { "strip-bom": "^4.0.0" }, "dependencies": { "strip-bom": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/strip-bom/-/strip-bom-4.0.0.tgz", "integrity": "sha512-3xurFv5tEgii33Zi8Jtp55wEIILR9eh34FAW00PZf+JnSsTmV/ioewSgQl97JHvgjoRGwPShsWm+IdrxB35d0w==", "dev": true } } }, "define-properties": { "version": "1.1.4", "resolved": "https://registry.npmjs.org/define-properties/-/define-properties-1.1.4.tgz", "integrity": "sha512-uckOqKcfaVvtBdsVkdPv3XjveQJsNQqmhXgRi8uhvWWuPYZCNlzT8qAyblUgNoXdHdjMTzAqeGjAoli8f+bzPA==", "dev": true, "requires": { "has-property-descriptors": "^1.0.0", "object-keys": "^1.1.1" } }, "diff": { "version": "4.0.2", "resolved": "https://registry.npmjs.org/diff/-/diff-4.0.2.tgz", "integrity": "sha512-58lmxKSA4BNyLz+HHMUzlOEpg09FV+ev6ZMe3vJihgdxzgcwZ8VoEEPmALCZG9LmqfVoNMMKpttIYTVG6uDY7A==", "dev": true }, "doctrine": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/doctrine/-/doctrine-3.0.0.tgz", "integrity": "sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==", "dev": true, "requires": { "esutils": "^2.0.2" } }, "dot-prop": { "version": "5.3.0", "resolved": "https://registry.npmjs.org/dot-prop/-/dot-prop-5.3.0.tgz", "integrity": "sha512-QM8q3zDe58hqUqjraQOmzZ1LIH9SWQJTlEKCH4kJ2oQvLZk7RbQXvtDM2XEq3fwkV9CCvvH4LA0AV+ogFsBM2Q==", "dev": true, "requires": { "is-obj": "^2.0.0" } }, "electron-to-chromium": { "version": "1.4.144", "resolved": "https://registry.npmjs.org/electron-to-chromium/-/electron-to-chromium-1.4.144.tgz", "integrity": "sha512-R3RV3rU1xWwFJlSClVWDvARaOk6VUO/FubHLodIASDB3Mc2dzuWvNdfOgH9bwHUTqT79u92qw60NWfwUdzAqdg==", "dev": true }, "emoji-regex": { "version": "8.0.0", "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", "dev": true }, "error-ex": { "version": "1.3.2", "resolved": "https://registry.npmjs.org/error-ex/-/error-ex-1.3.2.tgz", "integrity": "sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==", "dev": true, "requires": { "is-arrayish": "^0.2.1" } }, "es-abstract": { "version": "1.20.1", "resolved": "https://registry.npmjs.org/es-abstract/-/es-abstract-1.20.1.tgz", "integrity": "sha512-WEm2oBhfoI2sImeM4OF2zE2V3BYdSF+KnSi9Sidz51fQHd7+JuF8Xgcj9/0o+OWeIeIS/MiuNnlruQrJf16GQA==", "dev": true, "requires": { "call-bind": "^1.0.2", "es-to-primitive": "^1.2.1", "function-bind": "^1.1.1", "function.prototype.name": "^1.1.5", "get-intrinsic": "^1.1.1", "get-symbol-description": "^1.0.0", "has": "^1.0.3", "has-property-descriptors": "^1.0.0", "has-symbols": "^1.0.3", "internal-slot": "^1.0.3", "is-callable": "^1.2.4", "is-negative-zero": "^2.0.2", "is-regex": "^1.1.4", "is-shared-array-buffer": "^1.0.2", "is-string": "^1.0.7", "is-weakref": "^1.0.2", "object-inspect": "^1.12.0", "object-keys": "^1.1.1", "object.assign": "^4.1.2", "regexp.prototype.flags": "^1.4.3", "string.prototype.trimend": "^1.0.5", "string.prototype.trimstart": "^1.0.5", "unbox-primitive": "^1.0.2" } }, "es-shim-unscopables": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/es-shim-unscopables/-/es-shim-unscopables-1.0.0.tgz", "integrity": "sha512-Jm6GPcCdC30eMLbZ2x8z2WuRwAws3zTBBKuusffYVUrNj/GVSUAZ+xKMaUpfNDR5IbyNA5LJbaecoUVbmUcB1w==", "dev": true, "requires": { "has": "^1.0.3" } }, "es-to-primitive": { "version": "1.2.1", "resolved": "https://registry.npmjs.org/es-to-primitive/-/es-to-primitive-1.2.1.tgz", "integrity": "sha512-QCOllgZJtaUo9miYBcLChTUaHNjJF3PYs1VidD7AwiEj1kYxKeQTctLAezAOH5ZKRH0g2IgPn6KwB4IT8iRpvA==", "dev": true, "requires": { "is-callable": "^1.1.4", "is-date-object": "^1.0.1", "is-symbol": "^1.0.2" } }, "es6-error": { "version": "4.1.1", "resolved": "https://registry.npmjs.org/es6-error/-/es6-error-4.1.1.tgz", "integrity": "sha512-Um/+FxMr9CISWh0bi5Zv0iOD+4cFh5qLeks1qhAopKVAJw3drgKbKySikp7wGhDL0HPeaja0P5ULZrxLkniUVg==", "dev": true }, "escalade": { "version": "3.1.1", "resolved": "https://registry.npmjs.org/escalade/-/escalade-3.1.1.tgz", "integrity": "sha512-k0er2gUkLf8O0zKJiAhmkTnJlTvINGv7ygDNPbeIsX/TJjGJZHuh9B2UxbsaEkmlEo9MfhrSzmhIlhRlI2GXnw==", "dev": true }, "escape-string-regexp": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz", "integrity": "sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==", "dev": true }, "eslint": { "version": "8.16.0", "resolved": "https://registry.npmjs.org/eslint/-/eslint-8.16.0.tgz", "integrity": "sha512-MBndsoXY/PeVTDJeWsYj7kLZ5hQpJOfMYLsF6LicLHQWbRDG19lK5jOix4DPl8yY4SUFcE3txy86OzFLWT+yoA==", "dev": true, "requires": { "@eslint/eslintrc": "^1.3.0", "@humanwhocodes/config-array": "^0.9.2", "ajv": "^6.10.0", "chalk": "^4.0.0", "cross-spawn": "^7.0.2", "debug": "^4.3.2", "doctrine": "^3.0.0", "escape-string-regexp": "^4.0.0", "eslint-scope": "^7.1.1", "eslint-utils": "^3.0.0", "eslint-visitor-keys": "^3.3.0", "espree": "^9.3.2", "esquery": "^1.4.0", "esutils": "^2.0.2", "fast-deep-equal": "^3.1.3", "file-entry-cache": "^6.0.1", "functional-red-black-tree": "^1.0.1", "glob-parent": "^6.0.1", "globals": "^13.15.0", "ignore": "^5.2.0", "import-fresh": "^3.0.0", "imurmurhash": "^0.1.4", "is-glob": "^4.0.0", "js-yaml": "^4.1.0", "json-stable-stringify-without-jsonify": "^1.0.1", "levn": "^0.4.1", "lodash.merge": "^4.6.2", "minimatch": "^3.1.2", "natural-compare": "^1.4.0", "optionator": "^0.9.1", "regexpp": "^3.2.0", "strip-ansi": "^6.0.1", "strip-json-comments": "^3.1.0", "text-table": "^0.2.0", "v8-compile-cache": "^2.0.3" }, "dependencies": { "argparse": { "version": "2.0.1", "resolved": "https://registry.npmjs.org/argparse/-/argparse-2.0.1.tgz", "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==", "dev": true }, "js-yaml": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-4.1.0.tgz", "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==", "dev": true, "requires": { "argparse": "^2.0.1" } } } }, "eslint-config-airbnb-base": { "version": "15.0.0", "resolved": "https://registry.npmjs.org/eslint-config-airbnb-base/-/eslint-config-airbnb-base-15.0.0.tgz", "integrity": "sha512-xaX3z4ZZIcFLvh2oUNvcX5oEofXda7giYmuplVxoOg5A7EXJMrUyqRgR+mhDhPK8LZ4PttFOBvCYDbX3sUoUig==", "dev": true, "requires": { "confusing-browser-globals": "^1.0.10", "object.assign": "^4.1.2", "object.entries": "^1.1.5", "semver": "^6.3.0" } }, "eslint-config-prettier": { "version": "8.5.0", "resolved": "https://registry.npmjs.org/eslint-config-prettier/-/eslint-config-prettier-8.5.0.tgz", "integrity": "sha512-obmWKLUNCnhtQRKc+tmnYuQl0pFU1ibYJQ5BGhTVB08bHe9wC8qUeG7c08dj9XX+AuPj1YSGSQIHl1pnDHZR0Q==", "dev": true, "requires": {} }, "eslint-import-resolver-node": { "version": "0.3.6", "resolved": "https://registry.npmjs.org/eslint-import-resolver-node/-/eslint-import-resolver-node-0.3.6.tgz", "integrity": "sha512-0En0w03NRVMn9Uiyn8YRPDKvWjxCWkslUEhGNTdGx15RvPJYQ+lbOlqrlNI2vEAs4pDYK4f/HN2TbDmk5TP0iw==", "dev": true, "requires": { "debug": "^3.2.7", "resolve": "^1.20.0" }, "dependencies": { "debug": { "version": "3.2.7", "resolved": "https://registry.npmjs.org/debug/-/debug-3.2.7.tgz", "integrity": "sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ==", "dev": true, "requires": { "ms": "^2.1.1" } } } }, "eslint-module-utils": { "version": "2.7.3", "resolved": "https://registry.npmjs.org/eslint-module-utils/-/eslint-module-utils-2.7.3.tgz", "integrity": "sha512-088JEC7O3lDZM9xGe0RerkOMd0EjFl+Yvd1jPWIkMT5u3H9+HC34mWWPnqPrN13gieT9pBOO+Qt07Nb/6TresQ==", "dev": true, "requires": { "debug": "^3.2.7", "find-up": "^2.1.0" }, "dependencies": { "debug": { "version": "3.2.7", "resolved": "https://registry.npmjs.org/debug/-/debug-3.2.7.tgz", "integrity": "sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ==", "dev": true, "requires": { "ms": "^2.1.1" } } } }, "eslint-plugin-import": { "version": "2.26.0", "resolved": "https://registry.npmjs.org/eslint-plugin-import/-/eslint-plugin-import-2.26.0.tgz", "integrity": "sha512-hYfi3FXaM8WPLf4S1cikh/r4IxnO6zrhZbEGz2b660EJRbuxgpDS5gkCuYgGWg2xxh2rBuIr4Pvhve/7c31koA==", "dev": true, "requires": { "array-includes": "^3.1.4", "array.prototype.flat": "^1.2.5", "debug": "^2.6.9", "doctrine": "^2.1.0", "eslint-import-resolver-node": "^0.3.6", "eslint-module-utils": "^2.7.3", "has": "^1.0.3", "is-core-module": "^2.8.1", "is-glob": "^4.0.3", "minimatch": "^3.1.2", "object.values": "^1.1.5", "resolve": "^1.22.0", "tsconfig-paths": "^3.14.1" }, "dependencies": { "debug": { "version": "2.6.9", "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", "dev": true, "requires": { "ms": "2.0.0" } }, "doctrine": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/doctrine/-/doctrine-2.1.0.tgz", "integrity": "sha512-35mSku4ZXK0vfCuHEDAwt55dg2jNajHZ1odvF+8SSr82EsZY4QmXfuWso8oEd8zRhVObSN18aM0CjSdoBX7zIw==", "dev": true, "requires": { "esutils": "^2.0.2" } }, "ms": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", "dev": true } } }, "eslint-plugin-prettier": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/eslint-plugin-prettier/-/eslint-plugin-prettier-4.0.0.tgz", "integrity": "sha512-98MqmCJ7vJodoQK359bqQWaxOE0CS8paAz/GgjaZLyex4TTk3g9HugoO89EqWCrFiOqn9EVvcoo7gZzONCWVwQ==", "dev": true, "requires": { "prettier-linter-helpers": "^1.0.0" } }, "eslint-scope": { "version": "7.1.1", "resolved": "https://registry.npmjs.org/eslint-scope/-/eslint-scope-7.1.1.tgz", "integrity": "sha512-QKQM/UXpIiHcLqJ5AOyIW7XZmzjkzQXYE54n1++wb0u9V/abW3l9uQnxX8Z5Xd18xyKIMTUAyQ0k1e8pz6LUrw==", "dev": true, "requires": { "esrecurse": "^4.3.0", "estraverse": "^5.2.0" } }, "eslint-utils": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/eslint-utils/-/eslint-utils-3.0.0.tgz", "integrity": "sha512-uuQC43IGctw68pJA1RgbQS8/NP7rch6Cwd4j3ZBtgo4/8Flj4eGE7ZYSZRN3iq5pVUv6GPdW5Z1RFleo84uLDA==", "dev": true, "requires": { "eslint-visitor-keys": "^2.0.0" }, "dependencies": { "eslint-visitor-keys": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-2.1.0.tgz", "integrity": "sha512-0rSmRBzXgDzIsD6mGdJgevzgezI534Cer5L/vyMX0kHzT/jiB43jRhd9YUlMGYLQy2zprNmoT8qasCGtY+QaKw==", "dev": true } } }, "eslint-visitor-keys": { "version": "3.3.0", "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-3.3.0.tgz", "integrity": "sha512-mQ+suqKJVyeuwGYHAdjMFqjCyfl8+Ldnxuyp3ldiMBFKkvytrXUZWaiPCEav8qDHKty44bD+qV1IP4T+w+xXRA==", "dev": true }, "espree": { "version": "9.3.2", "resolved": "https://registry.npmjs.org/espree/-/espree-9.3.2.tgz", "integrity": "sha512-D211tC7ZwouTIuY5x9XnS0E9sWNChB7IYKX/Xp5eQj3nFXhqmiUDB9q27y76oFl8jTg3pXcQx/bpxMfs3CIZbA==", "dev": true, "requires": { "acorn": "^8.7.1", "acorn-jsx": "^5.3.2", "eslint-visitor-keys": "^3.3.0" } }, "esprima": { "version": "4.0.1", "resolved": "https://registry.npmjs.org/esprima/-/esprima-4.0.1.tgz", "integrity": "sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A==", "dev": true }, "esquery": { "version": "1.4.0", "resolved": "https://registry.npmjs.org/esquery/-/esquery-1.4.0.tgz", "integrity": "sha512-cCDispWt5vHHtwMY2YrAQ4ibFkAL8RbH5YGBnZBc90MolvvfkkQcJro/aZiAQUlQ3qgrYS6D6v8Gc5G5CQsc9w==", "dev": true, "requires": { "estraverse": "^5.1.0" } }, "esrecurse": { "version": "4.3.0", "resolved": "https://registry.npmjs.org/esrecurse/-/esrecurse-4.3.0.tgz", "integrity": "sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==", "dev": true, "requires": { "estraverse": "^5.2.0" } }, "estraverse": { "version": "5.3.0", "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz", "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==", "dev": true }, "esutils": { "version": "2.0.3", "resolved": "https://registry.npmjs.org/esutils/-/esutils-2.0.3.tgz", "integrity": "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==", "dev": true }, "events-to-array": { "version": "1.1.2", "resolved": "https://registry.npmjs.org/events-to-array/-/events-to-array-1.1.2.tgz", "integrity": "sha512-inRWzRY7nG+aXZxBzEqYKB3HPgwflZRopAjDCHv0whhRx+MTUr1ei0ICZUypdyE0HRm4L2d5VEcIqLD6yl+BFA==", "dev": true }, "execa": { "version": "5.1.1", "resolved": "https://registry.npmjs.org/execa/-/execa-5.1.1.tgz", "integrity": "sha512-8uSpZZocAZRBAPIEINJj3Lo9HyGitllczc27Eh5YYojjMFMn8yHMDMaUHE2Jqfq05D/wucwI4JGURyXt1vchyg==", "dev": true, "requires": { "cross-spawn": "^7.0.3", "get-stream": "^6.0.0", "human-signals": "^2.1.0", "is-stream": "^2.0.0", "merge-stream": "^2.0.0", "npm-run-path": "^4.0.1", "onetime": "^5.1.2", "signal-exit": "^3.0.3", "strip-final-newline": "^2.0.0" } }, "fast-deep-equal": { "version": "3.1.3", "resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz", "integrity": "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==", "dev": true }, "fast-diff": { "version": "1.2.0", "resolved": "https://registry.npmjs.org/fast-diff/-/fast-diff-1.2.0.tgz", "integrity": "sha512-xJuoT5+L99XlZ8twedaRf6Ax2TgQVxvgZOYoPKqZufmJib0tL2tegPBOZb1pVNgIhlqDlA0eO0c3wBvQcmzx4w==", "dev": true }, "fast-json-stable-stringify": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz", "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==", "dev": true }, "fast-levenshtein": { "version": "2.0.6", "resolved": "https://registry.npmjs.org/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz", "integrity": "sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==", "dev": true }, "file-entry-cache": { "version": "6.0.1", "resolved": "https://registry.npmjs.org/file-entry-cache/-/file-entry-cache-6.0.1.tgz", "integrity": "sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==", "dev": true, "requires": { "flat-cache": "^3.0.4" } }, "fill-keys": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/fill-keys/-/fill-keys-1.0.2.tgz", "integrity": "sha512-tcgI872xXjwFF4xgQmLxi76GnwJG3g/3isB1l4/G5Z4zrbddGpBjqZCO9oEAcB5wX0Hj/5iQB3toxfO7in1hHA==", "dev": true, "requires": { "is-object": "~1.0.1", "merge-descriptors": "~1.0.0" } }, "fill-range": { "version": "7.0.1", "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.0.1.tgz", "integrity": "sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==", "dev": true, "requires": { "to-regex-range": "^5.0.1" } }, "find-cache-dir": { "version": "3.3.2", "resolved": "https://registry.npmjs.org/find-cache-dir/-/find-cache-dir-3.3.2.tgz", "integrity": "sha512-wXZV5emFEjrridIgED11OoUKLxiYjAcqot/NJdAkOhlJ+vGzwhOAfcG5OX1jP+S0PcjEn8bdMJv+g2jwQ3Onig==", "dev": true, "requires": { "commondir": "^1.0.1", "make-dir": "^3.0.2", "pkg-dir": "^4.1.0" } }, "find-up": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/find-up/-/find-up-2.1.0.tgz", "integrity": "sha512-NWzkk0jSJtTt08+FBFMvXoeZnOJD+jTtsRmBYbAIzJdX6l7dLgR7CTubCM5/eDdPUBvLCeVasP1brfVR/9/EZQ==", "dev": true, "requires": { "locate-path": "^2.0.0" } }, "findit": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/findit/-/findit-2.0.0.tgz", "integrity": "sha512-ENZS237/Hr8bjczn5eKuBohLgaD0JyUd0arxretR1f9RO46vZHA1b2y0VorgGV3WaOT3c+78P8h7v4JGJ1i/rg==", "dev": true }, "flat-cache": { "version": "3.0.4", "resolved": "https://registry.npmjs.org/flat-cache/-/flat-cache-3.0.4.tgz", "integrity": "sha512-dm9s5Pw7Jc0GvMYbshN6zchCA9RgQlzzEZX3vylR9IqFfS8XciblUXOKfW6SiuJ0e13eDYZoZV5wdrev7P3Nwg==", "dev": true, "requires": { "flatted": "^3.1.0", "rimraf": "^3.0.2" } }, "flatted": { "version": "3.2.5", "resolved": "https://registry.npmjs.org/flatted/-/flatted-3.2.5.tgz", "integrity": "sha512-WIWGi2L3DyTUvUrwRKgGi9TwxQMUEqPOPQBVi71R96jZXJdFskXEmf54BoZaS1kknGODoIGASGEzBUYdyMCBJg==" }, "foreground-child": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/foreground-child/-/foreground-child-2.0.0.tgz", "integrity": "sha512-dCIq9FpEcyQyXKCkyzmlPTFNgrCzPudOe+mhvJU5zAtlBnGVy2yKxtfsxK2tQBThwq225jcvBjpw1Gr40uzZCA==", "dev": true, "requires": { "cross-spawn": "^7.0.0", "signal-exit": "^3.0.2" } }, "fromentries": { "version": "1.3.2", "resolved": "https://registry.npmjs.org/fromentries/-/fromentries-1.3.2.tgz", "integrity": "sha512-cHEpEQHUg0f8XdtZCc2ZAhrHzKzT0MrFUTcvx+hfxYu7rGMDc5SKoXFh+n4YigxsHXRzc6OrCshdR1bWH6HHyg==", "dev": true }, "fs-exists-cached": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/fs-exists-cached/-/fs-exists-cached-1.0.0.tgz", "integrity": "sha512-kSxoARUDn4F2RPXX48UXnaFKwVU7Ivd/6qpzZL29MCDmr9sTvybv4gFCp+qaI4fM9m0z9fgz/yJvi56GAz+BZg==", "dev": true }, "fs-extra": { "version": "10.1.0", "resolved": "https://registry.npmjs.org/fs-extra/-/fs-extra-10.1.0.tgz", "integrity": "sha512-oRXApq54ETRj4eMiFzGnHWGy+zo5raudjuxN0b8H7s/RU2oW0Wvsx9O0ACRN/kRq9E8Vu/ReskGB5o3ji+FzHQ==", "requires": { "graceful-fs": "^4.2.0", "jsonfile": "^6.0.1", "universalify": "^2.0.0" } }, "fs.realpath": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/fs.realpath/-/fs.realpath-1.0.0.tgz", "integrity": "sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==", "dev": true }, "fsevents": { "version": "2.3.2", "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.2.tgz", "integrity": "sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA==", "dev": true, "optional": true }, "function-bind": { "version": "1.1.1", "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.1.tgz", "integrity": "sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==", "dev": true }, "function-loop": { "version": "2.0.1", "resolved": "https://registry.npmjs.org/function-loop/-/function-loop-2.0.1.tgz", "integrity": "sha512-ktIR+O6i/4h+j/ZhZJNdzeI4i9lEPeEK6UPR2EVyTVBqOwcU3Za9xYKLH64ZR9HmcROyRrOkizNyjjtWJzDDkQ==", "dev": true }, "function.prototype.name": { "version": "1.1.5", "resolved": "https://registry.npmjs.org/function.prototype.name/-/function.prototype.name-1.1.5.tgz", "integrity": "sha512-uN7m/BzVKQnCUF/iW8jYea67v++2u7m5UgENbHRtdDVclOUP+FMPlCNdmk0h/ysGyo2tavMJEDqJAkJdRa1vMA==", "dev": true, "requires": { "call-bind": "^1.0.2", "define-properties": "^1.1.3", "es-abstract": "^1.19.0", "functions-have-names": "^1.2.2" } }, "functional-red-black-tree": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/functional-red-black-tree/-/functional-red-black-tree-1.0.1.tgz", "integrity": "sha512-dsKNQNdj6xA3T+QlADDA7mOSlX0qiMINjn0cgr+eGHGsbSHzTabcIogz2+p/iqP1Xs6EP/sS2SbqH+brGTbq0g==", "dev": true }, "functions-have-names": { "version": "1.2.3", "resolved": "https://registry.npmjs.org/functions-have-names/-/functions-have-names-1.2.3.tgz", "integrity": "sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ==", "dev": true }, "gensync": { "version": "1.0.0-beta.2", "resolved": "https://registry.npmjs.org/gensync/-/gensync-1.0.0-beta.2.tgz", "integrity": "sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg==", "dev": true }, "get-caller-file": { "version": "2.0.5", "resolved": "https://registry.npmjs.org/get-caller-file/-/get-caller-file-2.0.5.tgz", "integrity": "sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==", "dev": true }, "get-intrinsic": { "version": "1.1.1", "resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.1.1.tgz", "integrity": "sha512-kWZrnVM42QCiEA2Ig1bG8zjoIMOgxWwYCEeNdwY6Tv/cOSeGpcoX4pXHfKUxNKVoArnrEr2e9srnAxxGIraS9Q==", "dev": true, "requires": { "function-bind": "^1.1.1", "has": "^1.0.3", "has-symbols": "^1.0.1" } }, "get-package-type": { "version": "0.1.0", "resolved": "https://registry.npmjs.org/get-package-type/-/get-package-type-0.1.0.tgz", "integrity": "sha512-pjzuKtY64GYfWizNAJ0fr9VqttZkNiK2iS430LtIHzjBEr6bX8Am2zm4sW4Ro5wjWW5cAlRL1qAMTcXbjNAO2Q==", "dev": true }, "get-stream": { "version": "6.0.1", "resolved": "https://registry.npmjs.org/get-stream/-/get-stream-6.0.1.tgz", "integrity": "sha512-ts6Wi+2j3jQjqi70w5AlN8DFnkSwC+MqmxEzdEALB2qXZYV3X/b1CTfgPLGJNMeAWxdPfU8FO1ms3NUfaHCPYg==", "dev": true }, "get-symbol-description": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/get-symbol-description/-/get-symbol-description-1.0.0.tgz", "integrity": "sha512-2EmdH1YvIQiZpltCNgkuiUnyukzxM/R6NDJX31Ke3BG1Nq5b0S2PhX59UKi9vZpPDQVdqn+1IcaAwnzTT5vCjw==", "dev": true, "requires": { "call-bind": "^1.0.2", "get-intrinsic": "^1.1.1" } }, "git-raw-commits": { "version": "2.0.11", "resolved": "https://registry.npmjs.org/git-raw-commits/-/git-raw-commits-2.0.11.tgz", "integrity": "sha512-VnctFhw+xfj8Va1xtfEqCUD2XDrbAPSJx+hSrE5K7fGdjZruW7XV+QOrN7LF/RJyvspRiD2I0asWsxFp0ya26A==", "dev": true, "requires": { "dargs": "^7.0.0", "lodash": "^4.17.15", "meow": "^8.0.0", "split2": "^3.0.0", "through2": "^4.0.0" } }, "glob": { "version": "7.2.3", "resolved": "https://registry.npmjs.org/glob/-/glob-7.2.3.tgz", "integrity": "sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==", "dev": true, "requires": { "fs.realpath": "^1.0.0", "inflight": "^1.0.4", "inherits": "2", "minimatch": "^3.1.1", "once": "^1.3.0", "path-is-absolute": "^1.0.0" } }, "glob-parent": { "version": "6.0.2", "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-6.0.2.tgz", "integrity": "sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==", "dev": true, "requires": { "is-glob": "^4.0.3" } }, "global-dirs": { "version": "0.1.1", "resolved": "https://registry.npmjs.org/global-dirs/-/global-dirs-0.1.1.tgz", "integrity": "sha512-NknMLn7F2J7aflwFOlGdNIuCDpN3VGoSoB+aap3KABFWbHVn1TCgFC+np23J8W2BiZbjfEw3BFBycSMv1AFblg==", "dev": true, "requires": { "ini": "^1.3.4" } }, "globals": { "version": "13.15.0", "resolved": "https://registry.npmjs.org/globals/-/globals-13.15.0.tgz", "integrity": "sha512-bpzcOlgDhMG070Av0Vy5Owklpv1I6+j96GhUI7Rh7IzDCKLzboflLrrfqMu8NquDbiR4EOQk7XzJwqVJxicxog==", "dev": true, "requires": { "type-fest": "^0.20.2" } }, "graceful-fs": { "version": "4.2.10", "resolved": "https://registry.npmjs.org/graceful-fs/-/graceful-fs-4.2.10.tgz", "integrity": "sha512-9ByhssR2fPVsNZj478qUUbKfmL0+t5BDVyjShtyZZLiK7ZDAArFFfopyOTj0M05wE2tJPisA4iTnnXl2YoPvOA==" }, "hard-rejection": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/hard-rejection/-/hard-rejection-2.1.0.tgz", "integrity": "sha512-VIZB+ibDhx7ObhAe7OVtoEbuP4h/MuOTHJ+J8h/eBXotJYl0fBgR72xDFCKgIh22OJZIOVNxBMWuhAr10r8HdA==", "dev": true }, "has": { "version": "1.0.3", "resolved": "https://registry.npmjs.org/has/-/has-1.0.3.tgz", "integrity": "sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==", "dev": true, "requires": { "function-bind": "^1.1.1" } }, "has-bigints": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/has-bigints/-/has-bigints-1.0.2.tgz", "integrity": "sha512-tSvCKtBr9lkF0Ex0aQiP9N+OpV4zi2r/Nee5VkRDbaqv35RLYMzbwQfFSZZH0kR+Rd6302UJZ2p/bJCEoR3VoQ==", "dev": true }, "has-flag": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", "dev": true }, "has-property-descriptors": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/has-property-descriptors/-/has-property-descriptors-1.0.0.tgz", "integrity": "sha512-62DVLZGoiEBDHQyqG4w9xCuZ7eJEwNmJRWw2VY84Oedb7WFcA27fiEVe8oUQx9hAUJ4ekurquucTGwsyO1XGdQ==", "dev": true, "requires": { "get-intrinsic": "^1.1.1" } }, "has-symbols": { "version": "1.0.3", "resolved": "https://registry.npmjs.org/has-symbols/-/has-symbols-1.0.3.tgz", "integrity": "sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==", "dev": true }, "has-tostringtag": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/has-tostringtag/-/has-tostringtag-1.0.0.tgz", "integrity": "sha512-kFjcSNhnlGV1kyoGk7OXKSawH5JOb/LzUc5w9B02hOTO0dfFRjbHQKvg1d6cf3HbeUmtU9VbbV3qzZ2Teh97WQ==", "dev": true, "requires": { "has-symbols": "^1.0.2" } }, "hasha": { "version": "5.2.2", "resolved": "https://registry.npmjs.org/hasha/-/hasha-5.2.2.tgz", "integrity": "sha512-Hrp5vIK/xr5SkeN2onO32H0MgNZ0f17HRNH39WfL0SYUNOTZ5Lz1TJ8Pajo/87dYGEFlLMm7mIc/k/s6Bvz9HQ==", "dev": true, "requires": { "is-stream": "^2.0.0", "type-fest": "^0.8.0" }, "dependencies": { "type-fest": { "version": "0.8.1", "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.8.1.tgz", "integrity": "sha512-4dbzIzqvjtgiM5rw1k5rEHtBANKmdudhGyBEajN01fEyhaAIhsoKNy6y7+IN93IfpFtwY9iqi7kD+xwKhQsNJA==", "dev": true } } }, "hosted-git-info": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/hosted-git-info/-/hosted-git-info-4.1.0.tgz", "integrity": "sha512-kyCuEOWjJqZuDbRHzL8V93NzQhwIB71oFWSyzVo+KPZI+pnQPPxucdkrOZvkLRnrf5URsQM+IJ09Dw29cRALIA==", "dev": true, "requires": { "lru-cache": "^6.0.0" } }, "html-escaper": { "version": "2.0.2", "resolved": "https://registry.npmjs.org/html-escaper/-/html-escaper-2.0.2.tgz", "integrity": "sha512-H2iMtd0I4Mt5eYiapRdIDjp+XzelXQ0tFE4JS7YFwFevXXMmOp9myNrUvCg0D6ws8iqkRPBfKHgbwig1SmlLfg==", "dev": true }, "human-signals": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/human-signals/-/human-signals-2.1.0.tgz", "integrity": "sha512-B4FFZ6q/T2jhhksgkbEW3HBvWIfDW85snkQgawt07S7J5QXTk6BkNV+0yAeZrM5QpMAdYlocGoljn0sJ/WQkFw==", "dev": true }, "husky": { "version": "8.0.1", "resolved": "https://registry.npmjs.org/husky/-/husky-8.0.1.tgz", "integrity": "sha512-xs7/chUH/CKdOCs7Zy0Aev9e/dKOMZf3K1Az1nar3tzlv0jfqnYtu235bstsWTmXOR0EfINrPa97yy4Lz6RiKw==", "dev": true }, "ignore": { "version": "5.2.0", "resolved": "https://registry.npmjs.org/ignore/-/ignore-5.2.0.tgz", "integrity": "sha512-CmxgYGiEPCLhfLnpPp1MoRmifwEIOgjcHXxOBjv7mY96c+eWScsOP9c112ZyLdWHi0FxHjI+4uVhKYp/gcdRmQ==", "dev": true }, "import-fresh": { "version": "3.3.0", "resolved": "https://registry.npmjs.org/import-fresh/-/import-fresh-3.3.0.tgz", "integrity": "sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==", "dev": true, "requires": { "parent-module": "^1.0.0", "resolve-from": "^4.0.0" } }, "imurmurhash": { "version": "0.1.4", "resolved": "https://registry.npmjs.org/imurmurhash/-/imurmurhash-0.1.4.tgz", "integrity": "sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==", "dev": true }, "indent-string": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/indent-string/-/indent-string-4.0.0.tgz", "integrity": "sha512-EdDDZu4A2OyIK7Lr/2zG+w5jmbuk1DVBnEwREQvBzspBJkCEbRa8GxU1lghYcaGJCnRWibjDXlq779X1/y5xwg==", "dev": true }, "inflight": { "version": "1.0.6", "resolved": "https://registry.npmjs.org/inflight/-/inflight-1.0.6.tgz", "integrity": "sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==", "dev": true, "requires": { "once": "^1.3.0", "wrappy": "1" } }, "inherits": { "version": "2.0.4", "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==", "dev": true }, "ini": { "version": "1.3.8", "resolved": "https://registry.npmjs.org/ini/-/ini-1.3.8.tgz", "integrity": "sha512-JV/yugV2uzW5iMRSiZAyDtQd+nxtUnjeLt0acNdw98kKLrvuRVyB80tsREOE7yvGVgalhZ6RNXCmEHkUKBKxew==", "dev": true }, "internal-slot": { "version": "1.0.3", "resolved": "https://registry.npmjs.org/internal-slot/-/internal-slot-1.0.3.tgz", "integrity": "sha512-O0DB1JC/sPyZl7cIo78n5dR7eUSwwpYPiXRhTzNxZVAMUuB8vlnRFyLxdrVToks6XPLVnFfbzaVd5WLjhgg+vA==", "dev": true, "requires": { "get-intrinsic": "^1.1.0", "has": "^1.0.3", "side-channel": "^1.0.4" } }, "is-arrayish": { "version": "0.2.1", "resolved": "https://registry.npmjs.org/is-arrayish/-/is-arrayish-0.2.1.tgz", "integrity": "sha512-zz06S8t0ozoDXMG+ube26zeCTNXcKIPJZJi8hBrF4idCLms4CG9QtK7qBl1boi5ODzFpjswb5JPmHCbMpjaYzg==", "dev": true }, "is-bigint": { "version": "1.0.4", "resolved": "https://registry.npmjs.org/is-bigint/-/is-bigint-1.0.4.tgz", "integrity": "sha512-zB9CruMamjym81i2JZ3UMn54PKGsQzsJeo6xvN3HJJ4CAsQNB6iRutp2To77OfCNuoxspsIhzaPoO1zyCEhFOg==", "dev": true, "requires": { "has-bigints": "^1.0.1" } }, "is-binary-path": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/is-binary-path/-/is-binary-path-2.1.0.tgz", "integrity": "sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==", "dev": true, "requires": { "binary-extensions": "^2.0.0" } }, "is-boolean-object": { "version": "1.1.2", "resolved": "https://registry.npmjs.org/is-boolean-object/-/is-boolean-object-1.1.2.tgz", "integrity": "sha512-gDYaKHJmnj4aWxyj6YHyXVpdQawtVLHU5cb+eztPGczf6cjuTdwve5ZIEfgXqH4e57An1D1AKf8CZ3kYrQRqYA==", "dev": true, "requires": { "call-bind": "^1.0.2", "has-tostringtag": "^1.0.0" } }, "is-callable": { "version": "1.2.4", "resolved": "https://registry.npmjs.org/is-callable/-/is-callable-1.2.4.tgz", "integrity": "sha512-nsuwtxZfMX67Oryl9LCQ+upnC0Z0BgpwntpS89m1H/TLF0zNfzfLMV/9Wa/6MZsj0acpEjAO0KF1xT6ZdLl95w==", "dev": true }, "is-ci": { "version": "3.0.1", "resolved": "https://registry.npmjs.org/is-ci/-/is-ci-3.0.1.tgz", "integrity": "sha512-ZYvCgrefwqoQ6yTyYUbQu64HsITZ3NfKX1lzaEYdkTDcfKzzCI/wthRRYKkdjHKFVgNiXKAKm65Zo1pk2as/QQ==", "dev": true, "requires": { "ci-info": "^3.2.0" } }, "is-core-module": { "version": "2.9.0", "resolved": "https://registry.npmjs.org/is-core-module/-/is-core-module-2.9.0.tgz", "integrity": "sha512-+5FPy5PnwmO3lvfMb0AsoPaBG+5KHUI0wYFXOtYPnVVVspTFUuMZNfNaNVRt3FZadstu2c8x23vykRW/NBoU6A==", "dev": true, "requires": { "has": "^1.0.3" } }, "is-date-object": { "version": "1.0.5", "resolved": "https://registry.npmjs.org/is-date-object/-/is-date-object-1.0.5.tgz", "integrity": "sha512-9YQaSxsAiSwcvS33MBk3wTCVnWK+HhF8VZR2jRxehM16QcVOdHqPn4VPHmRK4lSr38n9JriurInLcP90xsYNfQ==", "dev": true, "requires": { "has-tostringtag": "^1.0.0" } }, "is-extglob": { "version": "2.1.1", "resolved": "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz", "integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==", "dev": true }, "is-fullwidth-code-point": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", "dev": true }, "is-glob": { "version": "4.0.3", "resolved": "https://registry.npmjs.org/is-glob/-/is-glob-4.0.3.tgz", "integrity": "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==", "dev": true, "requires": { "is-extglob": "^2.1.1" } }, "is-negative-zero": { "version": "2.0.2", "resolved": "https://registry.npmjs.org/is-negative-zero/-/is-negative-zero-2.0.2.tgz", "integrity": "sha512-dqJvarLawXsFbNDeJW7zAz8ItJ9cd28YufuuFzh0G8pNHjJMnY08Dv7sYX2uF5UpQOwieAeOExEYAWWfu7ZZUA==", "dev": true }, "is-number": { "version": "7.0.0", "resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz", "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==", "dev": true }, "is-number-object": { "version": "1.0.7", "resolved": "https://registry.npmjs.org/is-number-object/-/is-number-object-1.0.7.tgz", "integrity": "sha512-k1U0IRzLMo7ZlYIfzRu23Oh6MiIFasgpb9X76eqfFZAqwH44UI4KTBvBYIZ1dSL9ZzChTB9ShHfLkR4pdW5krQ==", "dev": true, "requires": { "has-tostringtag": "^1.0.0" } }, "is-obj": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/is-obj/-/is-obj-2.0.0.tgz", "integrity": "sha512-drqDG3cbczxxEJRoOXcOjtdp1J/lyp1mNn0xaznRs8+muBhgQcrnbspox5X5fOw0HnMnbfDzvnEMEtqDEJEo8w==", "dev": true }, "is-object": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/is-object/-/is-object-1.0.2.tgz", "integrity": "sha512-2rRIahhZr2UWb45fIOuvZGpFtz0TyOZLf32KxBbSoUCeZR495zCKlWUKKUByk3geS2eAs7ZAABt0Y/Rx0GiQGA==", "dev": true }, "is-plain-obj": { "version": "1.1.0", "resolved": "https://registry.npmjs.org/is-plain-obj/-/is-plain-obj-1.1.0.tgz", "integrity": "sha512-yvkRyxmFKEOQ4pNXCmJG5AEQNlXJS5LaONXo5/cLdTZdWvsZ1ioJEonLGAosKlMWE8lwUy/bJzMjcw8az73+Fg==", "dev": true }, "is-regex": { "version": "1.1.4", "resolved": "https://registry.npmjs.org/is-regex/-/is-regex-1.1.4.tgz", "integrity": "sha512-kvRdxDsxZjhzUX07ZnLydzS1TU/TJlTUHHY4YLL87e37oUA49DfkLqgy+VjFocowy29cKvcSiu+kIv728jTTVg==", "dev": true, "requires": { "call-bind": "^1.0.2", "has-tostringtag": "^1.0.0" } }, "is-shared-array-buffer": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/is-shared-array-buffer/-/is-shared-array-buffer-1.0.2.tgz", "integrity": "sha512-sqN2UDu1/0y6uvXyStCOzyhAjCSlHceFoMKJW8W9EU9cvic/QdsZ0kEU93HEy3IUEFZIiH/3w+AH/UQbPHNdhA==", "dev": true, "requires": { "call-bind": "^1.0.2" } }, "is-stream": { "version": "2.0.1", "resolved": "https://registry.npmjs.org/is-stream/-/is-stream-2.0.1.tgz", "integrity": "sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg==", "dev": true }, "is-string": { "version": "1.0.7", "resolved": "https://registry.npmjs.org/is-string/-/is-string-1.0.7.tgz", "integrity": "sha512-tE2UXzivje6ofPW7l23cjDOMa09gb7xlAqG6jG5ej6uPV32TlWP3NKPigtaGeHNu9fohccRYvIiZMfOOnOYUtg==", "dev": true, "requires": { "has-tostringtag": "^1.0.0" } }, "is-symbol": { "version": "1.0.4", "resolved": "https://registry.npmjs.org/is-symbol/-/is-symbol-1.0.4.tgz", "integrity": "sha512-C/CPBqKWnvdcxqIARxyOh4v1UUEOCHpgDa0WYgpKDFMszcrPcffg5uhwSgPCLD2WWxmq6isisz87tzT01tuGhg==", "dev": true, "requires": { "has-symbols": "^1.0.2" } }, "is-text-path": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/is-text-path/-/is-text-path-1.0.1.tgz", "integrity": "sha512-xFuJpne9oFz5qDaodwmmG08e3CawH/2ZV8Qqza1Ko7Sk8POWbkRdwIoAWVhqvq0XeUzANEhKo2n0IXUGBm7A/w==", "dev": true, "requires": { "text-extensions": "^1.0.0" } }, "is-typedarray": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/is-typedarray/-/is-typedarray-1.0.0.tgz", "integrity": "sha512-cyA56iCMHAh5CdzjJIa4aohJyeO1YbwLi3Jc35MmRU6poroFjIGZzUzupGiRPOjgHg9TLu43xbpwXk523fMxKA==", "dev": true }, "is-weakref": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/is-weakref/-/is-weakref-1.0.2.tgz", "integrity": "sha512-qctsuLZmIQ0+vSSMfoVvyFe2+GSEvnmZ2ezTup1SBse9+twCCeial6EEi3Nc2KFcf6+qz2FBPnjXsk8xhKSaPQ==", "dev": true, "requires": { "call-bind": "^1.0.2" } }, "is-windows": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/is-windows/-/is-windows-1.0.2.tgz", "integrity": "sha512-eXK1UInq2bPmjyX6e3VHIzMLobc4J94i4AWn+Hpq3OU5KkrRC96OAcR3PRJ/pGu6m8TRnBHP9dkXQVsT/COVIA==", "dev": true }, "isexe": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz", "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==", "dev": true }, "istanbul-lib-coverage": { "version": "3.2.0", "resolved": "https://registry.npmjs.org/istanbul-lib-coverage/-/istanbul-lib-coverage-3.2.0.tgz", "integrity": "sha512-eOeJ5BHCmHYvQK7xt9GkdHuzuCGS1Y6g9Gvnx3Ym33fz/HpLRYxiS0wHNr+m/MBC8B647Xt608vCDEvhl9c6Mw==", "dev": true }, "istanbul-lib-hook": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/istanbul-lib-hook/-/istanbul-lib-hook-3.0.0.tgz", "integrity": "sha512-Pt/uge1Q9s+5VAZ+pCo16TYMWPBIl+oaNIjgLQxcX0itS6ueeaA+pEfThZpH8WxhFgCiEb8sAJY6MdUKgiIWaQ==", "dev": true, "requires": { "append-transform": "^2.0.0" } }, "istanbul-lib-instrument": { "version": "4.0.3", "resolved": "https://registry.npmjs.org/istanbul-lib-instrument/-/istanbul-lib-instrument-4.0.3.tgz", "integrity": "sha512-BXgQl9kf4WTCPCCpmFGoJkz/+uhvm7h7PFKUYxh7qarQd3ER33vHG//qaE8eN25l07YqZPpHXU9I09l/RD5aGQ==", "dev": true, "requires": { "@babel/core": "^7.7.5", "@istanbuljs/schema": "^0.1.2", "istanbul-lib-coverage": "^3.0.0", "semver": "^6.3.0" } }, "istanbul-lib-processinfo": { "version": "2.0.2", "resolved": "https://registry.npmjs.org/istanbul-lib-processinfo/-/istanbul-lib-processinfo-2.0.2.tgz", "integrity": "sha512-kOwpa7z9hme+IBPZMzQ5vdQj8srYgAtaRqeI48NGmAQ+/5yKiHLV0QbYqQpxsdEF0+w14SoB8YbnHKcXE2KnYw==", "dev": true, "requires": { "archy": "^1.0.0", "cross-spawn": "^7.0.0", "istanbul-lib-coverage": "^3.0.0-alpha.1", "make-dir": "^3.0.0", "p-map": "^3.0.0", "rimraf": "^3.0.0", "uuid": "^3.3.3" }, "dependencies": { "uuid": { "version": "3.4.0", "resolved": "https://registry.npmjs.org/uuid/-/uuid-3.4.0.tgz", "integrity": "sha512-HjSDRw6gZE5JMggctHBcjVak08+KEVhSIiDzFnT9S9aegmp85S/bReBVTb4QTFaRNptJ9kuYaNhnbNEOkbKb/A==", "dev": true } } }, "istanbul-lib-report": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/istanbul-lib-report/-/istanbul-lib-report-3.0.0.tgz", "integrity": "sha512-wcdi+uAKzfiGT2abPpKZ0hSU1rGQjUQnLvtY5MpQ7QCTahD3VODhcu4wcfY1YtkGaDD5yuydOLINXsfbus9ROw==", "dev": true, "requires": { "istanbul-lib-coverage": "^3.0.0", "make-dir": "^3.0.0", "supports-color": "^7.1.0" } }, "istanbul-lib-source-maps": { "version": "4.0.1", "resolved": "https://registry.npmjs.org/istanbul-lib-source-maps/-/istanbul-lib-source-maps-4.0.1.tgz", "integrity": "sha512-n3s8EwkdFIJCG3BPKBYvskgXGoy88ARzvegkitk60NxRdwltLOTaH7CUiMRXvwYorl0Q712iEjcWB+fK/MrWVw==", "dev": true, "requires": { "debug": "^4.1.1", "istanbul-lib-coverage": "^3.0.0", "source-map": "^0.6.1" } }, "istanbul-reports": { "version": "3.1.4", "resolved": "https://registry.npmjs.org/istanbul-reports/-/istanbul-reports-3.1.4.tgz", "integrity": "sha512-r1/DshN4KSE7xWEknZLLLLDn5CJybV3nw01VTkp6D5jzLuELlcbudfj/eSQFvrKsJuTVCGnePO7ho82Nw9zzfw==", "dev": true, "requires": { "html-escaper": "^2.0.0", "istanbul-lib-report": "^3.0.0" } }, "jackspeak": { "version": "1.4.1", "resolved": "https://registry.npmjs.org/jackspeak/-/jackspeak-1.4.1.tgz", "integrity": "sha512-npN8f+M4+IQ8xD3CcWi3U62VQwKlT3Tj4GxbdT/fYTmeogD9eBF9OFdpoFG/VPNoshRjPUijdkp/p2XrzUHaVg==", "dev": true, "requires": { "cliui": "^7.0.4" }, "dependencies": { "cliui": { "version": "7.0.4", "resolved": "https://registry.npmjs.org/cliui/-/cliui-7.0.4.tgz", "integrity": "sha512-OcRE68cOsVMXp1Yvonl/fzkQOyjLSu/8bhPDfQt0e0/Eb283TKP20Fs2MqoPsr9SwA595rRCA+QMzYc9nBP+JQ==", "dev": true, "requires": { "string-width": "^4.2.0", "strip-ansi": "^6.0.0", "wrap-ansi": "^7.0.0" } }, "wrap-ansi": { "version": "7.0.0", "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-7.0.0.tgz", "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==", "dev": true, "requires": { "ansi-styles": "^4.0.0", "string-width": "^4.1.0", "strip-ansi": "^6.0.0" } } } }, "js-tokens": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz", "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==", "dev": true }, "js-yaml": { "version": "3.14.1", "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-3.14.1.tgz", "integrity": "sha512-okMH7OXXJ7YrN9Ok3/SXrnu4iX9yOk+25nqX4imS2npuvTYDmo/QEZoqwZkYaIDk3jVvBOTOIEgEhaLOynBS9g==", "dev": true, "requires": { "argparse": "^1.0.7", "esprima": "^4.0.0" } }, "jsesc": { "version": "2.5.2", "resolved": "https://registry.npmjs.org/jsesc/-/jsesc-2.5.2.tgz", "integrity": "sha512-OYu7XEzjkCQ3C5Ps3QIZsQfNpqoJyZZA99wd9aWd05NCtC5pWOkShK2mkL6HXQR6/Cy2lbNdPlZBpuQHXE63gA==", "dev": true }, "json-parse-even-better-errors": { "version": "2.3.1", "resolved": "https://registry.npmjs.org/json-parse-even-better-errors/-/json-parse-even-better-errors-2.3.1.tgz", "integrity": "sha512-xyFwyhro/JEof6Ghe2iz2NcXoj2sloNsWr/XsERDK/oiPCfaNhl5ONfp+jQdAZRQQ0IJWNzH9zIZF7li91kh2w==", "dev": true }, "json-schema-traverse": { "version": "0.4.1", "resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz", "integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==", "dev": true }, "json-stable-stringify-without-jsonify": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz", "integrity": "sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==", "dev": true }, "json5": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/json5/-/json5-1.0.1.tgz", "integrity": "sha512-aKS4WQjPenRxiQsC93MNfjx+nbF4PAdYzmd/1JIj8HYzqfbu86beTuNgXDzPknWk0n0uARlyewZo4s++ES36Ow==", "dev": true, "requires": { "minimist": "^1.2.0" } }, "jsonfile": { "version": "6.1.0", "resolved": "https://registry.npmjs.org/jsonfile/-/jsonfile-6.1.0.tgz", "integrity": "sha512-5dgndWOriYSm5cnYaJNhalLNDKOqFwyDB/rr1E9ZsGciGvKPs8R2xYGCacuf3z6K1YKDz182fd+fY3cn3pMqXQ==", "requires": { "graceful-fs": "^4.1.6", "universalify": "^2.0.0" } }, "jsonparse": { "version": "1.3.1", "resolved": "https://registry.npmjs.org/jsonparse/-/jsonparse-1.3.1.tgz", "integrity": "sha512-POQXvpdL69+CluYsillJ7SUhKvytYjW9vG/GKpnf+xP8UWgYEM/RaMzHHofbALDiKbbP1W8UEYmgGl39WkPZsg==", "dev": true }, "JSONStream": { "version": "1.3.5", "resolved": "https://registry.npmjs.org/JSONStream/-/JSONStream-1.3.5.tgz", "integrity": "sha512-E+iruNOY8VV9s4JEbe1aNEm6MiszPRr/UfcHMz0TQh1BXSxHK+ASV1R6W4HpjBhSeS+54PIsAMCBmwD06LLsqQ==", "dev": true, "requires": { "jsonparse": "^1.2.0", "through": ">=2.2.7 <3" } }, "kind-of": { "version": "6.0.3", "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-6.0.3.tgz", "integrity": "sha512-dcS1ul+9tmeD95T+x28/ehLgd9mENa3LsvDTtzm3vyBEO7RPptvAD+t44WVXaUjTBRcrpFeFlC8WCruUR456hw==", "dev": true }, "levn": { "version": "0.4.1", "resolved": "https://registry.npmjs.org/levn/-/levn-0.4.1.tgz", "integrity": "sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==", "dev": true, "requires": { "prelude-ls": "^1.2.1", "type-check": "~0.4.0" } }, "libtap": { "version": "1.4.0", "resolved": "https://registry.npmjs.org/libtap/-/libtap-1.4.0.tgz", "integrity": "sha512-STLFynswQ2A6W14JkabgGetBNk6INL1REgJ9UeNKw5llXroC2cGLgKTqavv0sl8OLVztLLipVKMcQ7yeUcqpmg==", "dev": true, "requires": { "async-hook-domain": "^2.0.4", "bind-obj-methods": "^3.0.0", "diff": "^4.0.2", "function-loop": "^2.0.1", "minipass": "^3.1.5", "own-or": "^1.0.0", "own-or-env": "^1.0.2", "signal-exit": "^3.0.4", "stack-utils": "^2.0.4", "tap-parser": "^11.0.0", "tap-yaml": "^1.0.0", "tcompare": "^5.0.6", "trivial-deferred": "^1.0.1" } }, "lines-and-columns": { "version": "1.2.4", "resolved": "https://registry.npmjs.org/lines-and-columns/-/lines-and-columns-1.2.4.tgz", "integrity": "sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg==", "dev": true }, "locate-path": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-2.0.0.tgz", "integrity": "sha512-NCI2kiDkyR7VeEKm27Kda/iQHyKJe1Bu0FlTbYp3CqJu+9IFe9bLyAjMxf5ZDDbEg+iMPzB5zYyUTSm8wVTKmA==", "dev": true, "requires": { "p-locate": "^2.0.0", "path-exists": "^3.0.0" } }, "lodash": { "version": "4.17.21", "resolved": "https://registry.npmjs.org/lodash/-/lodash-4.17.21.tgz", "integrity": "sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==", "dev": true }, "lodash.flattendeep": { "version": "4.4.0", "resolved": "https://registry.npmjs.org/lodash.flattendeep/-/lodash.flattendeep-4.4.0.tgz", "integrity": "sha512-uHaJFihxmJcEX3kT4I23ABqKKalJ/zDrDg0lsFtc1h+3uw49SIJ5beyhx5ExVRti3AvKoOJngIj7xz3oylPdWQ==", "dev": true }, "lodash.merge": { "version": "4.6.2", "resolved": "https://registry.npmjs.org/lodash.merge/-/lodash.merge-4.6.2.tgz", "integrity": "sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==", "dev": true }, "lru-cache": { "version": "6.0.0", "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-6.0.0.tgz", "integrity": "sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==", "dev": true, "requires": { "yallist": "^4.0.0" } }, "make-dir": { "version": "3.1.0", "resolved": "https://registry.npmjs.org/make-dir/-/make-dir-3.1.0.tgz", "integrity": "sha512-g3FeP20LNwhALb/6Cz6Dd4F2ngze0jz7tbzrD2wAV+o9FeNHe4rL+yK2md0J/fiSf1sa1ADhXqi5+oVwOM/eGw==", "dev": true, "requires": { "semver": "^6.0.0" } }, "make-error": { "version": "1.3.6", "resolved": "https://registry.npmjs.org/make-error/-/make-error-1.3.6.tgz", "integrity": "sha512-s8UhlNe7vPKomQhC1qFelMokr/Sc3AgNbso3n74mVPA5LTZwkB9NlXf4XPamLxJE8h0gh73rM94xvwRT2CVInw==", "dev": true }, "map-obj": { "version": "4.3.0", "resolved": "https://registry.npmjs.org/map-obj/-/map-obj-4.3.0.tgz", "integrity": "sha512-hdN1wVrZbb29eBGiGjJbeP8JbKjq1urkHJ/LIP/NY48MZ1QVXUsQBV1G1zvYFHn1XE06cwjBsOI2K3Ulnj1YXQ==", "dev": true }, "meow": { "version": "8.1.2", "resolved": "https://registry.npmjs.org/meow/-/meow-8.1.2.tgz", "integrity": "sha512-r85E3NdZ+mpYk1C6RjPFEMSE+s1iZMuHtsHAqY0DT3jZczl0diWUZ8g6oU7h0M9cD2EL+PzaYghhCLzR0ZNn5Q==", "dev": true, "requires": { "@types/minimist": "^1.2.0", "camelcase-keys": "^6.2.2", "decamelize-keys": "^1.1.0", "hard-rejection": "^2.1.0", "minimist-options": "4.1.0", "normalize-package-data": "^3.0.0", "read-pkg-up": "^7.0.1", "redent": "^3.0.0", "trim-newlines": "^3.0.0", "type-fest": "^0.18.0", "yargs-parser": "^20.2.3" }, "dependencies": { "type-fest": { "version": "0.18.1", "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.18.1.tgz", "integrity": "sha512-OIAYXk8+ISY+qTOwkHtKqzAuxchoMiD9Udx+FSGQDuiRR+PJKJHc2NJAXlbhkGwTt/4/nKZxELY1w3ReWOL8mw==", "dev": true }, "yargs-parser": { "version": "20.2.9", "resolved": "https://registry.npmjs.org/yargs-parser/-/yargs-parser-20.2.9.tgz", "integrity": "sha512-y11nGElTIV+CT3Zv9t7VKl+Q3hTQoT9a1Qzezhhl6Rp21gJ/IVTW7Z3y9EWXhuUBC2Shnf+DX0antecpAwSP8w==", "dev": true } } }, "merge-descriptors": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/merge-descriptors/-/merge-descriptors-1.0.1.tgz", "integrity": "sha512-cCi6g3/Zr1iqQi6ySbseM1Xvooa98N0w31jzUYrXPX2xqObmFGHJ0tQ5u74H3mVh7wLouTseZyYIq39g8cNp1w==", "dev": true }, "merge-stream": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/merge-stream/-/merge-stream-2.0.0.tgz", "integrity": "sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==", "dev": true }, "mimic-fn": { "version": "2.1.0", "resolved": "https://registry.npmjs.org/mimic-fn/-/mimic-fn-2.1.0.tgz", "integrity": "sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==", "dev": true }, "min-indent": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/min-indent/-/min-indent-1.0.1.tgz", "integrity": "sha512-I9jwMn07Sy/IwOj3zVkVik2JTvgpaykDZEigL6Rx6N9LbMywwUSMtxET+7lVoDLLd3O3IXwJwvuuns8UB/HeAg==", "dev": true }, "minimatch": { "version": "3.1.2", "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz", "integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==", "dev": true, "requires": { "brace-expansion": "^1.1.7" } }, "minimist": { "version": "1.2.6", "resolved": "https://registry.npmjs.org/minimist/-/minimist-1.2.6.tgz", "integrity": "sha512-Jsjnk4bw3YJqYzbdyBiNsPWHPfO++UGG749Cxs6peCu5Xg4nrena6OVxOYxrQTqww0Jmwt+Ref8rggumkTLz9Q==", "dev": true }, "minimist-options": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/minimist-options/-/minimist-options-4.1.0.tgz", "integrity": "sha512-Q4r8ghd80yhO/0j1O3B2BjweX3fiHg9cdOwjJd2J76Q135c+NDxGCqdYKQ1SKBuFfgWbAUzBfvYjPUEeNgqN1A==", "dev": true, "requires": { "arrify": "^1.0.1", "is-plain-obj": "^1.1.0", "kind-of": "^6.0.3" } }, "minipass": { "version": "3.1.6", "resolved": "https://registry.npmjs.org/minipass/-/minipass-3.1.6.tgz", "integrity": "sha512-rty5kpw9/z8SX9dmxblFA6edItUmwJgMeYDZRrwlIVN27i8gysGbznJwUggw2V/FVqFSDdWy040ZPS811DYAqQ==", "dev": true, "requires": { "yallist": "^4.0.0" } }, "mkdirp": { "version": "1.0.4", "resolved": "https://registry.npmjs.org/mkdirp/-/mkdirp-1.0.4.tgz", "integrity": "sha512-vVqVZQyf3WLx2Shd0qJ9xuvqgAyKPLAiqITEtqW0oIUjzo3PePDd6fW9iFz30ef7Ysp/oiWqbhszeGWW2T6Gzw==", "dev": true }, "module-not-found-error": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/module-not-found-error/-/module-not-found-error-1.0.1.tgz", "integrity": "sha512-pEk4ECWQXV6z2zjhRZUongnLJNUeGQJ3w6OQ5ctGwD+i5o93qjRQUk2Rt6VdNeu3sEP0AB4LcfvdebpxBRVr4g==", "dev": true }, "ms": { "version": "2.1.2", "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.2.tgz", "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==" }, "natural-compare": { "version": "1.4.0", "resolved": "https://registry.npmjs.org/natural-compare/-/natural-compare-1.4.0.tgz", "integrity": "sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==", "dev": true }, "node-preload": { "version": "0.2.1", "resolved": "https://registry.npmjs.org/node-preload/-/node-preload-0.2.1.tgz", "integrity": "sha512-RM5oyBy45cLEoHqCeh+MNuFAxO0vTFBLskvQbOKnEE7YTTSN4tbN8QWDIPQ6L+WvKsB/qLEGpYe2ZZ9d4W9OIQ==", "dev": true, "requires": { "process-on-spawn": "^1.0.0" } }, "node-releases": { "version": "2.0.5", "resolved": "https://registry.npmjs.org/node-releases/-/node-releases-2.0.5.tgz", "integrity": "sha512-U9h1NLROZTq9uE1SNffn6WuPDg8icmi3ns4rEl/oTfIle4iLjTliCzgTsbaIFMq/Xn078/lfY/BL0GWZ+psK4Q==", "dev": true }, "normalize-package-data": { "version": "3.0.3", "resolved": "https://registry.npmjs.org/normalize-package-data/-/normalize-package-data-3.0.3.tgz", "integrity": "sha512-p2W1sgqij3zMMyRC067Dg16bfzVH+w7hyegmpIvZ4JNjqtGOVAIvLmjBx3yP7YTe9vKJgkoNOPjwQGogDoMXFA==", "dev": true, "requires": { "hosted-git-info": "^4.0.1", "is-core-module": "^2.5.0", "semver": "^7.3.4", "validate-npm-package-license": "^3.0.1" }, "dependencies": { "semver": { "version": "7.3.7", "resolved": "https://registry.npmjs.org/semver/-/semver-7.3.7.tgz", "integrity": "sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g==", "dev": true, "requires": { "lru-cache": "^6.0.0" } } } }, "normalize-path": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/normalize-path/-/normalize-path-3.0.0.tgz", "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==", "dev": true }, "npm-run-path": { "version": "4.0.1", "resolved": "https://registry.npmjs.org/npm-run-path/-/npm-run-path-4.0.1.tgz", "integrity": "sha512-S48WzZW777zhNIrn7gxOlISNAqi9ZC/uQFnRdbeIHhZhCA6UqpkOT8T1G7BvfdgP4Er8gF4sUbaS0i7QvIfCWw==", "dev": true, "requires": { "path-key": "^3.0.0" } }, "nyc": { "version": "15.1.0", "resolved": "https://registry.npmjs.org/nyc/-/nyc-15.1.0.tgz", "integrity": "sha512-jMW04n9SxKdKi1ZMGhvUTHBN0EICCRkHemEoE5jm6mTYcqcdas0ATzgUgejlQUHMvpnOZqGB5Xxsv9KxJW1j8A==", "dev": true, "requires": { "@istanbuljs/load-nyc-config": "^1.0.0", "@istanbuljs/schema": "^0.1.2", "caching-transform": "^4.0.0", "convert-source-map": "^1.7.0", "decamelize": "^1.2.0", "find-cache-dir": "^3.2.0", "find-up": "^4.1.0", "foreground-child": "^2.0.0", "get-package-type": "^0.1.0", "glob": "^7.1.6", "istanbul-lib-coverage": "^3.0.0", "istanbul-lib-hook": "^3.0.0", "istanbul-lib-instrument": "^4.0.0", "istanbul-lib-processinfo": "^2.0.2", "istanbul-lib-report": "^3.0.0", "istanbul-lib-source-maps": "^4.0.0", "istanbul-reports": "^3.0.2", "make-dir": "^3.0.0", "node-preload": "^0.2.1", "p-map": "^3.0.0", "process-on-spawn": "^1.0.0", "resolve-from": "^5.0.0", "rimraf": "^3.0.0", "signal-exit": "^3.0.2", "spawn-wrap": "^2.0.0", "test-exclude": "^6.0.0", "yargs": "^15.0.2" }, "dependencies": { "find-up": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/find-up/-/find-up-4.1.0.tgz", "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", "dev": true, "requires": { "locate-path": "^5.0.0", "path-exists": "^4.0.0" } }, "locate-path": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-5.0.0.tgz", "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", "dev": true, "requires": { "p-locate": "^4.1.0" } }, "p-limit": { "version": "2.3.0", "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", "dev": true, "requires": { "p-try": "^2.0.0" } }, "p-locate": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-4.1.0.tgz", "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", "dev": true, "requires": { "p-limit": "^2.2.0" } }, "p-try": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/p-try/-/p-try-2.2.0.tgz", "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", "dev": true }, "path-exists": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", "dev": true }, "resolve-from": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-5.0.0.tgz", "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==", "dev": true } } }, "object-inspect": { "version": "1.12.2", "resolved": "https://registry.npmjs.org/object-inspect/-/object-inspect-1.12.2.tgz", "integrity": "sha512-z+cPxW0QGUp0mcqcsgQyLVRDoXFQbXOwBaqyF7VIgI4TWNQsDHrBpUQslRmIfAoYWdYzs6UlKJtB2XJpTaNSpQ==", "dev": true }, "object-keys": { "version": "1.1.1", "resolved": "https://registry.npmjs.org/object-keys/-/object-keys-1.1.1.tgz", "integrity": "sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==", "dev": true }, "object.assign": { "version": "4.1.2", "resolved": "https://registry.npmjs.org/object.assign/-/object.assign-4.1.2.tgz", "integrity": "sha512-ixT2L5THXsApyiUPYKmW+2EHpXXe5Ii3M+f4e+aJFAHao5amFRW6J0OO6c/LU8Be47utCx2GL89hxGB6XSmKuQ==", "dev": true, "requires": { "call-bind": "^1.0.0", "define-properties": "^1.1.3", "has-symbols": "^1.0.1", "object-keys": "^1.1.1" } }, "object.entries": { "version": "1.1.5", "resolved": "https://registry.npmjs.org/object.entries/-/object.entries-1.1.5.tgz", "integrity": "sha512-TyxmjUoZggd4OrrU1W66FMDG6CuqJxsFvymeyXI51+vQLN67zYfZseptRge703kKQdo4uccgAKebXFcRCzk4+g==", "dev": true, "requires": { "call-bind": "^1.0.2", "define-properties": "^1.1.3", "es-abstract": "^1.19.1" } }, "object.values": { "version": "1.1.5", "resolved": "https://registry.npmjs.org/object.values/-/object.values-1.1.5.tgz", "integrity": "sha512-QUZRW0ilQ3PnPpbNtgdNV1PDbEqLIiSFB3l+EnGtBQ/8SUTLj1PZwtQHABZtLgwpJZTSZhuGLOGk57Drx2IvYg==", "dev": true, "requires": { "call-bind": "^1.0.2", "define-properties": "^1.1.3", "es-abstract": "^1.19.1" } }, "once": { "version": "1.4.0", "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz", "integrity": "sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==", "dev": true, "requires": { "wrappy": "1" } }, "onetime": { "version": "5.1.2", "resolved": "https://registry.npmjs.org/onetime/-/onetime-5.1.2.tgz", "integrity": "sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg==", "dev": true, "requires": { "mimic-fn": "^2.1.0" } }, "opener": { "version": "1.5.2", "resolved": "https://registry.npmjs.org/opener/-/opener-1.5.2.tgz", "integrity": "sha512-ur5UIdyw5Y7yEj9wLzhqXiy6GZ3Mwx0yGI+5sMn2r0N0v3cKJvUmFH5yPP+WXh9e0xfyzyJX95D8l088DNFj7A==", "dev": true }, "optionator": { "version": "0.9.1", "resolved": "https://registry.npmjs.org/optionator/-/optionator-0.9.1.tgz", "integrity": "sha512-74RlY5FCnhq4jRxVUPKDaRwrVNXMqsGsiW6AJw4XK8hmtm10wC0ypZBLw5IIp85NZMr91+qd1RvvENwg7jjRFw==", "dev": true, "requires": { "deep-is": "^0.1.3", "fast-levenshtein": "^2.0.6", "levn": "^0.4.1", "prelude-ls": "^1.2.1", "type-check": "^0.4.0", "word-wrap": "^1.2.3" } }, "own-or": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/own-or/-/own-or-1.0.0.tgz", "integrity": "sha512-NfZr5+Tdf6MB8UI9GLvKRs4cXY8/yB0w3xtt84xFdWy8hkGjn+JFc60VhzS/hFRfbyxFcGYMTjnF4Me+RbbqrA==", "dev": true }, "own-or-env": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/own-or-env/-/own-or-env-1.0.2.tgz", "integrity": "sha512-NQ7v0fliWtK7Lkb+WdFqe6ky9XAzYmlkXthQrBbzlYbmFKoAYbDDcwmOm6q8kOuwSRXW8bdL5ORksploUJmWgw==", "dev": true, "requires": { "own-or": "^1.0.0" } }, "p-limit": { "version": "1.3.0", "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-1.3.0.tgz", "integrity": "sha512-vvcXsLAJ9Dr5rQOPk7toZQZJApBl2K4J6dANSsEuh6QI41JYcsS/qhTGa9ErIUUgK3WNQoJYvylxvjqmiqEA9Q==", "dev": true, "requires": { "p-try": "^1.0.0" } }, "p-locate": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-2.0.0.tgz", "integrity": "sha512-nQja7m7gSKuewoVRen45CtVfODR3crN3goVQ0DDZ9N3yHxgpkuBhZqsaiotSQRrADUrne346peY7kT3TSACykg==", "dev": true, "requires": { "p-limit": "^1.1.0" } }, "p-map": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/p-map/-/p-map-3.0.0.tgz", "integrity": "sha512-d3qXVTF/s+W+CdJ5A29wywV2n8CQQYahlgz2bFiA+4eVNJbHJodPZ+/gXwPGh0bOqA+j8S+6+ckmvLGPk1QpxQ==", "dev": true, "requires": { "aggregate-error": "^3.0.0" } }, "p-try": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/p-try/-/p-try-1.0.0.tgz", "integrity": "sha512-U1etNYuMJoIz3ZXSrrySFjsXQTWOx2/jdi86L+2pRvph/qMKL6sbcCYdH23fqsbm8TH2Gn0OybpT4eSFlCVHww==", "dev": true }, "package-hash": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/package-hash/-/package-hash-4.0.0.tgz", "integrity": "sha512-whdkPIooSu/bASggZ96BWVvZTRMOFxnyUG5PnTSGKoJE2gd5mbVNmR2Nj20QFzxYYgAXpoqC+AiXzl+UMRh7zQ==", "dev": true, "requires": { "graceful-fs": "^4.1.15", "hasha": "^5.0.0", "lodash.flattendeep": "^4.4.0", "release-zalgo": "^1.0.0" } }, "parent-module": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/parent-module/-/parent-module-1.0.1.tgz", "integrity": "sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==", "dev": true, "requires": { "callsites": "^3.0.0" } }, "parse-json": { "version": "5.2.0", "resolved": "https://registry.npmjs.org/parse-json/-/parse-json-5.2.0.tgz", "integrity": "sha512-ayCKvm/phCGxOkYRSCM82iDwct8/EonSEgCSxWxD7ve6jHggsFl4fZVQBPRNgQoKiuV/odhFrGzQXZwbifC8Rg==", "dev": true, "requires": { "@babel/code-frame": "^7.0.0", "error-ex": "^1.3.1", "json-parse-even-better-errors": "^2.3.0", "lines-and-columns": "^1.1.6" } }, "path-exists": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-3.0.0.tgz", "integrity": "sha512-bpC7GYwiDYQ4wYLe+FA8lhRjhQCMcQGuSgGGqDkg/QerRWw9CmGRT0iSOVRSZJ29NMLZgIzqaljJ63oaL4NIJQ==", "dev": true }, "path-is-absolute": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/path-is-absolute/-/path-is-absolute-1.0.1.tgz", "integrity": "sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==", "dev": true }, "path-key": { "version": "3.1.1", "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz", "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", "dev": true }, "path-parse": { "version": "1.0.7", "resolved": "https://registry.npmjs.org/path-parse/-/path-parse-1.0.7.tgz", "integrity": "sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==", "dev": true }, "path-type": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/path-type/-/path-type-4.0.0.tgz", "integrity": "sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==", "dev": true }, "picocolors": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/picocolors/-/picocolors-1.0.0.tgz", "integrity": "sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ==", "dev": true }, "picomatch": { "version": "2.3.1", "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.3.1.tgz", "integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==", "dev": true }, "pkg-dir": { "version": "4.2.0", "resolved": "https://registry.npmjs.org/pkg-dir/-/pkg-dir-4.2.0.tgz", "integrity": "sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ==", "dev": true, "requires": { "find-up": "^4.0.0" }, "dependencies": { "find-up": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/find-up/-/find-up-4.1.0.tgz", "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", "dev": true, "requires": { "locate-path": "^5.0.0", "path-exists": "^4.0.0" } }, "locate-path": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-5.0.0.tgz", "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", "dev": true, "requires": { "p-locate": "^4.1.0" } }, "p-limit": { "version": "2.3.0", "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", "dev": true, "requires": { "p-try": "^2.0.0" } }, "p-locate": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-4.1.0.tgz", "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", "dev": true, "requires": { "p-limit": "^2.2.0" } }, "p-try": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/p-try/-/p-try-2.2.0.tgz", "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", "dev": true }, "path-exists": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", "dev": true } } }, "prelude-ls": { "version": "1.2.1", "resolved": "https://registry.npmjs.org/prelude-ls/-/prelude-ls-1.2.1.tgz", "integrity": "sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==", "dev": true }, "prettier": { "version": "2.6.2", "resolved": "https://registry.npmjs.org/prettier/-/prettier-2.6.2.tgz", "integrity": "sha512-PkUpF+qoXTqhOeWL9fu7As8LXsIUZ1WYaJiY/a7McAQzxjk82OF0tibkFXVCDImZtWxbvojFjerkiLb0/q8mew==", "dev": true }, "prettier-linter-helpers": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/prettier-linter-helpers/-/prettier-linter-helpers-1.0.0.tgz", "integrity": "sha512-GbK2cP9nraSSUF9N2XwUwqfzlAFlMNYYl+ShE/V+H8a9uNl/oUqB1w2EL54Jh0OlyRSd8RfWYJ3coVS4TROP2w==", "dev": true, "requires": { "fast-diff": "^1.1.2" } }, "process-on-spawn": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/process-on-spawn/-/process-on-spawn-1.0.0.tgz", "integrity": "sha512-1WsPDsUSMmZH5LeMLegqkPDrsGgsWwk1Exipy2hvB0o/F0ASzbpIctSCcZIK1ykJvtTJULEH+20WOFjMvGnCTg==", "dev": true, "requires": { "fromentries": "^1.2.0" } }, "proxyquire": { "version": "2.1.3", "resolved": "https://registry.npmjs.org/proxyquire/-/proxyquire-2.1.3.tgz", "integrity": "sha512-BQWfCqYM+QINd+yawJz23tbBM40VIGXOdDw3X344KcclI/gtBbdWF6SlQ4nK/bYhF9d27KYug9WzljHC6B9Ysg==", "dev": true, "requires": { "fill-keys": "^1.0.2", "module-not-found-error": "^1.0.1", "resolve": "^1.11.1" } }, "q": { "version": "1.5.1", "resolved": "https://registry.npmjs.org/q/-/q-1.5.1.tgz", "integrity": "sha512-kV/CThkXo6xyFEZUugw/+pIOywXcDbFYgSct5cT3gqlbkBE1SJdwy6UQoZvodiWF/ckQLZyDE/Bu1M6gVu5lVw==", "dev": true }, "quick-lru": { "version": "4.0.1", "resolved": "https://registry.npmjs.org/quick-lru/-/quick-lru-4.0.1.tgz", "integrity": "sha512-ARhCpm70fzdcvNQfPoy49IaanKkTlRWF2JMzqhcJbhSFRZv7nPTvZJdcY7301IPmvW+/p0RgIWnQDLJxifsQ7g==", "dev": true }, "read-pkg": { "version": "5.2.0", "resolved": "https://registry.npmjs.org/read-pkg/-/read-pkg-5.2.0.tgz", "integrity": "sha512-Ug69mNOpfvKDAc2Q8DRpMjjzdtrnv9HcSMX+4VsZxD1aZ6ZzrIE7rlzXBtWTyhULSMKg076AW6WR5iZpD0JiOg==", "dev": true, "requires": { "@types/normalize-package-data": "^2.4.0", "normalize-package-data": "^2.5.0", "parse-json": "^5.0.0", "type-fest": "^0.6.0" }, "dependencies": { "hosted-git-info": { "version": "2.8.9", "resolved": "https://registry.npmjs.org/hosted-git-info/-/hosted-git-info-2.8.9.tgz", "integrity": "sha512-mxIDAb9Lsm6DoOJ7xH+5+X4y1LU/4Hi50L9C5sIswK3JzULS4bwk1FvjdBgvYR4bzT4tuUQiC15FE2f5HbLvYw==", "dev": true }, "normalize-package-data": { "version": "2.5.0", "resolved": "https://registry.npmjs.org/normalize-package-data/-/normalize-package-data-2.5.0.tgz", "integrity": "sha512-/5CMN3T0R4XTj4DcGaexo+roZSdSFW/0AOOTROrjxzCG1wrWXEsGbRKevjlIL+ZDE4sZlJr5ED4YW0yqmkK+eA==", "dev": true, "requires": { "hosted-git-info": "^2.1.4", "resolve": "^1.10.0", "semver": "2 || 3 || 4 || 5", "validate-npm-package-license": "^3.0.1" } }, "semver": { "version": "5.7.1", "resolved": "https://registry.npmjs.org/semver/-/semver-5.7.1.tgz", "integrity": "sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ==", "dev": true }, "type-fest": { "version": "0.6.0", "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.6.0.tgz", "integrity": "sha512-q+MB8nYR1KDLrgr4G5yemftpMC7/QLqVndBmEEdqzmNj5dcFOO4Oo8qlwZE3ULT3+Zim1F8Kq4cBnikNhlCMlg==", "dev": true } } }, "read-pkg-up": { "version": "7.0.1", "resolved": "https://registry.npmjs.org/read-pkg-up/-/read-pkg-up-7.0.1.tgz", "integrity": "sha512-zK0TB7Xd6JpCLmlLmufqykGE+/TlOePD6qKClNW7hHDKFh/J7/7gCWGR7joEQEW1bKq3a3yUZSObOoWLFQ4ohg==", "dev": true, "requires": { "find-up": "^4.1.0", "read-pkg": "^5.2.0", "type-fest": "^0.8.1" }, "dependencies": { "find-up": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/find-up/-/find-up-4.1.0.tgz", "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", "dev": true, "requires": { "locate-path": "^5.0.0", "path-exists": "^4.0.0" } }, "locate-path": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-5.0.0.tgz", "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", "dev": true, "requires": { "p-locate": "^4.1.0" } }, "p-limit": { "version": "2.3.0", "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", "dev": true, "requires": { "p-try": "^2.0.0" } }, "p-locate": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-4.1.0.tgz", "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", "dev": true, "requires": { "p-limit": "^2.2.0" } }, "p-try": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/p-try/-/p-try-2.2.0.tgz", "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", "dev": true }, "path-exists": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", "dev": true }, "type-fest": { "version": "0.8.1", "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.8.1.tgz", "integrity": "sha512-4dbzIzqvjtgiM5rw1k5rEHtBANKmdudhGyBEajN01fEyhaAIhsoKNy6y7+IN93IfpFtwY9iqi7kD+xwKhQsNJA==", "dev": true } } }, "readable-stream": { "version": "3.6.0", "resolved": "https://registry.npmjs.org/readable-stream/-/readable-stream-3.6.0.tgz", "integrity": "sha512-BViHy7LKeTz4oNnkcLJ+lVSL6vpiFeX6/d3oSH8zCW7UxP2onchk+vTGB143xuFjHS3deTgkKoXXymXqymiIdA==", "dev": true, "requires": { "inherits": "^2.0.3", "string_decoder": "^1.1.1", "util-deprecate": "^1.0.1" } }, "readdirp": { "version": "3.6.0", "resolved": "https://registry.npmjs.org/readdirp/-/readdirp-3.6.0.tgz", "integrity": "sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==", "dev": true, "requires": { "picomatch": "^2.2.1" } }, "redent": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/redent/-/redent-3.0.0.tgz", "integrity": "sha512-6tDA8g98We0zd0GvVeMT9arEOnTw9qM03L9cJXaCjrip1OO764RDBLBfrB4cwzNGDj5OA5ioymC9GkizgWJDUg==", "dev": true, "requires": { "indent-string": "^4.0.0", "strip-indent": "^3.0.0" } }, "regexp.prototype.flags": { "version": "1.4.3", "resolved": "https://registry.npmjs.org/regexp.prototype.flags/-/regexp.prototype.flags-1.4.3.tgz", "integrity": "sha512-fjggEOO3slI6Wvgjwflkc4NFRCTZAu5CnNfBd5qOMYhWdn67nJBBu34/TkD++eeFmd8C9r9jfXJ27+nSiRkSUA==", "dev": true, "requires": { "call-bind": "^1.0.2", "define-properties": "^1.1.3", "functions-have-names": "^1.2.2" } }, "regexpp": { "version": "3.2.0", "resolved": "https://registry.npmjs.org/regexpp/-/regexpp-3.2.0.tgz", "integrity": "sha512-pq2bWo9mVD43nbts2wGv17XLiNLya+GklZ8kaDLV2Z08gDCsGpnKn9BFMepvWuHCbyVvY7J5o5+BVvoQbmlJLg==", "dev": true }, "release-zalgo": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/release-zalgo/-/release-zalgo-1.0.0.tgz", "integrity": "sha1-CXALflB0Mpc5Mw5TXFqQ+2eFFzA=", "dev": true, "requires": { "es6-error": "^4.0.1" } }, "require-directory": { "version": "2.1.1", "resolved": "https://registry.npmjs.org/require-directory/-/require-directory-2.1.1.tgz", "integrity": "sha1-jGStX9MNqxyXbiNE/+f3kqam30I=", "dev": true }, "require-like": { "version": "0.1.2", "resolved": "https://registry.npmjs.org/require-like/-/require-like-0.1.2.tgz", "integrity": "sha1-rW8wwTvs15cBDEaK+ndcDAprR/o=", "dev": true }, "require-main-filename": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/require-main-filename/-/require-main-filename-2.0.0.tgz", "integrity": "sha512-NKN5kMDylKuldxYLSUfrbo5Tuzh4hd+2E8NPPX02mZtn1VuREQToYe/ZdlJy+J3uCpfaiGF05e7B8W0iXbQHmg==", "dev": true }, "resolve": { "version": "1.22.0", "resolved": "https://registry.npmjs.org/resolve/-/resolve-1.22.0.tgz", "integrity": "sha512-Hhtrw0nLeSrFQ7phPp4OOcVjLPIeMnRlr5mcnVuMe7M/7eBn98A3hmFRLoFo3DLZkivSYwhRUJTyPyWAk56WLw==", "dev": true, "requires": { "is-core-module": "^2.8.1", "path-parse": "^1.0.7", "supports-preserve-symlinks-flag": "^1.0.0" } }, "resolve-from": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-4.0.0.tgz", "integrity": "sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==", "dev": true }, "resolve-global": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/resolve-global/-/resolve-global-1.0.0.tgz", "integrity": "sha512-zFa12V4OLtT5XUX/Q4VLvTfBf+Ok0SPc1FNGM/z9ctUdiU618qwKpWnd0CHs3+RqROfyEg/DhuHbMWYqcgljEw==", "dev": true, "requires": { "global-dirs": "^0.1.1" } }, "rfdc": { "version": "1.3.0", "resolved": "https://registry.npmjs.org/rfdc/-/rfdc-1.3.0.tgz", "integrity": "sha512-V2hovdzFbOi77/WajaSMXk2OLm+xNIeQdMMuB7icj7bk6zi2F8GGAxigcnDFpJHbNyNcgyJDiP+8nOrY5cZGrA==" }, "rimraf": { "version": "3.0.2", "resolved": "https://registry.npmjs.org/rimraf/-/rimraf-3.0.2.tgz", "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==", "dev": true, "requires": { "glob": "^7.1.3" } }, "safe-buffer": { "version": "5.1.2", "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.1.2.tgz", "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==", "dev": true }, "semver": { "version": "6.3.0", "resolved": "https://registry.npmjs.org/semver/-/semver-6.3.0.tgz", "integrity": "sha512-b39TBaTSfV6yBrapU89p5fKekE2m/NwnDocOVruQFS1/veMgdzuPcnOM34M6CwxW8jH/lxEa5rBoDeUwu5HHTw==", "dev": true }, "set-blocking": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/set-blocking/-/set-blocking-2.0.0.tgz", "integrity": "sha1-BF+XgtARrppoA93TgrJDkrPYkPc=", "dev": true }, "shebang-command": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz", "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", "dev": true, "requires": { "shebang-regex": "^3.0.0" } }, "shebang-regex": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz", "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", "dev": true }, "side-channel": { "version": "1.0.4", "resolved": "https://registry.npmjs.org/side-channel/-/side-channel-1.0.4.tgz", "integrity": "sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==", "dev": true, "requires": { "call-bind": "^1.0.0", "get-intrinsic": "^1.0.2", "object-inspect": "^1.9.0" } }, "signal-exit": { "version": "3.0.7", "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-3.0.7.tgz", "integrity": "sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==", "dev": true }, "source-map": { "version": "0.6.1", "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz", "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", "dev": true }, "source-map-support": { "version": "0.5.21", "resolved": "https://registry.npmjs.org/source-map-support/-/source-map-support-0.5.21.tgz", "integrity": "sha512-uBHU3L3czsIyYXKX88fdrGovxdSCoTGDRZ6SYXtSRxLZUzHg5P/66Ht6uoUlHu9EZod+inXhKo3qQgwXUT/y1w==", "dev": true, "requires": { "buffer-from": "^1.0.0", "source-map": "^0.6.0" } }, "spawn-wrap": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/spawn-wrap/-/spawn-wrap-2.0.0.tgz", "integrity": "sha512-EeajNjfN9zMnULLwhZZQU3GWBoFNkbngTUPfaawT4RkMiviTxcX0qfhVbGey39mfctfDHkWtuecgQ8NJcyQWHg==", "dev": true, "requires": { "foreground-child": "^2.0.0", "is-windows": "^1.0.2", "make-dir": "^3.0.0", "rimraf": "^3.0.0", "signal-exit": "^3.0.2", "which": "^2.0.1" } }, "spdx-correct": { "version": "3.1.1", "resolved": "https://registry.npmjs.org/spdx-correct/-/spdx-correct-3.1.1.tgz", "integrity": "sha512-cOYcUWwhCuHCXi49RhFRCyJEK3iPj1Ziz9DpViV3tbZOwXD49QzIN3MpOLJNxh2qwq2lJJZaKMVw9qNi4jTC0w==", "dev": true, "requires": { "spdx-expression-parse": "^3.0.0", "spdx-license-ids": "^3.0.0" } }, "spdx-exceptions": { "version": "2.3.0", "resolved": "https://registry.npmjs.org/spdx-exceptions/-/spdx-exceptions-2.3.0.tgz", "integrity": "sha512-/tTrYOC7PPI1nUAgx34hUpqXuyJG+DTHJTnIULG4rDygi4xu/tfgmq1e1cIRwRzwZgo4NLySi+ricLkZkw4i5A==", "dev": true }, "spdx-expression-parse": { "version": "3.0.1", "resolved": "https://registry.npmjs.org/spdx-expression-parse/-/spdx-expression-parse-3.0.1.tgz", "integrity": "sha512-cbqHunsQWnJNE6KhVSMsMeH5H/L9EpymbzqTQ3uLwNCLZ1Q481oWaofqH7nO6V07xlXwY6PhQdQ2IedWx/ZK4Q==", "dev": true, "requires": { "spdx-exceptions": "^2.1.0", "spdx-license-ids": "^3.0.0" } }, "spdx-license-ids": { "version": "3.0.11", "resolved": "https://registry.npmjs.org/spdx-license-ids/-/spdx-license-ids-3.0.11.tgz", "integrity": "sha512-Ctl2BrFiM0X3MANYgj3CkygxhRmr9mi6xhejbdO960nF6EDJApTYpn0BQnDKlnNBULKiCN1n3w9EBkHK8ZWg+g==", "dev": true }, "split2": { "version": "3.2.2", "resolved": "https://registry.npmjs.org/split2/-/split2-3.2.2.tgz", "integrity": "sha512-9NThjpgZnifTkJpzTZ7Eue85S49QwpNhZTq6GRJwObb6jnLFNGB7Qm73V5HewTROPyxD0C29xqmaI68bQtV+hg==", "dev": true, "requires": { "readable-stream": "^3.0.0" } }, "sprintf-js": { "version": "1.0.3", "resolved": "https://registry.npmjs.org/sprintf-js/-/sprintf-js-1.0.3.tgz", "integrity": "sha1-BOaSb2YolTVPPdAVIDYzuFcpfiw=", "dev": true }, "stack-trace": { "version": "0.0.10", "resolved": "https://registry.npmjs.org/stack-trace/-/stack-trace-0.0.10.tgz", "integrity": "sha1-VHxws0fo0ytOEI6hoqFZ5f3eGcA=", "dev": true }, "stack-utils": { "version": "2.0.5", "resolved": "https://registry.npmjs.org/stack-utils/-/stack-utils-2.0.5.tgz", "integrity": "sha512-xrQcmYhOsn/1kX+Vraq+7j4oE2j/6BFscZ0etmYg81xuM8Gq0022Pxb8+IqgOFUIaxHs0KaSb7T1+OegiNrNFA==", "dev": true, "requires": { "escape-string-regexp": "^2.0.0" }, "dependencies": { "escape-string-regexp": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-2.0.0.tgz", "integrity": "sha512-UpzcLCXolUWcNu5HtVMHYdXJjArjsF9C0aNnquZYY4uW/Vu0miy5YoWvbV345HauVvcAUnpRuhMMcqTcGOY2+w==", "dev": true } } }, "streamroller": { "version": "3.1.1", "resolved": "https://registry.npmjs.org/streamroller/-/streamroller-3.1.1.tgz", "integrity": "sha512-iPhtd9unZ6zKdWgMeYGfSBuqCngyJy1B/GPi/lTpwGpa3bajuX30GjUVd0/Tn/Xhg0mr4DOSENozz9Y06qyonQ==", "requires": { "date-format": "^4.0.10", "debug": "^4.3.4", "fs-extra": "^10.1.0" } }, "string_decoder": { "version": "1.3.0", "resolved": "https://registry.npmjs.org/string_decoder/-/string_decoder-1.3.0.tgz", "integrity": "sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA==", "dev": true, "requires": { "safe-buffer": "~5.2.0" }, "dependencies": { "safe-buffer": { "version": "5.2.1", "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.2.1.tgz", "integrity": "sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==", "dev": true } } }, "string-width": { "version": "4.2.3", "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz", "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", "dev": true, "requires": { "emoji-regex": "^8.0.0", "is-fullwidth-code-point": "^3.0.0", "strip-ansi": "^6.0.1" } }, "string.prototype.trimend": { "version": "1.0.5", "resolved": "https://registry.npmjs.org/string.prototype.trimend/-/string.prototype.trimend-1.0.5.tgz", "integrity": "sha512-I7RGvmjV4pJ7O3kdf+LXFpVfdNOxtCW/2C8f6jNiW4+PQchwxkCDzlk1/7p+Wl4bqFIZeF47qAHXLuHHWKAxog==", "dev": true, "requires": { "call-bind": "^1.0.2", "define-properties": "^1.1.4", "es-abstract": "^1.19.5" } }, "string.prototype.trimstart": { "version": "1.0.5", "resolved": "https://registry.npmjs.org/string.prototype.trimstart/-/string.prototype.trimstart-1.0.5.tgz", "integrity": "sha512-THx16TJCGlsN0o6dl2o6ncWUsdgnLRSA23rRE5pyGBw/mLr3Ej/R2LaqCtgP8VNMGZsvMWnf9ooZPyY2bHvUFg==", "dev": true, "requires": { "call-bind": "^1.0.2", "define-properties": "^1.1.4", "es-abstract": "^1.19.5" } }, "strip-ansi": { "version": "6.0.1", "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", "dev": true, "requires": { "ansi-regex": "^5.0.1" } }, "strip-bom": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/strip-bom/-/strip-bom-3.0.0.tgz", "integrity": "sha1-IzTBjpx1n3vdVv3vfprj1YjmjtM=", "dev": true }, "strip-final-newline": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/strip-final-newline/-/strip-final-newline-2.0.0.tgz", "integrity": "sha512-BrpvfNAE3dcvq7ll3xVumzjKjZQ5tI1sEUIKr3Uoks0XUl45St3FlatVqef9prk4jRDzhW6WZg+3bk93y6pLjA==", "dev": true }, "strip-indent": { "version": "3.0.0", "resolved": "https://registry.npmjs.org/strip-indent/-/strip-indent-3.0.0.tgz", "integrity": "sha512-laJTa3Jb+VQpaC6DseHhF7dXVqHTfJPCRDaEbid/drOhgitgYku/letMUqOXFoWV0zIIUbjpdH2t+tYj4bQMRQ==", "dev": true, "requires": { "min-indent": "^1.0.0" } }, "strip-json-comments": { "version": "3.1.1", "resolved": "https://registry.npmjs.org/strip-json-comments/-/strip-json-comments-3.1.1.tgz", "integrity": "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==", "dev": true }, "supports-color": { "version": "7.2.0", "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz", "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==", "dev": true, "requires": { "has-flag": "^4.0.0" } }, "supports-preserve-symlinks-flag": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz", "integrity": "sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==", "dev": true }, "tap": { "version": "16.2.0", "resolved": "https://registry.npmjs.org/tap/-/tap-16.2.0.tgz", "integrity": "sha512-ikfNLy701p2+sH3R0pAXQ/Aen6ZByaguUY7UsoTLL4AXa2c9gYQL+pI21p13lq54R7/CEoLaViC1sexcWG32ig==", "dev": true, "requires": { "@isaacs/import-jsx": "^4.0.1", "@types/react": "^17", "chokidar": "^3.3.0", "findit": "^2.0.0", "foreground-child": "^2.0.0", "fs-exists-cached": "^1.0.0", "glob": "^7.1.6", "ink": "^3.2.0", "isexe": "^2.0.0", "istanbul-lib-processinfo": "^2.0.2", "jackspeak": "^1.4.1", "libtap": "^1.4.0", "minipass": "^3.1.1", "mkdirp": "^1.0.4", "nyc": "^15.1.0", "opener": "^1.5.1", "react": "^17.0.2", "rimraf": "^3.0.0", "signal-exit": "^3.0.6", "source-map-support": "^0.5.16", "tap-mocha-reporter": "^5.0.3", "tap-parser": "^11.0.1", "tap-yaml": "^1.0.0", "tcompare": "^5.0.7", "treport": "^3.0.3", "which": "^2.0.2" }, "dependencies": { "@ampproject/remapping": { "version": "2.1.2", "bundled": true, "dev": true, "requires": { "@jridgewell/trace-mapping": "^0.3.0" } }, "@babel/code-frame": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/highlight": "^7.16.7" } }, "@babel/compat-data": { "version": "7.17.7", "bundled": true, "dev": true }, "@babel/core": { "version": "7.17.8", "bundled": true, "dev": true, "requires": { "@ampproject/remapping": "^2.1.0", "@babel/code-frame": "^7.16.7", "@babel/generator": "^7.17.7", "@babel/helper-compilation-targets": "^7.17.7", "@babel/helper-module-transforms": "^7.17.7", "@babel/helpers": "^7.17.8", "@babel/parser": "^7.17.8", "@babel/template": "^7.16.7", "@babel/traverse": "^7.17.3", "@babel/types": "^7.17.0", "convert-source-map": "^1.7.0", "debug": "^4.1.0", "gensync": "^1.0.0-beta.2", "json5": "^2.1.2", "semver": "^6.3.0" } }, "@babel/generator": { "version": "7.17.7", "bundled": true, "dev": true, "requires": { "@babel/types": "^7.17.0", "jsesc": "^2.5.1", "source-map": "^0.5.0" } }, "@babel/helper-annotate-as-pure": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/types": "^7.16.7" } }, "@babel/helper-compilation-targets": { "version": "7.17.7", "bundled": true, "dev": true, "requires": { "@babel/compat-data": "^7.17.7", "@babel/helper-validator-option": "^7.16.7", "browserslist": "^4.17.5", "semver": "^6.3.0" } }, "@babel/helper-environment-visitor": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/types": "^7.16.7" } }, "@babel/helper-function-name": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/helper-get-function-arity": "^7.16.7", "@babel/template": "^7.16.7", "@babel/types": "^7.16.7" } }, "@babel/helper-get-function-arity": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/types": "^7.16.7" } }, "@babel/helper-hoist-variables": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/types": "^7.16.7" } }, "@babel/helper-module-imports": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/types": "^7.16.7" } }, "@babel/helper-module-transforms": { "version": "7.17.7", "bundled": true, "dev": true, "requires": { "@babel/helper-environment-visitor": "^7.16.7", "@babel/helper-module-imports": "^7.16.7", "@babel/helper-simple-access": "^7.17.7", "@babel/helper-split-export-declaration": "^7.16.7", "@babel/helper-validator-identifier": "^7.16.7", "@babel/template": "^7.16.7", "@babel/traverse": "^7.17.3", "@babel/types": "^7.17.0" } }, "@babel/helper-plugin-utils": { "version": "7.16.7", "bundled": true, "dev": true }, "@babel/helper-simple-access": { "version": "7.17.7", "bundled": true, "dev": true, "requires": { "@babel/types": "^7.17.0" } }, "@babel/helper-split-export-declaration": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/types": "^7.16.7" } }, "@babel/helper-validator-identifier": { "version": "7.16.7", "bundled": true, "dev": true }, "@babel/helper-validator-option": { "version": "7.16.7", "bundled": true, "dev": true }, "@babel/helpers": { "version": "7.17.8", "bundled": true, "dev": true, "requires": { "@babel/template": "^7.16.7", "@babel/traverse": "^7.17.3", "@babel/types": "^7.17.0" } }, "@babel/highlight": { "version": "7.16.10", "bundled": true, "dev": true, "requires": { "@babel/helper-validator-identifier": "^7.16.7", "chalk": "^2.0.0", "js-tokens": "^4.0.0" } }, "@babel/parser": { "version": "7.17.8", "bundled": true, "dev": true }, "@babel/plugin-proposal-object-rest-spread": { "version": "7.17.3", "bundled": true, "dev": true, "requires": { "@babel/compat-data": "^7.17.0", "@babel/helper-compilation-targets": "^7.16.7", "@babel/helper-plugin-utils": "^7.16.7", "@babel/plugin-syntax-object-rest-spread": "^7.8.3", "@babel/plugin-transform-parameters": "^7.16.7" } }, "@babel/plugin-syntax-jsx": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/helper-plugin-utils": "^7.16.7" } }, "@babel/plugin-syntax-object-rest-spread": { "version": "7.8.3", "bundled": true, "dev": true, "requires": { "@babel/helper-plugin-utils": "^7.8.0" } }, "@babel/plugin-transform-destructuring": { "version": "7.17.7", "bundled": true, "dev": true, "requires": { "@babel/helper-plugin-utils": "^7.16.7" } }, "@babel/plugin-transform-parameters": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/helper-plugin-utils": "^7.16.7" } }, "@babel/plugin-transform-react-jsx": { "version": "7.17.3", "bundled": true, "dev": true, "requires": { "@babel/helper-annotate-as-pure": "^7.16.7", "@babel/helper-module-imports": "^7.16.7", "@babel/helper-plugin-utils": "^7.16.7", "@babel/plugin-syntax-jsx": "^7.16.7", "@babel/types": "^7.17.0" } }, "@babel/template": { "version": "7.16.7", "bundled": true, "dev": true, "requires": { "@babel/code-frame": "^7.16.7", "@babel/parser": "^7.16.7", "@babel/types": "^7.16.7" } }, "@babel/traverse": { "version": "7.17.3", "bundled": true, "dev": true, "requires": { "@babel/code-frame": "^7.16.7", "@babel/generator": "^7.17.3", "@babel/helper-environment-visitor": "^7.16.7", "@babel/helper-function-name": "^7.16.7", "@babel/helper-hoist-variables": "^7.16.7", "@babel/helper-split-export-declaration": "^7.16.7", "@babel/parser": "^7.17.3", "@babel/types": "^7.17.0", "debug": "^4.1.0", "globals": "^11.1.0" } }, "@babel/types": { "version": "7.17.0", "bundled": true, "dev": true, "requires": { "@babel/helper-validator-identifier": "^7.16.7", "to-fast-properties": "^2.0.0" } }, "@isaacs/import-jsx": { "version": "4.0.1", "bundled": true, "dev": true, "requires": { "@babel/core": "^7.5.5", "@babel/plugin-proposal-object-rest-spread": "^7.5.5", "@babel/plugin-transform-destructuring": "^7.5.0", "@babel/plugin-transform-react-jsx": "^7.3.0", "caller-path": "^3.0.1", "find-cache-dir": "^3.2.0", "make-dir": "^3.0.2", "resolve-from": "^3.0.0", "rimraf": "^3.0.0" } }, "@jridgewell/resolve-uri": { "version": "3.0.5", "bundled": true, "dev": true }, "@jridgewell/sourcemap-codec": { "version": "1.4.11", "bundled": true, "dev": true }, "@jridgewell/trace-mapping": { "version": "0.3.4", "bundled": true, "dev": true, "requires": { "@jridgewell/resolve-uri": "^3.0.3", "@jridgewell/sourcemap-codec": "^1.4.10" } }, "@types/prop-types": { "version": "15.7.4", "bundled": true, "dev": true }, "@types/react": { "version": "17.0.41", "bundled": true, "dev": true, "requires": { "@types/prop-types": "*", "@types/scheduler": "*", "csstype": "^3.0.2" } }, "@types/scheduler": { "version": "0.16.2", "bundled": true, "dev": true }, "@types/yoga-layout": { "version": "1.9.2", "bundled": true, "dev": true }, "ansi-escapes": { "version": "4.3.2", "bundled": true, "dev": true, "requires": { "type-fest": "^0.21.3" }, "dependencies": { "type-fest": { "version": "0.21.3", "bundled": true, "dev": true } } }, "ansi-regex": { "version": "5.0.1", "bundled": true, "dev": true }, "ansi-styles": { "version": "3.2.1", "bundled": true, "dev": true, "requires": { "color-convert": "^1.9.0" } }, "ansicolors": { "version": "0.3.2", "bundled": true, "dev": true }, "astral-regex": { "version": "2.0.0", "bundled": true, "dev": true }, "auto-bind": { "version": "4.0.0", "bundled": true, "dev": true }, "balanced-match": { "version": "1.0.2", "bundled": true, "dev": true }, "brace-expansion": { "version": "1.1.11", "bundled": true, "dev": true, "requires": { "balanced-match": "^1.0.0", "concat-map": "0.0.1" } }, "browserslist": { "version": "4.20.2", "bundled": true, "dev": true, "requires": { "caniuse-lite": "^1.0.30001317", "electron-to-chromium": "^1.4.84", "escalade": "^3.1.1", "node-releases": "^2.0.2", "picocolors": "^1.0.0" } }, "caller-callsite": { "version": "4.1.0", "bundled": true, "dev": true, "requires": { "callsites": "^3.1.0" } }, "caller-path": { "version": "3.0.1", "bundled": true, "dev": true, "requires": { "caller-callsite": "^4.1.0" } }, "callsites": { "version": "3.1.0", "bundled": true, "dev": true }, "caniuse-lite": { "version": "1.0.30001319", "bundled": true, "dev": true }, "cardinal": { "version": "2.1.1", "bundled": true, "dev": true, "requires": { "ansicolors": "~0.3.2", "redeyed": "~2.1.0" } }, "chalk": { "version": "2.4.2", "bundled": true, "dev": true, "requires": { "ansi-styles": "^3.2.1", "escape-string-regexp": "^1.0.5", "supports-color": "^5.3.0" } }, "ci-info": { "version": "2.0.0", "bundled": true, "dev": true }, "cli-boxes": { "version": "2.2.1", "bundled": true, "dev": true }, "cli-cursor": { "version": "3.1.0", "bundled": true, "dev": true, "requires": { "restore-cursor": "^3.1.0" } }, "cli-truncate": { "version": "2.1.0", "bundled": true, "dev": true, "requires": { "slice-ansi": "^3.0.0", "string-width": "^4.2.0" } }, "code-excerpt": { "version": "3.0.0", "bundled": true, "dev": true, "requires": { "convert-to-spaces": "^1.0.1" } }, "color-convert": { "version": "1.9.3", "bundled": true, "dev": true, "requires": { "color-name": "1.1.3" } }, "color-name": { "version": "1.1.3", "bundled": true, "dev": true }, "commondir": { "version": "1.0.1", "bundled": true, "dev": true }, "concat-map": { "version": "0.0.1", "bundled": true, "dev": true }, "convert-source-map": { "version": "1.8.0", "bundled": true, "dev": true, "requires": { "safe-buffer": "~5.1.1" } }, "convert-to-spaces": { "version": "1.0.2", "bundled": true, "dev": true }, "csstype": { "version": "3.0.11", "bundled": true, "dev": true }, "debug": { "version": "4.3.4", "bundled": true, "dev": true, "requires": { "ms": "2.1.2" } }, "electron-to-chromium": { "version": "1.4.89", "bundled": true, "dev": true }, "emoji-regex": { "version": "8.0.0", "bundled": true, "dev": true }, "escalade": { "version": "3.1.1", "bundled": true, "dev": true }, "escape-string-regexp": { "version": "1.0.5", "bundled": true, "dev": true }, "esprima": { "version": "4.0.1", "bundled": true, "dev": true }, "events-to-array": { "version": "1.1.2", "bundled": true, "dev": true }, "find-cache-dir": { "version": "3.3.2", "bundled": true, "dev": true, "requires": { "commondir": "^1.0.1", "make-dir": "^3.0.2", "pkg-dir": "^4.1.0" } }, "find-up": { "version": "4.1.0", "bundled": true, "dev": true, "requires": { "locate-path": "^5.0.0", "path-exists": "^4.0.0" } }, "fs.realpath": { "version": "1.0.0", "bundled": true, "dev": true }, "gensync": { "version": "1.0.0-beta.2", "bundled": true, "dev": true }, "glob": { "version": "7.2.0", "bundled": true, "dev": true, "requires": { "fs.realpath": "^1.0.0", "inflight": "^1.0.4", "inherits": "2", "minimatch": "^3.0.4", "once": "^1.3.0", "path-is-absolute": "^1.0.0" } }, "globals": { "version": "11.12.0", "bundled": true, "dev": true }, "has-flag": { "version": "3.0.0", "bundled": true, "dev": true }, "indent-string": { "version": "4.0.0", "bundled": true, "dev": true }, "inflight": { "version": "1.0.6", "bundled": true, "dev": true, "requires": { "once": "^1.3.0", "wrappy": "1" } }, "inherits": { "version": "2.0.4", "bundled": true, "dev": true }, "ink": { "version": "3.2.0", "bundled": true, "dev": true, "requires": { "ansi-escapes": "^4.2.1", "auto-bind": "4.0.0", "chalk": "^4.1.0", "cli-boxes": "^2.2.0", "cli-cursor": "^3.1.0", "cli-truncate": "^2.1.0", "code-excerpt": "^3.0.0", "indent-string": "^4.0.0", "is-ci": "^2.0.0", "lodash": "^4.17.20", "patch-console": "^1.0.0", "react-devtools-core": "^4.19.1", "react-reconciler": "^0.26.2", "scheduler": "^0.20.2", "signal-exit": "^3.0.2", "slice-ansi": "^3.0.0", "stack-utils": "^2.0.2", "string-width": "^4.2.2", "type-fest": "^0.12.0", "widest-line": "^3.1.0", "wrap-ansi": "^6.2.0", "ws": "^7.5.5", "yoga-layout-prebuilt": "^1.9.6" }, "dependencies": { "ansi-styles": { "version": "4.3.0", "bundled": true, "dev": true, "requires": { "color-convert": "^2.0.1" } }, "chalk": { "version": "4.1.2", "bundled": true, "dev": true, "requires": { "ansi-styles": "^4.1.0", "supports-color": "^7.1.0" } }, "color-convert": { "version": "2.0.1", "bundled": true, "dev": true, "requires": { "color-name": "~1.1.4" } }, "color-name": { "version": "1.1.4", "bundled": true, "dev": true }, "has-flag": { "version": "4.0.0", "bundled": true, "dev": true }, "supports-color": { "version": "7.2.0", "bundled": true, "dev": true, "requires": { "has-flag": "^4.0.0" } } } }, "is-ci": { "version": "2.0.0", "bundled": true, "dev": true, "requires": { "ci-info": "^2.0.0" } }, "is-fullwidth-code-point": { "version": "3.0.0", "bundled": true, "dev": true }, "js-tokens": { "version": "4.0.0", "bundled": true, "dev": true }, "jsesc": { "version": "2.5.2", "bundled": true, "dev": true }, "json5": { "version": "2.2.1", "bundled": true, "dev": true }, "locate-path": { "version": "5.0.0", "bundled": true, "dev": true, "requires": { "p-locate": "^4.1.0" } }, "lodash": { "version": "4.17.21", "bundled": true, "dev": true }, "loose-envify": { "version": "1.4.0", "bundled": true, "dev": true, "requires": { "js-tokens": "^3.0.0 || ^4.0.0" } }, "make-dir": { "version": "3.1.0", "bundled": true, "dev": true, "requires": { "semver": "^6.0.0" } }, "mimic-fn": { "version": "2.1.0", "bundled": true, "dev": true }, "minimatch": { "version": "3.1.2", "bundled": true, "dev": true, "requires": { "brace-expansion": "^1.1.7" } }, "minipass": { "version": "3.1.6", "bundled": true, "dev": true, "requires": { "yallist": "^4.0.0" } }, "ms": { "version": "2.1.2", "bundled": true, "dev": true }, "node-releases": { "version": "2.0.2", "bundled": true, "dev": true }, "object-assign": { "version": "4.1.1", "bundled": true, "dev": true }, "once": { "version": "1.4.0", "bundled": true, "dev": true, "requires": { "wrappy": "1" } }, "onetime": { "version": "5.1.2", "bundled": true, "dev": true, "requires": { "mimic-fn": "^2.1.0" } }, "p-limit": { "version": "2.3.0", "bundled": true, "dev": true, "requires": { "p-try": "^2.0.0" } }, "p-locate": { "version": "4.1.0", "bundled": true, "dev": true, "requires": { "p-limit": "^2.2.0" } }, "p-try": { "version": "2.2.0", "bundled": true, "dev": true }, "patch-console": { "version": "1.0.0", "bundled": true, "dev": true }, "path-exists": { "version": "4.0.0", "bundled": true, "dev": true }, "path-is-absolute": { "version": "1.0.1", "bundled": true, "dev": true }, "picocolors": { "version": "1.0.0", "bundled": true, "dev": true }, "pkg-dir": { "version": "4.2.0", "bundled": true, "dev": true, "requires": { "find-up": "^4.0.0" } }, "punycode": { "version": "2.1.1", "bundled": true, "dev": true }, "react": { "version": "17.0.2", "bundled": true, "dev": true, "requires": { "loose-envify": "^1.1.0", "object-assign": "^4.1.1" } }, "react-devtools-core": { "version": "4.24.1", "bundled": true, "dev": true, "requires": { "shell-quote": "^1.6.1", "ws": "^7" } }, "react-reconciler": { "version": "0.26.2", "bundled": true, "dev": true, "requires": { "loose-envify": "^1.1.0", "object-assign": "^4.1.1", "scheduler": "^0.20.2" } }, "redeyed": { "version": "2.1.1", "bundled": true, "dev": true, "requires": { "esprima": "~4.0.0" } }, "resolve-from": { "version": "3.0.0", "bundled": true, "dev": true }, "restore-cursor": { "version": "3.1.0", "bundled": true, "dev": true, "requires": { "onetime": "^5.1.0", "signal-exit": "^3.0.2" } }, "rimraf": { "version": "3.0.2", "bundled": true, "dev": true, "requires": { "glob": "^7.1.3" } }, "safe-buffer": { "version": "5.1.2", "bundled": true, "dev": true }, "scheduler": { "version": "0.20.2", "bundled": true, "dev": true, "requires": { "loose-envify": "^1.1.0", "object-assign": "^4.1.1" } }, "semver": { "version": "6.3.0", "bundled": true, "dev": true }, "shell-quote": { "version": "1.7.3", "bundled": true, "dev": true }, "signal-exit": { "version": "3.0.7", "bundled": true, "dev": true }, "slice-ansi": { "version": "3.0.0", "bundled": true, "dev": true, "requires": { "ansi-styles": "^4.0.0", "astral-regex": "^2.0.0", "is-fullwidth-code-point": "^3.0.0" }, "dependencies": { "ansi-styles": { "version": "4.3.0", "bundled": true, "dev": true, "requires": { "color-convert": "^2.0.1" } }, "color-convert": { "version": "2.0.1", "bundled": true, "dev": true, "requires": { "color-name": "~1.1.4" } }, "color-name": { "version": "1.1.4", "bundled": true, "dev": true } } }, "source-map": { "version": "0.5.7", "bundled": true, "dev": true }, "stack-utils": { "version": "2.0.5", "bundled": true, "dev": true, "requires": { "escape-string-regexp": "^2.0.0" }, "dependencies": { "escape-string-regexp": { "version": "2.0.0", "bundled": true, "dev": true } } }, "string-width": { "version": "4.2.3", "bundled": true, "dev": true, "requires": { "emoji-regex": "^8.0.0", "is-fullwidth-code-point": "^3.0.0", "strip-ansi": "^6.0.1" } }, "strip-ansi": { "version": "6.0.1", "bundled": true, "dev": true, "requires": { "ansi-regex": "^5.0.1" } }, "supports-color": { "version": "5.5.0", "bundled": true, "dev": true, "requires": { "has-flag": "^3.0.0" } }, "tap-parser": { "version": "11.0.1", "bundled": true, "dev": true, "requires": { "events-to-array": "^1.0.1", "minipass": "^3.1.6", "tap-yaml": "^1.0.0" } }, "tap-yaml": { "version": "1.0.0", "bundled": true, "dev": true, "requires": { "yaml": "^1.5.0" } }, "to-fast-properties": { "version": "2.0.0", "bundled": true, "dev": true }, "treport": { "version": "3.0.3", "bundled": true, "dev": true, "requires": { "@isaacs/import-jsx": "^4.0.1", "cardinal": "^2.1.1", "chalk": "^3.0.0", "ink": "^3.2.0", "ms": "^2.1.2", "tap-parser": "^11.0.0", "unicode-length": "^2.0.2" }, "dependencies": { "ansi-styles": { "version": "4.3.0", "bundled": true, "dev": true, "requires": { "color-convert": "^2.0.1" } }, "chalk": { "version": "3.0.0", "bundled": true, "dev": true, "requires": { "ansi-styles": "^4.1.0", "supports-color": "^7.1.0" } }, "color-convert": { "version": "2.0.1", "bundled": true, "dev": true, "requires": { "color-name": "~1.1.4" } }, "color-name": { "version": "1.1.4", "bundled": true, "dev": true }, "has-flag": { "version": "4.0.0", "bundled": true, "dev": true }, "supports-color": { "version": "7.2.0", "bundled": true, "dev": true, "requires": { "has-flag": "^4.0.0" } } } }, "type-fest": { "version": "0.12.0", "bundled": true, "dev": true }, "unicode-length": { "version": "2.0.2", "bundled": true, "dev": true, "requires": { "punycode": "^2.0.0", "strip-ansi": "^3.0.1" }, "dependencies": { "ansi-regex": { "version": "2.1.1", "bundled": true, "dev": true }, "strip-ansi": { "version": "3.0.1", "bundled": true, "dev": true, "requires": { "ansi-regex": "^2.0.0" } } } }, "widest-line": { "version": "3.1.0", "bundled": true, "dev": true, "requires": { "string-width": "^4.0.0" } }, "wrap-ansi": { "version": "6.2.0", "bundled": true, "dev": true, "requires": { "ansi-styles": "^4.0.0", "string-width": "^4.1.0", "strip-ansi": "^6.0.0" }, "dependencies": { "ansi-styles": { "version": "4.3.0", "bundled": true, "dev": true, "requires": { "color-convert": "^2.0.1" } }, "color-convert": { "version": "2.0.1", "bundled": true, "dev": true, "requires": { "color-name": "~1.1.4" } }, "color-name": { "version": "1.1.4", "bundled": true, "dev": true } } }, "wrappy": { "version": "1.0.2", "bundled": true, "dev": true }, "ws": { "version": "7.5.7", "bundled": true, "dev": true, "requires": {} }, "yallist": { "version": "4.0.0", "bundled": true, "dev": true }, "yaml": { "version": "1.10.2", "bundled": true, "dev": true }, "yoga-layout-prebuilt": { "version": "1.10.0", "bundled": true, "dev": true, "requires": { "@types/yoga-layout": "1.9.2" } } } }, "tap-mocha-reporter": { "version": "5.0.3", "resolved": "https://registry.npmjs.org/tap-mocha-reporter/-/tap-mocha-reporter-5.0.3.tgz", "integrity": "sha512-6zlGkaV4J+XMRFkN0X+yuw6xHbE9jyCZ3WUKfw4KxMyRGOpYSRuuQTRJyWX88WWuLdVTuFbxzwXhXuS2XE6o0g==", "dev": true, "requires": { "color-support": "^1.1.0", "debug": "^4.1.1", "diff": "^4.0.1", "escape-string-regexp": "^2.0.0", "glob": "^7.0.5", "tap-parser": "^11.0.0", "tap-yaml": "^1.0.0", "unicode-length": "^2.0.2" }, "dependencies": { "escape-string-regexp": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-2.0.0.tgz", "integrity": "sha512-UpzcLCXolUWcNu5HtVMHYdXJjArjsF9C0aNnquZYY4uW/Vu0miy5YoWvbV345HauVvcAUnpRuhMMcqTcGOY2+w==", "dev": true } } }, "tap-parser": { "version": "11.0.1", "resolved": "https://registry.npmjs.org/tap-parser/-/tap-parser-11.0.1.tgz", "integrity": "sha512-5ow0oyFOnXVSALYdidMX94u0GEjIlgc/BPFYLx0yRh9hb8+cFGNJqJzDJlUqbLOwx8+NBrIbxCWkIQi7555c0w==", "dev": true, "requires": { "events-to-array": "^1.0.1", "minipass": "^3.1.6", "tap-yaml": "^1.0.0" } }, "tap-yaml": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/tap-yaml/-/tap-yaml-1.0.0.tgz", "integrity": "sha512-Rxbx4EnrWkYk0/ztcm5u3/VznbyFJpyXO12dDBHKWiDVxy7O2Qw6MRrwO5H6Ww0U5YhRY/4C/VzWmFPhBQc4qQ==", "dev": true, "requires": { "yaml": "^1.5.0" } }, "tcompare": { "version": "5.0.7", "resolved": "https://registry.npmjs.org/tcompare/-/tcompare-5.0.7.tgz", "integrity": "sha512-d9iddt6YYGgyxJw5bjsN7UJUO1kGOtjSlNy/4PoGYAjQS5pAT/hzIoLf1bZCw+uUxRmZJh7Yy1aA7xKVRT9B4w==", "dev": true, "requires": { "diff": "^4.0.2" } }, "test-exclude": { "version": "6.0.0", "resolved": "https://registry.npmjs.org/test-exclude/-/test-exclude-6.0.0.tgz", "integrity": "sha512-cAGWPIyOHU6zlmg88jwm7VRyXnMN7iV68OGAbYDk/Mh/xC/pzVPlQtY6ngoIH/5/tciuhGfvESU8GrHrcxD56w==", "dev": true, "requires": { "@istanbuljs/schema": "^0.1.2", "glob": "^7.1.4", "minimatch": "^3.0.4" } }, "text-extensions": { "version": "1.9.0", "resolved": "https://registry.npmjs.org/text-extensions/-/text-extensions-1.9.0.tgz", "integrity": "sha512-wiBrwC1EhBelW12Zy26JeOUkQ5mRu+5o8rpsJk5+2t+Y5vE7e842qtZDQ2g1NpX/29HdyFeJ4nSIhI47ENSxlQ==", "dev": true }, "text-table": { "version": "0.2.0", "resolved": "https://registry.npmjs.org/text-table/-/text-table-0.2.0.tgz", "integrity": "sha1-f17oI66AUgfACvLfSoTsP8+lcLQ=", "dev": true }, "through": { "version": "2.3.8", "resolved": "https://registry.npmjs.org/through/-/through-2.3.8.tgz", "integrity": "sha512-w89qg7PI8wAdvX60bMDP+bFoD5Dvhm9oLheFp5O4a2QF0cSBGsBX4qZmadPMvVqlLJBBci+WqGGOAPvcDeNSVg==", "dev": true }, "through2": { "version": "4.0.2", "resolved": "https://registry.npmjs.org/through2/-/through2-4.0.2.tgz", "integrity": "sha512-iOqSav00cVxEEICeD7TjLB1sueEL+81Wpzp2bY17uZjZN0pWZPuo4suZ/61VujxmqSGFfgOcNuTZ85QJwNZQpw==", "dev": true, "requires": { "readable-stream": "3" } }, "to-fast-properties": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/to-fast-properties/-/to-fast-properties-2.0.0.tgz", "integrity": "sha1-3F5pjL0HkmW8c+A3doGk5Og/YW4=", "dev": true }, "to-regex-range": { "version": "5.0.1", "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz", "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==", "dev": true, "requires": { "is-number": "^7.0.0" } }, "trim-newlines": { "version": "3.0.1", "resolved": "https://registry.npmjs.org/trim-newlines/-/trim-newlines-3.0.1.tgz", "integrity": "sha512-c1PTsA3tYrIsLGkJkzHF+w9F2EyxfXGo4UyJc4pFL++FMjnq0HJS69T3M7d//gKrFKwy429bouPescbjecU+Zw==", "dev": true }, "trivial-deferred": { "version": "1.0.1", "resolved": "https://registry.npmjs.org/trivial-deferred/-/trivial-deferred-1.0.1.tgz", "integrity": "sha1-N21NKdlR1jaKb3oK6FwvTV4GWPM=", "dev": true }, "ts-node": { "version": "10.8.1", "resolved": "https://registry.npmjs.org/ts-node/-/ts-node-10.8.1.tgz", "integrity": "sha512-Wwsnao4DQoJsN034wePSg5nZiw4YKXf56mPIAeD6wVmiv+RytNSWqc2f3fKvcUoV+Yn2+yocD71VOfQHbmVX4g==", "dev": true, "requires": { "@cspotcode/source-map-support": "^0.8.0", "@tsconfig/node10": "^1.0.7", "@tsconfig/node12": "^1.0.7", "@tsconfig/node14": "^1.0.0", "@tsconfig/node16": "^1.0.2", "acorn": "^8.4.1", "acorn-walk": "^8.1.1", "arg": "^4.1.0", "create-require": "^1.1.0", "diff": "^4.0.1", "make-error": "^1.1.1", "v8-compile-cache-lib": "^3.0.1", "yn": "3.1.1" } }, "tsconfig-paths": { "version": "3.14.1", "resolved": "https://registry.npmjs.org/tsconfig-paths/-/tsconfig-paths-3.14.1.tgz", "integrity": "sha512-fxDhWnFSLt3VuTwtvJt5fpwxBHg5AdKWMsgcPOOIilyjymcYVZoCQF8fvFRezCNfblEXmi+PcM1eYHeOAgXCOQ==", "dev": true, "requires": { "@types/json5": "^0.0.29", "json5": "^1.0.1", "minimist": "^1.2.6", "strip-bom": "^3.0.0" } }, "type-check": { "version": "0.4.0", "resolved": "https://registry.npmjs.org/type-check/-/type-check-0.4.0.tgz", "integrity": "sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==", "dev": true, "requires": { "prelude-ls": "^1.2.1" } }, "type-fest": { "version": "0.20.2", "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.20.2.tgz", "integrity": "sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==", "dev": true }, "typedarray-to-buffer": { "version": "3.1.5", "resolved": "https://registry.npmjs.org/typedarray-to-buffer/-/typedarray-to-buffer-3.1.5.tgz", "integrity": "sha512-zdu8XMNEDepKKR+XYOXAVPtWui0ly0NtohUscw+UmaHiAWT8hrV1rr//H6V+0DvJ3OQ19S979M0laLfX8rm82Q==", "dev": true, "requires": { "is-typedarray": "^1.0.0" } }, "typescript": { "version": "4.7.2", "resolved": "https://registry.npmjs.org/typescript/-/typescript-4.7.2.tgz", "integrity": "sha512-Mamb1iX2FDUpcTRzltPxgWMKy3fhg0TN378ylbktPGPK/99KbDtMQ4W1hwgsbPAsG3a0xKa1vmw4VKZQbkvz5A==", "dev": true }, "unbox-primitive": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/unbox-primitive/-/unbox-primitive-1.0.2.tgz", "integrity": "sha512-61pPlCD9h51VoreyJ0BReideM3MDKMKnh6+V9L08331ipq6Q8OFXZYiqP6n/tbHx4s5I9uRhcye6BrbkizkBDw==", "dev": true, "requires": { "call-bind": "^1.0.2", "has-bigints": "^1.0.2", "has-symbols": "^1.0.3", "which-boxed-primitive": "^1.0.2" } }, "unicode-length": { "version": "2.0.2", "resolved": "https://registry.npmjs.org/unicode-length/-/unicode-length-2.0.2.tgz", "integrity": "sha512-Ph/j1VbS3/r77nhoY2WU0GWGjVYOHL3xpKp0y/Eq2e5r0mT/6b649vm7KFO6RdAdrZkYLdxphYVgvODxPB+Ebg==", "dev": true, "requires": { "punycode": "^2.0.0", "strip-ansi": "^3.0.1" }, "dependencies": { "ansi-regex": { "version": "2.1.1", "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-2.1.1.tgz", "integrity": "sha512-TIGnTpdo+E3+pCyAluZvtED5p5wCqLdezCyhPZzKPcxvFplEt4i+W7OONCKgeZFT3+y5NZZfOOS/Bdcanm1MYA==", "dev": true }, "punycode": { "version": "2.1.1", "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.1.1.tgz", "integrity": "sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==", "dev": true }, "strip-ansi": { "version": "3.0.1", "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-3.0.1.tgz", "integrity": "sha1-ajhfuIU9lS1f8F0Oiq+UJ43GPc8=", "dev": true, "requires": { "ansi-regex": "^2.0.0" } } } }, "universalify": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/universalify/-/universalify-2.0.0.tgz", "integrity": "sha512-hAZsKq7Yy11Zu1DE0OzWjw7nnLZmJZYTDZZyEFHZdUhV8FkH5MCfoU1XMaxXovpyW5nq5scPqq0ZDP9Zyl04oQ==" }, "uri-js": { "version": "4.4.1", "resolved": "https://registry.npmjs.org/uri-js/-/uri-js-4.4.1.tgz", "integrity": "sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==", "dev": true, "requires": { "punycode": "^2.1.0" }, "dependencies": { "punycode": { "version": "2.1.1", "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.1.1.tgz", "integrity": "sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==", "dev": true } } }, "util-deprecate": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/util-deprecate/-/util-deprecate-1.0.2.tgz", "integrity": "sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==", "dev": true }, "v8-compile-cache": { "version": "2.3.0", "resolved": "https://registry.npmjs.org/v8-compile-cache/-/v8-compile-cache-2.3.0.tgz", "integrity": "sha512-l8lCEmLcLYZh4nbunNZvQCJc5pv7+RCwa8q/LdUx8u7lsWvPDKmpodJAJNwkAhJC//dFY48KuIEmjtd4RViDrA==", "dev": true }, "v8-compile-cache-lib": { "version": "3.0.1", "resolved": "https://registry.npmjs.org/v8-compile-cache-lib/-/v8-compile-cache-lib-3.0.1.tgz", "integrity": "sha512-wa7YjyUGfNZngI/vtK0UHAN+lgDCxBPCylVXGp0zu59Fz5aiGtNXaq3DhIov063MorB+VfufLh3JlF2KdTK3xg==", "dev": true }, "validate-npm-package-license": { "version": "3.0.4", "resolved": "https://registry.npmjs.org/validate-npm-package-license/-/validate-npm-package-license-3.0.4.tgz", "integrity": "sha512-DpKm2Ui/xN7/HQKCtpZxoRWBhZ9Z0kqtygG8XCgNQ8ZlDnxuQmWhj566j8fN4Cu3/JmbhsDo7fcAJq4s9h27Ew==", "dev": true, "requires": { "spdx-correct": "^3.0.0", "spdx-expression-parse": "^3.0.0" } }, "which": { "version": "2.0.2", "resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz", "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", "dev": true, "requires": { "isexe": "^2.0.0" } }, "which-boxed-primitive": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/which-boxed-primitive/-/which-boxed-primitive-1.0.2.tgz", "integrity": "sha512-bwZdv0AKLpplFY2KZRX6TvyuN7ojjr7lwkg6ml0roIy9YeuSr7JS372qlNW18UQYzgYK9ziGcerWqZOmEn9VNg==", "dev": true, "requires": { "is-bigint": "^1.0.1", "is-boolean-object": "^1.1.0", "is-number-object": "^1.0.4", "is-string": "^1.0.5", "is-symbol": "^1.0.3" } }, "which-module": { "version": "2.0.0", "resolved": "https://registry.npmjs.org/which-module/-/which-module-2.0.0.tgz", "integrity": "sha1-2e8H3Od7mQK4o6j6SzHD4/fm6Ho=", "dev": true }, "word-wrap": { "version": "1.2.3", "resolved": "https://registry.npmjs.org/word-wrap/-/word-wrap-1.2.3.tgz", "integrity": "sha512-Hz/mrNwitNRh/HUAtM/VT/5VH+ygD6DV7mYKZAtHOrbs8U7lvPS6xf7EJKMF0uW1KJCl0H701g3ZGus+muE5vQ==", "dev": true }, "wrap-ansi": { "version": "6.2.0", "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-6.2.0.tgz", "integrity": "sha512-r6lPcBGxZXlIcymEu7InxDMhdW0KDxpLgoFLcguasxCaJ/SOIZwINatK9KY/tf+ZrlywOKU0UDj3ATXUBfxJXA==", "dev": true, "requires": { "ansi-styles": "^4.0.0", "string-width": "^4.1.0", "strip-ansi": "^6.0.0" } }, "wrappy": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz", "integrity": "sha1-tSQ9jz7BqjXxNkYFvA0QNuMKtp8=", "dev": true }, "write-file-atomic": { "version": "3.0.3", "resolved": "https://registry.npmjs.org/write-file-atomic/-/write-file-atomic-3.0.3.tgz", "integrity": "sha512-AvHcyZ5JnSfq3ioSyjrBkH9yW4m7Ayk8/9My/DD9onKeu/94fwrMocemO2QAJFAlnnDN+ZDS+ZjAR5ua1/PV/Q==", "dev": true, "requires": { "imurmurhash": "^0.1.4", "is-typedarray": "^1.0.0", "signal-exit": "^3.0.2", "typedarray-to-buffer": "^3.1.5" } }, "y18n": { "version": "4.0.3", "resolved": "https://registry.npmjs.org/y18n/-/y18n-4.0.3.tgz", "integrity": "sha512-JKhqTOwSrqNA1NY5lSztJ1GrBiUodLMmIZuLiDaMRJ+itFd+ABVE8XBjOvIWL+rSqNDC74LCSFmlb/U4UZ4hJQ==", "dev": true }, "yallist": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/yallist/-/yallist-4.0.0.tgz", "integrity": "sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==", "dev": true }, "yaml": { "version": "1.10.2", "resolved": "https://registry.npmjs.org/yaml/-/yaml-1.10.2.tgz", "integrity": "sha512-r3vXyErRCYJ7wg28yvBY5VSoAF8ZvlcW9/BwUzEtUsjvX/DKs24dIkuwjtuprwJJHsbyUbLApepYTR1BN4uHrg==", "dev": true }, "yargs": { "version": "15.4.1", "resolved": "https://registry.npmjs.org/yargs/-/yargs-15.4.1.tgz", "integrity": "sha512-aePbxDmcYW++PaqBsJ+HYUFwCdv4LVvdnhBy78E57PIor8/OVvhMrADFFEDh8DHDFRv/O9i3lPhsENjO7QX0+A==", "dev": true, "requires": { "cliui": "^6.0.0", "decamelize": "^1.2.0", "find-up": "^4.1.0", "get-caller-file": "^2.0.1", "require-directory": "^2.1.1", "require-main-filename": "^2.0.0", "set-blocking": "^2.0.0", "string-width": "^4.2.0", "which-module": "^2.0.0", "y18n": "^4.0.0", "yargs-parser": "^18.1.2" }, "dependencies": { "find-up": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/find-up/-/find-up-4.1.0.tgz", "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", "dev": true, "requires": { "locate-path": "^5.0.0", "path-exists": "^4.0.0" } }, "locate-path": { "version": "5.0.0", "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-5.0.0.tgz", "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", "dev": true, "requires": { "p-locate": "^4.1.0" } }, "p-limit": { "version": "2.3.0", "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", "dev": true, "requires": { "p-try": "^2.0.0" } }, "p-locate": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-4.1.0.tgz", "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", "dev": true, "requires": { "p-limit": "^2.2.0" } }, "p-try": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/p-try/-/p-try-2.2.0.tgz", "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", "dev": true }, "path-exists": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", "dev": true } } }, "yargs-parser": { "version": "18.1.3", "resolved": "https://registry.npmjs.org/yargs-parser/-/yargs-parser-18.1.3.tgz", "integrity": "sha512-o50j0JeToy/4K6OZcaQmW6lyXXKhq7csREXcDwk2omFPJEwUNOVtJKvmDr9EI1fAJZUyZcRF7kxGBWmRXudrCQ==", "dev": true, "requires": { "camelcase": "^5.0.0", "decamelize": "^1.2.0" } }, "yn": { "version": "3.1.1", "resolved": "https://registry.npmjs.org/yn/-/yn-3.1.1.tgz", "integrity": "sha512-Ux4ygGWsu2c7isFWe8Yu1YluJmqVhxqK2cLXNQA5AcC3QfbGNpM7fu0Y8b/z16pXLnFxZYvWhd3fhBY9DLmC6Q==", "dev": true }, "yocto-queue": { "version": "0.1.0", "resolved": "https://registry.npmjs.org/yocto-queue/-/yocto-queue-0.1.0.tgz", "integrity": "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==", "dev": true } } }
1
log4js-node/log4js-node
1,274
Replace validate-commit-msg, fix husky config, and remove codecov
3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
ZachHaber
2022-06-23T22:41:38Z
2022-07-06T09:29:23Z
1ca79dad4018b22c519699972ef3e3a67130c7e2
2af3bb6e2ddcb615fb61b09d3b7e68081dde3883
Replace validate-commit-msg, fix husky config, and remove codecov. 3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
./package.json
{ "name": "log4js", "version": "6.5.2", "description": "Port of Log4js to work with node.", "homepage": "https://log4js-node.github.io/log4js-node/", "files": [ "lib", "types/*.d.ts", "CHANGELOG.md", "SECURITY.md" ], "keywords": [ "logging", "log", "log4j", "node" ], "license": "Apache-2.0", "main": "./lib/log4js", "types": "./types/log4js.d.ts", "contributors": [ "Gareth Jones <[email protected]>", "Lam Wei Li <[email protected]>" ], "repository": { "type": "git", "url": "https://github.com/log4js-node/log4js-node.git" }, "bugs": { "url": "http://github.com/log4js-node/log4js-node/issues" }, "engines": { "node": ">=8.0" }, "scripts": { "pretest": "prettier --check . && eslint \"lib/**/*.js\" \"test/**/*.js\"", "prettier:fix": "prettier --write .", "test": "tap \"test/tap/**/*.js\" --cov --timeout=45", "typings": "tsc -p types/tsconfig.json", "codecov": "tap \"test/tap/**/*.js\" --cov --coverage-report=lcov && codecov" }, "directories": { "test": "test", "lib": "lib" }, "dependencies": { "date-format": "^4.0.11", "debug": "^4.3.4", "flatted": "^3.2.5", "rfdc": "^1.3.0", "streamroller": "^3.1.1" }, "devDependencies": { "@log4js-node/sandboxed-module": "^2.2.1", "callsites": "^3.1.0", "codecov": "^3.8.3", "deep-freeze": "0.0.1", "eslint": "^8.16.0", "eslint-config-airbnb-base": "^15.0.0", "eslint-config-prettier": "^8.5.0", "eslint-import-resolver-node": "^0.3.6", "eslint-plugin-import": "^2.26.0", "eslint-plugin-prettier": "^4.0.0", "fs-extra": "^10.1.0", "husky": "^8.0.1", "nyc": "^15.1.0", "prettier": "^2.6.0", "proxyquire": "^2.1.3", "tap": "^16.2.0", "typescript": "^4.7.2", "validate-commit-msg": "^2.14.0" }, "browser": { "os": false }, "config": { "validate-commit-msg": { "types": [ "feat", "fix", "docs", "style", "refactor", "example", "perf", "test", "chore", "revert" ], "warnOnFail": false, "maxSubjectLength": 72, "subjectPattern": ".+", "subjectPatternErrorMsg": "subject does not match subject pattern!", "helpMessage": "\n# allowed type: feat, fix, docs, style, refactor, example, perf, test, chore, revert\n# subject no more than 50 chars\n# a body line no more than 72 chars" } }, "tap": { "check-coverage": true }, "nyc": { "all": true, "include": [ "lib/**/*.js" ], "require": [ "./test/sandbox-coverage" ] }, "husky": { "hooks": { "commit-msg": "validate-commit-msg", "pre-push": "npm test && npm run typings" } } }
{ "name": "log4js", "version": "6.5.2", "description": "Port of Log4js to work with node.", "homepage": "https://log4js-node.github.io/log4js-node/", "files": [ "lib", "types/*.d.ts", "CHANGELOG.md", "SECURITY.md" ], "keywords": [ "logging", "log", "log4j", "node" ], "license": "Apache-2.0", "main": "./lib/log4js", "types": "./types/log4js.d.ts", "contributors": [ "Gareth Jones <[email protected]>", "Lam Wei Li <[email protected]>" ], "repository": { "type": "git", "url": "https://github.com/log4js-node/log4js-node.git" }, "bugs": { "url": "http://github.com/log4js-node/log4js-node/issues" }, "engines": { "node": ">=8.0" }, "scripts": { "prepare": "is-ci || husky install", "pretest": "prettier --check . && eslint \"lib/**/*.js\" \"test/**/*.js\"", "prettier:fix": "prettier --write .", "test": "tap \"test/tap/**/*.js\" --cov --timeout=45", "typings": "tsc -p types/tsconfig.json" }, "directories": { "test": "test", "lib": "lib" }, "dependencies": { "date-format": "^4.0.11", "debug": "^4.3.4", "flatted": "^3.2.5", "rfdc": "^1.3.0", "streamroller": "^3.1.1" }, "devDependencies": { "@commitlint/cli": "^17.0.2", "@commitlint/config-conventional": "^17.0.2", "@log4js-node/sandboxed-module": "^2.2.1", "callsites": "^3.1.0", "deep-freeze": "0.0.1", "eslint": "^8.16.0", "eslint-config-airbnb-base": "^15.0.0", "eslint-config-prettier": "^8.5.0", "eslint-import-resolver-node": "^0.3.6", "eslint-plugin-import": "^2.26.0", "eslint-plugin-prettier": "^4.0.0", "fs-extra": "^10.1.0", "husky": "^8.0.1", "is-ci": "^3.0.1", "nyc": "^15.1.0", "prettier": "^2.6.0", "proxyquire": "^2.1.3", "tap": "^16.2.0", "typescript": "^4.7.2" }, "browser": { "os": false }, "tap": { "check-coverage": true }, "nyc": { "all": true, "include": [ "lib/**/*.js" ], "require": [ "./test/sandbox-coverage" ] } }
1
log4js-node/log4js-node
1,274
Replace validate-commit-msg, fix husky config, and remove codecov
3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
ZachHaber
2022-06-23T22:41:38Z
2022-07-06T09:29:23Z
1ca79dad4018b22c519699972ef3e3a67130c7e2
2af3bb6e2ddcb615fb61b09d3b7e68081dde3883
Replace validate-commit-msg, fix husky config, and remove codecov. 3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
./examples/pm2.json
{ "apps": [ { "name": "testing", "script": "pm2.js", "instances": 0, "instance_var": "INSTANCE_ID", "exec_mode": "cluster" } ] }
{ "apps": [ { "name": "testing", "script": "pm2.js", "instances": 0, "instance_var": "INSTANCE_ID", "exec_mode": "cluster" } ] }
-1
log4js-node/log4js-node
1,274
Replace validate-commit-msg, fix husky config, and remove codecov
3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
ZachHaber
2022-06-23T22:41:38Z
2022-07-06T09:29:23Z
1ca79dad4018b22c519699972ef3e3a67130c7e2
2af3bb6e2ddcb615fb61b09d3b7e68081dde3883
Replace validate-commit-msg, fix husky config, and remove codecov. 3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
./test/tap/test-config.json
{ "appenders": [{ "type": "stdout" }] }
{ "appenders": [{ "type": "stdout" }] }
-1
log4js-node/log4js-node
1,274
Replace validate-commit-msg, fix husky config, and remove codecov
3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
ZachHaber
2022-06-23T22:41:38Z
2022-07-06T09:29:23Z
1ca79dad4018b22c519699972ef3e3a67130c7e2
2af3bb6e2ddcb615fb61b09d3b7e68081dde3883
Replace validate-commit-msg, fix husky config, and remove codecov. 3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
./types/tsconfig.json
{ "compileOnSave": false, "compilerOptions": { "strict": true, "noUnusedParameters": true, "noUnusedLocals": false, "noEmit": true } }
{ "compileOnSave": false, "compilerOptions": { "strict": true, "noUnusedParameters": true, "noUnusedLocals": false, "noEmit": true } }
-1
log4js-node/log4js-node
1,274
Replace validate-commit-msg, fix husky config, and remove codecov
3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
ZachHaber
2022-06-23T22:41:38Z
2022-07-06T09:29:23Z
1ca79dad4018b22c519699972ef3e3a67130c7e2
2af3bb6e2ddcb615fb61b09d3b7e68081dde3883
Replace validate-commit-msg, fix husky config, and remove codecov. 3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
./test/tap/log4js.json
{ "appenders": [ { "category": "tests", "type": "file", "filename": "tmp-tests.log", "layout": { "type": "messagePassThrough" } } ], "levels": { "tests": "WARN" } }
{ "appenders": [ { "category": "tests", "type": "file", "filename": "tmp-tests.log", "layout": { "type": "messagePassThrough" } } ], "levels": { "tests": "WARN" } }
-1
log4js-node/log4js-node
1,274
Replace validate-commit-msg, fix husky config, and remove codecov
3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
ZachHaber
2022-06-23T22:41:38Z
2022-07-06T09:29:23Z
1ca79dad4018b22c519699972ef3e3a67130c7e2
2af3bb6e2ddcb615fb61b09d3b7e68081dde3883
Replace validate-commit-msg, fix husky config, and remove codecov. 3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
./test/tap/with-log-rolling.json
{ "appenders": [ { "type": "file", "filename": "tmp-test.log", "maxLogSize": 1024, "backups": 3 } ] }
{ "appenders": [ { "type": "file", "filename": "tmp-test.log", "maxLogSize": 1024, "backups": 3 } ] }
-1
log4js-node/log4js-node
1,274
Replace validate-commit-msg, fix husky config, and remove codecov
3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
ZachHaber
2022-06-23T22:41:38Z
2022-07-06T09:29:23Z
1ca79dad4018b22c519699972ef3e3a67130c7e2
2af3bb6e2ddcb615fb61b09d3b7e68081dde3883
Replace validate-commit-msg, fix husky config, and remove codecov. 3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
./test/tap/disable-cluster-test.js
const { test } = require('tap'); const cluster = require('cluster'); const log4js = require('../../lib/log4js'); const recorder = require('../../lib/appenders/recording'); cluster.removeAllListeners(); log4js.configure({ appenders: { vcr: { type: 'recording' }, }, categories: { default: { appenders: ['vcr'], level: 'debug' } }, disableClustering: true, }); if (cluster.isMaster) { cluster.fork(); const masterLogger = log4js.getLogger('master'); const masterPid = process.pid; masterLogger.info('this is master'); cluster.on('exit', () => { const logEvents = recorder.replay(); test('cluster master', (batch) => { batch.test('only master events should be logged', (t) => { t.equal(logEvents.length, 1); t.equal(logEvents[0].categoryName, 'master'); t.equal(logEvents[0].pid, masterPid); t.equal(logEvents[0].data[0], 'this is master'); t.end(); }); batch.end(); }); }); } else { const workerLogger = log4js.getLogger('worker'); workerLogger.info('this is worker', new Error('oh dear')); const workerEvents = recorder.replay(); test('cluster worker', (batch) => { batch.test('should send events to its own appender', (t) => { t.equal(workerEvents.length, 1); t.equal(workerEvents[0].categoryName, 'worker'); t.equal(workerEvents[0].data[0], 'this is worker'); t.type(workerEvents[0].data[1], 'Error'); t.match(workerEvents[0].data[1].stack, 'Error: oh dear'); t.end(); }); batch.end(); }); // test sending a cluster-style log message process.send({ topic: 'log4js:message', data: { cheese: 'gouda' } }); cluster.worker.disconnect(); }
const { test } = require('tap'); const cluster = require('cluster'); const log4js = require('../../lib/log4js'); const recorder = require('../../lib/appenders/recording'); cluster.removeAllListeners(); log4js.configure({ appenders: { vcr: { type: 'recording' }, }, categories: { default: { appenders: ['vcr'], level: 'debug' } }, disableClustering: true, }); if (cluster.isMaster) { cluster.fork(); const masterLogger = log4js.getLogger('master'); const masterPid = process.pid; masterLogger.info('this is master'); cluster.on('exit', () => { const logEvents = recorder.replay(); test('cluster master', (batch) => { batch.test('only master events should be logged', (t) => { t.equal(logEvents.length, 1); t.equal(logEvents[0].categoryName, 'master'); t.equal(logEvents[0].pid, masterPid); t.equal(logEvents[0].data[0], 'this is master'); t.end(); }); batch.end(); }); }); } else { const workerLogger = log4js.getLogger('worker'); workerLogger.info('this is worker', new Error('oh dear')); const workerEvents = recorder.replay(); test('cluster worker', (batch) => { batch.test('should send events to its own appender', (t) => { t.equal(workerEvents.length, 1); t.equal(workerEvents[0].categoryName, 'worker'); t.equal(workerEvents[0].data[0], 'this is worker'); t.type(workerEvents[0].data[1], 'Error'); t.match(workerEvents[0].data[1].stack, 'Error: oh dear'); t.end(); }); batch.end(); }); // test sending a cluster-style log message process.send({ topic: 'log4js:message', data: { cheese: 'gouda' } }); cluster.worker.disconnect(); }
-1
log4js-node/log4js-node
1,274
Replace validate-commit-msg, fix husky config, and remove codecov
3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
ZachHaber
2022-06-23T22:41:38Z
2022-07-06T09:29:23Z
1ca79dad4018b22c519699972ef3e3a67130c7e2
2af3bb6e2ddcb615fb61b09d3b7e68081dde3883
Replace validate-commit-msg, fix husky config, and remove codecov. 3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
./test/tap/consoleAppender-test.js
const { test } = require('tap'); const sandbox = require('@log4js-node/sandboxed-module'); const consoleAppender = require('../../lib/appenders/console'); test('log4js console appender', (batch) => { batch.test('should export a configure function', (t) => { t.type(consoleAppender.configure, 'function'); t.end(); }); batch.test('should use default layout if none specified', (t) => { const messages = []; const fakeConsole = { log(msg) { messages.push(msg); }, }; const log4js = sandbox.require('../../lib/log4js', { globals: { console: fakeConsole, }, }); log4js.configure({ appenders: { console: { type: 'console' } }, categories: { default: { appenders: ['console'], level: 'DEBUG' } }, }); log4js.getLogger().info('blah'); t.match(messages[0], /.*default.*blah/); t.end(); }); batch.test('should output to console', (t) => { const messages = []; const fakeConsole = { log(msg) { messages.push(msg); }, }; const log4js = sandbox.require('../../lib/log4js', { globals: { console: fakeConsole, }, }); log4js.configure({ appenders: { console: { type: 'console', layout: { type: 'messagePassThrough' } }, }, categories: { default: { appenders: ['console'], level: 'DEBUG' } }, }); log4js.getLogger().info('blah'); t.equal(messages[0], 'blah'); t.end(); }); batch.end(); });
const { test } = require('tap'); const sandbox = require('@log4js-node/sandboxed-module'); const consoleAppender = require('../../lib/appenders/console'); test('log4js console appender', (batch) => { batch.test('should export a configure function', (t) => { t.type(consoleAppender.configure, 'function'); t.end(); }); batch.test('should use default layout if none specified', (t) => { const messages = []; const fakeConsole = { log(msg) { messages.push(msg); }, }; const log4js = sandbox.require('../../lib/log4js', { globals: { console: fakeConsole, }, }); log4js.configure({ appenders: { console: { type: 'console' } }, categories: { default: { appenders: ['console'], level: 'DEBUG' } }, }); log4js.getLogger().info('blah'); t.match(messages[0], /.*default.*blah/); t.end(); }); batch.test('should output to console', (t) => { const messages = []; const fakeConsole = { log(msg) { messages.push(msg); }, }; const log4js = sandbox.require('../../lib/log4js', { globals: { console: fakeConsole, }, }); log4js.configure({ appenders: { console: { type: 'console', layout: { type: 'messagePassThrough' } }, }, categories: { default: { appenders: ['console'], level: 'DEBUG' } }, }); log4js.getLogger().info('blah'); t.equal(messages[0], 'blah'); t.end(); }); batch.end(); });
-1
log4js-node/log4js-node
1,274
Replace validate-commit-msg, fix husky config, and remove codecov
3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
ZachHaber
2022-06-23T22:41:38Z
2022-07-06T09:29:23Z
1ca79dad4018b22c519699972ef3e3a67130c7e2
2af3bb6e2ddcb615fb61b09d3b7e68081dde3883
Replace validate-commit-msg, fix husky config, and remove codecov. 3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
./test/tap/newLevel-test.js
const { test } = require('tap'); const log4js = require('../../lib/log4js'); const recording = require('../../lib/appenders/recording'); test('../../lib/logger', (batch) => { batch.beforeEach(() => { recording.reset(); }); batch.test('creating a new log level', (t) => { log4js.configure({ levels: { DIAG: { value: 6000, colour: 'green' }, }, appenders: { stdout: { type: 'stdout' }, }, categories: { default: { appenders: ['stdout'], level: 'trace' }, }, }); const logger = log4js.getLogger(); t.test('should export new log level in levels module', (assert) => { assert.ok(log4js.levels.DIAG); assert.equal(log4js.levels.DIAG.levelStr, 'DIAG'); assert.equal(log4js.levels.DIAG.level, 6000); assert.equal(log4js.levels.DIAG.colour, 'green'); assert.end(); }); t.type( logger.diag, 'function', 'should create named function on logger prototype' ); t.type( logger.isDiagEnabled, 'function', 'should create isLevelEnabled function on logger prototype' ); t.type(logger.info, 'function', 'should retain default levels'); t.end(); }); batch.test('creating a new log level with underscores', (t) => { log4js.configure({ levels: { NEW_LEVEL_OTHER: { value: 6000, colour: 'blue' }, }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); const logger = log4js.getLogger(); t.test('should export new log level to levels module', (assert) => { assert.ok(log4js.levels.NEW_LEVEL_OTHER); assert.equal(log4js.levels.NEW_LEVEL_OTHER.levelStr, 'NEW_LEVEL_OTHER'); assert.equal(log4js.levels.NEW_LEVEL_OTHER.level, 6000); assert.equal(log4js.levels.NEW_LEVEL_OTHER.colour, 'blue'); assert.end(); }); t.type( logger.newLevelOther, 'function', 'should create named function on logger prototype in camel case' ); t.type( logger.isNewLevelOtherEnabled, 'function', 'should create named isLevelEnabled function on logger prototype in camel case' ); t.end(); }); batch.test('creating log events containing newly created log level', (t) => { log4js.configure({ levels: { LVL1: { value: 6000, colour: 'grey' }, LVL2: { value: 5000, colour: 'magenta' }, }, appenders: { recorder: { type: 'recording' } }, categories: { default: { appenders: ['recorder'], level: 'LVL1' }, }, }); const logger = log4js.getLogger(); logger.log(log4js.levels.getLevel('LVL1', log4js.levels.DEBUG), 'Event 1'); logger.log(log4js.levels.getLevel('LVL1'), 'Event 2'); logger.log('LVL1', 'Event 3'); logger.lvl1('Event 4'); logger.lvl2('Event 5'); const events = recording.replay(); t.test('should show log events with new log level', (assert) => { assert.equal(events[0].level.toString(), 'LVL1'); assert.equal(events[0].data[0], 'Event 1'); assert.equal(events[1].level.toString(), 'LVL1'); assert.equal(events[1].data[0], 'Event 2'); assert.equal(events[2].level.toString(), 'LVL1'); assert.equal(events[2].data[0], 'Event 3'); assert.equal(events[3].level.toString(), 'LVL1'); assert.equal(events[3].data[0], 'Event 4'); assert.end(); }); t.equal( events.length, 4, 'should not be present if min log level is greater than newly created level' ); t.end(); }); batch.test('creating a new log level with incorrect parameters', (t) => { t.throws(() => { log4js.configure({ levels: { cheese: { value: 'biscuits' }, }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); }, 'level "cheese".value must have an integer value'); t.throws(() => { log4js.configure({ levels: { cheese: 'biscuits', }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); }, 'level "cheese" must be an object'); t.throws(() => { log4js.configure({ levels: { cheese: { thing: 'biscuits' }, }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); }, 'level "cheese" must have a \'value\' property'); t.throws(() => { log4js.configure({ levels: { cheese: { value: 3 }, }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); }, 'level "cheese" must have a \'colour\' property'); t.throws(() => { log4js.configure({ levels: { cheese: { value: 3, colour: 'pants' }, }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); }, 'level "cheese".colour must be one of white, grey, black, blue, cyan, green, magenta, red, yellow'); t.throws(() => { log4js.configure({ levels: { '#pants': 3, }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); }, 'level name "#pants" is not a valid identifier (must start with a letter, only contain A-Z,a-z,0-9,_)'); t.throws(() => { log4js.configure({ levels: { 'thing#pants': 3, }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); }, 'level name "thing#pants" is not a valid identifier (must start with a letter, only contain A-Z,a-z,0-9,_)'); t.throws(() => { log4js.configure({ levels: { '1pants': 3, }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); }, 'level name "1pants" is not a valid identifier (must start with a letter, only contain A-Z,a-z,0-9,_)'); t.throws(() => { log4js.configure({ levels: { 2: 3, }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); }, 'level name "2" is not a valid identifier (must start with a letter, only contain A-Z,a-z,0-9,_)'); t.throws(() => { log4js.configure({ levels: { 'cheese!': 3, }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); }, 'level name "cheese!" is not a valid identifier (must start with a letter, only contain A-Z,a-z,0-9,_)'); t.end(); }); batch.test('calling log with an undefined log level', (t) => { log4js.configure({ appenders: { recorder: { type: 'recording' } }, categories: { default: { appenders: ['recorder'], level: 'trace' } }, }); const logger = log4js.getLogger(); // fallback behavior logger.log('LEVEL_DOES_NOT_EXIST', 'Event 1'); logger.log( log4js.levels.getLevel('LEVEL_DOES_NOT_EXIST'), 'Event 2', '2 Text' ); // synonym behavior logger.log('Event 3'); logger.log('Event 4', '4 Text'); const events = recording.replay(); t.equal(events[0].level.toString(), 'WARN', 'should log warning'); t.equal( events[0].data[0], 'log4js:logger.log: valid log-level not found as first parameter given:' ); t.equal(events[0].data[1], 'LEVEL_DOES_NOT_EXIST'); t.equal(events[1].level.toString(), 'INFO', 'should fall back to INFO'); t.equal(events[1].data[0], '[LEVEL_DOES_NOT_EXIST]'); t.equal(events[1].data[1], 'Event 1'); t.equal(events[2].level.toString(), 'WARN', 'should log warning'); t.equal( events[2].data[0], 'log4js:logger.log: valid log-level not found as first parameter given:' ); t.equal(events[2].data[1], undefined); t.equal(events[3].level.toString(), 'INFO', 'should fall back to INFO'); t.equal(events[3].data[0], '[undefined]'); t.equal(events[3].data[1], 'Event 2'); t.equal(events[3].data[2], '2 Text'); t.equal(events[4].level.toString(), 'INFO', 'LOG is synonym of INFO'); t.equal(events[4].data[0], 'Event 3'); t.equal(events[5].level.toString(), 'INFO', 'LOG is synonym of INFO'); t.equal(events[5].data[0], 'Event 4'); t.equal(events[5].data[1], '4 Text'); t.end(); }); batch.test('creating a new level with an existing level name', (t) => { log4js.configure({ levels: { info: { value: 1234, colour: 'blue' }, }, appenders: { recorder: { type: 'recording' } }, categories: { default: { appenders: ['recorder'], level: 'all' } }, }); t.equal( log4js.levels.INFO.level, 1234, 'should override the existing log level' ); t.equal( log4js.levels.INFO.colour, 'blue', 'should override the existing log level' ); const logger = log4js.getLogger(); logger.info('test message'); const events = recording.replay(); t.equal( events[0].level.level, 1234, 'should override the existing log level' ); t.end(); }); batch.end(); });
const { test } = require('tap'); const log4js = require('../../lib/log4js'); const recording = require('../../lib/appenders/recording'); test('../../lib/logger', (batch) => { batch.beforeEach(() => { recording.reset(); }); batch.test('creating a new log level', (t) => { log4js.configure({ levels: { DIAG: { value: 6000, colour: 'green' }, }, appenders: { stdout: { type: 'stdout' }, }, categories: { default: { appenders: ['stdout'], level: 'trace' }, }, }); const logger = log4js.getLogger(); t.test('should export new log level in levels module', (assert) => { assert.ok(log4js.levels.DIAG); assert.equal(log4js.levels.DIAG.levelStr, 'DIAG'); assert.equal(log4js.levels.DIAG.level, 6000); assert.equal(log4js.levels.DIAG.colour, 'green'); assert.end(); }); t.type( logger.diag, 'function', 'should create named function on logger prototype' ); t.type( logger.isDiagEnabled, 'function', 'should create isLevelEnabled function on logger prototype' ); t.type(logger.info, 'function', 'should retain default levels'); t.end(); }); batch.test('creating a new log level with underscores', (t) => { log4js.configure({ levels: { NEW_LEVEL_OTHER: { value: 6000, colour: 'blue' }, }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); const logger = log4js.getLogger(); t.test('should export new log level to levels module', (assert) => { assert.ok(log4js.levels.NEW_LEVEL_OTHER); assert.equal(log4js.levels.NEW_LEVEL_OTHER.levelStr, 'NEW_LEVEL_OTHER'); assert.equal(log4js.levels.NEW_LEVEL_OTHER.level, 6000); assert.equal(log4js.levels.NEW_LEVEL_OTHER.colour, 'blue'); assert.end(); }); t.type( logger.newLevelOther, 'function', 'should create named function on logger prototype in camel case' ); t.type( logger.isNewLevelOtherEnabled, 'function', 'should create named isLevelEnabled function on logger prototype in camel case' ); t.end(); }); batch.test('creating log events containing newly created log level', (t) => { log4js.configure({ levels: { LVL1: { value: 6000, colour: 'grey' }, LVL2: { value: 5000, colour: 'magenta' }, }, appenders: { recorder: { type: 'recording' } }, categories: { default: { appenders: ['recorder'], level: 'LVL1' }, }, }); const logger = log4js.getLogger(); logger.log(log4js.levels.getLevel('LVL1', log4js.levels.DEBUG), 'Event 1'); logger.log(log4js.levels.getLevel('LVL1'), 'Event 2'); logger.log('LVL1', 'Event 3'); logger.lvl1('Event 4'); logger.lvl2('Event 5'); const events = recording.replay(); t.test('should show log events with new log level', (assert) => { assert.equal(events[0].level.toString(), 'LVL1'); assert.equal(events[0].data[0], 'Event 1'); assert.equal(events[1].level.toString(), 'LVL1'); assert.equal(events[1].data[0], 'Event 2'); assert.equal(events[2].level.toString(), 'LVL1'); assert.equal(events[2].data[0], 'Event 3'); assert.equal(events[3].level.toString(), 'LVL1'); assert.equal(events[3].data[0], 'Event 4'); assert.end(); }); t.equal( events.length, 4, 'should not be present if min log level is greater than newly created level' ); t.end(); }); batch.test('creating a new log level with incorrect parameters', (t) => { t.throws(() => { log4js.configure({ levels: { cheese: { value: 'biscuits' }, }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); }, 'level "cheese".value must have an integer value'); t.throws(() => { log4js.configure({ levels: { cheese: 'biscuits', }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); }, 'level "cheese" must be an object'); t.throws(() => { log4js.configure({ levels: { cheese: { thing: 'biscuits' }, }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); }, 'level "cheese" must have a \'value\' property'); t.throws(() => { log4js.configure({ levels: { cheese: { value: 3 }, }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); }, 'level "cheese" must have a \'colour\' property'); t.throws(() => { log4js.configure({ levels: { cheese: { value: 3, colour: 'pants' }, }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); }, 'level "cheese".colour must be one of white, grey, black, blue, cyan, green, magenta, red, yellow'); t.throws(() => { log4js.configure({ levels: { '#pants': 3, }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); }, 'level name "#pants" is not a valid identifier (must start with a letter, only contain A-Z,a-z,0-9,_)'); t.throws(() => { log4js.configure({ levels: { 'thing#pants': 3, }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); }, 'level name "thing#pants" is not a valid identifier (must start with a letter, only contain A-Z,a-z,0-9,_)'); t.throws(() => { log4js.configure({ levels: { '1pants': 3, }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); }, 'level name "1pants" is not a valid identifier (must start with a letter, only contain A-Z,a-z,0-9,_)'); t.throws(() => { log4js.configure({ levels: { 2: 3, }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); }, 'level name "2" is not a valid identifier (must start with a letter, only contain A-Z,a-z,0-9,_)'); t.throws(() => { log4js.configure({ levels: { 'cheese!': 3, }, appenders: { stdout: { type: 'stdout' } }, categories: { default: { appenders: ['stdout'], level: 'trace' } }, }); }, 'level name "cheese!" is not a valid identifier (must start with a letter, only contain A-Z,a-z,0-9,_)'); t.end(); }); batch.test('calling log with an undefined log level', (t) => { log4js.configure({ appenders: { recorder: { type: 'recording' } }, categories: { default: { appenders: ['recorder'], level: 'trace' } }, }); const logger = log4js.getLogger(); // fallback behavior logger.log('LEVEL_DOES_NOT_EXIST', 'Event 1'); logger.log( log4js.levels.getLevel('LEVEL_DOES_NOT_EXIST'), 'Event 2', '2 Text' ); // synonym behavior logger.log('Event 3'); logger.log('Event 4', '4 Text'); const events = recording.replay(); t.equal(events[0].level.toString(), 'WARN', 'should log warning'); t.equal( events[0].data[0], 'log4js:logger.log: valid log-level not found as first parameter given:' ); t.equal(events[0].data[1], 'LEVEL_DOES_NOT_EXIST'); t.equal(events[1].level.toString(), 'INFO', 'should fall back to INFO'); t.equal(events[1].data[0], '[LEVEL_DOES_NOT_EXIST]'); t.equal(events[1].data[1], 'Event 1'); t.equal(events[2].level.toString(), 'WARN', 'should log warning'); t.equal( events[2].data[0], 'log4js:logger.log: valid log-level not found as first parameter given:' ); t.equal(events[2].data[1], undefined); t.equal(events[3].level.toString(), 'INFO', 'should fall back to INFO'); t.equal(events[3].data[0], '[undefined]'); t.equal(events[3].data[1], 'Event 2'); t.equal(events[3].data[2], '2 Text'); t.equal(events[4].level.toString(), 'INFO', 'LOG is synonym of INFO'); t.equal(events[4].data[0], 'Event 3'); t.equal(events[5].level.toString(), 'INFO', 'LOG is synonym of INFO'); t.equal(events[5].data[0], 'Event 4'); t.equal(events[5].data[1], '4 Text'); t.end(); }); batch.test('creating a new level with an existing level name', (t) => { log4js.configure({ levels: { info: { value: 1234, colour: 'blue' }, }, appenders: { recorder: { type: 'recording' } }, categories: { default: { appenders: ['recorder'], level: 'all' } }, }); t.equal( log4js.levels.INFO.level, 1234, 'should override the existing log level' ); t.equal( log4js.levels.INFO.colour, 'blue', 'should override the existing log level' ); const logger = log4js.getLogger(); logger.info('test message'); const events = recording.replay(); t.equal( events[0].level.level, 1234, 'should override the existing log level' ); t.end(); }); batch.end(); });
-1
log4js-node/log4js-node
1,274
Replace validate-commit-msg, fix husky config, and remove codecov
3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
ZachHaber
2022-06-23T22:41:38Z
2022-07-06T09:29:23Z
1ca79dad4018b22c519699972ef3e3a67130c7e2
2af3bb6e2ddcb615fb61b09d3b7e68081dde3883
Replace validate-commit-msg, fix husky config, and remove codecov. 3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
./test/tap/logLevelFilter-test.js
const { test } = require('tap'); const fs = require('fs'); const os = require('os'); const EOL = os.EOL || '\n'; function remove(filename) { try { fs.unlinkSync(filename); } catch (e) { // doesn't really matter if it failed } } test('log4js logLevelFilter', (batch) => { batch.test('appender', (t) => { const log4js = require('../../lib/log4js'); const recording = require('../../lib/appenders/recording'); log4js.configure({ appenders: { recorder: { type: 'recording' }, filtered: { type: 'logLevelFilter', appender: 'recorder', level: 'ERROR', }, }, categories: { default: { appenders: ['filtered'], level: 'debug' }, }, }); const logger = log4js.getLogger('logLevelTest'); logger.debug('this should not trigger an event'); logger.warn('neither should this'); logger.error('this should, though'); logger.fatal('so should this'); const logEvents = recording.replay(); t.test( 'should only pass log events greater than or equal to its own level', (assert) => { assert.equal(logEvents.length, 2); assert.equal(logEvents[0].data[0], 'this should, though'); assert.equal(logEvents[1].data[0], 'so should this'); assert.end(); } ); t.end(); }); batch.test('configure', (t) => { const log4js = require('../../lib/log4js'); remove(`${__dirname}/logLevelFilter.log`); remove(`${__dirname}/logLevelFilter-warnings.log`); remove(`${__dirname}/logLevelFilter-debugs.log`); t.teardown(() => { remove(`${__dirname}/logLevelFilter.log`); remove(`${__dirname}/logLevelFilter-warnings.log`); remove(`${__dirname}/logLevelFilter-debugs.log`); }); log4js.configure({ appenders: { 'warning-file': { type: 'file', filename: 'test/tap/logLevelFilter-warnings.log', layout: { type: 'messagePassThrough' }, }, warnings: { type: 'logLevelFilter', level: 'WARN', appender: 'warning-file', }, 'debug-file': { type: 'file', filename: 'test/tap/logLevelFilter-debugs.log', layout: { type: 'messagePassThrough' }, }, debugs: { type: 'logLevelFilter', level: 'TRACE', maxLevel: 'DEBUG', appender: 'debug-file', }, tests: { type: 'file', filename: 'test/tap/logLevelFilter.log', layout: { type: 'messagePassThrough', }, }, }, categories: { default: { appenders: ['tests', 'warnings', 'debugs'], level: 'trace' }, }, }); const logger = log4js.getLogger('tests'); logger.debug('debug'); logger.info('info'); logger.error('error'); logger.warn('warn'); logger.debug('debug'); logger.trace('trace'); // wait for the file system to catch up setTimeout(() => { t.test('tmp-tests.log should contain all log messages', (assert) => { fs.readFile( `${__dirname}/logLevelFilter.log`, 'utf8', (err, contents) => { const messages = contents.trim().split(EOL); assert.same(messages, [ 'debug', 'info', 'error', 'warn', 'debug', 'trace', ]); assert.end(); } ); }); t.test( 'tmp-tests-warnings.log should contain only error and warning logs', (assert) => { fs.readFile( `${__dirname}/logLevelFilter-warnings.log`, 'utf8', (err, contents) => { const messages = contents.trim().split(EOL); assert.same(messages, ['error', 'warn']); assert.end(); } ); } ); t.test( 'tmp-tests-debugs.log should contain only trace and debug logs', (assert) => { fs.readFile( `${__dirname}/logLevelFilter-debugs.log`, 'utf8', (err, contents) => { const messages = contents.trim().split(EOL); assert.same(messages, ['debug', 'debug', 'trace']); assert.end(); } ); } ); t.end(); }, 500); }); batch.end(); });
const { test } = require('tap'); const fs = require('fs'); const os = require('os'); const EOL = os.EOL || '\n'; function remove(filename) { try { fs.unlinkSync(filename); } catch (e) { // doesn't really matter if it failed } } test('log4js logLevelFilter', (batch) => { batch.test('appender', (t) => { const log4js = require('../../lib/log4js'); const recording = require('../../lib/appenders/recording'); log4js.configure({ appenders: { recorder: { type: 'recording' }, filtered: { type: 'logLevelFilter', appender: 'recorder', level: 'ERROR', }, }, categories: { default: { appenders: ['filtered'], level: 'debug' }, }, }); const logger = log4js.getLogger('logLevelTest'); logger.debug('this should not trigger an event'); logger.warn('neither should this'); logger.error('this should, though'); logger.fatal('so should this'); const logEvents = recording.replay(); t.test( 'should only pass log events greater than or equal to its own level', (assert) => { assert.equal(logEvents.length, 2); assert.equal(logEvents[0].data[0], 'this should, though'); assert.equal(logEvents[1].data[0], 'so should this'); assert.end(); } ); t.end(); }); batch.test('configure', (t) => { const log4js = require('../../lib/log4js'); remove(`${__dirname}/logLevelFilter.log`); remove(`${__dirname}/logLevelFilter-warnings.log`); remove(`${__dirname}/logLevelFilter-debugs.log`); t.teardown(() => { remove(`${__dirname}/logLevelFilter.log`); remove(`${__dirname}/logLevelFilter-warnings.log`); remove(`${__dirname}/logLevelFilter-debugs.log`); }); log4js.configure({ appenders: { 'warning-file': { type: 'file', filename: 'test/tap/logLevelFilter-warnings.log', layout: { type: 'messagePassThrough' }, }, warnings: { type: 'logLevelFilter', level: 'WARN', appender: 'warning-file', }, 'debug-file': { type: 'file', filename: 'test/tap/logLevelFilter-debugs.log', layout: { type: 'messagePassThrough' }, }, debugs: { type: 'logLevelFilter', level: 'TRACE', maxLevel: 'DEBUG', appender: 'debug-file', }, tests: { type: 'file', filename: 'test/tap/logLevelFilter.log', layout: { type: 'messagePassThrough', }, }, }, categories: { default: { appenders: ['tests', 'warnings', 'debugs'], level: 'trace' }, }, }); const logger = log4js.getLogger('tests'); logger.debug('debug'); logger.info('info'); logger.error('error'); logger.warn('warn'); logger.debug('debug'); logger.trace('trace'); // wait for the file system to catch up setTimeout(() => { t.test('tmp-tests.log should contain all log messages', (assert) => { fs.readFile( `${__dirname}/logLevelFilter.log`, 'utf8', (err, contents) => { const messages = contents.trim().split(EOL); assert.same(messages, [ 'debug', 'info', 'error', 'warn', 'debug', 'trace', ]); assert.end(); } ); }); t.test( 'tmp-tests-warnings.log should contain only error and warning logs', (assert) => { fs.readFile( `${__dirname}/logLevelFilter-warnings.log`, 'utf8', (err, contents) => { const messages = contents.trim().split(EOL); assert.same(messages, ['error', 'warn']); assert.end(); } ); } ); t.test( 'tmp-tests-debugs.log should contain only trace and debug logs', (assert) => { fs.readFile( `${__dirname}/logLevelFilter-debugs.log`, 'utf8', (err, contents) => { const messages = contents.trim().split(EOL); assert.same(messages, ['debug', 'debug', 'trace']); assert.end(); } ); } ); t.end(); }, 500); }); batch.end(); });
-1
log4js-node/log4js-node
1,274
Replace validate-commit-msg, fix husky config, and remove codecov
3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
ZachHaber
2022-06-23T22:41:38Z
2022-07-06T09:29:23Z
1ca79dad4018b22c519699972ef3e3a67130c7e2
2af3bb6e2ddcb615fb61b09d3b7e68081dde3883
Replace validate-commit-msg, fix husky config, and remove codecov. 3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
./docs/webpack.md
# Working with webpack Log4js uses dynamic require for loading appenders. Webpack doesn't know at build time which appender will be used at runtime so a small workaround is necessary. ``` const stdout = require('log4js/lib/appenders/stdout'); import * as Configuration from 'log4js/lib/configuration'; Configuration.prototype.loadAppenderModule = function(type) { return stdout; }; ```
# Working with webpack Log4js uses dynamic require for loading appenders. Webpack doesn't know at build time which appender will be used at runtime so a small workaround is necessary. ``` const stdout = require('log4js/lib/appenders/stdout'); import * as Configuration from 'log4js/lib/configuration'; Configuration.prototype.loadAppenderModule = function(type) { return stdout; }; ```
-1
log4js-node/log4js-node
1,274
Replace validate-commit-msg, fix husky config, and remove codecov
3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
ZachHaber
2022-06-23T22:41:38Z
2022-07-06T09:29:23Z
1ca79dad4018b22c519699972ef3e3a67130c7e2
2af3bb6e2ddcb615fb61b09d3b7e68081dde3883
Replace validate-commit-msg, fix husky config, and remove codecov. 3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
./.git/hooks/pre-receive.sample
#!/bin/sh # # An example hook script to make use of push options. # The example simply echoes all push options that start with 'echoback=' # and rejects all pushes when the "reject" push option is used. # # To enable this hook, rename this file to "pre-receive". if test -n "$GIT_PUSH_OPTION_COUNT" then i=0 while test "$i" -lt "$GIT_PUSH_OPTION_COUNT" do eval "value=\$GIT_PUSH_OPTION_$i" case "$value" in echoback=*) echo "echo from the pre-receive-hook: ${value#*=}" >&2 ;; reject) exit 1 esac i=$((i + 1)) done fi
#!/bin/sh # # An example hook script to make use of push options. # The example simply echoes all push options that start with 'echoback=' # and rejects all pushes when the "reject" push option is used. # # To enable this hook, rename this file to "pre-receive". if test -n "$GIT_PUSH_OPTION_COUNT" then i=0 while test "$i" -lt "$GIT_PUSH_OPTION_COUNT" do eval "value=\$GIT_PUSH_OPTION_$i" case "$value" in echoback=*) echo "echo from the pre-receive-hook: ${value#*=}" >&2 ;; reject) exit 1 esac i=$((i + 1)) done fi
-1
log4js-node/log4js-node
1,274
Replace validate-commit-msg, fix husky config, and remove codecov
3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
ZachHaber
2022-06-23T22:41:38Z
2022-07-06T09:29:23Z
1ca79dad4018b22c519699972ef3e3a67130c7e2
2af3bb6e2ddcb615fb61b09d3b7e68081dde3883
Replace validate-commit-msg, fix husky config, and remove codecov. 3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
./test/tap/passenger-test.js
const { test } = require('tap'); const sandbox = require('@log4js-node/sandboxed-module'); // passenger provides a non-functional cluster module, // but it does not implement the event emitter functions const passengerCluster = { disconnect() { return false; }, fork() { return false; }, setupMaster() { return false; }, isWorker: true, isMaster: false, schedulingPolicy: false, settings: false, worker: false, workers: false, }; const vcr = require('../../lib/appenders/recording'); const log4js = sandbox.require('../../lib/log4js', { requires: { cluster: passengerCluster, './appenders/recording': vcr, }, }); test('When running in Passenger', (batch) => { batch.test('it should still log', (t) => { log4js.configure({ appenders: { vcr: { type: 'recording' }, }, categories: { default: { appenders: ['vcr'], level: 'info' }, }, disableClustering: true, }); log4js.getLogger().info('This should still work'); const events = vcr.replay(); t.equal(events.length, 1); t.equal(events[0].data[0], 'This should still work'); t.end(); }); batch.end(); });
const { test } = require('tap'); const sandbox = require('@log4js-node/sandboxed-module'); // passenger provides a non-functional cluster module, // but it does not implement the event emitter functions const passengerCluster = { disconnect() { return false; }, fork() { return false; }, setupMaster() { return false; }, isWorker: true, isMaster: false, schedulingPolicy: false, settings: false, worker: false, workers: false, }; const vcr = require('../../lib/appenders/recording'); const log4js = sandbox.require('../../lib/log4js', { requires: { cluster: passengerCluster, './appenders/recording': vcr, }, }); test('When running in Passenger', (batch) => { batch.test('it should still log', (t) => { log4js.configure({ appenders: { vcr: { type: 'recording' }, }, categories: { default: { appenders: ['vcr'], level: 'info' }, }, disableClustering: true, }); log4js.getLogger().info('This should still work'); const events = vcr.replay(); t.equal(events.length, 1); t.equal(events[0].data[0], 'This should still work'); t.end(); }); batch.end(); });
-1
log4js-node/log4js-node
1,274
Replace validate-commit-msg, fix husky config, and remove codecov
3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
ZachHaber
2022-06-23T22:41:38Z
2022-07-06T09:29:23Z
1ca79dad4018b22c519699972ef3e3a67130c7e2
2af3bb6e2ddcb615fb61b09d3b7e68081dde3883
Replace validate-commit-msg, fix husky config, and remove codecov. 3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
./.git/objects/pack/pack-370287bd5d520f9301f5610a2aca3557bdbb675e.idx
tOc!O~6g*Ry.Wz;_?l 3e :d7l  4 ]  B i  = `  & W z  * W CqJq@b 3`)Uv0^-W+J9\~ 8b 0W!An-Rz$Fr5Y{1`Cg=a  + S !!K!f!!!"")"P"}"""##?#`###$$:$\$$$$%.%f%%%&&4&g&&&'':'_'''(()(M(y((()+)N)x)b:C =.L\q&Ne9~)Y=6VAbԛ EV %nc!My=x[W%t R39`2{d)i>ϭdSD ~̯'pJ BmS>žkCʕ`-cx}=ԱL〹QeR %ذK#p+ mY<1"Քނ8ɖeo5YYq0^*E7ozs2 N+;TXqNgoT*M\5fx ǚI*x7 S5}Bبn@ {eRD-iUk *+O焴Cm)|g@ՍT*?dxF*5JN[nfw@gCFzew>HZ뛄fkrG-8#eZ/b6yB5NA/;D9KA"Bq9fڠ#AQznM^~#bBb@;1E=aYKk:n)_G,Wk \$*`Z.PͼWYXrP萅)၁vkgu&S*j=7^fs% -m/ /%. i M6RLӱ=k +jP)TAOYz }לD)ems7S*+ ^i" t޺]-L$P{ 2!P4hW^9EW[ښ95;g,nޠ2b(mьv6V$Fh M7ZJՂXN?8%as (m̤"Ώ$?Ӊ+]9EC>{ d;)'DF]t~(x7^Sr,}Z;O|#b(TL^&">QGTO?e:oR>:aX'Myig"U]ŧāku<?,/b-o/0r-ϑf~΄jւ3VZ7G{g"vgNWD5eu_g]NT"THѥmz՞+ ?'hшLz-{n]*}<BK{9o+Ѿ#Vv\~v|䓀ab{lymgb2ܖ5>ܝ?Gn:Z6[ߢsI:osE.X~PCûС)nBÂeMO:0i~x:Gb☢ޘ8ߜ(HJ+MhĎjrM$ZIwQQ yE66OsglOt|GuA&(\{Ms;ksrM`ec懘`HArmޢpE"wR?f^gzgDMAyg@PB% igDPȰĭlYNnY~73RTezɃJ8!6M&;774CU'q0#). 4+DN/zq҄}0DegNV3up9i_tÊf.B_ӵ{/㮏GWE]BT-~Lad6h8_1P7IH.27Gd} p WwA3&^TA:X<;ݍW7bZ+1bQs7-d chrxGUheG @籯 hFiv=w7UuDaUp%gPvDR^7TEw .l%gQHǼo15Yr˚HΎm)YHѝ2$0d ʨS5O2^>zv0``$1`pLEg6+$Eu.ǭ8-E}<pCb?t 5X?`x)*(W[ YWsK.yus"F%Y -*ǸrQlȥKFUuȢvoS*p.YQ>=.u<Fx]3,_ќ"yɤq}cW;[s-kکCrBeRݬ}VfrK+.?qkxN;)()H1Tc|Yn@wgKh_KhҚ4B8H #|lXl;6c Dr3hm8PM)/*2&ѕ[h94,^ NβU, RW$m9R vDQ-Q<L)MʴW S%(9ߔw#+t3~TO`k *5.}u{I>R۟R[V@BMe<VR׾t~HMcE~ Z%L!#PMVW c7AU׳WS!AnoQIa!4dE2#[*CbkSγ'=Pi FX9|bAUmiˠ"isB4/{xS4*3[:(G~]fY_`Ӈs>ղ;G{JaMJVKKn;:g9త$ڄfd UZALBUOh 8=,"? w Ev%%c;~Sq|چ<5r1CCic5&Tckwmp:peD+m6:7e-'/:)h\6B_}{jRLF$+ 7y@61u^T?ĐeC2K5Qbt@(6L/h FZ M=/y%*#\3 n `T+[ ؜1I;N\GX# .(n¨-܇ Cwx6|Q(h_ ]l^>v31J/.m#Di RZ(3*\vn, pH8JL Ɓŷ _.=Xnղuja4>]Œ\WY\j7@@OK6e i_/d.L=f /e9`7Mmo'Y)=ɟo5J=_O"fޓވ$ZsVQ֐Zlܵ%Vtf{<ƙɶCWzpкrlD0݂3-z%NXB{nMRlZ{'5<e?RrX|R[ +0oROaٓ6\Ai i:oۓ(TeDbw|CWbfj<ҩDG؈pG d\=#WtHm؞15vmzwk8ܑF"X};}5ՍX5c?a0PW8vvElҏ9-*Bo/ENv/%Ǜ I3K2D&LXB9l1 ,mwmuG:rlCF37/n-љ#dT},N gM`J`qC%V*`UxVd6m-INS%ÅT}+A\ũy߲"B>> p1ggwC L#hz/c!2$1U\1#eIx*4 B†Ogy#ڥ-B=o 7\N.kl"51-mFMV ]h@JDlBFW7"LW\}^79za)B=CNPDI2"udt9rp:~HK L{g'B?5J*r>: r. $"ۥpEbH # :# _fJ|5bR0^w0N9l a5k 8ʆJE[!z^ysGqj6~/"۔W] cAlnd!8zn3y)_xFd B50 ĉ#*i+D4.S'V?TitUV@O`r/XW9}Xq;ɉ4ueu3yG&~qm4/smvh$5 G]XxvU i_(ٗ5>zNGTd0b]H0Y7/#LѾ<?R dZTRv{(vh[M";l EL!t?5\l˙ɲ觸O%-Hƈ8,իeߋv>1HΧHM*^5G.1 PPp>}4F j8aeUZmRے[y}lo$ULX0Ŝ DY+kD`ڎ#n}>@!΀Z]CdE jI#jF:Ւ8iSn-&UTtu?7 6Z{+f\D L."hA?-C;4T:ch . &r?Xm&! V= 5Jn'B6evwy[ϋ2rPjRqWJ#p0;= R~ ơi ;*'YV AXZ(sP.ދ\L _KazQ7fgN͵t (CSY<!j5FZq!%O.oR Fx99a4")a)W$V$ei2sb'ɪ?Rj&B1GP݋5UB<'S,b00d5\f1l(dfϳ-aHg4I#+ q0@j;5FXm>++MωqH,X; ;9:CR2~*jJ5|&iꊍ I L97 ^kUv: sAs߿66POW<YT!tOM]Rzb|i\5@̆>[SC{n S^auVF_skdʽefk𢿧)mK*p6B 6[cJ\=g _?h¼Hzm4֍Z('cWĜZ #z/T<{YŒ+ CNIB@Dg%bTL ks ײխl ›0k-Hr{H` q},uea[v#7V /kK,񃋆ۓFA v]wN{3|5jƬˌh  }e$"2оYTPݛcI3S\-8uD&^i(E 8%Ց}!ȡ1X.h.[ReXΗ@q!FwXE:K+VnuXAc#~p51 rB>+/bW<{igkһ3iO65݌|;8HH0O4ODDw-DA,~Y*|ם$*֩N?#@ZMTb Xp'CE<BFITVGM>zSkMdAytSC8&0p#0DlvW֋A91` ,;֨ 32I`2S|3RF #X?3R͜K.P)Bax8*PO5Z7T@8޵c9 &9N~6~b[ ZL'MJI;yWCK1f42\AFWЀ!]k5lv.ZYAsܜk2(Yb U: AcR'%|\ d<)li:-i'1jsrk+˹qu`#h2(qJ4'\<w:ȳW:E?ZN̈:13YmI_jp6s.;1ɴ~k er2LL7QlېPH!ܤ^m="Y(C #%N';!w@RJb y qH cc) p\^V2|gkA./%Q<=E )ppx*_mw8hk loUa &Reèˆ N<P6A_ӂpHٹ+X܇ V2.CjGGq*_㰻 Tx] gP Vl7 H\볠Ù9<Vx i@uPń+fYLr ƈqWa}a-z%2۶C4Y3hDg_Z O"bL{"zyNגlq 0sQ)]Jr B2 y|+;'wD=1KWP/ q?E |0Ո0md ]1['Ӛk%lJE3"99L 4t<!+H JAfGZ5lQFaތ q@N,Bgx˘C [wt~eDyQ1HJͼT4F&N[|[Dwޱ7h[XVCc#CurZFx!c"_<AvC HPm\K9[d?|qF_QјᐍI)vE#@dJɵ>S9)[vҧI(i" K'q|4H{L6Io] YY7P?O;RH]%sOA"&rJfdb^htV)+vPQ&n72~ C_uTHWPZA$ h6"~2g9|3 hEs JȟODdڨc0P-~-"1Y87P_P= yK52zgA>)º b6IY .=-i P˚*if<-q 3Zb&I !msu L"q )p̠VpA7 ? .(~0XU 3mJҊ+D8'<8 4v)$`~!'z 6/esyojpMXi$ >4f4<B5Z1ew* ?i22b07Sf CӺܵi Š9 ^+ߓi HmҞ bJ ::f} hp2o nDa#Mr7 nZ 9r̃8 sGZ 1F }# sثB*te=6' wȷqC kˣ zA "|Jם'n@ {CE; #cc睝 }lЩegE1 m|+ ( q _R'Q8O% vDun w 7 hϡib1gciMZ puY[Xui \?bL9`$Bޱ_ n=x6S70 .zNmג6` v%EXE%P_]gм~  AGrQ p0f, -c@ǐ$_ īwk+]ű^TȡV +5EGzsf pܽ(fZ@ ;՝J {)մ Pe H ;\: . 9nyPS lIMaMD *l-U!<  BHrd&i 0uSԝ]C? ճ1l1M_ cj[|I/"Xq ׳$%G,e3 vUpr!lvY L+|jԹ(: "1b8 ?uj9B ZHhKE+<t_{ yJIUtL l /G.i`~ /=W,BsT 0 F"Giۘ g"-InB }`1&*V AEԽ!8,5 4 T{(u;:qU)]} "1U3Yd7Ϩ *liijU}U . '/$` FQ% 3eۜ<L/Td B.WI(A6 H>[RTrU= wk45 Uh%s <ƒxg(S YIa^ [9?Li6LZ!9` ]^ 7pRJ ^K)_bb aɇ ^8( bTZs. 0 c,>:Pr gb/;pGGmYO o䔚(^c:,' sD{PxX9 t'p-`^] t:B9$l# yvU*BQHa zBi)R;1 |vDa $Gxޏ 9H^~&ZTO ^O2<| .#R.rUN Xh k}NEw `"JJ|L[n m1<WȀ$L v18'!b_ 9C>϶ylO wu&u0 iS~fZM>"2 BV3b z|XSc_ܹf2? l7ԕ$OwZ 5wjHA5/j[ `8;RQklPMX )mk;.#⑆ W#Q 쒡4 tJ3Vp| &jarOhXȡm ɇ$wdFז.Ac. db>vfS-3ato t>d2{,4OIS 8#E1-0x<a =FxXȏ ' pE(+fw '!y~-e7 .$TKyyy ̯hhqXa;{ }hhШ>CKC_T 9"C0ܢ;A& `*ɗr7 i>NKD]D Ò/;(ɲŪ Un q2 aO7vte/5 ( ~zr^a N* vĬAX/% vc`o(ry*e@ Q Ex VrA 2H3S1@G* 7#{pI@sP7 8L7YV`}'r{ 9dj\ӨqL =]U]Z,9F >GIh/* @,upiܤ5(/; AT&L-{D F"7n2`_kr Q2=W~92 R"su*7Z! B/ U<ޏo_mG_g W@yi㊹6Q[Z̋+/ pr|TXsXBJh rðd\ ZRröH ~r? E4 Zδ~@#{ 9(++hW ۣ{m =c!U3IbS I@adHL r~.A]f|[ ]fBk݋b b8vh|y>= oFs(qQjb +3ԾBZb F!ĝ,sp Lj 7%kUX^lXް 6\DHpQ-* UwCaf 5C<dKQV ojIA"3C Ҟg(Q=?Ɲ  -Y%<(p]jvF Ekә,tof( 圇&r, 潼> ڰqchV.;$( k cBfUF ]d:B8iZI]c ƀ|Mآ'IDHo| &׮a(0^v% Cij+ۥ  Ǫ{UI V7ck<S#G*fb &dΞx2l^ ( 7CQ(ZS +akr4rC'= 7>[Xw"|JP FzCGЉ; Krvr.YCnzF L4(YQDxB:B T8E:AXioX Y/iNz=[d@@ h7P:;?t5c n%M!<@Ԓ}k@ qQ\kcn,~\4l t}C/pv^,-zsacu wńD7߆ѷӠKU% 츥}+ ,pi<*ɠ$ 0ӷ`,bU Ii]REKFp ~ AYeS9Ld9 VnИߑl n߯Zݔ?3 p3{U]tM da/\{w0(̊ eR.60u Y}zOU NdoBѢc#? Lib A T\/^<GP ѫ7+L"3; Yx j=,UG ӂdY o{B !3D 7~̄se~X rӾh2ַ أ{ZR4! ɿ=9.8,Q U,}vhO !_  ߐ[Mj?Gt=):  ,>\>gIƃ j#!L yNOwlb L ~~Uf( &: ِ76ʤ,o\ "kh9!t~V "ZICf捒 " "rX+iY2Æ' ,eC"[ZZD > ."m5Wx/nR/ .62^:k 6ĸ4g'|! \H <<ӯ uV/1j AAw'8BmƍM3 GDO{<귌 HI*?xJ LRS6v9XTJY" Pʮ&,ܝ}d _;]9U ߓ% i_3oG!B! o,Ev9k;yD8 }`jh 3 i5 D ;vl$sZy E8|R;ղq_! #Q|}8yC8G /&jcX7)â"( ,/?Ez +\6a8 Lh&H <'z㥇PBci <"/Rּ:B\ Z󗲪j az1 I!67Zb vk~P`] Rk-+@~ -1(P $z2l ?K,{IhsDi?I )!)YB~Ӆ!3-,F8U]!)ǚ@iՄpgKjy!&[2JHKے]sr?R%6V5iQʨvLvn))E.UJk_qzZ,RvLjR4{m!@|m sesSILCĶQyDxJ+ шTzIG<L07&.K(gG¦}6`L1S! ]=6LDO;Ĉ۹U0H6rTUgV*um<_8=n9}3,X4 e؃ c]aB[b>aY`cCVl\^BEc iLq]g(Nh{mIkYUٳOe7=v$c5$ 26TC \5E~җ  V9뫊^ 5[bw.q~sdUʽ &Z0sa# +0epJT߹AU([nxM8֊Ճ0KYM<kū1shnU̠hEZUrIБt|Glĩѡ7֯-З+L盿d߆eګjeKدT9evbo8Mں+ 16n*U”e|' M_]cblro ;b \d ɱ]}EXfeRa|QelnQ &C@fd$ r, t9Hnno`nFϽ 7R=!b_'sА?Ů'tݲQ͍U*@qLPM`!6Ka9v4ӷǕ_RJ;@ٌlIy;,'trWQGkEvݰYrwSog+,nߕ?t+X>s09u+kXzE sMx;wZ $*Qq_C-*XJA8⽈q< Nǀ ! xLS:ΏA8b$ERUMH~m.  ;%(tl1%J~$QSԚoyn Q5DOP0ؼtK@t?;Twr̻1ŽsGSCzFl#\$@V xjjnf«8]8տ 59M@HƤHn!xU+KbS6˹Zf/.t-ɠ  ϺCHT3Ҿ9™ yIlAMV9]ZiA{% g钭iZ:a\P4G]d{fZݴ%-svq9E'S(a @Z*HWrVMM,HCɱTVyhβY "+g^_&ӕaUs(ܿMEO]TjA_`ViFk!+_}tZvz@SccEʃAqY4T a8{{w.t~QAE)k(!)x(: 9f}-6r}*qdPf]͏ 48`$Rov Ò &Ν2Hs=aq͟(;זN!aV+" ,xowH3_L΅l=tsR. 3Oe=iSX+ks=;gO>!X{L}>"% +q[]vL zcߝmM'G}wD~DBr__. N}vsrf'boKfT?!ќRF`dV8(%O* 0^e H#›v&^rQzjusơwY;\bi:qO]T<0?8M8ԑH~3FW^f[H:js7Ql<07<@;1O1o1.llMPY[email protected]~@aÞ>W:<1hoQUwuY]hk_MvbF{ s՜LJj~/vf߫rEkKmYW2VEnC:e'D婇;oI>o`0:Z|6 7qfGO;O"kn+`E c#S#;ə{ U@OեP G%$jHˈq@ՉQ~>W$#Ȟ&+YM'm/4iE\Ϙ(>&0i%"ҴIn8sѳRDlHbA 7Rq6s+{(5Ab`D5U~ ݗj\MH4Q|UMeP}52shJ}"T(h#grzepZ凅jt-M\?PΒ4P;Q$Q~I;\8 s"ƌmE KUr5M1<=_2'Zvnq?]YJ :Ne?X<f e`&YwBRFbσp5ܡQGi L?q"FUAT`CSY'5Cx}՚$mg9.ժʢQŀkg?/QT #63ճ_ 4=8Np*|07C,:4rUK D WPjLxq0Fl)Y;k4(L[V^b Q_E#>od1XWck-zdp>aƒC K<rwt;U !ٝMu1!tOfUp?vguN čAxGu MO2L5G&RHn_ *UVbژ?7 eN )`&3,VQ%h1nnO،<⊀(K"[ ^)s`~s sO'`e+ݩ4NѢ-~j\.9|v{$:@BFI}J#άq58|i@C1ȗ}%C׭k|g1b(-]gsMD:498\Aɬ٫=@Q^IρOHc\x3⛦[_ pU<Gc)>v ry5qF)\qE/%|p:*c r^S􉔾3zY"lפJYMcF$-;B(]1u=(zYF>P&*#3{ɫHz'.!)C"^x/B 1Ho7@x(;\!vh\F300ʹ@.UgLxoCnr0f(eH4t89AwuJt'sn$Kx2!HƲ)LؔZf (kwl\ ?5P*`XM#_I,!S]/YHgl oE}vrE2Dn(lV/9bbFo%^7WkkFG!΅]f?dF/#7$ T 4R`\vӌmjǦdMC.)Δ,ÕDPqlUҫSv]mnC*G)¶4墕m'c̈\zRܚ⭜_.fr_ݕ`re눫:ZymwxH)wT rѷ+}~Ͽ#flF`fHNQŧ/⡆TQYw٤K:&֌/ս]_e $«N#>%j[<_|AZn+RXW [=bGDmW-^@O1K(m g(t~  Bu7Țw7g*/ 59]F!U Kf =ӶaBkx&qnl'D=R$恑)cYY1Q>krA;0 ?4ڣRVh'> H@ <1U w㔉KL%yhaPu?֘7r\iP[#߲E/K)QT&4drlomWl U:Uvw'k)Xq"Ah#2=j{F^15<Eub@`^.&wX5M``n(; q#Iևe G[.1gh (nSnkpg(}isdG,?d]}G}wNwj-gJ| ~QA?Hs'"5޲ou>0慽jXiw%dYgą2q U:UV1Wt)"?D1\ ! Ea}] o֚(lG^ES\<d79a!5 mD2KF 2cDp~jk ,_S3^D; ʥlgO4spJ ^ %5B>]İ1 pSEXz\t 2+rlB+UrsYVW hSc|hD5m}% ﳟ8D"0C} S7c# +k=8J&[&/n.Th$JVe8]mD<3j[DB!~8t}iSns+P;A PVb=b>Ŧm.@}$,'V*>7OS _%bߛG_\4ƧrA+{7HbNèmsTSPZ A2Vꑲ%pWw(t;*Oe"n V<|/1!oPU^" V6y{y 5&obtDv\X{emWwW-܇ߤfY*Vs-j0(h}j>/ڸ~)2dĩ[nC!Βw'~*a%MvlNnju@"pXnL/ڳwMMceYYI!KMBJKoU2թս嵊cEϲ,Yxt?O2 Fm@N[N- 1u̴8=SyGN\Zr93iN E5dU{l?F/ |m4 v yJi%g Bm](Jތ C@a2w޿MH!xȄR\:mKU8ø;_b9TN׋b`ɕׯvL ™XθRzoc,TP9e1}*<'qV-qO;/4X<RN]g %X۹r7mi8de"ށ pmW6NaT+Dlv4 =Rw! fY*yi811) {_LGwbC@|FrE >D#q}O2_6Q>Uz/fP mV<g*qvMJfdzmF̭1ϻ~+{?`:l_"WEGZzLCA\ҦF!q&ĞE wՑbc:^E [Y@M & $ G[ At̂j9>n>@ti-r[Z(^fהYاY-< ٓqnW0,gnldɇ~BOAYvr5F'}X.c3;S*zЮg)z]oGoU&.‚z :Wr. j IMɪa#&aґS ң)&*d*zЋ.ol|؂6!S"\clP=yrEyS,Ąa(=sO!K񹶐;Ҍ/jxX)8ސtP+#!?*܄EW?oUu2'osl&Y ԡ3./֚ kB;p6~Ꞃ3t <z7HzH{#==+IxS1\@*e>,ܴM}0G[ߕnjeL U#LbHI2Viv/<O4mʌv&LFR5tC~O0ghiTJQWa!hV_ZX?l[J`<ӞHj 偰#b>&V mPk.N\<F2gwm Ij L6jJjm^RӯN[kg!o"R#l`#y4kmwnv[69V0"(a;B5J9 B0i Xr7K͚'dr 4;KN L_,ܬ 3Ο<9X/Ƃ]9KNRC4$~tHyl`3dC+u!u@}*Mh Q+P˩a &r9ƚjak_ԕIRh|lA$1S^tYabK@f4]<eӖ>{-Z3UqoLief"3TIgB  俻_%dƥ␺ChHзiP<xx4p\uA$ %:0xYuv}j -K%^[9 /c{8@m4FlˮHltf]I a&+/X lEzT!bSeK|#-Eh p|pj%ab I!bW:H_8!!7I",#Voq^|1:LHEo|L@?Gk}JH?N^ 9]]LOO~ٗ4BO:M<W*ẟW^˖9O}eKlyFOdoelVVySd{BmD>L M6mSfVV^yֵfň/eh~'E]%@:)(\s^(zj 1LI\f S0kd`7FR:arsxg0@-!*LjpZDd*]Z/DŽK*lBݎ':ɉG˷Ǫ%*»HɲαF <"*qq8J@xhGm]s)Uy)RbXWGy)gJ6Jޓ9D\סa&{}yXSWGj߁tNowB#1oU=ZJ!|4Vv 82L^q?c`;&|] ]^NPqSaX'h7+Xc/&;>Am@ܺ ķ+0:^ L%`<ksuGI%W$ga(Lp2E l5@Z7zط/9V\,g{Eu<#H`n"7=IMѳrI &IoSbʷBXOڪV]</TBDh_4>h oKE $!_i=bהꄸS9jS襜ɇaJ?ؖ1rt3=+ ,1>w5Tޖ1u@o8G HvDƚS _0/pm,l>KxpfnC~r8<.9Xc3x}.&5լ<Je0D+0D[4m;eXV1p.N1I V'@,b%Pİ|m߰ZrVVo`ĵH%½ϟTou,8"rH})CG 112HVFËvxSuOPeOI_Vsީׯ|#+'BTnO.fHTnd|=R ԂAo喌|t1<@?&5@wq 2sRn]mKF+X.;%qMu*wLuOʀgMx;܉!3wEwP!rV9]嶐D d(>]V|;9`  ݀2eLފj\;F C#~ϼރ)9O\= 6ȳ\C6MN7VU,DHG5w)5P"eR)N ܺT,mWhSsUwBZ&!7AxɆ5ぞofY60<Roɓ7Apxk̎KXcoN y|*HOMXB.]8O:X̀V08SnTn4hRG24[2>(\ AU{9GEjέ90p_%$[fթqsca z_71aE=>x[T 툏zZ4=m}rg J=]c$e rݔF{r 4J?>ѼGy̖孹g63x˘>N%ȋD g(~3NӬ'0U,Yblk+2ϲM:oXׄHS۲ dJgyFcm686ӜU@PWCT8u q7k5f? R[@wqmoqo|j]|eAX<I4߭ GMs]1&~zWek7O(:nv$*aڑ Dy*TNɣ U& gbJb*`[sq o(/$BAl>-.z,.p9M#ʍ[ (2$ Xdk14W6E&TRiv28JXYa%B}Ta u1Df`M$2Q+UpTg9Ũ[:6 zQX/=yXzO:Y~qa @?jm:ZY"5)p+)c_$"^{@NGl{y=Rfɑ ؂67fw'/]wǝI:dJS!Џ U<NMzr njF36ǃ]7k_07YfXO{ N+b {C :47A&BVaԗzu^|qx-W!e }cNpBUjG|NJպpjVpg78@Rt4tg5vZ]yd6r@{Ծ : 8"g]iBc2<&X0Ww^^δ⏕QFo劰JcF#>Cssù EB)zw.EL_ ,gr,{>s8D=ĦLwi#rݽh;E_e|'Z8wZvOA M T{*7BPSmY_-hT<l7h.XuRb9Y>mAm^Y\~yȂ Ԓ`I0$* i&K_' Ֆ`n|:t ]Nɶ),EbgrVA)Β *YgoP :ΪWVf#Ch|wWA=C(Fl3!X:!@7tz8 gOJnš\t|{ΐ-e1Yv$5Xlw}3 K?ow}.~]*$_L6+fCXg#wtR`<nXSo@;M0 E/=FYB, ɚ (T`C.+FCy! d$#Hb9Mr%ҖėcnZ[O,:{ɰ7Ƶ{g$\K{WpǑ5}7hPu{7\#`0Q:YDp]zJ*gsT'Z7!Iϩ铲s4<FeW+~צ@s8?@nç*Y߫i̝VC@{k XP C ۶:1⎯b ]A `LXr萠a,-h_W0a#O Ǟ기ؓt׍zS~+f ] ""9I-G`Y ϟ&l&OcZ^<߅lX]::{y;'C;__%<\ 'K5;$Hm xJ-'!̶r~Ưʃʉ1a@#"08* ى PSTO2u7I!ڈj K6aKC0qn_(d< ɲTCADmKU/<pe??rO FGEz|HK[#BH16}HDoKq1Z$`47YzJ"_G  czOY41/ hf>y*0;Ew^EnfH8шI'Xvv6gRf2)^2oڣRЊ ?h\pmfuK)gqrш/3y-RRsz\~yFr8j;Gr@ys5|X\x|#{ Qx޷Xp,ߜ?I0Dd!9Q $0 s,f@,Q.q0(:wf:P͡IXt~XW,uy߲81Nȋ#FzjЎ|=h] ꍀ 0^7|/$}+!I$f 0#CDM* 8EBG[n#ɛ!Kٗ2* OOXB2d`Ws6"2/J =LRw[e7Ĉ.,r\&Br&gJ%Tώ*<^?MFhALVy<IZo:$|4"">/XYN?1̉SBYH_~-)K\3^b /cA4U^NԐy)wҐS/։sYvV-8yfѽ&%a'& +70,D h.,I:W^)Q$OץW1mb-ŵ(čSg?n5/4 ww7"s@40eޮ1J-Va:[cE1<hdFLz<^ |qό&8ùLcF=rc)5e[P*5/ܻWQ5FKƮŧXaffH(XlcU ꡔޜ4r[~SFv+X@<.b]p96\t?H%&fJ[dV"Bl :&gZ*Vjy7t\qr BHx(o)uz<V㍠zIv3/?~&x ryNQp(W~r4B =1l0z-M{s`N.m8"/|JKF.YZ*wz;M&̻U3.(Ѧf]އe5/j1(#`Xͳ=H=`3ToHV7Ugq6$}Un3WOpX+6xLd*:SWIKMbm"R_yRX>hE ݾmX5Y}Y8X5vjeHh2b̀ IYy ,P }Τ>COˬYT[shweJ$<N vCKa bɛ-NWTL& ^WK6;+= gn[HkȓuӒ$9I itFje0xk$Yg 8#$Krf϶Ecw hX1xqH+& ؁m |\ۑ/#/x;GWgo/Ndgsq3qٖNzU9Ugݝܕ@rFZke%I5h4Jt>Nv]RYobICY*Zf: ܳ#Pb>gR]4¢:$DJhNTf;qZlEiW2 @Zrmڭ!179cr3Ey_z0i!fȅm[ߪI}7֝|t/Vcuu} =ݠ>3Bln ZdR\6iEm'aٜq1s@c<D%uW %Jk~ز86&ڃ;!; @_Hh,Ϋ{iFVa0t৓IXe igHyp@P0WPUgR"N%f[?kw9pɝT/ćZ ~.fǍ؞1US0NA~ʭ(zy4' ?Y4?L8NsQkyy&̐fN)-(afٹ0+G63Ua[VD] bcn~N>hNǯ)4$"]`/Uw:qȏ37ŞyVLP_Ճt$mJ%jeGLȄ}վt5@Xo*NC ׿ؽGy݄fi[ kn<s)mztfEn.1́V07'B|X>7@1rN VM*p<{=}Qk˻֣>/u/[!Uۡk!F$½#76Mei҉leP(|pFa9Yc5l~CRg<}t>A4]:ݝfןp?)˲RDmzbE893tK{jY&QIq]rA dۅLtIu:C/s՘;\KrmP_w:J8}PAmq' eQX9*[1JJ*~i 'JJhɳ_tBY|`%?fH. E/ZfȘ`C7[8M @,!BK sc@ 6]YE4vgB,$jeb)+Hs: sb ČflUÎAgdI{S0 //gHnr>h72iAF#t(kgù&. +hhl4={Hdw묌..B iuzL*JA]?ʘ@9Hj?ʤqUKM9w"nC͙x>AΙ5+}aaeO4&R(޻)Ŀ> ջ<p%P*{~A!s]ԣBĉR.Qm f}f`ַV$0LiH@C77b,Žp\6~gnwzomGA˜ͅQ}$h )g*f/RJ' y j;q퍁 4Ieuxkl #`JfTlQ4NrSC+ % rǟ}4! & *;w2 j-sV]I +>:\0  t -Yҽw,cĪt 6j6KR}o 9ںm f[G+ >v'2x?S\ @6Le53x]y6 U_r_6mY;9>? ZN#Y~\W= `~js\3/Qٽ_( c430W l d I߭\Q`v<` e&QPw?y kr؞P#<R|oPH pPrTIʥ(uv plEF`!֨kĂ*VҐz rsꂜ?WupDS> s4(nP.yWR _ w) Xmɶ*= 봐]8R V{+]\cK]! :ፁ9;̧Ӛd $7^az"8I q?mՓg1,~t0 iN*cgf '1\,U #4t~pJ\W ҃j[ƎdX _jڷ2^SS >hy]e nmz+OO T얊{{Շ8*? /(đh*tĐ Ψ~aց]S? E< 1cL.'l'꯮ +PHDs?uy χ]ZFWd= Ѷح~,HX3 #di=ʌG u%ߛh 5[NC:!rN!Rd̈ ! |688JHOp:!'B9WwK!#!(1"aR"#Sp!7Zըcg#ͥ&*!8h,7? NS9!;,o!;e!Zr=%Ԋ;0"'u!\sm.5޺?m}uR#!`5$;3ƀ/DD!b<yG JJ z^!buW5On !c!a%Lwˈ?!i7c}ҿok4H!z/ O/$]#\!;佽rF3g !q֡w=b*?B~! i2~etfr3!XUIr$8l!άx s V!$.!3 S=",߻ԥ!M}`I꺷SV!lE=Cc;i!u+ d\kj5 !ˢt&(!4R(LV~a!Ү}ۇce!y2%(,z  !檂a1(>m!"RmA?Kkc/!&JL\EKKU"$2h f[ƴ@l;"7,&FX"_(F|:x3!\"qHLnE]jla"E,,0 C.B"badsׯؑ 7"%ls">O6X$l" @*k{(}T}"$y*]LhH-K( "&qH3{uNh"-Z̓ߦ#lY$\p"/mP?H-S":X1#"FzT fP>U"LEVUiBYz"a}@oJ&z2"bYi=_Jƾ*Ɔ"hv{؟{x"q-,RSKqЫ"w8NN:{q"yr8z?l9k&"zZ"fRm+ghVԓ~"l<˛gʷLz"7<SǍc^zgؐL"f&Ɠq 6z̈ "א [tTQ҂ " OIES}Y"= v.W(Q]%^"(H> <&l\`"X#F83v"FMը"vȇk Rk%ݣGD"=Ў_ga~"VX/Vv*.2Aw"Vۭ k[Xc"9 /~\0 Ƒ"$ljZPqS|t"ȂhPW_n;z;{"c3VåI|G"׸VʑrG6]&"?]1E!v<"b&}m6r4- "|p3R"ꕃiI.BcDuCs*"(gLaR`|n%#zqDqpE!8^#o%g8jԃ>&#-q*:n>#"ߠQ^ygjW@#/'ǣ0K$s#2;ՊDzBt##3Fh* 8}Ԍ#9xMR"Ӥ3.0:#SbzpP$w-#VVߍ#mܜc /I#X:^tB;pjń;z#[nliD`#ktANJ,bH=MT6#mDŹHKG2T#pUBSay#u8ǧT4* ܋#|G!w8)#~';΀{]=#~h#AɮH7k%d#W%T#7:H/5^rkF#um|#.eKh#H%gȈ?#uqҘ!#C\XhsQ]@fE#@\zL=2w;#بJV4~Ǹ#~7AT*3,v#ȘinKۻҿG(-Ƹ#oo)Q(RzB#4aBIaja; <#aa\xj[y6#thpĤ4{<#/ -N`?ʑ)@W#߄GNq"lX #݈9FJew$Ӣ2pWcx1eV[$ ԊgdiyǦ $ص9(ȔxPɑc$dyOЇoRο$jQa n$G%$&"ϥU74$&+"n>D|ycb$(*5$3oNxRi$)q6z2E$*eTSR@ָҽ $.o:ZcnPϭ@8$5+,9'}CZ$Cmهw}J^R$G.J56F0&r$[.;1`nE$[b\+`Ǝ$e6ջGn_ $h7e9 Ld>{AF&$m?_b6 a$bck@ƸZy$ԯ 9>u8cU$(X*Givq֌v$7=/_cLZ$zq$& } ,- *:$I&9hX;T$ʨIfI\Y#,Qv$ uk V$,J&WH ܿ)*%$W5纳4U8$?DLEδ`!$FQC9:Amt$@2Auc%nږ$ u`cBwa $f;lӪb6g\!i$R|l ⭚@PZ$ -ת$Gi-$d.fj,ac$鬂3E'+"l $J}ì Mq싐$,>0vHJ +$gvO4um%;2)w"r%xB1<7%c <GO%6!mguGY0e}%/]fr"%!gIn~_æ'a$%#z@0qQs{%$GC%.L-¿Y8dC%<8<ؼT [Muta%?njo@g}J%E>cѶ=1bch,%Tm ~vH%Uc9McvCӜl?%\~9z_b흁%j`rj/])8%l(JJYf0?%uy[m%I9gIG%v d$ !DZO%~ ~]z?":PX%3?Y#()g%=t% pRC^%WGG%02 %y8vijK(Y'%)&c]@Tg%Y*(aye..r% LV=@#%>E{޽`Cw %s'>MZPc %_,1YBpH(ɺvu%-+9~wܹFk%IUtT5gRB%zـ נ([f>%C>Gtsv,q%TD]p ?MzřD%ψOڥ%s TrT%V\ r~.%`--LKꨨE%^rk~Pϲ>%:vQF@%/,N*FƉ3"%BxK>TE/% ~ n[Edb%U!7ǁO!8q%3QBi[?=W\H%p6 0PGyJ%;![E'M%K[Y4kL)Z%H@G>$6f1%wU0 f %|v&uW1F $Fؽ&Ulj[q `&k0=Ĥǐi`&w&#aeh0V& FRD/O&Q( :5Rʂ&]_ڥˑrݴZ i&sk~-]SI&#c@43c @]2A&'u.`-¿2&(hR7/q1|r[&2M1 qy1BDŽ&4{ķW{\ 5 &7ӒuC$GUuE&9pfZU0E0]&;V7-mg^:@|I&=nI]EZ_+c&BȐp4rak&Q¯ ,'&T|y=ip R^&UjX%H8 T6j&`ab`tM q&j4Jyڢ.3/V&q=XAI!^T5{>&{h> ᮤl>۲&@P/&AVl>,ZX&?)7§BK!> 9&xf"_N*JDǣ &u%qNӚ}y$ &?jIb@my#&уlq8 o!T&шx<`* 㙁Qu&һR) uzs&ԯ6׀+ 9&-ѳ*n? A&bg}κWތDw&+oB^`& pBZ[&A.Mwx Y&7}lt׀&+ϵc~4Wib&ҋ&lv0r'xHb}#' <o"4E'3clW̗u9 ׋&K'|EFVye+'4": WOj'$+t:y>؛'$8m* '9 .Dh{fj=S%':hDN9(AL4'Ebc؞h[#'i:sJv='oǀϲVlɎlI2/Q'uŗ 6+(@T'1ɀ!;I H'<9/Y4yr2' ;UoJP'hc"MW'x̹v[Rs?MC'4ϼx$(|iiC '? O3Gߦi$8:!'Pvc?v'w0?Lse%'>'~Z 7<>Fi ݙoK'K||5s b o'V{<eue?@LOf#'Rg˹tɁj'{t [1&ms}'s V{?<.' \ib-nwv'jXu.Z܌'3%4IGM'N4l]*݂ף'a~y8O)@C( eˣz)5އw(! 1!tB?KSFŦ(#YxBBd<I(%C_>.rIr(,ǰѵo2m}cx"(5 KZ6 U(5<xifV iq& (6&!t7;h68(8o`Vح`(8{Mӓ(:@:d[%s%dL-'(=hd0:{u/(L%Ipe(PټڼyE((T -+Gۺ#(TpvyKWf;M(XԦV"TZhu]ݛ+(f~hJl4<}`-ô'(f |eq 4v(tPlxXedXĝR-r(|>6ghc6(?3!NLM-su( _ lX'D[O1(^obpInj?(QMS[*~F'2(%v<'~(Q -G^)>%(]w{ؑx9xq[(i|K,i ?~(F|z:vүupun(!X. D9(M  oM1(Yg }߳{W (T{cIW1Hbg v(Ą='/yMl85v"(̆ ­R 2 (ְw sRXCCVFqd(q#! 6 ۦ0(4:;Hhȼe(i2}C>(<H(ziM^qL}(r{y<<vQG2(0EpHzW+)/5ՃxX)Xu hBz)iAT1rwSZ>)lCae)ln)L|s{ꗆغW) 9qK-ɿ) )8@>+\IWtS) ,1Nlȁ*]%)"UxmOם ^q)'SlMzXR\)(W2Q R`-u))| nD)+%~!1'ƌ).;F̞2&2|\)6ۢʀQU)J?)9!dawi %yM)?h!jPq{} ”)B-Wo5=`*PnK)Dw=:/3Z5)H/8=FE )L8:^.e())N`\Bq,)p#؍ ʹnJL)wН<\_>%4q')D RKxLp8)Tyf`wpٜ)dFp9C7+7)mTdu)"'.3X\[v)M) ʦ){D .*ؼ)8&C~hkz+)g1re[) C%dౕTSe4)圣~ Bʨ ) btt/|*))!2Sw_Z)nkDZԪ+aψ)"0cPz=)v:C1@26)ӈ<B}|kҝ%)W#Tw# (`)A.+َdQ*Czʈ)攟ȕ-$&N^!)路q$,G@E^)~usb j5@OWP*S(v]K7SbD,؛*DblR[$K*?"^* 藄 7(zR*`b"|ִ,U1t>*.z/ݼ* 2⢳*9EѺ*$*ƦAW*sڌ>]˶|5*VYҾv0ɡ*0=TM=0Xv12F*#7m0O-n'Mf*(Cs &ƺ[Z*-f}J'r!x͂*/GzO_)^wi'*3m]qߞ6͕In*6Ơ39WK*6iZݸ6k*8`?jဩ*;$ &W*;U(d UɭqXGA*=7YC֜*=ec'¶wWI)(l*C<nz٤]+ *COha9Cqdjh*\u8=c_:*^|BI)}TG*ieU!x'G(3*woJC*lnGق(/*{g y)!剬*cbҨAoU8qjM* }>%BZ(3*V1~`-`* o.4*d>b.91t*$y ا1VKݮA*X(`ɁVdYֵ*72yEn߬ț_3a*ʞWdEHt><[*ʵE;b?]?*:=TΜAUT`4*Nd B}- L*n-ܶa;~h8*ڼ+/K:F*Z%٣nn֡b*U3g E)=cs*4pAl! 4+=p/`b6{+TIC4CGYT+㻴gLj-[+ c=& G:K+Tpyېo kڞK+ XUw++ #!m*>ܜeM+&> 8WWa#2sFr+ 8W19NUM¦l+/\TtL6fr+0n"ʨDnu+Rf}0m+B\+S.ᄆK؞eȯ)8+U` sa4w+[蒞j}jT~/Ϳ+_ g)NZw&+iܟx13-}3+jO}- V)G[ +z g~Ȥ'ƍcV+{P®7bP,v+{ URzcNP+gqfzY:|;aJ'ǩ+P24PHĒz7@+vO {ŒaU+<z{pܛJ z+!{r%\+8g+xC$L+G,$nUlt+xb5KX5KۿA4Ԝu+jM˵%#iGG+ɥH?W [75=j+*ƭ$ز܂agq+7kg/NR6ŀ+a4f'uv >E6+t<[2 M|>z[+u% jm"TV+r˯ӆ֜)6++\^8ǪאI+ςhJRuvPY+k%BVI3RI+6*Q<`sΪ+Tf=] eƝ˂P _Kc,eǀKWOFE,I-$ct,O˝"6.|4.fS, ,sa,.A]r .BC<K,3Ļbbk,;ͧƛM~|itc],B2ن8f7,F>(N}{(m,GÓu1` !G'Y>,OP`ook,YrϔӾuLk',Zh&MF FFt;s,[# 0Pex{RZ,]fQ@kƉ$6&7R,`ÞoZ_JP,`%uR&U<,cPvDwx1ϛo45,cb>11ƓY,t*B&ֽ9bGV,u" EvͰ>a= R,y^HeGp,{V;R~=1/V,| AkrGiR,}JR.,o 3M G5], O2R+l|d5:,k݈om"/-G,s+ۈFU*,3i&7(jp,QXҩ{^3,۱u]>,_!埢>#%z,~B`#y4,=geafee,׸{)n6lk1'ä,dS0WU? 49­, ~v Mo,r~{ag}0,'.a[)BWݠ,_s5V=mK ,lySnC`7B,K(EQa,FO4puyC,I#(p?[BESQ?<,I;`H l-ݖi(V#/Xb-m ƫ,5ý-}Q{w|eP &3R-zhN+P "ftw-):;,Mf+?-*|-;(7x--ʙԯr-0܅#ϥmj-3cbم2f6ti{-8 Y_rάK-:E9)`-c uo-A^=q<@hFG-L׃ÊJŠ,^,(-Odwh*3oy'-Q=(!g%Tlq0-RHKHա R`m-Wh: vܓ?Wo0-X/D%d[ʝTz`-Xh~3gXe(-]^Ͷ|6:-`|;k ^6[ @-naP;&Ӵ-/Wxb-q&53?~Z뙰-|f-?gTɟ"-|-LN=i\6/-W^R|`f_:--6 Ȋ\Q-?9p1$ڲ]-zjn? C[ -+k_7iD>Np-ae4"_q2l- Op)Ι =2r-TyEҚ'՟L<-;7#I - G[{4dڔ-g_ 41n:I-4# ܾJM#-jTN-)ALHLJ~-lq ג`-d:s*4:GgC-Y{PgV{\-AաQ iv-܏WtUjo\cUd- ]PρS"CU-8v$AǍqP-I; Eg cvBWn ( -Y7< *h[~Ōy-U_oudCi5@}#-hæXdgO=-K5 v@Y!-W21.R^j)"ް|M@.H?3߃aK1. m%>jG9. P݋ r@K@.9҈ԅ^XL.%Wl><ztFz&#A.%ϡ%mM\rY.*M6r{IC'y..a,lnͯ.34XF<W2hKa<Ʊ.4aN}Um>( .8C Zps`ҕ6߉.<J={J# k$+.<z+ac)S_{6FE.CW󲬈F8NaB/.M0R:Q4Z .^4Aw$Ue$z.qjQEʳ[ Vv&].uM7Ԋ[l/L@.nZf`nu.)'PO+n]d. nh,h]6.a{N<KFc%C@.MُCqw.r~e6(zp.i~6"us[&@2%I.^%l .O7$UU|!pd.kܒC^I<4~ .!|MG^`zֲ|x.:ؠ eĎQ_..=ք?~FӶ. a۾^C(c.//x.po%+.zL±ѝ pS}|.S@4;pW#D.|7dKy9.7=^GkO/n/'ڏw#,p9/@K? COc/!*+ݮC3py񊥆/)Рjq./*X @ZbZH^/-5hq(X IղV?/5m֛AVWx/9 Ha7nnX/D>Հ 薂~p<./E7e?7}/G#O]G/W=Xi)&p?k/[&( h? ջ/bw=`01ZYQ/m휦$鲊,W/s1ړ#x/s0 B/td03Wm)' 7/uv檱'GV(p/~x%1yuF/N]IYzV/:9=j>:~h/UԷ{$mTWX>/;^NO n_ݚv/Ҿ&ߐ}^/WÍu+~)kgr`/cKr#`YjMZL/v P{rP' /&)--V /^ZVo֠8{5/Ӊ#?FD[!U/{[un)@ў/ؾW,wͶt/ܙλ7g[_%/IP["h[/l5 :Dߴz/l@z'O<If/鰶 0E %sjS/ YRmUpOS/Qy֚p/b g/É!9V0 K> q0I^NU|0a U](JG00MgTb5m0_)H+w0km-<p{30q`j%Er[07&DES,Ni0#fK`$;0##2ס:o0jQ0? $>гHvRj 0Eq+60ZJu#Z$W0Kc3t~lH"0P:_Oe1I0gԕ>YMS*0mZES R.\i0qmMF}?%CO0sTl[֚  0z66JpaU05kG畾3p:i׶0afZYͱߪ;0}&?> oڳr0wMx&+4I0%G/'gC/ͧj0$߈nӝFdu50}B))>O;ؖ0\mS<uN־0[ u~+0rSATJ{0 9TsaB/E0 GbtJ0z0zr]0!^ŖڍeY>V0уcc§00B<]Ȗ7Y͕0y<Ch#R)13% w 1y)#J#t\Sq91t?|1J+NU1ֹyx/{1+E1~B~0+/1-Dlƶ)rĹ 1/ 4/3j,i&15S/pdW%1=ތw1D'аR01>-şL r%;t;1BI~Ad-1F(24¸'Vܾ!1Qlp)F31W,Ux9ibK1cTҩ̜k`AU F 1g[YOg&.Ah%1k;qf1lN 1/o&e1rE!Lp6Z 8x=1tbeP怞m6o ת1u!kK h=<_1u>}{6El盯ۑ1w}!u0~1|NYoB 9WQI1}hrXN[F?11''K1bKu.F큺1~}P&(81U:T^C^P1`). [b5"䇳1|ת`rp _ϑh1 Jü֯/41:3(l4ck1E~"W!1!91߫Pbx=\[1+%=byG解b;1u9t0u yێ1?WIXƕ1O Yғ5i|vsW1Zkdfã1`kԦ I<1dm߅ Añ^*1u51FxPOU01ȢE Hwt1˞tb?HSD~1ŹעP:sb5s> 1(l䭅{=*Z7J31ksG;}V,  1Km%2:$L<2xg1'qRё+R>1pMJP ِa'&1n[h8&f2U)를G U2 vmLl2J%Zʉѧ$:2 2ǂiq־){\2 B Ʈ}Z-2 Ɲ{uJ_8$4T 2&%FLVmϘ2!uh]=dh?2&@I<:Ovʢ82-)U.{ryS;293g\qҾHD2<[1>׿kWa2M{2q'02P|\1 C2`Kם}FK)/2dIPج{!&sc x'2k"⠃Ao9* 2mlGQMBHVm2s!",E{#>el2tQela$Tq2y?|mq.2ydqu[W%ډ͹2bP~?2ppMYQVQ2`o6"y(6["2;:5EXGA2>N;Ϝ2<};:TB2nw_ ]M;l2Q'reػ2U ɠM ATx˜2fF;|?y-2ɸ0".&5fJaYx2U\S/j4Mr ~27RUs@4P2;0(@F=ȲDǗ25n>V܉vS!2S4Fl=%2E f2ObQi@v?]r72PVF(h/2oF/"nu2;R v]4¼v2 /Xx +e2&{K)W3߮` ǽƐݗL(3rF"\cpT'3D%:$M 3 BteռT+ n3rM}گ5;o+T3RSLzQIC33ۃTSRg3 YqOBVAmZ3 Fy,e]"v3?Dcn(9ω|3?$aYI|3G%2/<?3\|bDlzqۃ3aItVhc ]3f022G<}K83fFf~x Gp13ga]wHt`oaectY3iI08y!A/3Hx׎ ݤv<jd3y(4N'pN3P\vj/n1}I`J3,*OlEAȃ;3_}ڇayy`P|3̳Eێæ3kjW(M/A3֌i@[ڦF1W3IWR[H]0:3&)#Ȫ d [3-`ߵM%}ڿ35$[4} P$$3m#&+^S!4l3+]:f0O3dBRVHy3)@"3Esпpe83:Hp! R9RI3˱\"*]VZ蠡T3x̌f\< }bf3ت /ep[{BK>F3 v } IM3X9ul3d Gm~`3wcIp.dRѤ:4˵˪ yfk@hH45z-F{.]0)4T}7EG4 T\TS̅QpN4\4'f@v+1x4IKiB PmE4u̾ܬ%ż5I5Q*4"}2)CS!p4"boX{~{ 4$db)avѼ]f43dEZyvj 45`7yaGMQ-_]4:ܟX C34MG'UѢdXr4PV GnF:c}x4RVo\!57`7a4TD#V!0+Ar4T_G6~\4VG*v[+/@4WyA~3_F4X-4(ɖS d@4Y2x9n >]+S4_N$@=rb5eyI4`%k /T2:WiU4c5ڑvN$4h2 k mJR4j_/S  e-Ah@4uTX=,Mr.j4uY+~a4x2(:h+o]HlpX4zjS׶Ce4{DXUPo +Q44mQN\D4m퍍wӷmCp43w' o4;&à˳ȷ7yeg=4ƒs`\@,4=f]4~%`~]4F ןB40ئEzc4bqv"x]Q 4 ҏu cf.524A烧b' 47x0L!3&%4s^dV"4)"2/j^\ۚ"'*5 1A"1g@5zPOT moz9 @5Oz\«@kSO?5&gO*ەBV5 ^Kᓽ$}5 =$9 v9Zɲ5 \{ؗ]QvdJ5u7b)Zrd5$erb:Љ=5*U.%Տd5v. ԣPԇ5F)ѨVHbv5&SܾdeDh53YZ˴@J6S58rŁ|=ӎ]"85C[|_ydw5K!*w>VҰ`N5QU) ۗPx(({L5d 8)D]w85n9I#蠀W=5[25{{ލ25v¯5W͆]hbFIri5GJ#Y L{)5]LNV[(̉5dж+x5RF(^qH:kd^@5LaA/Fl9 !5;ijP>IOkv55/Kܪ lS׎5K/cRÞ$WH5egJɖ U5 /ui65ĦRسZY3{qiF-5x0+lr<45&m=}F5$gc'LC[0c5ơczOs`\a5wCJ 2¯r0J5ĶL0ЌVA`z6D~l➛j6%JN8rBWhҽ6&uqJqvd6*9}#ӞzLu^U6IJo2ŽZE\:..+/6I} \qYis&AtI6he~ 'J?6k$tqb~ 6lkK:*?&ڭ6x8pR֕Q g4I6yJɰ?2k&@~ D0~`6zf;yG=(#<{64{>Gх6!IsM @/6P:D1 6dp7E[p67h:˿C^ǠKI6O1Ի~I6 LSŸ<$;6ZU0+ax9wo 6HT$k !1\v6O\sjEkOE'6щŕ3B{06a^9#*XMp6҈I'?S\t?-[f6/r%T7VVmIQ6VԿy 6N >3֟#{hM6Kh9Y<Wd6r]ZGÉzI7&D|ca47!iWk'k^7$^{TqƠ{77%+_n<c(+q~K7(H;1*36M8}Q7+vNmzg |As: 7C.Qb'<7GNq!FҷŊ)7H2m@ v)sbf7P5TCE&KBo47XaZT{Qƿ%1l7c9TժV : 7nIc /qz77q'!}ilqq7rpFJDm%z.V=/7o$:~U]s70PweZo7Fڼj9Rr4J7>g8p4qQ5Ak87R74YNb>g7^򛂠Ml Ox7c :n"QX7A3Qz:7LnP+z9"7d^#? 7A` si77¥]]#m@%TG7ľ*o26e_T_]8A7wV iOJdtƘdy7ːLoz5E8t7Oн)>v?]37oU!~[.]B C7# >pb?"7ǽ*ʴ"u47׏S*RU<87]hR9 .2wJ7v\v  47.PDr|{7~!<*]3jW׮ 7Hɟ6NN78hy48/V=ڢY%zSU*8g7([Nkm;8µO@zn68ie\+^"8 !܁Sck]I8)wr ڨ$}[ L8$2'[ 2;M>xk8._7$ԘH;80Šqh'J&P835Ì$̼]E6)P8:U _DB*E"8ABN|P2S'g8C.v'38bpr[!8M{EAk'.J7W28W됪:@#]i8eN`X7%8uzx4@,z8{5lVgA,\8\Qa8}KyYX0P7Z38~q#w(![Ŵ-cP8LQ-8ռ=j}W8ZvccSѐ̗Ֆ8Xi)USj_8X]rkqPvC8Mva.h>5fa8R 0؝! ]8r8w0;ph v8HCIi#.?8aL H8z`^ȸq"QmB8n_.=q( 5V/88pu)zjh3 8cӦ ֧>Mx8=> ¬gQᔍ,8Fvu+=Ѥȩ8ٚ~y1aN(%8_K?g(8*O۴zH]8ӤJsɃr|8PeQ \> ~8=`^.Lbf k8nsYȭt Y&)48@˜]C?(Z 8UM-h^T@9 *Oc)waP<#0MS9)˪#-x69 *$ZDry9 'l&SuW)9!'sU=$9} MP9'3=zN͵lL\;9/C}JO>ڋ99=e8nEɨyZN9:"+3q9G#: bֱ9K[ff!oE9U- 49W*W17;WS=E1O9ZvjEl9]qRl[st'n$IO9d%?]n 9e[6jvNw~Pca9jMie~<xR+W9j2 ~s *+ 9ks]kI=Ѐ</+X 9qǦC*.Me*s&9z͒h`usm 9{_ZmH\۱A9"asI*su9Sg?ŴC`'19ύ~ <@x9bszך[ԊlCм9UXY">#n9i q(t{[+Q|ޟ9)߿l_U95>#VYk|U8z9F7499@x؍( %R92K+a;g'xmj9xqz/.108Gy9Ƥ,{~pǞŊ#9. d(Ӫ*L@pK99Η@)'Wb6E9C,6f\OVgT93I_" _g[95$յ˷>R:$3^XY⌀ì:~\ZY)z\u :v&rP\nۂg :/ ;0HܼuB: mkdzVUKڸ:Cm6_CSMI=[n:y3{3qSz"8`:- wϱNNn{R":1MIXp\T[eW:61}Ms!G:8tx{_Ҥ:?i20g Qz4:BzskBp;=:H T<q!5Y:LDq,~GvO$+:NTSu9{^:QdTo*?jԒ:Sc쌣Aax:VVgͯRȌӌ,B:^ģ7(^h75:bqD=wt_+4:hmrH N42:jWf;}>t=:nqZSѯuNq>=:o*y:nHM :og +S(`Ǧ*:tD > GdDn:w U(l_8Dk:@a6ah:5s][3s}}6:0Zfћ :vb=Igrq:a [ӊU]E:"xA OON:gr. ~z`-#:s/}<4V #:gߊ4#7$m:*N#H~RG:A R@ơᰈ%:=3F Yv;:jdCGL {kr:Oeã<:JqDcq!٦+;07N<V_BQ`; L=KuLt?;$w#vc@;)Jo)=IDg;,~쉍q@ Os-;1HP +qRu3˒;;1 IUן;2^57kⲥ !V;4%w*}z=;4G+]x;;R`M/^P+G;<pcQ ^11'-F;?$|sK2{;J0Xz#Z;Ti&Af95s;Uo} )c;V!<kphyeU;^`lg\dM;f Q\BV۽O0+];hubPԋK?s;h~g*-n<O-;lcϟ+¯SǤ;mx27lAB2zBTyS;w'A1ˑw4;)v_ϏYOuJq;" jo1l^;u^>>f_\Yꁵ;uBۀB7vq\M5;lᾹ旅#g;,v;c'q*9]wv;8 f8ݽ*+ILE4;)eFh+^m;99*~E ;9' pCaJ߀VhQ;QmV.?n ;bxkz;6+߶aHeJS(R;J$O=R;OE~5m?-:&; Qa;~e]dyc[-;زZg=6D%[;Ty9u;bH  5;TU PĊeK;͊}cz 5te;G؅1VFo<y#;K=g~DM+=9*;Ф9_71cU;7aAʃGAˀ-m;2gHlUtǜ-<dCHY˞<7Fb},#jq< Oڥq~< U (Nq}w<q*iԡE<xesy: q$|><xI`^;<'H/h] )A!u<-b^Õ[\\>$7<15> 7W9h$<9N .Sz~#y6<@v> -<9<H<fKf<I:C~%dȜO_<L T?CMs7\j?C<S.=Y<X1d{ieAYE:<X;c"$<aLGVk<i[ኟ)<jVB}=d0|P[7<n& z@lJ72)<s3׌UK²nXz<u-ٳ/YX~Zw 8R<s%> FT {<ͫ7~?Ë1:(<!.je[h4zD@<$91 6W*w <@!igec<<{)Hߵ< I]P9S<pnY`ٟݾG<Ķ#v.^7)Ly<) x I>ʭm xn</=G!hVI9dCG~<3uVqM'n8/<joQ_[x<<T n] <ʠp݋sM? <8P"Q I}Fm~<(bO;Fs<0y eս<DHJrP̅zB<_yϏ*}5? ;<㮴,^2B<׉ϩBwq%z<֗Z+ob < NJnYT*-j ,<tJ™2dϑ ?<ARk!Q_<JN}U!l Ӹs<`0OQnm LU=,i%@hy[jo8=D/I=\*sOLf[tR=+ǯw84v7:=\/JP+CRt=8-[. $3C<h="wt-aY=' ^҂^ܺM=-U gϝə=@ȵw\V(r=AXw(S\q*=EL# ^ R=R**d՞'"ܼd=SX@!j=V]鯽4~mDž\Y=XiX02|u zl=aӒrdO ]=lM`Y!WZ~|r~,={H n@T|=^ [}C<U ,u='q:):}r=\jޅr/]b05=<`[==( "aZ1=6^"`/L2y6=:Lk1 l'i=$<'SoC9=#ꭇ |05`U4=đLsSfK'ʦdh=$'~[yLǚ-qs=PЇ)m=q :1O ns=5!,%Z0 =@;&7kP=;q5]fS<333={&>UެƯ z=S0E1L@=x ,rW/ hIHf=k6(`$]&x5(>'"<BG{~>&'RKcE)2l.t >' skJ`\8cAY>*jh-=jd">9 r6@*ⓝ>:Z`3\F rT><hQ[Cws>@N.+W %Gce>F=Mi`=02XyQ>O:f\~%L?<2I>P jY](u,S,oM>Pu!~Ǽ$Rއ\>UB=826>6>dXˋZIy+MR}>qG60KkU(';\";S6>x0[o՚ ^Qþ}>{k͛~,d^%>q+p=6ֱ?fU-ah>09 -^i.>{%)V1n B>!3?>`>>K8&}Ñ<=<m%>h#aBv>B&4Ƚ+/(>jF;S>Ih7Xw># kw52% >(<Z>辛g;ּ z>Ɂ^"nFwmŶ'>}eFi>Z)E`S5;8r>. #VLIQZ>h3$Gu d>]2AW/&PR?=ECԴB#6ޅ<#?:iA>&:^w?0cS_l?(fu݆!?L4p*sd<+j?lz?+R 5ߘ+ ?5׺QD0Euܛ ?@ݔ sLvLef?C4x x{7@83,?Nߴl%H&ah?OcÎgc3?OO3n=Uzli$1?R|r]T?]s~vҫjtUp>?_'|>J?`{Vu?`~Mux3IْR?bK,Vb ` !6k?i1bteMfysブa?lrv&YHMq?m͠ǃLMV7ax<P?n")%^Zvw?w+:Wg5}r?xδ(yŚ?.ӌTtUP91_60?ƲFwY3$?.̼ &}O?,|9Ci(?JIܷ+nGl?CuW ZƈۯE2L?.*YBB?[uLb+Qp?G#a*>a28A?G֩:mh++c?+iWWMm zY?̰`6^NR? b>գBpt-?]M:́ڳ%?s_r`0?n?Yur$o [??oW DzE?زP#L/1p7,??4:M.?5L&fӯH@clDfZHq3@ʜz)BGY:@ӧu0C-#[š$@ գbKb=&${@ K9-h+ [@VM50eS@ Yj7aZzJrP@RҀ!PVة@_UhH@dk4FlSq&/x@#7 u33>,_U@+2jQ}f0b@0~L8WE>@2]l Qqm(Q@2 " ?J@4{|1-)CC@?88lCƂV,@C G?nm7`rl@]fbd?mnqcr(@`:|d H+ r@fd$%y;W:}@j7U(G5{A@t,4f-a-@u[ἱCf'@ux *uEot^@oT=;E3@N,B^^*7@ބ*ú+@E43i(#@Db8S)º0@j+z$}a@ @iJ%Wɣ4@JBs@G79h $:@oF )HU@跞5lJX"@*W`'4̏O|@[BOw<xaqo;ѻ@$]{kIuϙKLrl@^._ۧVpE,@ *E @„ ;o7t םw@@DsD e P @.#V7f\OŌ@pr"NLoQrm@f#ĩ!U-@\$0s I=Fp @잘~?8=騝dG@5,x& _9O1v"@e.Lu Tw^@|>Za<fK寴@>`4f11^\\/@o=z E.KA\z8189žD\Ai^ٟ}]LsAi|S%&Aеd[OA07'A㌉ AŹq^ɈVA՗ߖ_HyrA#0!gxk?A&?nᅅL!&M;m& jg,A'[ ND<f{A(nߗ $BD*CA(,cqm. ;A- |OUC]&A-] $.VA5_l_2b `:zABxjV[àAN҄ SQ-Y7APJu] lbzq$.LAQd$ѯTc#gAaήKZS֎\g@*Ah рiHpٳ '>2Ajs7?%?tAm-dR8B)THApM<!F /Q`eAt$Pe1EЯCoAtBab>ө$RAT* ww(sW*A.&6J>hAis}m>C?>eAAu )wan ͚Ay+A=uye N-mawA s6G` YGSA?AѐBק{A۬PPҪ Wf_A?9xQ2A p7tFHr{<@~Aq,rOWEܸAuZ%#~tpA4~Na yA̐]K+ە[cAB&;ɶhBičCJyDŎbB$?kT!R K<B%<ĵCmRk8K;B+D[= sҠTKDB2vTvY-BB2H6bgq1E8IQԝVB7+p/NUEadiWB8id9װ¾:B:<Q/ oԡOB;YrvuN BA4 漇UnBB2Gf EZy[BRSLil+1GBb&c6?|UBg)ϊjef.5\ Bj<Jk!VBuDXK/=-cQCjqBv&%_QB?"NB{-f0Zɦ|Bq,rZ BF_E.`=Q5\$B#QWx&/IsB{j 7$tw,Bea(63\`2 B b&A>mB;Bw ewzB$h!ݑRPBd(];gR;B}&q\?f]IR H<B^vRVTWB{>ǧ+ctvBÓʬ ֑zSssBӎb6ЏV(z֎0-B{'ĂP$8ԒpfBD[)+^?BfѽuSLB$8*L PBUBn]LxBUB`p#?d_B>NBdv$ni$ kBYZ? -ޞI5C#hDTMC \T3$d@wdI~{vCPrTQFcLHC2 Q=~ ЍㆧC3&!mտBB"1ìC<Rd4P)N1]MlCEt'Hac7yCIuC͠aN1y @TCS{Ub9CVήi&0 3_s+C\w=Fj*HOC_O2Ǻ\_F\C`ȹA-eCgfY x=;`CmIQVd l&hN_&Cp 6V-'[684CwA6؜}xyVC{X;T"CHF&)Z~G;ڕC+}ط"CB|*(dީCbx?] :D)ECFC m^/=gH؛C76DZ]f=ACRIL\ցZC3]{nj6CrC7Ϙ35y*pCge'{@Wr-gCiiz 8cQ"2CƌZCDa< CAr@ClT%Cqv&m⃒*9< CzI"~,_[9C,6~1(zn# <wC22JJwi7Dl.j鰿<] ,*SDm]\]d: /xܲD Eª2U= {DōC4kD")9ĵ3[vD+eHmf`MJD$p"b`(aD+Uv]K)\D0eHq\ $%}GG޼D1gv3%؇D<I16Ig[DDfs'^PagDDFR %;,$DJ]in~ ү3*DMg rJDVC5f>cDX6ӦIfԋD]I34 FCށfDam\¼ܦ@N DaO[]Ug'oeYDetNĺ„46YE"Dh~xΨvgl5(Dj!}Q zȋDm#߹Hbu ٌQDnB6_V;C?N*Dw ʏ?  MDwL>Y &i՛0D{z(G'UD$1!~( Dx)eLtMK@XDHܨ,#gK3œkD4dKf(qD}]dP?'`D?ODD$ሾoܮ2 8PDwC6.6ӑ_DCH X5`:D*־܈J(rf>D^$e7={ DeR5E6z7-p\?WDD'k_e06U SD*)Fz".rӽxD|XX"}/QFxIDX0"`CH<zD'kW"|JF -DH:bMNT'uD.~cMK@DcRAiUu-Dԋ"|QNn( 23Dq ]&BmHID7e,/-AޓlKXD ~G\ rDRX+nf|wXDi:zM=ؕE{Bo+KEJҹ:mߊ;3`EH=h`4id8XfE;9^7`H:3$E6DsrveԄzqEyaXIeE)椠PUy#E,n|ʻ[V]kE:b'-:_Ë8ۨEEͶz"՟yV](EM BPl_EN䥰j ]SEOwu\A)@[68EQjA7]?֝^EV:ׇf9C?iE[#{kL#I E^Ty\?2MpBYgEa|a(PtIT9Ee5Ha!5^c&srE:>ˣ:HoEqSۑg=T>Ec= e6:-AbE!37 $ ƍq!EϞ6:%Q owpEzs|CxN0E?M?a%Ji 8Eej: UqFV]WEjuR07'XE%i@ *`woxEƻ5_ 9-Q#@PE9)MqEH"Q~EE:>>fl."z@E즔;?NkYV-EwˬEt2  E30ED0Ϟl[EV7;6o{8<XFaʫoh"pDF<d0D` 3*6Fp *T(E)F/. ql}"~l$F%C*].HCrF&;.x2!og5R F*2f! ӽ$^7<>qF+FcahEOF+ZHU)-/2F.5 8C"F.8>,W2t@ͤW~F7]0qgBU xF?ϡ[P1<Eu8FHH_ћ$aFQF.y؉QFYwf"-Ck9`F_4d:FgWQ+9dFgy %3AX0؍ KFre0P0*Fj8nFr!!)Fs0<%~1SnFvwm |^F|O^G %k _F}k [e=Fg J8t-3, VF]s7Z{xPUF':)'P[Fis-Y*YdFW1˵D# VFXm\\(ĐF GS- \#F%9\;@.FSL-|skFɄd "hlՏFݰu؟LkwSYFޟr u?q0GJF&Àj[;q'>oF禒S39i@޶F纶i :0<\DFhһ61&59Β9{FE8k$[bYW0bbOG l ^f+I}G x~LtrP^G0󞵽=SИC|!PG8-vY]OڀWlG9\hMɵhMejGJAڮCJC.!5|GT%@w'!3AGU-'2y0?Gf(uN$ /5#IGg4.cuN%Giâ4Xm0!c].GjvV$-@:GoZPYB}F燔>GxI6mMaGx#累haGS!8c)`+dGYALq:اX G!"Jy+噔Q4GM؀MҧaGRNtCU;M4G#;W<3˔wy-GFp$?n= zd=GI"n"@GNA<PSᮊGi\m9wl6;bhGްˆ7a37GycB'^@<~Q G֌屘po7ʢTG#=QKx6-ŃIWHzh6͟P4_H NjqDцH1@ZuH1rI)dJB0pDGaH4 5ΝY?@ ;wH6G70.YHMZ""#)HRݯ=5 /HZ yM3샥!Hbiw< LdRI^G٬1Hc穷X76{ HlEgZ9MHnfEcя*wHoy梢WKVrUHt+gjlHuU*pfH_ݦ"#HyAS$n+ w|stH&Ƈv* ?{H,O$I5DHV}Sk:s"lJqzH(uA $7BBɷL2HK?Ɉ>϶일H#w.ne{QFeH93{SFHSV76Ht:kXnF e_H6M]m`N H|!Yᡳ54HD)Joz@&HX"bsg87C"dHAQF|\6}3'":@vH"c^:cwR[yOH?Vᒥ~WH뢉]qjSH]"08~bvIl! Ɓ\$h'=4Iv`{0`_d(kI u=-rI,'CUI' \VA˜O;CI)@Psr#74DI,EU1 tDa: I/D'9gEԦ/m :@I2f<ئgi1+=}I4EA=0 lI5Dp\T'Y fI76p Q ,܏1>xII~P 6.غwpo IMǡ!-s,KµIP"\j.'IQ_y> TIUi⫗zbI]!keƀLo"SsI]_d6#f=ng_(qcIidWCn/͕%In1̕^"̺9{I}obb%]7TeITZ]).qmYI<E a2>I/5۩_ixIG˵+1n3IQ ׻GbtIzhwK\`0~o=Iy?ήb oI-7ϚcR$'{ nI&c'o}CSI: ߲NeS I Ih2$4PO bbPI f C_=HKIYF{s\QS[IߕLT%*ID~`HE r'IoWm)Bv\MI86;̍I̡kC<4*L JI͎WSKTsBDž Iw=<rN{;ye]I&*f_;7#[]RkI$,\[RjI> āY,h(d<FI߀7bGD,aI @-lvGkId2h>b>0<wIBCPm!ɞ͐+I&%:7J3L$TWP'+L@kYJnN 'i*+cevJo')@ErJ(OM]L_ /YOvJ<V=Ki~J4b@J!z70 EGwP;J(YJ6D?TDR-J-(aR=3J0ؒ&|TASJF̬fZZAY[8ΦJLOF1&b.J^TZxU{?b~AqJzSW+bn&9a2JlYN1^TJ:%@pl$Y$ KP"J:"OJBeJ[ZSpOVw JHl`{>!30J/@\2 w|~j0J@9ĂvQ)JKpU pLF%8J^9|9k6Ǣ^>U4Jd{iٮ[_FJ]$_ebLeJT|9F}$f6MJZ\m2F윸+iũJa!N┄pVchJFV J htuJ,{juO6JƛEyBkp {rJby0cַ!!^}JпlJ@(\q%بJ]"YP4JSbP[e fJg:X"\2Km'Mq?R(X@w KG1+DD]%A.5K oAz,Aa_ADFKIqqsm)1z"KF ^6K% Pf\{LfjF!8K,&ɡ4K01{L1K2EmBtLK?&D 72N Hm35:K@#:<J=&)=#rKAf$u|ֆũaKG25<TB`9KHj΃%A)-5G ɢKN%󏄛Ptu{pY$Ka ^[àZQ,Ka azn/ɫf[|KeFܰhNiKe=yԧSY7u m',KgO 6jE $-ax?|KoIN6`z|BD讻CKoߢJ怰iu[$K|y0rׄN[K]Bn`K֒IKǰC1i"PSK b9BVߔxKH+p&ܝU_2QKlp(JaT5Ks( ,` KK~iDW+j*\KX(!{ %WKj "+qK{hVV~h<CQ(K_fbjA<X iTKfXǏhKë/KuC86ߩK'5Y\-q|3fCK τos>!0fe<K=; ũ}]KQ'wGZ20~K'KtK͸KW[TQ2Kp{rb/g5BƆK=0|ͳiLǁ nwwM7L Z0>@ecXPL3Ќ L$=&E`GUǵ`LHS#㭢kL 4]Kt`R*dRcFL-!Bv;b ZdL3;3T}GL3n\>-+[ˈ5:BL3ڵ&`W)ܲ?L?X ,L@H퐼C݉ɘLKAaf,JfALKXh9$%cOiLZeTpѓ;L^\ͻ EWAȊ";Ld?) k|3| PLg!9l7SvLhx "2t.LkrBS'O6Z%z|:Lplb<NO)8CgaoL|Nߋ8y\Nrq6L2)vqgvaLP<3QL,`*mL\h.Vb;w6L4`@C..&hvLDwv{$z:LdYE&E%L,P`[)$L8Iw@x1L&9LR9!t@LX2Duז]Ḷ>G9xF wI&L̳֣yfykAm[<7L9ZIKW~n1LF-*wu޳%L؆'R&jw\#xL= E%dцϣ<Ls K4q,gDJ'L3?}dͅL'gbiԻ sELϤfF-7)θxL B=3+.\iD]MAf(WbJU 3M~jrifWME/)HNo{MoYyWU{M ،RcwKB!wEaMI@+[Џп:AM 4:!Tu}MJClk8j TMLsbii5MOfɋO˜;!)7)M#.Uw, M)@"yyYxM0.(Xx'_fM1)Ftӷ MM4&fWpmCƽ1pus*M6˜#YeiM8a}(- s&1 Cq(M>AЇ@\]'4M?#MnԤ5Ol.cLjQMD (W~:nMHJRшS7zqMP9n6%EEkLl©@MQ2O%cbUK3M]8[鉣$CM^q_6iMam5U0%7yjq4Ml8n6np+MoLI<rXmz=%Mq #0 -D+MťΑq=cPM\WDKlQ̠M!6Й bUnBfM@̿ ŇoC#hM)b${pآbM)Q;ŭB2}\M78boЎ5 5MnLGqPGMp@UpMJ 7CM6t9@'!-MŞx*)V8~#MdžP/ǨPM2щ%cR/xe*mMy"`dM3f=o ^AYM՘'HzKlVMڅ{$UZ)+Mu>X{ ;'(Mh4?<~[j!MB)Eq<</1kuMVKy& kuwMu26\ZIC%M|5~vn0A MS*%.C IMINYg}.Ck^N:vOuMIeN B_-"c0!"N q^"ߣ&&Nqf*fLR3N#jtNu[[rkN1)GU}놪 vV!N:Mܔ.UKB.RUNFD ࡽnCNIqBB$ώNL|QHKl8HlNLHW]a9PNINO[i$ʥNSdŜBCU1rðNU`iO0%gSNaR a333mNj*_nwAgNnQ>Ŵ¼}No3$ ֏\| &-Nq=I$zy3y+3Nvz i4Vɦ$N|b֎-XW7N'&.XGN 3*|h\<"N`Rп&w)dr_ZNV听nTk2H Njls[V:ཡQG0N N"QGNfeZ^9frN*E^|jG(N2|E] qݚ߸KqNH=\ٲ% lNEs!TEbJ5šNk03Hu_D~Nvrnf=hзO7M-7Z'dODD']\4pO<6%y,y= \OUfPNӖ|ȱO@wY=(OrʟOfg麝H=UOGf$Od!Ʉ}dZX\O Ae=Lj5kO"ЭvsO Je0O%6J y>WwUbO- KN;)s&-wO5Ms!,B-O@w dWz9 OGIL7li OX Ob"x*Ac#eOnjm=6TUBVOuݼ˗gUV Ov{tLL<+Xނl˹ROz1&r!<SOF/PgzO{:e$'g͈&{ pO}s{[q`Zt7LO6hlPğLO}%a,>XOꦆU uUK]Хs%OoUh<lʒ~0o_>OT<GMFlO*;Ƅ['(J5OA* ِzl8G[Onm[$ȩZO]`H6y?rOb1 BfC[(\LOo\OGf Ozӟ&Uvb$OcO:x9<U'OP2DzGZ5 ? DO8}gC2K!GPR O7Ped900iKOv5sipDO=K$F>{}QHfXOIJ xl3H5RO9Gm{FA*ZO?|\De+AlOwZ5 yPHBQj ZHuhPƉ<'L8AZ]F7αV`Pq,nQڬ9P$Vjz[K/jP$,jzy9l[P&;sZJ2YP'S`|ٻ# P)<\P9;vDŽa<P**,D̐Iax&P*2Wַu`7E1P0wY>eKUP5CARov>BOBP=Y~Kr i EP=d% ap1#NP?<̻؇YM8PNM*5ِPPO>R!! AK?PR$Za%PVi_7ŋnUfhPW˞{!fƬ hQSPZhq *P[!W Mtx̋P^]ȅ`s]%PifPZb"A_@=bP 4$Ewf檷V /xPˣmCz UWmPb<q# :7nO=̫ʧPOc(4HaPP^W!F{mV$P$@,tɍ/ObP\]gJ3C;PEӶ/ ^_mPt'n2YhP} A"]SyPKK4vcPކOZnhP=}&iX|PT)њt(E^ Pv'Z PmJ3PUMG!g^PP0߸T1*-lP, AHgrNIԈP" ] pRhC>P Zf'j)ԆݤP5QjcbTP /)`y{P<UCLr( PN?\'y:R䊤TP%&mE4|ƜQMs>>;c|hQ fmx[ khlQJ-͈b S W`QTE}MR^Q4sD8 )ܹ<ҦQZ<ܿ'^Q+3 ziy;< ֮Q.2kwEoo'OQ7 wA ]kQ=;VZ`-cФQOqk~=Z֌m4iQR)ކY؊OQZ# ~dTuoLQZ|H5Cߵ!Q[v3@//puQ\}EDZSJ7A 'JQc ǚq/MO*1CQfY3XTYߠ?S?Qo©[%͵\tQuHi qFnHQw=A2+#FQ} r}+$G"@vQg^z]XܖCQ5 }3.R72Q)p K?rQ;LĬ9"T}.Q@UW|)ÀIQ)cпAy^mK4Q[0@"I Q ze(<cg7b=Qjqm8g)vيIQNiJ^>wG7".eQ2*Չ"W{6Q8 M<(AQҷM[@j؋Qԁe P\<[ҍ Q5)"f FΡAQf vxѴ Rk0ޢ& ~N)REJ#['bLy[xRBH_~qWF\R _@#X˺RI?H2H;RZIQ=2ܦ;=R:HJHu!1Z=$RL g-]+FRNh !qn՘PiBRoT? koWjnR|YV6., V0LRq8eùG YRx+8ꥢ}1!fRu<4cD $nR <bIR`e~  s]izBR}r,6! ύ<8/RtkvԜ FR#1 Z?J` RɁX \^Ȳ6a9jE&RG!"nWld.}ىR#πo+.O5R̍פ>DIARءVW~vўPRJ20S>| 0RT@WT`SC>R=!lSM?q=2z'^r6XS DXZYtMxSpX:B߶>}쾎&SyZ".R4pSE@L_/ (S!BTǝgT S"sDT*duhqRS$d>cGaPx؈-mS&_yz*0{⧊U,S(82 f<Te )eS,L:8T{/= S.@˩V@RqS1>z_(n7S6w7"JB#6iS6$_51WcrS97 |$rSBլVZp$\7ASE?0vܰ%BSJaq䋠tH02SP:Q(%G01㳨cS_TH6UnmֺESXPpՐѨGS3FbW 5}1^S%h`<sE6oS9eP=bS42t gE:MOSd1O G9O*SS'Y0 o?0\S5[X"-SyEݝSPK2BQka-uSJ,w+ƬE `幅S0_%/6}/3wSyylri(;So|=݉3v?MSƃz`_ WXW4FdSTy[ FLSwk m=!dgSʪ &/SP~'NjeSzG/ zĴ.S2> Id,> S*{1xAGbE_eSy+25&P.q'TOOQ&IkyT h5f,rWuƣ>$'~LT ]7g5-:8ZTb8]ڌ1ETK}{RΉ(3=T wN8zݛ̵gTK"9|I|T-H bABRL駮T0=JNUtE!(T3Fl|b{@<j]T3d}!":dEfT6U;[;ov 1ɯ8TG y 6bwCY,4 \TN'.o琊ō!pn#iTQXm[7" QTT>R1TV("~N*r-T^WPtACo Th|A+i`Hۨ yNTrg_r';@5Q7HTwl?QFT|64Td ~lJp7(Tk6qU6ll LT4$+" ;\T|Jq<"@mTE)QDIexTju1i7JkAT,pFkTbl^ڢT,8!Hkżs`rTlG~xP$oTP'~?6e27 T#c T Xx1 2RaiuɹTZsO{=Eh>3TsEZ7`|o߶gUdG(M殈$'Uf;nvUr“)Q5!ĔluUub#WK@%+ZUxݥJfSPP-mU$|Ai Azƴ<N;U*qwGa RU+nHSCX:_U1kC#]0(BU4%+&g"%PUEG0ybt]HmUE2~U; ?2UI$itNڥ6j UOm@$nν^JUU23aLe%rfIUe\Louo5@"VVUm>Aڵ1,xUq9 xHp{,dUta\*<,di R&L¯GUUvޮRkD}rU{lzQnǤV} U:B(r'U(0|KWzUۛ Cq*H ]MUSh.{A]/pUzmGLҢ [email protected]^ 64Usd˯*i/Kd)UU1آD'm(ߟUOjLӭ=o7Uir3LVVAAUW#F3BIeUTNº0%x:U{/pa~("UP=͌_oUt gp!fZYUgL'VuEU.7WU)邏ډgUɔ7RlGND0Ugf'ARH<U* nC, u3U68%atG:R3UȻ0KκeNUEq6Ԛ$_;V;$ٓV9LcVeEOxnV n`S3 )~>{EV!b>JUV`[.M$ 7V!T,<TTyT >-VȗM۫\RtV!el4J.uV*"KR*$U6reVV.=H43g^V.OqBxPN3V1"VYE[D6vV4٫N kAʤQV8ޒ?R*g+M20cVHMmR1mnH]S;VNԠ%91(=$ղVQ.v?)Z;BVWOwgX h{at3VXR8}2}ᔦಠMVlvɝu(mށzVy.+R֫;v9)Vy" u"E QV}w,_2ԻB0^B V}g*tye[TV%[:%[ VюװVcQFώ}%(hV#\9{`V`=d*EVKw#jtFVư{ڶf2Im;AVeмEH?HZ>.V=5IMuT5V]EMXham. fV7d k$H럭VCPb*j*Quq6VQ*$%}nL0/uVM f ''ҎVч$_HGV& e%5V+ή; #/ eWVO k4\V-D"ޟ^'j:}V໅~>mc)$V:ԫT&0VKSg-|(WVwKe#xgԑLWK)BEl5*W-t.$ÄHZ[AWt/*aMXUFW͸vB($%mV W n`_2 }W v?pSErW0CB AW'$mgXRo8kTW!KJV&`l Dl&W'ȉpwweW*U50Zw,{$ZLmW0wn l*mVUW2|E)8|9W4ٓNHMkQ}lW8+~DYחQ^_ێ^IW=^8~'#fL|gWD|8TUa &WE${$EFl.WLj0 dӻϿ6WO<?GhqiiPwWRz(sx$wϤYWUVRG؆eWfѲBwABs['Wj0l)mA E(WtMwW)ЗKF_pW<K kG| >aW17!XC7b 7fJWf~Ѱ :AmIWOCn 4WqilJ9WZ"VjWwwh ز6wt;Wrx.ek O@BWóLU7 vnWY,'`K =ڏW$t 7"'iagCtW.)'DT^/fHrWԒPrR=>"]WmHZFȧ7U_Gv_W8 xOTŨ<7WzUq%(Why29uezX3<j1/_mX v5kwFuX  7 _>#AX3 8W , d>XSH,iE>X"UQ˲^j#9NX#Jȶ~K EX&2g^0@,6n}"X-~zkuVEX3zs̄XeX9j`d`Ptwګi6 'X>CbJ X?Tv&65)SXCRA1 gй+K1XGĝpU4ū9XX>}6 & I?) XYZPⲖ>;ϭulX`{z H>$Xhj}k!6rٕBXqic((2xDXv ,ﲙopLXzykfGEKjQ jͿX{rFzn @f:JX|V.zlkAmXrYsGZ5Z@==Xy=I|s 3$XkEڣ1ZMPf$ XHHaawhSX2iltcd,okXշ8/a8\bX "KN3q~%'CX9!nu\:X51vDTbehcFGX. 8*YUXXu+.yy X)[ |RX%?QO%2OZ+Xy3#/tUEX}/禿 <ɧ+B X?1cٙ"rXʘ&f6t>6/X֣ \WNcQ`XC B# m`4(XYhR#ARЗXUCe6NXc#FOc̊X)5(vd^L2XN ]AKXVmD0"hnY,FC(V~>)(Y Y+,}VH^XCY b$XI?Ӷ`YC8gKuُ0Yj&SVz *(YdʳDЪ~A|Y0'h/d(xMM_Y3?mW\5Y5^!> {OK)Y9s:P $(p㿭YIg~<Ax>Kڜ;nYI"%8_0LZClY`Z YY,d6zYc"5Ȭe/۲%Yl˯V& ރ=Yn sک+Ή#iYr^ݞTIH|mYupܾêyצdY]163m1!Y5+򕞓IYp5IY_dzY [4dYꪸ<NFN+MYGT hBT"+{HYL.sV? Y N YX9j%fDVkIY#%?TײIY~-2YFIۑY™2݌"SK7 YԀ>p>B WYu]GQZ|1KYPbxx8Y<̾ tPYlk;*9[xY<e^K m)YqvGC=Ws<3_Z {w^.s#ZbJuא7 <ZZ}:׆=wuVZFZg(w%aIZ'q훔oXyڋFZ-e~-%W/G%j Z2p1-9!5Z68L#d6(Z8}'wk N >Z:D%XcGlZ:5ǵY^NGZE]]4Ip0GcZVTF\piZe*ߴ2, -Zq$tدR'th[/Z{J))<҃.Z9l'_/SZbPۃ˧ s.;Z}E3.IG]Z v vB9+ZI$@ QeZd.*\>uͻOZ&B mᲃzZT074ѽKZ?ƉC9kvZbcjy>ZPq1 0;*mT#Z뽷;[v(ZԢ/ϷH,9c;Z*"hnW'0Z0Q]9B.8ʌZv`g=R*=Za c6`3a66еZ`{y"hZbR,)*ZF?;`Zݫ῀Z'JZ/fȤ nHk[Z(/tUpC&t%gZKH2ށ^Zxm|9$QS;#&ZK@ p]|f[vӲ44ŃVU jE[aU^o4W{3h[V1jd[c;,zϱ2v+f=[ ȕd<U |ʀ ["ؤ`&8w? ["Ӕ+])޺i[$_i5J˴Uc-@=\[)Y_B[P}}[-r1G9nfs[2;/j-j9 084;[D X˃& [Fa$ݰŻ@}}oh"[R\H-a$[S $ $Go[WwĔ&&qFz%^[X@Oj}GM/[ai7+.j@{[qyGAO)PjD[|ބHEoeZg u[}E3*omp)x[~jc 1Wt\[K4zb։nHwWil[R{?X[UN -'[mч #~[_9?kJ߀#+9[Ϡ. |w큒%a[/Ѧ?'Ƃe [+8AqOP [ (= ,=*[M5:I%OQu ،{["\~˶ަXIp[ [ic0ᙃHٸK:%[Gԉ!.1*d6_[x["/#~["f GLlX[:+X.M[ۣŢ?3 .wUdZs[V#6I|7&@T[ΌIGK-r;l [ޯh2aƊu Xk<,[u sÅfj֢n[暫 B#d[,+vUy[覺\2l=3k^nu[/oomvHg[4S-݋ ԱR[){ʂQ n\եdePd 7y\FKrHSdp\(T$c:Wf\)ԕv9:AeVZ\-`+5[vfJZg\A[+<:|`ql\Bʖ9i^nRg\O9@iF!eԨ-\]W*zpSMM+\_Tfc-=gң\a v渓c _\d1ΜS<W;s\g䪔^_gShO0\j\4{=0\uhjhCTda \zUJU \-6C&X\tWOh|\_ئq<9)98y\T`.Ġ$I\miinCscasK\*$$)/jQ>y\&0!"/%&zy\.o}6u2L\]`/~pwpIx3\eI;0V\6">E{a 3\ cw:cB vו\ 0s*M\mՀWz4 %n\)?ȗwzz]\F  Γ3Q-a\[*;dN~q/mjD]V\ oh(䝥'sA\ވQ5g.N.\ ein!H1\Kumv^\lE+IM }y\q?EĘNQ.XH$]iDLЃ*Y9]#%3*=C`] \(]CWsu(]L(jr2>]s<o$V[_3 ] Ink&S]'jHc 3-*;0@N].bE@Wl`]0 NS&$hEk]2vSnʀ ]7ٝR&[N]]fp2w2SujX/]fn#OVEh@M1]gk=3eH{DmMt 4=]o Dߩ <O]]9gx\|]JUx/dJ6@Euy]8]2dw(N|:d]B1\ֲ]%MRLrFz]$ӎWK\]CqU%ZvOD]) & c,]TL1ӊ|ɇ52]T%)* Nv;]W:jve1#]$tb;d 9]czo/V* t]Cg/L`{IcP]$(owM] mJ8 _8yN]Wعv&\ՕO^ <nn"`^ \XTaG^N@wQ I^]we=X48^$,ɻЅw {dĚ<(^&uu4BԳ`a` @^'rݼ}YOXU\ ^+o ٿy29mg^1U.f)d ș^16ɚ=$1 Lim^B.E2\ii^H jb6q(L^H"@iA^H:Sư .ŋ!W_^KOLV_ n^SV zm5^XcFW}6FGt^Z̍L"c*3R-4^d H]yې&jp^l4FU)V;P)!6^}ɏ Ga<YPo^}o)0=N ^SAQ1/s^hfcqo.X@j^xDZ:_@R^<9'CSQu^zh~^<WB\@S_^/k8eR&S 0W^hm@_D񐯠ft^ ZSV;^*SMW'C^w5j鍼8d`B^` .l^ͼ j&!kJS`^ԑl@x\ >d^ T_ժjD)@!^֯T1B~PP{f@"^6zã>Qyڙ^~Zґb}(ꊒo^bb2Y%EZ$^!P*˭vk@u^є<+|/^aiWkKA00^P3bѝȿ)_aYU[~'g4w_?(_ -AKush#D"M~̭_9PahN)j:g_)5FYn6um_wLQ9<; ߟI_"w$",͎Pp_"d-Lbع7_3$ xG_5 7}D'L_6PPGqisPOc_6;54Nk El_:):%Ombf_K f5S.Y7_K{fZ"M6_Ov-JXU>"gm_RD,k]mD7u$_Tjᾼse-:ٱi_VsQ7ìy,K3&_a|KZik Vw_e2UPb<Iw_hAJ"VQQ y_jaРԐۥM_t ot٥2\_v%Ш9C*Aa껕_}0-*lk Yc`_/| kOH_(i9aioJ M_v`RI7(Y:?Y_З!dfP_e$#EC䠾;O 0WC_-,KB_nn1m+k_+1(E(@[K9_+\]&)\y_ @aÑ0Z_ql iSE 7_xA~^)  _拐mSzB&<q_))ծ94_ީy>A %2j_<~G_JJ`H|\"އԊF` _!h&LW.٬ 3`57žY}Z`9C+*L<Dej`&%% tw0` R`0zlk5RV`1%xEz`2sj11B`9nHBW1G3n$^`=5m4Թ尌`VLQ{&`1V̝fus`7wD6T÷ /@:`<7'ȿi"`Ŝx]9Ӯ`HΓA-Rn`tFˉm`[UB\94;ӿ$$`Yϰz1әa_`T#P\&`u }_w9[`OFUGЏ|`#.$`R+MrX}?;` t<3%hW`ĊXekM+0^%!?`=Hd8?{Jh`>)2d9B.-`΃/H̾h'"?ۧ2`~\X!G@(\`t1XbuEBe?``Om8RZm*~=T,N`&c"͠挭z`JHW֝& `&<`h^ >o+/P ¢|`}<9N53J`拣DcGjb`%\G X| b]{`&ϸ)D7 ꠨`uv$A;h`v^Ue*]y;awǢdc/2.aEXbuda-fXXP/Ȇa3saٙV%"{Y .na͵wJ\ d aUX nB˥2;ӫ0a _ _Djn9 mua-#2'oAa0*pFZF:G4a1OT{uG<K^#a4tDk$~/j5їya:za('0i_G&NaA'5DmLuaF3MZR1GhuZaJ zGN/^'Oq]faK d²=AF kʫaRdUИoqQӰtVaTП;jCY:) aUD}Ƚ(8".vaV *;_R1eLjk-xaWl +uzdba8gaYDb v$kJa[SKV`,ƒ> OWak.9IDwu!yoam~%}(Cv9׵`KanfJqjsEl*raoN knV naocfzoD/{ayxk'SQkk+as"f]7a.E^/,C=:adU ~+!alR.E8j,Qr a(Ww;MeaqSBm z oW<a7ѴA'2 BՆa(Ӟ'(ch1޲aj4Oȴ|fݢ1.a 2:0*"ah6_Shu ab2Ar$ aAQ*@,jtaP$ jT|a@̘$G~y9a\+;< Ke0[=ta*r(6'{t0aȀ_/E$lb $D)@u~b 5p!_ :;b1Ug ׻eqb9H 9d˹l֛"yvb: 궍.ơXO@ob; t+V˛Ub9 b>ͧ82^s/ӡRXb?p |KOF\&bI,aHAb^Bo'Om:PXj5bfKMPaY)KG~bfjB?TC)z/h$bjO"Z bxdĆ"ӳ':vpb|wvhU@ʘay5bdܒVSQߒP b47VZ/*KbDWܚ<bQa:\QbA CC q)b<m8֩ASb w}P\IB{eabiNJ  sPb-k.]Z$X1Kb?;pb՚>4z-b%$#8czw\WbŃMwfWǩxbC,s^jdDb϶\DXMZգqb.q-}d2Ut bf@geMb(? jO-bVOya"tFbٸ,eiMa8 ccx,}Mkj͞@cDd+"FwcƈzFc^WH2d&$2wsc p@µݷƨc"tEl *c.~n "4E4沅bc1wda7<c10:Pc2f/A-3mM^ķc;B"R\@NݢA]c<q'567Wzc>ۮ󀜫F<*,c@6" .lDXIY[kcRc/L95?Ȧ˟\cY {Q%jB|a͗cdWΗ:{uۦch%&{4~Q@|ckS-d4ih>t)Ycl]ڬg9P ~c|gv?6H5dRcpջS_Wf/ciy>6._TJ!cᇻ6Z<gt{cW]Oei\1cf~l޺*y5caáocOtzyc['#ذ*p5>qc6zر WcOt)-F*Uc{\7D*<AOcӁ;3ɂ#ybcُ-pHq}cbbr{i|c린XQE$Jp0lcENN`vcmN:sㄒ7d78U8<Zq?2d h0֮XCdwx[YY;?d޴eDg6 5dϘ5ٕ+o(PdD>R?azWw9_d;k_Q:ihd#gxRJjF]'wd/ZJL aeJ.ΖH?d2zh$t˪6u4d3ƲLy}20Ѵcld3KBy #d4ଛ܎+/R7rd5|JU+wx}7]d@,|0b`j9~͠dG«LdH{ v3U*7vD)dH~amMI7DdL֞$!([ %d_ՖXT~#wqdm|À埪Mdu ^3Ā; # du76|(m0"Y dva9̶͞pچHdvBT siO{d~H\WMb5y %dC2Y!1έb+$d6!95͢#dC# (pi]d۔M^wOֳdd =MϢ;J홸hdrZ䃴$Kvg6dƋRB٠np#d6^6u\d f2f6}od)d+dPa<Odk|ݧkdt1dk9\-[/(|,d CgWLmhdI]D.BY^dHl#tpSc#d vEk 4Ŝd[ޫi4ߙf4\gd?S< D{uiYZe%+3__ܫ9eS?$" T<!S7֛e#w}47eHeyW [?vte*`v_1e s\M ֈ. $e(K(kNj\e*QkKZ&L>/e1|n۶k"e@}~Ke: |e\=Ie=KgsgE̜L,:eGȹ +ԦfHZ=peG"{yS|}eM Q6+kjbrW!빃ehZ!`Go?Za ep?hx`Q);{4e߲Fp/a&)u;weeL$#g4teTF.0ýIjye|E27HZޱ{weLci=Ӵ\keSq 0(vd_8ewCϤT,AZe1Vosn A/ekW{oiĿw%e^; L,|d;eVqn%$ ) #e5zðA!;oeMIߙK_eUic{i\Ire[m}Dwf|]^e3 #~\eRMOy8Nnʧwe[YcY5X5 ge]7p'r:en+y[Sen6cͳ4'w epsP)Pc4MfnNI'p£p&| f6yfOq,жsfaeFШ2V4fV:IYY5af 7)0( L^f "nK2믉Of 3k+d:$-AIhfAL9-&;} fy鲿-We>LJfmI`RSkALkfnLᦙX&f,i+#TRHM!8f.d h~֍/;Df1=#C nコ[8f3|uoB(ᆎTf?l-\b[kaKgmLfmqV7|ur"vfo*>]bT٪frGV4z1nGר|efi/:'RF-f E$e4wfD.%f-mF 8Q*Nf|?N+sfڮ`h v#Mfvdx:%A-1MfÎhӴ}ư|fkdf/!㝲]lehfb)L)AGcp<f{RL%2WPf) FwR}+f ّAw}Tvf*C*Gjz J8_F6f-ISw\VfvjB&ګG1-9ۊfT@ ]ToZ`fcn7&rMq>f aǍ nyN%cfǭ>sΧsfl/Sˏfͤ3ӴBPh\kf/1MMxZf2\U_sGNC\fA0W0 f- 1R_EfEfda^N_y*f4[B8ݭ{«e/-fzuX EF`V&rfoW=ĉ HI˖Mf'L?H+eX`f00uKqjjfCX;V~weejgL}-+SXgH!w=gbwO;hs yg>4N9c3ȻWwFgAi/AįgEL(TSp*Հ gFH<X Py]]gHrY% & QȨqgL2~3T=pՙ!KgVG{Tm6gY:;Sdg:;%kg[}WAcPxXUg]N_˫ےg]Bý¢ⴚmg^ZÊܾxIOL{^/dglF"*RCq|@'?Xeg}*; h͎%f!gGǏg~yɔ gEG3Or*ޜ7g1bPȼlgy]ggsCPGG=O&gVۢ[9Bg<6UCc\Dg3|HE 8(HNhg>J ¨3 og&k;oRHCg띿%g5KpDu~g9K@.ŮKg~1uƲ1qk qg\t'9(gZ.pgHv;'WڴVgh?xHB'q\[2Q;gJnhLFg䤈V-K)vrg NoZ?TWZygw' P,-wQ&Eړhh+R `~?QSIhH H;(X3e!/h>/(;CG॥hpUՁ)'mrh=>huKʗh$Ij),vhۅ&k LZh $0_E=[,h#™xx3CQh-i [` q-8sh4 Pٙ^Vk*`%M_h8ۓ8VFXhAb7KUL(k#hC.^&rҧhF`uDp) 3XޞhHގ/iXBhP }?c@ :qhS7},۠}8~->hW9}7Go hXl !lhgբ B߫rhsf!5iarhxujוE @ HhyZJw.k3%hzry!.ԑH\V&}JhNE;. UD/Lyjm?EhߜlӇيH;ht}[q&VhC"IH̷(VmuhM[)]?-N7>h_nӎ΅ IYUh}dgF$=HIhCT\$ԉе^hbе,txqhcA'O{vZhݛr,%aC;鼥hQ.z~h4jP E \VjhBF 挈-PQ- h[,ɡ:T0ZhB܃Ik%]lhir]Aم7;h)LG*8bh.輚Flsmh7 hJE i?GZGa$G0fi q}E=%Ui iKLh 1i)x1ev7iKB#pWiʆA.h$Jio87_/"zi+ =-nQVi/iMܙoUNFx;i3M;ddiB9_rDa&׃ ViMo!Y8iOOYeF3qLJ/iOZ&Qts{#aiayUʎN[ig\%ku!rIinȜf`WH9ipXV& hivkOԤw imPh i0pzs}stpi-Ps[w 1iۄ-qA 5ؒ:-(1iuĚTXS?2i rݗ,{dui;IO\VT iΞ<sV0.*fiX3/+XDw3rwcie: jy0ciԴaaiȁ2!^TgOq< i )EpmPiLηki@){8iʳMg]~QQ:i3"Rgr+DifSpW ϬJiߨ\YŚ"BT4i7O Ylf _5iI2hŸa>iG<u[܍ni麂~eWx`m|1i8^ȯ6QhaֳiJo8d0_tLjZXлQn[5s$j jP^ E}[j G 9\(SEpDj 3zFur|K"jI+C-ь.Յj eg$Of0SbYj$M9uy"c3?j5c|#v<1wMj5IN`۝:FN؛j; ski sOp<j;|$Z@?tH.3(tj> ;%A HeIfj`)F뇏1ׂbjlBQi0 fjt X=GY,x+Ej)Zmij&=3U93jpetPgWjAa%p<@j\uZk$m"pjk [9:F 33ǯj~|tݍG Cvj ڪ`S if ѴZ j=79q_ܘ[l pj"Br6J4OqrAj4[Y%w)E<rjΣ [GPs=quglj>DJ`ljߵZJdSu+Q{Cj+gEkEuKj4 Ȧq*j@hALJ5很&pj[mS; FF32kpV<ʀ :qk?)n szK5k#D: y2y k.iS+_X$[ k3,?y\ ;ϵak7VScoJnjmk8>35Ump'.}kBϪ s Bt-kJ[45m$;RռkS@"qq"LٜkY!܃8פ҅WFPGk`͙V(7|ёtfkgDh #-3j&{wkh.wvL}YJtk;S2=Wdk{kgO{"E*tkUwOj5b,ok||1׶<bkwxa\ͥɾk3.‡˜=zRޥwkؿwfO7[k^qN,gR~(3wkiF61EAkQ\س'-L)Yk9JnfR0۫v0kmu eDcnhݗ2-skAR lRR EZkMpMk%gkmy\ߟEfb*LkE .8ުRUkX&+ $󿧕@k_q`Y?J.j9kBYYZɟf,k?'z5{&6;k=O<!TŨ7%k;m9/l qX֝Khmrl C]}\3WF֛l R4C7l!GR]4OG@ ;l)R-<7JaMvl,=Euh[<|$\+l3ߨԫ\=\5Zl8+4{|:l;}|Xř5Vl<5_πD%Uyp/`lA(,({6k6AlBby oPqqǼUp>lCǵ:2 & xlE#?%<eZ..lLB-ϙ[IuS0rlMڻ/o s)|ilR- %rZD7la4Hq٘LVnCYplclYZJnL+Z-lf%jW2{Zi&lrcVU=!qlrTF򀆤Z֧lx;넾ZĻ9QhAlyt۩B Ťg_laMuhԱbtlwZm ȡ>ylR/ܐUM`plre0 7 z"v4l疅2}#07w7W-lYY UM7֯3lZXy5BWml_Nƈ8zl5r^qM8Jr@ylX' 5ڧ[vk:RlQ^#VIf 2Bt]l|֭j m"|Cm%l8Of'pfWJl_aȁ7Sc X*l\{|}hnB!<ln<# blEϦL~M #; l#] 2S|QVlr߂ A&;lޯ4~Ph~Alxyc=bQۚo6l(5nUwCz{(m Xrٮu"\Am,ϞJ_TDmcv]!RD/?@YmiNӤƅהmm; '01P#m{)hV%L jGm&Mtؓx̣Ffкm(:^4 ΀4m1B' {X\ڰVj<m5TRq ZSF(b~'m6(PKwR~s.Hm8wQ*DCߝl zm9=]&/ 2YImm9쬥w$t˻~m<O$ r0jP`TmD7Qw9Ӌ0(M smIY2d тmJ]?a͵^~mVFIE6==mbh7}ɼrMC)r!nmgO䖵=1Xj=3mkjÏuÕF?Im|4=#r:R<m 3WAm\#kju%6mRl}q2umcƪcVF m+Y4>9l/8ym^:-TZmNx٤0j3vdOmdF3v0eU,SmD5ot2Byg~1mgrW+CQ8HmzA;5bJIN.m]SR.^urm0<9 fmՓV/N m)wEjR1xЭfJmI6(G2 ڴmF&nW|n&.!Vm^XqU&7Lm! f \J4imu8"4o/#%"Rn*SEɄDIPa)n6N9#_U{InVk}rBeG64"n[t}!Wno[pi'Kx&O_qn*IFdP<kn/~l rXrU#N~n1?rEk]ҷ*@!n=K)36]FӑT0nE1> ;mJnGc Q~'f05/nKFV)%̌[W;3%nK8;-V,3 `CDnUG qgw_nY93ѫB7Ķkn`y J`Lc+)nb9G3FnmM^6Uu15nsHðPo-?g2n9BVpx(]k3VY-n6aÐxa7Zn,v{60(6nrF#Rb<l7ǹH|ժm[}ny<c8O]+n<bu5ygȡgn1{,J|nnբ!wDqnd~D (n2fF;dys)(n2n:"0vrCZn‰?'}?إn bmrq3K!\nǚڶ낡SHCnɼ+,,}3Z<19nոTgrYDTnٗLB?wTiXǚnۦjcRĘD" "kn"~OU_Pz>nPn/rD"nx_̡;BN1Lset!nqUנtK)߿n]:30,ګ[nMUl$%xo _p0YjdVo -iIorUz:lͭK2o6dΖ _`۸._T6f|o<ݒ2pN|ao>b#*[KHh7pboG9$'DoKX[By'oM/=قeuJ(o\gQZZ޸SaFUob`6bˀQY4/oiz' _ `vaD 4PNojBc8b"bKokoe%.^;Wܮos56kcc\b<CoyiIi}ibo@N ok9J_x%oChj@-!_e`!qop>!1"͙ oh6՟Fa\]*oe7JB:lV o.[*{ H?}o@"rljPPcoB2oM{iFk{oIaSoVl t1eI|o|C |ŖCJo&L׉W Ոx}oY<eGj/D[1-o,aRa] N([o=Q\3ׇXWpgzoI&HzMؿpBEoo|s۽+,+%pNN`}Hpռ ☩tlp:1j휔7 @p#񾿭ۏK@(Ȼ>p*UPjl4rp/) B'*~p2v0icK;6qpp<2T%H<m`;pFک%LZFjpKk7q"y,pNϓ˿50;pNrXx巐T}>dTpNx:E o% B|pTnj.A/p^<J3)mݸqpa!JZ9֪Aj3Zz%pb*rTyŷpe[kn0Zhpiq+ULYhL1P~SpnOI {\Őmpu,\OB0m(n`pz$PDi l_e-=뜆p6v (x|p1~}Fl߬pDOMcҽπ#poAv'O)D|F 6pqqi ;} eipxO. /ox9}p.n0471gpmZgu;)P p)BVf&^'p^jqZgɌ+p袺cKѵpǕu:ɡu[ qDpay~;͢ S4pTOwt'r̀M;{pAvޓMT;SH,;1,p{653 p!||py*Eo (}g pE,S ć|;p`- ~3oq PXcJO͖2q WZDyN@Wfq4>! E! El1աKq;l0jTE;ZBq>aB>mj%9Rq?`)mMX ȕq?cZMѼZTqB9UGeg^j1 ptqEM8 | HqM"Y͗Pd9>qNkv qNQMK"IOq#qROi!ibOoq\duO詽uq_>bF ~S[/B:FqfjUVēovoqk9=ւUqrgpvXZó^>q)ȹt`_wh|]qv$d~;i#5JZqapxѨ"|&qW}(vH4qKyqw,Tv)gVYqHX:h틪Y^qS?7=oZoqHHߊ47W5q>IN<^=+Umy9 =Aq@`vxjlq6/\iG1( qWhk86 aԄqq<-~8qԏwHN LVV%;JqOeZn<hҕf<ݑV qB\ſҬ"qt CqIdA$qxnX˴TkNErbB;,>8[-mr=ȜǢlŔC>rDG_O[0MFi{ry@Cizi\1rkUβT܋Þ/brًdU[CLj[Wr!\FYdsYUr$d&c @F49r)R_Sd'zDXr0p0ݭ{:/r4㭣p?o߶fr7;QR7ٚ0+WPr=dx{ +rH7E}h)qrrN4_4Jsk%ZyU|rOpB)28 (1rUr'n'FraE/I˯l̥rjHI@Q.Grkڳ'F|6ermW+Q"Qerq^M)A>l`ru P`2@έri1';-mfqr'Wj\_Qr{H?J˂bטۨr;kU/nAOXr4rF@B@;l$~xPorl+=& Fb?rH &;:Cӂr=}un<rـnR_au( rSA?O.rIJcDwvv yrHۮSD1!l΀-vrǢnFM.)_qrџl9^>c1<&*r#:b{f/ gr9+ġtۘrFCN#^ rf?;k=;LrΖzKq0Lzrr v>eڷ<džrmbv( PS?"[ysx+XRx"n^s}/tԠ% KuEs!u-,⯮s!pYMN "?{6*s"K?ᣪ7zyss%|(q<v m`s&nK| Um֫sRs4K{6)}s7NYs-P(h_xSs? 8K7)%LcsC~@94X{j sY-ay!ؼ6s\ 藸Үśrs_mPCv/xsf;I !_檂7sh3q0SWsk谏`>,NPg?|bspC]vDPsv CDEϡ%sx.??d/;+ bs|=$l[C|{P~s~" p=@!އvsp5MtZ3縎hVs=a2`굘]t͙s'awE9wps e2gsH 1^xqlJsyC/iwȲ0Ҵs tFzC!es[Vْ .!nYsNqN@ls]df Q"VV#s<{I>-nsޓgT/ ${s(\|)S;((9sB' !-Bs@KCw}VDWs=QC8*qrms]]Q'o{qR"Ht yza#CA&et^=0\ 3Gt na!t! ׋Skt%HXY+~+1`t)PeJg6F_At6粥q^Rs~4T7t>)y%ݎvKatHcw0QCgU0g!_tH߰ʾOkQtXJ.dQq<}Kt]xow%N^<\^t]hb23&˄VmtbWF X=U FhP6ti{fʂp~o!ti;y.IMLtrV35c<tːxZ"s,I\t8j(_̅ %wEҵ_ta m1ewt&#PWg! b|2t_w?A.LvVӨst6.b\nft4Q*d;xZ|%tް*i=1ڵKKÍYitom~t$2-Y%`Y ug WCXD蜕?u f3 ĵH -` Cuu0HKLND u5̄|{q5;u̍$L ȝ?#j"5u_mɳ]MrʸMuE/$_-un aov*]u%KXY >#Z?u& Yеf \#Hu&Z@{E_|Mu4_â=kc׮%u6!{)/Pvu8 Q_bkFw@[email protected]<^}t V9uIjXsIɼ[<uJ{,$xuuJŬJGiE uJj-}__ߪzuUiRmؘuXg?G &zuZ2W~KQg~cu^L+̼<8\j4n>u^Qz=Cm”ua02+]ש/٪.uc*ľ]ܨe6uih@jǽB10t uCuwFo :o!=uMF2#=*p"}uMI^@4X$Tu(<2b_Ó&T:u`㜚O)Y~@u+! ܵ}yZu]xSR.JrquzXYYrC]}< u0(q3ttuZ$yS7ouIutOFдDe1uЋEG9:׆ANu,b!~̥eVH^FuHAKaKcdu` "qy콿qu@$05@?=?**uӃ |v;GE!"uX@`CjF871)΄yua;mQGv5 qoѸ灥v`o􄘁1?´1vb>ͮ: ZFEv 6J*!۱jA bQiv9vGnJ =vDTFVdl`} v#pm+Tv&</&@-@v*7mFaR`zP{ev<Q9a>c9v=Pѭcev=9.,wUUBdv>FY(@6~O3t.+vE{.wAwrvFnԔ8mLcKU44vNJʊ'{. 3vQ)8SdOgEPvY`qt- 9vjY$e)m FMƔvoҺݶ`x&[nvi,vqgqxmVWMavp_Y T:G=+ y1Vv}vUX4}Ýd[vPHҗ/zɈNY`vБe,DnvԖM0Uv{fc?* PvV6Sdf\}27voх]GK4O"v# LJ/ h[?;v5P_!+gh4hv7ϦwS~5:vCOs4]WD Kv #81{٭(Ө{vcLrE2w}:(vpAMB%vz_v/T(t JEX%v'yæJKFv[<8,4r 'pvի| aM*Mv^D/,*[>yvnAjy\7K·vC詘USvj_ح㉡Y*vz Ku&Aw <(BCc0Ow5i<@1<ܪoOw-'zu.lFsTwW u} >wY <nrjjyKwP T o.0>w ARbڜzoOw1LiRJw5S,3{,3 њ|w9b~DWgzWSXwC 8a "wL(,$,<A2*wLk"7Fb'MwX~; = WlK?wcs9fԧ5d`wg]0*◁^twh='X=|$zD4ww#ܞH3цa>w{j/{]3 ?woV;;L 3w@$hiotwd$޲i]w"Āẑ k7woS϶ϴ!>&wkc}ߦŚtwUa*/jȥrwɿ!Q/ghlhwx a#c)Dwr5g%PwAQ.IZcƵ xq$Y$>vWŽex>>Y#n ox1rNHӣUx ccԲ鴮q_GkYxJ CI + xCcQ13D xW{50N\Qx!כSDYRi:>x)yi2-D[X,J.j2x4R^k%Z|Ax7^vk4P9x;E{rHx=IZ~o]~5OTxD-9WLBxlRN JxsX׍$2vOxss |S2dbdxxIMLs`E=\lJx8ٜBLe(~Bxa85!*{4_fJxz |0rx2?o͈k*nxEy_-0/y0sx*M':16L-x!q232& <Tx~UIZitxxպ7blQ1x0 yi_rm~Ax euKHxMboT5ds!ފxϖqTH]kqsM2zx+=^KV*Vl ÌP4xz?<)q[RaKLxVZI؇W>+xv-Uk(mW8xstx"v|a{x[~V\? mθx^Nl * &VVx_Sl7f/gcx _ Nj:Þ&:9yXN 8~H40yRE[r#UyJgy2-a%ye0Qi\>GyرZ7Vw [_yHNלhGy"%xfgtBbvy#9 餳I"<Qy(f-r)&eYJzy(m Ncssy5ΘtɁ1Dey=2aL ݉Fxn$yiy@@lw!f1yC &VJ5yEtO ء _~m^MyG"YԀbYjyJn_{xf yc1EkU?!Eye:hWmpfKcyhktIecyn;1M#DŽ!*=y|J|`W_9y}#a6eTinyc<KMݢ^Iy5h*0 LB/Ky5D ko_y>@w;JyD񼌔_ͩy̅@f 9gvW~y]gZΪְy =ɬh5x"yY#0܌py )f@[_u5vy,o+*y&yÙ Ψ)Auy$ M` kxyV.]u;Du -yxIVzf!cXPy:6 86QC?,Xy Qd[kF y,$ΞdUynoeݢ(.C͜ySk-E$sRzZDCdzv'z!^&KzA+$ ghVOUa z 0SfDwG!az2oBNX* zϾi7Ce~ZjIJzs^%V,Lx]z^FٗF nyRA zY5!V7'z&bwܖ6z5bKdH;C. $z8eFG1)?z:#-@ZWK{z;▉ 0x1*?R^z?"^M\^tzC-t 1J 1ezE7|efCzzG 4@ͤ:)gRzO 3hkiKE zUp-/ +yfvb,zZJBw';d޲bszdCUsDzfscs#.ήT>zq׈JpzuD]vՎ0wuzy{мdP\zz`i= #H~;z,\ K, eKmz-bHS(EVj̱zѬ3&s*1}zMYݿz67цXzvxDϫR>I@/zVP!:KnnXz8is M3=}>Qz ]{[xKy*0zL?[ۑazW0u\o{kzj}b .l2lz2|hBr9]jHzV(d gQza,Z-TӤzo_E;/ c~tzDS-z(Ϝ6z|f>uFȢ9ŊrzN!w0՗!ˮ)ziQ$ <շgqIQz1^[λ| HizgoTRrza'eSՇu|z۷!pr<m&z{w~nI J WJڲ{ qrm5mE}{p_RJu#*?;ي{<BpfBz!U({צrg&zxFh{3  vEz}{&^JxX󬂳0b{1u$فw$]x{5}ܻWz0:`9w{6ZL~{.0XZO{<@y`\bzė{<I>${5D{>'JcKKe{@m*&cHc~^f2{EG_L!iyXx8\{ED3f2Qy{L㡔v;3/hqQAg{Q*yoWWcP{eZ<c`^vCB{m>})ϧX8Ҙ?x{s̻VITpCAL{w-^K5+l{ٸj1{XL/'gb-V{=y&;_QrE {7C7 ZxMa]nB{ &Rk-nmg{jѡuN,]<tL;{0-URGSGu{vJĔieGP䖤{ ~Ѽ3.W4{`VsuB^/ NO{ԡOCGnfyg{G*YAϤ#m6{͊Ԁ ~:5Oʄ{ΉQ﫽\\p({sI]rk$ {ɨan#ࣸ{MG^H9_/O{5\3`|uo- ׸{Icp}Q{$"˯sf{ss1Ëqx| ZM|| 1M):|,r~JS*6W+jVC|;97+VUM̤Ɓ|N}(7ƠBS>|rRB|"WR=UlByu0|(\%N# ف;|,V)h"X },|-!8̒3y=V|1$C~!.|210h1;i/.:c|:Spj;qK|CG@Qww>K|DQWni=sؖ-Q|^ȁ:K14J|_ 4kl om_G7|cơ- p2ٱ|d=y L?86r|e&Rz_1)|y,-f|{pmU^g 7|xwY a|{U|X|?> bŁ&:wӏ|'W΍ |RC )H푰!|y_9ej5ذk|rGZmSockѷ|cT,Yg%8|bە&J&Q$\hN`|yFĠ E;|4TS| :fi|Vj=&LղTgp|.nI ClC|ݳe)^>.|[.|fnjA2Pe֏|&!Ԧ틡} `|l ѭ-D~QT|#1oxkE6Y:|\,xƘ%7 }|@gAo \i'hS}YWB9Ch,jLy}}OUb"-R@}1eԿANT}1OoAr!X}4<ȚB2%}63kwҶ䗝E_}9s#:9L+3C}Ke_Jk=퐖͂OE}KU* EHn k}L,T5k[}O(1fo}PHY| ySz }PXt}F`t}R.|b-C?t,}Zs'K >\ X‰}^@AbwѿE!b}e,n j1Ǒd}mҳ6p3X'7G}oݖ4|ji BJA}p |כ?z-}{sMnu"۾)~B&%O}{:<aj Hc}'Ŵ}J}ZiM"9~|Z}\̴[n1cO}ֳ)&g+X}GQ${%}[2VM8 j}WZ{nVS}_C{U5oT/Q2}ܝ)raN@"}0/0#xВ}ަ2<7AWLHv,}Q: i\}(MVw8PI]3 }Rdr[.}pNDVoj|kc}˺ ב1ϵFd}s|x| 5@]*}bq t0oV|}U)"nUϱ#?|}ItڊnW|q}&s8@s Z`ɜQ}}̞V$lH}mfQoxbF'~i}4ІSkЄ~Dx%:~U&/h4 ~^ .u 3~ձ0/~ X4&҅U$~ V r\`jpy~$Vx]c;(~;K?1IB}V8~DɇƲe34ӂ~EG3ip%1+~R[0'h'̥W˂*~jg)<GĦFj~ya3 u^zG~v'Y!z-) t~{Yg<h77d},~`DYAwB'~x~,)!̘K/8{Ũ~I3|B88y`~3fʅJ?q~8;,U~:|ܘP~~1fT:tĴd~;SSMc,?Ϊ$~A_/- [;O[~z%]ÚB~vV F~sƸ :gui %~n;%x/+E~o)9 -+:v~h!S4IO~r?pDrͿD S\~GSz$Zaz=  ݒ1Tm9IȀesӵ"/ @P_Cv<t4{!PpVwa@7γ"#,'w FO,k$Aw r "  &+$ 8. v+FtV>LQ5 {r ,mrC&п-49Z- HwvϡPoN-\|S.V1_F5R%bh{: b$˕6vJ"_!h8UlՐ7>ԝ>g0^qIdżR%K'p]l,xƂqN<vq0y?ک֐ a)T @@hTiZWNpX;եz5 zKa6gҷ\Γ /TK{1b_ڛ'n4eg5cZH8g P8zUПgצ&cmN\ה2$4jlL EV<Tk;YlT=eJE]5`sDmʘ(ݜJJu_+~c8NbxGtv@/me'xɳ7 [w}ߠ 0nZ}XG2ۈS wl]$k,.jųo瀁q2xZv'AR'O?;D`1Mt(l9J} u [Z*eӸQgrvoB]慎A-ͲQk|\A.w&;w@Z9rjғטVj מ,i y>50 DY}bsF۳q}/M:]E> 'o@8 .&N,1UYYȖNVJUS9<)'ˇ֠Pd˙tCSrs.[fςB5F  ")bmܔ1ݐӳRL1B ;P6Amx23wYUb kpT4S ?74~'.j1ytO3ꔢEvG^~ pN<S5٥ ,nLo!:ǑDM5n ',TO,~7:Ҁ'4YKKn I0\vX >[K PDʀ2 2̖ҁgO+5g3)EJBRGD>Sqw"8,?B%(aZfp.4vEi/<:)GLhSeq n윀Ju@$«иi)2 LLa ,/wT]"l]ƆQYV4ҵuHM)`T\Vkoc٤ĶFD_`CN:VOl9Mt" Ul1y1!^cysVwGDSU{AޫvەdyS'GS}#mPXX`, \~B;ߒ4s$yv')-߅5q䀘ԏϲt{NI "&"VumOD7|=M~ė`P0FKCMt2MҀFt?0a҈)<TiYeO>"l??|">|sǢiV~Jlc%0=zƀ[&EQtnVGMɵzH(\[玨acx{^qr$qts,RR>4_L5]5'I&΢pbgf<If?n̍hA(qeh^֎e']= vF1\7P0$U&4 $2Z!bP7;DUYg,̙V’ՎEAjQlbZKTsE㰏,c@ϡN2:w5zwJW*t9't¥b c 5VHj1)0jXX&NMT$TI]oF!r( Fp wHp}bNxd +h5_&Q }jKtˬv Ik*6F2y~c7:`]p3Չd K3@Ǝqa2,ŘLܬ}5 L113}%.5^j~ƣ=BpT v0S.B`!XM@/|S+ote4~[39BvѮoZf*_߯DA*na&$+ŽgtzlXYap>JVuЫf:OGy0<5hvj,+ ce9_ŗ @a :Ťx:IO U3MG 0@q@` 12=B4V"'=Y);-C,6SF|anu<ŝ*q[k:(ʹEӂN q> @ inoZrU"4N- @m=C26gB<V P<Qcrf \1 ݂!-B*i*-L!#n?$ōDr[}!+L~jR9<G, Xl߂;a 5g|>VZۂBSc.t)KIB =:OjDXD{2g,ZbI<G ĠL=˂JGVv>ܫObovg!_qH\UrSvկ@bSkƂV7J@D|:)kI^V~a"Cn;\Wvjȓ拤yV`<d!&Phv;+a0'K"F'ƌn?c"%7x91tOSʂc~F"@Xkhs^n Ϯ!B mG6!aֱ =%t=6 nzHa0 t 3ke̐%Ƃve:C\cN<w`({zĆu ӯ`HB=_Ze-K\K$w~js3oĂl>Qs=56ie] N5DN3uCWMgO1 =< .0yfpTu lJS~v~j>bO#) {w]?r~ ǂ.Kiׯ[<@, kNq#P؆xB9{Jɢ3zlм q5z \q,Gi`$Fm5^OKn5VڂeS23F'Cn!qW?Z\K?Ă!- N)Z<h1bځcם5 ~7KD`tѭP NeF&Rȷ{V=:u!ow+/UBq!1#[!oHGRۃ$3uYGZG'΃'G=) 8r(փ*T+PR<3-E >ARF,F3kׯhF k Ƀ61' ƾY͚A<ZIyY`zPj<Q,<,$e3*— > N7]dn|.&AC`iKr{B֊D[Y͡eH,Lf^!3u?^M-ǤCu u5miNNZ96N=NSQ|@1frY/)L YQimmFzib M_DSGα`NTăU<,Yo] [HdX =prЃ\9J:7Rw.&\ Q* ܳn?3ݝ7`s,tC K22pdXjen<rru}J&3.+ L}}2 H܋nĘY*ؖ.JyZ]3wr;wڢFr/~x_{ԣo[ (VsHvwWQb7<<sUоT(jQXVew,PC%|wx$gU3 #C"WaiNJ.`lXhb\t[ 3)*ל]ٲ6:  c9|T$&*C1qj lt25UCM Io4aLGx2 ЫF7̅aM/~;KNT`uE˪ƒ'a#D5u<HPW4(x]3Q\$6~ ۉW׃2/XKH.lvfHs>>Zfn \#R%Hh }ƠWp ²T`@EiHDg8;ZPƇ )4J[2(3v<Hq[@+%l]bl+3y.>tUC-p{5I^:֙(8o ˢCDT ? @zjU{m?# <E'C~3ehCz7˩ DBFa,TWKw.Dы[X5^ Gţ/B*h!ZuC!NNmR}k#8ۉNf==P "8晋 tJ=|DA_wVs%̇\|-R\`B6ЈI Kʩ@҄ac28ĠXisrd-Y׹ ::>y<*號R62yвKx8FY}{YOسσI1ډd}6JoBN4 {Q;A8Kb𔄓?Go Uκ,HXSMI:4\C 2W Si]njI-GY;۬G]2U9?4G*X զb .ᄮîғ x95>Y`+eoF4 W&%a;"9놲z 5?%I}T1qXS` Ąq7:Ӊ!jV.Є: Q T17һĥ/Ąk_~Ä?-ao}|#=aFv3 e"Ѷ\XR)O.!F3Q/IJ!dyБ4I$Y5aJrXT(ŨeqRX◄rPctd, fÇIl{ShaO}1 CAwmF H~_ F71\t!&uZ (}܅@>02P҅Tr̄RGK&?с$\A<'-[.Qe7Dh'L&֦y]A;7"(V2/<VP)fi}4N9džR5>2B>m yb" <˞^h89lQC\Cq}|C"S ,Rl`sIcKT4 F>X \'UƷ"v_Ftn(Wn>ǐ" d#2[lt]j$߸W)?[lǢ<%9^pZ>S{/u?'9t0ɊB8gOfMzԄUxM|YLQy)jn hT~cܯc#[G2򩺋ǘ+ژÇ'=cWKn%2V}zk-q_155r &ꅬ-ٺԈ;(}X4؏#ȰEƩ1& iq@$g%,oiD{Fgd܅Zr['vD09)<JQ kF|wNlo hO憜k[w vj/F9͜G <C ]Lf f?x3y>Ry$)<I\%'@φyFкz޺dy]6qқ=+%$ J}0?F@m\ Mۆyf*~/P]' lZ+fvqz~zON~W4:?Vh_UsR%:9߼$< B !w||Yr!fP9)ĩ+a*:/B;֜X\!<RbCs z"L'8pbQ>D8ߒL'CJ~p$Ԩ@]|ѣ0)+ FŎ0$ɂ׆-ųkyNtF2e10b/ز鉆3=}FC$ :/7Q$#n߬0;,:R' ?DL8r!ٿ?Km7 e짃jpalAbqB}c]sgMPk#=x3\Z@Gt?!M̰<N/+ R*BխwI] WgZc<ṿ|n3I{B!m]RgDr.ZX'ƉE74?Ejt}y)3)_M[ Ѡ`ơKˆ$z0vnw&FWcG8Ϡ6M~DΠB[bsy4-Q~.g^ Tg㍆ /^*C6 I3z޹Of-|ѤMHScI P%:ڵFM_P 퉗TÃ+ɼ]³6j{U-p!VF* 5] h] sk5[7 DʀLoER~NK)13C)L鵇02^KMAPġ<[dND7IΙT*O(zGˬppԔfLІvC%Oy ݚmڻ |w'ڣz/hE()=΋`0?/G+Ǒ&fKa~!D⑇11Ud+qG_2"B_2ԆS)6::/_ >C-GE蛑)e,e ni' T X?]7 WбNDw]XQA4J!-R'm_me bD E;g͡_"/W$5K0$7hCPp䚹D#кŇk֓21^$9yqoA(jO ?n"o1$Un93@f9*r,M1 U?62LE[vF7(x0HIF昬pN(Z4v65'Q ˖ӛt\pZ> ¡P9'wԞvXCf;dM_+v |yhZ|Y^^ҙtܳςAjύ2B3i;_rj湇\?]٭< \`Ǩo5TyT[f쒏w&LJmh<mB W)V9…*;}MscW^h(;'uMҹ kXY-xbu7J 5Օ;/F3tqF;G}OGvgH-<t{4W;CJP(7z{$J%VURЄ7*DWGV/ pK_Z`l+P[e|lT` 8kq+it^L~;d$وmZ ΅Ljy0G?bVlo ;/y2,Q(rψ)$[ Yv跈c3)喒ފ G߾XwN_xDvMɬOԐԒ?"n֒z&G %V N`-{0DW+F|jvD i#yE;,ͬoíoߓXx<IyޒNo"c[Pҭ ' ma%8Sߚ48sdK[ҫ:DDM"ie̘xܘ*+5J0+?^F/I;c>ݸ6ê-vJF dz Aṉ VK<!]8- +nPKމ%  [ڭl)@[idzKc8EMg_Ӡ,%o!<S]:9<w ։C$9XƟuDPDFqwrO ? hLBkĈ$,̣yQ` 9 s4i=dReO"*E1{%l#UkTtD.كLULw<;+QfV܂<&6>F~:7]6#B7Mh 6_:pZQAwǾL`JNW;wRڰe,D^¾mOT/gEFӔՂY3 !OƊgJcWeci4xʚ&T^is3+:5EuT?koR,̴{x؉#Tϼ@MЃ GֆJ,*Z/0[g]l<C}fXIڒ`X>/Wz $OΉk&2D~^[ݤ@RFϜha k6`Yi`qU --jBu.@lʸ< :o6-c"% B^^6jP*UQr牸?9̜]A TV.iYVBϷV Oآ3qapC5}L\΢~YDiȎϸ?<~ט |f,薦W-{ھ,J#`}*bL.PMBRZ̉>Kðj z11~ȋ䲆c,IЌϼy$2QDrwZeOD u9rO/Ǘe%T2oZ~GtE#_0`~QbP<sb\3Q)3$4av5%Ujl zm 4Y%n^rѭb1.`7& &6;3&EQ~;W"HQ1C y,uc `c ׂlf$ J@OS'avj>b- Upp>t:D¶0 ǂg/(Fъ1(O^O]) T>>Z1ĉ)<B_Av y(XɢPhp|xļ ;oh-QdRy GA$kDr}/guve`&2㧴GlwwYumy}6_ިn v1r~`v#?9wŪ"<51N k+.@!yr(."Eʁm4_% Lf>+Ze7&_3<iſN#4᣾HīݐuDlEk|e]衭<.])3ήa<Ⱥj;8.y6]=>'- UVӊۛIp˂z9V ^yw3JѯLyN߰~_lR7d˝buM~d%ʗT?a\!K&tgWt"±agi>]IhؤՊÛxvXUVSf1-Z( _֊0aU#6{ $_nK69d#.MeڐMNs3ˊtѺ8H4$-/@J,Jn}X"LyỿƵ<_]Êb6K:7Ջ o~ZLNZu xyi'xK {Ћ܋p.dT iRs n~I\"&>sw`g:(_ދ7nn̩JoP> 4G8BZV-Ѻ\xS>28Nk4ICEde<bE}bk GbA<?/6y'SwD@C\΢xQ'2\B`qn$Z:nȮ<D)T[/S=DIq3T)h>,PvɋH&$)%]E{HH,i;9'I= #wӉ?.S2;cȮqQ)}Ej^8i799mYEoJ|eo)ȋ0oy.ADzkDiOoڻIE +eaT9ŮNV.eړӖp__qHqk><UNnC2{B(;:܍]^=Ɖ`SِlfJ"'4qemS:h~'$# BNӣ_mǢ E֋W˲-ؤGEXOBnf̂ZBHΪ8YQ_/U˾Ӿ㐬zhcw0+D ;CЙ۶x f&xs^ZgnˤȄݏDB8|,W>tnzdآc7H-jՙy/MXö젭.gDȋ&4ԃH4JD 17_q+Aee9zCS<,Wӏ,׌Ru`,2I;* }Frτjkv AW-%f璌Hz ќ# Z NS,P^ޭ:lj( ^ۏ$%mjDǣ]̈H#F+)烊P"%cנwD-ByWFj7ѯ nv 64CyղXၷ6FMw%'n͇7]K/,ɽ[c˖:;,3PE6fH U`(v*ԄMWX [vd,Ea{X~]"|q"' OL<<^Oh܏v0c1H$h\|I.y9PZf@oq!͢^(ϘMUEsB3tnCY H~LrwLF +,Vf>«;-OHuИ،]6U V\NK5 zv"f-qc`ӌ͹++zlRdBWE Ί񌴫-l5AqpьW*A&=]JiVHC"wZӞ:Q"Yi"D¯)iur^+5`N_Z:r }e)w(u'W&YqڜU"ﳟl_ ܗ}>Z RjD~⬄"0m9 Mn1I{1z<4y#W+ .G9 M\yyT5ݥ ^]z9=(.wyzd  &~!U*K>'T Su#E†8f?h% 7~+ 3ێH֟&W>:>~} z2WTSc/P#`}/D03ީxxקE2br2._?ƍ*!f|zW ,6>c &_2pލ/i6Om0f{Fu# 3pse"@PTDStK=H%hX1a}NlFY ޿c^MX%)G[gFiDII\leuvpKJ<6`MpYmN?6"h^tnT/y9F2VWh9ܣgY]MNoD+Vh{w \ VQ |h'XYݨF3qi 05j9qwR=l{U(xU-}-:3BeQ~gtYm1&ނ2㍃BLξrAX9+vyknʵ|Z,/O|<=JEH M~@ڍFYXx=d9} 'D$KUxq?>-s~E~\N0BC~c  X>ѕAL~]&KTV(fi>#]vq(1 ~EPk2輶q 0KR֟ya⡍J٩M}ҶqfkYBPk*1.F{ک'KI5Qț쇪 *Ondޝ8+F&7OջW7 3wvw\'P-ҽoڎ[Wڠۣ9  SS9uQ K$W viZ$[ nD Z}Ṯ+tI~~,l7Ŧ: INҳY#FL5/- th^KSaQr_eF3KS}BH^HSS%&#?lӮS!>G{3 g}wV<0.=ve@şikWT7GeV)m4]YjBdb {S;VHa4i1#b;-QZo6j*#?vn!u\|l˂Ԏn9C`agTa7O[?n7susޥhI~+![8<hGE' P2l6!s2'}I)뢋saUNv@ J \*KvP!%Fo\;A+` ~*uWeytj% 'dĎu]2@~?g}WA!*v V^f#H>$띓 ێyjQx2XLӎNNI+ykBB.=B1R(/) n&B-TG=l2j:tkE|2d ·:g jsb \ɼne ga cFp;Y칪"j͓!-wzoF3#Y5a3x|]"0NbsDC`'_&L|ˆn,3ˏ,6"pȗ5}.RAٴ)!{_q8q]J~/Qpf>«Ѕ*{D${JJFC{]aCz*DJmBQ}E錳 zJ ؏QVg4ۃ}/;vY;#%Gc[\߄qh(fls^ITmHܣ+zbbFw fxf\&j_[ hk뫏kM6!!P0YQcmiaaJ:ևvou~GQϩJ'OwQ(Ώxnl-My8D]ӏz}.BʓlRu0ޝwS(UϕTDw!]cT4ω6N2"M1X~՗K(k.4C +>=^Ϯ׏DD ~~>ZJXkJK0C^Jc'{Kr3 w[Cf3sߑؑ ޽ǫ, ZX ASX_;*;K3٭Íe͖% m>xHwpL~W͏mӸ v6gpuŻA bx%qxz͔pGM`wSԝ8숐ԑ]U7ib &F$#ة: 2pR;#tv;v^;P.Rhfo/ 9Wб%voBS*]Əߋ5Iz~mY' QeNf;4&G PD:H}#[-|@P5?8ϐ`g67^R!c.8Z/0T/LK1n<A%d884=t9>'Kor)X C1CD&YBD r1D5iݐDˁQ@ o2Fzg bD(V|HJpրW3TQXչmHkTWZQ<LAYAڐbɝ6s qղiUO]c;Njw@=®dӓ:glJnLTi2LtɇeJ~x#R $`8Ȃד;DӽmY퐕SU7nV㐖}d9Fw7mR,' 偃~GgSȴT0`a3gUऑZULؐH"ynljB3c!⪠u,]SXÄK"B}g'7]JEdƪQ0(=:ٺjΚtj@NXDẉ';AT#FϿ#!i-'wuЭ >`i mW@]1rwβS<!FyKNh`[yZHlǦE_+5Sk.vVzF*2AG7nh=Aʬ ?Y&ӒC؅ P9x/ - iNW(`PJ%c @liCLC8p6k', ^âC/:C{0I}l#ps"Pґ {I2B v<T͑$L(Ski#N+@̃@3:}ґ-zMޞ9-Zj+B< t]|/!:(Tb<t.AλvLVN5k:=NoPRJDk{Uئ1V)VVެMz ܑWG碖ߡR7*pgّ\Bۡ{MTcIL^C6dx)^hub9'` :9bN X y#ģ+>ؑnҪ/2v_ogGE}ؘXmd3nI4m`t؆gşA1Ikw2DIM/>o?$]U)ȽĆӛÑ5O "-2TqWk INeو f9NGQnFnX*ں<(srFjH\Lw{l._SwU<AX}^qM:ꊑsrV:WloXRMèM,Qm&`@Gl@9O ãxf$]D58JqC4lR1=%,9wy@g¹(E4/5^vۑHͨf )ﰰOuNI\wC y6Um+y PqnByGpP(5311A5|~(0B<&=*^k{AϒrضҒi8gk"!* U5$>3>%- U &3wJ&8a6ph5JKTdh<mCPz{. 4^x~XBoȃduN$u\( hE[zkݒ]yPγ4ؑ g>fk UT`" gV)j@k0&Nevkߌ\px}CUXE@aN}//+(F" v -P 6pOL|^M5IQGvسVm^ޱ@52w agzMqR/r %" ;AaS⒨n,ޞ>:>%?Gתyĺ(:˕tײ',𸒲(V5FR3η7;#:(H@_<zV=\':)a'΄66lLǩP͹zQp_t-}v b{و֞#[mݑ[2ErZM W~%Zyʛ畓74Ov.MߍJgVyGƃ+򨑒&ӛԑ<OEʺ_DZ/ّLLeOR- G-tlR,}IS RtKdi>Ɛ4l hy|@t- d+Tr%2¤I WC(RVWbcQÓi C`i[L 'GĂ&7G,H(PAb {&xuk[Sԓ+#DF V<&!H^/M; e^<ǭu,jdBwn&ji_.O11PjdScĮlW,F-ijڎQ roWml]{ݓЮultq#pGeGߏvN ~ШN/ĭ{tJ߽;?5H0>Z9|͠viWT -Dɓ&f0*FTKkDѓKvnE8($Yf1Sp-;dҰ5{nBԝ21B?PVL瓬]_~sK7 Ҭ-E dP: ]~SdSl]ޯjT( &Ͷ7C.а?A;ѓK!,#%9rExڊw`*('Ѽ;}G  đ\O8I=Am"F$2G d:֓cv4֥Msœl( q>ւQP/N&ͅlnoL<Δo| ].Y.@Δ z*>2\&)TΔ C~wΐU`޿[֔#1&d pkR,au;^K.dC,wIi۷ 6ޔ/ݯBhDtnE\3.:R>(cډB^K<ƉHchhqȞ'\N3Ieb_ҔRG"n(:7|43ORo9=C0[~ŝS/cTic[\ Q(;&daMΔfrCjJ|# Y#]֔kczOKk!jy$ξ,\m4Guwp9Jvel7@2:i(?הxjʯj 1eh{;qWMF・ P|BH鐂MYׯX̔=eSĘBӋifA5S=Wpk<`{?SYԗ{C&j9锨" 252ٶ>o=0L 7 65yc#ėA\me;`sfhFD{ۅVFeQ'Nd6.` X|h:}]$3B!۔¹ī rw $-!ƙ'4V E”LYT^_>czu˽U ɘ ms2m5ſM^CZ[kgqO,ՋJ ϨOz`Ab2:,ףQ:d ۽ЪfȪ-:2׭ԖfE,q(qaE29_DV$:k"4z*p+3]=ۧxs)yoNp!rL%-5|#rdxi.0;-@CTW*`}މ "A^_Z!YFo0:ၕh*%6<qG,ء.Jqpx=ԣUۏDm$Q˻r_"Şܲd"̛ kL#ob1pHB q+<flW+qdBAmpe2p#QǕC]2)\}D.=$7zJ<![UZ`r ]կV5+:Ƞa܀90`?ڕ_>[عHR``pJ`?Oi\Zi(} /mʉkRk5Az!G}kWCvR+FoJ[:K>ѕ{1~v$̸ ٿf}]6lU\dvʕ1VfS^hAb?W%IO$J4g}wMË.%ܕ|З^"i`%:8CML$U1tGT]ꄠ^̫bez|^? o@3?ߧ{!)uֲ0dMצϣ gϨ8:U"8]q^p\zcןA{ ˾r-H 4u;bj70bSkf9؉մMm5*#?ZPˊ:YZ$yI)SR[uKE)kLںCI%}\NOOuHTqM髕7w+3 3MP;;U8v,{Gn C촽q?}EƑLhʡg.#I8ӓ&#ץQ'籷M:S'SõC*)џq'*|B@A(ѧ< 1 I DÐ % d7A@wА(8=F2wV*Mf2A9:W:S٦Eܧݼjmi錼F3qb~e[j.IBȗͮcY[ NE觩ڝOҝudTe`9lj8VO"`ܸ#3דKfS7ѕb **#ޟ)yԖkOJl33挶id nWNi {=U:VbCo~47U9fyQ b"pZ`n.r|DVbT"oaoqQO›"gLX|թ)!,/ߖj)R=QVc9{&[m_$Tm7^wolJ=Y}TV&r!m ʝ_(kNmv^ xF!IzN0Ƿ@M0!,m+l$tL/}&f?KCU+},)KNitZ#3K{}pyR/6w y)C_tqߨ6ݐUAa6"&6FjpO?i 1j?9b(BCؕ#D}譹0׈W Vꭢ Ɣ0W\@._LLU";NN8ND'U!~M=zB<Q=;+:K~K`6.2 9K̗MI?fݗU!)7bA-K6yΔY6:_Lѐ&)Ċ\.aEZSk%f wkUFh uhp G|^klrc]\JV$D%V~qJ9>LB*l^rLCl:RɈ{|٥=_ʙa9○Zn` Cy ´z0ێ=Y]^\w-nyɗ +R)O!9s'XMfY.M4dfWz͝$(,|뗼"jz76?1%p,ռβ(;,!~jJ 7٨L1`W̔vu|)l@E×еv`S`9?1>>i%E(VH碑±cC4|,3ɴP3}źP2ޟE9ܯwKuk@xV@4}*?͗'%PR- ,Z) Jh㠄^ 3sGn3f8@e.UߥSr,띌a ] N}`N[~ ;*IY6I t,}58HYalz8*R!Il^v7) JݡE]0~MPpM\GȮ޿"` Y3{K.T)(ipR(H$KӄuAv$gl tPZ,-.Sq;S4):0UNWP$~J5ZV^d6/|m]{Q完ˍb i檂LRѠ7DK~A"A߇dɊn-_CStܼ˯kK0kCTafgr0 +;/?&b*㶼%2Oe\|,޻T n+aHHM &=0@!NcD @?42yGJRϰԴdxneҘQ?T$yB-,ˬESYcPJ0s(Rm&= c_ OF|G&$Gԟ)<W!G<Ƞ[r% JuFz8j][ԕ uA}M=kqs~i l]¥pB1# ey>caF\֞?OOŢ-d~lf$r\-~uChkSaDT~!דL6ΙH{O'b{VIkֽn_ʝm@TߨN]]AY-O<3ߙW\vw:NjD^׍N%tXP~`x^0G$Ppsjmyё@{t Y<D.w3zJ2,_S;zn*&͌^<~0 '፪=F}M+ǎAt0|xALާeJX/rwFF`o;c_C[?V`k^nu]됙 2fAf)WKк1b:Ě6)BC p}*#Q:rBNѴ-ͣw/U!S~nlr[GN6I_a fPz=oa@@Vd<"DET? ѝ#pQ vvXdl4% 4z+ lE|S`N&9%`[u' :p \]ΧJJ9h yE1v fWJ91Բt\*79w35'60;˹Ś tθ<]8CdE>Tx$$<!倇ye )^rb;޲j,)".6 ^ 3323R2lPJ4Ȣs2584\, ;њ8 :jW@:#0B:xn:=jpWF,?Sԇ%!\[.{R3~^Da U7RD?c۶_(N-^<,m _*/8c4YMqx!)=(Nww%0v{E<œ&fy| ²,]vʼna%{Mq(E'UR+z5BLTm<zyBO744%dz$SFgS5diIzB,A1[ȫ횮*@lXRi͹DrR2%|s#AײW%mfɚqa e/B>&l!S&q/LH3Buf;Tx~X2_lW5Nޭib75* b4pC`ɍ:3˖CRQ&68.V[ظm~fk+B^^rFKNS-?Wgs ݚ|$*sUU M "X #b2o=%RK]z\|ԛl+enڅҕZ՛ 03e4.Y@[^Esi>s!x0m|ͫg׹&s]IB0$>)WOb| ЅP#؂ײ7>Z0aW(+!+2H?H;06E}+O1MA{yWh7CĴcCj}.ЛBRKW?y}fWt"JwS}VN3<ZjK*cD`PrqK𷢶fa-"C]L}tJ$@'iT}S!W_$JSZDq2LfSe* XXI~3g/0̮Z<֥/ԃsFDAqal2C+̩:rҗ9<w4 s?_0CisOw3-֯b}cqZG|hYcd֛onMvuʿ%HetDp(lui@6X̭t~˛x{*& 7h8%O`V z$Fe:S j|@qC GQ3hZu9C A)Q@ ;e]I5Oyo@{fBsJC(-pSF!T֯| ^*R!r PQ8݊*ͣbc_\]^ut1!Cb՞M W>0#6J!N6A/?\K^74 g rkngg#w*C+W\!7U8\+G$rE_xĜ/+RW_u9h5& <` yD" m8y#;{DfW1)QwgcPswStY$So#8*zj!U#?KzМX+^{_HvG坩לZE'??>gc"b]8.˞% ?\9bo7:zF\+V7c0I |S(HPr!f3Uwo#ulϞ'qL]kZg}qÖ־;?tu7/!; 朄 ^:"'Dlv?A=dCw_ &yy3Il _;X̕1 v,y=zp65(ar_՟w< 64<C2k;X+?oaF$qR%~&WO)r* @aY WèSgLrbD%לџ:H [TEֱ8-Ukp%/3H1lz76-cS΅/ Op3@vFZO}D?BQkՑԪ 6^' k l{ߝ h1PK Xj $9׋e_ ѕx|ٝHgr1W4y%ew2R8_[#e$'_L@"KakczL̅gj$ǝ,8U|5f0p +Kc1[X6"I.U|<h| ÞXP9 A:W8o%]H -=_!x*TXbS.Isމb6b *搬4cƝc '$l=[ `ܝm+w:\]B(yiT-:D J\$w6$tG;Έ=<<d{>4# c%n X&Dp2m0c b의Ə+3]ԠF\C67)CjD(cɓ҇f XE2xƯ(bZ+pw+J)3%[ b NL“'ٛBx00L0UDSar8[L "~}?’lH/$(s !1;J s&53h;E\=w۝ۉLܴY%rs HW;;߳`2fKucՂZirLtESi0,9 x6nWl R c/Qwo3Ӗ[*.9AUͪ]}.WR#x:rGb Rrs[(Hȸy7˿Ӟ#ŽpjG=,rwؗ_1U/C9ޫb}mjLVy15g@ToqUrt'nIgI~u M>59TWS,xM2!Fׯ!r~;(ni3d^^( bsmEV*nUC50O`|Yjj~m'{\5/99{B@ )v2CW#kϫ͞sJbf'7iGJU݃1Оnax5o)'O#c-q 6 BYD%2W\2Co&fS΁%1b͞傣ݪ%S]܃/* /L# $5X#鶼DR[o2A782m3"<gI6Z>JdjL,g9ZTuwu1aȞ  (Y c59&k-fxc[ Pֹ Ϲ⯟%c5aݽ(nI>\` "d, @}Ib9" q0Z̒`ߟCp{|{d#܌׮Hx,mo䗡rI=IrrmK[hMNIuqxx d۪̟NPN,Ń DY"~ S[ WA×/GXxRuuBRˬ[{VFM#~xn`Sjb`FqŠȁS>5}﯐wsOtQ1?&8(x^G w7.Y-6Bi1󞶓xv곟ﮟ8zMO>ݟL™߫J #Vr dWUm܃o [ZG3 4M<QJm\MڟM Ryl<WjlE\sGwU@H Gm죊6g6ԇ }ŵFwtMG)7ΓIPՓxLr H$T-æ<H[ZdG%u$5jbalrVcIZ] \5[& ݫ|zj<͒k w~Ԣn yk-UnӿH0Q̢J]75;RթVo8CV˟س\Ql ο K a)HD P*Igw ϲf:h*Eɟ9M|- }eGUDvaoa(Ov[Ie [ʰ+`\WF\q"xn2`Tx‹T'j*VtlNʞl5iz D)g p;zN*۟O~l 9Tµ\Ac5&=}x*aҠFR8c9 dqdxc.׭mc(鐲Djzq8?^$ gn,<zZ.D hF wPq15[׫GJ=t].OIo+mנΘ܍nz;FAˠTɔpɿLtMLZ |iDQ%1[EjN-'Q@"Р(,30uh(5nVϣG /dA+Áiϗ4Wtr¢` (jH yZ̞#F٘LpK`5Pk~W/$z/״MA,1YTF˹Ewc-†i/_DvaT=<74uT_&+kqH."㣪0c1y!㻤j]ڠ,LS8&U.aF2{娾9x,6K*Oa5MJw$#8FH^|)N/ ˈ|U~홧@PT% H<z Lzfe$W0u7J)A Ffx"jwoߡ: LO@/DGإ@ h$*~XhܻR@Qn_BlݖE8y0C.Ŝ:߈G;`%;7Hq++Ԇ Nס'Ha͐z?N@sk,YWH@U1\4GV~uCo6@@!>G6[NJwC># I~J>-4W ́O[EHz@ޡwP%uDna/CQ&YH}rWeZb.qּͤarXڀt<VP[a?b3go(U ʆ(@)@VhUy5+էG6ܡk8,{6 oDy-׺zɏ-|^o NFpeKD$ Ccה6 i; U\K'31 GmNƞ@yc̥_*Wit!zA/nn$סe!πTx8ӡ=~^|u CLL4+m}Ǖ\$I(敡څ>^\ۂlE!,8_Osx#"='Ad5ť֡ "kЊ.q")eӎi+\(f|Oum)n̦'ݲ'%]uBU },;ʀAPW3e#TE96**L R$,wHҢ>bq:3`:tU<@"u3m=:]yʓA'5x̠RKX IR4CsEƱKu;.cjݗ[\LC{լqhؼ^HLYd:.RU)iL*Mkz ;B8p<!Qr}NꧢULPZ4AƧۢWi>=<vojJ1FxڴlsuHiF-{گq+ w x($syUq#3a&2Hoqr<6>8ON>Ti\sEFIΎ8(`w kv(ӝ(ׄsppyRQ$JHEạ 3ں0r VRG @ YI*e O߀m Lх٬++#CCN0SŢ)i|}Z= VI=NBD],X!6JsҢAn^Rࢻy"naYRw'0NL`bD8V6JG 묀rR[\ےӷXU#gQJ0/}aKюZl KwA/cZf-݅x:7Е8 iZ"YG_nPoKx[@BʛpJ_o,k ʃin[ eص ƣ PW*yhfPK1if2 =Ԁ"Ңq jǤ{T"VܿDF_&| eH g2%e!8U(2:՗7ᱛ#6 Rh뀧b7ޔQb7g]d ýBqc;I=.G<Pޣ>HNѳ='ˁE'w|ʋiFFLkr(pI3*[P(!LyF_$[RQlhYokGReCXPJ`JvNJ([55pA-%8OgW3eDv3GZ Nxy{flд!%AGȣSCV ;Vtˉ`Ƹ֣sG^rNvǛ*ɣzU>ar)|Dazcػߵ1ElLpE_~v=ʣS"5hj%c`(ڣ[b dW]zᣰM`8 a3ZxJ+s"U1h{Ba>jKi?jh7}B Ph{ lK.mz'}ە4BZ5/"N q!-ϯH=_ʅ<l7vߩP786<&]!Xs]"~{ Lr";R<egVr%zS$!C 1H&r1ESMPq?퀪 ٶ+B2]㐁jc?*(. 9iY g-iեN)/%#%ΝE $vg/< aHThbvʠ}8@2s_[lkS}@MX5@1u+1Y@+c!6%3^!s2s6hDA ";ÂV73.IMQL8@ w~;(cĞAU*Kn L[dw'TxNA#p4+zuOݮ# S#}84\v`5sF#Ϥ]>g)r9'>aSgj76nGԣhqIg+l[ 븴i)ԓ?D+g;[Emoo?;5yoD= #(M|׺} z&PEح㤑<|قgr}mEb <m^,PoZ<ƩkGR3 瑜«fۣ 8:O(j}|`.SLZ)9V;oc:ER ]M[ # mdu& Y xTcЛ~Pzi \܄=X͍=դ[39-8b||A1m ?{xZRK@Fu9]K7B9$ͤ7o`⦤(+WF$836^ҤZD\ޣ?ͤ#~j5t]:rRS7 ag_& A9?n]f ʪ֙J?GZԬ4KLܥ$ޖxf"O<j"$X30$# f?~쮎:U'"I/=7!a3ݥIDΛhW\cNL*E#M)?a%N#η5e*IP.fBC-GG[mۼ4*c01],-wj qdK_g٭-݌}nh4+خX/鋥i\Su$P QWLEi1edL" Ds'Ч6޼HR x ŽR2֣yGzU+b ZfNZ- };Z!xNc02h𥆠qBhzkvϓܥ 훏uGTՓ3+Yͳz.ȏa>eѵ/L8 bLt/EQ@#fUԼᒊ<L>8>YRX lĹS֤$x{-p"^Yq] 8%yi29.||ॻHBZ~c{WN #<: Jr$KCO6Q {._U$E'TڥK78|fD;ݥ ޒ<l (b =d(˟`KJ<oN`S(mGCW/w\ L٥cfqnW'lzKtQ !2饠e ."[Aan>>QXH-҇*+4/-k!\jDd^YæEgRW{b@ ›&3Kp\s\™ OUZ<]K^PP$b@IŇ88Q crl@Yw)-ah[/mZ0$@y5!pxW|47>_2C}(P0N;Þ$*3uݑ|`MJX)aIq4k@Sx/$ gϦ 4fO1Q)p򌦓eA};`@"hs3Т[|sef tm@I#3yd7S.@]kaJ sO d/yYtgƊH|3 oD5~dʞbT-I@/bMN _qF昦I_s sĨL\į/Iޤbۯ3)| 9dDv٦HWQ=zHTuPAukphbs />e+rCTZIH&3&ƄJnR\ϙ[email protected]dDEzlΉ]Q%ŧvlKYuqRC4/\>u#f|<s3Bpoq45#y}6|?qOуZ:􎔧"˒BܨbR=GNU54&/iC#4$K)+p[6n`úOl<l%l˛^fUЧ=ZXl~ra`NMA/tRkS.p\§G@E 2 Cf{Ld? M,'_!+ mcڤFbл1s(%/I|ҡwS/4$E1FKPNjAY=-ޫc+Χ`%q ɣJGH0 8tJl,'gҁ88@:oQrEA3"g/5/ gnBYg )2S8U9L$H]q`2ed(E.xO*ħwŠWR% @lf DnGgJD 3O|&=6-) DmMN -4UnW{m}сK+Ŷ/gU%D"|E=2d؊xv'?0~Aٍ'r =eJx<)4*v@N%B@Ѫ6i|Mr웭Ȑ=V@?=ڹY%T{Dh㪧2eH樽*ĎI`=tާO:sgTfY~b6EQJ90nߟ|-JKPed'xJJS9m}2: .;zmrtʚ?J 6|/N0TE p#HbT9"׎.R6W">;&U=]5rP\P}r9"`- 6HR98 ]ڥ;EbDO.Y@++n#F8H0APvf\; vQQA F_I gP 3IJY ijCb'cNL<eLĞ(@(z {ͨLro*p}*N=ň{lFS&E YJﷆɈ<z!\yiLi,{{h`R2/2cVMm2Xw|fauon#X׺ {~gĹge+wk\cXgeh;0 Rp0A~k v߾O*#J7q+;wigxᥨ P}V3䄊흼î? 9xH;UYt žy]@{G'݁m-% U 6CJwFtkԇ9^k2bhViRHD1W7L.x<m\]MxhyTYvYP1ȌXo}<k7Y+f{h癨Ͱ0G@A% zR6L%}D7M3gFZ\ 4=5WpEZxNX{Ida%jکg9ۄqʦ ;L/akS.?e ;@Bn1%P; [0_Đ/Ę@¤QjdZef}WO$k1eW<5gb c̈T +g0"_;܃Nk0ںM~d|n42_lj⚜Π+1F㚞!) wT5wQӑ+{R0H^U )QN(sڳK~JaSl+5#$ #)[{\V3`yjוBfF^XCEqj&^q-,7QoaVxXqp/|*=a4AF]vfb^zWhlJa1i2@+  5Fr^DhZG) Ԗrv(4nO5#|ujJNTp@BD0e( 33/(Ha [tq4uQ0TR13m0F;W=9]NUWADx`56ulEYwYZ<&j,TXF99IByЇޔg"@z LR$0U˩7.uw֒O p0 ?, NbqiRk >a#E '(q= e? @/hlǩȒ ˨ΐ.Z@\_q-D]_5A-25 <%L ]]rSڑ3:c8?7[U납H^qzz&ITD?$vN!eܯgV I@GL_(%_+X;N8{ȓxlx1NgzB/F(re^mQ_uY)HqBVrV1{oΦ^ (z5H'^Qo+fd,_[D\d_X֪} %UZl}z.DR5_{U%~Ea>iEq3aC9e;-c3&>ڤp֪i>AcTrHKr*n&'p5;U@"f92;kLSxr'JLۿmB4'x(96w]սv E.Yę 4c#>IS;<Q}/yJ^A詻}1Wv$2(ܪMVj&m:I޻O|vRmI1xOה .?YDMSO ^=X8;< QVm u-<_YpHd؄ gI#CGZbl_l'e,$|8nI_6͙if?jzA&)šrP~vܰtO媁YTbx(䁬\^{,閮3~ɮ熸[ ΅X(* ,gbD,oϪ(%;DKXar2teM$V4ݖի[0,WM'd.~ԑvep{ 564*{%שŻ[B?FMah@0fǺOq).}Aժք`-{/Ŭd|Ep<❄+c(0Yc~ڊH7IƼ~$һ./_Q#$BWO1;4*h|_ ;]Ȉ;( M./ B4g6 ɜ= (- N"A 'RZwoثKdHGz*9{}|: m>ed;ژ h+' 4SwL%Xh_/cHUIȀ ζm6$43nΆ^ɞ) ڤN'76 >S)=cVJ$Hc$-cK)F:lXQγKܹ13CçZ"{ZЫ2\*j={|;†.2Sb7`S`_⎭@Z۫8< Yg[PC9?I} 6+:HвZɑEe>,JOяĒ Rh[Jp~I }/ce8Z7{6ɯ>wXYZkCY2xi4$*^#&uHnjk_|\mɾW7IHlBMZ=qX~ Ol*y37%/E]2m⸒eHkҔ.ql!@FLj@JʫuhTJv%Ko{56}wUUXT`~c Aիxd1[uCv~؝fn‘v=9=^LO-囝"(Pnī$.̇g$LU@Yظ⫓$K|6(3Q[Iw~~ޫS+Y0[VW/hOn1p_;䫚 @ ׀p rޓa8:#U&(&o*YԠu' /U=sxtcjm˟*WK,rSl¾+N&_6H:g5&2N˗Xa mȐpe>ǁ Z+uS{O>0ͫ87(7^Fޜ2)?ToG=7ρYmۨo`ǭzq'⎍|nxetKūɮ(ٓx]킸yz\H0gi,Iql.݀)v)s찁n'Ƣ6?vxydENySJ02 "J[uu{=.:p"*DM?`j++}z)Wۦf_b"l Cʟeڮ. ?DBr1^g?bnKV<  ם٫#OҧD'BUffӬWИR5YxYBv,nHs9o\j?qbgmD^\d_nS`YDEb!78Y9`ௗeB/uYCeOhWP\yoXXr%81es8W47?Ie641.Pl*\C ڨ*⽶? >s&7 c9fiܠLJWŗ(ٜ >7jy_/v>kĵkH&i<m̔r32K٦\B#>Cݬr2q@ìvJ-:ҪTp܊yE)0]JZuӲ2T$/d:~\iA<lBsmfw ȡ`m"j0wmXOut9&4A6hzdk:@ uS6uX( oyvWN#'[Pgh6?s" M<t3w,^"OcSc6k$KC@BlZɯ74$\YSM7<89q`Lrr!|+=vMkj<M|Gm^TkpXA=[uB`eޏA<r\kOu$TGc<︷aRН[-WcJ*8yWbhafjm[i2jʼTHsv wc]&xAŭ}T ڲ{`&)p 2!KK~MhgğlȊ嘄H۔)^ [jח B9bVĿ$x1X*0nNph&rDfǭpQvΊs>!;mjAmQA w {tdŻLc-!^Յeՙͥvņg>{%#Y+u޸̦V6 kOw'έR:;dLj>P,c7B] 9fŭݎ:YH=b!^`TLݸT~=nS^qBCk Cá~G_NEE!a2cu~b !F}\'ޟwl&٭ xQ=Tbe`̚JZ{nF oToi>-7VӖ>2fNwПWǮ7:O[9p@BUMGK,(IjW{ݲsg61*y/IO8fhAI 4,.|N5+^-xC6lJ DގTL$7:i]2jERP.1ʮ>'݊H"!IB++ "MMQ&T? ["V+ pvND0gDE3RLSV֮O{ OA㧄֩yM^Sb93̴5CG&Z~:îe:Ox8׀F|g$+dF7ghCCxȖ tr;فl6q {XJ)j7t&W?$vBvuh<5Z$*~I>W>7p]-Xxvى$0RBSvB06EG_l3հY|DlT0uAk=dh"t&wܷ<S u/HR/>yFdH$ej\0?"϶ZˮuԨ߽v_㮰:㿳 %_:̉(;Ҥp 5'TT&ǰJBN-^(DŽ=T N@ $ǖQ%-y5uJ9v?]p*\#l;"~2ݷwbHHaUIws['Om +$me2_ _%K!3+ b>@q}ٯ#~\{ Lnk͂%|gPFoc۲D $s;}Vn쎩3C |gclJKG,65h PjUxdvE4&g5?ҧ5ɻ"߼|<R7Pz{B@p1*G`mȂYJ y;|Sk̀uA6X9e- aoBP`.3 $$ i36ˇze[ҴV>c>5\ ̫;:١lRո R i28dƲ<ӯ(B)xZ1@tpկ)aZlI1iOh1'8uB')l 2t՜"CAUrc'MSB<,RۯBViG ]M6ՑZďJVETz`@Uw\͝n'Z$/”y]Pl夷A}22IaY_"k?((Gi=GvD*)j篘 Z3A||f`Wf&3m@j ;n# >WzV=ao\mcY4K.wj'dKK|]wf(`]:jq} |Jۚ3mNa:~QyU{Y,ݯiZ?|)'2.X1o* +GI43BZUe[; ^͸_Bfԝi+%RRwu(43DJD^:D6>}Y }`N:b~tEth䒥Y4LٻȐݢ %B97KO+fs%m9N2nblIŰ:q^W+x8RuMjߛ \/yfaNˆo'Ywk#ͨ1)/W~M!;96 U7|Ny D/&@XPHf,JV!a|?1Ӱ6̙UJ?O(8 l̕m8JdYz57Ȕz0 [:ϺYQj V =+ELDm=$2 װ?Zt" iMbˮ Fp&p$L;OIa,FNҘ>,C!LܰHbΡ'<('Lg[1' W@Tk]Sf >}bB^4%`Tr?^upcj`%u5}4f,URvmW_鰅l P+LAJN°IW2ԉ%|3Ɯ_ذ8'z5QTw ఔ E ݓ?93ȟ$%ʞ ȄZ8} Xi/?KS %X֩20; f%-'M4 \ zը@H&u 8DN:!<hYZ6(S~vS,'$԰!Cg}a˺`6)1i0[ԥ fGeBB+t=kE/=籰t)'}Al)˶c*b8diTm")_h/"GjΏ o&7ړ#yyK. xlawݺJ|[0u@y̳, f\av%Iᜉ 0Kڱc xfͭ<TFD{x+ӫWѲ!oIb$E>@k"d/L郪4C *9ysi0Hݚz`G+; @"%G}PB,^{0c=/b ~&(fby35(6&癉ѯmһͱ96 Knp(˱=[o[qp\@⌃‘AAV7TKz*N@5Ra5 S?iA2WdH:$"_Y>J 1)-8K4_6]GpUje>\gݱ_ߴ7T>Jpͥ|guCDw.T7nMynfo 7U%6Zpq 1~0Y34::rUr(swu-4os9v3ۗ!jE .pw֗-۬lR+*SytR]ap5= )s/>:(,qAGπF—] rͺ7L$FSW>&>BE84Td;?ӄ}[gޫ-x/sꕱlvV;J<ueX,{ 谧z&s_(Rּk#_=TAY+> A<U]bv hJ4- WeTjR$cl.?p%pu]ڢ1#xս++YGJ7ʇ˫PRU8Ξ'O R&s66VkJyVҔɶ}Iw\5\z(5#a 83}H=C ykWaոe3!&-PnGU} 8&:|$7|rGEw[]#Xjb(f*5$ý #Vv'z㟑ܥ p?@b;|/I\s<)js*opyU%/%iB)</%wq;ն0N8%35в rqtPᙠq'"kp$_Wro`wwzu'Ѳ*sCUZc>~]+^:nC3)0,Ө8GAc#x6u6R4f? eC+\¡5ޮc!AW2&HhKu<iE +b xƑf~Go~$–ѶDm2H\c)^ KP<T8yg<Vm OτۋFd.ݎnZ Z:=Z%siǁbKKW(ٸL'ipv]c}}g: c_+_4N|2w,d<E${*!m'h QʐLVZW}n%NX&䲨uI62.{װUW9辽0 OAe!2_X fcdKp@5dP b`$ԊxV^qXIv5֌M[\L3 FDzWK/$;$nau褵 'W˿KƲ&:%qSbA7*>y;\\<F/F/ӲxPPM)@0?+Ȧڦ&b![f}p45i}- h?P.rר1( ei{fe ̩Efz;⦕N)<RƳE(u&X#sCJI~-]{xꊨ{{i6GH,H_,.c jКcCЌd@-z˂5O-DP˪I>}18f R!Fʳ/(28`JB3$9Tu$so8OzFzB82vxz>@M O+uᡊ,>"ݳV}xA&S$ɾò̳^{& !M{`Pji0OClzktn;:xmQuԕyhvM} sLG|\ #kB-!5t0Į 8\r_Y^#lݱ2i*Sn|#4y5 *ϝbKۓȤ|W( &0ElӰguFn?aMls*{qh3r Qx$3_ihuN:^2+[KW_iJg j=#3AԼ}XgiƷN֧9*ҳIHm #8èijR6ڝU9-`0"6uYóUF4%O<<lۃ~Rbi3%ްXR.;B焚C_)W )fN/dF;AZod n`(ZKGYbݣ0\y)ΖtLDesf%",V.A3DBtěgPv!/ǰ 8\m'ćxzhWC^haFɲ%2=kĸ:v1x'3Н1l'i0qLK4\T$(k %(}+Zjc+<EN)<z,^AOٯ֓,>7Ir2+aB. )"3>=qmg3.`M_VBȈ5qptk|]nx"8Gp;w)뱴<u6]X+DX]GC})BnݴUmPƊ43d$UC_Y02aD7)+?d(g[eEN5.0M]89Y~en݋a$`". Ͷc[:͕QO4Rs)eiI&޿!Azxdk7ZET# Tu!qǬ??y7@sEDqA -+oh@9"UP?D%z0,z ="Dө¢;^1['`kU별'{l݉fX鴍8*y s= oÒ9g|yļ~oϴ"OA<kLֽ9+jU)2>hѮ@1NH3J78;|%9رc`0 H(~n8R{_Sr]#'ӑK#cq`{[ɹ?$5ٱ3nrӴ[VK4r!"sex<ŌQeMOWMvl)J?; ( ]Q.߰ Gaƹ[/ 23YuKSV>ap7ں;9g:C. ^%,cyn)aBr [c=7WJ-G5=.<E p;( .5 r⋧T`K݆߆ͭ1ƍ= ߡ "2۴z iOudHJjj }4lxS]D_BH`|oR`Lٜ &%d.` \@ĵ7wGH5  SlEGص :ySJa0!'K qlB( t}6閸|^,-հ{,2( WPBt^6s{7v2B⌨:9FVc:ܢSPԦ%HG(gNnO0H |2as6]i:I0`_ʎ bJ䤝x=-/l7OTfV3s ^ cg_2N.juvĵ`k#SbN#z|ދ%liU z.CEUV]U׹Yȹvcp3cJ7 F+fеǀf]́*zuNEܴà5־j.QV40  (s;< 1 ͵2MH.)=q Dٙ".8{^4_5d(=u+bjL<<iřCP<gׅVvhpF? ~=<OEa(!V6MQbؐ Cm- @4Bꌵ Ǐ >Gt[yChHьL F(v'I U>j隬H'e /QT[DlMg0OY-I3O=Dw=?9xhS(j@Gg 8 +x*nQBh sinQcnՒ[DjqQҌJLGyt IVXqEk$7% 5 ZʓH_ϝ,>o_0TV/,l}eRཽ`of;@a>7gci^Ϋ FzU(/yhKT䪆|5FcQ-Px^̶ޜ2";ƛJQMdz|C U!#xjvV#͌ç ]W )'|7P~?Q7]/]2c" %fo(L9}g>ζ*]돆X d,x'tm\k;\H<k wR}ɶ$;69hb4"vՈP2z!>*F~|בOy5hUf\̫u> `Gzk6 $laӶŏsu^? W>@z?xr7&+6R>֧#Ϙf?e6 ]MN$㝢UFg҅m7o1[Pp17 md]-ɰ\Z)m.5bꪤC@5YVH妉}ZR#%9n]yE7z4Ly zfWKw:d1.b a"t F Y!fa1(Y9cRgme)9G<7!uzN!I3q +(dM70&\(Pdä:8s4rEKcH* <7y֢5WnXs -q:zuW<aA^)C7XQR[=؂ W|JQCi<Zڸ[̓#Q "0!r/NR\|)q1H k޷U w%W W<+O%+"Z`=[email protected]+%O](XA(Nط^6`6lh) eՎPi`kiOޢ*Ֆ䯷m/<ϗ6W÷q-VhC7E%%q߇_gr&gӺqJ>}I,7<auwZV. s{} vEB57 PUt41AsW5sCď{Zu$ݹ66yr\C#tbpk 5 ę#W~%9oR;ѥƼm7jе`Cٷ698$-⩁MOft"ĂTΗE^5cA;5ec9mХzq|wZ/ O+ pXe>^5CH-hmKd"e7Ax":y'd$]DjpJSdKy/pM@dPXfuG̷tk0^Ư/%;yIe *ց{,$a&:]ڷILWLfhtJ6#rMa~dkձYՉ;xA~Ms@j="LZ&}h =]%%Fy´+,`d #ȊtAC/4bϬ4JTLjGHlBJ493$xl͓N'ihj HD|ʸ-)|f-w7\0`6%l!+__$r @8no2Q C$CW:\2`5oF2eOXINĈ?g%y"O^-t RJ@ 4~fԹ8ɼC }w[+k$Sh@m ^ɣ Ofb+wsmDwE 4֡`ʿTv65ɾoZE0Ԓg-Z EWl+ L NAR.z\Jb1x̖4^3Hjuwϥ78ȠF==,`a~6_=p;5HuVy!bٽ>c0T\ Sb7}=\~5 [ƣNmNبn3KC_9(bXmx2?$O*F],t/7{Nl]EџD lUc?*huG,چG5),T9JSXF .Ym1?=?N0*7!ԎKuz)n뒹4Pt6 o xf4i-DI:?pZP %6";f[t!Lےq_RBAٹ6*F !GhHZlUehСmHbƉDUMQ?L nck7b~p3HAw0u=4,%7*^!w|UQV<޸Xא빂>J#A fe)NyI ,@}Rʫt E>HDiv[<yYۦc@0L:m%̶VIFT2|书K{콌4b|XF- UW|M*Twķpߋ$seQ+Ƹw.9{!}4% C:qMӶ1Q5m"OiՉIc} >'ڼnYFl LչRf~FWC؀-|NY_K'xTշBBqU,uN} stٽ$d$yBÞ9Fb>QаZDzUeUL>庝/7^1?T<c2hJXzv-(1k5::ٰ@9iݑ℣2jp=:Rt(ouqqiHK"N25Ȏ{@ *nKe><J>_+giQj~'LpC*,fU7ό<9zLz&u䯺CI$0hA= ! D^yxqr%{_\ݺL%$#-BsVᦺSupVo?6 ? Z\ߥJ(GˉĄx ]41o &U:3zgaE7Q@-{jbOWJ6X#NTۢSӺ51H[wh$Gak ¾Q%\ITZAP>oa< 0:]{zioAcܓ~. od!855]Le ?3\Ӻ x+Wʢϓyiu< к єx; 73ǺG3+]nÑ^R[$G-A<İADU\[b"We1*l-m*ɞ]sx0å,1{dIѹsy`?'ƸMcthҠاϏӢLU=aeh5PMWĖ{Ia#G֑\^ɘ K1 Hf[m~FFI;d眍 0}3`J/PQ Xe˺Ӕ ½j߻$l!s%"z#$Rd{zOu!MD)*Bxwʑ$PK F8'Ѹbq+nڼ#$u:ȖD?#$ҚxA.C BqDtJixQ&yhLEKZr_ֳP께L1 X^r 8p:1Z|q|yRQ!э9k_3**f{RgdJ2su e?"otX^Gis:ߛ vY[#oG*v=gߋVfk&ɻ~ctOwynI8< T/Oﲻ1-b,uXN'@ٻ6Äﴛn1"„Cáa/(֛i>r^{#J'U;iVBSZi)+Mi{36cB'YRrET#m ӻvE9w;\N\;tFj81s/5-ix[!̥p߆Ė*9e=v^ocq"8^hOUӻai_%FREVǮqQK'2gL_hBG5r $y潔x;x?JW1߽ m9@ ˈz3`%̨-%Ue76py%Hzo;'``!\üJcbC3ˆiN>4!] VP[ݼV s,kP^vFf+@$rVTLD i@,z>C4,%q[`tDgNyœj:i1f/EI.Vn㎵tȼfM0٦rN/Ƽf[^ F 57r)LTp{ kno7꼈U_>R,ѫ/=s켤gi pȦ/e ]MzJ(2c.Sũ  aRezcvam<UWOt=#ܩ.˽Cv2l3l}qnߩѼ 2Ǫ4v=&fN L^1pO 3+Ҵxkw'3GW0e{T,X'U*~,|z*+-ko0<+.QKLucUJ؞<WS7Uy{£?4;MC4U@[vZծ7xEx둹2f -dBH@dJu:}QN#4(:/0똋2٩[.4PHp^$K Us>kϱ5]ޛ֘vȽpj]*$8k߽wrI43/aUޖ]7gaa2\$q-O5u} TYL1*["\tYiS8-|ͽۍ^c˱SÀ~ o]l?~] s⽧E<UL0b8$Ar{1 jdEQsH +yFQ)6x½'CZH$n桬VnBV*|}'5B.%vKNЪS$=z$;)I@~D`iroL~{n5hmJb5(c{Aqil&{ 5 ՜Ö^0$gN3}B8JVSA>_;}nW P1T\K+h3$9KB`Q5'ґ,+پ@YiEr81Ck(Ɩ@|Vؾr|F~ BM.@پҁ w<T{CulYiE4 vn 3eMO+˾4,Vtw&Ӿ6&Vϖ\G,79>E9{j)-߾9~8yXTs%C?&}عE<L $JAk7C1dqȲ6ԾVɵ{vHhƛ ž[8%q~">e<e^,Fʠ,ݛ/D<YA񌩨_8)'+1ݾuO &ֺ!"xwc--A}B@o7ZоHI<޹[^qςʄsTZO$ Hq؋}X *u%\x: E^F"3}hS(v oE5M ]=lq&#PQ<NI _LȳDG  {FVN`7[྽);2#TVPXGcW,Pvj Eog8!V\/A OJxjڜZ$Ӳ^%/J*l ~C$Rq;Tľ<%Nҟ9C]DitzE>܁ԙ8L-IRYdo I.kؤ" \`}uOĚʌ˩d3[V1V;ȸ*YVi˿ ;+:N(YMdN8 } 1^ 87Jvē]Ό H#Vߺ =qݘ#*jwrݿ+2nQB:vxM|R\4#ps$L:􎼿619#<@}V'g97{_$)WCC5 3mˎsyKCuÌ)dAw 녥JX C=)H3䮿NB01\é0N{-k7 uATǦB%B|ǪWSg`ω= 8\JuۧG;Ӌt4XĿ_F p(GmJee'Meiq56K2)n-u)*7s`\op/ڻ]V,{pK\8l1Y,b| {O{HHÿ(9`W翗.zFH:#Yf e$w1Ղ'U~ݳqL;CaRc^-j2%ÜE WH$SKB[WDb(AS6nED(md+ߔ6݂a)cS^yc!^%R ]߿srHiVQǑѦr|6Yu1 Hqk } 5{i$kD%.K|`<ɦlPYL౥`oޘ%>}-"6F×fC6ON"uFTHJt \0[v$Huoթ ~7+8kyvy/e4!X1NSag5/T̾o~3dfft 1c =<a4dy'QTW>u"RxqgEۡ0PCȩ"lJoq (8gYa#ch~,Za!qFKC5x+4HpR/WbJץmtG2"p;ۊy31@ PJ{c=q 骢,#3}o3@^ 5!MTAuy1}"`M\}I$* Gbx)3-g;;?`Q?W_!an>r5v٣\i4nu=0Iiq"%b(N TN|.d)-u-8@"^}H{tV$a lk˙{%i*Ƙׁ 4HvvxĤ8fw(=A^ȸZCqRkyԧrf}ؙWh)ӧ\ 0[ WΘĈsuJ-_P[H=jJI,͝I4_",>Ū@Nby2 Aڢt8͆v3Ejuin\9tGϏH8\|_jg:*_ Jx4|Ć22k]Lt O <]GVʭE_:1`jnoZ,4_ O }/d:Xpky2QX`"voyhR_ כ$sA*>f0ow jچ)v+1`&ch:,8gy@`gy)tG,~\9 j<4. qN͸h V3EA!:ܹA!U6dQfj: -8"2Rn 8ڏINݬ1!9X}Г6鰧QT~$Y@L6ZE@VeEC/P!J@6w,C q1؏h7tjF߰χc㉢Lb2PDz:Y<lL_nT =\cm9#:僲`RGT& WT\(Kf2]؅QZkmkk*H+=:q}V$*mR;tX*÷D KoV" nA#nb5 <q(s)~OhF~8Vra||"~qA[_w:]cͅ{ibP%'&z0Cx.W+@H=c^f,ż3>WAV\f8hWҖl] r7@3.P(J7[,~D}0B,)g,Ӓ@bVg+ICYTzd袂 v15v3^;{Ÿ-JFLn`Ŏ;Е>1V0{j-Cˮ챝u2m[ öoTY*,Eо5uDWTзA! ;3%Υ<lf37WF&1kV5Sס3^`ru֖neGl&zFtdӉ'!vw{G;X| βL jVD\XbpRk}ZJ^_$n%EKd9#-D&ui7Bv(}; p1'((BI?=Avht'~>FDdm,~M]J6+.\9ͿK _N8%9_b_PE]3"e!XG ڱ$vFvYZB\?^Ew]R"*ݹGʕbG^u=xLjxH,QO/kjY!NWrނu8ngܒaJ$"$oq}>e‚kAZjD,½[\~?> Ht7m^qUf|tTHˊY hY9_ιyw*/{B#쏢/Oq֨/mw%j XB׿]s(E<Mp{oRЭq/syXx߷iYG^rX&B 70]8BF Q<| )"yF@)2d as(}G Sqq.4݊) h\$a$ǎsA^C~+k"z!KO3=pe/9ߠ̰i1 !Yy2MeGf.R G86X{0tV RF8CA94vXU=\VHĿOiH5bl' W|PMJ3DZ7,DN`F.qlPhU#͊.shݥI:U/#Ri01P~ى`܄U&OJ)nP g?rS Inl .^.)B5 z"S/LKw7,} MwڠGu "P԰Ök[T ڐ0CAæpbbEݬ2GyîTUCDanîXdD*%m/BöEDp֩8=sPg զt1np=Zɍ`3H_WZ6;׽vEӨcos@Q6慎g_0p" E hc;gC3dGpz[ұ2,\&X+E;y3f&I_$Ɠ7t8] Z;MI㰉wcF҉]rܵqC4Uflׅ WswgVr<7ۧxt6@5ZwH(L5 "mKul =A)<7UU$25@G!e!L8Z0*+cҫb$MUHTI9ޑX*6Enm;Y5K8dq,z$:5mֱ\)QtGcqZC>5KTrkr뜹;_ѵіMzUYTFj }=\gY?]./i6HzL'D[w+ӞwΒ2b]PIemc~5yHvG f"ƒ;+%"k,@GxC3z ?Crm֍,"vyXay]x=I.A'|*đe=Nioq{đ4.ȿateĕ yw3"Ğ<+:c3հ Z}WĦȥ;Tӆlī_ۂNgY~~F`Į ,Wl3H;ij=1KaZt9Ɨ` ķK6 IJ>yĽ,<; vߙ}+Äu^w'R[XL.c&ȧn |F cI1x'q(nB&ۣi cGOfnX?eށQEr/8?{\D&x'c'򌣩q>.Ks7qhSB N F=#~tcan*"P%CrpՃΟX $Ej7 ]`+ 75\C F)@R&hDAO}4(όJtcq`.s75¯* mAk. ‰U.N4wQ³&t)zgt}" (HgrM=|ApZ4*i/8 #h@/#31O{>(}T5Ud2#uG'P,72kN:^n4>`BMWLxՁ^ D"9, o3V2 ߝGÉoCe%L4^Ee9i`p}ؖRjab& ѫQŅ9Y#(Ɨ@W3tŅKb>91z(Ŗ&|R47&]A!~maŖVxyX%ţuHWvcΜ *6Ŭ-]ʘJ!w61ŮmFUZLŴad0 .Ȩ*bMT7A"׃QyվF% XRk[pYm.vb~s\svMRiޢXN\4Q%K~Y ?<fb*̰/pai&2f$೯-?|R+4"XK2GUROOu"z:WT<⦜ {~_ q${& iI*g5Dfqӈ b"zzȰce k*KѢ`ޠw8c0^r= r}jA@F߻$O(=GIJ*!@$D9lUkb,*'2 B V0)5~qbM,M3 &'mxƬ l9L|鮠˺f<9Ŀb3 Y5\M,YMs.hsV VDZd/ %YiDѡZ.cPvC]TB}F]a5?jemy^()㨆S4)/fI%n/Ů'AGwuƜ#zV3buzU>wM$%~G{` S9FƂ5&c:?|oƑ-SDFI%J8OƑMZ^;>ƘNdZD}DMT2Xƚ"+A 1_ƞr2NƋ.yƠT`H2vHƠ pMR9ic4Eƫ Gf/dUrYnƯWeD^v#ƎqƯ{xIƳ8< 275ܑƺvJgG8^f7;FƾEr( ءFl0d r0;-g_mGӨDxΒB9H_֟)fj8tά5Qݝ<aWuk5#s62hA.q[ ġ$l4`Z/WPr"(X;x$3M}Ϲgذ]u9PׁvN_+/i7ku-V7 A="+Sh2< @:ܥ >p-EIG&U U;00SN&*1g3]F d}Θ CA jW)Z U:E-:7vTʗpyflEUXQȥC U!xNHVI4DT˪S7^֒F*YSzUn|O5yҳLE ab1ja`H+mUhR= obQ_CgoDjjh~H*v49P^çqg eǁIϷa,1Pvdž5!ݳIkI"E!njAoӵ;BtZиz4Ǔw@# B£Dzi;dև$UdzO (5ܣ\Ƿ4IצE##ǺÜܖ7yjt6ǾxVM `y#2f ,yq;#nO̻4Qݦvd#RDӬOxY+|YsK.>.%$zEgg@5, &U Y`:Y?>J0n0d-Y@Zjμ5c<Wk+i&[@Vw#JhH;=gǘ)jD3ӎ [o45,"_V9wUWRnam g:S3/|\=wR#OuoEIUs$hyijɪ +WJ=f5[Uw'-gAݷn/.E/<*nSLs0Bâg7|ݛjg\z1drjTjXPQoCw6 }7Ag0A1Ǹ+A8G[Ӈ)syA?E<쥃rTBj2͸o#BsE8<YHKh6/gscEȋI&>K\w#heK5 &3E]Ըj )CRpɇι1oJSڶЁR Q`3gR-V7\DdӣKV?Vabm99 ovj%>Z1}%шS_kK'buT8ݍb& x~ cvqDz(,b%p((h<)=ɵƭpHۇrvMX'F-Ȅm+JU~?'ieȆ9,]i˖bȍVh.p8"-Viʠș3 SO߬iȘRȞQ[+BDPa$Ȯ aqD4K#hDȸXybt%6p X,tnEja;="ǹ$;65H{saj'<zc2?G9 "Lm@S<L bcL)'ڒչWX;̄L5/ _ڑҏin9͕qp E}Q4Rj%5']R jEI Ƴ 賰$u.K#?۽k&gO0Wgg9 y"S)ᘰr;#Q^{`[51!<"Ib:1N5\pj=d)릔yQ;'?FVצD߽-/QToYsFd?RȠZ)~x${+h-zI /&^E-ԅjxE`B;rl*@+Q[:vh+fq9.<ή0Zw+}Y>i/trY=J|Ni]<CUZ4?Ɋ'fDwhg#<EɊ@\`bǃq,8(Ɍe"2r[$L٩.ɑe*Uǰ<mYyɒO3n1O bGɗ~NP֭ƒ#ɘzOV(Omh'xEɠȶ<&*WIɥ:OyLd@&7(ɨ{.Ee$ɓɳu?/gywV}@[EMɻ}Bv$lPs݇7\mȓGN92z(k]`GpjomvE&W2x*9/c-$a38v7b(9zw?[ƥJ[?l]9Q[eUڒ%M)\"A*Λ-Gjp `rRc\\YȮZPk!ëwQ|rr#kt)$`d㷷%;%D1\ZP {'Y@L8QaoB(ǿq31A7{x*@M}l!$=*-EP2w10㬉gkLw9B6:4b<a5ڊ|'!4Kjy˦Z6^x*8fd5G_((Au =nI]RTdݩ'EL=z;:TXe4Q!J6P0MteRrqKo\edb7X_g)Ţ}^N]pXr̦?c_ĹMkT jӘX]<%*M]ʐp-`Mo ʗkM{\pʜ ;%pR ʜ0Md@rʤӝi 6p`.ʧ3n2/9Bʲs$Fij!gʻ֑XXb͓@ʽ*avWWf 7R~!%a0pM L 9IJCS=t{k,7ݾQ"UYHxZq7:;a*'苙݁.O3g(Ɵ vH28h35K^5F3_xR-83tl6ȣ㋜"l.|-= V):>㉾*_yrN=<; _.(,2fWjqQ2P\_5ːVNѝ+bFsHeUɭxK-'?)J\^GCaA2W`^D2!}84OKjl nPǁxM4>m c_ a <Wcy0 ?^:+({~7T[NO$u5|/ԍBY $isP}Mo^ 9{Bx crc4heˀme$3&R8}˂[Dּp?ljL˂&:dE峹7H˃zyȞ@KoUp˄}BK!dˆRsH9_\!ˇ?6{{Aw;Eˎ*zq s?1rQ6L˒C[&X˓:^`%\ E ˝AAY " NcUgˡ36֦SR_Ǻ˨_/+no"& D˭Fb|4舎4˱.E6 cJ^U6˳=+\jOD ˴8.i=˻C<@yM4s2ZڝX}@W|X.QJtU-6|iըqͨUpEÑ͔(B Y1/jᔙ׋[ NԼAXT&~)}Η:]t2d p}!oVœk!WMqoֱ5 ͼI? g_0-~ÞiL3<Qf-Po]J8, F#qUX$Beߐ?VkV g.d{ CAOWYg[B!ǎEXRu/\ NOǿ/Y] Z$6<@GjiȒKU2<iR jRA+ KIySyx}kng 'CtlpkL܍}2^/Sf r.0fx|M#a3̏tBc:(5c:̲1f9QH-̵z [= "3ҡjėbqtAZDr_]~- bi)L\Ӡ'I"T½Y gFLt#[zVOr!O[6Þ1B!/e- ٶQ%L/WK?| :ozDd?z!>5FӲ CG/q*單5Rym5/c}}tPOF l= K#7Y\EUd J%U~Tz:Nǧ( <]OHa5BϷt(o_^e}z\ .KXɩ?Y,869qxNePE=V)U[l`Q>C ξA%?Cݲ?Q";/HyOVF d(C4a7O/M5/ bG{QN|uPP)<St0Xc XM2B }tk^vH;ʛI@uy?EMR&Zwk.`kj%R zky%z pJẂuvۏ=A 9뙄͋? <1͎$q1|>nxXKX͒P[ Ebr7͕<lʓn[͚>,vQ%:fwͥ65yЕ$ ͫ;'P5OLɵ,rͶn6>D-Vk[m͍͹M߈Rz;MHAsͼ7?Zt|h;"ԙk%,YύYf|qqJs-hpű i&MX/~hr:9T/ZmFMJ}ˡ(X+ BM GQN߈V;pvEs]Yɺ*fD5ðցD>~xȣ<eB:瞰㉢m* (/$͓ LEW+R"tx^ PH|Ew!Vs }4jx,@xA2i 'wI]lCη/AIZbE(Uk0:/^O1@<]aS.*ZZji/'UQ-}P_IԼeSeB6 3] \ ~˜33Z=iQ ^N)X˘9LQ lNsr?w(CRer^x:Kh<8^]+*.Ī[e@i^QHWjk'1k\t>{k)ɋa%l nѓ5juxAt|jdUEy].# ΋kӉ+TEŦV2eΖ&ΛaPa6OieTΣܗv(C'Pά̪DEz Oή8 Q*O7ΰka q k9)ToqMX{y Z [¦h%[yVdRl^cepC++S?W4%&*z!b9|b/TpA<x&fq_jkCR׹Ocu'g/78el}ȵfo[EŧXD; <H֧b5ᓬc!qBDH~4l/KBw,;2;*)KO&I͞ߒS`͘0:!<JwwMF#u +sgC|ZZֆ4Fg=;Mdz3)ʽ %!Dn&z,@T"Tw0{^|טF=n߂,r S'C5酨 }ϲ5V9fL|)<&HGwB^]Fk|ҐIkGzA_ ZŮ1-fVyn34;nȺ h<IX~&5 oRBhprmO*:}_hGxbaU}AF} τq4~ክ8x4χ4ƹAiECϏu]dp.:~n/cfϑi?9Qj;GDϜ`)Sc !8Ϟ|.KȕϠ!.WCC(A`ϫ%ȁz]/rcϯwCNI%xvItϰā,>(Fsm:6ϴX~Ͷ뛓TlO>ϴvfFESaOϼz9ZιW:7?rю8SoƩ&23b%BW_#yHku\WGR0BhۉR*6K?c\D_Q pEI5뙁 b苺p^tJ5 fBOa=6)uC.ć}|X&;g+0"LN&ź6:p[K0^[[3?>u@hi6)d̪18M먫/T_7WEJKhPHX'b]r H8Yo6!Ǵc׸NYi;hd=!BݟR'U326I̧}] |cN/[(M8|wY] tx( 5] *iA~paHmk==5^hV(oȟd鐒yUNo!f"ӇύyGqJ/@b{Z+ ȀІL 1 X$sЋjCp)yAU7{+UTБ[ 6AQdcz$Й?´2Bx>CХ4 o!/iЩaGy ylJбA4=zFM}вb,BH=дV;裴Tn&ж0/̈ke'=jrůRه^No|y t2)N\e-"N ُf$].ʮֆWv%HWiQznNy 7f-Sx%{7@ (YlshI FѧWAw s#6pDK @rD -ybMrZI }@ˠG!#+qCl1$Um, u|shP%Yy60~mH=L;DV:>DŹ<O"D5:GWCSd ;/R,~MfO|R"]g7 x! odBwj_D-5i֤QwS[! deQ3~]h3H(ʐт @y\[EYUх%- 8TE98яf"—rfMTѓ6RZ¹bCXoѝD"6 [KBĽ~K 1џosz@uѡ1x_? ofKѤA\HF+Fo?R<ѦҍŒ=Ioѹ^i,i{2;xh"g(Ѻ v (rWlf$< ImUŻ!}?Qy7r<g?ƭo9@ZЎ\fo7@;r M$fuԴrgz"MEv<Vεi!Sy QK_W4/u~6M_pH.n=ꦨ?ڇ8 [So"Oe32Fb|ۅizvIU \ ?k naeC  "R޺'L*3 j$ф˛'B X:ǜ9'bOnw?+珴p&37ql=G 5@(KmؠKT!MU}>>jCQȧEM^H DS5h`b!W8 6h*v7G7WXk{[>$:Q<`mS@=㥭Uqr!p}lJ+v4{uM `I 9G-1v\d<R{y@\kZ$7n||ziN,wve2s}Y<G.X 'VnҒ^wP@,EA҉.ҦCDg Qij{`.үy kipҰhJ !F&sҶK芰vkxEG̲ҷI2r㖦ʊ+(rʞZHNwځYHΜNOۛ#w9;94S];E%ڡEzFЄַ,5/{40O)ѩ8r4"ͬh~Oib&(+=N%k2DQItjI< G?}4$o.\{pfUmGm%CRO1$du{\硜E݌W"dCiQm&ߚpQC%' QIM*SN3kx/"0~+\M \ېQ9 "柨v"A_!щbꡨ*q/r #*[C7Wɞe1t-W{ M"&"Bfj Kq&w9nd7Ν4NE ,z;>+c1VXv+VR1><) t|BQf/D%E~lT#*DFxWל{h1gQiN7lyBt"B$S;ʙF cWJXpyEqf4+xY*c`"̾ŔIӯ)\KN0CZծ\ceLfI%CU[fb{=NEL2:}%fsθ^_NBkťpE1_5vxyψd5\;Ӈ"N~Ly;ʟc>ӗ-Pi WO-ӗ.>! bz4Ә#lZy AmӛU̠gRgҚ 7oӛ^k} Q.ES/ӝ7h( FjӢ3e 1_S_<kӴ$_ xLItjӷPyb3hnJӾCgEj '7\c[_dʭBJ.쳣Dؤ5Ipg#z9bDۂ𠴎PW T_2ۯ_>Q:$sܨՎBJ0_ƎוVdǐ: ͓czA h4c ss * #J~S;Dg~!4]Ax4`-5zAܿk #1 '~YNA%w$|O+n2OpzM^u)! Jd5zm߁"Nd=I=f@ҋ.EOB*KR?WhXl{8WjIM>DW$L]~^Ws>]Y6.a/Eazs 16.~j^ŠؙkyNDջ6gB%k-u8fɖzl L?Pms'(8q1@ W Jqp{s SE+Iι_ԃ&L DiWQA %ԎBRr+qpqYԗ'EYr8uXԗML۳mPΫx5xUԡMlת1yM<ԡ'%J8KsPxԡ2khKݝbԣC8rV :ԣE|ĶCdH5qԥY{ c2AvWԭj4UMQCԲx%%M,+WHԴ\BK O/-`Թㆹ͕l}?ӛ,,Lj؀폮#^t|+v9;l~ʰES3qzTJmK'^cw Rv[Wy#*^V.` Sq1q!p;N nc]E8H M"H?ni2*fz ƀ25R͋|ݓ74sQU'4Gd8IT_R,˭@/?/-řW3=zQA4P.24PzYY:B:>ˏg3{3##TO$˖zC ߈*ȉ-\i0hG3-;^d)-o):f<+h{5/+M$_L)-jqDQ{|fE`l($ @YŸo>no3rW92FvՊx<l;vՔR9E IՖԤm%b}՗T/ٳ՚,6O.֬җG@աwȗvY]DըYx +J#tծސ r֪ґկM+?+[ձw LGNk>cձ67f9p Rվ H ܫ5Yh8*5mqi]"P!e]lh Vϲ9len#P t29<EГ uNlAf+t٫MdN/~ƙT=ve#~1~@xWz(6{G3hWx3<\%'\2`JEt:nu*h' Ypdq`C-|8O ]q(i_gNۡw*pC;c')H1 A3#ߢ=š82RN1ف;av&3E5ovT18*WN5в6[7[@,EiVs49GB3- LI{da{ּa(2MLJ6srQT5d;9>6X@OXx2>9T_'v\òx4k];#4Zj18i|d.E'Yz.pY- lmn\ l4A5N KnOrSC;ٮ<QYqgs1gKsmJ<Bethm}XiUzzyc|(րe{ NMVDY @ք |1śXR(:օ Gd­{֌L~! \e֎iӉHٝ6^֮2+rfU@ ְ A:E;@ֽOUna?!LOXUֽWT6g?J-8~ZD6G$ȵ'('cכe1 .6G+YK撟5}a.KFⲚLjZ!'~۸U +QG-om&x&b/WcK0 C`1}ӏi.RxtV²:/1Sē<~PKf=]ܡ4/59WqzrRO̓d">C*HMG?(D|#\DCY[YtT䂲Fؼj|q ggmioŬg.]ƚ')I E9/o ]lR;:b2SeS9b;c@=hX@QFaL\&T꣜%9YmW œdV+@\ !?bNeqhB1^RGu>9rJ_U7/;5B&DhŸgׂe| 6W&`אXJ|bf QÿzנmCy/`ƾlTפCa4%ݓ}Glצ$SyҎٳeqgKשsfZ6 Oвh5תVr!SE 937/w6׽G+T qm{nj1Y0_Ul7uqT2U62]?9Ց\V}hL6*  ^fp.@L8o,,1]q[SH Bc ?дAX5g68{VriE_Q]چd{N7+Ԍ꘳q)yf׷1?*+gG{VT`@(l<H(V`&4E>xB{qT8^n6pl\Z"4d $!-3Kvh|IhG `_Μ59=ZzCE}(Qr#?u ,[+tpX">Xbˠ*{A$jqPR*2[q<ls#(!yy~ZD-;Մ xCM_|>!}L`iΉz#}JA_U8Wt6c!Ck{n2}<~f*u3GRݴK!)U]JQk:Kv@ :GSR%էVs|al6€_s/z.uR4SmK+؆~{Di&ѫ@%؇g GY|ܠ5{؍)~:zrCsؒ2 YظؔsPHo7 {ؚw-5(>9yUj؝zM] rCVts؟finmrϐ"YbئTRK7j (ذʮ{?Ԓ\默]eر|K*1:x]{[ 6yd &"" όܶ .g'.&`?5B%-Ѩ{j:ܿPOPZM}h QZRp,cHDzdtHM@/6!Rђ,7ϹMB2!1y8rcNҁd? ~qw(N9q1Lo=,{!q)U-UdSCٿ7jfO):h(iBHY96Lūuܬ5?֐O*ÖЮ B cNo|G&P`w\ۛfHdGp}AG/VnK9ltlP:CJ>P-Ykښ{<SKw"ŷa 0JV3I3b Xm mF qImVaN[@zIDsžXCrCii36ɝʕG=` yS|1P9 }Ι1y,Xg&`قuDT#~UOٌڽ";I_f3RٔLtVzMYpO@٥4spbӵ^٩I'}}>HPSٹ,E@O B@ٻeқ 5k3yٿDtl. r%*!nֆ=-R0Z{Yrxw 8/<>)}Ɠ%}mgM}/_m}e%O蘭&esP?_^څ-Wϳ- <f$FQ10)`7"wDw{2>)$cPJx?3?!?`=hh5uh$$~Ke4ft/ 8ެvt( /NE9"4#>.^S= <Ltݭ Cإ{2KgI<hPm>&r!8 HCquXp|RYi©I]c?|* mWm˕܅]f'yhe: LZb1$,A1fd1Bg`IT:f`rlB6ܗfp<޻^3L_7Ct HgC滛vy1G;z< p h<G\?z+b M c|#g5hػD7"RSڀ;ϪJMӽV>PӟڊYAUTL3]σڊ,DmhsI*RӪڍ}Nи#Mfږv*KEuvփtژDL:ֵPڭ#aɋS q:ڰa95[i:УgڵQ ~*Kp/ڿ>~?f{0sBk6-K+6.&D$yrı hQHb֧; `_};(F_/TgS[uNG;aE[2{:->Y&yMlscLm1 yw%:_+<)׻vGv,خ &UkpAk<u\jB&a2>!/Utݜ2Z !x {R#)CE"$Jd*æp,# \dSc_EüH2Ɛ\4;/wy6%npߕN&QZj7^D|rW{8쫂x%8xNۘ<h DG'p7rQ>+ܿe%( j ?/A :/}0#HΦEri%=`QsIuچ@aNorapP#Ϗ`V04_j \@clcxko _æj14.UkZ@9N4%}ovU̦ȨpS;8W0sLہQ7BE'$<ېǹ m+4F:HHrےqq6Q<KcbŬzە.L5pv] nۗ(_jk/<3 b_ۚs6@N 7c}ޔ۟2P@S$A}(ۤ9:EJDY8!PLۮ~$'=Md4*Q*Xge& h+ *m'2` ON[ʡ-dž#Kq ~Dd:\Qڶ]A\kZ$ ҫ1+<+Io#ݸ3e=<O5-KMxg|^Rf:1GcM6(r/ y+Y]Y)E ybx1.T&:?|4rk]-KOH炬vjV!a'<LFAt1lL̢I3p杵$b&M"zgrZiHH=-W(s.gǢ[ks岩[sau@f a69_ED-G*wHc/Gx*e5KsH_Sf+PnZvr7' qh/ O (/  lFsHw3]l-IԬ2: ʀSAsq`|? ;dtE=qS {Dy6q,c&܃Y<ApW͇|A8܃(hZ[CfT܆װ-]܇8a -/k2܇΃ꢑ+_sBƹ܏/$:/*Cef65ܘTSi+Ka40jܘ 5<}E(Qܛl85aA{i *_ܠ>I_|?;.ܡljQ$> _m ܩ$NwGP&wܪLEia:Yq9|k ܯʩmN5) zܹj5a XExܹl*Cb j ,>Y}!ܼҪBfrAtHkܽ A{@3l"å.^yK<EʪC$RrL+&/^0#}~~v Ļ6!^"iӍkoo{Դ2u6^>;v ?$VK+rF8b⦋y*=wé&ۊsD-:޹=r*\jYc["g7PpbCw2JX@-nYL)ߢpT|Ȼh~0L ^;?iҖm=5qwHS?|c^ 4CT U"Ւt<6:#@ lf1$tHYEPv%(< `՛s u;0Q-q΄iq1<xi MRz9g/#u5/^JB '/ 5nSO5 TO3>&"6Q py=c<(mmu1skI23eJ}:HfK"*,c|;?ÄyKlqN*O⥠ni`QyRQ],RHaQUc&s]хt FYVGZuե\H[ whNeE=Swpq6|-ʵ{k\97}ïBS{0i#8f QݏQ7Uȏ+!KJݐVIe&cVy%ݘ'J;_'"aݨcS 2Y)kZݵZpPf(a6P?6ݻaϬ/p(J-ݿ}sa0YXzhƙ" f)fVʡ)k#ep1Sn 'W]a<(#t[ `ԛ` wfˆ IyKiƐJdnH*2TKxoR!7~ ތu}; P Bl0]M?59@6qB!vۘlv5k)ZFܧs_!/S;yr|xK z&gl-<۝}w#:4d!, B]y&RN?ؔR./OrR[`9%.*V[|g~d*maWh?A+Ay>!Zg@,T`3xc F)6#O J)<-g9IK0[fQ ;IG:rpD Ag4]xEVmskMx*%b8bJRnY|~d+OH L%JBJRsJ?dy[;nXsF9l 3-Zb2 \/_ ~vZ_cH^"u.ir-֙;dI2%"Wy]KWr^~>"D|s=5,pi.'pfk]/%_^M ރ NF[L֮qRފNeT 3v49=E|ގAnddܛ&y&ޏ±ҾmC>ٛOIݩސc{d7^Ֆ5ޖtC }PO0Oزޗ:'rS;ٗhޝüukCn_/ޤO {^Rw޶ I .Pk/޶vtЙ1R[ҍ^3޷K#ViDO V}t;-USv]gT u%t‹pO |8L|\:~T+7!ӕXbAb [۶a@@:[/z[TiBqJMӖ;>&R2 V;Z'mU\P;K}taxɉ FE& ͕nK ~- R}MF}?:rr<6vMۓ!\@F,E"^hL\D׸_j#M BrZ5?1#Yx//L5*mggD,ʃ[8ByJf{iV<I&D: ?=6I ѥ?_3%ROϜs R5v~XfŊ F!_jZ)HFY'CO\H E><mck'[l }e_ˍVTܞ<|. ނk/bDy0 lA  ^ ?p߉1p;"aU 8vߒln(aalߖP`oJ `ߛ5^}z|nY&MLߪIRfa~= ,߮0=Sv٠ƄwW߯?''ޯ&Jߒ@߰Z)BaRq̋O !«eF-UiX5!fB9[y^pO3@N\ ݭiGl0: 2<+~fU-ti2%krhMu'PHPR<3Y!&hUd^<{mCIW?YP$%*NU¤̔9uW,+ƿ*G:mX|f=tMNA/[7p/U{ P^JG1H3ax`1LƧ*-R6; #5wPV]S/z~1VxPF%;64uXYw"}(;]Ηէ[g`پ 1I qx]PD#L Zh,!|a2&,:}"El~=ia R/z{d|Y|k?^$}\7wn3\c5ҢB}.5NrQĭ[Lo,z,f8I}B)Xn~/'GFkL1U:~Ŭ[?0?rWJS葧_L %[)0(`O'E'FO C{g)q8 yoF˭e%l ද.ΥE"ŰlW(Guqv*9>ໄy0 He17C|1} NMGj 94!5#ՙ`8c'TϘkdшMv>P*ҰPN.t ݠՒ6cb>M.j4^Vj6eDP٢Nߘ.ѳ3'k+: 6mHfI!%<;y2]qSJ[לz^'SܹPfESRzوK$I¨}1_x+ڑf/ɄU a2ڊ ~M/ęB[a,5cH!4Z?c//DDѳt%v_1+/+ 1҅ʭ14|td.Y9% 9ԇ(`Ϣ<jBx\u@S-iT5[HvG 0*{M|P wLDxwQxVI_>[V#PtHu<] zT_j\=k3K4Cko}jWbAo["{tr|M%v"ᅍ]Z+{ɕ苐VYPqcT_!1E8b%өІS2 ][1~V8\2u*ᐻ|mo^%bDSސ`yAW{ɳۢ?c 3b\("$f.iHtᰡ #[n^ άZܪGYzf_"(J%lrҿpTۖHz ޮd=y;;5U%]=Yӊ6PÍ(z7Un~9}ϥEgU/U0Myf*n]/ND/52\tc ,d^7<Mzoa롦A2?(&'NV `$6Gt?mд5p|`cl3/C}O7ȫһ\cޫ4" ?2A90Aw^Yk^{1OJfG {9x;eBgpPP|^=p}G\,98H8UhU|G?GV*z[|IBx&p^% ~B``Oz]µd#K%1z/Yg數@QtC~ij, m5~D"7l\Y3d=mZs_ȹqsxwR;[ yw?:lAgގ?y&!yA.GD??{9J<zSF␶t :YUķl⑒M*<fzX&HxttؑE "V +~2JHWQ!Ṛ⮽Ij5R„ny쯙1A*\qrJL(+c&MpXP4oU<ᵅm)dZUR̍!Fܨ :@l8^pD|v%oR#:|kDVcύNCVQk3gϪmγpHpǧ)>UV:7DžU܉|P!(P 5•\i-khҲM0RTG "Z 5x {yr.>1܎a7&+Fƴ5}Ja#oŵW'U7< B7td7ۏ׏Ul.r69:}P[H3!`4FJyjǒ3ȱ%SS&ebfN *EYU:o |dR= t]1㴯Ƌ8tw4>_y 8B\Lb PJd\ h<8tSX^sD}2HaBN['xKcqNg3x;uQx)2[}^& w$1dNxMD*Pzɓ5N-W 3Dsѓ*0Mxg޳Z15}Qݘ< 4 &1slwf![5YٍeUAk}Gm(~#Tdς'x!q F/_O>qm2}ZU9D㷱#fZ^`Uf1;ޘkӸ!71&y0gsMAsb=ҋi#7 Pcp#PC7cdsqҶ91cW!_zk]Wk?X /,oO2$Y~X"(g!םG $2Pv;6.UX'8\u\-{&=_{p EcCKr"iwEިbXz} j9"Vx%> : M2`U  0j$̩k@).] "Wō gTz)"",?M/ްw2kMgT zW#'<Ii0-<,Z@F k c-LB. Cd:RPhzy<YD\V{Aq[zn jǞEQooRrl8vυtNn@ܧke8_{eO:47( ; Pv^[ Č8Pߧ،0{u~/T/s*lN۝8TvM3~D1[MHCoeC[uLxat:IH4Vdnm2 ?6t0o ڸ=]4A#Q~F@2,2\ڻ䄾>Q+<f N)F5FwH{As'?M:E}TkLwr䒖]܀+b^tϛDyیDsP?GRpDP: *>_djxqn 0x,L38gLxD3bpP Q>/ɶ=K[v,D.ɼPv䭵56OD$7A|Qq`7 "Y߿Dm"iWHE&@_  cQq2ʱN},w]lTҵƬ?n"|ʷ[|=)xckLo"+-cSc. C*,HwU,DZ \d,U/zP X` c-Z/g}[񖦂3ugV|\̙SRLFsP$S]ZcM zlh-'I.3[YBxAW=ܠ &s:$jUF:Ȅw3ڎ D˯:*R؍(8(;.H1ߑLzUGv(ɷ$upG 3LNhʼO3xLuXK6F'xUR`+Kr7ٖ!?*x:YMHAdS<woCV^G8%k"eZ7@Hlc1!#iSSJ|ʨ5U2R6 L>0`YIIZLLF885Qeڒ<HPNF.K[#OYKTwO+M$t FmQ&o9lE=[(`KHh-@-J#hsћ!^B;rf)iHخrBU9eN jJ\i=8J\T$6n7_5jFgVw}LF1w#/Tp xg8t ]ReͺΖM<\Q&SWکеB&(}SH>`(塃#ϵʱ$m/DlD#1F`v$嗙7`U3ACWF1&^uW~DK>q8L]$$=48lDOpenYl,`ϑY ) 4VU_/(Њ;;Zh<9:+;г4wJn*6%HHS)]6iT <SgkoPD0j((W=F\ %7m.ۢc 1vM?fwܬ}D˝|ľo\l_!6a7p8^r|<}?ld L 0m1,&aۮjz|1xĉ>@LRfm iI$3wSp ?:v׾^,G]+$46W^(5V H>㉬#G_fm _<r06{sUƖt:YDX. Aۃv_}\(:-ZO*S>hU,e*gvfza0So)8<bŅ1vy9i2,UWذ7> T O@w 8rqt A,U"C坬>B `}9%>'ÿr4CB ֐AKp;Fޝ5HhF;hv*R\qTn n 5ЋT7H\S"b[[j]_z2ob@dўcIz?<n>k- @ 9⛲CK)wZS枟:ezۅMkVէζi:+*+}|ϼѯBwW*d7X ;Z,~)I 涟 ~jmI潈-N%sIx/ĥ̺@y$k dB -&~8.^Ǖt5N|,AfMɜ6uJ i(7srbopNۊ<0PB G?C2CC;ʴ= Km 1Q23  l$OAT@A" V<MxњN=Չ\HHxFĺxI#@gmEvg6.2mTݾxuǃt~bkL%6Gi%1FBwdChW&~F3bhCI2r 9- =d¼3ޫl6'c7kP>ӷa,1Y!q7Z,cn+6۰(:{^̢CMEM;_gQd\EeE*;ԄEbXcLjLETRNsTb_ݪ񉊮WX Ӧd6څ4z-[Y2Ul=[v NM<4_?=jRÀElcQ#n3F?'f"3?. K]nRK#s&XI=rSHvNU=s4irUY;ߘ"$**獿PּMݺ0N3"mTq 秓Gh<>{/j:;筵@pqv\}а̓綾]o - d0A REf$S1~N686n7$ .ʱTbhMb(>"˥'mz v0r߿̴DžCnԾSZL!z4sN4eVWlgO)M* gIg+#Di7zS؉-Ě vm`xN[, Ui 9l s z@($ boOugG,][zqF:򵱟jlp-Y+m fWZ;=^SY| oR"p:PH5d?*}4t oP&5(J(LѴ +,X̡{N좠]<6fIZ%t7ʁ&9Gg=WO]cfV@|!h6gCNmcM tڔETɐD}~VE1)Gv8up=oYG̑9{+iZ)7> rnb8.V.>jDި?Xքu(藷uטW,h:YRJ蜷 r)^HR6ݖ{B\kgrr諢,F,7PT]M8~OYJ3UQl$ˠCi̇(ah͒ui:<(2g*Š{* v~Xj'i qK\,d?pb/^h5jb5šant2{!&껇j9 ߖ |n,g_Dh$#htFI6߁ͺ |Q?)w4 ֤![-Ttkܮn}>C<VfyNDkv˝CtbCC!;tI⅖Na,`%TCs$1Շ$&}Q)_%Eo(`Okc2\TPThzrr23M-='5Ԯ>MV s7T>x?[wS=c7rWtL4iGƔ\F0޹fpVnJ5!N & P2O7iAS2A; 2i /hS`(eIBQzeW%ƤJ.IJ,XQ"x$y\^鞁Y<Ѱ -XVe*VT,$=jgK& 8hud⟳g엲,|wsIċK&9ko< Wv-8Y  `W%w]{iB=/MyφPRwHߓ:@Z]12DB,l0vAAZ *J閘!dV>l\SД'.f+R žXW˛YoFɰ@ Um.lbEde4|߰~龘 ]"Eh^êP)c_ZrlLPo^l[ˍ$7ҍTc^x2~ӑ hݲ^&I+^I{ܞWb L5;&u8>7:`1D&&5& 1Kf3HK(2&;/LUXz?`eniyrq f& WU> BOˡ ;khЙq5ⶻɩl5!0){+ iClմ7.@pE!δN1s>6QY9, םΑ#aq3+{IV-%W|3UA} m446qcI*蜭uj$CM):#\p^N1GSP+8ILt `,kJGm˅*lgh,hתMWwJbC]%oKT) )yZ&5l|Gs yBzd>˔SqOz%7 6뿬d~9FjQ^:" &P,96C"n|z .{1jꎦWaDA&&Ʀ{qJ9m{Te Z#+G1RIr.NqG QrD:-I_ep.ꭨ`9v~y蹣w}Fވ#TQbJUyp{꼯"^?J` =bA*@Jp}Q1½;ʂ PY4|)^LIn݂.z/OLDT Fm +l{|U+d2낑IǸ'oTKe,ា?Lbhg醑=@:۶͂.A.^c,# |9IƟJ%%;M#lkw)oȜBsyN(vdzrzbIE|bׯc$c+MAwng^4D!0U mJ;|#oՒ򍐤 =$A{("+"k%/~#= &ÓY)xAb;z0Q]ʀq+ g*Z-1C4`b>IΕ4emH$u۵Q<7Z 5c[HRuV_j[FXRl HtcQO9 :E/xGQΧ=d-]SbZV?&YGbaR6qP!>;f"hw7|@x!oU?F{|O:9s{92:Fjn$7z_+gxMm>2<2뀞S#y4^Aq0boNby1MEcG'lD[mơsS/LPdT̷5:^xEj9AhШxjNi\ns_3ᛊsV뜒;ș(Z>ڥ6i0PιQ@Cs\;kɥڑJztQW*AwXSw6TLRB듦(E^ 8Hg|&b4-ub~8/B%˜<sY] XͫĊiIK&tU]8 W:\]i\;|~/VRN k;bM :0Ux.: V3 Dg`/K)ךฺjߟ5@5e98d%Y[IN=26>9j!l:W<bo h|͢MP<9y]Zt5% RZO iMl:5BzZD9{D8UğVn>Xvf3o%di|& <|PB8m{_E_P}]Q4c AْU.ؾaG vuklsDּHrw*8DKlI!cU [hgS&\k5}S m&Soi(?c!x-\8O$mn-gϡnRhEҨ/;SG @,ei3 ;9U0ME`6:y 2:#MpQnZQGfF/Oc@0%'փm6 BWa_D_LKois+g~"k'^K5 465-6Io<il]]g#Su p ꯴+\aɺr?0Ri`67;s&4u<J]+q9+SK;cV*n~GgAIL %쟌‡t;$Uڲvg3u:ܙ76u`<85ǡ7JXkULΟd3@-nQ6] 9T>/`X^FX=HirU:7;d5 abrl$ugp7Ĉ-(%A3͉JїWR51~5XDW_"Dk,8=~ᗘx4ȩ X k/Y"p˜?i t0 _̠*Eyǽe]7GVa %R4D/L.w{"''w-6qFS5vme!BA~:RYzW4.J8FiS( 6`P#JeOF\ XT?v@7 6]ly0̽}XQF:ygd1St쥝G)8%002U:gA*>ޮEicBOEzeJ]9O%!!y\Vv i!bn\#P`zu:Xk'  We6IijG/doԨ!@<L*0߆N3m y1&a&L~:tPˣk}tqCoԍ0c) QD)L_9ˠ|@pI򂠷קXgDN\vքUSIP̅67T)ˑT Rhl11kJ;@vE[m5;x5_Dtb_)allˣb?β{3wbUJ3S ZE6! Rxqq[84 O66HX&NV4xnJrLF##Lv,בeGQקnì+S>iOGpc뫰)Z,hwDPzC>WC}ZgE"u=qט3׿Llg-f̯ o ҳw]`&QvN-Ū徤DGASDn9"#UQg`yind~ҏ)zmMϽr ºU/jТ` Vw򤍆Mp =픉~/Sjo,y hI<*)r#>ϺSQ0EnGo'ĉ'[W , ;yVTB[1NNF5]ZIRzg1y8M,Rc5=$ڹiCC ңG cWYr^Z0m)X%ba r1aRc4'P0t0%6Σsg1蓨7<s>3UX%G}%R~t~OBMn'Z:tT˜+~>XSDXRQ{KP8$`Gz5`7{D5af?ro?jw<bKS}N蜻&%Yj=G%z*{lpt#{۔汣lDҝ,R^37M%wo;vNPwb\@Zi lzF&;&26uD]r~ ̩)}!ԉtΦi$IQ)blЮ騮SkbsAWL>mXdԭ pwj÷?dsQH z!d[#ba=5X#61d3sLӍ8理7s<.[$K;iKtr_딆+ %%,T N\2yPBm{oH!! v'<^PTDT?N V U}m@B ߈+ؽQ.qsڔk_T+*9pow>\+( mw`p^;,Dj 6YcZW4OԻMh0mgc{U!*[>,TuBie[\u4c#"FX'Va_D"M[!}{J<Z,ֈkپ qie/Cp<cEe:0>84y, _& *4mX^6-@ |}OCg/.Ek&ܴSK][3v潟 ZlՃwCkR1_DR4z;QBbzUcGB}t(K P<xM9m<9 gC3:2s[#ޑ 9w|h|✾aor@(xQ_\@2o>mg5G{]QwY샱I VQwQ|=_;n#*̱ mۿ|xc`kjllRClSz12P!t)귎QJ>- ~b[ VhKWf`&c^vƓA<y㤱D3̗)\6J :S ʧ^c7cO D)$F@O5l0A(qgJ1A%Tu5*ٴgk &~ecJJ fla]19|x% $%.;ZAeU\5#ad8慌l6<y(%i}6_nRtuYEY .cٛ48utg$uiΏ&퇤vdHڎ;j_ Fɢ],Ue(,t T8Dq/ZtR#-4im=;57;7YF@q ,#8v_Kgsdρ'IWc@֕&hÉKeH`mMt݂2-ciAkEf,Gd2%̓VjL8n ZfLLjSϾ4pBzWƲ݅n5Mhjvs'.)b_kj-,Kl;I+dRW?[4ҍR~NR޺jRC(/u_/ց{k Vh9(*I*YHj&v1 )Vp߀ ӯ!wCeUi'.w.|A|~\$^ZqۍZK:jɒUVڰ0 \ŹB!.J0<-$`qv0fWF}@:)%B[F Jx)jqʻ)=a5;ˋ-Wc fuC[+X. %дOradۗM^$q QX/ޱ'I6-6.?y}/&ƾ@lqt$/#rQ{?5Bġ^ ^d9mo@V \E%`nϺW]Ȍc nNI*n9pGW"?i#&U7{!F0, *c}ܱe`%E( NeIQ+NRwwn'8/pr['M%+qפe!+e:' 4] ak0[ wm;5;B[PDWo%8JqnE)oً×5M[>b`^xɕ 4W"ue:-?Aojceܬ.z2p|jsBB.U$s'\pJ|`0~O_]hS[ju\q)iUԭ)m*eK%>j(#5hH}:tϕ) ֠xiȟ :BoZ_5](?rMYy16gZضJ5rPv|׼lǹҝŊ1|SϿGT܈BsTF3N0Cѭ}'C_ ^1sD/H.g$5`Pbp\蠟F3xes&Ll  J.XRp%<I5'9[~ؑ2ei7WQ:h<w ]ETNt3ۗŅ9:#*5F E& Qp(?s(WL1"ګ!=6 " 5+9k'QYo%B $gA(Z&-&!9xY4y^t#8k0(Ail&@țVrvD?! "R/86,M#t˰ <ɺ<Ǐ\>=DRv aq \ׂ4{cE5 s33^2m/c5)_~k'FLL _LZ 3ZIoUfuρS ͥy g~WO~ oy=[l~]Lw<MzXV6`m٣MP5Ղ"Tϼ#r ys,&U/,O~gnη%y_.\8(BTw׆0ۚם[1O {tmQ7kpo憯"(知18IN]BBjtoN~IxdI#ڸ#| @.%h"@XOrhAmsװ}*P &>7cM؍8S^>){YC׾WȢY&P*nŃ(&3æ + rYY1PSގF frK\b^*;Ϛ|l;3:+vl″y 쮚beb nT?Lxjs&@q'8lѦk%\ [Qi@h OJ DE}Mf]^i56۾sgcʨ^_=N|9 _XHyx]]!(ty! %QLO@E\&hxabϺ֡>o'9' Cvr*)(sk#6tݻ5@DZSuSMkD@'ܞ̘VnL69xO6䨷O}WN[н  O{6ۿ(VCL|,_㖉u!Δ' =fV&SqU̓oJgHo(!ABk#6t\0ۀIql v冯,g%!m^!H6.xK!wᴆe nZ,.T_H7!`pA$Ep󓃫 xDAL>ƊT4rjȸ ؙ-:ƨ ;QL.cO'7fQ ~ ۸(&;kFUM7mfg0 bN󥮯 KʬcYOkp`  !!$N,@WO2Rg(_WU/¯nB?n<=uIMvoa40S7^`N yAH3rHKwj%]Q "T6Բ<crDt~0DL>-釶1!WwJbYK?}kϺ5KρGtfQBEGdRzqʠTI΂1@#ǚ )?Yطk4.Βsjޢr"-إAf&i,!qmZa'ָX 8bF򔱍+C/a!Fi҈a$bνg ljjE'ЦNә`m,:$'0;Eƚ~r(AO h))^ R]KD;i<E ڢ}DyC#U*Q ,R@-Joi5Vн$sՙf;`hz0!g͂>[b8ւ  <TFܢVg aUg:Yt}Cs~` xy=C]Cڤ:ǹz&\c iV^(N`90iĬvY@e׼@Ojc􌒉2 N'[јZ ښ V0:^J}f.F1Uo|y;7KI%[%3޼DPΘ;-}&YGNL.U=^Y蠗t߰R<4/?a C=Nvt6E9ȦtԷUzƬSenX.k^R̮JŻf_+ OJƃF@5Ǔހפ=ySDҚꥻxwo(VꞨId-HOI:&Q+ @3(Z4|b%68w̃B!rKXv?W;J!7k ߯2?P KMðԛj9HW<!5oX=QP3,bګoTT7T5)y&)UanG i'#r9WtIAc^xe֭Q^r̚?P,㑱<obc]LR ?lzjMR5PbVKnl膻xvp<!#(g*Ykj<d+vjAL>v@5vAKxibyܢR84F(}kF}G!)?{CNu9 j_j!~ ['r?'#{gɕ ##k95htPr*j6r -W|뭚{A_qC{nf%7!TP' s+H}:Xk*\Q'<q~ qd;Raimsw58]3D0'~t!wkBg$"gNp[Qao6\֋VXj" 44qu|O6pÄ+ y!u%BFgsDt>DguoduYHI%)_U fَO1RHm˶jb#m!,੄prIz~:5lR`T/@d-C{pX;sUt fq[Hs1:34 ~Fvڒ5 Z9B\j 8rG̋ KZ>B?enw7K#js.0b#vȗ)}c3<שRՓ)b<H6YV18&>d?ՂBl–41@hM|2Ru<]NVYf>"]̒qK:.Y)]󣨞76m|_(}5.)r~g! ;ŌFA ?#lS'uKђAoMlL=J!|9~Jk\}Vnp.ElGAXЫXL ֆ x0ްgw.2 MaGW1Ѭ=fK2?LPFX~#".Ne.<R^aJ,zAo+Z /e6}!l+Ur=P=76Ͼ ^PP.qHxۿqbZ.J-QNѵ5U:]/Bq5kfWT[ʫI;ak`."F3tې.5 ;ÏwF+ mZmEQƭt?ңX(R>xIf8{&H"ۑ-czbc?w #:^qdt=%*4EsKȢ0jCQ^qdey7Rc){2Ԥy\Q!?S )ɅC*JKIeը #`*GB> XG *@ W`Ɂ`3m(U/-RIfn 0Pe8z&<X!S4Q'Nx=HjxTMm?Y:')!pR HA1<r)ÏO׷)­=!UQ֜T7@bYn_ Qy\0|c}IJsw}rh:*؄j݃ұ_s4H{bV{| 5>jjSګw-pl E&4DMywo9}c-DNsCOj,"t, ǧ,u_P\^Tqn*:39E)~20;2H6.s)jVM+^tЌI5fS|3IS<ςݞU7>B9hyUy{A!g#kGWZ/_\ޥoşxfDG[-iZC`j F?|Oy ˇ66 H͜Grƚmۓ7.CCQE8 KmEA15YO2\.à\~H.,]26cNtH $T`^@Y&<I;8{w @u3Qa%X7H#&rZ.Ϗ*7*}/]d2y~m8ͯ=UW+~Q"Ԕ ^C")OƷhEl Ȟ9׍GG ,pq['ڣTT^4 #o[mgVN@=7q%ZL*bC_ǹ-)naEB1r{cjQU2S1p#!y}Ղ3Zi0rV[ͻz0ٌɶ0w4u  ,z*9N拘&Jr+tЋ4jDתReX NVkiffRYY9/\J^Ů<Tnd-~<7QWؕ{fOtnAQx֥xo&YQaxǴ%iUG#+A}61|9]бBt :{Dڞ1}}2Gtu"Ch|o"~5S N(_x#{OjyNGK IGM7F&?P2VW0Ԛ^[ /SC2@nt`:jzˊe1$+?IHg[&˾ sբKߌǵ.+!X~yGfK5S?zw)^u* u2\J7S).^^9 !2f*兯i­".1zeefs r+26ʺX(&6RlZ?IS!6CG|H`;0c8?ZO\m`]@pBM VgH﵍DzVOJ#]0^ɷ)"L(ԦRLˈ<5pMLy6<Fo}KU‘O)Vq?2zK>S E1h6r_2d؃;{s}8L$yeEJ޾[email protected]Xp<5vnhyYt䥼Tay)ܘ}?S@<M{.qɂP/H[l CZnSxas0.endVzz+9?ڸPJZIST@9B)cc7{j/bjtvKwo.%RE/ՑI|*~?Rǝ#idF_GvRG^3_'jnYnAwҀ *Bgd^NNy-@d HFܿbU/ š&ZM!it42KQɒ8` Đ0́7'ufg!ٞ\KDvQJb Z&8ϥ(";ni~hq 5߂GN|3avwpbᯋ^|XT"{Z|\x—{D_Z&E[YwᯰO~a9|aj])4}ݟ+`< nGˢd FV}Ӗ<($y:{>:. HG>E0s+_&#ԝtvm.͑|]r+f̱(:24DFe$ګsZBA6-R.W#Vl74t6lMtk6"H8B+^\ݮ,"܃:8MC4͙ i ->wPfw%RP2BB % ΄-WzPqQ_fc[VhQ@y [)菻lGУڢ/^xਖn,,s dE"X8 Kgm()JQIiE(xA5oڇOf" Ղ|\wYG X-kՕRd),$(Nd j,B)<|\@,g[^aÆǛ大8V..{T)`bx[ol9yBː8lG; v&6d=і9Z_IW|5;E jXۊ܌"F&"H<9h5a0G 3.vR_KP'oCݩ \8(~U^vkJޑ^'H5 zX7 ^e+F5"|B4q@|= Cᢘ;:Gwo_)ZZ5F-hoAҁ8fC]l- 5AuLu?2 <P4 }C-% GJ?1~6yb`4#0;n* sizFxWM,E}<"ґ>j{98.U+#ͧ9ueH3/tׅ yJi/i 5EtYiYe<nH}J <!Hm)#+=p+@B *I, iۆuiO͗\j@]~ O>S[WX#ħa/ [q DGYsrVj=)iy[{:B͟i\/F $S׫rfqY&<_w!S]CrӪ{ů7@vF2ϏW.$[, {%ETK`1eԦO[;f($H\Sx59oX/iЂ(/T73CgD8fZ4N\<jG*݉hؑFWE^x:̉V!^T;_,>$=K@v?⻔̡eJr}ܛ~bDɲ7YzNYNW!j;K9{E</+C{^"3&҇+ʺHf3jdC`tҋ :˗yR#ndW*9rye L~|m mlϣ-=xeq)8#Л0r (?bB+g?ŷV삃6|mnAs:a<?hs plʦ/ɖLvؗ5p3" JAG Ml~KrWzߏs$Ox$),!Fɜ˻xf1Ǣ=!avDс6 J#_[l ZM3l+֧c'SC`a%-1,=/^22/7%;}d(Z<W8;7jd- _w0 :vNjE_7;$<qXTq;-#Qbvi-=Pm\i^hT9)A?<DN kizLޥ ̕~~9H cMX<hN`3T852il v!T>q]*"V)ձawxWRXˠWSvj eJ7[]m6]Y}]\u5Mf|{MNny/\]>aO6ySܨ/[{MxF hoefvqT4!+J>lwJKt;+[x͈2SGslm{mZ4}heOfƂu!ULCp#]%v\Hu;[j¡g-G~L^Z#|ZY];0vcfa|IYC6(>mP~VO &ğsIBk͝%ֲv*kǟB!oH> L8-6ATɹ`*ݹ9,ӞJ4gyc /܆s0+b cndydk *BV1tC9⚡:ԋ7Y&F'&x +E$BޓnetD;3zP;0okiJ6QjC=8 =BRB^Z4;!EZآ|)Wͮm\ShcS>aY$cptag3 hIs~WB+*80uuVrHp W^eWAz ApEqrI~ŁKiL#)G" 9 78i<Z)KC:?Pfd10"΃VEoQ1 <C&5EiY@*Taш&J(7=wjmy?*0wtF<\.<Tȩ;R(o/{!S[ US(JVS[lI֌,g/^U?&\Dԡ9Ԍǿz?oy D:nןߌ06Ve6Quix}4z^e|[b{db&nw[֧rFx!ꙢzAGoΖpȐYw=͕UmmnWdS 0&wB0Xja5 PNŭ.uy #ORpPP `k z:5e?e_C˭]2|L)1HXX-{Q:zR(]c"+e[ݕneL5gǻ15IE$( „DGu"7I׶\EI766٧ bF[]>L=X k?S yAjK`ƫS=FM #E.0) IM kZ<rHmB6HRP+pO5S6B]Dp!?9NҿM)i4e -}] ҊanUOI{%P;94z;BϠJE86>V{._ HFU귾/Ψ]-GgIU`r SiXåҁ>S-WPGY{yj.VI\g,;X٤]"$/$/7ȩ0#ouYº4ݑFR+N㪵pY~Dcu \wqsfM(;Q;Too|҉:h`joS#v܎;ҰŸ<hKj6.ۜR%{-Es%aq3%܋c7ɵU-OP u!a3vuf\܄вX<6D㇈?;GBJk1T)MNXVr1_nd;%=9zLID"Y|z2&ot}!zjQ ] kM:n6"Ω; Ē+v!Ip@iUE$>ٰ#,re$>/5HX>{t`8@<|T6*:Idtv]`\,ց=>S^$'#)*G[aDЖ28I@%{ _}%M`7sɍXd%t(Rua,g W5PW,˾849 7[)9pg\cdn3lb>>[Ҭ}S"WHhhXɎJ$Wor*Mz#^tܡ<p7C0[z$ᤇf]7zY i\T*璖nX$u(Gjo<PEF䦂QOS~5e@<y=3}NlG<~/%f3[8be؇uɺ#^ #Tǿd<,20\ +Zx$,P9ڃ*PI+;k伔SNB|_ʐyo9qc ~ft=(&mo1AGђտld-47њۢ%nNi): X؍#_ǽ@*Zcmؿ6J%֎=}R׭ʸv.2 m386)o e4ʤ:hW'f2~ $ӦSUyge}L~rDHe0`yyeLyJ{#\ۏXrFS4-3J85b wu8h-ZZMKFҙNwfɖZN)$ZOZG8Bhir^iv]-yQ ֓`ܑ'vG%޺ ٨3nmf5HDPYf.QN$蔨!z͂n=C0jˀ9i!?1{ gN e.X}oߦyOj-QꥫFx0Gʮ|Eye-Gs6FdM2OFbLϸsx(}^s}"f]Û0/f8 X!no_, Jp\#?@~j#DYݍb(^sgs.6;?MuC)U" ySɟm KXd`iV`pkW?,$ܧ]g-Ę}"n-j_Y|=SB#t֐hElr( 72ͦכyrvs;&'{ͳcWʢۅ ubQא, U<@Dd_kvtC9#vPڴi5Û0M٘nyaE˕cr)ԜxSZAA!hi8Wl׸0LA :kYQ"`hHaHA6^Q_&i&`!p tN*ٞEUuQ=_IB^ S F!lU9 p Y{gS.|+p'϶K7»mSg| Ϯ:ti=L_%QjP([38.J8@/F7!W^^2z)@%3uFDuӆ pc@VS[D'|HO[_Dm4"E8;s0^"XǷ5:54[@h yayk@ٮ+[J,iCoWk) 3Z ݱd1"bT}խW-f[?,LnAV-InG SۮRTC| ev`豊y&?Cd @0a6t \hʇ'$ J|Yʦ -Z#S\^fdt^x}n#LSR:*ƫ[9} $|&kV}oͷׯ4Ym,^aS,pFY)E9Lɥ#7CG]`qG/"艅*( ͛]|ΫRGμr҈" 3Gy: {PO91 3ϒ |kؐ<ARl63~=gB^'̠4CoߨCǒUGYW-Ġvqa0۪X9Nk?CRnl!n% rToZlgwJIlrmY+ &pLK >0O>7OQ|&UiL #pRvՓUa*ĝxY{kfg:֭"˶o0w%m)(}oM'$MuX7IJ5 ;}}6~ȼî{1#LCwZ=gJmꀟi>X^Nf8=bUNjͭXd8Jߥ)D}5 ([=0YKW([4ejl_HxQ }GMI=b t&}Rk]JMegʫ'{?qj͂"|O +TFe i>Գv4~aFąO&2\wQ͡_B"sL\_ۊG9R%4|_![Kv$9- #cm1RFZy[biG >. B]J@>kT/F$)>]&HVFISG5 _ΙNeIYAqdOpRvm] u.vOL36-fZVjdP)NGT6= %=u9$ᘡz֦Y=]1?r'4R7*N6Cf=6ώoB:̡dSk O׫iAK GUzؿMX/p^QLYڍa,!Ҡq (c"/tolv~VW`ۙqdY"p(~ݪIIn2>?y(5*[^dڎX-kչ)XY .w֤4d Lhl̛/I4ajycG,t&dЇ-NhQə|i-WYlnuuGĶYy]&E!1XwN)M6VZqC)˫lךXг3vZE%y>sM%PbM l|G=Ěcwץbpu96X!;FW0ğP3*:gzņn57g@'_DJҧ)L |r々” <ȓ sͭVQ@${%` ט\G݆FY؇Z"%,$97C}҃Il$DEn6搓PP] pSNHw_*![4NP;o\q}0Iu,]V5 !&nJ.vſ1^&ϠTt^]$CF堗lfG5x2B5٩2s=o*AE#>IxTy/W86 bok͖Ou~u< =;KḼ$=|w@r8[CJ\.)&XgH~#+~>g𿡋imyovVţ?\Gk%s9lzU8b;B) !h.᫠Z8mh%hۺ&RFip+If 䐱xr2 dږ@X!:ȧ0jv}65(x٤5'A >m=)u?c;\u0|8r #t+lLYc@ vIZ MJ&AFIXMFt@=ّv 6']iZQF>D NPBȄq$ntO!8Մ(5–<]IV&](%<Ԯ?ߏ@eXf.q%ȒOLot.7ݴMzwBS ٭D|(DHDvM#k℁ I=_a8\Kƞ7N[x?`GWPrօvRBa*k"m jIKH$n  C}!L1( ^,tR5lL%]ǗTd4K x5ptK!fCNr&&"Z$;Aa (y?O9`md2J#. pI/̄K3^\=¿5Լ}Ӛ2^=S6&$mN۪ZbXkaB^N - OWXWKt p \KREMG0lS:da(Q|Bfkܠj-*~sMn}w": IKBEq<w4;LNC%)X 90f2 }~zz@hፀ(vtJ|+RT}&>qfmsA }8= E@beo :p(5 9Y6h)j  tWd50ֲ}rճ͵.&\p%Q -OvӮn/n{+rk%E2z0"1Ұ}2ýjյEE r^-kQNz$b#53l?9u^鉆_77zk'`<ԣc&ݕ3~7dӖW/\Py:凕hjj·n9&Hl]_k@I;s>[Wi 6ܚ-KUu0esyYXL2Wa1AڼiK ?(,ao!e֋\+vcɚs̈o_DR6^'ZI ы dxAo0QԺ6R^A{*: <Ј_`~I>o&GC$uM{W>DtAȂ-dc.Mgx9-m9x_W*- `g0^)У9h”HIPQ&j'ƙqۋUrY k!'@s$tPoD;l`֯LO0o3QJđK@㠜H8N>iYcy ^?Yrlr7)Hxt1'[!~|ǺJ5GR%م4Y&/1|ExJcXYX!b26vil[̒.T_}5_Ҕ; Ü/7A$% Mhy-Hcrt*jZ䭉%<e:&CiY?LkQZe. ɮgY# } 16CymK }gFΆ2x{mZ:^"`]* ]vښGb<ם-'"i(Mzf Q|! |ݻۉM8}E0s '4 q㢮֩27#NGګR҈N$U(v~wbY!Um[ZXHsćhP6Hؔ4nB_cāiJr9 SR!a<W+b 6z.M7K,y\v]Ұ]2Ѯ>馚nta fST0{B#vH]O _}UM~F#:RtwcZE%A`J3v_u9q e+9LY! %̞W Ѳ`sMQ~QQ'-eX7ϴYiqNW(qRDM7}Uciko@'2;,e۬?s:&h|Vo?ШS-&guh+fsj!\0@H1C [Je'G2UzaPJ3Ghй ewm+*ڰw -QG싏r7_J唃#i6ʕahܻ|Net>nTlzY*!bvպ!h=ѿrOQf@ [tlss%xTtQnfI@r1m cWʯN)T= *XE~-l"C8̼-aO;+i`!_!;;\ɼs4s .ʷvy5?NMM[hg# xش`ذ+]vDOnjqO*癖J"XO,=LƼ)t{6wHkVXL"\R+-hb?Oݘflw2wkչP䂻'D 1)}eYy3d"Wgkj`A3׸]B0{8H"FAOžuPO>YFfR@Sd@ %f)+~, PĒ͏Ᏽug9C)˜17<\*52P8WV7b?)0PޒƂ'_* ͔tkLgn_U3~*,&7&p:thć!,'p)$IrֱXOQ=HIG.l=Nz$ڙ{\)F<(0{Zr> Fok?B(Ov6XmDvм{ڂ>k*bIBhjR#R @`v3SON Q.l_7 iRxocQ^ zYnobNK>̻xl{+y|9W&O 7V b\Uc]պ<#"甸nT0c}H,,( Ucٯ<,8<~BN4,` Ji jjպh almQ3/4(gudž,~A&"ELnng?Ť</snވ]z"֣)BU5ӦV*vzN-96w+.Y]!qOAʱ9ֆ$z =<V54&(}XFVSiBy$r:? A2lb4`IJO]JKKUHW!>$P~^9ExI:YUq8}M 988oJ'AE\Mtd,; zf;y" 8)`f'9 v2O]3k*Dl/aO{Gj١}:0[je;~XP5G2[醂}%z(b֘߉Ì\Іd~vK?;(ꁺs;PJgrs/a|IޛAfY& R <f8xВu?)cZX˟Tbl u_ἺDxm9W~)/Vz{1w>5n?8H#|kmx>+*6j' F6cm'!E#y ;!Rwoc/vC_OgwjBF hWE) qj Lc݄C+Sp_leAK )#UD-dPד㆐2uvn{ϏV'0Cm.{̏ _R*r΂IAUy-C@#,?nX #z$ڙj)%!Q Ϙa^kиdoFu)| !l)@0({4ob]TpD ݕrhdݗSh' -kGg 6f0z5 ?CXf:/YUxecG+\w tըg#gjcvjT'J[lzRȣb~8rPTm?"dJ(*ZgDl {>nh#If6#' MtV8 <fŮ"_@y|D"_L+.ҹv<}VfkݘoGYzҵ N*{z ~Ψ6ؖUH 87.XZ.9ˊʰ:E8 q! U1:u)v8# 5nE~@}BfoEW"[~z9e|9;zEs$#.l.+Urf6*K,Wǡoc) F'[\]j"`b]fd1署!d㫰hQ4O⣇CRq![odw1Bl>hblf)\cN'[T˦.{{ ]p󘙞Eքl^`+B)f?]je߁̗e%%A-*~Ϻ3`cv(|K0sd'[kJjܤN #+"nfGz@Q- eIs͹A˕?fٸ:͙/Ar[^"QD`̧cI!tH̷:( ~^Zy^۪q8a9̤Z*e@b6CPj$͈ |3"3<$;)<_<ȔV1gf/w F(6Y k?^S!+OĊ3c @t |IF ~e\)zG* 6,f[m_ xm$Ax-ݨ~\Ĵ-ܩ{}QW82ˣcVH, v$(!,?ͭ);x[d1nš(ڂ<ZP/L@`H#2FR;qS!ݶt@ihuƌ}C4#.U ~ _:6BmWC 5I3ՖOlV `PRT̤cb"3VtZ5hV`J%"D\ [6ׇ3ִJ|k`$)aK|mXZ>mD;ٜ' 4VJO5il:=YLM *"r(l-ur(_&`Ҏ=O.$|.2 'ώ]RE۱_/̢: uX|n"ks1)&j%d#|QO'BKu|%/f_K?9Mkϫņ[ LEo= f7Ŗl+%H+A) Mѕ͚}F_ٔ%I$m,Lf& *ꃵȢ؉|؀,sQTO>ſw&O0ANAl 0r$ 4/.8 cz6ʭrѮg߾b k_fBySv цS)k<U6fY/̈PmF]o#mC( Ei.<,6lݟ iM3J * Z]Q͟Fo{~8N:49-9A2kHJsch{,w>I|">UKHKWޢj:zv+0+oFrhɩQE7Hv>ڰ0xx=H:d@+2Q׃\X)DCNR[l;W:thh.{=_R:9w&7/} XŒeؼ/2 {Mn}Gv=觺#ZA>cF(.-#Ĩ8 D8e$%B/*Y6)+MPzXtp !]xE#nCȌa'lL0: 9l85"2Qa?#0R Vіz8v9ة疂Nب{uS3GCsiu=v kUnMSZ3P*g h \s_IB4vƪvOlpF \rاāū9sqz}yӣ T$@r ͨIjK}G]zj/ PM"Z$G6b/y''<Դe;#.sg=͙ hi}JȮIҨS 3a(1aqLg‰i/ $n+-%Fv#md+^a'y7nL/k#+U3W[*]0gkh³o<!NkyZmdr-S3|D˼Pʱ": ^:EOh8w\F-Vc-L3ܨ]T̠ GZya9sIr%˒Eٷ;ٕ(S fg3ex&"Xbf;L Ҹ`\wO) 2=};Eһ% ɳwm',{ $Crcy1e(?w츛o =`'y&[tFÙ҈8:8׳7 iVԖ#{Ll<Zqz._.˄PIiM?iBng_jyi U3#^{ljf !DsyP_ zT`2~| !B2uNX\ruX(O_\*]vyxqw_;"7Bޞ/2!šp.}#=p ˕T:92kv= d)pY [%{biʭ1nx[57Ғ9̋6HKOLN{&\B ieeg 3O踵n붐ۜ E #=RSoyUI|:`Q{RiZn([ ATNv^A8#7]m5Euj^TY6 0ƷQW3~4jU.2w.WSB 9CruG:n0׌ӈ澝l7&`fMln dS+ݭGd"KkLF߾=]Mn~Pԗ3 V~rzetM>3!IJ &^FΎl/HK6^pXQ'dg&Alg DytCζZGy~ü\;p;{ !)ߞZÒE"2fَZNee,ktԟ+0w24`1/X ǧ_6U7ٝ +d߂AVi'] #XTE4T{+;Ŝk Ql<?O uJTUE#Yv `͇;VK%g,ЁBcZw8 a0\O%zɶ-3ZCf}鑃s__\<C5qK`(ҊQ5ŕ go9:D=;ÊO;p̝CXy_{?I%A,t*t: }b/IJltCCdAt:&MpԳרB@)uzń~P]B'uu - ^*=שvL Ū@0^Y"'Ac80 {C dWa3WC_W.'(O.9y._"áuzC?SUAPj<QcKyE:&>%,|'3y]3w~W$]x'P*"q LUD{'{3M`C.R/%5!0{NBF@ᰃwKAtD[/SE8 f-+Zǐ|{QsxaY$ t%dO<) ]ņKzp.%0L4C=$k8%6&̐%Zbnc͙ _\ -;<HdNWloxÈvW|V_݆T^;浪 >$K&lto?*"z6g|nC=.pz3 ѵ3i]ƕoҴZwNq@]C“%m[,|/ uP@MN˙BNF!}ƫ̳[gCâWFM Ƥ>g9nT}\r./.o4 Pt {8 F B*8^r2W=SmKV+hr vh>rR'ܣ1ojNl2BsC٘=d%`"E-D_,K+J ԭxutz߮gDѢE*3+}j^_oy/n5Pkz˄VCJ)0\*Q e_Q>4(/lCl<] l1X0x:e~ <8f?դj|hѱb_P wP_/sr`IHp }͸*j(LM/ 8X9LT+s(>Q T<#H#>&@Yȵ > 5zG4 b7a>Xmϭq󫌙W;x:{Dܔ=꺘Xa‰UfwjS{̐,_nG^e4#EJ_F~\OͯZݚGX "J5&BH -fyHzLm0L蠡[YoQYG`UX}uH~.80Z:߫^tjS .a{3jlm[뷎 }yƦl'ZVW|HpvJ_'YG@l)>d@[a'D8oR xA1 :ueXF+b6<>ra_$VյBOX%oߚWhZYX4JLi<Vo>{++0>1 dha{s!9|P A<q4ݍ̆q¶BX|V ĝ /wsPb{W7h%LФYЧ {,yP.d (ON!qG 5 _G+jQ?ZDz?M_>K sonDƗo3<FWoc%8aHb]lu1>E.R|)2pÁN9<@x7x(SM͵4+ '0龝/$/tH2Gu `ɲ*Z> ok|>ޱVW9ڥC O(V'oQ8AKv o kZ-ҟRmtc:Z;-/5?IfSW;¼}8-Κ❬ }w/?\4fZJ0w^X_ "/N:2DC1^<r s**֏0Ǧ,y$9j-xA3]|!$(rƱ$\[٧RhC|ڞ; Z!Бm3ƧʎBBd:iѯ3x4=6B/?g*>p.㩫b Ի@&xae%%3`EUok[R6$k $q$Dw}`? uy|GF<D6`if7YX`j`IUo;UBbuuRr[(i!M%65c<b: K9/mzil$ʝN(W+t!$*]orSrz4{OdZPQ-*u1{ϣ ,%Z|VܿV!H&Ԇ@5Y:̋@%`N&7g[e2v3]ahB[mKzB e',yvi3QcS&8autW+bLEzC4UFɖDHM1 3/$h۬*o֟ht9Eb0ypYщ"1:?;RQՐw*z@ܵ:E< C91 .XsU$?)0. ,%ps&]9;艚hywR#9fQC/5f*1Ey5trMۯ8{%M~W˹J [wzS8ŒV9f -Qb`ÑC[+0F[l{J wjbdHɄu`z\rNR~<w+ uS*S"';gt4-֣84ELnui0K(ct?qL<,f =_{|<(}(sz(D*d;j~PF`-DURև}BOU/0̚HP( ڒ sm}4 %FQG?rkd[(BX^2ہ͜f[p,a}#vJ|ϟh1.ѥjaUAd$c4+4͒=j`@z[n& vq ['&V2 Ҵ/wV%ܥ瞚 JIpJQZZD0}̹7s]p\ !齑=]#;Ԫ$!;%orj.T> C>!@+EL+`H?kXN+lcK&;zK_q2$(]( eiIs]Ctbv ?\&Q@M`[bA4^KzUItejHe2o1$V bW2nka)>\a}Yjʼ]<+p5+ZR]վ6_|z.C(Ajl`YzD ,GB?oFK9$xˮ]4SX )c.˂ْ{6\p̽s^#Y }<A ;B&'r%"DLrEmOh=ƖvbcHژc2쓹Ar=dj >c pv2Xkq^OKwxZ/( #oL:x!]*mD iѾI}"s׊5um[O{:zBNrxF7{U er\*w *.gSLxٻr?;ܑٲlId]2ٌE -@es)Wc$*^G.Kl^]*J1%aZ!*$"#?+{:4A`w)amyHZΌ_8#}]eSQZ YyT.ތ ݏn]VӲzTP uJ[!{(ipx$א(Zgש%lx ]?àCW[Cc牫C{-I#hel|$ӎ#أRx58Q5,B1*&Ŝ=wBH~ \d&+ 5p^0*W]/n!d*I}zMl]`:$ 39jIRgJ?kVL7|tp)Y!*)ӄ$EP5^9? |ճG3 ]twPbJ3ȢLNC.J\#`?3}+J~&Ec1Q֩CB NĚs J܆Jp Ϩ7*V\H`wt3cwU\lhB rzƨV%oHSP%P;߯ewX-?vRas@;;FAګx?F^ٕJ$81 ,ES~>k& 9\F,PS}\ҩ.1uRP+K:ŠX`[a.F=>/yE%wǤl@3)AmP.YaJiH̭`w7L"EUE6#)*9_ټ9Bث(N"ZSugL0r˙7#u4¼JUF=zmNb<Q%_ek)# U9Q,!5U?w\q-ϸ*DLVu]f<.mфöj|j12Hbji;ު(UGZΕ?FfuL1#W?:O-^lOj҉ gw.H1.tT nh/x)#Pc4F+sgV 0?ְBgxU^Mrh8fZvOiF\WyOcuUHo Ջ`6_P# PK~/#{l}nJm%;h BkqĎn$؟<T@$4c.eӗAؾ ?HCCt9Le(UJyz&71pã#/$MN%IiaJ.W ʒآBd8+:8h>jdnRM<Ǒ \dge/McTՖxDf qZʴ׵Dx@Q$§BrYXkaaHbAo.gN ^#XJˉp\/%ZM'lrq)vO(o`r")[n3LW~Ŗ%;b]9Y 7+6ViQ e<3gɴ`9EOPyԋ} f `U)/CoSb>n6ͣ1"&v ƹ2`:qV ]1z.ðo<+> TMp (=u2DE ka{& XZ6Q]]\Tco#>vZVp{Q ?"ZP")I< O&Kl{e~+ǴTCHxs\cv '-T(o!7;*~Rj9+~$>8)5L&&T<N`Ct*YCRfu>_;ePG%|BsHGgI/V~fY(P8#E`ڄ5)l!c\cR£˴{hcΏ七{,h,t^'P$޴9t-X@f Ua0b17m+I$vh,nPӍ%^IA40D xj?~@asTUҴSZy/mY[Xa(8wF'^b 57):PɁf ]Uwk=&&5?gEB﷩{g7.Nv2sFa ЍO!$([ ]r,lf ﰥJlA.{1|ʔQ\&xdk濁c{iKeKn}N=#!.xhJhel?l0^hI |̶(1*VlvS(Rʹ؞4\U]=Ef*9#dIkϮMdS[&ۜя)l9 4++=@BSewﲜؘo맂t&udʨYVؠ R11 zf1J:ăStRy~oD9*,g[(4[:ώGpavGvy%Ȯ%l2& !2 YKv0A\XZ1.c_rш`O&{ 6\7T0;POlտ~ 5wڲK֪Z`G UTW+I]cڹJլVIpUkG};=- 1EvlSEO05;#x&- F=]EY8(fce_=Hb W“I&8·5-с_GY=T?b 25jQB\ nI+וy8 Se0A7c/_Ywfa DTeÅtWjt!B 7?.r3!!L:ToVh= [֏k?5z[M墰4TmXov02V>gkv:A9| OL"$[N \i3>lhI k8>O;S MC c4#]\I2'm8{n؂ąL"6'ZԈ`7{ `Vrh g~BlgZ؏H'g*.]Z[Wn"5w& i9X[~u'c?#Q0l?pY]^z(׽Lmr° kz%m:`Ő5ͻ-;<G_㵆$v=[v*eAsOfߚ5? :~Du9!g2ot3˯Ԑe*Zm%e ⛉tٲme&ŷ<c7|) ٝ޶2b!0v id=rwIF!RVBg+VyHjwЋ])W`S]%RWD2>4O]\[8k@L!wW9B+g?XKD#Cf{x'>Y+ȭLF%/MPϭǴŊɸ,-ĉ;a'mj0=}XIgn-P!k.r"QW|+iso8J_IW‡S*V*%dCE!fٴ 8:ORn}σ;6rO6>{t>Uv@ xQ,/ҍ|0N24n&WrO<sVt\HwXʜmV̭NwVn !}FZY*ݐ$ڪ莾<R-;KA|@)0+K~@Yr54WsVφߵ| (zgԮ<KضQî):fص߂IaRyxĆ>eZ.̤%ȏ[| $T,a,!7Tx W"0V5V'_ &>"F |ɿb)IE@莰 8GqN,5 .cyF/ s-6zotԇX)P{Қ 2ض_r]в(qDzoEBc`ݻr쨩z!j{xj rB^Wx4[T6BI0y:-hwqR+!GK|"1Owx* G#yۣoPۇm^ܪ;'Ny0\uT1l~bq8wtE  Rzhr(1D.d<4#L%`m nyB'/3(Ҧh5)|:PAG&*q2f _X+VQ#K#ϱr]*gS>u/Y䓮LQ1z+GA($Z)p\X6M9Y?MA7-; q@8deA vB(=%ȥ\Ds?LS{΅ .hhhyA3%ŢCɛU\`gFUG%l,O!.W>RG+%u)3ߎR:&|V̛zvp$"<=~Oؽ4t4Tpj<^zN]ɿ0i]B2`MkPQx> VNhe jO3ƂY3".[glNZhx|Z$ha B|ҴMGx2ȿ"`YK9HߖZ%/I+3wJW~+2RpXaրy"Qyl uwѝ:}+)'IL&[n g//]4R{N]N%[>D!NvڶLSU6S{@1gJ''_d|=t Y޸g"0A2`tCm 1ϋ?(#c,(p_N%%Ǣ)dK ~UK(d*qz [,P,[KkV3{`siijm5W@q.3{Z_+xM(Cѹc` 뗢a>N֧*'A2ogAK7L?X\EĚn֋L.`s1Do4]0>)) \f2d+>0Nš8Z$:(yOjvm) Q)CȍfԐqaHY+e~ Q%<xn  Լnp 8H`bV Od<U E!t\pe5ڽqv,ufhl;z&n Ӽz={R&I_5 Lpϧyg(`Ņ1+[ PtU{9lDШ\S7$0ѕZIzDȅN='UR0IBu0яb]!*rO@ʎLuba?.:S*Ŋ٭ɧ#/tL51*ibtn/oιNk%.p~cÍF7<T+jv'mM2J+}7UU]XjJa/3&3٧h I1.?:Il Nix8( T{J^O! 3>ߘ|nںdhGɵ! )w$X0U0y 'c$ < rOZ>AŴ]0!"&F֜ ۤsΎ",lABzg,'H&`Of( O:>x|AM0ZnPh@xUo 3Q|VqHO7jd1 P:h{`kIC]5n08i&zfgGas$NÖ_Ut $:K#) FؖQ0՜6_tmV*~{[PL6^T` \DF#ү 0AT7-ۻPT9YW~#J}86$6sTxܮ#;XuٕAZh.uZg܎UrO+h^ȹ;V"wHh ٣$ʘˀV!n|lG ʌC bӴUe 54TyV#wCb mM;õ9LhS!(wb|M㧶:-im m`i;GE_Ϊt9HU:t;b1wp*!pW|:pF hS7WdB;XPz#Weby{4@x[,w2IJ{+b?j<eaط+ C7orrQy>us]WKH>!^6XK7NĿuCjaD~FMf ?BX ֧SoH^M3зJ\" hEеsW%6QcS)*ӯbS2ڀpI Qř MEg}kwEv>Tml3(n,w;U#?OWo<}1'̐&-09ņ{gpZbӾ)W$~9Q m5I>{eD^\{IwS3XmIMhA5qykn`5ՂJ#iQfóǧ=FH3Ycs(7KX:Dm+IEqhs&"WMh/?&oe]N t%² TS-gx' _+\z @(i0[BJ"-(3 FO8Cйs^N/ȕZ|ۺ 89m&PܟBXKt Pd4mn!sU/e= 7CI  7:i|RA]2\3sTedͦQ7Nj %2\9bAe|g`0g8&sM eo׼YV8RgoM<ZlnLg".{nnr|ͣ `P%07@#0+d=Mᛨ[{ޤVU@H?L&GȮ@SgB&-7'eE\=DPfKppi)YY^hNppcl<ic|fE0iSSB"*d~Ol 6/M<O ,SUH]&z;MEm8/N,Y;1lbթg!w޻HZ9 01R bڳN(Wx)RUp8wH;M ϒ F j}{VLj"QTIg< < \F z!7,t  2lkT$ʾ3tܥӭ(-o˅tuB0tù3hD)TŅةf'Q< `P[n@}Ƽsu[3ZEoᱱ362@@ٖ% \]3uyS:߅)q"^CLS1FóAvĜ/ :gClG0b̖q ޥ5@uP2qD| G !ΆQHns wSs(Po˛t2Re3XjJ4d阼 .Ÿm,t~ ~KnßpGV&<#[.1j8[s,oՑl0A[ U!tQ` 8$!x -UqRhf9 |E O8X1q?fu߸sF&sAsSKZ)vjfJU>>I-x{zNBZ.oՁfEcv-D02k1{Z/2YM&ks-Xr0 (qj|sIpâb*D-i|*E۔9.B0҆1!zI $)v\;ҴIuݺ9"~ H@J~Y3t` rPx𸽲wN*ڥػa:fʹ =GF$v<3-?"Kd7+~B(7;x,K`*,?8qB>wf'?rĞVhƴ0BTIcD`eZt !b`?rX <.Z/l3QHl^s95 QEb@(BP,JK J@@^ibC\,ATcQ[\y4$B^c&^a(5=1NivނVʭxʳtҤmx*OMoM M!,m!{܅n<~&*YV4H C@WQ>>3iܻI\fԯDl9m񬗲;Џg$֕<IsJ'Fˈx N +v)2 3=_ 褉G?L_e9meyj~:ȰzD'Y{Z.jн<|EQ&@M5Y`]}ހ$AھIG[5Hunql(·wg_ w@t55k,CQ"m! v V( ȑ+ŽRC1 9KX6M 71.H-΋^Ll|3U6w]D8Eۥܞ0Nax}0 0YBHJxՆa+Np*?ؑRY%T{p:[>JA8;RP8-X uSe=wò:Ph& `tcl=! i; !o|&ahש4#U)ZɃ̈́|cD]D@ pUlXsp3anr4;@ c1^FvKC*VJxfD|)d+`:J_wsz8P}͖X?]Dڑ?׈DUl_صvB|!%FHJg!{ЫkebW(wM|W d\7Ѱ*y?+ReƞB5^4L9J@% zKj4DOo@NHd]80#$CM>Dwܱm6@~6b l70M|&\JCYtGA>x۞~nyU7 Z9?pw3%ȜXW M{]ѽ#]Rƕx1IGAM^5ݩqӷD֮HpSi1*ΖD(7l@qD,0Կ7,=֘1^cigFI{!i;qIcyJǐO&ɳ WYg/!k&!t]}j+VRtbwhoHl5 K@" vPql`xBI75IÄI<8O fL2$!δ)eߟ6 "Js}Ui:$4tG3tFmðkM1NO֎ _rRar}r2AܶU/9xgq[͖R Q@&v.h9?4 9gDo8$4|.vP|/f#>RNbm^wuk#;, Ov͐ky+ 0tV}GMӉ7yEd XIfnl6d5}–bM˒<f'T$xx":;e)-Y6$"i?>]ܿN䑗IŎ݀p3l${NkZTlYNfu")H2)FQ{VJ 6^"Q2&^7l^#Sk}"i v\&6lUKD ̎s)A NZQv*GJWB{BsQdM^ Q}m0ih)1B3Ttȳ'ȒEi^x0(#ĖnIqd^ő͗:eUQZ/ҁMv 7'x]^|ZIJa3eJ~__/@B )YUܓ#+}GGilK5%JAW7Yo[݃q^:`!I}k ca[n%0_+A>Kw5Qџr%}:w 7OdxZw~ѻ!%RW(3XZt~dCRCz`)Ӻ@̬e[wv}i||2ĵI?@Add Rї;>? Tb#L()O R9<RkCpʯ=?εʹ|v NaWv~oxWȣVONt4=irk;lV4W EŻXг3֧Z ԏoۄM#@%<.zf(4n(rv!O` ћnZ)kn ȭq<y?Cs\\qNVχkf}a&6|{N/OB5vRw# [ WA&HUn2ʁ] |θ$OO %Os{FP\eWFOZtlH?m×0x _ {Գ]/T9<6 K.Ijlhaa6E{]sKGUtH B7dn4q{+vf:Squkm9vkSHKmˀ]6/˯ɧ.IrcS«\ :'|h` ۝aEmP$f4p44 /qbŠg׳IGU<|sqŘT5#{uyjC?04s9BJ2Bx&]+0:.S;l 'Ic-݇~"tEcwg7=_6h)8 vancȀyg'Ln:~+F9,ݥK\ @xޞn[#p&t`4 9|Dz{tǩ1)vevMC<m_[*i{` @pUI#>_(uڨ؂C?u:s6iu}%˭^L&[ˑA -d8-=ssї mHo6=vY/Ώ7={'1Yu_ꫨw^~L8P&h .6y=`x2L2׿Ѧx ޖrm]YH~-#DBZTmί5"v m|xwV)0 KtFH6^ceKExQ(;wǩ>H/ sbY޷N1bJ!h<&teaiɾRt+ nmt/C\*ӫwy; 9/4<\*G6U[]ScH|_M`bA[k@߀ [MútF:{BmNgᦗ<33+d*5%{Rp481x^;aln&Sxuh9g sL-!˾~L-7A3L+ $c=41@qkjZw SN(x,X|&s)lKp,S~/hwS%)*PUֆ{x<B\fQMuw/;j2#T-\z&X/wUVNѣ3юܫZ/M/IGUu>fDD8!Ŕ];Lx=Ɩf9v.*APP<%|91$"q1\!u]ikE7 CnEDԯKrw.DVBj%She{Mw?\"Mq.6*&^U9ݘ&AJxB]-% hlnCjrgzvuY"/ƃCP7_Ш4.*dI5(%eu+C^V#7cj_Q~.¥3ø{Rgm5؊}ܙYaI־X}Ah<$oݥ"ejzPS~KH7PJ߭]SW 9:GZ؜r #;o-^NU[u𰪢T?pKkt1.5wIBEm(h-%?ĄhޜůgvLguJ! ʄo`IM˖!khR$o+&n.vV8Te٠^O%3zL5$..Xc&#EW,1`AtP/ ] V1{Me8TZg1_'5r1B(mL &:{2tE%:]oAz.@8T[t~y/#\ }mfrU5Zr lJ=`go Wh:0x2i*zRNN_gu,pD~*=ҫXۣ G&gvZ!痣ϯb˲"&&)*C I>*ob"ㅪ-=Yl{i|:cb?A)drd;F=l]>xZ"}gWW$p%Pst]ΐxIf~Lj5$HB F7ЁNJȧ̆ $;S,5,1`\Ylր'/yxRTNzkD3;`aG7YFDcbHYn1ͣeQ|UșzٔK7Nac7}˜t1Z G;b v:4تyiWm29$F@@eC$!k<L5`lD5A*jRK`QIJ1Y4<Rs&ǿ|47j;;z~:Y>쬭iYA?V%sq):*7ه۳U֛ΈDC40~\ ɠ%ڡ *-DHuVTC~}O~&-if׆).l2)Kێ. "N1^{cXoMU ^12 &n+E|؝w>Oƹ8_b T ξ!M `TT6Lla&s3<epf޶Ame-<!\kԥ Ȟ~}C-hI=L<`v9TǝqV-|=/~( 78F:[{;յsh#,<khq4h")1}DP{Y`v&Cj_'ƒ DXŎ7S9&ʍ)k:&(o6_66m>ka2+V浦OdZ,tO,H,geJN7KlH$n77ÿ_V2RT;}r*5CP#?MI\ ~s1ߏ[bzoh@ƹ1(\Er4Uc%pwi}:uGpT_DX1M͆" AK8'bP#oX硷eMe\X^b&e%fobԥQȘPɪ<Wxt0 u΢O*1k3؃87r$cU}חI<㲑4O1Y$|)DpC//OD.4r6 Nܐ2x /{ov+CO&a\qukׁT%,E\lͺjmUwrơ.4 w{ 'LP7 ``p37a vؕZߨ bsA:  WBzm^A%VGakSZ8sÐnkŐ|Ty8邍ԇnr,["Ӥ> `j=|vB˄RW@/8jBu!ڽ ;' ޕH'mɇPwfQP{dD3 H25v9ߖ"Mk mb 1p ɤѯوNHbSUwbւwS }'>ڔˉ3w,6:@mw ģvr T.0u*j 0VD܉,.}QsSB LM$֛gk"H8Wl0px}P8,>RH]\ӏBUpb| k)4@TTNVh&Zd%iSRvP(+#BW41 ŰM*y(i\Q&"<o}aU5 An=ټNw8#[`ґ_4_ڮΜAĠpSLayR6=bGX׭\Q2Lm9j/8K h/ˣ {'qMV0g>K gq KCݗuՔ1Bx!8x89g +-4Fj]>A*ݡ1?)xk8̮Խy"^ h 䃻DM@{ܯϊńMTr`DNK^SO1E?[ݲDVw;Z$k ?m4gm!KKCZS(HjòsL DFrhqʊL 0vppC5h−I8 ҊݙN]wX"neDP-{HS~3YNw'0Gm'.GP!!m=K<PPV3WꕞUQy1@^6Cf#r qڵh76L5".CTGdF{kU:WN2A ^XV0Fd!΍/F=&Q0 UY(YnLk_4T)ʞ%kF& 1Œk|kZ]˩ qJ+hGlŀ0И]IkQP_Kjˢr>gBk ]"ma]q^P;}W- 6GߦfG(+AN uא `TxE7"]D!"Pv+:rkX4!Sp@% gܤ@pIB\:m- 6I +ݺ*kZ:sl&(a톷 _!!me.{[CY1iUfے.X8(N$1m]r]Z3Y-'{.@`v2 _8AyD'S @E*h?Av%Ñ7p Ȏ ^`}Fy/Ih|6^7z:b q 1aVI}Ұ,Æ4֖(߅:<Xh Uȧh|w^&3&-l5y:7lq5R)fOB.ݍVm!5Ji :< /5WmWӏp_ͭ3Wݸ4T#(u]7#i3(^b>]alKNV'} dlr+28LMJ=AK$U d=:cAU\ژEZ[M)y_qBwۮ-,//_f|z}撹Xܢl#͊ѼQم|S Or=J+7(*f8HYӉE]*GMWhA$~kW 6ơVZI!ea֗ud^D_x!c1∉Bír-˯JJ? *lU{&jI\ϲa\ݓ0zRH0]ic(zNvpvb ٬ti~ kv (nyhC;U9Dtڅ'Qt<Qjp&Q9FvWݟ\ϡ+N#RU\~L=~8[ *hf:/bfYتSɗe!6f`7D12S!X!SoP BnxeTč3-uLfjVÖI fw"?EݴۊԖW{wvUr vw,S)O@В۝vL#$00^xUϙJ[ . uo"x̣*Yl\=5,% Llr>h vp\ xkjmm͘RA5Y]6 =01[<ITՀc}esv| dD \6bOf1X ]ov-;LAY~LjY#L:"񳰧KS6d.FPV1uVYL&{-ȴf9~-[7t3.ܵyB2+(h#G_=kGoP[3&'|ܐ7I#g͖ ZL1fчe7(QywM3SǗ9m> *Z#t@XAmq0IdM^:q/#n-3^] gPUd\G@RKjMo1 X0 iwԻz"!r?a\w0k_V\{%/A q& M0{nt<1/^=1 0?~Qs:D$@{4ق0 Fw +1/i~2.f+ҫq&4mO+4_%kax2ZC' @"ȼwP͔s:-&e gr'N2fpO?5y4&((g6-1gSVWhΦFfMwMՒgtY 63q&>"7-^ 2+}\X4MF7Ԩ kmbFAVx DC%f/|ۆdEVr[  0a!aZJF҉əЙ5S%mpmS!Z襃ՠ~33^8mf \1__aE{<6Ch:Mr !khؠ*9wVC MpEO# rP^`Ͱ=?ZwbYV V5T^L\OȤ֎ .^/B R?Ot 2 ˠfdEABՒpz:nGGxL%$^W:O$DU-LJcST{9Uٛ(El UChMm\};E,9TkW\M mV>x ֞:k3ҧ_p)VPЭ {cuw't-3՚L+)" ]P*Jtx[+e*Ajܾt#:᮲jRE7mVåPit3oRT@-40j[LnCڣ7@g` W י!r6WJB"6=3reV9Ȭl(86(:׋$5PF=߸Nz^iRv7X.ٴ2-CD%cΣ0GZDe_MF}oJ JIv]swpAKqFpJ:zjs;4&e㒱ZWPbzmQg ;61?q~ﭜw4qG{~TipۿM2~LUA8p:k gJpא,R 0WΩmu0ZϫK`\Դ_x|v-!GFP^ -yNޱc.:ڳ y#[a8ZA',C.SOɖO{wnr?!3hJκ0fZGK!W-\جnC9hԻ?3#H^L~E7:<5B kc ٲ\rnRa T~dA⅝Z;CRzfA[oC6@ "=.Jj|zβI뀡/Zz8s#P >p/.>D #=E,B@jR%|2_[5 O 9ԗa( yW&Duᰃbܞ!oas)̀BP<`!O&Bv>k<E‰MGl4HB| n eQGkI+@^ A x/}<$ys?τ bx@Zkp\+-|{ W s7 f"fH(ПBⷴI|}ZѬ FF ʈ*%h&^ќ&&%_#TQ×Or}o u[x}EG.<dsp=Uq9ַa]E6xv|3 `>L}MЀFMlP*yâ[{Ñ?WSZʟ}y5v !Q |K{ e]U˥lB{3 `,C׵+or0aZ;;13{gYe?p):~lD>lx_{,qֹ<])k0 ԋ'Ĝ Eww֦ ȪPE皶L `E2gOm d):@d*lVhMsb͎s 7HLLy7>aLuf|؂i\=hz) Mq$Rlf7x2 IՅ^ t^2;St)x`~F!7~gl*SNĘ1+<{bͰ0 ƛ:?r<ʵTf&8G!htƻa"2*6<C,t/u܃YLP-zIq*VX~a{/,xF!PHPͧ-NOW pBfB k5%@|'VNa*c3l|(R+ЄE{L ?]Ƶo夤TQR4Ib1aqPQDRII70,ru ̐{>Y;In}v^D?lmgpsP݁ n>",)M2nh` zkx0Y$v~d B`yBđnNK< T I$X@GيNFDʄHҘ㰗UH ]vFmHl yI+JGk"p _ov&Tlbj{LoTUq "ڀRɳ7[1< \PT@JYs 7Lc90R0bMD.w{<BhX!9MVhjfeW*G,XJ|/Nb0}C<mq lz~y |ß9tkі*UUGp#EO7_zm m7 pxxVެi? *Q[&鹤0&\GZG V?bu L' UAm.T#9$ /n񘢃Fzw cjNa*7M,/;^U3'FN|0IMa^ҁWr~a.fA{pUh=0~] PWIZh سC;icRwWPo?YEء\vS; 3MLav.>Xv jI_b'萩5qT`Uf@Tk:d-G~(pKeQQL<V A+ͨ *sN*qKF<8DM#5<|ۦn}ʥx`)q4ؒQQ[ G7 n]({jmg?C|}Bqi$sqg$ydy%d츰3^Yq Xb`}_hB wOiϘ9#uTNpg:y'CWBu>K8ce*o-(@d8|w?[wHB73FBav|@:,U-tpe ًv|>Rj2*W>L &\dŹ3c&Nvi7!m.~47%dTo[6kZpvJwt83jӹ[*K"hCPQ­2OޣO/wn&}&MxMޭc\# (a78~LӜ'g| R~nݑ89,/85Ts:&Ւ;Z MXd?m.SJAԴW[8*]! Z,:ms'6XE]Fs5>1 ڣ 4Dѫe1t<)]df׵vy5YAX]wZֳ؍VdIuQhteTΎb# /{@NC %I٢PzF3Ïj \9 w9jqw{ 3s۬ry_x?lmp&FpoLQ6 a:㮀OdoKR'嵦VT &q  &UlڝC )cenci58g˒J `ywR=2uh׳Ҹ) 2BE.pܻKnwgFHy]J )G.6'=} |9rIer]L98D#d/O1fxLP*1]\IVP`zER@H|*|:qsA7YLMϥ ~mWVo3Ɣ +6E\otNxo}Ϛ-RUU8&9Q9d&0I+fFrpz!Ɗ<۞շe0W.pmhkGR3pdl#˾j]G`woa)%*CnB,Rjpw#UW>E|f٩:vןф8PZJ/p xfnF2Isr]@fCRq)BRCl-ۤ`ۇED JzjfDì kɵ:9Lķl,LL#i=v4?Pj&Gj Ag|3`S%p_SӔ+eȰz7kns> EPiݹvՁPPWIJn*|{Y-o,dZLjɌ7&: |qvFNvAEʲCj~UL̬@VW3qDgCJ3.ZO067eS[QEε:c҄ckD< 2, ^ ];ԱGiH >%z?v {\?'k->)_=CX} 6}PuS T@T?/ a3_׈&KYHƓ=\~*|`# ͻE1>,Hj_\@u%Tj;ӣ0:r0F4 C)6]>9q9 z¾Q͟Ye;rnv)XY5^ Ղ);G l#ÊD{h^+øe)uʩ9@i'Y,h`Noɓb]ݎ(Y4cWZvQeꛋ[|@REgIO5_M7#w'YAxOGOQ OR;L8ȅCV-';ab&_:ԫȫ_GnK=%v[<i?Izs(lBK3 UHgUKϹF VNot+anâ !UAPŋ 'WKb<7Ͻd6>H\a˱wt9p@" #yםHizZ &8`];fr Gy @ bT[X"NĨBV^&t^|O?cT4QvaPKMYS%0Xs?< i'9ξ{uKϹ훜-ʤte&enB'fTB/ zX:/;)m  $g,*j[3j0閼;c\lx!NM@74N+tŸqi &Eu hٰݟ=Nڞ%.}6V|ARUGOZ X[,Q]}K;#ћDqOOgY4Cy&6f%jX"Pf-"ϩkTircebi l.a\|c8ˆ<ž#'ij+-.bO"R^ rn jgΦGenί_n_yMmB4ϸ[Yzд$`QeGn<5~XWj,(HĸP^ϷWf`QpWpsN+RYP5|]8~#Η5zQ!dn>،L.8;8; @#Ņi&0ˠZA㎛>J{oo<Q(GDZJ<<QtCQI2WKP.52顪ւ ]\fGro3ԔKD"9+,,ss%⏉يHKi3*}"?/8 Ofj1d%Cor%ؐ"BOfdEY4cmVP&hSr8Pm7Oջo0M}Nt&*QOfj;.`)O10"4CeGˣۏf IֵF hjPLw}GHoÙ)E8+V5:bmDǑ۔Ok\%Wg&I)\"UcZ8s3,Yͺ熣_ 1@ߛ$,bT<[/l >1T4n50d+tAoz0ؓmcܴ@ܸ+68.SI+#Մ3F̑F]#ѿxѢՠƫ̌fAFh_3?&BW |U牑*. klJ ]-T OhJ&kwIJuzn[qW]yj-ս)Z :h01xRfwܷ"u(C8h)2Y \ŭ1`eF[Ŏ`VoU  gxڊ`gt5 *KA_~'YHQ-ГD'MLhRQ9Gm@8D 7}A-t3zRq+1,#^P.}\,*+l-=2] dUK7&7^x9'N ,u:[djmEtGlVWzriy[_/`=d#!fg@X`-$8[$"/ p$ "xk0i6'/M\^ 5NQ(Vt6ɸZ R^3@3KngfiCg$%h"XmJenFC>&Umkj)y`7:FokeM}80קI^\1 K7r5e$S;cnEǬh3V!F8:{?j!Я"x3F7tuE\Mw@<?Lqe;BKQP ~z+*y?֏y{ZrP# 2,,4 68j jEd8 a,g/Ua*>@dX*,ٝxۖ8ȧ])ߊ 5' KZvY 5T2M}n'd~j:*]RA~5YZ-2=-b9o f$4Ab+AB<9<d(|>>0Yk$0Q<CEFH >KLuʦi^RMN^)NpP!mX5iQ1WU"OԻNaO[DZܦ-ˑ45nt\eYo p$4 v^Y&FxkY涘fLER GeV*ʇ^ @g/\P<N@ "s҆l-(=.ֆ?~cR_*aGJ`@i /]G_ ibIvLjmk72Nk^-,xt}wF١,/C#SFhd,{C.nj0gqC+BWFYvM1^}C-2[e]FS ޓ,;[ePs@;σE@P,ln\i0/zS;yAFos|=pӓOC`ǝ~"13xFAo*\b cBgQhp߾+x/䪝~0R D.뮌c*M5IXj0'MSH.1y?y|W TrSg򠳍:@(d r20;T2F)˷b &vW]pkEHuܿY8*Y@QWA&M̗;A1g|zI'3ta&'??A3gs A=LLq᪢YtS΀` ~XB=Hvr(9Q ݩCHNbvpmO86qLm\,s$-m5IIdBO-!Z͈teJػ%@l?$z1S(Sdh0H՝B: X "'7iY /ZM35:ׂi8O  fye` c; h FNѽN^,$QK{ 2FtR<}[M)sC f?4;>Wǐ 0HVr\/E/m ,F hCX4o7&P4 7M*JC `;$;9ɢ<O1ߺ}m2]LI\i^%2I,LFBV'JwlH'@K"Q:Y/hvՑr=- cښ(EFɷ! K:@^{IZHQ4y'o|KR%[7`+YtdY ݣzd?10~C",5C|ʌcNK<F.oN y}f#_IoSFQWL9@fOO\_p|&ڭVߧ\tRv}M CL~}Etɱp` y 2[.oj C锧ų4*EnQM;RN";!|t7s{ll` `Olt2ˠm`$DFe0 |`@sRnd)jÉO>= RG21`r_DaH `U"ס5%z2[;<~g0mYw#EC27*"U_*6 {7jo2180-7 t.r W/K*?-`9 4/w#%Z ;i05Aj53!r.tl*%+e)_2V?25 4=,230}8"4U8f`+,5>Z,`a,G!$H*#IFJ!q M`25O88b0R8 'z*NeE5 J {!_5t/P .fx aBT'd5dj ݍOO6- =,$'\, Yo,2Q-b8_4%܈* 3Y$t3B' A+*y-75tQV *$.61 7px)mM > 6S2H5 ~K2Yo.d*:,[.]Ņ.ɕҬ8m,P6Z*&1í*4u :I# !j81u>_%ON`3 |o02ێ- y~).E _A+~ z2iG:0C %"+6466 5ܠ ?4ovVy %2X2z+>e "5pl 0=2b$ F 202'B0":3 2m?03r2FV,? , 54!+ XYO ,e:+j5z3_C0 qA-2\Q|;*X8f. 7)Oo)oP-+72x47g8h^n(ވ8' E'5#i  +F8OSƻPp"V"M).3NshS+(!C228\2 ,7&1ѽ Ut5 V15  "pG 6Te*ca{ u|,`,'@4vw-"+ 2!* w".!$l40tq6 8 H The $2*#? C,\4 |&T' 7A1A #R61/!Q<'2tSM*H 3K2K-E8 ω/yrŸ.p \I 2 < j_ L ' *? V]n ;V-* i4A,g-8)3/^'n*2 *><o76b{ *W"{g8~4"j!j$* 4(%h3%0 m5{$ 'л06O-ch'8`8v*V1~pU3ܫК-+,2 Aa0PM"b\" !Q48^2+(<''hH_4p(6z'_c# 2$^6 i. 2s-#Zń \F4 2p52v-1/M08-nF;K22(/D@/d, M.i0;!5V026+mrG.* -)" $2X643@r *"3/=V3.*s %%ivW3A)ǧt58 ,J0"|x59706:A5Ro]7;h-8+05*m )C `!"C'`i&3! T`X6-4u 44ZT+ ,ǺMr,xOI6!b+-&8t2PE\ vW/-1*/E*\%B.7B0ni i,#,ohYH@zy$) mg+~1 86%4g4N6*hψ, _i8.4 l&2IM"$5 220O+! L 7"?&6 vZ 5$2*S%igN-  8#22l y17#/x1,Z1 .(+X1@4kc{*%H>a%h!i2%-4(4,( ,D'3*92%_4t 5+&y"82`~*]D0jOüɉ-: ,2>8m6- 3r4-0*j)y7 Q83.G8O5s2[,*I 3t$%]e3t!&2\+Ú3B l2KK. D8T nCЃ'63.W-֛ .Px,"#\DD" ā'e"8i&ވ8m ˏ40>. f -?'"x-2ä8y-ǜ1O+*)-2< ;q6)4+~%42Z"Xx8u8%W44*c/V dKKL,oy>1 , ,' I0N%!8WU*]U* p*qe8=,Ǎ8/V"6o0F`6F`n+J;H8&#52V;]4Urt/3L$hIl1ޝ~I  ' (A$ 0|+lN(B S84u)/}ylo)2m*V%j3L$;;5.kO8t ֑1l~,2x"%j ~*3*],(py+6 /%=$)1)84th( W+':4 -,z +8s ͜7wI" 2u%^Sc%[x-R~/Z_m5?*[6}*]O5 r~:0أ.$ı55\5H92!Mv4S- ,R?+k'${+D+--0#|>$5q!* ڗ415"@$H24"l PK ~-fi. *6/%V`Y+~!&0u'862G3vnN(Qʞ /6/'m)J,o723\P~ 84N)ȭ !/C''s@#;4,>*4K5`,2q~v+12J!./ g7 P: L55%8a@61[ 4]'4V>+ 4i<5@ --2ux K*? J.21 p={'AZ t3,b''WW,q [)M3hA X,$<8 y7):/)) 8m6 $Y K.6W.55] N22݊& 8~'-$c0y"62a-+*,+),0%Yj! 4.a*,!"H )25C+ -\/-25K- 68`;6|Y ]A+jZ'[v-H3 0b'7H9'oQ t4Uv\251"S'b1x'-*o 6"m^Fd?<8~E'1 &[)|"<P8:'" x' 385,3f<8J !18'15$)xwO,[5ۓ2qQ[464_.J%@_4,Ft,q&@;pJ PB+\J6 5!)#,ȕ4l*8 +  $Q/ +&5 5c4>vUA(ī1`* G',\5J5X5 ,E*'*R5 j= &38!%5r)f2d+,2*1Q,2nuٽ8(+8 **?"0*  ݗ7Һa&,h2VK4އ@H){ɺ4"V,X4]+{g6z8 B2_:3.2*F3gc4 1*4 r!+j'[_$D,k)TƬ2AOQ y*3O t=/Q1s 8κ":1i5 "("f1K5#2Z S 4 ؏54+K' zw- \4 H' cY"i-Hr-g cb*6,55O1-e e ObN*#' O sʋ R+8,"-#P %0W\7}6;("iG235 0v`802Ob8` 2ӣ+G1+bP+Sg y44/V&+(r$G:/,/;1* .Ϧ4y1 2-h5 A 8&R6 *7x]:&&Sd2 2 -,j   422+=k7 e_  +9\1r3bCV%U#4-MK+ .<2p Sd Bd+1I#$B$ԟ4Or%P+ 2F*!2i8B67+;1' 3b*lȑ B% 1/*5*D* h447q'Nc1 E*G$ u4.2e " u*38n'eq+~* 63=i1 #0{`8Q2/ s$tP7X$ 1-55yF2B6k&G4*+-T '';`4,[(/4JK3k23I:0a6G(,%a2 H /)lN8-2}-l |"#f,j*J"o_+ć*z{# 4"21A,*y?qw t%LU W1728%82Lx8Bѫ> 1R217_,!*u"~r(8m8  # ]+.<b6z*28},Z nT U! NV,j*+I74'S-MO*#3'@ǀ+[42%_6Z=)A2+4h68-d M8sI5{  2$Ջ"Ȩ8  ?;&;1$! 6!01-&*++)2;69\ ]uI- ;$. '5;Cܸ4i@,[,E,X(3 '*,|fb-.O-*5UL="&4 ^" .(850'dd&,awng5w),1)š! ; P ,_V 7&40x OP4q1nA. t1'z6/\2k5 #28;^r+>,[ -'*154w"%8$8k6jS:*q ׇ!2߁1*V~6Qh1L28[ v/Eh5ma m4b22-@G8\#,L!35u aE HZ866J$a4(Km8v<2Zx+S%g8w.M*7;_2nO&*,Ѳ) ,'Z9" 'C-6S#1bOr q!*5.2"8!2/7OX :,5j08"^5 , 7|2*"8W2K! \0S/Fi k\5F5o{&(Q;58,g5bqt m1n"'**hN-DŽ-4 ֧8/4 !\iHr(4x+m8$]B3&)M$i*# a+#" m`84: Q1fĩ W+Cv#,т >0 1v6X5w=*-{5.*e /4)1+f4<1~"6=Km) Y_1Sj6L35 :556g*r64\8>7Xׂ V",nB,w8AE-Ri2p[7%5B8 *3+ź;32*"q-5,̰-k/,j'\7Y!!.Sܽ-"720 "Ma8 5kn3x? v' V*%5x0i"G dH ,4C `Y !#4.2$.W`T2ƕ$JT2,ڍ&)v5l48)5[6J*1^ S b ;?DR)#w ɒ.N1`%OS 5 ?2*t;2YB*S+1@ }6F4P:b+1 t' _`2v&%%^ ՜ ,sF,3>;ay)G7d2cj5<v ># 'TP 8Ja,,^ g! ,h(35%> +lDz;4 04T@;~zt8pt3i$1,""j) Was+J\u-3M'l(N' R(Z8gm (J .+0yO+2-k2dC\5UC0! 63w!'"l3wA8 J.*r+% *=)oK 65*')C1>+c`+ 26F $TN64y= 8, w!J+N:1":`ˀ2 S+g=,UTg-`zh7f+%D4Wu x,{6I5:8~2. pu0qs '8o&/"a@5 C+G-dQ0 269E1c;,tv%O,6 3'*E8O2Ia4 ":1+#( 5](21;'|R482J/.m.k*65 *b<3.&'|53s.L2ޜ2HQ' s4G!&T1S@D4_5Bcd 2c:8n2x nP'768X3K-JV,Z ĄoZ+MT$#,!\ 5#6I>,oU,}3cd!+#Y0 c2%+k5*21u#2a*5 *-:3>! xT".+2^55wğ1M+e6 ,8C/C-]6 008I)I.o2#6 $ɑ (V3r : #-q"i j0 4ˊ"+8F8xyj5nE U f:5m }&1597a<.4&K >O 6"@ 4 Y)9d/A4/*|!4T1lp 59 6*8-l_,+)5v2]1.p1 '›&ݦ2^D2u3E*'^v 95}"{/,5XBF1. 4s *=P^3F6vK0L. v$H'{ ""~5 25B""'e+>;H6J-8l$8u-_*+4cwLw}L+.ME&#MW$vNu L %: N5K3)[2O6>, ,G 6qw30A2+t `,4 jq=2n &[RU,g"7 rGCG M-7>2~J0c ^2"'-04k~!F'8r)U,2H  0a*1P1z-l'D62)y9'45J \-"W5md8 Q,S2b4"4p,1 - P#5]aR( TiA/ Nr/+w-vG ;A>6{*Q,aE0M35"6 |'lM8, 0 ? p ]* hK,S1*)!0_,215 2` j 5<J6G 8|,R'3;o6F6OT%h',-WCa} g=65x6'LH)243 B(D156)"%8F+#6.*8x6-5 &%,X14} A 844i3k ';k$OO}'ki&h203< 5 &68})73'T6 #m 7T zY' y,b-8,$^ h1+6 ?-+Y+-"S  ,P'[  = 2`XrNv&(3 u,0:*%'L. {C;-!"}7@2g k?-,m l;&4B-Z-'d]uu+Cd2=W,„8 5bZ+$$Slf9 b0t-251de0x8;2,\$& {v4k31"aW%fW:r*wKs5s5CK\Z} Pz) 06 3AT5-ZE-"7q,5O &4d7z+I! U0d2I9%_+&)&  oI -2! {7p.6u5Ű4w4R +3"4< +]{.a3,v++VuSb ag5&,+l6F+3i.*x42;ESz IL7 *98b.f=-*EFs*5o22)n. :J2._3<+\8dz,32$4W0 @,\,wI z _T M2z 1 * ao155u()t;J2,ދ" a ) I28.(Z8$z/E/28u*+_ ,T!&s8)'+",v28"7$,L+Pt 'Lu-,, "lo62g?z $u `U_/d70e&ً2ѐ'0n UWzb""s,+-:I@:|+jFp32< '_%j)24*=,,;-5tc7 >];Bo2"466,Sb,|&4R3Gz1eRE$ո h,617-8İ4Y<D!;:("{r:+@.zHW,@,[7,T%RF CD z)c'Z5w޹ ^4%TQ*U 0/KB7C M,8b%\"ܤ6P:9 N, Ɓ,j9Uw͛'r 8'A*& 2@!*L[y g8, S2_22'&&u4+7{(6+&V0- T2eU,jF115#U s'-M8 C1/U1Z7S,1V+#|& #8 -16*5120.!* ~:4*h/"J ͵,g8--17+,dX51$G1.+" :B !$))QG4H 4'/&,5eV88 h@S H,c x5#n4މ;$N7]1 &(#:3+g6'`+-%ha24)8y;XC. UJtg0h0 Z*43( Z}S [d8ò.-5'* ('4 ; {ݎ* &8j -ZC"yB3"3wVyO32F!$/[ "65y .-6 o m2 -8%%]*+ SUwW8o 2^-i4@-8A#+!m -g'0G1=I)/'t;#02U0;, 53;]r -"g.{0>$'d1Z4D,x&&B2T 3s6 S ,3}) 625" g 56c3d h-D ZP- 4J$ 8{Tn,,Z$38_')-+91c'yR G 4lW85ۭ%j[ v4T8WC+P'ʔ [y2r+--(wC6{Bx &$ 1 P4t53dE&718 at A $Ŭ+#*"jǕ 4k d5 L"^1 2A/K~'dCcS,},3 y.f4(H }")5WB2k+$,l T#`+'63,6W1q)n*n$H7#]0v6[;p-Z.+K+@4dJrr.X4*v07 G8e1H5@!2oo4 - 15`,7Kq2.b1j*6 c,:'J)2Q13f8(11)x M2Һ@.<4?50Xf4O8C2u=J G6 " ]2O5a,5%Po,p01 ?/8c+%p /.,{"< $e*R~85;eJ$#׊ L##k,f0.f"Z0 %24-q-(#7 ."%3 8,:n._Q4a (o{+a'!;('!:U^}+2f.;aE4b-1~2β024:(7:+&-5p%Ԋʉ |4b3 g.p6ٖ%eU2׾0u*\3t05 /;V| Fm6M '484P4G404m+H~2Q24/5_:2@23#_ 3h4"^4*33.[%x$۞9 }i%Z- VJt,% T1W 1G2,+K'rk'--h+ ,h'O=2uF#(3@C*M/2(>:, HI2)*6, q" 9 2 g47.g9V2M6530  9@*:q,Ė&Q-! w33 F+{'*9Դ2 04t"6y801 >  %^- ''/*'\+440E-Y%2-5@h)2}+5`%78? m1'/ Xؾ'/,.- 5+@q$F *L 4Y +! {'ұ5^*E/ Pq5^k8*ƨ1 a454W8:3jS4c_!6~0~",2 81*"%_YdfM#x*K+x'g1*,&!3C*,2%o7:2T. *z ;:cgF':^$ kWU. ,s&0,&0l024$7 Xr"ɰ 82' BK4Ӄ E-+..%f2~S( @s'RhihB3:4w0A!'V3 52X8b Dy & 1fB*3hm*$3+3= ][+2 ԁ,o)t4 "+J 5x& U< C ( 3^*A ?T+"'NQ6F m ,i>8* *5"7+@4/e*j#0E J$,i8j_C"_&73S6Y495!M38c*p M6'(2a+rP-w#&LV-?*/ ٲ4j5xB 0-k~3%%a[%N  +4 3,f+Q2*2e42euAV $; "2 k4lp 1Y8 E2kG*6}2-" o+72%X2,:ǁ8>2E89A |WԄ0|4[woa(-922883&b4x ͂-_h, %W*hQqk-K8q o-hkB U2$':/+ )u b+e-T.w+l:, =&#U 8u 2-+'1p22,"Y*Z8 'rd#Qk+%.IHZ+!!;2A+c8 > 7]6i7g8''8N +z*8Q F+N0&F 45 |,5/-v2%2-T5nNr2l.1/^6Zz2;U2,[wW0Ɨe# u4cEr1+6G\*+3t/)]3uK1mo N @"w' 1,D,3'CE4?T!2(5['W#-1ԍq v"/)c2e D2 *&$u*R2k.+":3KO,8J'4>,3s*Z 66"2p*Ca*L1G "Z 8Z o=0,#9'e :"!p }0[$ά1& 0ٍ8,`6H08|8[0 $J3**,+)-O+'4*!\"&1?&1 ,M)E&'[r_3$" -ab*f5V 57&5++XZ7R {2B[' ! cq,'k#I+& Qb2.@ =6E[)),t 26Y_0,4>6.@2.vH%h ,"2&,b,;"0#d2?(e&3,Y"0& +. <-'+= #:rS."420 V2{33~4@'C+3lT"!w Rd*!0b;*b 4 0`a$!.a2~)b&%0 -\4̽ p-*. 8t')* y+v5.C2<'D_3p|w-&-:)~1F+6:* 4AXS= FF 0b -_10!*63 }G1ŔV-2 CC!`1 Z1+M3 "1f+ţ8R*].0ٸ*~V +H0, =*Wr5&73"L+=4W+[3i &u1 |,1QH1b d4 48!(1h,vʋ'P7V.5, H.> u7c:l02bL& &"<ܴ0V2& Ryx ŀ.g6Z.. ]? K"I3b*uB )4N/6+)24! D4   ύl.ղQ 5cF2 3`-YS8l39*x6T+S4&.Rs8 1+;.C +74k "2>58L*L#0L+R"!5"4JE%" T)R !u5 lcU4+''+T2"!4 ,5E &ߝ2W*V5] 9#[1=, e'O 1W,w c; p5424R2W*$2A"3 >/4T`5 /&4 M ~4!-^u4P5w5><`*L/>`'G1"R+,Z;18zs2kpX(w<"!$ 7/W2'aW#5H^+G GW5c!/CeR20֐=S ;"*F  ND /vߢ>- Ҁ "%8j0d!?2*'uMCd- . -J<1+ y i1'0*5 =+K&&i /vf-)lYv"7"a7p-.1&%>3 _' 5&k<-5W"y&$Q,F8O)܈ ž#s"'h2*А Ga$2o(zdv31b7)21`m M X" 442>4+6#d"Z=8q.+"b;,2GJ8} `'_4"*zT8u60,jl*2"d4594\;c*U+. . 2K436 +.;<,i8M B,} Ff | 1) 1V-1"c@: > 'S/&0*58~4 +:7$y8y*'\<'2(+B2.  ''9,tu` Y',c*_o_[#D.2Q,20p2csf L30!j' @W,!:(E{4Ժ )W@!)3k+mVK. G5W*. 'F  5u2zT+#8~r|r,˒T2t* $'x,_2B)};ob2Y,ʂ2v4)$Ən$Y8 $5x 5 X[kL*8!(̱5^T+b*%s* ?R# 2:u 4r|)JV*1l).M3s6 "2w2&,_0| ''d,KwK(`14v'P-Jk,B1'.*.8, k+?";'[o y2„ b C4f{3m635K_7S,o90q6&50='kp,x*2'K,*0 9 l * ^I8vFu5 r.P .25o6:E*H73' rs n.5/ɕ+aR4f,N+"1*-Y: -U*n!'Sa2ZX(29< 8.Mj*6_1Y3'%7k-X*X5=8"7350 c+*..? P $f32R2% +$i1z1g&;Y -5$ *%Ҋ 4f\4d=2ݷ(ݽu 6S,&0v ~6L?2]F6y  ,H-'Y, + P2i2H$ 47Nj5<$}-*$y 8'jv=cŠ5 Rp2)4/:2"35<*ǁN8V/q*%R82a.h K%a 'Z+Nu*Yk+K7*`u r >g 8)N20_Ø,Ѻ,\1~1w%^ EsxNFi], jl2TQ/$5F y052!:8pOl2(Hj530o,"P274S/D53E ;ם@xh*6]4UOϵ v2` Ǽ/Z8{2Н/52(+2O29 !6j.; W3r?2Gp=gNfL(k /53G1>2f2V,%a  W5'v2 \ } LR G[*:Z/2k. 2)$* 52-]i$6Hs4D]+.8b/ Ub5703\0kį,m"X* 3%V4wK1J j,Ý?O/aV'%T+ ~*00G@ `\/)6 `M,Y+=,|2$=%/b'#~"U8*+6*g$y \$,jYb&5'k. 1٬++,%L5<307G.j[m(c,518%iF&B)r88\)R6 _|/a" 35R4:5,YI,).<+L" Pu56(64+[4b2;`M"F1.2L4> \,6z'4&'-($ U> څ,[b11(=2rd51 '1"2 U S2'S\5`>1' rb5yg1 463\2s-323r_-56:+n-J~g'Q%h;"7 H6 ;""+ R4ڗ#e0x42|y+Z^a+]5a'4gq1 ~%Y)~1Ə S L#8aH2A.0J24G-%1}2'23*d u-L*c 8;)Mp?g*R81ʺ [ ZM "!"$"8ž5aO0%'"2?r5\%X221a+ q2r[0+-L53i43'e!l3 t",1=" LCGn1,M4MK"xT-.`2ܱ3u8 ,-[-^ =/b |T.) 7`O 3.)]oI ; 6K4@ &+f) U5W2>*]'a4N["i'120 ZO]`-C2.y3<-t23F +('Qɉ'AG=b,#S:5y2DF0|U %05O5k.u|0+BKG@8. 5sL 6 /%k+L+*2:'"}Q,d 192rw. ,e"!(8/x P,us805 2+E!V+p*rM0 T4w,i+f !&ZE/%O j $ )M( Hܷg0\*E_ s2,r C"I&5b 4-# !(ɨ-4 {-0& (-231X 4Dt8pG1p#*o8k2MT& :d{.!6Kx!&498j'piR()v9*$'`ee'A ʎ)4-]7)v f5n220g"7/,"&g3dRr-+2z* v'?$+a3c0/*%^;O6.6"%/Û D(J,C8o(8h {4l4h; 21|+>18+f a6:m^)nJ"Р2.Ͷ3k5 s 000<*8P,Ono 81rG5m80m5ܸd+`& ~8*ȁ')2X U(x 4_+7$')84 I-H.Y8 2@)5 2r̡z)T8j a: AeZ$!8L$'N/4G)/08)٫23nO :5o 82*4&.*%  M5  +bT(/55aO1{4 ,%k5>*:+f `ݿe 25" , m.*k$192yl'u:B54;j'std Z-4k/c7*r4ߥ,R ۠>3"57*W4+\5;*f,Q"'Y0"X*WA l}'2ڧ885v,O z%R)=l%g[,.>Z~ c!G.B$'l H/1| 50K. 252!/C:p)<D#., +Gg7- ;bl ? %e-3X&4Ͻ"p5qa [40G U*W+&8Z4p[ <[2{3tdak5r&,̃,)v)'Y0Ѿ2.'/#a %\ r}!3uds2dw9, *F7 FEi- fm46*X6%a]0TFq"=2q&3'T.5l_tp }2;Q2 [i_&' `6G(4+m&/.,H w A"L>1V; 5 8E4 64 ?5R*{0#." 42۾+03M+ݗ4M]+J- ۼ7,r#*b,u:a5u53i I%d3V}*_4gE(Y&4n;> a3x)))z'#*h0 .k$! u&;2C"<"9025ce%k Rd36L\1t(ȟ&u'*4(B§0c5^p i5v v(. 1ml ^.}C +<=,m<65ݭ26* :w03C8g@)> 3L d5'71rO (3|5o2En&0?XT2 (1 X01*Q-w^!«9K6ye,!$+( 9 6H0#*x ,e 1!61Iet;?2,#38t)-wa02Z6~G'+ҔPGb4?2."_(q!!i%,w3uf+?>&-Ө;pm, B'X,u-Z2:~;[F),^h Og "'+A%Oy+Y& EP(ְ$sM$д  ,ep?~+³,U,^%UQ+:4=c`B,5wH,w4@--&&6R" -&,H5c='Ա$p ( 7|+-rQ-#s*z-e,J $34A ]*EAu78 V6zT6OL&< mJ%^'K f5,? ,"B 6 N dB']6P ! 3A-z޴K3sbc.j 5p(+5)q62L>7-J74@*E&A!3 -4kG  _* /8 2  +*k% *4. /D8 g:Ć^)Lj85[P-254%l14-[M btz"&8 <41$,-4C/,5*`[m.,Zg2/R2] g46D*q""h[,$ j(RI0;# !-g7;5kT&'1'P6{ '6 5D15!y *w2 i+*"%8,p 8xL "} h 8*-,`1 exTx؃Ni 't+fV)>,5xm)i55z *B2+2`:d4*,/3*k2y"d-a45-7:+"&l*6 ̸2]24 'NT̡2i.2/$ .U-8tW4n,6N8 2 %V+.,v,M"0|6F(.  8,byL'Vf)W 3 Z5,T ?v6R2#2G8)ɴ#3+f7a3:.5vZWA2&/-8P$13R,R2vt.w&1^C4. 5V]; 7*$P Nk O5n 5s*k*\a"#HC3T;IM#. 55> i18w 5:%]w4o4r39 2j2L,4(Jr'i4r#*11 e%gQv;y.Ȣ.+|52U+&<-w$jsǕ6 u 7+0ء6K t 6 Zq 3B5%,r3)2,(%_- .*'̥ T7ܵ 6d)+-P=$M1PeP'#- _1 (l -1f Y-[ &;K#95+9*5_+!x 7a I M7,'@p-^ * 3"!L3G$ѭ n=*pJ48}b*I1"UBG)12QV,t@>fs 0W1V8l~+eP6M '-{ȕ k1+r`W }.5nr 22z]"ƌN$6Y: ST K4 4J384l+1ڠ7$ 8qtI' O5_2%P t2  Rt 4K)0. "z3s,ȵ@4^,j23,p 4Y"N ;81_)a6!21*G" &K8N2)` *\:5rk/<g30o6Z;4o0x)778͋/bpm12X +,)1}+: ,rA2,_53$y U s*b2B5 }'-:v8=T'+) 4( +1 u  :l5C'͊ 33 ":w{/w4+522<2=3) 7f%\626 8,ɔK-hH }-,Hu(41P4Q 7$&3PF37w,) a/ _( k38m"!p *i%X-_,Z~f 1ve nk w a7 ~K Q&'...v}^*X,l"a <65*P@u*w-N:D1>,nZ0#j2=HWM+a-O8Ȫ5*Nٳ+J,8$, 6-!5w4$*3 ,Q$ \2NE/Tg('+;E 5L+-I!&պ (~ * 1B3A5J}81d*!,8v q27mX/]+',+J,g0VS.g&D p p8 E mI8.5md8(2 @8*4-':;3 4", (r 88?%Me,L2.72P"~8! %23 l 2\p'@ x5zC1984 v$ђ/uҁ4 _)s4'{q8h,u /$r'j) %40$4`3" #}06o |,`K2m< s=ּ*v5o6G2)\2. 4$263B2> |,²))mF-*J*` e40T)VD.d'&_5015`30۝5ƲD-9&?p2o`2.f2L,>"a,d5t#5-/M F]e8"L7*0*R8 [*K.j7 v6K586'/@y00:G]%2O-Qwu'NW25]"GA*G7*s!,3<8mT Bk z$5Ug+. ek WY)Z #nQV-ZU,[-" g,b,3\.cG-P'V˦ Z"?4<2P ' J:r5#,.$+2: O$4c9'-f "7->W` ',Z*2\K' .y2` .9n0b-,tQF .2i3,8`l $"A )\*+oH$zE,5n*$!3n +S*E,4(p,Zb*U -/(TH 8Q[') ~5y8e Rp)_Q|"98ȏ4@A8z2ҍ!(+X!.ik=1%bl MV42/ +6z':= c*S $q2E,=mO  &bY?z1nM5x1*2wM;l30+$); ={=&4 'd,i8<8*,ik le5īv+'_<::Į 2f 3D*DI* A@80), 2f4?1} ?-y5o2r Vp8e18},FC.(+8'Q'V2ANK$9Y '$p1c* 3*U 7& 6 26 v4#d2!;-E0`,Yi 1ګ,n"',z"7%a8bM)&Ud2!8p&< "",5A545 \S,51 A,+38\3>h3c:3w'n:ƅ\Gu0ư8DR0E!_5!26:e-ր0 }l.:57-G1$„1 06*L+>Y o0+|f 4ޱ;>  $9;4d΍0. k72, YO W *+'2^-[up,h ',1:;̚ 'f 43F)%./!( +@4s S ̋@0 25Sz-!)k<_ 8', 92Ag'.m9_0/<,E23$-h+NJ- -2 .D2LcU"{3gQ8y b!#@4kR} ' $*81N2y*% 32ev'8+!< -ߙ4Gb )!p[} d:/,s^'8'26K2:47t|.^2t23eF*Q2=60O,3- 4;$%D*)t-h3'Ŷ5,@,mK+2 1,J,6s&'&4I H.+#++z\*,;0@w"2'J$N,3W]ǢFr2,h&4"0 "M*66U8q5!% $ ]r69?+*1i:&4 +7#-.*|.-QKHJ 6p y"N,f+?358*`)+q,u ,"{"!3&1 y1"L=$7 Ia&3Cs(X3: 1S2+ L,edc-%4*+:\]4?W'Q&#{+,s47"M<1O3+uI6"&'#8r80^,N~ *q.*S 4g PM4< *`2Xc-"e˔+"b6HF B}82]53'5N*8;w t 'V C/5$j3Q36:#86$d8ߊ550b: S,0t,[62 7}*/3rC2" Ȧ"<,5Y uf,|5 L e#N*QU _/e6 T8D,m|ԟ4}0P"p1(j k 3+)d4 * 0Y1&,2UL5Zj3 d G'.5r0͑ ~),)W `6A#wC&ٷ7~w6 2> T Z ],; $4< J5v ہ[&#6*m46 2;_$(3*Y+'7 ),-b3E6M/+!/8w2 6$â$/# a,5W 6j-442l+`6X4b Bc2"-['*M {Bd]"&*],(8`34Y ,q^ s;Ka.'K* h'lT(6e 03R\$#-*D$8 +'1I1ܫ+ r2''c \#  *px+ O8E= /dܺW/QSv86&g Y5.y%3V6 T&ݭ2*Si*. ,r2e4Z ,U*_~5#'qg0v" \&գlR 3:t1_1881*243[E4fA41,# q$*#v41,86L+b1Y2j- +-v 4'1}k H#*#8e  '*6eq c'@8$ B - *D,s24:+~&H,1$}6|+~L u,}o4>N3:2C*-gI*w42-q- k +6; j/Y+t-2@ 6~*t #a14sf'9 w )A-Y 2 ̅.ÿ3 43p& *]g:q2DS# v!( (,/r*,*&=51(&(F#35]6L 4,6 /$2;0öU7T(I89-7=#2. 6Rqd- 2%c]O1!8~*9G2?E*kR+N E@.,+Z :28-8693[ 2s8th 11؜628$45ٹ%L8.7: Ϋ,"3j1"#)fA'g8J A*&T00t2Ck *(+p*g8e+2l5, <2J -/571ҩ6^%T)m8(.3;6,8|S Q#&a"=-Y,2b KGyJ &%e'558}4s"190 2]/%`q'5y71B 9w dY)92g"w+m*rT 6Um4<U.B9$ *ry/_'/N>2$1 v,%3g1Ƽc,5$z,#-n%e5-1ǟ8k 7>60&1̙а, %-J/M U%Wc*\*mv4ݹ4A*+b4[э'*J4٨.th115w$H88<2CB+LK.;X \*7- D8 Q %N92w)Jb>`)K y[3ۦ3:*PU "Q3w Q4&ylQG"iP+71?'L1v,')K'ɣ4 Z-/Gt'* ",6 \/5,1{- q)-#&18s*a[}4<6Fv6;w"*: uB-(1,"58 %+7y/8rK ~5U;)l51lYF'Jg208w.F? )~8g%406ɪ/>2y.p o4,3,eP L % Y e-#>v* ?y'w5^' 4h~q"!0 F'wt$&<: L-]- "5~IW#' *r*>(f1.l#]2&291U54'g64i8.,x$S*!#m$' h8&"m'Ȱ!0o6H .Ri0Y_\#n<v+b8 JQ_ҟ24V2M4O,hQ,[ɐ.s%Z $G*-HH*S4Z#'C 5"2xv%N!\3n43, *zS.m5B2Rǯ0J,.B0Q5{J;) a)3 >3 J~2%4h?2p!-0 d"63h&-3*k Xw6Q28iw2U%O &ݎnLz4Qi u2"> v7 ;472/lo2|S7EWP`+e~'g*s&qө!04;5$.ٵ!5  1Ș5 |%N(Z_ e7 qz$I84LE5.] a4ZQ11f+*'T*7 5_+s(9E2K/T2 e R"1G3Y[6SCN}6JzZ12WC.p3j8ę GHtK'b0ޱ,U1+V21t'n 0p3 TD2++5`5I.E+#n2&e+ 6"w7h, s8 =h(^B p44+7+(80L ļ6l5 s0R/"*1@T6>+6R {m)bs5^&%,cFKq-ߴ2K_6$ +H61[7) #2SA [,ge-.'2z8 1}٬2(k 'V'| "x6R\ >+~8vC4,H$.-!h56g-l4 +c-s3r04t3-" &-3v op1e3 [,>6/,D>@;HEN,-t e+($(42c-.065%i} +( -+$1P,2. l",i2{8 -gv(=8=L$4JGZ#ũ5`E41' !)-F2f8##2g4" _" "y 7 ^$ޑ!23% BZ4Aj: xAt8u0'Fei%P"o 2$n4+D'فyL&2߮+;3(3s^5840Mbwu23^6"_4vqSl+EE/DR.r0T14?0XDg8%6P L-!6#2U' A"W'l41'F* ,5#n. !U >'*  n)Z424,:+C >,M0p&2.28`0'A5$2-m.6&"-5[P8#8,p5J)= d6Y"7YN$ &$fmZ2 /`)%=4j wZ2? +-RCH CN4D)z( [,\N4 kv*i.s1:,8o)n2]Pg2`;x9 9L2q$55`&RE$;4hg- '862 8{,R'tgr2x O#S*8$,.9D0/A  ';57 1wG-(418(@8 )*a42zG&[)1,` 2F,; @ <4م:P2<p $,4nEvPv3DpT2, [ m*2L*  o1#.5Ux0+#_'O ,;'X bGfm.&~2+CHB!VS0/3tX0-q!` K%5o2="@,m +)7./$o'I$0 NK'L)$Ϭ;,j%Qj*y,/mQ~  4Q;7 +F   c~4c[ )8Ò)KQ2  },ˣ*$-V,h3!`%g N3X/(!.N w3r,1 +L8R 50 g 0"/-W<Pp)y,Y#x 6 p Pe:5- E5& *f2Lj3#"8q2-" +)|.j,j4i W'@LTH98x ³1݈+f "54;4$ հ-6~2 4={88RS)fo0^v ^4ۿ*T3c g!s< 1#2gn{"M8Wpl+6,>6D!s C/3,*2lu""R%R-0|"$M*K>6$ } M1-Mt{ ,Pt%T7"3zN'3".'Ģ M5#A3S,<-8;n34B#58.I?,"?`-3j>, 2O 8s0@2 Av122 ""y03*;U3*7/E2:D?*>%q%a/Ā5|+9y5%v+8_*n'`L,l.5Q0+p68 [+l2&%0nj2*` ; c*55_t`en%W% '5<4a25s+5n#502*7/4v"IN18[ {2$+e*&Oݫ'F.+ 4! 3x6{g'p ?+Ek,ƥ/ 1T*` Va8ǯm-2c2y6TG'UR5X8 bY2rF<8"Y|F+d)2@4!&294%f? 1(4g, ^8“ t(=NN;;5"2i03# h!j`*g18+.g'*%T:";$~4 *aOnOq4|'0s$# 4=M'E, L Z2 Ri1%(1 >4v8 ,;~,0"c)rKx-)&8w,387:, 1g%+(r3l6 V6U2Lf#MB*+.AO2Dy6' O*|02 J+. W4Q+bO3i* 'q /'uz7740\O ,+E1 a4<#}+[8ǀM2xS'2''$ްA"8+1,- 183-8o(5o$mV1߁1ф2%VP   j#'*`028w)q1C2nN_6J-S"e:B2>-J8dJG05?R8]*sM)S3)=)>^5,s."2+fYR '+0R)+5D2հ*F4A2f\,b!p{2H5yH l3ݕ2X',>7+1"~/(4S5i5 C$"_:ڧ+2$G A=-)P:L)|&#Z6ϛ6782  I#4&0(2/5I "9r5o?20 8 'j6O : 2h.4Yz=0b2N04 ' > 2T3~%2v-4~F '5 74x8vr/" m%M44$ˎ Ϟ61. n * W d~*v$ #aū;a(#; C(.;} e 4 5V"?+4/#(y*d%L),52 OGa- 45 2wv6>8y2ron$+R#m;,0 MP6])35&@ F+?62i] "*"8*'e S$.V+21^!% 4('t8}++;p*3x! J  4! 2q6i]%'E3B*+'O;8c44/5U _ :6,vjYl8|3"y ~ W>6| }=, ( N 0d,͓1.93H+h4g* `C)5U@ +*H5,|8 2{-"n-}2 ,**K%Ng* 2t*q2l+2V+.+;*N6I"/Y4˧B0Q4e*{! .& 68'5q5) '' Ā21+g,3mm'D)d,\c r#)625 H J!#'9} D&-i*'$_3*"@3 f,-Y5n-L t8*L  !;g 6IC: Y2S&2*3+ ٞ": 46.Q#"T!%7\"d7.86Lz[ +o8D58T7]Ra *5Wg^ iZ7].&mAy
tOc!O~6g*Ry.Wz;_?l 3e :d7l  4 ]  B i  = `  & W z  * W CqJq@b 3`)Uv0^-W+J9\~ 8b 0W!An-Rz$Fr5Y{1`Cg=a  + S !!K!f!!!"")"P"}"""##?#`###$$:$\$$$$%.%f%%%&&4&g&&&'':'_'''(()(M(y((()+)N)x)b:C =.L\q&Ne9~)Y=6VAbԛ EV %nc!My=x[W%t R39`2{d)i>ϭdSD ~̯'pJ BmS>žkCʕ`-cx}=ԱL〹QeR %ذK#p+ mY<1"Քނ8ɖeo5YYq0^*E7ozs2 N+;TXqNgoT*M\5fx ǚI*x7 S5}Bبn@ {eRD-iUk *+O焴Cm)|g@ՍT*?dxF*5JN[nfw@gCFzew>HZ뛄fkrG-8#eZ/b6yB5NA/;D9KA"Bq9fڠ#AQznM^~#bBb@;1E=aYKk:n)_G,Wk \$*`Z.PͼWYXrP萅)၁vkgu&S*j=7^fs% -m/ /%. i M6RLӱ=k +jP)TAOYz }לD)ems7S*+ ^i" t޺]-L$P{ 2!P4hW^9EW[ښ95;g,nޠ2b(mьv6V$Fh M7ZJՂXN?8%as (m̤"Ώ$?Ӊ+]9EC>{ d;)'DF]t~(x7^Sr,}Z;O|#b(TL^&">QGTO?e:oR>:aX'Myig"U]ŧāku<?,/b-o/0r-ϑf~΄jւ3VZ7G{g"vgNWD5eu_g]NT"THѥmz՞+ ?'hшLz-{n]*}<BK{9o+Ѿ#Vv\~v|䓀ab{lymgb2ܖ5>ܝ?Gn:Z6[ߢsI:osE.X~PCûС)nBÂeMO:0i~x:Gb☢ޘ8ߜ(HJ+MhĎjrM$ZIwQQ yE66OsglOt|GuA&(\{Ms;ksrM`ec懘`HArmޢpE"wR?f^gzgDMAyg@PB% igDPȰĭlYNnY~73RTezɃJ8!6M&;774CU'q0#). 4+DN/zq҄}0DegNV3up9i_tÊf.B_ӵ{/㮏GWE]BT-~Lad6h8_1P7IH.27Gd} p WwA3&^TA:X<;ݍW7bZ+1bQs7-d chrxGUheG @籯 hFiv=w7UuDaUp%gPvDR^7TEw .l%gQHǼo15Yr˚HΎm)YHѝ2$0d ʨS5O2^>zv0``$1`pLEg6+$Eu.ǭ8-E}<pCb?t 5X?`x)*(W[ YWsK.yus"F%Y -*ǸrQlȥKFUuȢvoS*p.YQ>=.u<Fx]3,_ќ"yɤq}cW;[s-kکCrBeRݬ}VfrK+.?qkxN;)()H1Tc|Yn@wgKh_KhҚ4B8H #|lXl;6c Dr3hm8PM)/*2&ѕ[h94,^ NβU, RW$m9R vDQ-Q<L)MʴW S%(9ߔw#+t3~TO`k *5.}u{I>R۟R[V@BMe<VR׾t~HMcE~ Z%L!#PMVW c7AU׳WS!AnoQIa!4dE2#[*CbkSγ'=Pi FX9|bAUmiˠ"isB4/{xS4*3[:(G~]fY_`Ӈs>ղ;G{JaMJVKKn;:g9త$ڄfd UZALBUOh 8=,"? w Ev%%c;~Sq|چ<5r1CCic5&Tckwmp:peD+m6:7e-'/:)h\6B_}{jRLF$+ 7y@61u^T?ĐeC2K5Qbt@(6L/h FZ M=/y%*#\3 n `T+[ ؜1I;N\GX# .(n¨-܇ Cwx6|Q(h_ ]l^>v31J/.m#Di RZ(3*\vn, pH8JL Ɓŷ _.=Xnղuja4>]Œ\WY\j7@@OK6e i_/d.L=f /e9`7Mmo'Y)=ɟo5J=_O"fޓވ$ZsVQ֐Zlܵ%Vtf{<ƙɶCWzpкrlD0݂3-z%NXB{nMRlZ{'5<e?RrX|R[ +0oROaٓ6\Ai i:oۓ(TeDbw|CWbfj<ҩDG؈pG d\=#WtHm؞15vmzwk8ܑF"X};}5ՍX5c?a0PW8vvElҏ9-*Bo/ENv/%Ǜ I3K2D&LXB9l1 ,mwmuG:rlCF37/n-љ#dT},N gM`J`qC%V*`UxVd6m-INS%ÅT}+A\ũy߲"B>> p1ggwC L#hz/c!2$1U\1#eIx*4 B†Ogy#ڥ-B=o 7\N.kl"51-mFMV ]h@JDlBFW7"LW\}^79za)B=CNPDI2"udt9rp:~HK L{g'B?5J*r>: r. $"ۥpEbH # :# _fJ|5bR0^w0N9l a5k 8ʆJE[!z^ysGqj6~/"۔W] cAlnd!8zn3y)_xFd B50 ĉ#*i+D4.S'V?TitUV@O`r/XW9}Xq;ɉ4ueu3yG&~qm4/smvh$5 G]XxvU i_(ٗ5>zNGTd0b]H0Y7/#LѾ<?R dZTRv{(vh[M";l EL!t?5\l˙ɲ觸O%-Hƈ8,իeߋv>1HΧHM*^5G.1 PPp>}4F j8aeUZmRے[y}lo$ULX0Ŝ DY+kD`ڎ#n}>@!΀Z]CdE jI#jF:Ւ8iSn-&UTtu?7 6Z{+f\D L."hA?-C;4T:ch . &r?Xm&! V= 5Jn'B6evwy[ϋ2rPjRqWJ#p0;= R~ ơi ;*'YV AXZ(sP.ދ\L _KazQ7fgN͵t (CSY<!j5FZq!%O.oR Fx99a4")a)W$V$ei2sb'ɪ?Rj&B1GP݋5UB<'S,b00d5\f1l(dfϳ-aHg4I#+ q0@j;5FXm>++MωqH,X; ;9:CR2~*jJ5|&iꊍ I L97 ^kUv: sAs߿66POW<YT!tOM]Rzb|i\5@̆>[SC{n S^auVF_skdʽefk𢿧)mK*p6B 6[cJ\=g _?h¼Hzm4֍Z('cWĜZ #z/T<{YŒ+ CNIB@Dg%bTL ks ײխl ›0k-Hr{H` q},uea[v#7V /kK,񃋆ۓFA v]wN{3|5jƬˌh  }e$"2оYTPݛcI3S\-8uD&^i(E 8%Ց}!ȡ1X.h.[ReXΗ@q!FwXE:K+VnuXAc#~p51 rB>+/bW<{igkһ3iO65݌|;8HH0O4ODDw-DA,~Y*|ם$*֩N?#@ZMTb Xp'CE<BFITVGM>zSkMdAytSC8&0p#0DlvW֋A91` ,;֨ 32I`2S|3RF #X?3R͜K.P)Bax8*PO5Z7T@8޵c9 &9N~6~b[ ZL'MJI;yWCK1f42\AFWЀ!]k5lv.ZYAsܜk2(Yb U: AcR'%|\ d<)li:-i'1jsrk+˹qu`#h2(qJ4'\<w:ȳW:E?ZN̈:13YmI_jp6s.;1ɴ~k er2LL7QlېPH!ܤ^m="Y(C #%N';!w@RJb y qH cc) p\^V2|gkA./%Q<=E )ppx*_mw8hk loUa &Reèˆ N<P6A_ӂpHٹ+X܇ V2.CjGGq*_㰻 Tx] gP Vl7 H\볠Ù9<Vx i@uPń+fYLr ƈqWa}a-z%2۶C4Y3hDg_Z O"bL{"zyNגlq 0sQ)]Jr B2 y|+;'wD=1KWP/ q?E |0Ո0md ]1['Ӛk%lJE3"99L 4t<!+H JAfGZ5lQFaތ q@N,Bgx˘C [wt~eDyQ1HJͼT4F&N[|[Dwޱ7h[XVCc#CurZFx!c"_<AvC HPm\K9[d?|qF_QјᐍI)vE#@dJɵ>S9)[vҧI(i" K'q|4H{L6Io] YY7P?O;RH]%sOA"&rJfdb^htV)+vPQ&n72~ C_uTHWPZA$ h6"~2g9|3 hEs JȟODdڨc0P-~-"1Y87P_P= yK52zgA>)º b6IY .=-i P˚*if<-q 3Zb&I !msu L"q )p̠VpA7 ? .(~0XU 3mJҊ+D8'<8 4v)$`~!'z 6/esyojpMXi$ >4f4<B5Z1ew* ?i22b07Sf CӺܵi Š9 ^+ߓi HmҞ bJ ::f} hp2o nDa#Mr7 nZ 9r̃8 sGZ 1F }# sثB*te=6' wȷqC kˣ zA "|Jם'n@ {CE; #cc睝 }lЩegE1 m|+ ( q _R'Q8O% vDun w 7 hϡib1gciMZ puY[Xui \?bL9`$Bޱ_ n=x6S70 .zNmג6` v%EXE%P_]gм~  AGrQ p0f, -c@ǐ$_ īwk+]ű^TȡV +5EGzsf pܽ(fZ@ ;՝J {)մ Pe H ;\: . 9nyPS lIMaMD *l-U!<  BHrd&i 0uSԝ]C? ճ1l1M_ cj[|I/"Xq ׳$%G,e3 vUpr!lvY L+|jԹ(: "1b8 ?uj9B ZHhKE+<t_{ yJIUtL l /G.i`~ /=W,BsT 0 F"Giۘ g"-InB }`1&*V AEԽ!8,5 4 T{(u;:qU)]} "1U3Yd7Ϩ *liijU}U . '/$` FQ% 3eۜ<L/Td B.WI(A6 H>[RTrU= wk45 Uh%s <ƒxg(S YIa^ [9?Li6LZ!9` ]^ 7pRJ ^K)_bb aɇ ^8( bTZs. 0 c,>:Pr gb/;pGGmYO o䔚(^c:,' sD{PxX9 t'p-`^] t:B9$l# yvU*BQHa zBi)R;1 |vDa $Gxޏ 9H^~&ZTO ^O2<| .#R.rUN Xh k}NEw `"JJ|L[n m1<WȀ$L v18'!b_ 9C>϶ylO wu&u0 iS~fZM>"2 BV3b z|XSc_ܹf2? l7ԕ$OwZ 5wjHA5/j[ `8;RQklPMX )mk;.#⑆ W#Q 쒡4 tJ3Vp| &jarOhXȡm ɇ$wdFז.Ac. db>vfS-3ato t>d2{,4OIS 8#E1-0x<a =FxXȏ ' pE(+fw '!y~-e7 .$TKyyy ̯hhqXa;{ }hhШ>CKC_T 9"C0ܢ;A& `*ɗr7 i>NKD]D Ò/;(ɲŪ Un q2 aO7vte/5 ( ~zr^a N* vĬAX/% vc`o(ry*e@ Q Ex VrA 2H3S1@G* 7#{pI@sP7 8L7YV`}'r{ 9dj\ӨqL =]U]Z,9F >GIh/* @,upiܤ5(/; AT&L-{D F"7n2`_kr Q2=W~92 R"su*7Z! B/ U<ޏo_mG_g W@yi㊹6Q[Z̋+/ pr|TXsXBJh rðd\ ZRröH ~r? E4 Zδ~@#{ 9(++hW ۣ{m =c!U3IbS I@adHL r~.A]f|[ ]fBk݋b b8vh|y>= oFs(qQjb +3ԾBZb F!ĝ,sp Lj 7%kUX^lXް 6\DHpQ-* UwCaf 5C<dKQV ojIA"3C Ҟg(Q=?Ɲ  -Y%<(p]jvF Ekә,tof( 圇&r, 潼> ڰqchV.;$( k cBfUF ]d:B8iZI]c ƀ|Mآ'IDHo| &׮a(0^v% Cij+ۥ  Ǫ{UI V7ck<S#G*fb &dΞx2l^ ( 7CQ(ZS +akr4rC'= 7>[Xw"|JP FzCGЉ; Krvr.YCnzF L4(YQDxB:B T8E:AXioX Y/iNz=[d@@ h7P:;?t5c n%M!<@Ԓ}k@ qQ\kcn,~\4l t}C/pv^,-zsacu wńD7߆ѷӠKU% 츥}+ ,pi<*ɠ$ 0ӷ`,bU Ii]REKFp ~ AYeS9Ld9 VnИߑl n߯Zݔ?3 p3{U]tM da/\{w0(̊ eR.60u Y}zOU NdoBѢc#? Lib A T\/^<GP ѫ7+L"3; Yx j=,UG ӂdY o{B !3D 7~̄se~X rӾh2ַ أ{ZR4! ɿ=9.8,Q U,}vhO !_  ߐ[Mj?Gt=):  ,>\>gIƃ j#!L yNOwlb L ~~Uf( &: ِ76ʤ,o\ "kh9!t~V "ZICf捒 " "rX+iY2Æ' ,eC"[ZZD > ."m5Wx/nR/ .62^:k 6ĸ4g'|! \H <<ӯ uV/1j AAw'8BmƍM3 GDO{<귌 HI*?xJ LRS6v9XTJY" Pʮ&,ܝ}d _;]9U ߓ% i_3oG!B! o,Ev9k;yD8 }`jh 3 i5 D ;vl$sZy E8|R;ղq_! #Q|}8yC8G /&jcX7)â"( ,/?Ez +\6a8 Lh&H <'z㥇PBci <"/Rּ:B\ Z󗲪j az1 I!67Zb vk~P`] Rk-+@~ -1(P $z2l ?K,{IhsDi?I )!)YB~Ӆ!3-,F8U]!)ǚ@iՄpgKjy!&[2JHKے]sr?R%6V5iQʨvLvn))E.UJk_qzZ,RvLjR4{m!@|m sesSILCĶQyDxJ+ шTzIG<L07&.K(gG¦}6`L1S! ]=6LDO;Ĉ۹U0H6rTUgV*um<_8=n9}3,X4 e؃ c]aB[b>aY`cCVl\^BEc iLq]g(Nh{mIkYUٳOe7=v$c5$ 26TC \5E~җ  V9뫊^ 5[bw.q~sdUʽ &Z0sa# +0epJT߹AU([nxM8֊Ճ0KYM<kū1shnU̠hEZUrIБt|Glĩѡ7֯-З+L盿d߆eګjeKدT9evbo8Mں+ 16n*U”e|' M_]cblro ;b \d ɱ]}EXfeRa|QelnQ &C@fd$ r, t9Hnno`nFϽ 7R=!b_'sА?Ů'tݲQ͍U*@qLPM`!6Ka9v4ӷǕ_RJ;@ٌlIy;,'trWQGkEvݰYrwSog+,nߕ?t+X>s09u+kXzE sMx;wZ $*Qq_C-*XJA8⽈q< Nǀ ! xLS:ΏA8b$ERUMH~m.  ;%(tl1%J~$QSԚoyn Q5DOP0ؼtK@t?;Twr̻1ŽsGSCzFl#\$@V xjjnf«8]8տ 59M@HƤHn!xU+KbS6˹Zf/.t-ɠ  ϺCHT3Ҿ9™ yIlAMV9]ZiA{% g钭iZ:a\P4G]d{fZݴ%-svq9E'S(a @Z*HWrVMM,HCɱTVyhβY "+g^_&ӕaUs(ܿMEO]TjA_`ViFk!+_}tZvz@SccEʃAqY4T a8{{w.t~QAE)k(!)x(: 9f}-6r}*qdPf]͏ 48`$Rov Ò &Ν2Hs=aq͟(;זN!aV+" ,xowH3_L΅l=tsR. 3Oe=iSX+ks=;gO>!X{L}>"% +q[]vL zcߝmM'G}wD~DBr__. N}vsrf'boKfT?!ќRF`dV8(%O* 0^e H#›v&^rQzjusơwY;\bi:qO]T<0?8M8ԑH~3FW^f[H:js7Ql<07<@;1O1o1.llMPY[email protected]~@aÞ>W:<1hoQUwuY]hk_MvbF{ s՜LJj~/vf߫rEkKmYW2VEnC:e'D婇;oI>o`0:Z|6 7qfGO;O"kn+`E c#S#;ə{ U@OեP G%$jHˈq@ՉQ~>W$#Ȟ&+YM'm/4iE\Ϙ(>&0i%"ҴIn8sѳRDlHbA 7Rq6s+{(5Ab`D5U~ ݗj\MH4Q|UMeP}52shJ}"T(h#grzepZ凅jt-M\?PΒ4P;Q$Q~I;\8 s"ƌmE KUr5M1<=_2'Zvnq?]YJ :Ne?X<f e`&YwBRFbσp5ܡQGi L?q"FUAT`CSY'5Cx}՚$mg9.ժʢQŀkg?/QT #63ճ_ 4=8Np*|07C,:4rUK D WPjLxq0Fl)Y;k4(L[V^b Q_E#>od1XWck-zdp>aƒC K<rwt;U !ٝMu1!tOfUp?vguN čAxGu MO2L5G&RHn_ *UVbژ?7 eN )`&3,VQ%h1nnO،<⊀(K"[ ^)s`~s sO'`e+ݩ4NѢ-~j\.9|v{$:@BFI}J#άq58|i@C1ȗ}%C׭k|g1b(-]gsMD:498\Aɬ٫=@Q^IρOHc\x3⛦[_ pU<Gc)>v ry5qF)\qE/%|p:*c r^S􉔾3zY"lפJYMcF$-;B(]1u=(zYF>P&*#3{ɫHz'.!)C"^x/B 1Ho7@x(;\!vh\F300ʹ@.UgLxoCnr0f(eH4t89AwuJt'sn$Kx2!HƲ)LؔZf (kwl\ ?5P*`XM#_I,!S]/YHgl oE}vrE2Dn(lV/9bbFo%^7WkkFG!΅]f?dF/#7$ T 4R`\vӌmjǦdMC.)Δ,ÕDPqlUҫSv]mnC*G)¶4墕m'c̈\zRܚ⭜_.fr_ݕ`re눫:ZymwxH)wT rѷ+}~Ͽ#flF`fHNQŧ/⡆TQYw٤K:&֌/ս]_e $«N#>%j[<_|AZn+RXW [=bGDmW-^@O1K(m g(t~  Bu7Țw7g*/ 59]F!U Kf =ӶaBkx&qnl'D=R$恑)cYY1Q>krA;0 ?4ڣRVh'> H@ <1U w㔉KL%yhaPu?֘7r\iP[#߲E/K)QT&4drlomWl U:Uvw'k)Xq"Ah#2=j{F^15<Eub@`^.&wX5M``n(; q#Iևe G[.1gh (nSnkpg(}isdG,?d]}G}wNwj-gJ| ~QA?Hs'"5޲ou>0慽jXiw%dYgą2q U:UV1Wt)"?D1\ ! Ea}] o֚(lG^ES\<d79a!5 mD2KF 2cDp~jk ,_S3^D; ʥlgO4spJ ^ %5B>]İ1 pSEXz\t 2+rlB+UrsYVW hSc|hD5m}% ﳟ8D"0C} S7c# +k=8J&[&/n.Th$JVe8]mD<3j[DB!~8t}iSns+P;A PVb=b>Ŧm.@}$,'V*>7OS _%bߛG_\4ƧrA+{7HbNèmsTSPZ A2Vꑲ%pWw(t;*Oe"n V<|/1!oPU^" V6y{y 5&obtDv\X{emWwW-܇ߤfY*Vs-j0(h}j>/ڸ~)2dĩ[nC!Βw'~*a%MvlNnju@"pXnL/ڳwMMceYYI!KMBJKoU2թս嵊cEϲ,Yxt?O2 Fm@N[N- 1u̴8=SyGN\Zr93iN E5dU{l?F/ |m4 v yJi%g Bm](Jތ C@a2w޿MH!xȄR\:mKU8ø;_b9TN׋b`ɕׯvL ™XθRzoc,TP9e1}*<'qV-qO;/4X<RN]g %X۹r7mi8de"ށ pmW6NaT+Dlv4 =Rw! fY*yi811) {_LGwbC@|FrE >D#q}O2_6Q>Uz/fP mV<g*qvMJfdzmF̭1ϻ~+{?`:l_"WEGZzLCA\ҦF!q&ĞE wՑbc:^E [Y@M & $ G[ At̂j9>n>@ti-r[Z(^fהYاY-< ٓqnW0,gnldɇ~BOAYvr5F'}X.c3;S*zЮg)z]oGoU&.‚z :Wr. j IMɪa#&aґS ң)&*d*zЋ.ol|؂6!S"\clP=yrEyS,Ąa(=sO!K񹶐;Ҍ/jxX)8ސtP+#!?*܄EW?oUu2'osl&Y ԡ3./֚ kB;p6~Ꞃ3t <z7HzH{#==+IxS1\@*e>,ܴM}0G[ߕnjeL U#LbHI2Viv/<O4mʌv&LFR5tC~O0ghiTJQWa!hV_ZX?l[J`<ӞHj 偰#b>&V mPk.N\<F2gwm Ij L6jJjm^RӯN[kg!o"R#l`#y4kmwnv[69V0"(a;B5J9 B0i Xr7K͚'dr 4;KN L_,ܬ 3Ο<9X/Ƃ]9KNRC4$~tHyl`3dC+u!u@}*Mh Q+P˩a &r9ƚjak_ԕIRh|lA$1S^tYabK@f4]<eӖ>{-Z3UqoLief"3TIgB  俻_%dƥ␺ChHзiP<xx4p\uA$ %:0xYuv}j -K%^[9 /c{8@m4FlˮHltf]I a&+/X lEzT!bSeK|#-Eh p|pj%ab I!bW:H_8!!7I",#Voq^|1:LHEo|L@?Gk}JH?N^ 9]]LOO~ٗ4BO:M<W*ẟW^˖9O}eKlyFOdoelVVySd{BmD>L M6mSfVV^yֵfň/eh~'E]%@:)(\s^(zj 1LI\f S0kd`7FR:arsxg0@-!*LjpZDd*]Z/DŽK*lBݎ':ɉG˷Ǫ%*»HɲαF <"*qq8J@xhGm]s)Uy)RbXWGy)gJ6Jޓ9D\סa&{}yXSWGj߁tNowB#1oU=ZJ!|4Vv 82L^q?c`;&|] ]^NPqSaX'h7+Xc/&;>Am@ܺ ķ+0:^ L%`<ksuGI%W$ga(Lp2E l5@Z7zط/9V\,g{Eu<#H`n"7=IMѳrI &IoSbʷBXOڪV]</TBDh_4>h oKE $!_i=bהꄸS9jS襜ɇaJ?ؖ1rt3=+ ,1>w5Tޖ1u@o8G HvDƚS _0/pm,l>KxpfnC~r8<.9Xc3x}.&5լ<Je0D+0D[4m;eXV1p.N1I V'@,b%Pİ|m߰ZrVVo`ĵH%½ϟTou,8"rH})CG 112HVFËvxSuOPeOI_Vsީׯ|#+'BTnO.fHTnd|=R ԂAo喌|t1<@?&5@wq 2sRn]mKF+X.;%qMu*wLuOʀgMx;܉!3wEwP!rV9]嶐D d(>]V|;9`  ݀2eLފj\;F C#~ϼރ)9O\= 6ȳ\C6MN7VU,DHG5w)5P"eR)N ܺT,mWhSsUwBZ&!7AxɆ5ぞofY60<Roɓ7Apxk̎KXcoN y|*HOMXB.]8O:X̀V08SnTn4hRG24[2>(\ AU{9GEjέ90p_%$[fթqsca z_71aE=>x[T 툏zZ4=m}rg J=]c$e rݔF{r 4J?>ѼGy̖孹g63x˘>N%ȋD g(~3NӬ'0U,Yblk+2ϲM:oXׄHS۲ dJgyFcm686ӜU@PWCT8u q7k5f? R[@wqmoqo|j]|eAX<I4߭ GMs]1&~zWek7O(:nv$*aڑ Dy*TNɣ U& gbJb*`[sq o(/$BAl>-.z,.p9M#ʍ[ (2$ Xdk14W6E&TRiv28JXYa%B}Ta u1Df`M$2Q+UpTg9Ũ[:6 zQX/=yXzO:Y~qa @?jm:ZY"5)p+)c_$"^{@NGl{y=Rfɑ ؂67fw'/]wǝI:dJS!Џ U<NMzr njF36ǃ]7k_07YfXO{ N+b {C :47A&BVaԗzu^|qx-W!e }cNpBUjG|NJպpjVpg78@Rt4tg5vZ]yd6r@{Ծ : 8"g]iBc2<&X0Ww^^δ⏕QFo劰JcF#>Cssù EB)zw.EL_ ,gr,{>s8D=ĦLwi#rݽh;E_e|'Z8wZvOA M T{*7BPSmY_-hT<l7h.XuRb9Y>mAm^Y\~yȂ Ԓ`I0$* i&K_' Ֆ`n|:t ]Nɶ),EbgrVA)Β *YgoP :ΪWVf#Ch|wWA=C(Fl3!X:!@7tz8 gOJnš\t|{ΐ-e1Yv$5Xlw}3 K?ow}.~]*$_L6+fCXg#wtR`<nXSo@;M0 E/=FYB, ɚ (T`C.+FCy! d$#Hb9Mr%ҖėcnZ[O,:{ɰ7Ƶ{g$\K{WpǑ5}7hPu{7\#`0Q:YDp]zJ*gsT'Z7!Iϩ铲s4<FeW+~צ@s8?@nç*Y߫i̝VC@{k XP C ۶:1⎯b ]A `LXr萠a,-h_W0a#O Ǟ기ؓt׍zS~+f ] ""9I-G`Y ϟ&l&OcZ^<߅lX]::{y;'C;__%<\ 'K5;$Hm xJ-'!̶r~Ưʃʉ1a@#"08* ى PSTO2u7I!ڈj K6aKC0qn_(d< ɲTCADmKU/<pe??rO FGEz|HK[#BH16}HDoKq1Z$`47YzJ"_G  czOY41/ hf>y*0;Ew^EnfH8шI'Xvv6gRf2)^2oڣRЊ ?h\pmfuK)gqrш/3y-RRsz\~yFr8j;Gr@ys5|X\x|#{ Qx޷Xp,ߜ?I0Dd!9Q $0 s,f@,Q.q0(:wf:P͡IXt~XW,uy߲81Nȋ#FzjЎ|=h] ꍀ 0^7|/$}+!I$f 0#CDM* 8EBG[n#ɛ!Kٗ2* OOXB2d`Ws6"2/J =LRw[e7Ĉ.,r\&Br&gJ%Tώ*<^?MFhALVy<IZo:$|4"">/XYN?1̉SBYH_~-)K\3^b /cA4U^NԐy)wҐS/։sYvV-8yfѽ&%a'& +70,D h.,I:W^)Q$OץW1mb-ŵ(čSg?n5/4 ww7"s@40eޮ1J-Va:[cE1<hdFLz<^ |qό&8ùLcF=rc)5e[P*5/ܻWQ5FKƮŧXaffH(XlcU ꡔޜ4r[~SFv+X@<.b]p96\t?H%&fJ[dV"Bl :&gZ*Vjy7t\qr BHx(o)uz<V㍠zIv3/?~&x ryNQp(W~r4B =1l0z-M{s`N.m8"/|JKF.YZ*wz;M&̻U3.(Ѧf]އe5/j1(#`Xͳ=H=`3ToHV7Ugq6$}Un3WOpX+6xLd*:SWIKMbm"R_yRX>hE ݾmX5Y}Y8X5vjeHh2b̀ IYy ,P }Τ>COˬYT[shweJ$<N vCKa bɛ-NWTL& ^WK6;+= gn[HkȓuӒ$9I itFje0xk$Yg 8#$Krf϶Ecw hX1xqH+& ؁m |\ۑ/#/x;GWgo/Ndgsq3qٖNzU9Ugݝܕ@rFZke%I5h4Jt>Nv]RYobICY*Zf: ܳ#Pb>gR]4¢:$DJhNTf;qZlEiW2 @Zrmڭ!179cr3Ey_z0i!fȅm[ߪI}7֝|t/Vcuu} =ݠ>3Bln ZdR\6iEm'aٜq1s@c<D%uW %Jk~ز86&ڃ;!; @_Hh,Ϋ{iFVa0t৓IXe igHyp@P0WPUgR"N%f[?kw9pɝT/ćZ ~.fǍ؞1US0NA~ʭ(zy4' ?Y4?L8NsQkyy&̐fN)-(afٹ0+G63Ua[VD] bcn~N>hNǯ)4$"]`/Uw:qȏ37ŞyVLP_Ճt$mJ%jeGLȄ}վt5@Xo*NC ׿ؽGy݄fi[ kn<s)mztfEn.1́V07'B|X>7@1rN VM*p<{=}Qk˻֣>/u/[!Uۡk!F$½#76Mei҉leP(|pFa9Yc5l~CRg<}t>A4]:ݝfןp?)˲RDmzbE893tK{jY&QIq]rA dۅLtIu:C/s՘;\KrmP_w:J8}PAmq' eQX9*[1JJ*~i 'JJhɳ_tBY|`%?fH. E/ZfȘ`C7[8M @,!BK sc@ 6]YE4vgB,$jeb)+Hs: sb ČflUÎAgdI{S0 //gHnr>h72iAF#t(kgù&. +hhl4={Hdw묌..B iuzL*JA]?ʘ@9Hj?ʤqUKM9w"nC͙x>AΙ5+}aaeO4&R(޻)Ŀ> ջ<p%P*{~A!s]ԣBĉR.Qm f}f`ַV$0LiH@C77b,Žp\6~gnwzomGA˜ͅQ}$h )g*f/RJ' y j;q퍁 4Ieuxkl #`JfTlQ4NrSC+ % rǟ}4! & *;w2 j-sV]I +>:\0  t -Yҽw,cĪt 6j6KR}o 9ںm f[G+ >v'2x?S\ @6Le53x]y6 U_r_6mY;9>? ZN#Y~\W= `~js\3/Qٽ_( c430W l d I߭\Q`v<` e&QPw?y kr؞P#<R|oPH pPrTIʥ(uv plEF`!֨kĂ*VҐz rsꂜ?WupDS> s4(nP.yWR _ w) Xmɶ*= 봐]8R V{+]\cK]! :ፁ9;̧Ӛd $7^az"8I q?mՓg1,~t0 iN*cgf '1\,U #4t~pJ\W ҃j[ƎdX _jڷ2^SS >hy]e nmz+OO T얊{{Շ8*? /(đh*tĐ Ψ~aց]S? E< 1cL.'l'꯮ +PHDs?uy χ]ZFWd= Ѷح~,HX3 #di=ʌG u%ߛh 5[NC:!rN!Rd̈ ! |688JHOp:!'B9WwK!#!(1"aR"#Sp!7Zըcg#ͥ&*!8h,7? NS9!;,o!;e!Zr=%Ԋ;0"'u!\sm.5޺?m}uR#!`5$;3ƀ/DD!b<yG JJ z^!buW5On !c!a%Lwˈ?!i7c}ҿok4H!z/ O/$]#\!;佽rF3g !q֡w=b*?B~! i2~etfr3!XUIr$8l!άx s V!$.!3 S=",߻ԥ!M}`I꺷SV!lE=Cc;i!u+ d\kj5 !ˢt&(!4R(LV~a!Ү}ۇce!y2%(,z  !檂a1(>m!"RmA?Kkc/!&JL\EKKU"$2h f[ƴ@l;"7,&FX"_(F|:x3!\"qHLnE]jla"E,,0 C.B"badsׯؑ 7"%ls">O6X$l" @*k{(}T}"$y*]LhH-K( "&qH3{uNh"-Z̓ߦ#lY$\p"/mP?H-S":X1#"FzT fP>U"LEVUiBYz"a}@oJ&z2"bYi=_Jƾ*Ɔ"hv{؟{x"q-,RSKqЫ"w8NN:{q"yr8z?l9k&"zZ"fRm+ghVԓ~"l<˛gʷLz"7<SǍc^zgؐL"f&Ɠq 6z̈ "א [tTQ҂ " OIES}Y"= v.W(Q]%^"(H> <&l\`"X#F83v"FMը"vȇk Rk%ݣGD"=Ў_ga~"VX/Vv*.2Aw"Vۭ k[Xc"9 /~\0 Ƒ"$ljZPqS|t"ȂhPW_n;z;{"c3VåI|G"׸VʑrG6]&"?]1E!v<"b&}m6r4- "|p3R"ꕃiI.BcDuCs*"(gLaR`|n%#zqDqpE!8^#o%g8jԃ>&#-q*:n>#"ߠQ^ygjW@#/'ǣ0K$s#2;ՊDzBt##3Fh* 8}Ԍ#9xMR"Ӥ3.0:#SbzpP$w-#VVߍ#mܜc /I#X:^tB;pjń;z#[nliD`#ktANJ,bH=MT6#mDŹHKG2T#pUBSay#u8ǧT4* ܋#|G!w8)#~';΀{]=#~h#AɮH7k%d#W%T#7:H/5^rkF#um|#.eKh#H%gȈ?#uqҘ!#C\XhsQ]@fE#@\zL=2w;#بJV4~Ǹ#~7AT*3,v#ȘinKۻҿG(-Ƹ#oo)Q(RzB#4aBIaja; <#aa\xj[y6#thpĤ4{<#/ -N`?ʑ)@W#߄GNq"lX #݈9FJew$Ӣ2pWcx1eV[$ ԊgdiyǦ $ص9(ȔxPɑc$dyOЇoRο$jQa n$G%$&"ϥU74$&+"n>D|ycb$(*5$3oNxRi$)q6z2E$*eTSR@ָҽ $.o:ZcnPϭ@8$5+,9'}CZ$Cmهw}J^R$G.J56F0&r$[.;1`nE$[b\+`Ǝ$e6ջGn_ $h7e9 Ld>{AF&$m?_b6 a$bck@ƸZy$ԯ 9>u8cU$(X*Givq֌v$7=/_cLZ$zq$& } ,- *:$I&9hX;T$ʨIfI\Y#,Qv$ uk V$,J&WH ܿ)*%$W5纳4U8$?DLEδ`!$FQC9:Amt$@2Auc%nږ$ u`cBwa $f;lӪb6g\!i$R|l ⭚@PZ$ -ת$Gi-$d.fj,ac$鬂3E'+"l $J}ì Mq싐$,>0vHJ +$gvO4um%;2)w"r%xB1<7%c <GO%6!mguGY0e}%/]fr"%!gIn~_æ'a$%#z@0qQs{%$GC%.L-¿Y8dC%<8<ؼT [Muta%?njo@g}J%E>cѶ=1bch,%Tm ~vH%Uc9McvCӜl?%\~9z_b흁%j`rj/])8%l(JJYf0?%uy[m%I9gIG%v d$ !DZO%~ ~]z?":PX%3?Y#()g%=t% pRC^%WGG%02 %y8vijK(Y'%)&c]@Tg%Y*(aye..r% LV=@#%>E{޽`Cw %s'>MZPc %_,1YBpH(ɺvu%-+9~wܹFk%IUtT5gRB%zـ נ([f>%C>Gtsv,q%TD]p ?MzřD%ψOڥ%s TrT%V\ r~.%`--LKꨨE%^rk~Pϲ>%:vQF@%/,N*FƉ3"%BxK>TE/% ~ n[Edb%U!7ǁO!8q%3QBi[?=W\H%p6 0PGyJ%;![E'M%K[Y4kL)Z%H@G>$6f1%wU0 f %|v&uW1F $Fؽ&Ulj[q `&k0=Ĥǐi`&w&#aeh0V& FRD/O&Q( :5Rʂ&]_ڥˑrݴZ i&sk~-]SI&#c@43c @]2A&'u.`-¿2&(hR7/q1|r[&2M1 qy1BDŽ&4{ķW{\ 5 &7ӒuC$GUuE&9pfZU0E0]&;V7-mg^:@|I&=nI]EZ_+c&BȐp4rak&Q¯ ,'&T|y=ip R^&UjX%H8 T6j&`ab`tM q&j4Jyڢ.3/V&q=XAI!^T5{>&{h> ᮤl>۲&@P/&AVl>,ZX&?)7§BK!> 9&xf"_N*JDǣ &u%qNӚ}y$ &?jIb@my#&уlq8 o!T&шx<`* 㙁Qu&һR) uzs&ԯ6׀+ 9&-ѳ*n? A&bg}κWތDw&+oB^`& pBZ[&A.Mwx Y&7}lt׀&+ϵc~4Wib&ҋ&lv0r'xHb}#' <o"4E'3clW̗u9 ׋&K'|EFVye+'4": WOj'$+t:y>؛'$8m* '9 .Dh{fj=S%':hDN9(AL4'Ebc؞h[#'i:sJv='oǀϲVlɎlI2/Q'uŗ 6+(@T'1ɀ!;I H'<9/Y4yr2' ;UoJP'hc"MW'x̹v[Rs?MC'4ϼx$(|iiC '? O3Gߦi$8:!'Pvc?v'w0?Lse%'>'~Z 7<>Fi ݙoK'K||5s b o'V{<eue?@LOf#'Rg˹tɁj'{t [1&ms}'s V{?<.' \ib-nwv'jXu.Z܌'3%4IGM'N4l]*݂ף'a~y8O)@C( eˣz)5އw(! 1!tB?KSFŦ(#YxBBd<I(%C_>.rIr(,ǰѵo2m}cx"(5 KZ6 U(5<xifV iq& (6&!t7;h68(8o`Vح`(8{Mӓ(:@:d[%s%dL-'(=hd0:{u/(L%Ipe(PټڼyE((T -+Gۺ#(TpvyKWf;M(XԦV"TZhu]ݛ+(f~hJl4<}`-ô'(f |eq 4v(tPlxXedXĝR-r(|>6ghc6(?3!NLM-su( _ lX'D[O1(^obpInj?(QMS[*~F'2(%v<'~(Q -G^)>%(]w{ؑx9xq[(i|K,i ?~(F|z:vүupun(!X. D9(M  oM1(Yg }߳{W (T{cIW1Hbg v(Ą='/yMl85v"(̆ ­R 2 (ְw sRXCCVFqd(q#! 6 ۦ0(4:;Hhȼe(i2}C>(<H(ziM^qL}(r{y<<vQG2(0EpHzW+)/5ՃxX)Xu hBz)iAT1rwSZ>)lCae)ln)L|s{ꗆغW) 9qK-ɿ) )8@>+\IWtS) ,1Nlȁ*]%)"UxmOם ^q)'SlMzXR\)(W2Q R`-u))| nD)+%~!1'ƌ).;F̞2&2|\)6ۢʀQU)J?)9!dawi %yM)?h!jPq{} ”)B-Wo5=`*PnK)Dw=:/3Z5)H/8=FE )L8:^.e())N`\Bq,)p#؍ ʹnJL)wН<\_>%4q')D RKxLp8)Tyf`wpٜ)dFp9C7+7)mTdu)"'.3X\[v)M) ʦ){D .*ؼ)8&C~hkz+)g1re[) C%dౕTSe4)圣~ Bʨ ) btt/|*))!2Sw_Z)nkDZԪ+aψ)"0cPz=)v:C1@26)ӈ<B}|kҝ%)W#Tw# (`)A.+َdQ*Czʈ)攟ȕ-$&N^!)路q$,G@E^)~usb j5@OWP*S(v]K7SbD,؛*DblR[$K*?"^* 藄 7(zR*`b"|ִ,U1t>*.z/ݼ* 2⢳*9EѺ*$*ƦAW*sڌ>]˶|5*VYҾv0ɡ*0=TM=0Xv12F*#7m0O-n'Mf*(Cs &ƺ[Z*-f}J'r!x͂*/GzO_)^wi'*3m]qߞ6͕In*6Ơ39WK*6iZݸ6k*8`?jဩ*;$ &W*;U(d UɭqXGA*=7YC֜*=ec'¶wWI)(l*C<nz٤]+ *COha9Cqdjh*\u8=c_:*^|BI)}TG*ieU!x'G(3*woJC*lnGق(/*{g y)!剬*cbҨAoU8qjM* }>%BZ(3*V1~`-`* o.4*d>b.91t*$y ا1VKݮA*X(`ɁVdYֵ*72yEn߬ț_3a*ʞWdEHt><[*ʵE;b?]?*:=TΜAUT`4*Nd B}- L*n-ܶa;~h8*ڼ+/K:F*Z%٣nn֡b*U3g E)=cs*4pAl! 4+=p/`b6{+TIC4CGYT+㻴gLj-[+ c=& G:K+Tpyېo kڞK+ XUw++ #!m*>ܜeM+&> 8WWa#2sFr+ 8W19NUM¦l+/\TtL6fr+0n"ʨDnu+Rf}0m+B\+S.ᄆK؞eȯ)8+U` sa4w+[蒞j}jT~/Ϳ+_ g)NZw&+iܟx13-}3+jO}- V)G[ +z g~Ȥ'ƍcV+{P®7bP,v+{ URzcNP+gqfzY:|;aJ'ǩ+P24PHĒz7@+vO {ŒaU+<z{pܛJ z+!{r%\+8g+xC$L+G,$nUlt+xb5KX5KۿA4Ԝu+jM˵%#iGG+ɥH?W [75=j+*ƭ$ز܂agq+7kg/NR6ŀ+a4f'uv >E6+t<[2 M|>z[+u% jm"TV+r˯ӆ֜)6++\^8ǪאI+ςhJRuvPY+k%BVI3RI+6*Q<`sΪ+Tf=] eƝ˂P _Kc,eǀKWOFE,I-$ct,O˝"6.|4.fS, ,sa,.A]r .BC<K,3Ļbbk,;ͧƛM~|itc],B2ن8f7,F>(N}{(m,GÓu1` !G'Y>,OP`ook,YrϔӾuLk',Zh&MF FFt;s,[# 0Pex{RZ,]fQ@kƉ$6&7R,`ÞoZ_JP,`%uR&U<,cPvDwx1ϛo45,cb>11ƓY,t*B&ֽ9bGV,u" EvͰ>a= R,y^HeGp,{V;R~=1/V,| AkrGiR,}JR.,o 3M G5], O2R+l|d5:,k݈om"/-G,s+ۈFU*,3i&7(jp,QXҩ{^3,۱u]>,_!埢>#%z,~B`#y4,=geafee,׸{)n6lk1'ä,dS0WU? 49­, ~v Mo,r~{ag}0,'.a[)BWݠ,_s5V=mK ,lySnC`7B,K(EQa,FO4puyC,I#(p?[BESQ?<,I;`H l-ݖi(V#/Xb-m ƫ,5ý-}Q{w|eP &3R-zhN+P "ftw-):;,Mf+?-*|-;(7x--ʙԯr-0܅#ϥmj-3cbم2f6ti{-8 Y_rάK-:E9)`-c uo-A^=q<@hFG-L׃ÊJŠ,^,(-Odwh*3oy'-Q=(!g%Tlq0-RHKHա R`m-Wh: vܓ?Wo0-X/D%d[ʝTz`-Xh~3gXe(-]^Ͷ|6:-`|;k ^6[ @-naP;&Ӵ-/Wxb-q&53?~Z뙰-|f-?gTɟ"-|-LN=i\6/-W^R|`f_:--6 Ȋ\Q-?9p1$ڲ]-zjn? C[ -+k_7iD>Np-ae4"_q2l- Op)Ι =2r-TyEҚ'՟L<-;7#I - G[{4dڔ-g_ 41n:I-4# ܾJM#-jTN-)ALHLJ~-lq ג`-d:s*4:GgC-Y{PgV{\-AաQ iv-܏WtUjo\cUd- ]PρS"CU-8v$AǍqP-I; Eg cvBWn ( -Y7< *h[~Ōy-U_oudCi5@}#-hæXdgO=-K5 v@Y!-W21.R^j)"ް|M@.H?3߃aK1. m%>jG9. P݋ r@K@.9҈ԅ^XL.%Wl><ztFz&#A.%ϡ%mM\rY.*M6r{IC'y..a,lnͯ.34XF<W2hKa<Ʊ.4aN}Um>( .8C Zps`ҕ6߉.<J={J# k$+.<z+ac)S_{6FE.CW󲬈F8NaB/.M0R:Q4Z .^4Aw$Ue$z.qjQEʳ[ Vv&].uM7Ԋ[l/L@.nZf`nu.)'PO+n]d. nh,h]6.a{N<KFc%C@.MُCqw.r~e6(zp.i~6"us[&@2%I.^%l .O7$UU|!pd.kܒC^I<4~ .!|MG^`zֲ|x.:ؠ eĎQ_..=ք?~FӶ. a۾^C(c.//x.po%+.zL±ѝ pS}|.S@4;pW#D.|7dKy9.7=^GkO/n/'ڏw#,p9/@K? COc/!*+ݮC3py񊥆/)Рjq./*X @ZbZH^/-5hq(X IղV?/5m֛AVWx/9 Ha7nnX/D>Հ 薂~p<./E7e?7}/G#O]G/W=Xi)&p?k/[&( h? ջ/bw=`01ZYQ/m휦$鲊,W/s1ړ#x/s0 B/td03Wm)' 7/uv檱'GV(p/~x%1yuF/N]IYzV/:9=j>:~h/UԷ{$mTWX>/;^NO n_ݚv/Ҿ&ߐ}^/WÍu+~)kgr`/cKr#`YjMZL/v P{rP' /&)--V /^ZVo֠8{5/Ӊ#?FD[!U/{[un)@ў/ؾW,wͶt/ܙλ7g[_%/IP["h[/l5 :Dߴz/l@z'O<If/鰶 0E %sjS/ YRmUpOS/Qy֚p/b g/É!9V0 K> q0I^NU|0a U](JG00MgTb5m0_)H+w0km-<p{30q`j%Er[07&DES,Ni0#fK`$;0##2ס:o0jQ0? $>гHvRj 0Eq+60ZJu#Z$W0Kc3t~lH"0P:_Oe1I0gԕ>YMS*0mZES R.\i0qmMF}?%CO0sTl[֚  0z66JpaU05kG畾3p:i׶0afZYͱߪ;0}&?> oڳr0wMx&+4I0%G/'gC/ͧj0$߈nӝFdu50}B))>O;ؖ0\mS<uN־0[ u~+0rSATJ{0 9TsaB/E0 GbtJ0z0zr]0!^ŖڍeY>V0уcc§00B<]Ȗ7Y͕0y<Ch#R)13% w 1y)#J#t\Sq91t?|1J+NU1ֹyx/{1+E1~B~0+/1-Dlƶ)rĹ 1/ 4/3j,i&15S/pdW%1=ތw1D'аR01>-şL r%;t;1BI~Ad-1F(24¸'Vܾ!1Qlp)F31W,Ux9ibK1cTҩ̜k`AU F 1g[YOg&.Ah%1k;qf1lN 1/o&e1rE!Lp6Z 8x=1tbeP怞m6o ת1u!kK h=<_1u>}{6El盯ۑ1w}!u0~1|NYoB 9WQI1}hrXN[F?11''K1bKu.F큺1~}P&(81U:T^C^P1`). [b5"䇳1|ת`rp _ϑh1 Jü֯/41:3(l4ck1E~"W!1!91߫Pbx=\[1+%=byG解b;1u9t0u yێ1?WIXƕ1O Yғ5i|vsW1Zkdfã1`kԦ I<1dm߅ Añ^*1u51FxPOU01ȢE Hwt1˞tb?HSD~1ŹעP:sb5s> 1(l䭅{=*Z7J31ksG;}V,  1Km%2:$L<2xg1'qRё+R>1pMJP ِa'&1n[h8&f2U)를G U2 vmLl2J%Zʉѧ$:2 2ǂiq־){\2 B Ʈ}Z-2 Ɲ{uJ_8$4T 2&%FLVmϘ2!uh]=dh?2&@I<:Ovʢ82-)U.{ryS;293g\qҾHD2<[1>׿kWa2M{2q'02P|\1 C2`Kם}FK)/2dIPج{!&sc x'2k"⠃Ao9* 2mlGQMBHVm2s!",E{#>el2tQela$Tq2y?|mq.2ydqu[W%ډ͹2bP~?2ppMYQVQ2`o6"y(6["2;:5EXGA2>N;Ϝ2<};:TB2nw_ ]M;l2Q'reػ2U ɠM ATx˜2fF;|?y-2ɸ0".&5fJaYx2U\S/j4Mr ~27RUs@4P2;0(@F=ȲDǗ25n>V܉vS!2S4Fl=%2E f2ObQi@v?]r72PVF(h/2oF/"nu2;R v]4¼v2 /Xx +e2&{K)W3߮` ǽƐݗL(3rF"\cpT'3D%:$M 3 BteռT+ n3rM}گ5;o+T3RSLzQIC33ۃTSRg3 YqOBVAmZ3 Fy,e]"v3?Dcn(9ω|3?$aYI|3G%2/<?3\|bDlzqۃ3aItVhc ]3f022G<}K83fFf~x Gp13ga]wHt`oaectY3iI08y!A/3Hx׎ ݤv<jd3y(4N'pN3P\vj/n1}I`J3,*OlEAȃ;3_}ڇayy`P|3̳Eێæ3kjW(M/A3֌i@[ڦF1W3IWR[H]0:3&)#Ȫ d [3-`ߵM%}ڿ35$[4} P$$3m#&+^S!4l3+]:f0O3dBRVHy3)@"3Esпpe83:Hp! R9RI3˱\"*]VZ蠡T3x̌f\< }bf3ت /ep[{BK>F3 v } IM3X9ul3d Gm~`3wcIp.dRѤ:4˵˪ yfk@hH45z-F{.]0)4T}7EG4 T\TS̅QpN4\4'f@v+1x4IKiB PmE4u̾ܬ%ż5I5Q*4"}2)CS!p4"boX{~{ 4$db)avѼ]f43dEZyvj 45`7yaGMQ-_]4:ܟX C34MG'UѢdXr4PV GnF:c}x4RVo\!57`7a4TD#V!0+Ar4T_G6~\4VG*v[+/@4WyA~3_F4X-4(ɖS d@4Y2x9n >]+S4_N$@=rb5eyI4`%k /T2:WiU4c5ڑvN$4h2 k mJR4j_/S  e-Ah@4uTX=,Mr.j4uY+~a4x2(:h+o]HlpX4zjS׶Ce4{DXUPo +Q44mQN\D4m퍍wӷmCp43w' o4;&à˳ȷ7yeg=4ƒs`\@,4=f]4~%`~]4F ןB40ئEzc4bqv"x]Q 4 ҏu cf.524A烧b' 47x0L!3&%4s^dV"4)"2/j^\ۚ"'*5 1A"1g@5zPOT moz9 @5Oz\«@kSO?5&gO*ەBV5 ^Kᓽ$}5 =$9 v9Zɲ5 \{ؗ]QvdJ5u7b)Zrd5$erb:Љ=5*U.%Տd5v. ԣPԇ5F)ѨVHbv5&SܾdeDh53YZ˴@J6S58rŁ|=ӎ]"85C[|_ydw5K!*w>VҰ`N5QU) ۗPx(({L5d 8)D]w85n9I#蠀W=5[25{{ލ25v¯5W͆]hbFIri5GJ#Y L{)5]LNV[(̉5dж+x5RF(^qH:kd^@5LaA/Fl9 !5;ijP>IOkv55/Kܪ lS׎5K/cRÞ$WH5egJɖ U5 /ui65ĦRسZY3{qiF-5x0+lr<45&m=}F5$gc'LC[0c5ơczOs`\a5wCJ 2¯r0J5ĶL0ЌVA`z6D~l➛j6%JN8rBWhҽ6&uqJqvd6*9}#ӞzLu^U6IJo2ŽZE\:..+/6I} \qYis&AtI6he~ 'J?6k$tqb~ 6lkK:*?&ڭ6x8pR֕Q g4I6yJɰ?2k&@~ D0~`6zf;yG=(#<{64{>Gх6!IsM @/6P:D1 6dp7E[p67h:˿C^ǠKI6O1Ի~I6 LSŸ<$;6ZU0+ax9wo 6HT$k !1\v6O\sjEkOE'6щŕ3B{06a^9#*XMp6҈I'?S\t?-[f6/r%T7VVmIQ6VԿy 6N >3֟#{hM6Kh9Y<Wd6r]ZGÉzI7&D|ca47!iWk'k^7$^{TqƠ{77%+_n<c(+q~K7(H;1*36M8}Q7+vNmzg |As: 7C.Qb'<7GNq!FҷŊ)7H2m@ v)sbf7P5TCE&KBo47XaZT{Qƿ%1l7c9TժV : 7nIc /qz77q'!}ilqq7rpFJDm%z.V=/7o$:~U]s70PweZo7Fڼj9Rr4J7>g8p4qQ5Ak87R74YNb>g7^򛂠Ml Ox7c :n"QX7A3Qz:7LnP+z9"7d^#? 7A` si77¥]]#m@%TG7ľ*o26e_T_]8A7wV iOJdtƘdy7ːLoz5E8t7Oн)>v?]37oU!~[.]B C7# >pb?"7ǽ*ʴ"u47׏S*RU<87]hR9 .2wJ7v\v  47.PDr|{7~!<*]3jW׮ 7Hɟ6NN78hy48/V=ڢY%zSU*8g7([Nkm;8µO@zn68ie\+^"8 !܁Sck]I8)wr ڨ$}[ L8$2'[ 2;M>xk8._7$ԘH;80Šqh'J&P835Ì$̼]E6)P8:U _DB*E"8ABN|P2S'g8C.v'38bpr[!8M{EAk'.J7W28W됪:@#]i8eN`X7%8uzx4@,z8{5lVgA,\8\Qa8}KyYX0P7Z38~q#w(![Ŵ-cP8LQ-8ռ=j}W8ZvccSѐ̗Ֆ8Xi)USj_8X]rkqPvC8Mva.h>5fa8R 0؝! ]8r8w0;ph v8HCIi#.?8aL H8z`^ȸq"QmB8n_.=q( 5V/88pu)zjh3 8cӦ ֧>Mx8=> ¬gQᔍ,8Fvu+=Ѥȩ8ٚ~y1aN(%8_K?g(8*O۴zH]8ӤJsɃr|8PeQ \> ~8=`^.Lbf k8nsYȭt Y&)48@˜]C?(Z 8UM-h^T@9 *Oc)waP<#0MS9)˪#-x69 *$ZDry9 'l&SuW)9!'sU=$9} MP9'3=zN͵lL\;9/C}JO>ڋ99=e8nEɨyZN9:"+3q9G#: bֱ9K[ff!oE9U- 49W*W17;WS=E1O9ZvjEl9]qRl[st'n$IO9d%?]n 9e[6jvNw~Pca9jMie~<xR+W9j2 ~s *+ 9ks]kI=Ѐ</+X 9qǦC*.Me*s&9z͒h`usm 9{_ZmH\۱A9"asI*su9Sg?ŴC`'19ύ~ <@x9bszך[ԊlCм9UXY">#n9i q(t{[+Q|ޟ9)߿l_U95>#VYk|U8z9F7499@x؍( %R92K+a;g'xmj9xqz/.108Gy9Ƥ,{~pǞŊ#9. d(Ӫ*L@pK99Η@)'Wb6E9C,6f\OVgT93I_" _g[95$յ˷>R:$3^XY⌀ì:~\ZY)z\u :v&rP\nۂg :/ ;0HܼuB: mkdzVUKڸ:Cm6_CSMI=[n:y3{3qSz"8`:- wϱNNn{R":1MIXp\T[eW:61}Ms!G:8tx{_Ҥ:?i20g Qz4:BzskBp;=:H T<q!5Y:LDq,~GvO$+:NTSu9{^:QdTo*?jԒ:Sc쌣Aax:VVgͯRȌӌ,B:^ģ7(^h75:bqD=wt_+4:hmrH N42:jWf;}>t=:nqZSѯuNq>=:o*y:nHM :og +S(`Ǧ*:tD > GdDn:w U(l_8Dk:@a6ah:5s][3s}}6:0Zfћ :vb=Igrq:a [ӊU]E:"xA OON:gr. ~z`-#:s/}<4V #:gߊ4#7$m:*N#H~RG:A R@ơᰈ%:=3F Yv;:jdCGL {kr:Oeã<:JqDcq!٦+;07N<V_BQ`; L=KuLt?;$w#vc@;)Jo)=IDg;,~쉍q@ Os-;1HP +qRu3˒;;1 IUן;2^57kⲥ !V;4%w*}z=;4G+]x;;R`M/^P+G;<pcQ ^11'-F;?$|sK2{;J0Xz#Z;Ti&Af95s;Uo} )c;V!<kphyeU;^`lg\dM;f Q\BV۽O0+];hubPԋK?s;h~g*-n<O-;lcϟ+¯SǤ;mx27lAB2zBTyS;w'A1ˑw4;)v_ϏYOuJq;" jo1l^;u^>>f_\Yꁵ;uBۀB7vq\M5;lᾹ旅#g;,v;c'q*9]wv;8 f8ݽ*+ILE4;)eFh+^m;99*~E ;9' pCaJ߀VhQ;QmV.?n ;bxkz;6+߶aHeJS(R;J$O=R;OE~5m?-:&; Qa;~e]dyc[-;زZg=6D%[;Ty9u;bH  5;TU PĊeK;͊}cz 5te;G؅1VFo<y#;K=g~DM+=9*;Ф9_71cU;7aAʃGAˀ-m;2gHlUtǜ-<dCHY˞<7Fb},#jq< Oڥq~< U (Nq}w<q*iԡE<xesy: q$|><xI`^;<'H/h] )A!u<-b^Õ[\\>$7<15> 7W9h$<9N .Sz~#y6<@v> -<9<H<fKf<I:C~%dȜO_<L T?CMs7\j?C<S.=Y<X1d{ieAYE:<X;c"$<aLGVk<i[ኟ)<jVB}=d0|P[7<n& z@lJ72)<s3׌UK²nXz<u-ٳ/YX~Zw 8R<s%> FT {<ͫ7~?Ë1:(<!.je[h4zD@<$91 6W*w <@!igec<<{)Hߵ< I]P9S<pnY`ٟݾG<Ķ#v.^7)Ly<) x I>ʭm xn</=G!hVI9dCG~<3uVqM'n8/<joQ_[x<<T n] <ʠp݋sM? <8P"Q I}Fm~<(bO;Fs<0y eս<DHJrP̅zB<_yϏ*}5? ;<㮴,^2B<׉ϩBwq%z<֗Z+ob < NJnYT*-j ,<tJ™2dϑ ?<ARk!Q_<JN}U!l Ӹs<`0OQnm LU=,i%@hy[jo8=D/I=\*sOLf[tR=+ǯw84v7:=\/JP+CRt=8-[. $3C<h="wt-aY=' ^҂^ܺM=-U gϝə=@ȵw\V(r=AXw(S\q*=EL# ^ R=R**d՞'"ܼd=SX@!j=V]鯽4~mDž\Y=XiX02|u zl=aӒrdO ]=lM`Y!WZ~|r~,={H n@T|=^ [}C<U ,u='q:):}r=\jޅr/]b05=<`[==( "aZ1=6^"`/L2y6=:Lk1 l'i=$<'SoC9=#ꭇ |05`U4=đLsSfK'ʦdh=$'~[yLǚ-qs=PЇ)m=q :1O ns=5!,%Z0 =@;&7kP=;q5]fS<333={&>UެƯ z=S0E1L@=x ,rW/ hIHf=k6(`$]&x5(>'"<BG{~>&'RKcE)2l.t >' skJ`\8cAY>*jh-=jd">9 r6@*ⓝ>:Z`3\F rT><hQ[Cws>@N.+W %Gce>F=Mi`=02XyQ>O:f\~%L?<2I>P jY](u,S,oM>Pu!~Ǽ$Rއ\>UB=826>6>dXˋZIy+MR}>qG60KkU(';\";S6>x0[o՚ ^Qþ}>{k͛~,d^%>q+p=6ֱ?fU-ah>09 -^i.>{%)V1n B>!3?>`>>K8&}Ñ<=<m%>h#aBv>B&4Ƚ+/(>jF;S>Ih7Xw># kw52% >(<Z>辛g;ּ z>Ɂ^"nFwmŶ'>}eFi>Z)E`S5;8r>. #VLIQZ>h3$Gu d>]2AW/&PR?=ECԴB#6ޅ<#?:iA>&:^w?0cS_l?(fu݆!?L4p*sd<+j?lz?+R 5ߘ+ ?5׺QD0Euܛ ?@ݔ sLvLef?C4x x{7@83,?Nߴl%H&ah?OcÎgc3?OO3n=Uzli$1?R|r]T?]s~vҫjtUp>?_'|>J?`{Vu?`~Mux3IْR?bK,Vb ` !6k?i1bteMfysブa?lrv&YHMq?m͠ǃLMV7ax<P?n")%^Zvw?w+:Wg5}r?xδ(yŚ?.ӌTtUP91_60?ƲFwY3$?.̼ &}O?,|9Ci(?JIܷ+nGl?CuW ZƈۯE2L?.*YBB?[uLb+Qp?G#a*>a28A?G֩:mh++c?+iWWMm zY?̰`6^NR? b>գBpt-?]M:́ڳ%?s_r`0?n?Yur$o [??oW DzE?زP#L/1p7,??4:M.?5L&fӯH@clDfZHq3@ʜz)BGY:@ӧu0C-#[š$@ գbKb=&${@ K9-h+ [@VM50eS@ Yj7aZzJrP@RҀ!PVة@_UhH@dk4FlSq&/x@#7 u33>,_U@+2jQ}f0b@0~L8WE>@2]l Qqm(Q@2 " ?J@4{|1-)CC@?88lCƂV,@C G?nm7`rl@]fbd?mnqcr(@`:|d H+ r@fd$%y;W:}@j7U(G5{A@t,4f-a-@u[ἱCf'@ux *uEot^@oT=;E3@N,B^^*7@ބ*ú+@E43i(#@Db8S)º0@j+z$}a@ @iJ%Wɣ4@JBs@G79h $:@oF )HU@跞5lJX"@*W`'4̏O|@[BOw<xaqo;ѻ@$]{kIuϙKLrl@^._ۧVpE,@ *E @„ ;o7t םw@@DsD e P @.#V7f\OŌ@pr"NLoQrm@f#ĩ!U-@\$0s I=Fp @잘~?8=騝dG@5,x& _9O1v"@e.Lu Tw^@|>Za<fK寴@>`4f11^\\/@o=z E.KA\z8189žD\Ai^ٟ}]LsAi|S%&Aеd[OA07'A㌉ AŹq^ɈVA՗ߖ_HyrA#0!gxk?A&?nᅅL!&M;m& jg,A'[ ND<f{A(nߗ $BD*CA(,cqm. ;A- |OUC]&A-] $.VA5_l_2b `:zABxjV[àAN҄ SQ-Y7APJu] lbzq$.LAQd$ѯTc#gAaήKZS֎\g@*Ah рiHpٳ '>2Ajs7?%?tAm-dR8B)THApM<!F /Q`eAt$Pe1EЯCoAtBab>ө$RAT* ww(sW*A.&6J>hAis}m>C?>eAAu )wan ͚Ay+A=uye N-mawA s6G` YGSA?AѐBק{A۬PPҪ Wf_A?9xQ2A p7tFHr{<@~Aq,rOWEܸAuZ%#~tpA4~Na yA̐]K+ە[cAB&;ɶhBičCJyDŎbB$?kT!R K<B%<ĵCmRk8K;B+D[= sҠTKDB2vTvY-BB2H6bgq1E8IQԝVB7+p/NUEadiWB8id9װ¾:B:<Q/ oԡOB;YrvuN BA4 漇UnBB2Gf EZy[BRSLil+1GBb&c6?|UBg)ϊjef.5\ Bj<Jk!VBuDXK/=-cQCjqBv&%_QB?"NB{-f0Zɦ|Bq,rZ BF_E.`=Q5\$B#QWx&/IsB{j 7$tw,Bea(63\`2 B b&A>mB;Bw ewzB$h!ݑRPBd(];gR;B}&q\?f]IR H<B^vRVTWB{>ǧ+ctvBÓʬ ֑zSssBӎb6ЏV(z֎0-B{'ĂP$8ԒpfBD[)+^?BfѽuSLB$8*L PBUBn]LxBUB`p#?d_B>NBdv$ni$ kBYZ? -ޞI5C#hDTMC \T3$d@wdI~{vCPrTQFcLHC2 Q=~ ЍㆧC3&!mտBB"1ìC<Rd4P)N1]MlCEt'Hac7yCIuC͠aN1y @TCS{Ub9CVήi&0 3_s+C\w=Fj*HOC_O2Ǻ\_F\C`ȹA-eCgfY x=;`CmIQVd l&hN_&Cp 6V-'[684CwA6؜}xyVC{X;T"CHF&)Z~G;ڕC+}ط"CB|*(dީCbx?] :D)ECFC m^/=gH؛C76DZ]f=ACRIL\ցZC3]{nj6CrC7Ϙ35y*pCge'{@Wr-gCiiz 8cQ"2CƌZCDa< CAr@ClT%Cqv&m⃒*9< CzI"~,_[9C,6~1(zn# <wC22JJwi7Dl.j鰿<] ,*SDm]\]d: /xܲD Eª2U= {DōC4kD")9ĵ3[vD+eHmf`MJD$p"b`(aD+Uv]K)\D0eHq\ $%}GG޼D1gv3%؇D<I16Ig[DDfs'^PagDDFR %;,$DJ]in~ ү3*DMg rJDVC5f>cDX6ӦIfԋD]I34 FCށfDam\¼ܦ@N DaO[]Ug'oeYDetNĺ„46YE"Dh~xΨvgl5(Dj!}Q zȋDm#߹Hbu ٌQDnB6_V;C?N*Dw ʏ?  MDwL>Y &i՛0D{z(G'UD$1!~( Dx)eLtMK@XDHܨ,#gK3œkD4dKf(qD}]dP?'`D?ODD$ሾoܮ2 8PDwC6.6ӑ_DCH X5`:D*־܈J(rf>D^$e7={ DeR5E6z7-p\?WDD'k_e06U SD*)Fz".rӽxD|XX"}/QFxIDX0"`CH<zD'kW"|JF -DH:bMNT'uD.~cMK@DcRAiUu-Dԋ"|QNn( 23Dq ]&BmHID7e,/-AޓlKXD ~G\ rDRX+nf|wXDi:zM=ؕE{Bo+KEJҹ:mߊ;3`EH=h`4id8XfE;9^7`H:3$E6DsrveԄzqEyaXIeE)椠PUy#E,n|ʻ[V]kE:b'-:_Ë8ۨEEͶz"՟yV](EM BPl_EN䥰j ]SEOwu\A)@[68EQjA7]?֝^EV:ׇf9C?iE[#{kL#I E^Ty\?2MpBYgEa|a(PtIT9Ee5Ha!5^c&srE:>ˣ:HoEqSۑg=T>Ec= e6:-AbE!37 $ ƍq!EϞ6:%Q owpEzs|CxN0E?M?a%Ji 8Eej: UqFV]WEjuR07'XE%i@ *`woxEƻ5_ 9-Q#@PE9)MqEH"Q~EE:>>fl."z@E즔;?NkYV-EwˬEt2  E30ED0Ϟl[EV7;6o{8<XFaʫoh"pDF<d0D` 3*6Fp *T(E)F/. ql}"~l$F%C*].HCrF&;.x2!og5R F*2f! ӽ$^7<>qF+FcahEOF+ZHU)-/2F.5 8C"F.8>,W2t@ͤW~F7]0qgBU xF?ϡ[P1<Eu8FHH_ћ$aFQF.y؉QFYwf"-Ck9`F_4d:FgWQ+9dFgy %3AX0؍ KFre0P0*Fj8nFr!!)Fs0<%~1SnFvwm |^F|O^G %k _F}k [e=Fg J8t-3, VF]s7Z{xPUF':)'P[Fis-Y*YdFW1˵D# VFXm\\(ĐF GS- \#F%9\;@.FSL-|skFɄd "hlՏFݰu؟LkwSYFޟr u?q0GJF&Àj[;q'>oF禒S39i@޶F纶i :0<\DFhһ61&59Β9{FE8k$[bYW0bbOG l ^f+I}G x~LtrP^G0󞵽=SИC|!PG8-vY]OڀWlG9\hMɵhMejGJAڮCJC.!5|GT%@w'!3AGU-'2y0?Gf(uN$ /5#IGg4.cuN%Giâ4Xm0!c].GjvV$-@:GoZPYB}F燔>GxI6mMaGx#累haGS!8c)`+dGYALq:اX G!"Jy+噔Q4GM؀MҧaGRNtCU;M4G#;W<3˔wy-GFp$?n= zd=GI"n"@GNA<PSᮊGi\m9wl6;bhGްˆ7a37GycB'^@<~Q G֌屘po7ʢTG#=QKx6-ŃIWHzh6͟P4_H NjqDцH1@ZuH1rI)dJB0pDGaH4 5ΝY?@ ;wH6G70.YHMZ""#)HRݯ=5 /HZ yM3샥!Hbiw< LdRI^G٬1Hc穷X76{ HlEgZ9MHnfEcя*wHoy梢WKVrUHt+gjlHuU*pfH_ݦ"#HyAS$n+ w|stH&Ƈv* ?{H,O$I5DHV}Sk:s"lJqzH(uA $7BBɷL2HK?Ɉ>϶일H#w.ne{QFeH93{SFHSV76Ht:kXnF e_H6M]m`N H|!Yᡳ54HD)Joz@&HX"bsg87C"dHAQF|\6}3'":@vH"c^:cwR[yOH?Vᒥ~WH뢉]qjSH]"08~bvIl! Ɓ\$h'=4Iv`{0`_d(kI u=-rI,'CUI' \VA˜O;CI)@Psr#74DI,EU1 tDa: I/D'9gEԦ/m :@I2f<ئgi1+=}I4EA=0 lI5Dp\T'Y fI76p Q ,܏1>xII~P 6.غwpo IMǡ!-s,KµIP"\j.'IQ_y> TIUi⫗zbI]!keƀLo"SsI]_d6#f=ng_(qcIidWCn/͕%In1̕^"̺9{I}obb%]7TeITZ]).qmYI<E a2>I/5۩_ixIG˵+1n3IQ ׻GbtIzhwK\`0~o=Iy?ήb oI-7ϚcR$'{ nI&c'o}CSI: ߲NeS I Ih2$4PO bbPI f C_=HKIYF{s\QS[IߕLT%*ID~`HE r'IoWm)Bv\MI86;̍I̡kC<4*L JI͎WSKTsBDž Iw=<rN{;ye]I&*f_;7#[]RkI$,\[RjI> āY,h(d<FI߀7bGD,aI @-lvGkId2h>b>0<wIBCPm!ɞ͐+I&%:7J3L$TWP'+L@kYJnN 'i*+cevJo')@ErJ(OM]L_ /YOvJ<V=Ki~J4b@J!z70 EGwP;J(YJ6D?TDR-J-(aR=3J0ؒ&|TASJF̬fZZAY[8ΦJLOF1&b.J^TZxU{?b~AqJzSW+bn&9a2JlYN1^TJ:%@pl$Y$ KP"J:"OJBeJ[ZSpOVw JHl`{>!30J/@\2 w|~j0J@9ĂvQ)JKpU pLF%8J^9|9k6Ǣ^>U4Jd{iٮ[_FJ]$_ebLeJT|9F}$f6MJZ\m2F윸+iũJa!N┄pVchJFV J htuJ,{juO6JƛEyBkp {rJby0cַ!!^}JпlJ@(\q%بJ]"YP4JSbP[e fJg:X"\2Km'Mq?R(X@w KG1+DD]%A.5K oAz,Aa_ADFKIqqsm)1z"KF ^6K% Pf\{LfjF!8K,&ɡ4K01{L1K2EmBtLK?&D 72N Hm35:K@#:<J=&)=#rKAf$u|ֆũaKG25<TB`9KHj΃%A)-5G ɢKN%󏄛Ptu{pY$Ka ^[àZQ,Ka azn/ɫf[|KeFܰhNiKe=yԧSY7u m',KgO 6jE $-ax?|KoIN6`z|BD讻CKoߢJ怰iu[$K|y0rׄN[K]Bn`K֒IKǰC1i"PSK b9BVߔxKH+p&ܝU_2QKlp(JaT5Ks( ,` KK~iDW+j*\KX(!{ %WKj "+qK{hVV~h<CQ(K_fbjA<X iTKfXǏhKë/KuC86ߩK'5Y\-q|3fCK τos>!0fe<K=; ũ}]KQ'wGZ20~K'KtK͸KW[TQ2Kp{rb/g5BƆK=0|ͳiLǁ nwwM7L Z0>@ecXPL3Ќ L$=&E`GUǵ`LHS#㭢kL 4]Kt`R*dRcFL-!Bv;b ZdL3;3T}GL3n\>-+[ˈ5:BL3ڵ&`W)ܲ?L?X ,L@H퐼C݉ɘLKAaf,JfALKXh9$%cOiLZeTpѓ;L^\ͻ EWAȊ";Ld?) k|3| PLg!9l7SvLhx "2t.LkrBS'O6Z%z|:Lplb<NO)8CgaoL|Nߋ8y\Nrq6L2)vqgvaLP<3QL,`*mL\h.Vb;w6L4`@C..&hvLDwv{$z:LdYE&E%L,P`[)$L8Iw@x1L&9LR9!t@LX2Duז]Ḷ>G9xF wI&L̳֣yfykAm[<7L9ZIKW~n1LF-*wu޳%L؆'R&jw\#xL= E%dцϣ<Ls K4q,gDJ'L3?}dͅL'gbiԻ sELϤfF-7)θxL B=3+.\iD]MAf(WbJU 3M~jrifWME/)HNo{MoYyWU{M ،RcwKB!wEaMI@+[Џп:AM 4:!Tu}MJClk8j TMLsbii5MOfɋO˜;!)7)M#.Uw, M)@"yyYxM0.(Xx'_fM1)Ftӷ MM4&fWpmCƽ1pus*M6˜#YeiM8a}(- s&1 Cq(M>AЇ@\]'4M?#MnԤ5Ol.cLjQMD (W~:nMHJRшS7zqMP9n6%EEkLl©@MQ2O%cbUK3M]8[鉣$CM^q_6iMam5U0%7yjq4Ml8n6np+MoLI<rXmz=%Mq #0 -D+MťΑq=cPM\WDKlQ̠M!6Й bUnBfM@̿ ŇoC#hM)b${pآbM)Q;ŭB2}\M78boЎ5 5MnLGqPGMp@UpMJ 7CM6t9@'!-MŞx*)V8~#MdžP/ǨPM2щ%cR/xe*mMy"`dM3f=o ^AYM՘'HzKlVMڅ{$UZ)+Mu>X{ ;'(Mh4?<~[j!MB)Eq<</1kuMVKy& kuwMu26\ZIC%M|5~vn0A MS*%.C IMINYg}.Ck^N:vOuMIeN B_-"c0!"N q^"ߣ&&Nqf*fLR3N#jtNu[[rkN1)GU}놪 vV!N:Mܔ.UKB.RUNFD ࡽnCNIqBB$ώNL|QHKl8HlNLHW]a9PNINO[i$ʥNSdŜBCU1rðNU`iO0%gSNaR a333mNj*_nwAgNnQ>Ŵ¼}No3$ ֏\| &-Nq=I$zy3y+3Nvz i4Vɦ$N|b֎-XW7N'&.XGN 3*|h\<"N`Rп&w)dr_ZNV听nTk2H Njls[V:ཡQG0N N"QGNfeZ^9frN*E^|jG(N2|E] qݚ߸KqNH=\ٲ% lNEs!TEbJ5šNk03Hu_D~Nvrnf=hзO7M-7Z'dODD']\4pO<6%y,y= \OUfPNӖ|ȱO@wY=(OrʟOfg麝H=UOGf$Od!Ʉ}dZX\O Ae=Lj5kO"ЭvsO Je0O%6J y>WwUbO- KN;)s&-wO5Ms!,B-O@w dWz9 OGIL7li OX Ob"x*Ac#eOnjm=6TUBVOuݼ˗gUV Ov{tLL<+Xނl˹ROz1&r!<SOF/PgzO{:e$'g͈&{ pO}s{[q`Zt7LO6hlPğLO}%a,>XOꦆU uUK]Хs%OoUh<lʒ~0o_>OT<GMFlO*;Ƅ['(J5OA* ِzl8G[Onm[$ȩZO]`H6y?rOb1 BfC[(\LOo\OGf Ozӟ&Uvb$OcO:x9<U'OP2DzGZ5 ? DO8}gC2K!GPR O7Ped900iKOv5sipDO=K$F>{}QHfXOIJ xl3H5RO9Gm{FA*ZO?|\De+AlOwZ5 yPHBQj ZHuhPƉ<'L8AZ]F7αV`Pq,nQڬ9P$Vjz[K/jP$,jzy9l[P&;sZJ2YP'S`|ٻ# P)<\P9;vDŽa<P**,D̐Iax&P*2Wַu`7E1P0wY>eKUP5CARov>BOBP=Y~Kr i EP=d% ap1#NP?<̻؇YM8PNM*5ِPPO>R!! AK?PR$Za%PVi_7ŋnUfhPW˞{!fƬ hQSPZhq *P[!W Mtx̋P^]ȅ`s]%PifPZb"A_@=bP 4$Ewf檷V /xPˣmCz UWmPb<q# :7nO=̫ʧPOc(4HaPP^W!F{mV$P$@,tɍ/ObP\]gJ3C;PEӶ/ ^_mPt'n2YhP} A"]SyPKK4vcPކOZnhP=}&iX|PT)њt(E^ Pv'Z PmJ3PUMG!g^PP0߸T1*-lP, AHgrNIԈP" ] pRhC>P Zf'j)ԆݤP5QjcbTP /)`y{P<UCLr( PN?\'y:R䊤TP%&mE4|ƜQMs>>;c|hQ fmx[ khlQJ-͈b S W`QTE}MR^Q4sD8 )ܹ<ҦQZ<ܿ'^Q+3 ziy;< ֮Q.2kwEoo'OQ7 wA ]kQ=;VZ`-cФQOqk~=Z֌m4iQR)ކY؊OQZ# ~dTuoLQZ|H5Cߵ!Q[v3@//puQ\}EDZSJ7A 'JQc ǚq/MO*1CQfY3XTYߠ?S?Qo©[%͵\tQuHi qFnHQw=A2+#FQ} r}+$G"@vQg^z]XܖCQ5 }3.R72Q)p K?rQ;LĬ9"T}.Q@UW|)ÀIQ)cпAy^mK4Q[0@"I Q ze(<cg7b=Qjqm8g)vيIQNiJ^>wG7".eQ2*Չ"W{6Q8 M<(AQҷM[@j؋Qԁe P\<[ҍ Q5)"f FΡAQf vxѴ Rk0ޢ& ~N)REJ#['bLy[xRBH_~qWF\R _@#X˺RI?H2H;RZIQ=2ܦ;=R:HJHu!1Z=$RL g-]+FRNh !qn՘PiBRoT? koWjnR|YV6., V0LRq8eùG YRx+8ꥢ}1!fRu<4cD $nR <bIR`e~  s]izBR}r,6! ύ<8/RtkvԜ FR#1 Z?J` RɁX \^Ȳ6a9jE&RG!"nWld.}ىR#πo+.O5R̍פ>DIARءVW~vўPRJ20S>| 0RT@WT`SC>R=!lSM?q=2z'^r6XS DXZYtMxSpX:B߶>}쾎&SyZ".R4pSE@L_/ (S!BTǝgT S"sDT*duhqRS$d>cGaPx؈-mS&_yz*0{⧊U,S(82 f<Te )eS,L:8T{/= S.@˩V@RqS1>z_(n7S6w7"JB#6iS6$_51WcrS97 |$rSBլVZp$\7ASE?0vܰ%BSJaq䋠tH02SP:Q(%G01㳨cS_TH6UnmֺESXPpՐѨGS3FbW 5}1^S%h`<sE6oS9eP=bS42t gE:MOSd1O G9O*SS'Y0 o?0\S5[X"-SyEݝSPK2BQka-uSJ,w+ƬE `幅S0_%/6}/3wSyylri(;So|=݉3v?MSƃz`_ WXW4FdSTy[ FLSwk m=!dgSʪ &/SP~'NjeSzG/ zĴ.S2> Id,> S*{1xAGbE_eSy+25&P.q'TOOQ&IkyT h5f,rWuƣ>$'~LT ]7g5-:8ZTb8]ڌ1ETK}{RΉ(3=T wN8zݛ̵gTK"9|I|T-H bABRL駮T0=JNUtE!(T3Fl|b{@<j]T3d}!":dEfT6U;[;ov 1ɯ8TG y 6bwCY,4 \TN'.o琊ō!pn#iTQXm[7" QTT>R1TV("~N*r-T^WPtACo Th|A+i`Hۨ yNTrg_r';@5Q7HTwl?QFT|64Td ~lJp7(Tk6qU6ll LT4$+" ;\T|Jq<"@mTE)QDIexTju1i7JkAT,pFkTbl^ڢT,8!Hkżs`rTlG~xP$oTP'~?6e27 T#c T Xx1 2RaiuɹTZsO{=Eh>3TsEZ7`|o߶gUdG(M殈$'Uf;nvUr“)Q5!ĔluUub#WK@%+ZUxݥJfSPP-mU$|Ai Azƴ<N;U*qwGa RU+nHSCX:_U1kC#]0(BU4%+&g"%PUEG0ybt]HmUE2~U; ?2UI$itNڥ6j UOm@$nν^JUU23aLe%rfIUe\Louo5@"VVUm>Aڵ1,xUq9 xHp{,dUta\*<,di R&L¯GUUvޮRkD}rU{lzQnǤV} U:B(r'U(0|KWzUۛ Cq*H ]MUSh.{A]/pUzmGLҢ [email protected]^ 64Usd˯*i/Kd)UU1آD'm(ߟUOjLӭ=o7Uir3LVVAAUW#F3BIeUTNº0%x:U{/pa~("UP=͌_oUt gp!fZYUgL'VuEU.7WU)邏ډgUɔ7RlGND0Ugf'ARH<U* nC, u3U68%atG:R3UȻ0KκeNUEq6Ԛ$_;V;$ٓV9LcVeEOxnV n`S3 )~>{EV!b>JUV`[.M$ 7V!T,<TTyT >-VȗM۫\RtV!el4J.uV*"KR*$U6reVV.=H43g^V.OqBxPN3V1"VYE[D6vV4٫N kAʤQV8ޒ?R*g+M20cVHMmR1mnH]S;VNԠ%91(=$ղVQ.v?)Z;BVWOwgX h{at3VXR8}2}ᔦಠMVlvɝu(mށzVy.+R֫;v9)Vy" u"E QV}w,_2ԻB0^B V}g*tye[TV%[:%[ VюװVcQFώ}%(hV#\9{`V`=d*EVKw#jtFVư{ڶf2Im;AVeмEH?HZ>.V=5IMuT5V]EMXham. fV7d k$H럭VCPb*j*Quq6VQ*$%}nL0/uVM f ''ҎVч$_HGV& e%5V+ή; #/ eWVO k4\V-D"ޟ^'j:}V໅~>mc)$V:ԫT&0VKSg-|(WVwKe#xgԑLWK)BEl5*W-t.$ÄHZ[AWt/*aMXUFW͸vB($%mV W n`_2 }W v?pSErW0CB AW'$mgXRo8kTW!KJV&`l Dl&W'ȉpwweW*U50Zw,{$ZLmW0wn l*mVUW2|E)8|9W4ٓNHMkQ}lW8+~DYחQ^_ێ^IW=^8~'#fL|gWD|8TUa &WE${$EFl.WLj0 dӻϿ6WO<?GhqiiPwWRz(sx$wϤYWUVRG؆eWfѲBwABs['Wj0l)mA E(WtMwW)ЗKF_pW<K kG| >aW17!XC7b 7fJWf~Ѱ :AmIWOCn 4WqilJ9WZ"VjWwwh ز6wt;Wrx.ek O@BWóLU7 vnWY,'`K =ڏW$t 7"'iagCtW.)'DT^/fHrWԒPrR=>"]WmHZFȧ7U_Gv_W8 xOTŨ<7WzUq%(Why29uezX3<j1/_mX v5kwFuX  7 _>#AX3 8W , d>XSH,iE>X"UQ˲^j#9NX#Jȶ~K EX&2g^0@,6n}"X-~zkuVEX3zs̄XeX9j`d`Ptwګi6 'X>CbJ X?Tv&65)SXCRA1 gй+K1XGĝpU4ū9XX>}6 & I?) XYZPⲖ>;ϭulX`{z H>$Xhj}k!6rٕBXqic((2xDXv ,ﲙopLXzykfGEKjQ jͿX{rFzn @f:JX|V.zlkAmXrYsGZ5Z@==Xy=I|s 3$XkEڣ1ZMPf$ XHHaawhSX2iltcd,okXշ8/a8\bX "KN3q~%'CX9!nu\:X51vDTbehcFGX. 8*YUXXu+.yy X)[ |RX%?QO%2OZ+Xy3#/tUEX}/禿 <ɧ+B X?1cٙ"rXʘ&f6t>6/X֣ \WNcQ`XC B# m`4(XYhR#ARЗXUCe6NXc#FOc̊X)5(vd^L2XN ]AKXVmD0"hnY,FC(V~>)(Y Y+,}VH^XCY b$XI?Ӷ`YC8gKuُ0Yj&SVz *(YdʳDЪ~A|Y0'h/d(xMM_Y3?mW\5Y5^!> {OK)Y9s:P $(p㿭YIg~<Ax>Kڜ;nYI"%8_0LZClY`Z YY,d6zYc"5Ȭe/۲%Yl˯V& ރ=Yn sک+Ή#iYr^ݞTIH|mYupܾêyצdY]163m1!Y5+򕞓IYp5IY_dzY [4dYꪸ<NFN+MYGT hBT"+{HYL.sV? Y N YX9j%fDVkIY#%?TײIY~-2YFIۑY™2݌"SK7 YԀ>p>B WYu]GQZ|1KYPbxx8Y<̾ tPYlk;*9[xY<e^K m)YqvGC=Ws<3_Z {w^.s#ZbJuא7 <ZZ}:׆=wuVZFZg(w%aIZ'q훔oXyڋFZ-e~-%W/G%j Z2p1-9!5Z68L#d6(Z8}'wk N >Z:D%XcGlZ:5ǵY^NGZE]]4Ip0GcZVTF\piZe*ߴ2, -Zq$tدR'th[/Z{J))<҃.Z9l'_/SZbPۃ˧ s.;Z}E3.IG]Z v vB9+ZI$@ QeZd.*\>uͻOZ&B mᲃzZT074ѽKZ?ƉC9kvZbcjy>ZPq1 0;*mT#Z뽷;[v(ZԢ/ϷH,9c;Z*"hnW'0Z0Q]9B.8ʌZv`g=R*=Za c6`3a66еZ`{y"hZbR,)*ZF?;`Zݫ῀Z'JZ/fȤ nHk[Z(/tUpC&t%gZKH2ށ^Zxm|9$QS;#&ZK@ p]|f[vӲ44ŃVU jE[aU^o4W{3h[V1jd[c;,zϱ2v+f=[ ȕd<U |ʀ ["ؤ`&8w? ["Ӕ+])޺i[$_i5J˴Uc-@=\[)Y_B[P}}[-r1G9nfs[2;/j-j9 084;[D X˃& [Fa$ݰŻ@}}oh"[R\H-a$[S $ $Go[WwĔ&&qFz%^[X@Oj}GM/[ai7+.j@{[qyGAO)PjD[|ބHEoeZg u[}E3*omp)x[~jc 1Wt\[K4zb։nHwWil[R{?X[UN -'[mч #~[_9?kJ߀#+9[Ϡ. |w큒%a[/Ѧ?'Ƃe [+8AqOP [ (= ,=*[M5:I%OQu ،{["\~˶ަXIp[ [ic0ᙃHٸK:%[Gԉ!.1*d6_[x["/#~["f GLlX[:+X.M[ۣŢ?3 .wUdZs[V#6I|7&@T[ΌIGK-r;l [ޯh2aƊu Xk<,[u sÅfj֢n[暫 B#d[,+vUy[覺\2l=3k^nu[/oomvHg[4S-݋ ԱR[){ʂQ n\եdePd 7y\FKrHSdp\(T$c:Wf\)ԕv9:AeVZ\-`+5[vfJZg\A[+<:|`ql\Bʖ9i^nRg\O9@iF!eԨ-\]W*zpSMM+\_Tfc-=gң\a v渓c _\d1ΜS<W;s\g䪔^_gShO0\j\4{=0\uhjhCTda \zUJU \-6C&X\tWOh|\_ئq<9)98y\T`.Ġ$I\miinCscasK\*$$)/jQ>y\&0!"/%&zy\.o}6u2L\]`/~pwpIx3\eI;0V\6">E{a 3\ cw:cB vו\ 0s*M\mՀWz4 %n\)?ȗwzz]\F  Γ3Q-a\[*;dN~q/mjD]V\ oh(䝥'sA\ވQ5g.N.\ ein!H1\Kumv^\lE+IM }y\q?EĘNQ.XH$]iDLЃ*Y9]#%3*=C`] \(]CWsu(]L(jr2>]s<o$V[_3 ] Ink&S]'jHc 3-*;0@N].bE@Wl`]0 NS&$hEk]2vSnʀ ]7ٝR&[N]]fp2w2SujX/]fn#OVEh@M1]gk=3eH{DmMt 4=]o Dߩ <O]]9gx\|]JUx/dJ6@Euy]8]2dw(N|:d]B1\ֲ]%MRLrFz]$ӎWK\]CqU%ZvOD]) & c,]TL1ӊ|ɇ52]T%)* Nv;]W:jve1#]$tb;d 9]czo/V* t]Cg/L`{IcP]$(owM] mJ8 _8yN]Wعv&\ՕO^ <nn"`^ \XTaG^N@wQ I^]we=X48^$,ɻЅw {dĚ<(^&uu4BԳ`a` @^'rݼ}YOXU\ ^+o ٿy29mg^1U.f)d ș^16ɚ=$1 Lim^B.E2\ii^H jb6q(L^H"@iA^H:Sư .ŋ!W_^KOLV_ n^SV zm5^XcFW}6FGt^Z̍L"c*3R-4^d H]yې&jp^l4FU)V;P)!6^}ɏ Ga<YPo^}o)0=N ^SAQ1/s^hfcqo.X@j^xDZ:_@R^<9'CSQu^zh~^<WB\@S_^/k8eR&S 0W^hm@_D񐯠ft^ ZSV;^*SMW'C^w5j鍼8d`B^` .l^ͼ j&!kJS`^ԑl@x\ >d^ T_ժjD)@!^֯T1B~PP{f@"^6zã>Qyڙ^~Zґb}(ꊒo^bb2Y%EZ$^!P*˭vk@u^є<+|/^aiWkKA00^P3bѝȿ)_aYU[~'g4w_?(_ -AKush#D"M~̭_9PahN)j:g_)5FYn6um_wLQ9<; ߟI_"w$",͎Pp_"d-Lbع7_3$ xG_5 7}D'L_6PPGqisPOc_6;54Nk El_:):%Ombf_K f5S.Y7_K{fZ"M6_Ov-JXU>"gm_RD,k]mD7u$_Tjᾼse-:ٱi_VsQ7ìy,K3&_a|KZik Vw_e2UPb<Iw_hAJ"VQQ y_jaРԐۥM_t ot٥2\_v%Ш9C*Aa껕_}0-*lk Yc`_/| kOH_(i9aioJ M_v`RI7(Y:?Y_З!dfP_e$#EC䠾;O 0WC_-,KB_nn1m+k_+1(E(@[K9_+\]&)\y_ @aÑ0Z_ql iSE 7_xA~^)  _拐mSzB&<q_))ծ94_ީy>A %2j_<~G_JJ`H|\"އԊF` _!h&LW.٬ 3`57žY}Z`9C+*L<Dej`&%% tw0` R`0zlk5RV`1%xEz`2sj11B`9nHBW1G3n$^`=5m4Թ尌`VLQ{&`1V̝fus`7wD6T÷ /@:`<7'ȿi"`Ŝx]9Ӯ`HΓA-Rn`tFˉm`[UB\94;ӿ$$`Yϰz1әa_`T#P\&`u }_w9[`OFUGЏ|`#.$`R+MrX}?;` t<3%hW`ĊXekM+0^%!?`=Hd8?{Jh`>)2d9B.-`΃/H̾h'"?ۧ2`~\X!G@(\`t1XbuEBe?``Om8RZm*~=T,N`&c"͠挭z`JHW֝& `&<`h^ >o+/P ¢|`}<9N53J`拣DcGjb`%\G X| b]{`&ϸ)D7 ꠨`uv$A;h`v^Ue*]y;awǢdc/2.aEXbuda-fXXP/Ȇa3saٙV%"{Y .na͵wJ\ d aUX nB˥2;ӫ0a _ _Djn9 mua-#2'oAa0*pFZF:G4a1OT{uG<K^#a4tDk$~/j5їya:za('0i_G&NaA'5DmLuaF3MZR1GhuZaJ zGN/^'Oq]faK d²=AF kʫaRdUИoqQӰtVaTП;jCY:) aUD}Ƚ(8".vaV *;_R1eLjk-xaWl +uzdba8gaYDb v$kJa[SKV`,ƒ> OWak.9IDwu!yoam~%}(Cv9׵`KanfJqjsEl*raoN knV naocfzoD/{ayxk'SQkk+as"f]7a.E^/,C=:adU ~+!alR.E8j,Qr a(Ww;MeaqSBm z oW<a7ѴA'2 BՆa(Ӟ'(ch1޲aj4Oȴ|fݢ1.a 2:0*"ah6_Shu ab2Ar$ aAQ*@,jtaP$ jT|a@̘$G~y9a\+;< Ke0[=ta*r(6'{t0aȀ_/E$lb $D)@u~b 5p!_ :;b1Ug ׻eqb9H 9d˹l֛"yvb: 궍.ơXO@ob; t+V˛Ub9 b>ͧ82^s/ӡRXb?p |KOF\&bI,aHAb^Bo'Om:PXj5bfKMPaY)KG~bfjB?TC)z/h$bjO"Z bxdĆ"ӳ':vpb|wvhU@ʘay5bdܒVSQߒP b47VZ/*KbDWܚ<bQa:\QbA CC q)b<m8֩ASb w}P\IB{eabiNJ  sPb-k.]Z$X1Kb?;pb՚>4z-b%$#8czw\WbŃMwfWǩxbC,s^jdDb϶\DXMZգqb.q-}d2Ut bf@geMb(? jO-bVOya"tFbٸ,eiMa8 ccx,}Mkj͞@cDd+"FwcƈzFc^WH2d&$2wsc p@µݷƨc"tEl *c.~n "4E4沅bc1wda7<c10:Pc2f/A-3mM^ķc;B"R\@NݢA]c<q'567Wzc>ۮ󀜫F<*,c@6" .lDXIY[kcRc/L95?Ȧ˟\cY {Q%jB|a͗cdWΗ:{uۦch%&{4~Q@|ckS-d4ih>t)Ycl]ڬg9P ~c|gv?6H5dRcpջS_Wf/ciy>6._TJ!cᇻ6Z<gt{cW]Oei\1cf~l޺*y5caáocOtzyc['#ذ*p5>qc6zر WcOt)-F*Uc{\7D*<AOcӁ;3ɂ#ybcُ-pHq}cbbr{i|c린XQE$Jp0lcENN`vcmN:sㄒ7d78U8<Zq?2d h0֮XCdwx[YY;?d޴eDg6 5dϘ5ٕ+o(PdD>R?azWw9_d;k_Q:ihd#gxRJjF]'wd/ZJL aeJ.ΖH?d2zh$t˪6u4d3ƲLy}20Ѵcld3KBy #d4ଛ܎+/R7rd5|JU+wx}7]d@,|0b`j9~͠dG«LdH{ v3U*7vD)dH~amMI7DdL֞$!([ %d_ՖXT~#wqdm|À埪Mdu ^3Ā; # du76|(m0"Y dva9̶͞pچHdvBT siO{d~H\WMb5y %dC2Y!1έb+$d6!95͢#dC# (pi]d۔M^wOֳdd =MϢ;J홸hdrZ䃴$Kvg6dƋRB٠np#d6^6u\d f2f6}od)d+dPa<Odk|ݧkdt1dk9\-[/(|,d CgWLmhdI]D.BY^dHl#tpSc#d vEk 4Ŝd[ޫi4ߙf4\gd?S< D{uiYZe%+3__ܫ9eS?$" T<!S7֛e#w}47eHeyW [?vte*`v_1e s\M ֈ. $e(K(kNj\e*QkKZ&L>/e1|n۶k"e@}~Ke: |e\=Ie=KgsgE̜L,:eGȹ +ԦfHZ=peG"{yS|}eM Q6+kjbrW!빃ehZ!`Go?Za ep?hx`Q);{4e߲Fp/a&)u;weeL$#g4teTF.0ýIjye|E27HZޱ{weLci=Ӵ\keSq 0(vd_8ewCϤT,AZe1Vosn A/ekW{oiĿw%e^; L,|d;eVqn%$ ) #e5zðA!;oeMIߙK_eUic{i\Ire[m}Dwf|]^e3 #~\eRMOy8Nnʧwe[YcY5X5 ge]7p'r:en+y[Sen6cͳ4'w epsP)Pc4MfnNI'p£p&| f6yfOq,жsfaeFШ2V4fV:IYY5af 7)0( L^f "nK2믉Of 3k+d:$-AIhfAL9-&;} fy鲿-We>LJfmI`RSkALkfnLᦙX&f,i+#TRHM!8f.d h~֍/;Df1=#C nコ[8f3|uoB(ᆎTf?l-\b[kaKgmLfmqV7|ur"vfo*>]bT٪frGV4z1nGר|efi/:'RF-f E$e4wfD.%f-mF 8Q*Nf|?N+sfڮ`h v#Mfvdx:%A-1MfÎhӴ}ư|fkdf/!㝲]lehfb)L)AGcp<f{RL%2WPf) FwR}+f ّAw}Tvf*C*Gjz J8_F6f-ISw\VfvjB&ګG1-9ۊfT@ ]ToZ`fcn7&rMq>f aǍ nyN%cfǭ>sΧsfl/Sˏfͤ3ӴBPh\kf/1MMxZf2\U_sGNC\fA0W0 f- 1R_EfEfda^N_y*f4[B8ݭ{«e/-fzuX EF`V&rfoW=ĉ HI˖Mf'L?H+eX`f00uKqjjfCX;V~weejgL}-+SXgH!w=gbwO;hs yg>4N9c3ȻWwFgAi/AįgEL(TSp*Հ gFH<X Py]]gHrY% & QȨqgL2~3T=pՙ!KgVG{Tm6gY:;Sdg:;%kg[}WAcPxXUg]N_˫ےg]Bý¢ⴚmg^ZÊܾxIOL{^/dglF"*RCq|@'?Xeg}*; h͎%f!gGǏg~yɔ gEG3Or*ޜ7g1bPȼlgy]ggsCPGG=O&gVۢ[9Bg<6UCc\Dg3|HE 8(HNhg>J ¨3 og&k;oRHCg띿%g5KpDu~g9K@.ŮKg~1uƲ1qk qg\t'9(gZ.pgHv;'WڴVgh?xHB'q\[2Q;gJnhLFg䤈V-K)vrg NoZ?TWZygw' P,-wQ&Eړhh+R `~?QSIhH H;(X3e!/h>/(;CG॥hpUՁ)'mrh=>huKʗh$Ij),vhۅ&k LZh $0_E=[,h#™xx3CQh-i [` q-8sh4 Pٙ^Vk*`%M_h8ۓ8VFXhAb7KUL(k#hC.^&rҧhF`uDp) 3XޞhHގ/iXBhP }?c@ :qhS7},۠}8~->hW9}7Go hXl !lhgբ B߫rhsf!5iarhxujוE @ HhyZJw.k3%hzry!.ԑH\V&}JhNE;. UD/Lyjm?EhߜlӇيH;ht}[q&VhC"IH̷(VmuhM[)]?-N7>h_nӎ΅ IYUh}dgF$=HIhCT\$ԉе^hbе,txqhcA'O{vZhݛr,%aC;鼥hQ.z~h4jP E \VjhBF 挈-PQ- h[,ɡ:T0ZhB܃Ik%]lhir]Aم7;h)LG*8bh.輚Flsmh7 hJE i?GZGa$G0fi q}E=%Ui iKLh 1i)x1ev7iKB#pWiʆA.h$Jio87_/"zi+ =-nQVi/iMܙoUNFx;i3M;ddiB9_rDa&׃ ViMo!Y8iOOYeF3qLJ/iOZ&Qts{#aiayUʎN[ig\%ku!rIinȜf`WH9ipXV& hivkOԤw imPh i0pzs}stpi-Ps[w 1iۄ-qA 5ؒ:-(1iuĚTXS?2i rݗ,{dui;IO\VT iΞ<sV0.*fiX3/+XDw3rwcie: jy0ciԴaaiȁ2!^TgOq< i )EpmPiLηki@){8iʳMg]~QQ:i3"Rgr+DifSpW ϬJiߨ\YŚ"BT4i7O Ylf _5iI2hŸa>iG<u[܍ni麂~eWx`m|1i8^ȯ6QhaֳiJo8d0_tLjZXлQn[5s$j jP^ E}[j G 9\(SEpDj 3zFur|K"jI+C-ь.Յj eg$Of0SbYj$M9uy"c3?j5c|#v<1wMj5IN`۝:FN؛j; ski sOp<j;|$Z@?tH.3(tj> ;%A HeIfj`)F뇏1ׂbjlBQi0 fjt X=GY,x+Ej)Zmij&=3U93jpetPgWjAa%p<@j\uZk$m"pjk [9:F 33ǯj~|tݍG Cvj ڪ`S if ѴZ j=79q_ܘ[l pj"Br6J4OqrAj4[Y%w)E<rjΣ [GPs=quglj>DJ`ljߵZJdSu+Q{Cj+gEkEuKj4 Ȧq*j@hALJ5很&pj[mS; FF32kpV<ʀ :qk?)n szK5k#D: y2y k.iS+_X$[ k3,?y\ ;ϵak7VScoJnjmk8>35Ump'.}kBϪ s Bt-kJ[45m$;RռkS@"qq"LٜkY!܃8פ҅WFPGk`͙V(7|ёtfkgDh #-3j&{wkh.wvL}YJtk;S2=Wdk{kgO{"E*tkUwOj5b,ok||1׶<bkwxa\ͥɾk3.‡˜=zRޥwkؿwfO7[k^qN,gR~(3wkiF61EAkQ\س'-L)Yk9JnfR0۫v0kmu eDcnhݗ2-skAR lRR EZkMpMk%gkmy\ߟEfb*LkE .8ުRUkX&+ $󿧕@k_q`Y?J.j9kBYYZɟf,k?'z5{&6;k=O<!TŨ7%k;m9/l qX֝Khmrl C]}\3WF֛l R4C7l!GR]4OG@ ;l)R-<7JaMvl,=Euh[<|$\+l3ߨԫ\=\5Zl8+4{|:l;}|Xř5Vl<5_πD%Uyp/`lA(,({6k6AlBby oPqqǼUp>lCǵ:2 & xlE#?%<eZ..lLB-ϙ[IuS0rlMڻ/o s)|ilR- %rZD7la4Hq٘LVnCYplclYZJnL+Z-lf%jW2{Zi&lrcVU=!qlrTF򀆤Z֧lx;넾ZĻ9QhAlyt۩B Ťg_laMuhԱbtlwZm ȡ>ylR/ܐUM`plre0 7 z"v4l疅2}#07w7W-lYY UM7֯3lZXy5BWml_Nƈ8zl5r^qM8Jr@ylX' 5ڧ[vk:RlQ^#VIf 2Bt]l|֭j m"|Cm%l8Of'pfWJl_aȁ7Sc X*l\{|}hnB!<ln<# blEϦL~M #; l#] 2S|QVlr߂ A&;lޯ4~Ph~Alxyc=bQۚo6l(5nUwCz{(m Xrٮu"\Am,ϞJ_TDmcv]!RD/?@YmiNӤƅהmm; '01P#m{)hV%L jGm&Mtؓx̣Ffкm(:^4 ΀4m1B' {X\ڰVj<m5TRq ZSF(b~'m6(PKwR~s.Hm8wQ*DCߝl zm9=]&/ 2YImm9쬥w$t˻~m<O$ r0jP`TmD7Qw9Ӌ0(M smIY2d тmJ]?a͵^~mVFIE6==mbh7}ɼrMC)r!nmgO䖵=1Xj=3mkjÏuÕF?Im|4=#r:R<m 3WAm\#kju%6mRl}q2umcƪcVF m+Y4>9l/8ym^:-TZmNx٤0j3vdOmdF3v0eU,SmD5ot2Byg~1mgrW+CQ8HmzA;5bJIN.m]SR.^urm0<9 fmՓV/N m)wEjR1xЭfJmI6(G2 ڴmF&nW|n&.!Vm^XqU&7Lm! f \J4imu8"4o/#%"Rn*SEɄDIPa)n6N9#_U{InVk}rBeG64"n[t}!Wno[pi'Kx&O_qn*IFdP<kn/~l rXrU#N~n1?rEk]ҷ*@!n=K)36]FӑT0nE1> ;mJnGc Q~'f05/nKFV)%̌[W;3%nK8;-V,3 `CDnUG qgw_nY93ѫB7Ķkn`y J`Lc+)nb9G3FnmM^6Uu15nsHðPo-?g2n9BVpx(]k3VY-n6aÐxa7Zn,v{60(6nrF#Rb<l7ǹH|ժm[}ny<c8O]+n<bu5ygȡgn1{,J|nnբ!wDqnd~D (n2fF;dys)(n2n:"0vrCZn‰?'}?إn bmrq3K!\nǚڶ낡SHCnɼ+,,}3Z<19nոTgrYDTnٗLB?wTiXǚnۦjcRĘD" "kn"~OU_Pz>nPn/rD"nx_̡;BN1Lset!nqUנtK)߿n]:30,ګ[nMUl$%xo _p0YjdVo -iIorUz:lͭK2o6dΖ _`۸._T6f|o<ݒ2pN|ao>b#*[KHh7pboG9$'DoKX[By'oM/=قeuJ(o\gQZZ޸SaFUob`6bˀQY4/oiz' _ `vaD 4PNojBc8b"bKokoe%.^;Wܮos56kcc\b<CoyiIi}ibo@N ok9J_x%oChj@-!_e`!qop>!1"͙ oh6՟Fa\]*oe7JB:lV o.[*{ H?}o@"rljPPcoB2oM{iFk{oIaSoVl t1eI|o|C |ŖCJo&L׉W Ոx}oY<eGj/D[1-o,aRa] N([o=Q\3ׇXWpgzoI&HzMؿpBEoo|s۽+,+%pNN`}Hpռ ☩tlp:1j휔7 @p#񾿭ۏK@(Ȼ>p*UPjl4rp/) B'*~p2v0icK;6qpp<2T%H<m`;pFک%LZFjpKk7q"y,pNϓ˿50;pNrXx巐T}>dTpNx:E o% B|pTnj.A/p^<J3)mݸqpa!JZ9֪Aj3Zz%pb*rTyŷpe[kn0Zhpiq+ULYhL1P~SpnOI {\Őmpu,\OB0m(n`pz$PDi l_e-=뜆p6v (x|p1~}Fl߬pDOMcҽπ#poAv'O)D|F 6pqqi ;} eipxO. /ox9}p.n0471gpmZgu;)P p)BVf&^'p^jqZgɌ+p袺cKѵpǕu:ɡu[ qDpay~;͢ S4pTOwt'r̀M;{pAvޓMT;SH,;1,p{653 p!||py*Eo (}g pE,S ć|;p`- ~3oq PXcJO͖2q WZDyN@Wfq4>! E! El1աKq;l0jTE;ZBq>aB>mj%9Rq?`)mMX ȕq?cZMѼZTqB9UGeg^j1 ptqEM8 | HqM"Y͗Pd9>qNkv qNQMK"IOq#qROi!ibOoq\duO詽uq_>bF ~S[/B:FqfjUVēovoqk9=ւUqrgpvXZó^>q)ȹt`_wh|]qv$d~;i#5JZqapxѨ"|&qW}(vH4qKyqw,Tv)gVYqHX:h틪Y^qS?7=oZoqHHߊ47W5q>IN<^=+Umy9 =Aq@`vxjlq6/\iG1( qWhk86 aԄqq<-~8qԏwHN LVV%;JqOeZn<hҕf<ݑV qB\ſҬ"qt CqIdA$qxnX˴TkNErbB;,>8[-mr=ȜǢlŔC>rDG_O[0MFi{ry@Cizi\1rkUβT܋Þ/brًdU[CLj[Wr!\FYdsYUr$d&c @F49r)R_Sd'zDXr0p0ݭ{:/r4㭣p?o߶fr7;QR7ٚ0+WPr=dx{ +rH7E}h)qrrN4_4Jsk%ZyU|rOpB)28 (1rUr'n'FraE/I˯l̥rjHI@Q.Grkڳ'F|6ermW+Q"Qerq^M)A>l`ru P`2@έri1';-mfqr'Wj\_Qr{H?J˂bטۨr;kU/nAOXr4rF@B@;l$~xPorl+=& Fb?rH &;:Cӂr=}un<rـnR_au( rSA?O.rIJcDwvv yrHۮSD1!l΀-vrǢnFM.)_qrџl9^>c1<&*r#:b{f/ gr9+ġtۘrFCN#^ rf?;k=;LrΖzKq0Lzrr v>eڷ<džrmbv( PS?"[ysx+XRx"n^s}/tԠ% KuEs!u-,⯮s!pYMN "?{6*s"K?ᣪ7zyss%|(q<v m`s&nK| Um֫sRs4K{6)}s7NYs-P(h_xSs? 8K7)%LcsC~@94X{j sY-ay!ؼ6s\ 藸Үśrs_mPCv/xsf;I !_檂7sh3q0SWsk谏`>,NPg?|bspC]vDPsv CDEϡ%sx.??d/;+ bs|=$l[C|{P~s~" p=@!އvsp5MtZ3縎hVs=a2`굘]t͙s'awE9wps e2gsH 1^xqlJsyC/iwȲ0Ҵs tFzC!es[Vْ .!nYsNqN@ls]df Q"VV#s<{I>-nsޓgT/ ${s(\|)S;((9sB' !-Bs@KCw}VDWs=QC8*qrms]]Q'o{qR"Ht yza#CA&et^=0\ 3Gt na!t! ׋Skt%HXY+~+1`t)PeJg6F_At6粥q^Rs~4T7t>)y%ݎvKatHcw0QCgU0g!_tH߰ʾOkQtXJ.dQq<}Kt]xow%N^<\^t]hb23&˄VmtbWF X=U FhP6ti{fʂp~o!ti;y.IMLtrV35c<tːxZ"s,I\t8j(_̅ %wEҵ_ta m1ewt&#PWg! b|2t_w?A.LvVӨst6.b\nft4Q*d;xZ|%tް*i=1ڵKKÍYitom~t$2-Y%`Y ug WCXD蜕?u f3 ĵH -` Cuu0HKLND u5̄|{q5;u̍$L ȝ?#j"5u_mɳ]MrʸMuE/$_-un aov*]u%KXY >#Z?u& Yеf \#Hu&Z@{E_|Mu4_â=kc׮%u6!{)/Pvu8 Q_bkFw@[email protected]<^}t V9uIjXsIɼ[<uJ{,$xuuJŬJGiE uJj-}__ߪzuUiRmؘuXg?G &zuZ2W~KQg~cu^L+̼<8\j4n>u^Qz=Cm”ua02+]ש/٪.uc*ľ]ܨe6uih@jǽB10t uCuwFo :o!=uMF2#=*p"}uMI^@4X$Tu(<2b_Ó&T:u`㜚O)Y~@u+! ܵ}yZu]xSR.JrquzXYYrC]}< u0(q3ttuZ$yS7ouIutOFдDe1uЋEG9:׆ANu,b!~̥eVH^FuHAKaKcdu` "qy콿qu@$05@?=?**uӃ |v;GE!"uX@`CjF871)΄yua;mQGv5 qoѸ灥v`o􄘁1?´1vb>ͮ: ZFEv 6J*!۱jA bQiv9vGnJ =vDTFVdl`} v#pm+Tv&</&@-@v*7mFaR`zP{ev<Q9a>c9v=Pѭcev=9.,wUUBdv>FY(@6~O3t.+vE{.wAwrvFnԔ8mLcKU44vNJʊ'{. 3vQ)8SdOgEPvY`qt- 9vjY$e)m FMƔvoҺݶ`x&[nvi,vqgqxmVWMavp_Y T:G=+ y1Vv}vUX4}Ýd[vPHҗ/zɈNY`vБe,DnvԖM0Uv{fc?* PvV6Sdf\}27voх]GK4O"v# LJ/ h[?;v5P_!+gh4hv7ϦwS~5:vCOs4]WD Kv #81{٭(Ө{vcLrE2w}:(vpAMB%vz_v/T(t JEX%v'yæJKFv[<8,4r 'pvի| aM*Mv^D/,*[>yvnAjy\7K·vC詘USvj_ح㉡Y*vz Ku&Aw <(BCc0Ow5i<@1<ܪoOw-'zu.lFsTwW u} >wY <nrjjyKwP T o.0>w ARbڜzoOw1LiRJw5S,3{,3 њ|w9b~DWgzWSXwC 8a "wL(,$,<A2*wLk"7Fb'MwX~; = WlK?wcs9fԧ5d`wg]0*◁^twh='X=|$zD4ww#ܞH3цa>w{j/{]3 ?woV;;L 3w@$hiotwd$޲i]w"Āẑ k7woS϶ϴ!>&wkc}ߦŚtwUa*/jȥrwɿ!Q/ghlhwx a#c)Dwr5g%PwAQ.IZcƵ xq$Y$>vWŽex>>Y#n ox1rNHӣUx ccԲ鴮q_GkYxJ CI + xCcQ13D xW{50N\Qx!כSDYRi:>x)yi2-D[X,J.j2x4R^k%Z|Ax7^vk4P9x;E{rHx=IZ~o]~5OTxD-9WLBxlRN JxsX׍$2vOxss |S2dbdxxIMLs`E=\lJx8ٜBLe(~Bxa85!*{4_fJxz |0rx2?o͈k*nxEy_-0/y0sx*M':16L-x!q232& <Tx~UIZitxxպ7blQ1x0 yi_rm~Ax euKHxMboT5ds!ފxϖqTH]kqsM2zx+=^KV*Vl ÌP4xz?<)q[RaKLxVZI؇W>+xv-Uk(mW8xstx"v|a{x[~V\? mθx^Nl * &VVx_Sl7f/gcx _ Nj:Þ&:9yXN 8~H40yRE[r#UyJgy2-a%ye0Qi\>GyرZ7Vw [_yHNלhGy"%xfgtBbvy#9 餳I"<Qy(f-r)&eYJzy(m Ncssy5ΘtɁ1Dey=2aL ݉Fxn$yiy@@lw!f1yC &VJ5yEtO ء _~m^MyG"YԀbYjyJn_{xf yc1EkU?!Eye:hWmpfKcyhktIecyn;1M#DŽ!*=y|J|`W_9y}#a6eTinyc<KMݢ^Iy5h*0 LB/Ky5D ko_y>@w;JyD񼌔_ͩy̅@f 9gvW~y]gZΪְy =ɬh5x"yY#0܌py )f@[_u5vy,o+*y&yÙ Ψ)Auy$ M` kxyV.]u;Du -yxIVzf!cXPy:6 86QC?,Xy Qd[kF y,$ΞdUynoeݢ(.C͜ySk-E$sRzZDCdzv'z!^&KzA+$ ghVOUa z 0SfDwG!az2oBNX* zϾi7Ce~ZjIJzs^%V,Lx]z^FٗF nyRA zY5!V7'z&bwܖ6z5bKdH;C. $z8eFG1)?z:#-@ZWK{z;▉ 0x1*?R^z?"^M\^tzC-t 1J 1ezE7|efCzzG 4@ͤ:)gRzO 3hkiKE zUp-/ +yfvb,zZJBw';d޲bszdCUsDzfscs#.ήT>zq׈JpzuD]vՎ0wuzy{мdP\zz`i= #H~;z,\ K, eKmz-bHS(EVj̱zѬ3&s*1}zMYݿz67цXzvxDϫR>I@/zVP!:KnnXz8is M3=}>Qz ]{[xKy*0zL?[ۑazW0u\o{kzj}b .l2lz2|hBr9]jHzV(d gQza,Z-TӤzo_E;/ c~tzDS-z(Ϝ6z|f>uFȢ9ŊrzN!w0՗!ˮ)ziQ$ <շgqIQz1^[λ| HizgoTRrza'eSՇu|z۷!pr<m&z{w~nI J WJڲ{ qrm5mE}{p_RJu#*?;ي{<BpfBz!U({צrg&zxFh{3  vEz}{&^JxX󬂳0b{1u$فw$]x{5}ܻWz0:`9w{6ZL~{.0XZO{<@y`\bzė{<I>${5D{>'JcKKe{@m*&cHc~^f2{EG_L!iyXx8\{ED3f2Qy{L㡔v;3/hqQAg{Q*yoWWcP{eZ<c`^vCB{m>})ϧX8Ҙ?x{s̻VITpCAL{w-^K5+l{ٸj1{XL/'gb-V{=y&;_QrE {7C7 ZxMa]nB{ &Rk-nmg{jѡuN,]<tL;{0-URGSGu{vJĔieGP䖤{ ~Ѽ3.W4{`VsuB^/ NO{ԡOCGnfyg{G*YAϤ#m6{͊Ԁ ~:5Oʄ{ΉQ﫽\\p({sI]rk$ {ɨan#ࣸ{MG^H9_/O{5\3`|uo- ׸{Icp}Q{$"˯sf{ss1Ëqx| ZM|| 1M):|,r~JS*6W+jVC|;97+VUM̤Ɓ|N}(7ƠBS>|rRB|"WR=UlByu0|(\%N# ف;|,V)h"X },|-!8̒3y=V|1$C~!.|210h1;i/.:c|:Spj;qK|CG@Qww>K|DQWni=sؖ-Q|^ȁ:K14J|_ 4kl om_G7|cơ- p2ٱ|d=y L?86r|e&Rz_1)|y,-f|{pmU^g 7|xwY a|{U|X|?> bŁ&:wӏ|'W΍ |RC )H푰!|y_9ej5ذk|rGZmSockѷ|cT,Yg%8|bە&J&Q$\hN`|yFĠ E;|4TS| :fi|Vj=&LղTgp|.nI ClC|ݳe)^>.|[.|fnjA2Pe֏|&!Ԧ틡} `|l ѭ-D~QT|#1oxkE6Y:|\,xƘ%7 }|@gAo \i'hS}YWB9Ch,jLy}}OUb"-R@}1eԿANT}1OoAr!X}4<ȚB2%}63kwҶ䗝E_}9s#:9L+3C}Ke_Jk=퐖͂OE}KU* EHn k}L,T5k[}O(1fo}PHY| ySz }PXt}F`t}R.|b-C?t,}Zs'K >\ X‰}^@AbwѿE!b}e,n j1Ǒd}mҳ6p3X'7G}oݖ4|ji BJA}p |כ?z-}{sMnu"۾)~B&%O}{:<aj Hc}'Ŵ}J}ZiM"9~|Z}\̴[n1cO}ֳ)&g+X}GQ${%}[2VM8 j}WZ{nVS}_C{U5oT/Q2}ܝ)raN@"}0/0#xВ}ަ2<7AWLHv,}Q: i\}(MVw8PI]3 }Rdr[.}pNDVoj|kc}˺ ב1ϵFd}s|x| 5@]*}bq t0oV|}U)"nUϱ#?|}ItڊnW|q}&s8@s Z`ɜQ}}̞V$lH}mfQoxbF'~i}4ІSkЄ~Dx%:~U&/h4 ~^ .u 3~ձ0/~ X4&҅U$~ V r\`jpy~$Vx]c;(~;K?1IB}V8~DɇƲe34ӂ~EG3ip%1+~R[0'h'̥W˂*~jg)<GĦFj~ya3 u^zG~v'Y!z-) t~{Yg<h77d},~`DYAwB'~x~,)!̘K/8{Ũ~I3|B88y`~3fʅJ?q~8;,U~:|ܘP~~1fT:tĴd~;SSMc,?Ϊ$~A_/- [;O[~z%]ÚB~vV F~sƸ :gui %~n;%x/+E~o)9 -+:v~h!S4IO~r?pDrͿD S\~GSz$Zaz=  ݒ1Tm9IȀesӵ"/ @P_Cv<t4{!PpVwa@7γ"#,'w FO,k$Aw r "  &+$ 8. v+FtV>LQ5 {r ,mrC&п-49Z- HwvϡPoN-\|S.V1_F5R%bh{: b$˕6vJ"_!h8UlՐ7>ԝ>g0^qIdżR%K'p]l,xƂqN<vq0y?ک֐ a)T @@hTiZWNpX;եz5 zKa6gҷ\Γ /TK{1b_ڛ'n4eg5cZH8g P8zUПgצ&cmN\ה2$4jlL EV<Tk;YlT=eJE]5`sDmʘ(ݜJJu_+~c8NbxGtv@/me'xɳ7 [w}ߠ 0nZ}XG2ۈS wl]$k,.jųo瀁q2xZv'AR'O?;D`1Mt(l9J} u [Z*eӸQgrvoB]慎A-ͲQk|\A.w&;w@Z9rjғטVj מ,i y>50 DY}bsF۳q}/M:]E> 'o@8 .&N,1UYYȖNVJUS9<)'ˇ֠Pd˙tCSrs.[fςB5F  ")bmܔ1ݐӳRL1B ;P6Amx23wYUb kpT4S ?74~'.j1ytO3ꔢEvG^~ pN<S5٥ ,nLo!:ǑDM5n ',TO,~7:Ҁ'4YKKn I0\vX >[K PDʀ2 2̖ҁgO+5g3)EJBRGD>Sqw"8,?B%(aZfp.4vEi/<:)GLhSeq n윀Ju@$«иi)2 LLa ,/wT]"l]ƆQYV4ҵuHM)`T\Vkoc٤ĶFD_`CN:VOl9Mt" Ul1y1!^cysVwGDSU{AޫvەdyS'GS}#mPXX`, \~B;ߒ4s$yv')-߅5q䀘ԏϲt{NI "&"VumOD7|=M~ė`P0FKCMt2MҀFt?0a҈)<TiYeO>"l??|">|sǢiV~Jlc%0=zƀ[&EQtnVGMɵzH(\[玨acx{^qr$qts,RR>4_L5]5'I&΢pbgf<If?n̍hA(qeh^֎e']= vF1\7P0$U&4 $2Z!bP7;DUYg,̙V’ՎEAjQlbZKTsE㰏,c@ϡN2:w5zwJW*t9't¥b c 5VHj1)0jXX&NMT$TI]oF!r( Fp wHp}bNxd +h5_&Q }jKtˬv Ik*6F2y~c7:`]p3Չd K3@Ǝqa2,ŘLܬ}5 L113}%.5^j~ƣ=BpT v0S.B`!XM@/|S+ote4~[39BvѮoZf*_߯DA*na&$+ŽgtzlXYap>JVuЫf:OGy0<5hvj,+ ce9_ŗ @a :Ťx:IO U3MG 0@q@` 12=B4V"'=Y);-C,6SF|anu<ŝ*q[k:(ʹEӂN q> @ inoZrU"4N- @m=C26gB<V P<Qcrf \1 ݂!-B*i*-L!#n?$ōDr[}!+L~jR9<G, Xl߂;a 5g|>VZۂBSc.t)KIB =:OjDXD{2g,ZbI<G ĠL=˂JGVv>ܫObovg!_qH\UrSvկ@bSkƂV7J@D|:)kI^V~a"Cn;\Wvjȓ拤yV`<d!&Phv;+a0'K"F'ƌn?c"%7x91tOSʂc~F"@Xkhs^n Ϯ!B mG6!aֱ =%t=6 nzHa0 t 3ke̐%Ƃve:C\cN<w`({zĆu ӯ`HB=_Ze-K\K$w~js3oĂl>Qs=56ie] N5DN3uCWMgO1 =< .0yfpTu lJS~v~j>bO#) {w]?r~ ǂ.Kiׯ[<@, kNq#P؆xB9{Jɢ3zlм q5z \q,Gi`$Fm5^OKn5VڂeS23F'Cn!qW?Z\K?Ă!- N)Z<h1bځcם5 ~7KD`tѭP NeF&Rȷ{V=:u!ow+/UBq!1#[!oHGRۃ$3uYGZG'΃'G=) 8r(փ*T+PR<3-E >ARF,F3kׯhF k Ƀ61' ƾY͚A<ZIyY`zPj<Q,<,$e3*— > N7]dn|.&AC`iKr{B֊D[Y͡eH,Lf^!3u?^M-ǤCu u5miNNZ96N=NSQ|@1frY/)L YQimmFzib M_DSGα`NTăU<,Yo] [HdX =prЃ\9J:7Rw.&\ Q* ܳn?3ݝ7`s,tC K22pdXjen<rru}J&3.+ L}}2 H܋nĘY*ؖ.JyZ]3wr;wڢFr/~x_{ԣo[ (VsHvwWQb7<<sUоT(jQXVew,PC%|wx$gU3 #C"WaiNJ.`lXhb\t[ 3)*ל]ٲ6:  c9|T$&*C1qj lt25UCM Io4aLGx2 ЫF7̅aM/~;KNT`uE˪ƒ'a#D5u<HPW4(x]3Q\$6~ ۉW׃2/XKH.lvfHs>>Zfn \#R%Hh }ƠWp ²T`@EiHDg8;ZPƇ )4J[2(3v<Hq[@+%l]bl+3y.>tUC-p{5I^:֙(8o ˢCDT ? @zjU{m?# <E'C~3ehCz7˩ DBFa,TWKw.Dы[X5^ Gţ/B*h!ZuC!NNmR}k#8ۉNf==P "8晋 tJ=|DA_wVs%̇\|-R\`B6ЈI Kʩ@҄ac28ĠXisrd-Y׹ ::>y<*號R62yвKx8FY}{YOسσI1ډd}6JoBN4 {Q;A8Kb𔄓?Go Uκ,HXSMI:4\C 2W Si]njI-GY;۬G]2U9?4G*X զb .ᄮîғ x95>Y`+eoF4 W&%a;"9놲z 5?%I}T1qXS` Ąq7:Ӊ!jV.Є: Q T17һĥ/Ąk_~Ä?-ao}|#=aFv3 e"Ѷ\XR)O.!F3Q/IJ!dyБ4I$Y5aJrXT(ŨeqRX◄rPctd, fÇIl{ShaO}1 CAwmF H~_ F71\t!&uZ (}܅@>02P҅Tr̄RGK&?с$\A<'-[.Qe7Dh'L&֦y]A;7"(V2/<VP)fi}4N9džR5>2B>m yb" <˞^h89lQC\Cq}|C"S ,Rl`sIcKT4 F>X \'UƷ"v_Ftn(Wn>ǐ" d#2[lt]j$߸W)?[lǢ<%9^pZ>S{/u?'9t0ɊB8gOfMzԄUxM|YLQy)jn hT~cܯc#[G2򩺋ǘ+ژÇ'=cWKn%2V}zk-q_155r &ꅬ-ٺԈ;(}X4؏#ȰEƩ1& iq@$g%,oiD{Fgd܅Zr['vD09)<JQ kF|wNlo hO憜k[w vj/F9͜G <C ]Lf f?x3y>Ry$)<I\%'@φyFкz޺dy]6qқ=+%$ J}0?F@m\ Mۆyf*~/P]' lZ+fvqz~zON~W4:?Vh_UsR%:9߼$< B !w||Yr!fP9)ĩ+a*:/B;֜X\!<RbCs z"L'8pbQ>D8ߒL'CJ~p$Ԩ@]|ѣ0)+ FŎ0$ɂ׆-ųkyNtF2e10b/ز鉆3=}FC$ :/7Q$#n߬0;,:R' ?DL8r!ٿ?Km7 e짃jpalAbqB}c]sgMPk#=x3\Z@Gt?!M̰<N/+ R*BխwI] WgZc<ṿ|n3I{B!m]RgDr.ZX'ƉE74?Ejt}y)3)_M[ Ѡ`ơKˆ$z0vnw&FWcG8Ϡ6M~DΠB[bsy4-Q~.g^ Tg㍆ /^*C6 I3z޹Of-|ѤMHScI P%:ڵFM_P 퉗TÃ+ɼ]³6j{U-p!VF* 5] h] sk5[7 DʀLoER~NK)13C)L鵇02^KMAPġ<[dND7IΙT*O(zGˬppԔfLІvC%Oy ݚmڻ |w'ڣz/hE()=΋`0?/G+Ǒ&fKa~!D⑇11Ud+qG_2"B_2ԆS)6::/_ >C-GE蛑)e,e ni' T X?]7 WбNDw]XQA4J!-R'm_me bD E;g͡_"/W$5K0$7hCPp䚹D#кŇk֓21^$9yqoA(jO ?n"o1$Un93@f9*r,M1 U?62LE[vF7(x0HIF昬pN(Z4v65'Q ˖ӛt\pZ> ¡P9'wԞvXCf;dM_+v |yhZ|Y^^ҙtܳςAjύ2B3i;_rj湇\?]٭< \`Ǩo5TyT[f쒏w&LJmh<mB W)V9…*;}MscW^h(;'uMҹ kXY-xbu7J 5Օ;/F3tqF;G}OGvgH-<t{4W;CJP(7z{$J%VURЄ7*DWGV/ pK_Z`l+P[e|lT` 8kq+it^L~;d$وmZ ΅Ljy0G?bVlo ;/y2,Q(rψ)$[ Yv跈c3)喒ފ G߾XwN_xDvMɬOԐԒ?"n֒z&G %V N`-{0DW+F|jvD i#yE;,ͬoíoߓXx<IyޒNo"c[Pҭ ' ma%8Sߚ48sdK[ҫ:DDM"ie̘xܘ*+5J0+?^F/I;c>ݸ6ê-vJF dz Aṉ VK<!]8- +nPKމ%  [ڭl)@[idzKc8EMg_Ӡ,%o!<S]:9<w ։C$9XƟuDPDFqwrO ? hLBkĈ$,̣yQ` 9 s4i=dReO"*E1{%l#UkTtD.كLULw<;+QfV܂<&6>F~:7]6#B7Mh 6_:pZQAwǾL`JNW;wRڰe,D^¾mOT/gEFӔՂY3 !OƊgJcWeci4xʚ&T^is3+:5EuT?koR,̴{x؉#Tϼ@MЃ GֆJ,*Z/0[g]l<C}fXIڒ`X>/Wz $OΉk&2D~^[ݤ@RFϜha k6`Yi`qU --jBu.@lʸ< :o6-c"% B^^6jP*UQr牸?9̜]A TV.iYVBϷV Oآ3qapC5}L\΢~YDiȎϸ?<~ט |f,薦W-{ھ,J#`}*bL.PMBRZ̉>Kðj z11~ȋ䲆c,IЌϼy$2QDrwZeOD u9rO/Ǘe%T2oZ~GtE#_0`~QbP<sb\3Q)3$4av5%Ujl zm 4Y%n^rѭb1.`7& &6;3&EQ~;W"HQ1C y,uc `c ׂlf$ J@OS'avj>b- Upp>t:D¶0 ǂg/(Fъ1(O^O]) T>>Z1ĉ)<B_Av y(XɢPhp|xļ ;oh-QdRy GA$kDr}/guve`&2㧴GlwwYumy}6_ިn v1r~`v#?9wŪ"<51N k+.@!yr(."Eʁm4_% Lf>+Ze7&_3<iſN#4᣾HīݐuDlEk|e]衭<.])3ήa<Ⱥj;8.y6]=>'- UVӊۛIp˂z9V ^yw3JѯLyN߰~_lR7d˝buM~d%ʗT?a\!K&tgWt"±agi>]IhؤՊÛxvXUVSf1-Z( _֊0aU#6{ $_nK69d#.MeڐMNs3ˊtѺ8H4$-/@J,Jn}X"LyỿƵ<_]Êb6K:7Ջ o~ZLNZu xyi'xK {Ћ܋p.dT iRs n~I\"&>sw`g:(_ދ7nn̩JoP> 4G8BZV-Ѻ\xS>28Nk4ICEde<bE}bk GbA<?/6y'SwD@C\΢xQ'2\B`qn$Z:nȮ<D)T[/S=DIq3T)h>,PvɋH&$)%]E{HH,i;9'I= #wӉ?.S2;cȮqQ)}Ej^8i799mYEoJ|eo)ȋ0oy.ADzkDiOoڻIE +eaT9ŮNV.eړӖp__qHqk><UNnC2{B(;:܍]^=Ɖ`SِlfJ"'4qemS:h~'$# BNӣ_mǢ E֋W˲-ؤGEXOBnf̂ZBHΪ8YQ_/U˾Ӿ㐬zhcw0+D ;CЙ۶x f&xs^ZgnˤȄݏDB8|,W>tnzdآc7H-jՙy/MXö젭.gDȋ&4ԃH4JD 17_q+Aee9zCS<,Wӏ,׌Ru`,2I;* }Frτjkv AW-%f璌Hz ќ# Z NS,P^ޭ:lj( ^ۏ$%mjDǣ]̈H#F+)烊P"%cנwD-ByWFj7ѯ nv 64CyղXၷ6FMw%'n͇7]K/,ɽ[c˖:;,3PE6fH U`(v*ԄMWX [vd,Ea{X~]"|q"' OL<<^Oh܏v0c1H$h\|I.y9PZf@oq!͢^(ϘMUEsB3tnCY H~LrwLF +,Vf>«;-OHuИ،]6U V\NK5 zv"f-qc`ӌ͹++zlRdBWE Ί񌴫-l5AqpьW*A&=]JiVHC"wZӞ:Q"Yi"D¯)iur^+5`N_Z:r }e)w(u'W&YqڜU"ﳟl_ ܗ}>Z RjD~⬄"0m9 Mn1I{1z<4y#W+ .G9 M\yyT5ݥ ^]z9=(.wyzd  &~!U*K>'T Su#E†8f?h% 7~+ 3ێH֟&W>:>~} z2WTSc/P#`}/D03ީxxקE2br2._?ƍ*!f|zW ,6>c &_2pލ/i6Om0f{Fu# 3pse"@PTDStK=H%hX1a}NlFY ޿c^MX%)G[gFiDII\leuvpKJ<6`MpYmN?6"h^tnT/y9F2VWh9ܣgY]MNoD+Vh{w \ VQ |h'XYݨF3qi 05j9qwR=l{U(xU-}-:3BeQ~gtYm1&ނ2㍃BLξrAX9+vyknʵ|Z,/O|<=JEH M~@ڍFYXx=d9} 'D$KUxq?>-s~E~\N0BC~c  X>ѕAL~]&KTV(fi>#]vq(1 ~EPk2輶q 0KR֟ya⡍J٩M}ҶqfkYBPk*1.F{ک'KI5Qț쇪 *Ondޝ8+F&7OջW7 3wvw\'P-ҽoڎ[Wڠۣ9  SS9uQ K$W viZ$[ nD Z}Ṯ+tI~~,l7Ŧ: INҳY#FL5/- th^KSaQr_eF3KS}BH^HSS%&#?lӮS!>G{3 g}wV<0.=ve@şikWT7GeV)m4]YjBdb {S;VHa4i1#b;-QZo6j*#?vn!u\|l˂Ԏn9C`agTa7O[?n7susޥhI~+![8<hGE' P2l6!s2'}I)뢋saUNv@ J \*KvP!%Fo\;A+` ~*uWeytj% 'dĎu]2@~?g}WA!*v V^f#H>$띓 ێyjQx2XLӎNNI+ykBB.=B1R(/) n&B-TG=l2j:tkE|2d ·:g jsb \ɼne ga cFp;Y칪"j͓!-wzoF3#Y5a3x|]"0NbsDC`'_&L|ˆn,3ˏ,6"pȗ5}.RAٴ)!{_q8q]J~/Qpf>«Ѕ*{D${JJFC{]aCz*DJmBQ}E錳 zJ ؏QVg4ۃ}/;vY;#%Gc[\߄qh(fls^ITmHܣ+zbbFw fxf\&j_[ hk뫏kM6!!P0YQcmiaaJ:ևvou~GQϩJ'OwQ(Ώxnl-My8D]ӏz}.BʓlRu0ޝwS(UϕTDw!]cT4ω6N2"M1X~՗K(k.4C +>=^Ϯ׏DD ~~>ZJXkJK0C^Jc'{Kr3 w[Cf3sߑؑ ޽ǫ, ZX ASX_;*;K3٭Íe͖% m>xHwpL~W͏mӸ v6gpuŻA bx%qxz͔pGM`wSԝ8숐ԑ]U7ib &F$#ة: 2pR;#tv;v^;P.Rhfo/ 9Wб%voBS*]Əߋ5Iz~mY' QeNf;4&G PD:H}#[-|@P5?8ϐ`g67^R!c.8Z/0T/LK1n<A%d884=t9>'Kor)X C1CD&YBD r1D5iݐDˁQ@ o2Fzg bD(V|HJpրW3TQXչmHkTWZQ<LAYAڐbɝ6s qղiUO]c;Njw@=®dӓ:glJnLTi2LtɇeJ~x#R $`8Ȃד;DӽmY퐕SU7nV㐖}d9Fw7mR,' 偃~GgSȴT0`a3gUऑZULؐH"ynljB3c!⪠u,]SXÄK"B}g'7]JEdƪQ0(=:ٺjΚtj@NXDẉ';AT#FϿ#!i-'wuЭ >`i mW@]1rwβS<!FyKNh`[yZHlǦE_+5Sk.vVzF*2AG7nh=Aʬ ?Y&ӒC؅ P9x/ - iNW(`PJ%c @liCLC8p6k', ^âC/:C{0I}l#ps"Pґ {I2B v<T͑$L(Ski#N+@̃@3:}ґ-zMޞ9-Zj+B< t]|/!:(Tb<t.AλvLVN5k:=NoPRJDk{Uئ1V)VVެMz ܑWG碖ߡR7*pgّ\Bۡ{MTcIL^C6dx)^hub9'` :9bN X y#ģ+>ؑnҪ/2v_ogGE}ؘXmd3nI4m`t؆gşA1Ikw2DIM/>o?$]U)ȽĆӛÑ5O "-2TqWk INeو f9NGQnFnX*ں<(srFjH\Lw{l._SwU<AX}^qM:ꊑsrV:WloXRMèM,Qm&`@Gl@9O ãxf$]D58JqC4lR1=%,9wy@g¹(E4/5^vۑHͨf )ﰰOuNI\wC y6Um+y PqnByGpP(5311A5|~(0B<&=*^k{AϒrضҒi8gk"!* U5$>3>%- U &3wJ&8a6ph5JKTdh<mCPz{. 4^x~XBoȃduN$u\( hE[zkݒ]yPγ4ؑ g>fk UT`" gV)j@k0&Nevkߌ\px}CUXE@aN}//+(F" v -P 6pOL|^M5IQGvسVm^ޱ@52w agzMqR/r %" ;AaS⒨n,ޞ>:>%?Gתyĺ(:˕tײ',𸒲(V5FR3η7;#:(H@_<zV=\':)a'΄66lLǩP͹zQp_t-}v b{و֞#[mݑ[2ErZM W~%Zyʛ畓74Ov.MߍJgVyGƃ+򨑒&ӛԑ<OEʺ_DZ/ّLLeOR- G-tlR,}IS RtKdi>Ɛ4l hy|@t- d+Tr%2¤I WC(RVWbcQÓi C`i[L 'GĂ&7G,H(PAb {&xuk[Sԓ+#DF V<&!H^/M; e^<ǭu,jdBwn&ji_.O11PjdScĮlW,F-ijڎQ roWml]{ݓЮultq#pGeGߏvN ~ШN/ĭ{tJ߽;?5H0>Z9|͠viWT -Dɓ&f0*FTKkDѓKvnE8($Yf1Sp-;dҰ5{nBԝ21B?PVL瓬]_~sK7 Ҭ-E dP: ]~SdSl]ޯjT( &Ͷ7C.а?A;ѓK!,#%9rExڊw`*('Ѽ;}G  đ\O8I=Am"F$2G d:֓cv4֥Msœl( q>ւQP/N&ͅlnoL<Δo| ].Y.@Δ z*>2\&)TΔ C~wΐU`޿[֔#1&d pkR,au;^K.dC,wIi۷ 6ޔ/ݯBhDtnE\3.:R>(cډB^K<ƉHchhqȞ'\N3Ieb_ҔRG"n(:7|43ORo9=C0[~ŝS/cTic[\ Q(;&daMΔfrCjJ|# Y#]֔kczOKk!jy$ξ,\m4Guwp9Jvel7@2:i(?הxjʯj 1eh{;qWMF・ P|BH鐂MYׯX̔=eSĘBӋifA5S=Wpk<`{?SYԗ{C&j9锨" 252ٶ>o=0L 7 65yc#ėA\me;`sfhFD{ۅVFeQ'Nd6.` X|h:}]$3B!۔¹ī rw $-!ƙ'4V E”LYT^_>czu˽U ɘ ms2m5ſM^CZ[kgqO,ՋJ ϨOz`Ab2:,ףQ:d ۽ЪfȪ-:2׭ԖfE,q(qaE29_DV$:k"4z*p+3]=ۧxs)yoNp!rL%-5|#rdxi.0;-@CTW*`}މ "A^_Z!YFo0:ၕh*%6<qG,ء.Jqpx=ԣUۏDm$Q˻r_"Şܲd"̛ kL#ob1pHB q+<flW+qdBAmpe2p#QǕC]2)\}D.=$7zJ<![UZ`r ]կV5+:Ƞa܀90`?ڕ_>[عHR``pJ`?Oi\Zi(} /mʉkRk5Az!G}kWCvR+FoJ[:K>ѕ{1~v$̸ ٿf}]6lU\dvʕ1VfS^hAb?W%IO$J4g}wMË.%ܕ|З^"i`%:8CML$U1tGT]ꄠ^̫bez|^? o@3?ߧ{!)uֲ0dMצϣ gϨ8:U"8]q^p\zcןA{ ˾r-H 4u;bj70bSkf9؉մMm5*#?ZPˊ:YZ$yI)SR[uKE)kLںCI%}\NOOuHTqM髕7w+3 3MP;;U8v,{Gn C촽q?}EƑLhʡg.#I8ӓ&#ץQ'籷M:S'SõC*)џq'*|B@A(ѧ< 1 I DÐ % d7A@wА(8=F2wV*Mf2A9:W:S٦Eܧݼjmi錼F3qb~e[j.IBȗͮcY[ NE觩ڝOҝudTe`9lj8VO"`ܸ#3דKfS7ѕb **#ޟ)yԖkOJl33挶id nWNi {=U:VbCo~47U9fyQ b"pZ`n.r|DVbT"oaoqQO›"gLX|թ)!,/ߖj)R=QVc9{&[m_$Tm7^wolJ=Y}TV&r!m ʝ_(kNmv^ xF!IzN0Ƿ@M0!,m+l$tL/}&f?KCU+},)KNitZ#3K{}pyR/6w y)C_tqߨ6ݐUAa6"&6FjpO?i 1j?9b(BCؕ#D}譹0׈W Vꭢ Ɣ0W\@._LLU";NN8ND'U!~M=zB<Q=;+:K~K`6.2 9K̗MI?fݗU!)7bA-K6yΔY6:_Lѐ&)Ċ\.aEZSk%f wkUFh uhp G|^klrc]\JV$D%V~qJ9>LB*l^rLCl:RɈ{|٥=_ʙa9○Zn` Cy ´z0ێ=Y]^\w-nyɗ +R)O!9s'XMfY.M4dfWz͝$(,|뗼"jz76?1%p,ռβ(;,!~jJ 7٨L1`W̔vu|)l@E×еv`S`9?1>>i%E(VH碑±cC4|,3ɴP3}źP2ޟE9ܯwKuk@xV@4}*?͗'%PR- ,Z) Jh㠄^ 3sGn3f8@e.UߥSr,띌a ] N}`N[~ ;*IY6I t,}58HYalz8*R!Il^v7) JݡE]0~MPpM\GȮ޿"` Y3{K.T)(ipR(H$KӄuAv$gl tPZ,-.Sq;S4):0UNWP$~J5ZV^d6/|m]{Q完ˍb i檂LRѠ7DK~A"A߇dɊn-_CStܼ˯kK0kCTafgr0 +;/?&b*㶼%2Oe\|,޻T n+aHHM &=0@!NcD @?42yGJRϰԴdxneҘQ?T$yB-,ˬESYcPJ0s(Rm&= c_ OF|G&$Gԟ)<W!G<Ƞ[r% JuFz8j][ԕ uA}M=kqs~i l]¥pB1# ey>caF\֞?OOŢ-d~lf$r\-~uChkSaDT~!דL6ΙH{O'b{VIkֽn_ʝm@TߨN]]AY-O<3ߙW\vw:NjD^׍N%tXP~`x^0G$Ppsjmyё@{t Y<D.w3zJ2,_S;zn*&͌^<~0 '፪=F}M+ǎAt0|xALާeJX/rwFF`o;c_C[?V`k^nu]됙 2fAf)WKк1b:Ě6)BC p}*#Q:rBNѴ-ͣw/U!S~nlr[GN6I_a fPz=oa@@Vd<"DET? ѝ#pQ vvXdl4% 4z+ lE|S`N&9%`[u' :p \]ΧJJ9h yE1v fWJ91Բt\*79w35'60;˹Ś tθ<]8CdE>Tx$$<!倇ye )^rb;޲j,)".6 ^ 3323R2lPJ4Ȣs2584\, ;њ8 :jW@:#0B:xn:=jpWF,?Sԇ%!\[.{R3~^Da U7RD?c۶_(N-^<,m _*/8c4YMqx!)=(Nww%0v{E<œ&fy| ²,]vʼna%{Mq(E'UR+z5BLTm<zyBO744%dz$SFgS5diIzB,A1[ȫ횮*@lXRi͹DrR2%|s#AײW%mfɚqa e/B>&l!S&q/LH3Buf;Tx~X2_lW5Nޭib75* b4pC`ɍ:3˖CRQ&68.V[ظm~fk+B^^rFKNS-?Wgs ݚ|$*sUU M "X #b2o=%RK]z\|ԛl+enڅҕZ՛ 03e4.Y@[^Esi>s!x0m|ͫg׹&s]IB0$>)WOb| ЅP#؂ײ7>Z0aW(+!+2H?H;06E}+O1MA{yWh7CĴcCj}.ЛBRKW?y}fWt"JwS}VN3<ZjK*cD`PrqK𷢶fa-"C]L}tJ$@'iT}S!W_$JSZDq2LfSe* XXI~3g/0̮Z<֥/ԃsFDAqal2C+̩:rҗ9<w4 s?_0CisOw3-֯b}cqZG|hYcd֛onMvuʿ%HetDp(lui@6X̭t~˛x{*& 7h8%O`V z$Fe:S j|@qC GQ3hZu9C A)Q@ ;e]I5Oyo@{fBsJC(-pSF!T֯| ^*R!r PQ8݊*ͣbc_\]^ut1!Cb՞M W>0#6J!N6A/?\K^74 g rkngg#w*C+W\!7U8\+G$rE_xĜ/+RW_u9h5& <` yD" m8y#;{DfW1)QwgcPswStY$So#8*zj!U#?KzМX+^{_HvG坩לZE'??>gc"b]8.˞% ?\9bo7:zF\+V7c0I |S(HPr!f3Uwo#ulϞ'qL]kZg}qÖ־;?tu7/!; 朄 ^:"'Dlv?A=dCw_ &yy3Il _;X̕1 v,y=zp65(ar_՟w< 64<C2k;X+?oaF$qR%~&WO)r* @aY WèSgLrbD%לџ:H [TEֱ8-Ukp%/3H1lz76-cS΅/ Op3@vFZO}D?BQkՑԪ 6^' k l{ߝ h1PK Xj $9׋e_ ѕx|ٝHgr1W4y%ew2R8_[#e$'_L@"KakczL̅gj$ǝ,8U|5f0p +Kc1[X6"I.U|<h| ÞXP9 A:W8o%]H -=_!x*TXbS.Isމb6b *搬4cƝc '$l=[ `ܝm+w:\]B(yiT-:D J\$w6$tG;Έ=<<d{>4# c%n X&Dp2m0c b의Ə+3]ԠF\C67)CjD(cɓ҇f XE2xƯ(bZ+pw+J)3%[ b NL“'ٛBx00L0UDSar8[L "~}?’lH/$(s !1;J s&53h;E\=w۝ۉLܴY%rs HW;;߳`2fKucՂZirLtESi0,9 x6nWl R c/Qwo3Ӗ[*.9AUͪ]}.WR#x:rGb Rrs[(Hȸy7˿Ӟ#ŽpjG=,rwؗ_1U/C9ޫb}mjLVy15g@ToqUrt'nIgI~u M>59TWS,xM2!Fׯ!r~;(ni3d^^( bsmEV*nUC50O`|Yjj~m'{\5/99{B@ )v2CW#kϫ͞sJbf'7iGJU݃1Оnax5o)'O#c-q 6 BYD%2W\2Co&fS΁%1b͞傣ݪ%S]܃/* /L# $5X#鶼DR[o2A782m3"<gI6Z>JdjL,g9ZTuwu1aȞ  (Y c59&k-fxc[ Pֹ Ϲ⯟%c5aݽ(nI>\` "d, @}Ib9" q0Z̒`ߟCp{|{d#܌׮Hx,mo䗡rI=IrrmK[hMNIuqxx d۪̟NPN,Ń DY"~ S[ WA×/GXxRuuBRˬ[{VFM#~xn`Sjb`FqŠȁS>5}﯐wsOtQ1?&8(x^G w7.Y-6Bi1󞶓xv곟ﮟ8zMO>ݟL™߫J #Vr dWUm܃o [ZG3 4M<QJm\MڟM Ryl<WjlE\sGwU@H Gm죊6g6ԇ }ŵFwtMG)7ΓIPՓxLr H$T-æ<H[ZdG%u$5jbalrVcIZ] \5[& ݫ|zj<͒k w~Ԣn yk-UnӿH0Q̢J]75;RթVo8CV˟س\Ql ο K a)HD P*Igw ϲf:h*Eɟ9M|- }eGUDvaoa(Ov[Ie [ʰ+`\WF\q"xn2`Tx‹T'j*VtlNʞl5iz D)g p;zN*۟O~l 9Tµ\Ac5&=}x*aҠFR8c9 dqdxc.׭mc(鐲Djzq8?^$ gn,<zZ.D hF wPq15[׫GJ=t].OIo+mנΘ܍nz;FAˠTɔpɿLtMLZ |iDQ%1[EjN-'Q@"Р(,30uh(5nVϣG /dA+Áiϗ4Wtr¢` (jH yZ̞#F٘LpK`5Pk~W/$z/״MA,1YTF˹Ewc-†i/_DvaT=<74uT_&+kqH."㣪0c1y!㻤j]ڠ,LS8&U.aF2{娾9x,6K*Oa5MJw$#8FH^|)N/ ˈ|U~홧@PT% H<z Lzfe$W0u7J)A Ffx"jwoߡ: LO@/DGإ@ h$*~XhܻR@Qn_BlݖE8y0C.Ŝ:߈G;`%;7Hq++Ԇ Nס'Ha͐z?N@sk,YWH@U1\4GV~uCo6@@!>G6[NJwC># I~J>-4W ́O[EHz@ޡwP%uDna/CQ&YH}rWeZb.qּͤarXڀt<VP[a?b3go(U ʆ(@)@VhUy5+էG6ܡk8,{6 oDy-׺zɏ-|^o NFpeKD$ Ccה6 i; U\K'31 GmNƞ@yc̥_*Wit!zA/nn$סe!πTx8ӡ=~^|u CLL4+m}Ǖ\$I(敡څ>^\ۂlE!,8_Osx#"='Ad5ť֡ "kЊ.q")eӎi+\(f|Oum)n̦'ݲ'%]uBU },;ʀAPW3e#TE96**L R$,wHҢ>bq:3`:tU<@"u3m=:]yʓA'5x̠RKX IR4CsEƱKu;.cjݗ[\LC{լqhؼ^HLYd:.RU)iL*Mkz ;B8p<!Qr}NꧢULPZ4AƧۢWi>=<vojJ1FxڴlsuHiF-{گq+ w x($syUq#3a&2Hoqr<6>8ON>Ti\sEFIΎ8(`w kv(ӝ(ׄsppyRQ$JHEạ 3ں0r VRG @ YI*e O߀m Lх٬++#CCN0SŢ)i|}Z= VI=NBD],X!6JsҢAn^Rࢻy"naYRw'0NL`bD8V6JG 묀rR[\ےӷXU#gQJ0/}aKюZl KwA/cZf-݅x:7Е8 iZ"YG_nPoKx[@BʛpJ_o,k ʃin[ eص ƣ PW*yhfPK1if2 =Ԁ"Ңq jǤ{T"VܿDF_&| eH g2%e!8U(2:՗7ᱛ#6 Rh뀧b7ޔQb7g]d ýBqc;I=.G<Pޣ>HNѳ='ˁE'w|ʋiFFLkr(pI3*[P(!LyF_$[RQlhYokGReCXPJ`JvNJ([55pA-%8OgW3eDv3GZ Nxy{flд!%AGȣSCV ;Vtˉ`Ƹ֣sG^rNvǛ*ɣzU>ar)|Dazcػߵ1ElLpE_~v=ʣS"5hj%c`(ڣ[b dW]zᣰM`8 a3ZxJ+s"U1h{Ba>jKi?jh7}B Ph{ lK.mz'}ە4BZ5/"N q!-ϯH=_ʅ<l7vߩP786<&]!Xs]"~{ Lr";R<egVr%zS$!C 1H&r1ESMPq?퀪 ٶ+B2]㐁jc?*(. 9iY g-iեN)/%#%ΝE $vg/< aHThbvʠ}8@2s_[lkS}@MX5@1u+1Y@+c!6%3^!s2s6hDA ";ÂV73.IMQL8@ w~;(cĞAU*Kn L[dw'TxNA#p4+zuOݮ# S#}84\v`5sF#Ϥ]>g)r9'>aSgj76nGԣhqIg+l[ 븴i)ԓ?D+g;[Emoo?;5yoD= #(M|׺} z&PEح㤑<|قgr}mEb <m^,PoZ<ƩkGR3 瑜«fۣ 8:O(j}|`.SLZ)9V;oc:ER ]M[ # mdu& Y xTcЛ~Pzi \܄=X͍=դ[39-8b||A1m ?{xZRK@Fu9]K7B9$ͤ7o`⦤(+WF$836^ҤZD\ޣ?ͤ#~j5t]:rRS7 ag_& A9?n]f ʪ֙J?GZԬ4KLܥ$ޖxf"O<j"$X30$# f?~쮎:U'"I/=7!a3ݥIDΛhW\cNL*E#M)?a%N#η5e*IP.fBC-GG[mۼ4*c01],-wj qdK_g٭-݌}nh4+خX/鋥i\Su$P QWLEi1edL" Ds'Ч6޼HR x ŽR2֣yGzU+b ZfNZ- };Z!xNc02h𥆠qBhzkvϓܥ 훏uGTՓ3+Yͳz.ȏa>eѵ/L8 bLt/EQ@#fUԼᒊ<L>8>YRX lĹS֤$x{-p"^Yq] 8%yi29.||ॻHBZ~c{WN #<: Jr$KCO6Q {._U$E'TڥK78|fD;ݥ ޒ<l (b =d(˟`KJ<oN`S(mGCW/w\ L٥cfqnW'lzKtQ !2饠e ."[Aan>>QXH-҇*+4/-k!\jDd^YæEgRW{b@ ›&3Kp\s\™ OUZ<]K^PP$b@IŇ88Q crl@Yw)-ah[/mZ0$@y5!pxW|47>_2C}(P0N;Þ$*3uݑ|`MJX)aIq4k@Sx/$ gϦ 4fO1Q)p򌦓eA};`@"hs3Т[|sef tm@I#3yd7S.@]kaJ sO d/yYtgƊH|3 oD5~dʞbT-I@/bMN _qF昦I_s sĨL\į/Iޤbۯ3)| 9dDv٦HWQ=zHTuPAukphbs />e+rCTZIH&3&ƄJnR\ϙ[email protected]dDEzlΉ]Q%ŧvlKYuqRC4/\>u#f|<s3Bpoq45#y}6|?qOуZ:􎔧"˒BܨbR=GNU54&/iC#4$K)+p[6n`úOl<l%l˛^fUЧ=ZXl~ra`NMA/tRkS.p\§G@E 2 Cf{Ld? M,'_!+ mcڤFbл1s(%/I|ҡwS/4$E1FKPNjAY=-ޫc+Χ`%q ɣJGH0 8tJl,'gҁ88@:oQrEA3"g/5/ gnBYg )2S8U9L$H]q`2ed(E.xO*ħwŠWR% @lf DnGgJD 3O|&=6-) DmMN -4UnW{m}сK+Ŷ/gU%D"|E=2d؊xv'?0~Aٍ'r =eJx<)4*v@N%B@Ѫ6i|Mr웭Ȑ=V@?=ڹY%T{Dh㪧2eH樽*ĎI`=tާO:sgTfY~b6EQJ90nߟ|-JKPed'xJJS9m}2: .;zmrtʚ?J 6|/N0TE p#HbT9"׎.R6W">;&U=]5rP\P}r9"`- 6HR98 ]ڥ;EbDO.Y@++n#F8H0APvf\; vQQA F_I gP 3IJY ijCb'cNL<eLĞ(@(z {ͨLro*p}*N=ň{lFS&E YJﷆɈ<z!\yiLi,{{h`R2/2cVMm2Xw|fauon#X׺ {~gĹge+wk\cXgeh;0 Rp0A~k v߾O*#J7q+;wigxᥨ P}V3䄊흼î? 9xH;UYt žy]@{G'݁m-% U 6CJwFtkԇ9^k2bhViRHD1W7L.x<m\]MxhyTYvYP1ȌXo}<k7Y+f{h癨Ͱ0G@A% zR6L%}D7M3gFZ\ 4=5WpEZxNX{Ida%jکg9ۄqʦ ;L/akS.?e ;@Bn1%P; [0_Đ/Ę@¤QjdZef}WO$k1eW<5gb c̈T +g0"_;܃Nk0ںM~d|n42_lj⚜Π+1F㚞!) wT5wQӑ+{R0H^U )QN(sڳK~JaSl+5#$ #)[{\V3`yjוBfF^XCEqj&^q-,7QoaVxXqp/|*=a4AF]vfb^zWhlJa1i2@+  5Fr^DhZG) Ԗrv(4nO5#|ujJNTp@BD0e( 33/(Ha [tq4uQ0TR13m0F;W=9]NUWADx`56ulEYwYZ<&j,TXF99IByЇޔg"@z LR$0U˩7.uw֒O p0 ?, NbqiRk >a#E '(q= e? @/hlǩȒ ˨ΐ.Z@\_q-D]_5A-25 <%L ]]rSڑ3:c8?7[U납H^qzz&ITD?$vN!eܯgV I@GL_(%_+X;N8{ȓxlx1NgzB/F(re^mQ_uY)HqBVrV1{oΦ^ (z5H'^Qo+fd,_[D\d_X֪} %UZl}z.DR5_{U%~Ea>iEq3aC9e;-c3&>ڤp֪i>AcTrHKr*n&'p5;U@"f92;kLSxr'JLۿmB4'x(96w]սv E.Yę 4c#>IS;<Q}/yJ^A詻}1Wv$2(ܪMVj&m:I޻O|vRmI1xOה .?YDMSO ^=X8;< QVm u-<_YpHd؄ gI#CGZbl_l'e,$|8nI_6͙if?jzA&)šrP~vܰtO媁YTbx(䁬\^{,閮3~ɮ熸[ ΅X(* ,gbD,oϪ(%;DKXar2teM$V4ݖի[0,WM'd.~ԑvep{ 564*{%שŻ[B?FMah@0fǺOq).}Aժք`-{/Ŭd|Ep<❄+c(0Yc~ڊH7IƼ~$һ./_Q#$BWO1;4*h|_ ;]Ȉ;( M./ B4g6 ɜ= (- N"A 'RZwoثKdHGz*9{}|: m>ed;ژ h+' 4SwL%Xh_/cHUIȀ ζm6$43nΆ^ɞ) ڤN'76 >S)=cVJ$Hc$-cK)F:lXQγKܹ13CçZ"{ZЫ2\*j={|;†.2Sb7`S`_⎭@Z۫8< Yg[PC9?I} 6+:HвZɑEe>,JOяĒ Rh[Jp~I }/ce8Z7{6ɯ>wXYZkCY2xi4$*^#&uHnjk_|\mɾW7IHlBMZ=qX~ Ol*y37%/E]2m⸒eHkҔ.ql!@FLj@JʫuhTJv%Ko{56}wUUXT`~c Aիxd1[uCv~؝fn‘v=9=^LO-囝"(Pnī$.̇g$LU@Yظ⫓$K|6(3Q[Iw~~ޫS+Y0[VW/hOn1p_;䫚 @ ׀p rޓa8:#U&(&o*YԠu' /U=sxtcjm˟*WK,rSl¾+N&_6H:g5&2N˗Xa mȐpe>ǁ Z+uS{O>0ͫ87(7^Fޜ2)?ToG=7ρYmۨo`ǭzq'⎍|nxetKūɮ(ٓx]킸yz\H0gi,Iql.݀)v)s찁n'Ƣ6?vxydENySJ02 "J[uu{=.:p"*DM?`j++}z)Wۦf_b"l Cʟeڮ. ?DBr1^g?bnKV<  ם٫#OҧD'BUffӬWИR5YxYBv,nHs9o\j?qbgmD^\d_nS`YDEb!78Y9`ௗeB/uYCeOhWP\yoXXr%81es8W47?Ie641.Pl*\C ڨ*⽶? >s&7 c9fiܠLJWŗ(ٜ >7jy_/v>kĵkH&i<m̔r32K٦\B#>Cݬr2q@ìvJ-:ҪTp܊yE)0]JZuӲ2T$/d:~\iA<lBsmfw ȡ`m"j0wmXOut9&4A6hzdk:@ uS6uX( oyvWN#'[Pgh6?s" M<t3w,^"OcSc6k$KC@BlZɯ74$\YSM7<89q`Lrr!|+=vMkj<M|Gm^TkpXA=[uB`eޏA<r\kOu$TGc<︷aRН[-WcJ*8yWbhafjm[i2jʼTHsv wc]&xAŭ}T ڲ{`&)p 2!KK~MhgğlȊ嘄H۔)^ [jח B9bVĿ$x1X*0nNph&rDfǭpQvΊs>!;mjAmQA w {tdŻLc-!^Յeՙͥvņg>{%#Y+u޸̦V6 kOw'έR:;dLj>P,c7B] 9fŭݎ:YH=b!^`TLݸT~=nS^qBCk Cá~G_NEE!a2cu~b !F}\'ޟwl&٭ xQ=Tbe`̚JZ{nF oToi>-7VӖ>2fNwПWǮ7:O[9p@BUMGK,(IjW{ݲsg61*y/IO8fhAI 4,.|N5+^-xC6lJ DގTL$7:i]2jERP.1ʮ>'݊H"!IB++ "MMQ&T? ["V+ pvND0gDE3RLSV֮O{ OA㧄֩yM^Sb93̴5CG&Z~:îe:Ox8׀F|g$+dF7ghCCxȖ tr;فl6q {XJ)j7t&W?$vBvuh<5Z$*~I>W>7p]-Xxvى$0RBSvB06EG_l3հY|DlT0uAk=dh"t&wܷ<S u/HR/>yFdH$ej\0?"϶ZˮuԨ߽v_㮰:㿳 %_:̉(;Ҥp 5'TT&ǰJBN-^(DŽ=T N@ $ǖQ%-y5uJ9v?]p*\#l;"~2ݷwbHHaUIws['Om +$me2_ _%K!3+ b>@q}ٯ#~\{ Lnk͂%|gPFoc۲D $s;}Vn쎩3C |gclJKG,65h PjUxdvE4&g5?ҧ5ɻ"߼|<R7Pz{B@p1*G`mȂYJ y;|Sk̀uA6X9e- aoBP`.3 $$ i36ˇze[ҴV>c>5\ ̫;:١lRո R i28dƲ<ӯ(B)xZ1@tpկ)aZlI1iOh1'8uB')l 2t՜"CAUrc'MSB<,RۯBViG ]M6ՑZďJVETz`@Uw\͝n'Z$/”y]Pl夷A}22IaY_"k?((Gi=GvD*)j篘 Z3A||f`Wf&3m@j ;n# >WzV=ao\mcY4K.wj'dKK|]wf(`]:jq} |Jۚ3mNa:~QyU{Y,ݯiZ?|)'2.X1o* +GI43BZUe[; ^͸_Bfԝi+%RRwu(43DJD^:D6>}Y }`N:b~tEth䒥Y4LٻȐݢ %B97KO+fs%m9N2nblIŰ:q^W+x8RuMjߛ \/yfaNˆo'Ywk#ͨ1)/W~M!;96 U7|Ny D/&@XPHf,JV!a|?1Ӱ6̙UJ?O(8 l̕m8JdYz57Ȕz0 [:ϺYQj V =+ELDm=$2 װ?Zt" iMbˮ Fp&p$L;OIa,FNҘ>,C!LܰHbΡ'<('Lg[1' W@Tk]Sf >}bB^4%`Tr?^upcj`%u5}4f,URvmW_鰅l P+LAJN°IW2ԉ%|3Ɯ_ذ8'z5QTw ఔ E ݓ?93ȟ$%ʞ ȄZ8} Xi/?KS %X֩20; f%-'M4 \ zը@H&u 8DN:!<hYZ6(S~vS,'$԰!Cg}a˺`6)1i0[ԥ fGeBB+t=kE/=籰t)'}Al)˶c*b8diTm")_h/"GjΏ o&7ړ#yyK. xlawݺJ|[0u@y̳, f\av%Iᜉ 0Kڱc xfͭ<TFD{x+ӫWѲ!oIb$E>@k"d/L郪4C *9ysi0Hݚz`G+; @"%G}PB,^{0c=/b ~&(fby35(6&癉ѯmһͱ96 Knp(˱=[o[qp\@⌃‘AAV7TKz*N@5Ra5 S?iA2WdH:$"_Y>J 1)-8K4_6]GpUje>\gݱ_ߴ7T>Jpͥ|guCDw.T7nMynfo 7U%6Zpq 1~0Y34::rUr(swu-4os9v3ۗ!jE .pw֗-۬lR+*SytR]ap5= )s/>:(,qAGπF—] rͺ7L$FSW>&>BE84Td;?ӄ}[gޫ-x/sꕱlvV;J<ueX,{ 谧z&s_(Rּk#_=TAY+> A<U]bv hJ4- WeTjR$cl.?p%pu]ڢ1#xս++YGJ7ʇ˫PRU8Ξ'O R&s66VkJyVҔɶ}Iw\5\z(5#a 83}H=C ykWaոe3!&-PnGU} 8&:|$7|rGEw[]#Xjb(f*5$ý #Vv'z㟑ܥ p?@b;|/I\s<)js*opyU%/%iB)</%wq;ն0N8%35в rqtPᙠq'"kp$_Wro`wwzu'Ѳ*sCUZc>~]+^:nC3)0,Ө8GAc#x6u6R4f? eC+\¡5ޮc!AW2&HhKu<iE +b xƑf~Go~$–ѶDm2H\c)^ KP<T8yg<Vm OτۋFd.ݎnZ Z:=Z%siǁbKKW(ٸL'ipv]c}}g: c_+_4N|2w,d<E${*!m'h QʐLVZW}n%NX&䲨uI62.{װUW9辽0 OAe!2_X fcdKp@5dP b`$ԊxV^qXIv5֌M[\L3 FDzWK/$;$nau褵 'W˿KƲ&:%qSbA7*>y;\\<F/F/ӲxPPM)@0?+Ȧڦ&b![f}p45i}- h?P.rר1( ei{fe ̩Efz;⦕N)<RƳE(u&X#sCJI~-]{xꊨ{{i6GH,H_,.c jКcCЌd@-z˂5O-DP˪I>}18f R!Fʳ/(28`JB3$9Tu$so8OzFzB82vxz>@M O+uᡊ,>"ݳV}xA&S$ɾò̳^{& !M{`Pji0OClzktn;:xmQuԕyhvM} sLG|\ #kB-!5t0Į 8\r_Y^#lݱ2i*Sn|#4y5 *ϝbKۓȤ|W( &0ElӰguFn?aMls*{qh3r Qx$3_ihuN:^2+[KW_iJg j=#3AԼ}XgiƷN֧9*ҳIHm #8èijR6ڝU9-`0"6uYóUF4%O<<lۃ~Rbi3%ްXR.;B焚C_)W )fN/dF;AZod n`(ZKGYbݣ0\y)ΖtLDesf%",V.A3DBtěgPv!/ǰ 8\m'ćxzhWC^haFɲ%2=kĸ:v1x'3Н1l'i0qLK4\T$(k %(}+Zjc+<EN)<z,^AOٯ֓,>7Ir2+aB. )"3>=qmg3.`M_VBȈ5qptk|]nx"8Gp;w)뱴<u6]X+DX]GC})BnݴUmPƊ43d$UC_Y02aD7)+?d(g[eEN5.0M]89Y~en݋a$`". Ͷc[:͕QO4Rs)eiI&޿!Azxdk7ZET# Tu!qǬ??y7@sEDqA -+oh@9"UP?D%z0,z ="Dө¢;^1['`kU별'{l݉fX鴍8*y s= oÒ9g|yļ~oϴ"OA<kLֽ9+jU)2>hѮ@1NH3J78;|%9رc`0 H(~n8R{_Sr]#'ӑK#cq`{[ɹ?$5ٱ3nrӴ[VK4r!"sex<ŌQeMOWMvl)J?; ( ]Q.߰ Gaƹ[/ 23YuKSV>ap7ں;9g:C. ^%,cyn)aBr [c=7WJ-G5=.<E p;( .5 r⋧T`K݆߆ͭ1ƍ= ߡ "2۴z iOudHJjj }4lxS]D_BH`|oR`Lٜ &%d.` \@ĵ7wGH5  SlEGص :ySJa0!'K qlB( t}6閸|^,-հ{,2( WPBt^6s{7v2B⌨:9FVc:ܢSPԦ%HG(gNnO0H |2as6]i:I0`_ʎ bJ䤝x=-/l7OTfV3s ^ cg_2N.juvĵ`k#SbN#z|ދ%liU z.CEUV]U׹Yȹvcp3cJ7 F+fеǀf]́*zuNEܴà5־j.QV40  (s;< 1 ͵2MH.)=q Dٙ".8{^4_5d(=u+bjL<<iřCP<gׅVvhpF? ~=<OEa(!V6MQbؐ Cm- @4Bꌵ Ǐ >Gt[yChHьL F(v'I U>j隬H'e /QT[DlMg0OY-I3O=Dw=?9xhS(j@Gg 8 +x*nQBh sinQcnՒ[DjqQҌJLGyt IVXqEk$7% 5 ZʓH_ϝ,>o_0TV/,l}eRཽ`of;@a>7gci^Ϋ FzU(/yhKT䪆|5FcQ-Px^̶ޜ2";ƛJQMdz|C U!#xjvV#͌ç ]W )'|7P~?Q7]/]2c" %fo(L9}g>ζ*]돆X d,x'tm\k;\H<k wR}ɶ$;69hb4"vՈP2z!>*F~|בOy5hUf\̫u> `Gzk6 $laӶŏsu^? W>@z?xr7&+6R>֧#Ϙf?e6 ]MN$㝢UFg҅m7o1[Pp17 md]-ɰ\Z)m.5bꪤC@5YVH妉}ZR#%9n]yE7z4Ly zfWKw:d1.b a"t F Y!fa1(Y9cRgme)9G<7!uzN!I3q +(dM70&\(Pdä:8s4rEKcH* <7y֢5WnXs -q:zuW<aA^)C7XQR[=؂ W|JQCi<Zڸ[̓#Q "0!r/NR\|)q1H k޷U w%W W<+O%+"Z`=[email protected]+%O](XA(Nط^6`6lh) eՎPi`kiOޢ*Ֆ䯷m/<ϗ6W÷q-VhC7E%%q߇_gr&gӺqJ>}I,7<auwZV. s{} vEB57 PUt41AsW5sCď{Zu$ݹ66yr\C#tbpk 5 ę#W~%9oR;ѥƼm7jе`Cٷ698$-⩁MOft"ĂTΗE^5cA;5ec9mХzq|wZ/ O+ pXe>^5CH-hmKd"e7Ax":y'd$]DjpJSdKy/pM@dPXfuG̷tk0^Ư/%;yIe *ց{,$a&:]ڷILWLfhtJ6#rMa~dkձYՉ;xA~Ms@j="LZ&}h =]%%Fy´+,`d #ȊtAC/4bϬ4JTLjGHlBJ493$xl͓N'ihj HD|ʸ-)|f-w7\0`6%l!+__$r @8no2Q C$CW:\2`5oF2eOXINĈ?g%y"O^-t RJ@ 4~fԹ8ɼC }w[+k$Sh@m ^ɣ Ofb+wsmDwE 4֡`ʿTv65ɾoZE0Ԓg-Z EWl+ L NAR.z\Jb1x̖4^3Hjuwϥ78ȠF==,`a~6_=p;5HuVy!bٽ>c0T\ Sb7}=\~5 [ƣNmNبn3KC_9(bXmx2?$O*F],t/7{Nl]EџD lUc?*huG,چG5),T9JSXF .Ym1?=?N0*7!ԎKuz)n뒹4Pt6 o xf4i-DI:?pZP %6";f[t!Lےq_RBAٹ6*F !GhHZlUehСmHbƉDUMQ?L nck7b~p3HAw0u=4,%7*^!w|UQV<޸Xא빂>J#A fe)NyI ,@}Rʫt E>HDiv[<yYۦc@0L:m%̶VIFT2|书K{콌4b|XF- UW|M*Twķpߋ$seQ+Ƹw.9{!}4% C:qMӶ1Q5m"OiՉIc} >'ڼnYFl LչRf~FWC؀-|NY_K'xTշBBqU,uN} stٽ$d$yBÞ9Fb>QаZDzUeUL>庝/7^1?T<c2hJXzv-(1k5::ٰ@9iݑ℣2jp=:Rt(ouqqiHK"N25Ȏ{@ *nKe><J>_+giQj~'LpC*,fU7ό<9zLz&u䯺CI$0hA= ! D^yxqr%{_\ݺL%$#-BsVᦺSupVo?6 ? Z\ߥJ(GˉĄx ]41o &U:3zgaE7Q@-{jbOWJ6X#NTۢSӺ51H[wh$Gak ¾Q%\ITZAP>oa< 0:]{zioAcܓ~. od!855]Le ?3\Ӻ x+Wʢϓyiu< к єx; 73ǺG3+]nÑ^R[$G-A<İADU\[b"We1*l-m*ɞ]sx0å,1{dIѹsy`?'ƸMcthҠاϏӢLU=aeh5PMWĖ{Ia#G֑\^ɘ K1 Hf[m~FFI;d眍 0}3`J/PQ Xe˺Ӕ ½j߻$l!s%"z#$Rd{zOu!MD)*Bxwʑ$PK F8'Ѹbq+nڼ#$u:ȖD?#$ҚxA.C BqDtJixQ&yhLEKZr_ֳP께L1 X^r 8p:1Z|q|yRQ!э9k_3**f{RgdJ2su e?"otX^Gis:ߛ vY[#oG*v=gߋVfk&ɻ~ctOwynI8< T/Oﲻ1-b,uXN'@ٻ6Äﴛn1"„Cáa/(֛i>r^{#J'U;iVBSZi)+Mi{36cB'YRrET#m ӻvE9w;\N\;tFj81s/5-ix[!̥p߆Ė*9e=v^ocq"8^hOUӻai_%FREVǮqQK'2gL_hBG5r $y潔x;x?JW1߽ m9@ ˈz3`%̨-%Ue76py%Hzo;'``!\üJcbC3ˆiN>4!] VP[ݼV s,kP^vFf+@$rVTLD i@,z>C4,%q[`tDgNyœj:i1f/EI.Vn㎵tȼfM0٦rN/Ƽf[^ F 57r)LTp{ kno7꼈U_>R,ѫ/=s켤gi pȦ/e ]MzJ(2c.Sũ  aRezcvam<UWOt=#ܩ.˽Cv2l3l}qnߩѼ 2Ǫ4v=&fN L^1pO 3+Ҵxkw'3GW0e{T,X'U*~,|z*+-ko0<+.QKLucUJ؞<WS7Uy{£?4;MC4U@[vZծ7xEx둹2f -dBH@dJu:}QN#4(:/0똋2٩[.4PHp^$K Us>kϱ5]ޛ֘vȽpj]*$8k߽wrI43/aUޖ]7gaa2\$q-O5u} TYL1*["\tYiS8-|ͽۍ^c˱SÀ~ o]l?~] s⽧E<UL0b8$Ar{1 jdEQsH +yFQ)6x½'CZH$n桬VnBV*|}'5B.%vKNЪS$=z$;)I@~D`iroL~{n5hmJb5(c{Aqil&{ 5 ՜Ö^0$gN3}B8JVSA>_;}nW P1T\K+h3$9KB`Q5'ґ,+پ@YiEr81Ck(Ɩ@|Vؾr|F~ BM.@پҁ w<T{CulYiE4 vn 3eMO+˾4,Vtw&Ӿ6&Vϖ\G,79>E9{j)-߾9~8yXTs%C?&}عE<L $JAk7C1dqȲ6ԾVɵ{vHhƛ ž[8%q~">e<e^,Fʠ,ݛ/D<YA񌩨_8)'+1ݾuO &ֺ!"xwc--A}B@o7ZоHI<޹[^qςʄsTZO$ Hq؋}X *u%\x: E^F"3}hS(v oE5M ]=lq&#PQ<NI _LȳDG  {FVN`7[྽);2#TVPXGcW,Pvj Eog8!V\/A OJxjڜZ$Ӳ^%/J*l ~C$Rq;Tľ<%Nҟ9C]DitzE>܁ԙ8L-IRYdo I.kؤ" \`}uOĚʌ˩d3[V1V;ȸ*YVi˿ ;+:N(YMdN8 } 1^ 87Jvē]Ό H#Vߺ =qݘ#*jwrݿ+2nQB:vxM|R\4#ps$L:􎼿619#<@}V'g97{_$)WCC5 3mˎsyKCuÌ)dAw 녥JX C=)H3䮿NB01\é0N{-k7 uATǦB%B|ǪWSg`ω= 8\JuۧG;Ӌt4XĿ_F p(GmJee'Meiq56K2)n-u)*7s`\op/ڻ]V,{pK\8l1Y,b| {O{HHÿ(9`W翗.zFH:#Yf e$w1Ղ'U~ݳqL;CaRc^-j2%ÜE WH$SKB[WDb(AS6nED(md+ߔ6݂a)cS^yc!^%R ]߿srHiVQǑѦr|6Yu1 Hqk } 5{i$kD%.K|`<ɦlPYL౥`oޘ%>}-"6F×fC6ON"uFTHJt \0[v$Huoթ ~7+8kyvy/e4!X1NSag5/T̾o~3dfft 1c =<a4dy'QTW>u"RxqgEۡ0PCȩ"lJoq (8gYa#ch~,Za!qFKC5x+4HpR/WbJץmtG2"p;ۊy31@ PJ{c=q 骢,#3}o3@^ 5!MTAuy1}"`M\}I$* Gbx)3-g;;?`Q?W_!an>r5v٣\i4nu=0Iiq"%b(N TN|.d)-u-8@"^}H{tV$a lk˙{%i*Ƙׁ 4HvvxĤ8fw(=A^ȸZCqRkyԧrf}ؙWh)ӧ\ 0[ WΘĈsuJ-_P[H=jJI,͝I4_",>Ū@Nby2 Aڢt8͆v3Ejuin\9tGϏH8\|_jg:*_ Jx4|Ć22k]Lt O <]GVʭE_:1`jnoZ,4_ O }/d:Xpky2QX`"voyhR_ כ$sA*>f0ow jچ)v+1`&ch:,8gy@`gy)tG,~\9 j<4. qN͸h V3EA!:ܹA!U6dQfj: -8"2Rn 8ڏINݬ1!9X}Г6鰧QT~$Y@L6ZE@VeEC/P!J@6w,C q1؏h7tjF߰χc㉢Lb2PDz:Y<lL_nT =\cm9#:僲`RGT& WT\(Kf2]؅QZkmkk*H+=:q}V$*mR;tX*÷D KoV" nA#nb5 <q(s)~OhF~8Vra||"~qA[_w:]cͅ{ibP%'&z0Cx.W+@H=c^f,ż3>WAV\f8hWҖl] r7@3.P(J7[,~D}0B,)g,Ӓ@bVg+ICYTzd袂 v15v3^;{Ÿ-JFLn`Ŏ;Е>1V0{j-Cˮ챝u2m[ öoTY*,Eо5uDWTзA! ;3%Υ<lf37WF&1kV5Sס3^`ru֖neGl&zFtdӉ'!vw{G;X| βL jVD\XbpRk}ZJ^_$n%EKd9#-D&ui7Bv(}; p1'((BI?=Avht'~>FDdm,~M]J6+.\9ͿK _N8%9_b_PE]3"e!XG ڱ$vFvYZB\?^Ew]R"*ݹGʕbG^u=xLjxH,QO/kjY!NWrނu8ngܒaJ$"$oq}>e‚kAZjD,½[\~?> Ht7m^qUf|tTHˊY hY9_ιyw*/{B#쏢/Oq֨/mw%j XB׿]s(E<Mp{oRЭq/syXx߷iYG^rX&B 70]8BF Q<| )"yF@)2d as(}G Sqq.4݊) h\$a$ǎsA^C~+k"z!KO3=pe/9ߠ̰i1 !Yy2MeGf.R G86X{0tV RF8CA94vXU=\VHĿOiH5bl' W|PMJ3DZ7,DN`F.qlPhU#͊.shݥI:U/#Ri01P~ى`܄U&OJ)nP g?rS Inl .^.)B5 z"S/LKw7,} MwڠGu "P԰Ök[T ڐ0CAæpbbEݬ2GyîTUCDanîXdD*%m/BöEDp֩8=sPg զt1np=Zɍ`3H_WZ6;׽vEӨcos@Q6慎g_0p" E hc;gC3dGpz[ұ2,\&X+E;y3f&I_$Ɠ7t8] Z;MI㰉wcF҉]rܵqC4Uflׅ WswgVr<7ۧxt6@5ZwH(L5 "mKul =A)<7UU$25@G!e!L8Z0*+cҫb$MUHTI9ޑX*6Enm;Y5K8dq,z$:5mֱ\)QtGcqZC>5KTrkr뜹;_ѵіMzUYTFj }=\gY?]./i6HzL'D[w+ӞwΒ2b]PIemc~5yHvG f"ƒ;+%"k,@GxC3z ?Crm֍,"vyXay]x=I.A'|*đe=Nioq{đ4.ȿateĕ yw3"Ğ<+:c3հ Z}WĦȥ;Tӆlī_ۂNgY~~F`Į ,Wl3H;ij=1KaZt9Ɨ` ķK6 IJ>yĽ,<; vߙ}+Äu^w'R[XL.c&ȧn |F cI1x'q(nB&ۣi cGOfnX?eށQEr/8?{\D&x'c'򌣩q>.Ks7qhSB N F=#~tcan*"P%CrpՃΟX $Ej7 ]`+ 75\C F)@R&hDAO}4(όJtcq`.s75¯* mAk. ‰U.N4wQ³&t)zgt}" (HgrM=|ApZ4*i/8 #h@/#31O{>(}T5Ud2#uG'P,72kN:^n4>`BMWLxՁ^ D"9, o3V2 ߝGÉoCe%L4^Ee9i`p}ؖRjab& ѫQŅ9Y#(Ɨ@W3tŅKb>91z(Ŗ&|R47&]A!~maŖVxyX%ţuHWvcΜ *6Ŭ-]ʘJ!w61ŮmFUZLŴad0 .Ȩ*bMT7A"׃QyվF% XRk[pYm.vb~s\svMRiޢXN\4Q%K~Y ?<fb*̰/pai&2f$೯-?|R+4"XK2GUROOu"z:WT<⦜ {~_ q${& iI*g5Dfqӈ b"zzȰce k*KѢ`ޠw8c0^r= r}jA@F߻$O(=GIJ*!@$D9lUkb,*'2 B V0)5~qbM,M3 &'mxƬ l9L|鮠˺f<9Ŀb3 Y5\M,YMs.hsV VDZd/ %YiDѡZ.cPvC]TB}F]a5?jemy^()㨆S4)/fI%n/Ů'AGwuƜ#zV3buzU>wM$%~G{` S9FƂ5&c:?|oƑ-SDFI%J8OƑMZ^;>ƘNdZD}DMT2Xƚ"+A 1_ƞr2NƋ.yƠT`H2vHƠ pMR9ic4Eƫ Gf/dUrYnƯWeD^v#ƎqƯ{xIƳ8< 275ܑƺvJgG8^f7;FƾEr( ءFl0d r0;-g_mGӨDxΒB9H_֟)fj8tά5Qݝ<aWuk5#s62hA.q[ ġ$l4`Z/WPr"(X;x$3M}Ϲgذ]u9PׁvN_+/i7ku-V7 A="+Sh2< @:ܥ >p-EIG&U U;00SN&*1g3]F d}Θ CA jW)Z U:E-:7vTʗpyflEUXQȥC U!xNHVI4DT˪S7^֒F*YSzUn|O5yҳLE ab1ja`H+mUhR= obQ_CgoDjjh~H*v49P^çqg eǁIϷa,1Pvdž5!ݳIkI"E!njAoӵ;BtZиz4Ǔw@# B£Dzi;dև$UdzO (5ܣ\Ƿ4IצE##ǺÜܖ7yjt6ǾxVM `y#2f ,yq;#nO̻4Qݦvd#RDӬOxY+|YsK.>.%$zEgg@5, &U Y`:Y?>J0n0d-Y@Zjμ5c<Wk+i&[@Vw#JhH;=gǘ)jD3ӎ [o45,"_V9wUWRnam g:S3/|\=wR#OuoEIUs$hyijɪ +WJ=f5[Uw'-gAݷn/.E/<*nSLs0Bâg7|ݛjg\z1drjTjXPQoCw6 }7Ag0A1Ǹ+A8G[Ӈ)syA?E<쥃rTBj2͸o#BsE8<YHKh6/gscEȋI&>K\w#heK5 &3E]Ըj )CRpɇι1oJSڶЁR Q`3gR-V7\DdӣKV?Vabm99 ovj%>Z1}%шS_kK'buT8ݍb& x~ cvqDz(,b%p((h<)=ɵƭpHۇrvMX'F-Ȅm+JU~?'ieȆ9,]i˖bȍVh.p8"-Viʠș3 SO߬iȘRȞQ[+BDPa$Ȯ aqD4K#hDȸXybt%6p X,tnEja;="ǹ$;65H{saj'<zc2?G9 "Lm@S<L bcL)'ڒչWX;̄L5/ _ڑҏin9͕qp E}Q4Rj%5']R jEI Ƴ 賰$u.K#?۽k&gO0Wgg9 y"S)ᘰr;#Q^{`[51!<"Ib:1N5\pj=d)릔yQ;'?FVצD߽-/QToYsFd?RȠZ)~x${+h-zI /&^E-ԅjxE`B;rl*@+Q[:vh+fq9.<ή0Zw+}Y>i/trY=J|Ni]<CUZ4?Ɋ'fDwhg#<EɊ@\`bǃq,8(Ɍe"2r[$L٩.ɑe*Uǰ<mYyɒO3n1O bGɗ~NP֭ƒ#ɘzOV(Omh'xEɠȶ<&*WIɥ:OyLd@&7(ɨ{.Ee$ɓɳu?/gywV}@[EMɻ}Bv$lPs݇7\mȓGN92z(k]`GpjomvE&W2x*9/c-$a38v7b(9zw?[ƥJ[?l]9Q[eUڒ%M)\"A*Λ-Gjp `rRc\\YȮZPk!ëwQ|rr#kt)$`d㷷%;%D1\ZP {'Y@L8QaoB(ǿq31A7{x*@M}l!$=*-EP2w10㬉gkLw9B6:4b<a5ڊ|'!4Kjy˦Z6^x*8fd5G_((Au =nI]RTdݩ'EL=z;:TXe4Q!J6P0MteRrqKo\edb7X_g)Ţ}^N]pXr̦?c_ĹMkT jӘX]<%*M]ʐp-`Mo ʗkM{\pʜ ;%pR ʜ0Md@rʤӝi 6p`.ʧ3n2/9Bʲs$Fij!gʻ֑XXb͓@ʽ*avWWf 7R~!%a0pM L 9IJCS=t{k,7ݾQ"UYHxZq7:;a*'苙݁.O3g(Ɵ vH28h35K^5F3_xR-83tl6ȣ㋜"l.|-= V):>㉾*_yrN=<; _.(,2fWjqQ2P\_5ːVNѝ+bFsHeUɭxK-'?)J\^GCaA2W`^D2!}84OKjl nPǁxM4>m c_ a <Wcy0 ?^:+({~7T[NO$u5|/ԍBY $isP}Mo^ 9{Bx crc4heˀme$3&R8}˂[Dּp?ljL˂&:dE峹7H˃zyȞ@KoUp˄}BK!dˆRsH9_\!ˇ?6{{Aw;Eˎ*zq s?1rQ6L˒C[&X˓:^`%\ E ˝AAY " NcUgˡ36֦SR_Ǻ˨_/+no"& D˭Fb|4舎4˱.E6 cJ^U6˳=+\jOD ˴8.i=˻C<@yM4s2ZڝX}@W|X.QJtU-6|iըqͨUpEÑ͔(B Y1/jᔙ׋[ NԼAXT&~)}Η:]t2d p}!oVœk!WMqoֱ5 ͼI? g_0-~ÞiL3<Qf-Po]J8, F#qUX$Beߐ?VkV g.d{ CAOWYg[B!ǎEXRu/\ NOǿ/Y] Z$6<@GjiȒKU2<iR jRA+ KIySyx}kng 'CtlpkL܍}2^/Sf r.0fx|M#a3̏tBc:(5c:̲1f9QH-̵z [= "3ҡjėbqtAZDr_]~- bi)L\Ӡ'I"T½Y gFLt#[zVOr!O[6Þ1B!/e- ٶQ%L/WK?| :ozDd?z!>5FӲ CG/q*單5Rym5/c}}tPOF l= K#7Y\EUd J%U~Tz:Nǧ( <]OHa5BϷt(o_^e}z\ .KXɩ?Y,869qxNePE=V)U[l`Q>C ξA%?Cݲ?Q";/HyOVF d(C4a7O/M5/ bG{QN|uPP)<St0Xc XM2B }tk^vH;ʛI@uy?EMR&Zwk.`kj%R zky%z pJẂuvۏ=A 9뙄͋? <1͎$q1|>nxXKX͒P[ Ebr7͕<lʓn[͚>,vQ%:fwͥ65yЕ$ ͫ;'P5OLɵ,rͶn6>D-Vk[m͍͹M߈Rz;MHAsͼ7?Zt|h;"ԙk%,YύYf|qqJs-hpű i&MX/~hr:9T/ZmFMJ}ˡ(X+ BM GQN߈V;pvEs]Yɺ*fD5ðցD>~xȣ<eB:瞰㉢m* (/$͓ LEW+R"tx^ PH|Ew!Vs }4jx,@xA2i 'wI]lCη/AIZbE(Uk0:/^O1@<]aS.*ZZji/'UQ-}P_IԼeSeB6 3] \ ~˜33Z=iQ ^N)X˘9LQ lNsr?w(CRer^x:Kh<8^]+*.Ī[e@i^QHWjk'1k\t>{k)ɋa%l nѓ5juxAt|jdUEy].# ΋kӉ+TEŦV2eΖ&ΛaPa6OieTΣܗv(C'Pά̪DEz Oή8 Q*O7ΰka q k9)ToqMX{y Z [¦h%[yVdRl^cepC++S?W4%&*z!b9|b/TpA<x&fq_jkCR׹Ocu'g/78el}ȵfo[EŧXD; <H֧b5ᓬc!qBDH~4l/KBw,;2;*)KO&I͞ߒS`͘0:!<JwwMF#u +sgC|ZZֆ4Fg=;Mdz3)ʽ %!Dn&z,@T"Tw0{^|טF=n߂,r S'C5酨 }ϲ5V9fL|)<&HGwB^]Fk|ҐIkGzA_ ZŮ1-fVyn34;nȺ h<IX~&5 oRBhprmO*:}_hGxbaU}AF} τq4~ክ8x4χ4ƹAiECϏu]dp.:~n/cfϑi?9Qj;GDϜ`)Sc !8Ϟ|.KȕϠ!.WCC(A`ϫ%ȁz]/rcϯwCNI%xvItϰā,>(Fsm:6ϴX~Ͷ뛓TlO>ϴvfFESaOϼz9ZιW:7?rю8SoƩ&23b%BW_#yHku\WGR0BhۉR*6K?c\D_Q pEI5뙁 b苺p^tJ5 fBOa=6)uC.ć}|X&;g+0"LN&ź6:p[K0^[[3?>u@hi6)d̪18M먫/T_7WEJKhPHX'b]r H8Yo6!Ǵc׸NYi;hd=!BݟR'U326I̧}] |cN/[(M8|wY] tx( 5] *iA~paHmk==5^hV(oȟd鐒yUNo!f"ӇύyGqJ/@b{Z+ ȀІL 1 X$sЋjCp)yAU7{+UTБ[ 6AQdcz$Й?´2Bx>CХ4 o!/iЩaGy ylJбA4=zFM}вb,BH=дV;裴Tn&ж0/̈ke'=jrůRه^No|y t2)N\e-"N ُf$].ʮֆWv%HWiQznNy 7f-Sx%{7@ (YlshI FѧWAw s#6pDK @rD -ybMrZI }@ˠG!#+qCl1$Um, u|shP%Yy60~mH=L;DV:>DŹ<O"D5:GWCSd ;/R,~MfO|R"]g7 x! odBwj_D-5i֤QwS[! deQ3~]h3H(ʐт @y\[EYUх%- 8TE98яf"—rfMTѓ6RZ¹bCXoѝD"6 [KBĽ~K 1џosz@uѡ1x_? ofKѤA\HF+Fo?R<ѦҍŒ=Ioѹ^i,i{2;xh"g(Ѻ v (rWlf$< ImUŻ!}?Qy7r<g?ƭo9@ZЎ\fo7@;r M$fuԴrgz"MEv<Vεi!Sy QK_W4/u~6M_pH.n=ꦨ?ڇ8 [So"Oe32Fb|ۅizvIU \ ?k naeC  "R޺'L*3 j$ф˛'B X:ǜ9'bOnw?+珴p&37ql=G 5@(KmؠKT!MU}>>jCQȧEM^H DS5h`b!W8 6h*v7G7WXk{[>$:Q<`mS@=㥭Uqr!p}lJ+v4{uM `I 9G-1v\d<R{y@\kZ$7n||ziN,wve2s}Y<G.X 'VnҒ^wP@,EA҉.ҦCDg Qij{`.үy kipҰhJ !F&sҶK芰vkxEG̲ҷI2r㖦ʊ+(rʞZHNwځYHΜNOۛ#w9;94S];E%ڡEzFЄַ,5/{40O)ѩ8r4"ͬh~Oib&(+=N%k2DQItjI< G?}4$o.\{pfUmGm%CRO1$du{\硜E݌W"dCiQm&ߚpQC%' QIM*SN3kx/"0~+\M \ېQ9 "柨v"A_!щbꡨ*q/r #*[C7Wɞe1t-W{ M"&"Bfj Kq&w9nd7Ν4NE ,z;>+c1VXv+VR1><) t|BQf/D%E~lT#*DFxWל{h1gQiN7lyBt"B$S;ʙF cWJXpyEqf4+xY*c`"̾ŔIӯ)\KN0CZծ\ceLfI%CU[fb{=NEL2:}%fsθ^_NBkťpE1_5vxyψd5\;Ӈ"N~Ly;ʟc>ӗ-Pi WO-ӗ.>! bz4Ә#lZy AmӛU̠gRgҚ 7oӛ^k} Q.ES/ӝ7h( FjӢ3e 1_S_<kӴ$_ xLItjӷPyb3hnJӾCgEj '7\c[_dʭBJ.쳣Dؤ5Ipg#z9bDۂ𠴎PW T_2ۯ_>Q:$sܨՎBJ0_ƎוVdǐ: ͓czA h4c ss * #J~S;Dg~!4]Ax4`-5zAܿk #1 '~YNA%w$|O+n2OpzM^u)! Jd5zm߁"Nd=I=f@ҋ.EOB*KR?WhXl{8WjIM>DW$L]~^Ws>]Y6.a/Eazs 16.~j^ŠؙkyNDջ6gB%k-u8fɖzl L?Pms'(8q1@ W Jqp{s SE+Iι_ԃ&L DiWQA %ԎBRr+qpqYԗ'EYr8uXԗML۳mPΫx5xUԡMlת1yM<ԡ'%J8KsPxԡ2khKݝbԣC8rV :ԣE|ĶCdH5qԥY{ c2AvWԭj4UMQCԲx%%M,+WHԴ\BK O/-`Թㆹ͕l}?ӛ,,Lj؀폮#^t|+v9;l~ʰES3qzTJmK'^cw Rv[Wy#*^V.` Sq1q!p;N nc]E8H M"H?ni2*fz ƀ25R͋|ݓ74sQU'4Gd8IT_R,˭@/?/-řW3=zQA4P.24PzYY:B:>ˏg3{3##TO$˖zC ߈*ȉ-\i0hG3-;^d)-o):f<+h{5/+M$_L)-jqDQ{|fE`l($ @YŸo>no3rW92FvՊx<l;vՔR9E IՖԤm%b}՗T/ٳ՚,6O.֬җG@աwȗvY]DըYx +J#tծސ r֪ґկM+?+[ձw LGNk>cձ67f9p Rվ H ܫ5Yh8*5mqi]"P!e]lh Vϲ9len#P t29<EГ uNlAf+t٫MdN/~ƙT=ve#~1~@xWz(6{G3hWx3<\%'\2`JEt:nu*h' Ypdq`C-|8O ]q(i_gNۡw*pC;c')H1 A3#ߢ=š82RN1ف;av&3E5ovT18*WN5в6[7[@,EiVs49GB3- LI{da{ּa(2MLJ6srQT5d;9>6X@OXx2>9T_'v\òx4k];#4Zj18i|d.E'Yz.pY- lmn\ l4A5N KnOrSC;ٮ<QYqgs1gKsmJ<Bethm}XiUzzyc|(րe{ NMVDY @ք |1śXR(:օ Gd­{֌L~! \e֎iӉHٝ6^֮2+rfU@ ְ A:E;@ֽOUna?!LOXUֽWT6g?J-8~ZD6G$ȵ'('cכe1 .6G+YK撟5}a.KFⲚLjZ!'~۸U +QG-om&x&b/WcK0 C`1}ӏi.RxtV²:/1Sē<~PKf=]ܡ4/59WqzrRO̓d">C*HMG?(D|#\DCY[YtT䂲Fؼj|q ggmioŬg.]ƚ')I E9/o ]lR;:b2SeS9b;c@=hX@QFaL\&T꣜%9YmW œdV+@\ !?bNeqhB1^RGu>9rJ_U7/;5B&DhŸgׂe| 6W&`אXJ|bf QÿzנmCy/`ƾlTפCa4%ݓ}Glצ$SyҎٳeqgKשsfZ6 Oвh5תVr!SE 937/w6׽G+T qm{nj1Y0_Ul7uqT2U62]?9Ց\V}hL6*  ^fp.@L8o,,1]q[SH Bc ?дAX5g68{VriE_Q]چd{N7+Ԍ꘳q)yf׷1?*+gG{VT`@(l<H(V`&4E>xB{qT8^n6pl\Z"4d $!-3Kvh|IhG `_Μ59=ZzCE}(Qr#?u ,[+tpX">Xbˠ*{A$jqPR*2[q<ls#(!yy~ZD-;Մ xCM_|>!}L`iΉz#}JA_U8Wt6c!Ck{n2}<~f*u3GRݴK!)U]JQk:Kv@ :GSR%էVs|al6€_s/z.uR4SmK+؆~{Di&ѫ@%؇g GY|ܠ5{؍)~:zrCsؒ2 YظؔsPHo7 {ؚw-5(>9yUj؝zM] rCVts؟finmrϐ"YbئTRK7j (ذʮ{?Ԓ\默]eر|K*1:x]{[ 6yd &"" όܶ .g'.&`?5B%-Ѩ{j:ܿPOPZM}h QZRp,cHDzdtHM@/6!Rђ,7ϹMB2!1y8rcNҁd? ~qw(N9q1Lo=,{!q)U-UdSCٿ7jfO):h(iBHY96Lūuܬ5?֐O*ÖЮ B cNo|G&P`w\ۛfHdGp}AG/VnK9ltlP:CJ>P-Ykښ{<SKw"ŷa 0JV3I3b Xm mF qImVaN[@zIDsžXCrCii36ɝʕG=` yS|1P9 }Ι1y,Xg&`قuDT#~UOٌڽ";I_f3RٔLtVzMYpO@٥4spbӵ^٩I'}}>HPSٹ,E@O B@ٻeқ 5k3yٿDtl. r%*!nֆ=-R0Z{Yrxw 8/<>)}Ɠ%}mgM}/_m}e%O蘭&esP?_^څ-Wϳ- <f$FQ10)`7"wDw{2>)$cPJx?3?!?`=hh5uh$$~Ke4ft/ 8ެvt( /NE9"4#>.^S= <Ltݭ Cإ{2KgI<hPm>&r!8 HCquXp|RYi©I]c?|* mWm˕܅]f'yhe: LZb1$,A1fd1Bg`IT:f`rlB6ܗfp<޻^3L_7Ct HgC滛vy1G;z< p h<G\?z+b M c|#g5hػD7"RSڀ;ϪJMӽV>PӟڊYAUTL3]σڊ,DmhsI*RӪڍ}Nи#Mfږv*KEuvփtژDL:ֵPڭ#aɋS q:ڰa95[i:УgڵQ ~*Kp/ڿ>~?f{0sBk6-K+6.&D$yrı hQHb֧; `_};(F_/TgS[uNG;aE[2{:->Y&yMlscLm1 yw%:_+<)׻vGv,خ &UkpAk<u\jB&a2>!/Utݜ2Z !x {R#)CE"$Jd*æp,# \dSc_EüH2Ɛ\4;/wy6%npߕN&QZj7^D|rW{8쫂x%8xNۘ<h DG'p7rQ>+ܿe%( j ?/A :/}0#HΦEri%=`QsIuچ@aNorapP#Ϗ`V04_j \@clcxko _æj14.UkZ@9N4%}ovU̦ȨpS;8W0sLہQ7BE'$<ېǹ m+4F:HHrےqq6Q<KcbŬzە.L5pv] nۗ(_jk/<3 b_ۚs6@N 7c}ޔ۟2P@S$A}(ۤ9:EJDY8!PLۮ~$'=Md4*Q*Xge& h+ *m'2` ON[ʡ-dž#Kq ~Dd:\Qڶ]A\kZ$ ҫ1+<+Io#ݸ3e=<O5-KMxg|^Rf:1GcM6(r/ y+Y]Y)E ybx1.T&:?|4rk]-KOH炬vjV!a'<LFAt1lL̢I3p杵$b&M"zgrZiHH=-W(s.gǢ[ks岩[sau@f a69_ED-G*wHc/Gx*e5KsH_Sf+PnZvr7' qh/ O (/  lFsHw3]l-IԬ2: ʀSAsq`|? ;dtE=qS {Dy6q,c&܃Y<ApW͇|A8܃(hZ[CfT܆װ-]܇8a -/k2܇΃ꢑ+_sBƹ܏/$:/*Cef65ܘTSi+Ka40jܘ 5<}E(Qܛl85aA{i *_ܠ>I_|?;.ܡljQ$> _m ܩ$NwGP&wܪLEia:Yq9|k ܯʩmN5) zܹj5a XExܹl*Cb j ,>Y}!ܼҪBfrAtHkܽ A{@3l"å.^yK<EʪC$RrL+&/^0#}~~v Ļ6!^"iӍkoo{Դ2u6^>;v ?$VK+rF8b⦋y*=wé&ۊsD-:޹=r*\jYc["g7PpbCw2JX@-nYL)ߢpT|Ȼh~0L ^;?iҖm=5qwHS?|c^ 4CT U"Ւt<6:#@ lf1$tHYEPv%(< `՛s u;0Q-q΄iq1<xi MRz9g/#u5/^JB '/ 5nSO5 TO3>&"6Q py=c<(mmu1skI23eJ}:HfK"*,c|;?ÄyKlqN*O⥠ni`QyRQ],RHaQUc&s]хt FYVGZuե\H[ whNeE=Swpq6|-ʵ{k\97}ïBS{0i#8f QݏQ7Uȏ+!KJݐVIe&cVy%ݘ'J;_'"aݨcS 2Y)kZݵZpPf(a6P?6ݻaϬ/p(J-ݿ}sa0YXzhƙ" f)fVʡ)k#ep1Sn 'W]a<(#t[ `ԛ` wfˆ IyKiƐJdnH*2TKxoR!7~ ތu}; P Bl0]M?59@6qB!vۘlv5k)ZFܧs_!/S;yr|xK z&gl-<۝}w#:4d!, B]y&RN?ؔR./OrR[`9%.*V[|g~d*maWh?A+Ay>!Zg@,T`3xc F)6#O J)<-g9IK0[fQ ;IG:rpD Ag4]xEVmskMx*%b8bJRnY|~d+OH L%JBJRsJ?dy[;nXsF9l 3-Zb2 \/_ ~vZ_cH^"u.ir-֙;dI2%"Wy]KWr^~>"D|s=5,pi.'pfk]/%_^M ރ NF[L֮qRފNeT 3v49=E|ގAnddܛ&y&ޏ±ҾmC>ٛOIݩސc{d7^Ֆ5ޖtC }PO0Oزޗ:'rS;ٗhޝüukCn_/ޤO {^Rw޶ I .Pk/޶vtЙ1R[ҍ^3޷K#ViDO V}t;-USv]gT u%t‹pO |8L|\:~T+7!ӕXbAb [۶a@@:[/z[TiBqJMӖ;>&R2 V;Z'mU\P;K}taxɉ FE& ͕nK ~- R}MF}?:rr<6vMۓ!\@F,E"^hL\D׸_j#M BrZ5?1#Yx//L5*mggD,ʃ[8ByJf{iV<I&D: ?=6I ѥ?_3%ROϜs R5v~XfŊ F!_jZ)HFY'CO\H E><mck'[l }e_ˍVTܞ<|. ނk/bDy0 lA  ^ ?p߉1p;"aU 8vߒln(aalߖP`oJ `ߛ5^}z|nY&MLߪIRfa~= ,߮0=Sv٠ƄwW߯?''ޯ&Jߒ@߰Z)BaRq̋O !«eF-UiX5!fB9[y^pO3@N\ ݭiGl0: 2<+~fU-ti2%krhMu'PHPR<3Y!&hUd^<{mCIW?YP$%*NU¤̔9uW,+ƿ*G:mX|f=tMNA/[7p/U{ P^JG1H3ax`1LƧ*-R6; #5wPV]S/z~1VxPF%;64uXYw"}(;]Ηէ[g`پ 1I qx]PD#L Zh,!|a2&,:}"El~=ia R/z{d|Y|k?^$}\7wn3\c5ҢB}.5NrQĭ[Lo,z,f8I}B)Xn~/'GFkL1U:~Ŭ[?0?rWJS葧_L %[)0(`O'E'FO C{g)q8 yoF˭e%l ද.ΥE"ŰlW(Guqv*9>ໄy0 He17C|1} NMGj 94!5#ՙ`8c'TϘkdшMv>P*ҰPN.t ݠՒ6cb>M.j4^Vj6eDP٢Nߘ.ѳ3'k+: 6mHfI!%<;y2]qSJ[לz^'SܹPfESRzوK$I¨}1_x+ڑf/ɄU a2ڊ ~M/ęB[a,5cH!4Z?c//DDѳt%v_1+/+ 1҅ʭ14|td.Y9% 9ԇ(`Ϣ<jBx\u@S-iT5[HvG 0*{M|P wLDxwQxVI_>[V#PtHu<] zT_j\=k3K4Cko}jWbAo["{tr|M%v"ᅍ]Z+{ɕ苐VYPqcT_!1E8b%өІS2 ][1~V8\2u*ᐻ|mo^%bDSސ`yAW{ɳۢ?c 3b\("$f.iHtᰡ #[n^ άZܪGYzf_"(J%lrҿpTۖHz ޮd=y;;5U%]=Yӊ6PÍ(z7Un~9}ϥEgU/U0Myf*n]/ND/52\tc ,d^7<Mzoa롦A2?(&'NV `$6Gt?mд5p|`cl3/C}O7ȫһ\cޫ4" ?2A90Aw^Yk^{1OJfG {9x;eBgpPP|^=p}G\,98H8UhU|G?GV*z[|IBx&p^% ~B``Oz]µd#K%1z/Yg數@QtC~ij, m5~D"7l\Y3d=mZs_ȹqsxwR;[ yw?:lAgގ?y&!yA.GD??{9J<zSF␶t :YUķl⑒M*<fzX&HxttؑE "V +~2JHWQ!Ṛ⮽Ij5R„ny쯙1A*\qrJL(+c&MpXP4oU<ᵅm)dZUR̍!Fܨ :@l8^pD|v%oR#:|kDVcύNCVQk3gϪmγpHpǧ)>UV:7DžU܉|P!(P 5•\i-khҲM0RTG "Z 5x {yr.>1܎a7&+Fƴ5}Ja#oŵW'U7< B7td7ۏ׏Ul.r69:}P[H3!`4FJyjǒ3ȱ%SS&ebfN *EYU:o |dR= t]1㴯Ƌ8tw4>_y 8B\Lb PJd\ h<8tSX^sD}2HaBN['xKcqNg3x;uQx)2[}^& w$1dNxMD*Pzɓ5N-W 3Dsѓ*0Mxg޳Z15}Qݘ< 4 &1slwf![5YٍeUAk}Gm(~#Tdς'x!q F/_O>qm2}ZU9D㷱#fZ^`Uf1;ޘkӸ!71&y0gsMAsb=ҋi#7 Pcp#PC7cdsqҶ91cW!_zk]Wk?X /,oO2$Y~X"(g!םG $2Pv;6.UX'8\u\-{&=_{p EcCKr"iwEިbXz} j9"Vx%> : M2`U  0j$̩k@).] "Wō gTz)"",?M/ްw2kMgT zW#'<Ii0-<,Z@F k c-LB. Cd:RPhzy<YD\V{Aq[zn jǞEQooRrl8vυtNn@ܧke8_{eO:47( ; Pv^[ Č8Pߧ،0{u~/T/s*lN۝8TvM3~D1[MHCoeC[uLxat:IH4Vdnm2 ?6t0o ڸ=]4A#Q~F@2,2\ڻ䄾>Q+<f N)F5FwH{As'?M:E}TkLwr䒖]܀+b^tϛDyیDsP?GRpDP: *>_djxqn 0x,L38gLxD3bpP Q>/ɶ=K[v,D.ɼPv䭵56OD$7A|Qq`7 "Y߿Dm"iWHE&@_  cQq2ʱN},w]lTҵƬ?n"|ʷ[|=)xckLo"+-cSc. C*,HwU,DZ \d,U/zP X` c-Z/g}[񖦂3ugV|\̙SRLFsP$S]ZcM zlh-'I.3[YBxAW=ܠ &s:$jUF:Ȅw3ڎ D˯:*R؍(8(;.H1ߑLzUGv(ɷ$upG 3LNhʼO3xLuXK6F'xUR`+Kr7ٖ!?*x:YMHAdS<woCV^G8%k"eZ7@Hlc1!#iSSJ|ʨ5U2R6 L>0`YIIZLLF885Qeڒ<HPNF.K[#OYKTwO+M$t FmQ&o9lE=[(`KHh-@-J#hsћ!^B;rf)iHخrBU9eN jJ\i=8J\T$6n7_5jFgVw}LF1w#/Tp xg8t ]ReͺΖM<\Q&SWکеB&(}SH>`(塃#ϵʱ$m/DlD#1F`v$嗙7`U3ACWF1&^uW~DK>q8L]$$=48lDOpenYl,`ϑY ) 4VU_/(Њ;;Zh<9:+;г4wJn*6%HHS)]6iT <SgkoPD0j((W=F\ %7m.ۢc 1vM?fwܬ}D˝|ľo\l_!6a7p8^r|<}?ld L 0m1,&aۮjz|1xĉ>@LRfm iI$3wSp ?:v׾^,G]+$46W^(5V H>㉬#G_fm _<r06{sUƖt:YDX. Aۃv_}\(:-ZO*S>hU,e*gvfza0So)8<bŅ1vy9i2,UWذ7> T O@w 8rqt A,U"C坬>B `}9%>'ÿr4CB ֐AKp;Fޝ5HhF;hv*R\qTn n 5ЋT7H\S"b[[j]_z2ob@dўcIz?<n>k- @ 9⛲CK)wZS枟:ezۅMkVէζi:+*+}|ϼѯBwW*d7X ;Z,~)I 涟 ~jmI潈-N%sIx/ĥ̺@y$k dB -&~8.^Ǖt5N|,AfMɜ6uJ i(7srbopNۊ<0PB G?C2CC;ʴ= Km 1Q23  l$OAT@A" V<MxњN=Չ\HHxFĺxI#@gmEvg6.2mTݾxuǃt~bkL%6Gi%1FBwdChW&~F3bhCI2r 9- =d¼3ޫl6'c7kP>ӷa,1Y!q7Z,cn+6۰(:{^̢CMEM;_gQd\EeE*;ԄEbXcLjLETRNsTb_ݪ񉊮WX Ӧd6څ4z-[Y2Ul=[v NM<4_?=jRÀElcQ#n3F?'f"3?. K]nRK#s&XI=rSHvNU=s4irUY;ߘ"$**獿PּMݺ0N3"mTq 秓Gh<>{/j:;筵@pqv\}а̓綾]o - d0A REf$S1~N686n7$ .ʱTbhMb(>"˥'mz v0r߿̴DžCnԾSZL!z4sN4eVWlgO)M* gIg+#Di7zS؉-Ě vm`xN[, Ui 9l s z@($ boOugG,][zqF:򵱟jlp-Y+m fWZ;=^SY| oR"p:PH5d?*}4t oP&5(J(LѴ +,X̡{N좠]<6fIZ%t7ʁ&9Gg=WO]cfV@|!h6gCNmcM tڔETɐD}~VE1)Gv8up=oYG̑9{+iZ)7> rnb8.V.>jDި?Xքu(藷uטW,h:YRJ蜷 r)^HR6ݖ{B\kgrr諢,F,7PT]M8~OYJ3UQl$ˠCi̇(ah͒ui:<(2g*Š{* v~Xj'i qK\,d?pb/^h5jb5šant2{!&껇j9 ߖ |n,g_Dh$#htFI6߁ͺ |Q?)w4 ֤![-Ttkܮn}>C<VfyNDkv˝CtbCC!;tI⅖Na,`%TCs$1Շ$&}Q)_%Eo(`Okc2\TPThzrr23M-='5Ԯ>MV s7T>x?[wS=c7rWtL4iGƔ\F0޹fpVnJ5!N & P2O7iAS2A; 2i /hS`(eIBQzeW%ƤJ.IJ,XQ"x$y\^鞁Y<Ѱ -XVe*VT,$=jgK& 8hud⟳g엲,|wsIċK&9ko< Wv-8Y  `W%w]{iB=/MyφPRwHߓ:@Z]12DB,l0vAAZ *J閘!dV>l\SД'.f+R žXW˛YoFɰ@ Um.lbEde4|߰~龘 ]"Eh^êP)c_ZrlLPo^l[ˍ$7ҍTc^x2~ӑ hݲ^&I+^I{ܞWb L5;&u8>7:`1D&&5& 1Kf3HK(2&;/LUXz?`eniyrq f& WU> BOˡ ;khЙq5ⶻɩl5!0){+ iClմ7.@pE!δN1s>6QY9, םΑ#aq3+{IV-%W|3UA} m446qcI*蜭uj$CM):#\p^N1GSP+8ILt `,kJGm˅*lgh,hתMWwJbC]%oKT) )yZ&5l|Gs yBzd>˔SqOz%7 6뿬d~9FjQ^:" &P,96C"n|z .{1jꎦWaDA&&Ʀ{qJ9m{Te Z#+G1RIr.NqG QrD:-I_ep.ꭨ`9v~y蹣w}Fވ#TQbJUyp{꼯"^?J` =bA*@Jp}Q1½;ʂ PY4|)^LIn݂.z/OLDT Fm +l{|U+d2낑IǸ'oTKe,ា?Lbhg醑=@:۶͂.A.^c,# |9IƟJ%%;M#lkw)oȜBsyN(vdzrzbIE|bׯc$c+MAwng^4D!0U mJ;|#oՒ򍐤 =$A{("+"k%/~#= &ÓY)xAb;z0Q]ʀq+ g*Z-1C4`b>IΕ4emH$u۵Q<7Z 5c[HRuV_j[FXRl HtcQO9 :E/xGQΧ=d-]SbZV?&YGbaR6qP!>;f"hw7|@x!oU?F{|O:9s{92:Fjn$7z_+gxMm>2<2뀞S#y4^Aq0boNby1MEcG'lD[mơsS/LPdT̷5:^xEj9AhШxjNi\ns_3ᛊsV뜒;ș(Z>ڥ6i0PιQ@Cs\;kɥڑJztQW*AwXSw6TLRB듦(E^ 8Hg|&b4-ub~8/B%˜<sY] XͫĊiIK&tU]8 W:\]i\;|~/VRN k;bM :0Ux.: V3 Dg`/K)ךฺjߟ5@5e98d%Y[IN=26>9j!l:W<bo h|͢MP<9y]Zt5% RZO iMl:5BzZD9{D8UğVn>Xvf3o%di|& <|PB8m{_E_P}]Q4c AْU.ؾaG vuklsDּHrw*8DKlI!cU [hgS&\k5}S m&Soi(?c!x-\8O$mn-gϡnRhEҨ/;SG @,ei3 ;9U0ME`6:y 2:#MpQnZQGfF/Oc@0%'փm6 BWa_D_LKois+g~"k'^K5 465-6Io<il]]g#Su p ꯴+\aɺr?0Ri`67;s&4u<J]+q9+SK;cV*n~GgAIL %쟌‡t;$Uڲvg3u:ܙ76u`<85ǡ7JXkULΟd3@-nQ6] 9T>/`X^FX=HirU:7;d5 abrl$ugp7Ĉ-(%A3͉JїWR51~5XDW_"Dk,8=~ᗘx4ȩ X k/Y"p˜?i t0 _̠*Eyǽe]7GVa %R4D/L.w{"''w-6qFS5vme!BA~:RYzW4.J8FiS( 6`P#JeOF\ XT?v@7 6]ly0̽}XQF:ygd1St쥝G)8%002U:gA*>ޮEicBOEzeJ]9O%!!y\Vv i!bn\#P`zu:Xk'  We6IijG/doԨ!@<L*0߆N3m y1&a&L~:tPˣk}tqCoԍ0c) QD)L_9ˠ|@pI򂠷קXgDN\vքUSIP̅67T)ˑT Rhl11kJ;@vE[m5;x5_Dtb_)allˣb?β{3wbUJ3S ZE6! Rxqq[84 O66HX&NV4xnJrLF##Lv,בeGQקnì+S>iOGpc뫰)Z,hwDPzC>WC}ZgE"u=qט3׿Llg-f̯ o ҳw]`&QvN-Ū徤DGASDn9"#UQg`yind~ҏ)zmMϽr ºU/jТ` Vw򤍆Mp =픉~/Sjo,y hI<*)r#>ϺSQ0EnGo'ĉ'[W , ;yVTB[1NNF5]ZIRzg1y8M,Rc5=$ڹiCC ңG cWYr^Z0m)X%ba r1aRc4'P0t0%6Σsg1蓨7<s>3UX%G}%R~t~OBMn'Z:tT˜+~>XSDXRQ{KP8$`Gz5`7{D5af?ro?jw<bKS}N蜻&%Yj=G%z*{lpt#{۔汣lDҝ,R^37M%wo;vNPwb\@Zi lzF&;&26uD]r~ ̩)}!ԉtΦi$IQ)blЮ騮SkbsAWL>mXdԭ pwj÷?dsQH z!d[#ba=5X#61d3sLӍ8理7s<.[$K;iKtr_딆+ %%,T N\2yPBm{oH!! v'<^PTDT?N V U}m@B ߈+ؽQ.qsڔk_T+*9pow>\+( mw`p^;,Dj 6YcZW4OԻMh0mgc{U!*[>,TuBie[\u4c#"FX'Va_D"M[!}{J<Z,ֈkپ qie/Cp<cEe:0>84y, _& *4mX^6-@ |}OCg/.Ek&ܴSK][3v潟 ZlՃwCkR1_DR4z;QBbzUcGB}t(K P<xM9m<9 gC3:2s[#ޑ 9w|h|✾aor@(xQ_\@2o>mg5G{]QwY샱I VQwQ|=_;n#*̱ mۿ|xc`kjllRClSz12P!t)귎QJ>- ~b[ VhKWf`&c^vƓA<y㤱D3̗)\6J :S ʧ^c7cO D)$F@O5l0A(qgJ1A%Tu5*ٴgk &~ecJJ fla]19|x% $%.;ZAeU\5#ad8慌l6<y(%i}6_nRtuYEY .cٛ48utg$uiΏ&퇤vdHڎ;j_ Fɢ],Ue(,t T8Dq/ZtR#-4im=;57;7YF@q ,#8v_Kgsdρ'IWc@֕&hÉKeH`mMt݂2-ciAkEf,Gd2%̓VjL8n ZfLLjSϾ4pBzWƲ݅n5Mhjvs'.)b_kj-,Kl;I+dRW?[4ҍR~NR޺jRC(/u_/ց{k Vh9(*I*YHj&v1 )Vp߀ ӯ!wCeUi'.w.|A|~\$^ZqۍZK:jɒUVڰ0 \ŹB!.J0<-$`qv0fWF}@:)%B[F Jx)jqʻ)=a5;ˋ-Wc fuC[+X. %дOradۗM^$q QX/ޱ'I6-6.?y}/&ƾ@lqt$/#rQ{?5Bġ^ ^d9mo@V \E%`nϺW]Ȍc nNI*n9pGW"?i#&U7{!F0, *c}ܱe`%E( NeIQ+NRwwn'8/pr['M%+qפe!+e:' 4] ak0[ wm;5;B[PDWo%8JqnE)oً×5M[>b`^xɕ 4W"ue:-?Aojceܬ.z2p|jsBB.U$s'\pJ|`0~O_]hS[ju\q)iUԭ)m*eK%>j(#5hH}:tϕ) ֠xiȟ :BoZ_5](?rMYy16gZضJ5rPv|׼lǹҝŊ1|SϿGT܈BsTF3N0Cѭ}'C_ ^1sD/H.g$5`Pbp\蠟F3xes&Ll  J.XRp%<I5'9[~ؑ2ei7WQ:h<w ]ETNt3ۗŅ9:#*5F E& Qp(?s(WL1"ګ!=6 " 5+9k'QYo%B $gA(Z&-&!9xY4y^t#8k0(Ail&@țVrvD?! "R/86,M#t˰ <ɺ<Ǐ\>=DRv aq \ׂ4{cE5 s33^2m/c5)_~k'FLL _LZ 3ZIoUfuρS ͥy g~WO~ oy=[l~]Lw<MzXV6`m٣MP5Ղ"Tϼ#r ys,&U/,O~gnη%y_.\8(BTw׆0ۚם[1O {tmQ7kpo憯"(知18IN]BBjtoN~IxdI#ڸ#| @.%h"@XOrhAmsװ}*P &>7cM؍8S^>){YC׾WȢY&P*nŃ(&3æ + rYY1PSގF frK\b^*;Ϛ|l;3:+vl″y 쮚beb nT?Lxjs&@q'8lѦk%\ [Qi@h OJ DE}Mf]^i56۾sgcʨ^_=N|9 _XHyx]]!(ty! %QLO@E\&hxabϺ֡>o'9' Cvr*)(sk#6tݻ5@DZSuSMkD@'ܞ̘VnL69xO6䨷O}WN[н  O{6ۿ(VCL|,_㖉u!Δ' =fV&SqU̓oJgHo(!ABk#6t\0ۀIql v冯,g%!m^!H6.xK!wᴆe nZ,.T_H7!`pA$Ep󓃫 xDAL>ƊT4rjȸ ؙ-:ƨ ;QL.cO'7fQ ~ ۸(&;kFUM7mfg0 bN󥮯 KʬcYOkp`  !!$N,@WO2Rg(_WU/¯nB?n<=uIMvoa40S7^`N yAH3rHKwj%]Q "T6Բ<crDt~0DL>-釶1!WwJbYK?}kϺ5KρGtfQBEGdRzqʠTI΂1@#ǚ )?Yطk4.Βsjޢr"-إAf&i,!qmZa'ָX 8bF򔱍+C/a!Fi҈a$bνg ljjE'ЦNә`m,:$'0;Eƚ~r(AO h))^ R]KD;i<E ڢ}DyC#U*Q ,R@-Joi5Vн$sՙf;`hz0!g͂>[b8ւ  <TFܢVg aUg:Yt}Cs~` xy=C]Cڤ:ǹz&\c iV^(N`90iĬvY@e׼@Ojc􌒉2 N'[јZ ښ V0:^J}f.F1Uo|y;7KI%[%3޼DPΘ;-}&YGNL.U=^Y蠗t߰R<4/?a C=Nvt6E9ȦtԷUzƬSenX.k^R̮JŻf_+ OJƃF@5Ǔހפ=ySDҚꥻxwo(VꞨId-HOI:&Q+ @3(Z4|b%68w̃B!rKXv?W;J!7k ߯2?P KMðԛj9HW<!5oX=QP3,bګoTT7T5)y&)UanG i'#r9WtIAc^xe֭Q^r̚?P,㑱<obc]LR ?lzjMR5PbVKnl膻xvp<!#(g*Ykj<d+vjAL>v@5vAKxibyܢR84F(}kF}G!)?{CNu9 j_j!~ ['r?'#{gɕ ##k95htPr*j6r -W|뭚{A_qC{nf%7!TP' s+H}:Xk*\Q'<q~ qd;Raimsw58]3D0'~t!wkBg$"gNp[Qao6\֋VXj" 44qu|O6pÄ+ y!u%BFgsDt>DguoduYHI%)_U fَO1RHm˶jb#m!,੄prIz~:5lR`T/@d-C{pX;sUt fq[Hs1:34 ~Fvڒ5 Z9B\j 8rG̋ KZ>B?enw7K#js.0b#vȗ)}c3<שRՓ)b<H6YV18&>d?ՂBl–41@hM|2Ru<]NVYf>"]̒qK:.Y)]󣨞76m|_(}5.)r~g! ;ŌFA ?#lS'uKђAoMlL=J!|9~Jk\}Vnp.ElGAXЫXL ֆ x0ްgw.2 MaGW1Ѭ=fK2?LPFX~#".Ne.<R^aJ,zAo+Z /e6}!l+Ur=P=76Ͼ ^PP.qHxۿqbZ.J-QNѵ5U:]/Bq5kfWT[ʫI;ak`."F3tې.5 ;ÏwF+ mZmEQƭt?ңX(R>xIf8{&H"ۑ-czbc?w #:^qdt=%*4EsKȢ0jCQ^qdey7Rc){2Ԥy\Q!?S )ɅC*JKIeը #`*GB> XG *@ W`Ɂ`3m(U/-RIfn 0Pe8z&<X!S4Q'Nx=HjxTMm?Y:')!pR HA1<r)ÏO׷)­=!UQ֜T7@bYn_ Qy\0|c}IJsw}rh:*؄j݃ұ_s4H{bV{| 5>jjSګw-pl E&4DMywo9}c-DNsCOj,"t, ǧ,u_P\^Tqn*:39E)~20;2H6.s)jVM+^tЌI5fS|3IS<ςݞU7>B9hyUy{A!g#kGWZ/_\ޥoşxfDG[-iZC`j F?|Oy ˇ66 H͜Grƚmۓ7.CCQE8 KmEA15YO2\.à\~H.,]26cNtH $T`^@Y&<I;8{w @u3Qa%X7H#&rZ.Ϗ*7*}/]d2y~m8ͯ=UW+~Q"Ԕ ^C")OƷhEl Ȟ9׍GG ,pq['ڣTT^4 #o[mgVN@=7q%ZL*bC_ǹ-)naEB1r{cjQU2S1p#!y}Ղ3Zi0rV[ͻz0ٌɶ0w4u  ,z*9N拘&Jr+tЋ4jDתReX NVkiffRYY9/\J^Ů<Tnd-~<7QWؕ{fOtnAQx֥xo&YQaxǴ%iUG#+A}61|9]бBt :{Dڞ1}}2Gtu"Ch|o"~5S N(_x#{OjyNGK IGM7F&?P2VW0Ԛ^[ /SC2@nt`:jzˊe1$+?IHg[&˾ sբKߌǵ.+!X~yGfK5S?zw)^u* u2\J7S).^^9 !2f*兯i­".1zeefs r+26ʺX(&6RlZ?IS!6CG|H`;0c8?ZO\m`]@pBM VgH﵍DzVOJ#]0^ɷ)"L(ԦRLˈ<5pMLy6<Fo}KU‘O)Vq?2zK>S E1h6r_2d؃;{s}8L$yeEJ޾[email protected]Xp<5vnhyYt䥼Tay)ܘ}?S@<M{.qɂP/H[l CZnSxas0.endVzz+9?ڸPJZIST@9B)cc7{j/bjtvKwo.%RE/ՑI|*~?Rǝ#idF_GvRG^3_'jnYnAwҀ *Bgd^NNy-@d HFܿbU/ š&ZM!it42KQɒ8` Đ0́7'ufg!ٞ\KDvQJb Z&8ϥ(";ni~hq 5߂GN|3avwpbᯋ^|XT"{Z|\x—{D_Z&E[YwᯰO~a9|aj])4}ݟ+`< nGˢd FV}Ӗ<($y:{>:. HG>E0s+_&#ԝtvm.͑|]r+f̱(:24DFe$ګsZBA6-R.W#Vl74t6lMtk6"H8B+^\ݮ,"܃:8MC4͙ i ->wPfw%RP2BB % ΄-WzPqQ_fc[VhQ@y [)菻lGУڢ/^xਖn,,s dE"X8 Kgm()JQIiE(xA5oڇOf" Ղ|\wYG X-kՕRd),$(Nd j,B)<|\@,g[^aÆǛ大8V..{T)`bx[ol9yBː8lG; v&6d=і9Z_IW|5;E jXۊ܌"F&"H<9h5a0G 3.vR_KP'oCݩ \8(~U^vkJޑ^'H5 zX7 ^e+F5"|B4q@|= Cᢘ;:Gwo_)ZZ5F-hoAҁ8fC]l- 5AuLu?2 <P4 }C-% GJ?1~6yb`4#0;n* sizFxWM,E}<"ґ>j{98.U+#ͧ9ueH3/tׅ yJi/i 5EtYiYe<nH}J <!Hm)#+=p+@B *I, iۆuiO͗\j@]~ O>S[WX#ħa/ [q DGYsrVj=)iy[{:B͟i\/F $S׫rfqY&<_w!S]CrӪ{ů7@vF2ϏW.$[, {%ETK`1eԦO[;f($H\Sx59oX/iЂ(/T73CgD8fZ4N\<jG*݉hؑFWE^x:̉V!^T;_,>$=K@v?⻔̡eJr}ܛ~bDɲ7YzNYNW!j;K9{E</+C{^"3&҇+ʺHf3jdC`tҋ :˗yR#ndW*9rye L~|m mlϣ-=xeq)8#Л0r (?bB+g?ŷV삃6|mnAs:a<?hs plʦ/ɖLvؗ5p3" JAG Ml~KrWzߏs$Ox$),!Fɜ˻xf1Ǣ=!avDс6 J#_[l ZM3l+֧c'SC`a%-1,=/^22/7%;}d(Z<W8;7jd- _w0 :vNjE_7;$<qXTq;-#Qbvi-=Pm\i^hT9)A?<DN kizLޥ ̕~~9H cMX<hN`3T852il v!T>q]*"V)ձawxWRXˠWSvj eJ7[]m6]Y}]\u5Mf|{MNny/\]>aO6ySܨ/[{MxF hoefvqT4!+J>lwJKt;+[x͈2SGslm{mZ4}heOfƂu!ULCp#]%v\Hu;[j¡g-G~L^Z#|ZY];0vcfa|IYC6(>mP~VO &ğsIBk͝%ֲv*kǟB!oH> L8-6ATɹ`*ݹ9,ӞJ4gyc /܆s0+b cndydk *BV1tC9⚡:ԋ7Y&F'&x +E$BޓnetD;3zP;0okiJ6QjC=8 =BRB^Z4;!EZآ|)Wͮm\ShcS>aY$cptag3 hIs~WB+*80uuVrHp W^eWAz ApEqrI~ŁKiL#)G" 9 78i<Z)KC:?Pfd10"΃VEoQ1 <C&5EiY@*Taш&J(7=wjmy?*0wtF<\.<Tȩ;R(o/{!S[ US(JVS[lI֌,g/^U?&\Dԡ9Ԍǿz?oy D:nןߌ06Ve6Quix}4z^e|[b{db&nw[֧rFx!ꙢzAGoΖpȐYw=͕UmmnWdS 0&wB0Xja5 PNŭ.uy #ORpPP `k z:5e?e_C˭]2|L)1HXX-{Q:zR(]c"+e[ݕneL5gǻ15IE$( „DGu"7I׶\EI766٧ bF[]>L=X k?S yAjK`ƫS=FM #E.0) IM kZ<rHmB6HRP+pO5S6B]Dp!?9NҿM)i4e -}] ҊanUOI{%P;94z;BϠJE86>V{._ HFU귾/Ψ]-GgIU`r SiXåҁ>S-WPGY{yj.VI\g,;X٤]"$/$/7ȩ0#ouYº4ݑFR+N㪵pY~Dcu \wqsfM(;Q;Too|҉:h`joS#v܎;ҰŸ<hKj6.ۜR%{-Es%aq3%܋c7ɵU-OP u!a3vuf\܄вX<6D㇈?;GBJk1T)MNXVr1_nd;%=9zLID"Y|z2&ot}!zjQ ] kM:n6"Ω; Ē+v!Ip@iUE$>ٰ#,re$>/5HX>{t`8@<|T6*:Idtv]`\,ց=>S^$'#)*G[aDЖ28I@%{ _}%M`7sɍXd%t(Rua,g W5PW,˾849 7[)9pg\cdn3lb>>[Ҭ}S"WHhhXɎJ$Wor*Mz#^tܡ<p7C0[z$ᤇf]7zY i\T*璖nX$u(Gjo<PEF䦂QOS~5e@<y=3}NlG<~/%f3[8be؇uɺ#^ #Tǿd<,20\ +Zx$,P9ڃ*PI+;k伔SNB|_ʐyo9qc ~ft=(&mo1AGђտld-47њۢ%nNi): X؍#_ǽ@*Zcmؿ6J%֎=}R׭ʸv.2 m386)o e4ʤ:hW'f2~ $ӦSUyge}L~rDHe0`yyeLyJ{#\ۏXrFS4-3J85b wu8h-ZZMKFҙNwfɖZN)$ZOZG8Bhir^iv]-yQ ֓`ܑ'vG%޺ ٨3nmf5HDPYf.QN$蔨!z͂n=C0jˀ9i!?1{ gN e.X}oߦyOj-QꥫFx0Gʮ|Eye-Gs6FdM2OFbLϸsx(}^s}"f]Û0/f8 X!no_, Jp\#?@~j#DYݍb(^sgs.6;?MuC)U" ySɟm KXd`iV`pkW?,$ܧ]g-Ę}"n-j_Y|=SB#t֐hElr( 72ͦכyrvs;&'{ͳcWʢۅ ubQא, U<@Dd_kvtC9#vPڴi5Û0M٘nyaE˕cr)ԜxSZAA!hi8Wl׸0LA :kYQ"`hHaHA6^Q_&i&`!p tN*ٞEUuQ=_IB^ S F!lU9 p Y{gS.|+p'϶K7»mSg| Ϯ:ti=L_%QjP([38.J8@/F7!W^^2z)@%3uFDuӆ pc@VS[D'|HO[_Dm4"E8;s0^"XǷ5:54[@h yayk@ٮ+[J,iCoWk) 3Z ݱd1"bT}խW-f[?,LnAV-InG SۮRTC| ev`豊y&?Cd @0a6t \hʇ'$ J|Yʦ -Z#S\^fdt^x}n#LSR:*ƫ[9} $|&kV}oͷׯ4Ym,^aS,pFY)E9Lɥ#7CG]`qG/"艅*( ͛]|ΫRGμr҈" 3Gy: {PO91 3ϒ |kؐ<ARl63~=gB^'̠4CoߨCǒUGYW-Ġvqa0۪X9Nk?CRnl!n% rToZlgwJIlrmY+ &pLK >0O>7OQ|&UiL #pRvՓUa*ĝxY{kfg:֭"˶o0w%m)(}oM'$MuX7IJ5 ;}}6~ȼî{1#LCwZ=gJmꀟi>X^Nf8=bUNjͭXd8Jߥ)D}5 ([=0YKW([4ejl_HxQ }GMI=b t&}Rk]JMegʫ'{?qj͂"|O +TFe i>Գv4~aFąO&2\wQ͡_B"sL\_ۊG9R%4|_![Kv$9- #cm1RFZy[biG >. B]J@>kT/F$)>]&HVFISG5 _ΙNeIYAqdOpRvm] u.vOL36-fZVjdP)NGT6= %=u9$ᘡz֦Y=]1?r'4R7*N6Cf=6ώoB:̡dSk O׫iAK GUzؿMX/p^QLYڍa,!Ҡq (c"/tolv~VW`ۙqdY"p(~ݪIIn2>?y(5*[^dڎX-kչ)XY .w֤4d Lhl̛/I4ajycG,t&dЇ-NhQə|i-WYlnuuGĶYy]&E!1XwN)M6VZqC)˫lךXг3vZE%y>sM%PbM l|G=Ěcwץbpu96X!;FW0ğP3*:gzņn57g@'_DJҧ)L |r々” <ȓ sͭVQ@${%` ט\G݆FY؇Z"%,$97C}҃Il$DEn6搓PP] pSNHw_*![4NP;o\q}0Iu,]V5 !&nJ.vſ1^&ϠTt^]$CF堗lfG5x2B5٩2s=o*AE#>IxTy/W86 bok͖Ou~u< =;KḼ$=|w@r8[CJ\.)&XgH~#+~>g𿡋imyovVţ?\Gk%s9lzU8b;B) !h.᫠Z8mh%hۺ&RFip+If 䐱xr2 dږ@X!:ȧ0jv}65(x٤5'A >m=)u?c;\u0|8r #t+lLYc@ vIZ MJ&AFIXMFt@=ّv 6']iZQF>D NPBȄq$ntO!8Մ(5–<]IV&](%<Ԯ?ߏ@eXf.q%ȒOLot.7ݴMzwBS ٭D|(DHDvM#k℁ I=_a8\Kƞ7N[x?`GWPrօvRBa*k"m jIKH$n  C}!L1( ^,tR5lL%]ǗTd4K x5ptK!fCNr&&"Z$;Aa (y?O9`md2J#. pI/̄K3^\=¿5Լ}Ӛ2^=S6&$mN۪ZbXkaB^N - OWXWKt p \KREMG0lS:da(Q|Bfkܠj-*~sMn}w": IKBEq<w4;LNC%)X 90f2 }~zz@hፀ(vtJ|+RT}&>qfmsA }8= E@beo :p(5 9Y6h)j  tWd50ֲ}rճ͵.&\p%Q -OvӮn/n{+rk%E2z0"1Ұ}2ýjյEE r^-kQNz$b#53l?9u^鉆_77zk'`<ԣc&ݕ3~7dӖW/\Py:凕hjj·n9&Hl]_k@I;s>[Wi 6ܚ-KUu0esyYXL2Wa1AڼiK ?(,ao!e֋\+vcɚs̈o_DR6^'ZI ы dxAo0QԺ6R^A{*: <Ј_`~I>o&GC$uM{W>DtAȂ-dc.Mgx9-m9x_W*- `g0^)У9h”HIPQ&j'ƙqۋUrY k!'@s$tPoD;l`֯LO0o3QJđK@㠜H8N>iYcy ^?Yrlr7)Hxt1'[!~|ǺJ5GR%م4Y&/1|ExJcXYX!b26vil[̒.T_}5_Ҕ; Ü/7A$% Mhy-Hcrt*jZ䭉%<e:&CiY?LkQZe. ɮgY# } 16CymK }gFΆ2x{mZ:^"`]* ]vښGb<ם-'"i(Mzf Q|! |ݻۉM8}E0s '4 q㢮֩27#NGګR҈N$U(v~wbY!Um[ZXHsćhP6Hؔ4nB_cāiJr9 SR!a<W+b 6z.M7K,y\v]Ұ]2Ѯ>馚nta fST0{B#vH]O _}UM~F#:RtwcZE%A`J3v_u9q e+9LY! %̞W Ѳ`sMQ~QQ'-eX7ϴYiqNW(qRDM7}Uciko@'2;,e۬?s:&h|Vo?ШS-&guh+fsj!\0@H1C [Je'G2UzaPJ3Ghй ewm+*ڰw -QG싏r7_J唃#i6ʕahܻ|Net>nTlzY*!bvպ!h=ѿrOQf@ [tlss%xTtQnfI@r1m cWʯN)T= *XE~-l"C8̼-aO;+i`!_!;;\ɼs4s .ʷvy5?NMM[hg# xش`ذ+]vDOnjqO*癖J"XO,=LƼ)t{6wHkVXL"\R+-hb?Oݘflw2wkչP䂻'D 1)}eYy3d"Wgkj`A3׸]B0{8H"FAOžuPO>YFfR@Sd@ %f)+~, PĒ͏Ᏽug9C)˜17<\*52P8WV7b?)0PޒƂ'_* ͔tkLgn_U3~*,&7&p:thć!,'p)$IrֱXOQ=HIG.l=Nz$ڙ{\)F<(0{Zr> Fok?B(Ov6XmDvм{ڂ>k*bIBhjR#R @`v3SON Q.l_7 iRxocQ^ zYnobNK>̻xl{+y|9W&O 7V b\Uc]պ<#"甸nT0c}H,,( Ucٯ<,8<~BN4,` Ji jjպh almQ3/4(gudž,~A&"ELnng?Ť</snވ]z"֣)BU5ӦV*vzN-96w+.Y]!qOAʱ9ֆ$z =<V54&(}XFVSiBy$r:? A2lb4`IJO]JKKUHW!>$P~^9ExI:YUq8}M 988oJ'AE\Mtd,; zf;y" 8)`f'9 v2O]3k*Dl/aO{Gj١}:0[je;~XP5G2[醂}%z(b֘߉Ì\Іd~vK?;(ꁺs;PJgrs/a|IޛAfY& R <f8xВu?)cZX˟Tbl u_ἺDxm9W~)/Vz{1w>5n?8H#|kmx>+*6j' F6cm'!E#y ;!Rwoc/vC_OgwjBF hWE) qj Lc݄C+Sp_leAK )#UD-dPד㆐2uvn{ϏV'0Cm.{̏ _R*r΂IAUy-C@#,?nX #z$ڙj)%!Q Ϙa^kиdoFu)| !l)@0({4ob]TpD ݕrhdݗSh' -kGg 6f0z5 ?CXf:/YUxecG+\w tըg#gjcvjT'J[lzRȣb~8rPTm?"dJ(*ZgDl {>nh#If6#' MtV8 <fŮ"_@y|D"_L+.ҹv<}VfkݘoGYzҵ N*{z ~Ψ6ؖUH 87.XZ.9ˊʰ:E8 q! U1:u)v8# 5nE~@}BfoEW"[~z9e|9;zEs$#.l.+Urf6*K,Wǡoc) F'[\]j"`b]fd1署!d㫰hQ4O⣇CRq![odw1Bl>hblf)\cN'[T˦.{{ ]p󘙞Eքl^`+B)f?]je߁̗e%%A-*~Ϻ3`cv(|K0sd'[kJjܤN #+"nfGz@Q- eIs͹A˕?fٸ:͙/Ar[^"QD`̧cI!tH̷:( ~^Zy^۪q8a9̤Z*e@b6CPj$͈ |3"3<$;)<_<ȔV1gf/w F(6Y k?^S!+OĊ3c @t |IF ~e\)zG* 6,f[m_ xm$Ax-ݨ~\Ĵ-ܩ{}QW82ˣcVH, v$(!,?ͭ);x[d1nš(ڂ<ZP/L@`H#2FR;qS!ݶt@ihuƌ}C4#.U ~ _:6BmWC 5I3ՖOlV `PRT̤cb"3VtZ5hV`J%"D\ [6ׇ3ִJ|k`$)aK|mXZ>mD;ٜ' 4VJO5il:=YLM *"r(l-ur(_&`Ҏ=O.$|.2 'ώ]RE۱_/̢: uX|n"ks1)&j%d#|QO'BKu|%/f_K?9Mkϫņ[ LEo= f7Ŗl+%H+A) Mѕ͚}F_ٔ%I$m,Lf& *ꃵȢ؉|؀,sQTO>ſw&O0ANAl 0r$ 4/.8 cz6ʭrѮg߾b k_fBySv цS)k<U6fY/̈PmF]o#mC( Ei.<,6lݟ iM3J * Z]Q͟Fo{~8N:49-9A2kHJsch{,w>I|">UKHKWޢj:zv+0+oFrhɩQE7Hv>ڰ0xx=H:d@+2Q׃\X)DCNR[l;W:thh.{=_R:9w&7/} XŒeؼ/2 {Mn}Gv=觺#ZA>cF(.-#Ĩ8 D8e$%B/*Y6)+MPzXtp !]xE#nCȌa'lL0: 9l85"2Qa?#0R Vіz8v9ة疂Nب{uS3GCsiu=v kUnMSZ3P*g h \s_IB4vƪvOlpF \rاāū9sqz}yӣ T$@r ͨIjK}G]zj/ PM"Z$G6b/y''<Դe;#.sg=͙ hi}JȮIҨS 3a(1aqLg‰i/ $n+-%Fv#md+^a'y7nL/k#+U3W[*]0gkh³o<!NkyZmdr-S3|D˼Pʱ": ^:EOh8w\F-Vc-L3ܨ]T̠ GZya9sIr%˒Eٷ;ٕ(S fg3ex&"Xbf;L Ҹ`\wO) 2=};Eһ% ɳwm',{ $Crcy1e(?w츛o =`'y&[tFÙ҈8:8׳7 iVԖ#{Ll<Zqz._.˄PIiM?iBng_jyi U3#^{ljf !DsyP_ zT`2~| !B2uNX\ruX(O_\*]vyxqw_;"7Bޞ/2!šp.}#=p ˕T:92kv= d)pY [%{biʭ1nx[57Ғ9̋6HKOLN{&\B ieeg 3O踵n붐ۜ E #=RSoyUI|:`Q{RiZn([ ATNv^A8#7]m5Euj^TY6 0ƷQW3~4jU.2w.WSB 9CruG:n0׌ӈ澝l7&`fMln dS+ݭGd"KkLF߾=]Mn~Pԗ3 V~rzetM>3!IJ &^FΎl/HK6^pXQ'dg&Alg DytCζZGy~ü\;p;{ !)ߞZÒE"2fَZNee,ktԟ+0w24`1/X ǧ_6U7ٝ +d߂AVi'] #XTE4T{+;Ŝk Ql<?O uJTUE#Yv `͇;VK%g,ЁBcZw8 a0\O%zɶ-3ZCf}鑃s__\<C5qK`(ҊQ5ŕ go9:D=;ÊO;p̝CXy_{?I%A,t*t: }b/IJltCCdAt:&MpԳרB@)uzń~P]B'uu - ^*=שvL Ū@0^Y"'Ac80 {C dWa3WC_W.'(O.9y._"áuzC?SUAPj<QcKyE:&>%,|'3y]3w~W$]x'P*"q LUD{'{3M`C.R/%5!0{NBF@ᰃwKAtD[/SE8 f-+Zǐ|{QsxaY$ t%dO<) ]ņKzp.%0L4C=$k8%6&̐%Zbnc͙ _\ -;<HdNWloxÈvW|V_݆T^;浪 >$K&lto?*"z6g|nC=.pz3 ѵ3i]ƕoҴZwNq@]C“%m[,|/ uP@MN˙BNF!}ƫ̳[gCâWFM Ƥ>g9nT}\r./.o4 Pt {8 F B*8^r2W=SmKV+hr vh>rR'ܣ1ojNl2BsC٘=d%`"E-D_,K+J ԭxutz߮gDѢE*3+}j^_oy/n5Pkz˄VCJ)0\*Q e_Q>4(/lCl<] l1X0x:e~ <8f?դj|hѱb_P wP_/sr`IHp }͸*j(LM/ 8X9LT+s(>Q T<#H#>&@Yȵ > 5zG4 b7a>Xmϭq󫌙W;x:{Dܔ=꺘Xa‰UfwjS{̐,_nG^e4#EJ_F~\OͯZݚGX "J5&BH -fyHzLm0L蠡[YoQYG`UX}uH~.80Z:߫^tjS .a{3jlm[뷎 }yƦl'ZVW|HpvJ_'YG@l)>d@[a'D8oR xA1 :ueXF+b6<>ra_$VյBOX%oߚWhZYX4JLi<Vo>{++0>1 dha{s!9|P A<q4ݍ̆q¶BX|V ĝ /wsPb{W7h%LФYЧ {,yP.d (ON!qG 5 _G+jQ?ZDz?M_>K sonDƗo3<FWoc%8aHb]lu1>E.R|)2pÁN9<@x7x(SM͵4+ '0龝/$/tH2Gu `ɲ*Z> ok|>ޱVW9ڥC O(V'oQ8AKv o kZ-ҟRmtc:Z;-/5?IfSW;¼}8-Κ❬ }w/?\4fZJ0w^X_ "/N:2DC1^<r s**֏0Ǧ,y$9j-xA3]|!$(rƱ$\[٧RhC|ڞ; Z!Бm3ƧʎBBd:iѯ3x4=6B/?g*>p.㩫b Ի@&xae%%3`EUok[R6$k $q$Dw}`? uy|GF<D6`if7YX`j`IUo;UBbuuRr[(i!M%65c<b: K9/mzil$ʝN(W+t!$*]orSrz4{OdZPQ-*u1{ϣ ,%Z|VܿV!H&Ԇ@5Y:̋@%`N&7g[e2v3]ahB[mKzB e',yvi3QcS&8autW+bLEzC4UFɖDHM1 3/$h۬*o֟ht9Eb0ypYщ"1:?;RQՐw*z@ܵ:E< C91 .XsU$?)0. ,%ps&]9;艚hywR#9fQC/5f*1Ey5trMۯ8{%M~W˹J [wzS8ŒV9f -Qb`ÑC[+0F[l{J wjbdHɄu`z\rNR~<w+ uS*S"';gt4-֣84ELnui0K(ct?qL<,f =_{|<(}(sz(D*d;j~PF`-DURև}BOU/0̚HP( ڒ sm}4 %FQG?rkd[(BX^2ہ͜f[p,a}#vJ|ϟh1.ѥjaUAd$c4+4͒=j`@z[n& vq ['&V2 Ҵ/wV%ܥ瞚 JIpJQZZD0}̹7s]p\ !齑=]#;Ԫ$!;%orj.T> C>!@+EL+`H?kXN+lcK&;zK_q2$(]( eiIs]Ctbv ?\&Q@M`[bA4^KzUItejHe2o1$V bW2nka)>\a}Yjʼ]<+p5+ZR]վ6_|z.C(Ajl`YzD ,GB?oFK9$xˮ]4SX )c.˂ْ{6\p̽s^#Y }<A ;B&'r%"DLrEmOh=ƖvbcHژc2쓹Ar=dj >c pv2Xkq^OKwxZ/( #oL:x!]*mD iѾI}"s׊5um[O{:zBNrxF7{U er\*w *.gSLxٻr?;ܑٲlId]2ٌE -@es)Wc$*^G.Kl^]*J1%aZ!*$"#?+{:4A`w)amyHZΌ_8#}]eSQZ YyT.ތ ݏn]VӲzTP uJ[!{(ipx$א(Zgש%lx ]?àCW[Cc牫C{-I#hel|$ӎ#أRx58Q5,B1*&Ŝ=wBH~ \d&+ 5p^0*W]/n!d*I}zMl]`:$ 39jIRgJ?kVL7|tp)Y!*)ӄ$EP5^9? |ճG3 ]twPbJ3ȢLNC.J\#`?3}+J~&Ec1Q֩CB NĚs J܆Jp Ϩ7*V\H`wt3cwU\lhB rzƨV%oHSP%P;߯ewX-?vRas@;;FAګx?F^ٕJ$81 ,ES~>k& 9\F,PS}\ҩ.1uRP+K:ŠX`[a.F=>/yE%wǤl@3)AmP.YaJiH̭`w7L"EUE6#)*9_ټ9Bث(N"ZSugL0r˙7#u4¼JUF=zmNb<Q%_ek)# U9Q,!5U?w\q-ϸ*DLVu]f<.mфöj|j12Hbji;ު(UGZΕ?FfuL1#W?:O-^lOj҉ gw.H1.tT nh/x)#Pc4F+sgV 0?ְBgxU^Mrh8fZvOiF\WyOcuUHo Ջ`6_P# PK~/#{l}nJm%;h BkqĎn$؟<T@$4c.eӗAؾ ?HCCt9Le(UJyz&71pã#/$MN%IiaJ.W ʒآBd8+:8h>jdnRM<Ǒ \dge/McTՖxDf qZʴ׵Dx@Q$§BrYXkaaHbAo.gN ^#XJˉp\/%ZM'lrq)vO(o`r")[n3LW~Ŗ%;b]9Y 7+6ViQ e<3gɴ`9EOPyԋ} f `U)/CoSb>n6ͣ1"&v ƹ2`:qV ]1z.ðo<+> TMp (=u2DE ka{& XZ6Q]]\Tco#>vZVp{Q ?"ZP")I< O&Kl{e~+ǴTCHxs\cv '-T(o!7;*~Rj9+~$>8)5L&&T<N`Ct*YCRfu>_;ePG%|BsHGgI/V~fY(P8#E`ڄ5)l!c\cR£˴{hcΏ七{,h,t^'P$޴9t-X@f Ua0b17m+I$vh,nPӍ%^IA40D xj?~@asTUҴSZy/mY[Xa(8wF'^b 57):PɁf ]Uwk=&&5?gEB﷩{g7.Nv2sFa ЍO!$([ ]r,lf ﰥJlA.{1|ʔQ\&xdk濁c{iKeKn}N=#!.xhJhel?l0^hI |̶(1*VlvS(Rʹ؞4\U]=Ef*9#dIkϮMdS[&ۜя)l9 4++=@BSewﲜؘo맂t&udʨYVؠ R11 zf1J:ăStRy~oD9*,g[(4[:ώGpavGvy%Ȯ%l2& !2 YKv0A\XZ1.c_rш`O&{ 6\7T0;POlտ~ 5wڲK֪Z`G UTW+I]cڹJլVIpUkG};=- 1EvlSEO05;#x&- F=]EY8(fce_=Hb W“I&8·5-с_GY=T?b 25jQB\ nI+וy8 Se0A7c/_Ywfa DTeÅtWjt!B 7?.r3!!L:ToVh= [֏k?5z[M墰4TmXov02V>gkv:A9| OL"$[N \i3>lhI k8>O;S MC c4#]\I2'm8{n؂ąL"6'ZԈ`7{ `Vrh g~BlgZ؏H'g*.]Z[Wn"5w& i9X[~u'c?#Q0l?pY]^z(׽Lmr° kz%m:`Ő5ͻ-;<G_㵆$v=[v*eAsOfߚ5? :~Du9!g2ot3˯Ԑe*Zm%e ⛉tٲme&ŷ<c7|) ٝ޶2b!0v id=rwIF!RVBg+VyHjwЋ])W`S]%RWD2>4O]\[8k@L!wW9B+g?XKD#Cf{x'>Y+ȭLF%/MPϭǴŊɸ,-ĉ;a'mj0=}XIgn-P!k.r"QW|+iso8J_IW‡S*V*%dCE!fٴ 8:ORn}σ;6rO6>{t>Uv@ xQ,/ҍ|0N24n&WrO<sVt\HwXʜmV̭NwVn !}FZY*ݐ$ڪ莾<R-;KA|@)0+K~@Yr54WsVφߵ| (zgԮ<KضQî):fص߂IaRyxĆ>eZ.̤%ȏ[| $T,a,!7Tx W"0V5V'_ &>"F |ɿb)IE@莰 8GqN,5 .cyF/ s-6zotԇX)P{Қ 2ض_r]в(qDzoEBc`ݻr쨩z!j{xj rB^Wx4[T6BI0y:-hwqR+!GK|"1Owx* G#yۣoPۇm^ܪ;'Ny0\uT1l~bq8wtE  Rzhr(1D.d<4#L%`m nyB'/3(Ҧh5)|:PAG&*q2f _X+VQ#K#ϱr]*gS>u/Y䓮LQ1z+GA($Z)p\X6M9Y?MA7-; q@8deA vB(=%ȥ\Ds?LS{΅ .hhhyA3%ŢCɛU\`gFUG%l,O!.W>RG+%u)3ߎR:&|V̛zvp$"<=~Oؽ4t4Tpj<^zN]ɿ0i]B2`MkPQx> VNhe jO3ƂY3".[glNZhx|Z$ha B|ҴMGx2ȿ"`YK9HߖZ%/I+3wJW~+2RpXaրy"Qyl uwѝ:}+)'IL&[n g//]4R{N]N%[>D!NvڶLSU6S{@1gJ''_d|=t Y޸g"0A2`tCm 1ϋ?(#c,(p_N%%Ǣ)dK ~UK(d*qz [,P,[KkV3{`siijm5W@q.3{Z_+xM(Cѹc` 뗢a>N֧*'A2ogAK7L?X\EĚn֋L.`s1Do4]0>)) \f2d+>0Nš8Z$:(yOjvm) Q)CȍfԐqaHY+e~ Q%<xn  Լnp 8H`bV Od<U E!t\pe5ڽqv,ufhl;z&n Ӽz={R&I_5 Lpϧyg(`Ņ1+[ PtU{9lDШ\S7$0ѕZIzDȅN='UR0IBu0яb]!*rO@ʎLuba?.:S*Ŋ٭ɧ#/tL51*ibtn/oιNk%.p~cÍF7<T+jv'mM2J+}7UU]XjJa/3&3٧h I1.?:Il Nix8( T{J^O! 3>ߘ|nںdhGɵ! )w$X0U0y 'c$ < rOZ>AŴ]0!"&F֜ ۤsΎ",lABzg,'H&`Of( O:>x|AM0ZnPh@xUo 3Q|VqHO7jd1 P:h{`kIC]5n08i&zfgGas$NÖ_Ut $:K#) FؖQ0՜6_tmV*~{[PL6^T` \DF#ү 0AT7-ۻPT9YW~#J}86$6sTxܮ#;XuٕAZh.uZg܎UrO+h^ȹ;V"wHh ٣$ʘˀV!n|lG ʌC bӴUe 54TyV#wCb mM;õ9LhS!(wb|M㧶:-im m`i;GE_Ϊt9HU:t;b1wp*!pW|:pF hS7WdB;XPz#Weby{4@x[,w2IJ{+b?j<eaط+ C7orrQy>us]WKH>!^6XK7NĿuCjaD~FMf ?BX ֧SoH^M3зJ\" hEеsW%6QcS)*ӯbS2ڀpI Qř MEg}kwEv>Tml3(n,w;U#?OWo<}1'̐&-09ņ{gpZbӾ)W$~9Q m5I>{eD^\{IwS3XmIMhA5qykn`5ՂJ#iQfóǧ=FH3Ycs(7KX:Dm+IEqhs&"WMh/?&oe]N t%² TS-gx' _+\z @(i0[BJ"-(3 FO8Cйs^N/ȕZ|ۺ 89m&PܟBXKt Pd4mn!sU/e= 7CI  7:i|RA]2\3sTedͦQ7Nj %2\9bAe|g`0g8&sM eo׼YV8RgoM<ZlnLg".{nnr|ͣ `P%07@#0+d=Mᛨ[{ޤVU@H?L&GȮ@SgB&-7'eE\=DPfKppi)YY^hNppcl<ic|fE0iSSB"*d~Ol 6/M<O ,SUH]&z;MEm8/N,Y;1lbթg!w޻HZ9 01R bڳN(Wx)RUp8wH;M ϒ F j}{VLj"QTIg< < \F z!7,t  2lkT$ʾ3tܥӭ(-o˅tuB0tù3hD)TŅةf'Q< `P[n@}Ƽsu[3ZEoᱱ362@@ٖ% \]3uyS:߅)q"^CLS1FóAvĜ/ :gClG0b̖q ޥ5@uP2qD| G !ΆQHns wSs(Po˛t2Re3XjJ4d阼 .Ÿm,t~ ~KnßpGV&<#[.1j8[s,oՑl0A[ U!tQ` 8$!x -UqRhf9 |E O8X1q?fu߸sF&sAsSKZ)vjfJU>>I-x{zNBZ.oՁfEcv-D02k1{Z/2YM&ks-Xr0 (qj|sIpâb*D-i|*E۔9.B0҆1!zI $)v\;ҴIuݺ9"~ H@J~Y3t` rPx𸽲wN*ڥػa:fʹ =GF$v<3-?"Kd7+~B(7;x,K`*,?8qB>wf'?rĞVhƴ0BTIcD`eZt !b`?rX <.Z/l3QHl^s95 QEb@(BP,JK J@@^ibC\,ATcQ[\y4$B^c&^a(5=1NivނVʭxʳtҤmx*OMoM M!,m!{܅n<~&*YV4H C@WQ>>3iܻI\fԯDl9m񬗲;Џg$֕<IsJ'Fˈx N +v)2 3=_ 褉G?L_e9meyj~:ȰzD'Y{Z.jн<|EQ&@M5Y`]}ހ$AھIG[5Hunql(·wg_ w@t55k,CQ"m! v V( ȑ+ŽRC1 9KX6M 71.H-΋^Ll|3U6w]D8Eۥܞ0Nax}0 0YBHJxՆa+Np*?ؑRY%T{p:[>JA8;RP8-X uSe=wò:Ph& `tcl=! i; !o|&ahש4#U)ZɃ̈́|cD]D@ pUlXsp3anr4;@ c1^FvKC*VJxfD|)d+`:J_wsz8P}͖X?]Dڑ?׈DUl_صvB|!%FHJg!{ЫkebW(wM|W d\7Ѱ*y?+ReƞB5^4L9J@% zKj4DOo@NHd]80#$CM>Dwܱm6@~6b l70M|&\JCYtGA>x۞~nyU7 Z9?pw3%ȜXW M{]ѽ#]Rƕx1IGAM^5ݩqӷD֮HpSi1*ΖD(7l@qD,0Կ7,=֘1^cigFI{!i;qIcyJǐO&ɳ WYg/!k&!t]}j+VRtbwhoHl5 K@" vPql`xBI75IÄI<8O fL2$!δ)eߟ6 "Js}Ui:$4tG3tFmðkM1NO֎ _rRar}r2AܶU/9xgq[͖R Q@&v.h9?4 9gDo8$4|.vP|/f#>RNbm^wuk#;, Ov͐ky+ 0tV}GMӉ7yEd XIfnl6d5}–bM˒<f'T$xx":;e)-Y6$"i?>]ܿN䑗IŎ݀p3l${NkZTlYNfu")H2)FQ{VJ 6^"Q2&^7l^#Sk}"i v\&6lUKD ̎s)A NZQv*GJWB{BsQdM^ Q}m0ih)1B3Ttȳ'ȒEi^x0(#ĖnIqd^ő͗:eUQZ/ҁMv 7'x]^|ZIJa3eJ~__/@B )YUܓ#+}GGilK5%JAW7Yo[݃q^:`!I}k ca[n%0_+A>Kw5Qџr%}:w 7OdxZw~ѻ!%RW(3XZt~dCRCz`)Ӻ@̬e[wv}i||2ĵI?@Add Rї;>? Tb#L()O R9<RkCpʯ=?εʹ|v NaWv~oxWȣVONt4=irk;lV4W EŻXг3֧Z ԏoۄM#@%<.zf(4n(rv!O` ћnZ)kn ȭq<y?Cs\\qNVχkf}a&6|{N/OB5vRw# [ WA&HUn2ʁ] |θ$OO %Os{FP\eWFOZtlH?m×0x _ {Գ]/T9<6 K.Ijlhaa6E{]sKGUtH B7dn4q{+vf:Squkm9vkSHKmˀ]6/˯ɧ.IrcS«\ :'|h` ۝aEmP$f4p44 /qbŠg׳IGU<|sqŘT5#{uyjC?04s9BJ2Bx&]+0:.S;l 'Ic-݇~"tEcwg7=_6h)8 vancȀyg'Ln:~+F9,ݥK\ @xޞn[#p&t`4 9|Dz{tǩ1)vevMC<m_[*i{` @pUI#>_(uڨ؂C?u:s6iu}%˭^L&[ˑA -d8-=ssї mHo6=vY/Ώ7={'1Yu_ꫨw^~L8P&h .6y=`x2L2׿Ѧx ޖrm]YH~-#DBZTmί5"v m|xwV)0 KtFH6^ceKExQ(;wǩ>H/ sbY޷N1bJ!h<&teaiɾRt+ nmt/C\*ӫwy; 9/4<\*G6U[]ScH|_M`bA[k@߀ [MútF:{BmNgᦗ<33+d*5%{Rp481x^;aln&Sxuh9g sL-!˾~L-7A3L+ $c=41@qkjZw SN(x,X|&s)lKp,S~/hwS%)*PUֆ{x<B\fQMuw/;j2#T-\z&X/wUVNѣ3юܫZ/M/IGUu>fDD8!Ŕ];Lx=Ɩf9v.*APP<%|91$"q1\!u]ikE7 CnEDԯKrw.DVBj%She{Mw?\"Mq.6*&^U9ݘ&AJxB]-% hlnCjrgzvuY"/ƃCP7_Ш4.*dI5(%eu+C^V#7cj_Q~.¥3ø{Rgm5؊}ܙYaI־X}Ah<$oݥ"ejzPS~KH7PJ߭]SW 9:GZ؜r #;o-^NU[u𰪢T?pKkt1.5wIBEm(h-%?ĄhޜůgvLguJ! ʄo`IM˖!khR$o+&n.vV8Te٠^O%3zL5$..Xc&#EW,1`AtP/ ] V1{Me8TZg1_'5r1B(mL &:{2tE%:]oAz.@8T[t~y/#\ }mfrU5Zr lJ=`go Wh:0x2i*zRNN_gu,pD~*=ҫXۣ G&gvZ!痣ϯb˲"&&)*C I>*ob"ㅪ-=Yl{i|:cb?A)drd;F=l]>xZ"}gWW$p%Pst]ΐxIf~Lj5$HB F7ЁNJȧ̆ $;S,5,1`\Ylր'/yxRTNzkD3;`aG7YFDcbHYn1ͣeQ|UșzٔK7Nac7}˜t1Z G;b v:4تyiWm29$F@@eC$!k<L5`lD5A*jRK`QIJ1Y4<Rs&ǿ|47j;;z~:Y>쬭iYA?V%sq):*7ه۳U֛ΈDC40~\ ɠ%ڡ *-DHuVTC~}O~&-if׆).l2)Kێ. "N1^{cXoMU ^12 &n+E|؝w>Oƹ8_b T ξ!M `TT6Lla&s3<epf޶Ame-<!\kԥ Ȟ~}C-hI=L<`v9TǝqV-|=/~( 78F:[{;յsh#,<khq4h")1}DP{Y`v&Cj_'ƒ DXŎ7S9&ʍ)k:&(o6_66m>ka2+V浦OdZ,tO,H,geJN7KlH$n77ÿ_V2RT;}r*5CP#?MI\ ~s1ߏ[bzoh@ƹ1(\Er4Uc%pwi}:uGpT_DX1M͆" AK8'bP#oX硷eMe\X^b&e%fobԥQȘPɪ<Wxt0 u΢O*1k3؃87r$cU}חI<㲑4O1Y$|)DpC//OD.4r6 Nܐ2x /{ov+CO&a\qukׁT%,E\lͺjmUwrơ.4 w{ 'LP7 ``p37a vؕZߨ bsA:  WBzm^A%VGakSZ8sÐnkŐ|Ty8邍ԇnr,["Ӥ> `j=|vB˄RW@/8jBu!ڽ ;' ޕH'mɇPwfQP{dD3 H25v9ߖ"Mk mb 1p ɤѯوNHbSUwbւwS }'>ڔˉ3w,6:@mw ģvr T.0u*j 0VD܉,.}QsSB LM$֛gk"H8Wl0px}P8,>RH]\ӏBUpb| k)4@TTNVh&Zd%iSRvP(+#BW41 ŰM*y(i\Q&"<o}aU5 An=ټNw8#[`ґ_4_ڮΜAĠpSLayR6=bGX׭\Q2Lm9j/8K h/ˣ {'qMV0g>K gq KCݗuՔ1Bx!8x89g +-4Fj]>A*ݡ1?)xk8̮Խy"^ h 䃻DM@{ܯϊńMTr`DNK^SO1E?[ݲDVw;Z$k ?m4gm!KKCZS(HjòsL DFrhqʊL 0vppC5h−I8 ҊݙN]wX"neDP-{HS~3YNw'0Gm'.GP!!m=K<PPV3WꕞUQy1@^6Cf#r qڵh76L5".CTGdF{kU:WN2A ^XV0Fd!΍/F=&Q0 UY(YnLk_4T)ʞ%kF& 1Œk|kZ]˩ qJ+hGlŀ0И]IkQP_Kjˢr>gBk ]"ma]q^P;}W- 6GߦfG(+AN uא `TxE7"]D!"Pv+:rkX4!Sp@% gܤ@pIB\:m- 6I +ݺ*kZ:sl&(a톷 _!!me.{[CY1iUfے.X8(N$1m]r]Z3Y-'{.@`v2 _8AyD'S @E*h?Av%Ñ7p Ȏ ^`}Fy/Ih|6^7z:b q 1aVI}Ұ,Æ4֖(߅:<Xh Uȧh|w^&3&-l5y:7lq5R)fOB.ݍVm!5Ji :< /5WmWӏp_ͭ3Wݸ4T#(u]7#i3(^b>]alKNV'} dlr+28LMJ=AK$U d=:cAU\ژEZ[M)y_qBwۮ-,//_f|z}撹Xܢl#͊ѼQم|S Or=J+7(*f8HYӉE]*GMWhA$~kW 6ơVZI!ea֗ud^D_x!c1∉Bír-˯JJ? *lU{&jI\ϲa\ݓ0zRH0]ic(zNvpvb ٬ti~ kv (nyhC;U9Dtڅ'Qt<Qjp&Q9FvWݟ\ϡ+N#RU\~L=~8[ *hf:/bfYتSɗe!6f`7D12S!X!SoP BnxeTč3-uLfjVÖI fw"?EݴۊԖW{wvUr vw,S)O@В۝vL#$00^xUϙJ[ . uo"x̣*Yl\=5,% Llr>h vp\ xkjmm͘RA5Y]6 =01[<ITՀc}esv| dD \6bOf1X ]ov-;LAY~LjY#L:"񳰧KS6d.FPV1uVYL&{-ȴf9~-[7t3.ܵyB2+(h#G_=kGoP[3&'|ܐ7I#g͖ ZL1fчe7(QywM3SǗ9m> *Z#t@XAmq0IdM^:q/#n-3^] gPUd\G@RKjMo1 X0 iwԻz"!r?a\w0k_V\{%/A q& M0{nt<1/^=1 0?~Qs:D$@{4ق0 Fw +1/i~2.f+ҫq&4mO+4_%kax2ZC' @"ȼwP͔s:-&e gr'N2fpO?5y4&((g6-1gSVWhΦFfMwMՒgtY 63q&>"7-^ 2+}\X4MF7Ԩ kmbFAVx DC%f/|ۆdEVr[  0a!aZJF҉əЙ5S%mpmS!Z襃ՠ~33^8mf \1__aE{<6Ch:Mr !khؠ*9wVC MpEO# rP^`Ͱ=?ZwbYV V5T^L\OȤ֎ .^/B R?Ot 2 ˠfdEABՒpz:nGGxL%$^W:O$DU-LJcST{9Uٛ(El UChMm\};E,9TkW\M mV>x ֞:k3ҧ_p)VPЭ {cuw't-3՚L+)" ]P*Jtx[+e*Ajܾt#:᮲jRE7mVåPit3oRT@-40j[LnCڣ7@g` W י!r6WJB"6=3reV9Ȭl(86(:׋$5PF=߸Nz^iRv7X.ٴ2-CD%cΣ0GZDe_MF}oJ JIv]swpAKqFpJ:zjs;4&e㒱ZWPbzmQg ;61?q~ﭜw4qG{~TipۿM2~LUA8p:k gJpא,R 0WΩmu0ZϫK`\Դ_x|v-!GFP^ -yNޱc.:ڳ y#[a8ZA',C.SOɖO{wnr?!3hJκ0fZGK!W-\جnC9hԻ?3#H^L~E7:<5B kc ٲ\rnRa T~dA⅝Z;CRzfA[oC6@ "=.Jj|zβI뀡/Zz8s#P >p/.>D #=E,B@jR%|2_[5 O 9ԗa( yW&Duᰃbܞ!oas)̀BP<`!O&Bv>k<E‰MGl4HB| n eQGkI+@^ A x/}<$ys?τ bx@Zkp\+-|{ W s7 f"fH(ПBⷴI|}ZѬ FF ʈ*%h&^ќ&&%_#TQ×Or}o u[x}EG.<dsp=Uq9ַa]E6xv|3 `>L}MЀFMlP*yâ[{Ñ?WSZʟ}y5v !Q |K{ e]U˥lB{3 `,C׵+or0aZ;;13{gYe?p):~lD>lx_{,qֹ<])k0 ԋ'Ĝ Eww֦ ȪPE皶L `E2gOm d):@d*lVhMsb͎s 7HLLy7>aLuf|؂i\=hz) Mq$Rlf7x2 IՅ^ t^2;St)x`~F!7~gl*SNĘ1+<{bͰ0 ƛ:?r<ʵTf&8G!htƻa"2*6<C,t/u܃YLP-zIq*VX~a{/,xF!PHPͧ-NOW pBfB k5%@|'VNa*c3l|(R+ЄE{L ?]Ƶo夤TQR4Ib1aqPQDRII70,ru ̐{>Y;In}v^D?lmgpsP݁ n>",)M2nh` zkx0Y$v~d B`yBđnNK< T I$X@GيNFDʄHҘ㰗UH ]vFmHl yI+JGk"p _ov&Tlbj{LoTUq "ڀRɳ7[1< \PT@JYs 7Lc90R0bMD.w{<BhX!9MVhjfeW*G,XJ|/Nb0}C<mq lz~y |ß9tkі*UUGp#EO7_zm m7 pxxVެi? *Q[&鹤0&\GZG V?bu L' UAm.T#9$ /n񘢃Fzw cjNa*7M,/;^U3'FN|0IMa^ҁWr~a.fA{pUh=0~] PWIZh سC;icRwWPo?YEء\vS; 3MLav.>Xv jI_b'萩5qT`Uf@Tk:d-G~(pKeQQL<V A+ͨ *sN*qKF<8DM#5<|ۦn}ʥx`)q4ؒQQ[ G7 n]({jmg?C|}Bqi$sqg$ydy%d츰3^Yq Xb`}_hB wOiϘ9#uTNpg:y'CWBu>K8ce*o-(@d8|w?[wHB73FBav|@:,U-tpe ًv|>Rj2*W>L &\dŹ3c&Nvi7!m.~47%dTo[6kZpvJwt83jӹ[*K"hCPQ­2OޣO/wn&}&MxMޭc\# (a78~LӜ'g| R~nݑ89,/85Ts:&Ւ;Z MXd?m.SJAԴW[8*]! Z,:ms'6XE]Fs5>1 ڣ 4Dѫe1t<)]df׵vy5YAX]wZֳ؍VdIuQhteTΎb# /{@NC %I٢PzF3Ïj \9 w9jqw{ 3s۬ry_x?lmp&FpoLQ6 a:㮀OdoKR'嵦VT &q  &UlڝC )cenci58g˒J `ywR=2uh׳Ҹ) 2BE.pܻKnwgFHy]J )G.6'=} |9rIer]L98D#d/O1fxLP*1]\IVP`zER@H|*|:qsA7YLMϥ ~mWVo3Ɣ +6E\otNxo}Ϛ-RUU8&9Q9d&0I+fFrpz!Ɗ<۞շe0W.pmhkGR3pdl#˾j]G`woa)%*CnB,Rjpw#UW>E|f٩:vןф8PZJ/p xfnF2Isr]@fCRq)BRCl-ۤ`ۇED JzjfDì kɵ:9Lķl,LL#i=v4?Pj&Gj Ag|3`S%p_SӔ+eȰz7kns> EPiݹvՁPPWIJn*|{Y-o,dZLjɌ7&: |qvFNvAEʲCj~UL̬@VW3qDgCJ3.ZO067eS[QEε:c҄ckD< 2, ^ ];ԱGiH >%z?v {\?'k->)_=CX} 6}PuS T@T?/ a3_׈&KYHƓ=\~*|`# ͻE1>,Hj_\@u%Tj;ӣ0:r0F4 C)6]>9q9 z¾Q͟Ye;rnv)XY5^ Ղ);G l#ÊD{h^+øe)uʩ9@i'Y,h`Noɓb]ݎ(Y4cWZvQeꛋ[|@REgIO5_M7#w'YAxOGOQ OR;L8ȅCV-';ab&_:ԫȫ_GnK=%v[<i?Izs(lBK3 UHgUKϹF VNot+anâ !UAPŋ 'WKb<7Ͻd6>H\a˱wt9p@" #yםHizZ &8`];fr Gy @ bT[X"NĨBV^&t^|O?cT4QvaPKMYS%0Xs?< i'9ξ{uKϹ훜-ʤte&enB'fTB/ zX:/;)m  $g,*j[3j0閼;c\lx!NM@74N+tŸqi &Eu hٰݟ=Nڞ%.}6V|ARUGOZ X[,Q]}K;#ћDqOOgY4Cy&6f%jX"Pf-"ϩkTircebi l.a\|c8ˆ<ž#'ij+-.bO"R^ rn jgΦGenί_n_yMmB4ϸ[Yzд$`QeGn<5~XWj,(HĸP^ϷWf`QpWpsN+RYP5|]8~#Η5zQ!dn>،L.8;8; @#Ņi&0ˠZA㎛>J{oo<Q(GDZJ<<QtCQI2WKP.52顪ւ ]\fGro3ԔKD"9+,,ss%⏉يHKi3*}"?/8 Ofj1d%Cor%ؐ"BOfdEY4cmVP&hSr8Pm7Oջo0M}Nt&*QOfj;.`)O10"4CeGˣۏf IֵF hjPLw}GHoÙ)E8+V5:bmDǑ۔Ok\%Wg&I)\"UcZ8s3,Yͺ熣_ 1@ߛ$,bT<[/l >1T4n50d+tAoz0ؓmcܴ@ܸ+68.SI+#Մ3F̑F]#ѿxѢՠƫ̌fAFh_3?&BW |U牑*. klJ ]-T OhJ&kwIJuzn[qW]yj-ս)Z :h01xRfwܷ"u(C8h)2Y \ŭ1`eF[Ŏ`VoU  gxڊ`gt5 *KA_~'YHQ-ГD'MLhRQ9Gm@8D 7}A-t3zRq+1,#^P.}\,*+l-=2] dUK7&7^x9'N ,u:[djmEtGlVWzriy[_/`=d#!fg@X`-$8[$"/ p$ "xk0i6'/M\^ 5NQ(Vt6ɸZ R^3@3KngfiCg$%h"XmJenFC>&Umkj)y`7:FokeM}80קI^\1 K7r5e$S;cnEǬh3V!F8:{?j!Я"x3F7tuE\Mw@<?Lqe;BKQP ~z+*y?֏y{ZrP# 2,,4 68j jEd8 a,g/Ua*>@dX*,ٝxۖ8ȧ])ߊ 5' KZvY 5T2M}n'd~j:*]RA~5YZ-2=-b9o f$4Ab+AB<9<d(|>>0Yk$0Q<CEFH >KLuʦi^RMN^)NpP!mX5iQ1WU"OԻNaO[DZܦ-ˑ45nt\eYo p$4 v^Y&FxkY涘fLER GeV*ʇ^ @g/\P<N@ "s҆l-(=.ֆ?~cR_*aGJ`@i /]G_ ibIvLjmk72Nk^-,xt}wF١,/C#SFhd,{C.nj0gqC+BWFYvM1^}C-2[e]FS ޓ,;[ePs@;σE@P,ln\i0/zS;yAFos|=pӓOC`ǝ~"13xFAo*\b cBgQhp߾+x/䪝~0R D.뮌c*M5IXj0'MSH.1y?y|W TrSg򠳍:@(d r20;T2F)˷b &vW]pkEHuܿY8*Y@QWA&M̗;A1g|zI'3ta&'??A3gs A=LLq᪢YtS΀` ~XB=Hvr(9Q ݩCHNbvpmO86qLm\,s$-m5IIdBO-!Z͈teJػ%@l?$z1S(Sdh0H՝B: X "'7iY /ZM35:ׂi8O  fye` c; h FNѽN^,$QK{ 2FtR<}[M)sC f?4;>Wǐ 0HVr\/E/m ,F hCX4o7&P4 7M*JC `;$;9ɢ<O1ߺ}m2]LI\i^%2I,LFBV'JwlH'@K"Q:Y/hvՑr=- cښ(EFɷ! K:@^{IZHQ4y'o|KR%[7`+YtdY ݣzd?10~C",5C|ʌcNK<F.oN y}f#_IoSFQWL9@fOO\_p|&ڭVߧ\tRv}M CL~}Etɱp` y 2[.oj C锧ų4*EnQM;RN";!|t7s{ll` `Olt2ˠm`$DFe0 |`@sRnd)jÉO>= RG21`r_DaH `U"ס5%z2[;<~g0mYw#EC27*"U_*6 {7jo2180-7 t.r W/K*?-`9 4/w#%Z ;i05Aj53!r.tl*%+e)_2V?25 4=,230}8"4U8f`+,5>Z,`a,G!$H*#IFJ!q M`25O88b0R8 'z*NeE5 J {!_5t/P .fx aBT'd5dj ݍOO6- =,$'\, Yo,2Q-b8_4%܈* 3Y$t3B' A+*y-75tQV *$.61 7px)mM > 6S2H5 ~K2Yo.d*:,[.]Ņ.ɕҬ8m,P6Z*&1í*4u :I# !j81u>_%ON`3 |o02ێ- y~).E _A+~ z2iG:0C %"+6466 5ܠ ?4ovVy %2X2z+>e "5pl 0=2b$ F 202'B0":3 2m?03r2FV,? , 54!+ XYO ,e:+j5z3_C0 qA-2\Q|;*X8f. 7)Oo)oP-+72x47g8h^n(ވ8' E'5#i  +F8OSƻPp"V"M).3NshS+(!C228\2 ,7&1ѽ Ut5 V15  "pG 6Te*ca{ u|,`,'@4vw-"+ 2!* w".!$l40tq6 8 H The $2*#? C,\4 |&T' 7A1A #R61/!Q<'2tSM*H 3K2K-E8 ω/yrŸ.p \I 2 < j_ L ' *? V]n ;V-* i4A,g-8)3/^'n*2 *><o76b{ *W"{g8~4"j!j$* 4(%h3%0 m5{$ 'л06O-ch'8`8v*V1~pU3ܫК-+,2 Aa0PM"b\" !Q48^2+(<''hH_4p(6z'_c# 2$^6 i. 2s-#Zń \F4 2p52v-1/M08-nF;K22(/D@/d, M.i0;!5V026+mrG.* -)" $2X643@r *"3/=V3.*s %%ivW3A)ǧt58 ,J0"|x59706:A5Ro]7;h-8+05*m )C `!"C'`i&3! T`X6-4u 44ZT+ ,ǺMr,xOI6!b+-&8t2PE\ vW/-1*/E*\%B.7B0ni i,#,ohYH@zy$) mg+~1 86%4g4N6*hψ, _i8.4 l&2IM"$5 220O+! L 7"?&6 vZ 5$2*S%igN-  8#22l y17#/x1,Z1 .(+X1@4kc{*%H>a%h!i2%-4(4,( ,D'3*92%_4t 5+&y"82`~*]D0jOüɉ-: ,2>8m6- 3r4-0*j)y7 Q83.G8O5s2[,*I 3t$%]e3t!&2\+Ú3B l2KK. D8T nCЃ'63.W-֛ .Px,"#\DD" ā'e"8i&ވ8m ˏ40>. f -?'"x-2ä8y-ǜ1O+*)-2< ;q6)4+~%42Z"Xx8u8%W44*c/V dKKL,oy>1 , ,' I0N%!8WU*]U* p*qe8=,Ǎ8/V"6o0F`6F`n+J;H8&#52V;]4Urt/3L$hIl1ޝ~I  ' (A$ 0|+lN(B S84u)/}ylo)2m*V%j3L$;;5.kO8t ֑1l~,2x"%j ~*3*],(py+6 /%=$)1)84th( W+':4 -,z +8s ͜7wI" 2u%^Sc%[x-R~/Z_m5?*[6}*]O5 r~:0أ.$ı55\5H92!Mv4S- ,R?+k'${+D+--0#|>$5q!* ڗ415"@$H24"l PK ~-fi. *6/%V`Y+~!&0u'862G3vnN(Qʞ /6/'m)J,o723\P~ 84N)ȭ !/C''s@#;4,>*4K5`,2q~v+12J!./ g7 P: L55%8a@61[ 4]'4V>+ 4i<5@ --2ux K*? J.21 p={'AZ t3,b''WW,q [)M3hA X,$<8 y7):/)) 8m6 $Y K.6W.55] N22݊& 8~'-$c0y"62a-+*,+),0%Yj! 4.a*,!"H )25C+ -\/-25K- 68`;6|Y ]A+jZ'[v-H3 0b'7H9'oQ t4Uv\251"S'b1x'-*o 6"m^Fd?<8~E'1 &[)|"<P8:'" x' 385,3f<8J !18'15$)xwO,[5ۓ2qQ[464_.J%@_4,Ft,q&@;pJ PB+\J6 5!)#,ȕ4l*8 +  $Q/ +&5 5c4>vUA(ī1`* G',\5J5X5 ,E*'*R5 j= &38!%5r)f2d+,2*1Q,2nuٽ8(+8 **?"0*  ݗ7Һa&,h2VK4އ@H){ɺ4"V,X4]+{g6z8 B2_:3.2*F3gc4 1*4 r!+j'[_$D,k)TƬ2AOQ y*3O t=/Q1s 8κ":1i5 "("f1K5#2Z S 4 ؏54+K' zw- \4 H' cY"i-Hr-g cb*6,55O1-e e ObN*#' O sʋ R+8,"-#P %0W\7}6;("iG235 0v`802Ob8` 2ӣ+G1+bP+Sg y44/V&+(r$G:/,/;1* .Ϧ4y1 2-h5 A 8&R6 *7x]:&&Sd2 2 -,j   422+=k7 e_  +9\1r3bCV%U#4-MK+ .<2p Sd Bd+1I#$B$ԟ4Or%P+ 2F*!2i8B67+;1' 3b*lȑ B% 1/*5*D* h447q'Nc1 E*G$ u4.2e " u*38n'eq+~* 63=i1 #0{`8Q2/ s$tP7X$ 1-55yF2B6k&G4*+-T '';`4,[(/4JK3k23I:0a6G(,%a2 H /)lN8-2}-l |"#f,j*J"o_+ć*z{# 4"21A,*y?qw t%LU W1728%82Lx8Bѫ> 1R217_,!*u"~r(8m8  # ]+.<b6z*28},Z nT U! NV,j*+I74'S-MO*#3'@ǀ+[42%_6Z=)A2+4h68-d M8sI5{  2$Ջ"Ȩ8  ?;&;1$! 6!01-&*++)2;69\ ]uI- ;$. '5;Cܸ4i@,[,E,X(3 '*,|fb-.O-*5UL="&4 ^" .(850'dd&,awng5w),1)š! ; P ,_V 7&40x OP4q1nA. t1'z6/\2k5 #28;^r+>,[ -'*154w"%8$8k6jS:*q ׇ!2߁1*V~6Qh1L28[ v/Eh5ma m4b22-@G8\#,L!35u aE HZ866J$a4(Km8v<2Zx+S%g8w.M*7;_2nO&*,Ѳ) ,'Z9" 'C-6S#1bOr q!*5.2"8!2/7OX :,5j08"^5 , 7|2*"8W2K! \0S/Fi k\5F5o{&(Q;58,g5bqt m1n"'**hN-DŽ-4 ֧8/4 !\iHr(4x+m8$]B3&)M$i*# a+#" m`84: Q1fĩ W+Cv#,т >0 1v6X5w=*-{5.*e /4)1+f4<1~"6=Km) Y_1Sj6L35 :556g*r64\8>7Xׂ V",nB,w8AE-Ri2p[7%5B8 *3+ź;32*"q-5,̰-k/,j'\7Y!!.Sܽ-"720 "Ma8 5kn3x? v' V*%5x0i"G dH ,4C `Y !#4.2$.W`T2ƕ$JT2,ڍ&)v5l48)5[6J*1^ S b ;?DR)#w ɒ.N1`%OS 5 ?2*t;2YB*S+1@ }6F4P:b+1 t' _`2v&%%^ ՜ ,sF,3>;ay)G7d2cj5<v ># 'TP 8Ja,,^ g! ,h(35%> +lDz;4 04T@;~zt8pt3i$1,""j) Was+J\u-3M'l(N' R(Z8gm (J .+0yO+2-k2dC\5UC0! 63w!'"l3wA8 J.*r+% *=)oK 65*')C1>+c`+ 26F $TN64y= 8, w!J+N:1":`ˀ2 S+g=,UTg-`zh7f+%D4Wu x,{6I5:8~2. pu0qs '8o&/"a@5 C+G-dQ0 269E1c;,tv%O,6 3'*E8O2Ia4 ":1+#( 5](21;'|R482J/.m.k*65 *b<3.&'|53s.L2ޜ2HQ' s4G!&T1S@D4_5Bcd 2c:8n2x nP'768X3K-JV,Z ĄoZ+MT$#,!\ 5#6I>,oU,}3cd!+#Y0 c2%+k5*21u#2a*5 *-:3>! xT".+2^55wğ1M+e6 ,8C/C-]6 008I)I.o2#6 $ɑ (V3r : #-q"i j0 4ˊ"+8F8xyj5nE U f:5m }&1597a<.4&K >O 6"@ 4 Y)9d/A4/*|!4T1lp 59 6*8-l_,+)5v2]1.p1 '›&ݦ2^D2u3E*'^v 95}"{/,5XBF1. 4s *=P^3F6vK0L. v$H'{ ""~5 25B""'e+>;H6J-8l$8u-_*+4cwLw}L+.ME&#MW$vNu L %: N5K3)[2O6>, ,G 6qw30A2+t `,4 jq=2n &[RU,g"7 rGCG M-7>2~J0c ^2"'-04k~!F'8r)U,2H  0a*1P1z-l'D62)y9'45J \-"W5md8 Q,S2b4"4p,1 - P#5]aR( TiA/ Nr/+w-vG ;A>6{*Q,aE0M35"6 |'lM8, 0 ? p ]* hK,S1*)!0_,215 2` j 5<J6G 8|,R'3;o6F6OT%h',-WCa} g=65x6'LH)243 B(D156)"%8F+#6.*8x6-5 &%,X14} A 844i3k ';k$OO}'ki&h203< 5 &68})73'T6 #m 7T zY' y,b-8,$^ h1+6 ?-+Y+-"S  ,P'[  = 2`XrNv&(3 u,0:*%'L. {C;-!"}7@2g k?-,m l;&4B-Z-'d]uu+Cd2=W,„8 5bZ+$$Slf9 b0t-251de0x8;2,\$& {v4k31"aW%fW:r*wKs5s5CK\Z} Pz) 06 3AT5-ZE-"7q,5O &4d7z+I! U0d2I9%_+&)&  oI -2! {7p.6u5Ű4w4R +3"4< +]{.a3,v++VuSb ag5&,+l6F+3i.*x42;ESz IL7 *98b.f=-*EFs*5o22)n. :J2._3<+\8dz,32$4W0 @,\,wI z _T M2z 1 * ao155u()t;J2,ދ" a ) I28.(Z8$z/E/28u*+_ ,T!&s8)'+",v28"7$,L+Pt 'Lu-,, "lo62g?z $u `U_/d70e&ً2ѐ'0n UWzb""s,+-:I@:|+jFp32< '_%j)24*=,,;-5tc7 >];Bo2"466,Sb,|&4R3Gz1eRE$ո h,617-8İ4Y<D!;:("{r:+@.zHW,@,[7,T%RF CD z)c'Z5w޹ ^4%TQ*U 0/KB7C M,8b%\"ܤ6P:9 N, Ɓ,j9Uw͛'r 8'A*& 2@!*L[y g8, S2_22'&&u4+7{(6+&V0- T2eU,jF115#U s'-M8 C1/U1Z7S,1V+#|& #8 -16*5120.!* ~:4*h/"J ͵,g8--17+,dX51$G1.+" :B !$))QG4H 4'/&,5eV88 h@S H,c x5#n4މ;$N7]1 &(#:3+g6'`+-%ha24)8y;XC. UJtg0h0 Z*43( Z}S [d8ò.-5'* ('4 ; {ݎ* &8j -ZC"yB3"3wVyO32F!$/[ "65y .-6 o m2 -8%%]*+ SUwW8o 2^-i4@-8A#+!m -g'0G1=I)/'t;#02U0;, 53;]r -"g.{0>$'d1Z4D,x&&B2T 3s6 S ,3}) 625" g 56c3d h-D ZP- 4J$ 8{Tn,,Z$38_')-+91c'yR G 4lW85ۭ%j[ v4T8WC+P'ʔ [y2r+--(wC6{Bx &$ 1 P4t53dE&718 at A $Ŭ+#*"jǕ 4k d5 L"^1 2A/K~'dCcS,},3 y.f4(H }")5WB2k+$,l T#`+'63,6W1q)n*n$H7#]0v6[;p-Z.+K+@4dJrr.X4*v07 G8e1H5@!2oo4 - 15`,7Kq2.b1j*6 c,:'J)2Q13f8(11)x M2Һ@.<4?50Xf4O8C2u=J G6 " ]2O5a,5%Po,p01 ?/8c+%p /.,{"< $e*R~85;eJ$#׊ L##k,f0.f"Z0 %24-q-(#7 ."%3 8,:n._Q4a (o{+a'!;('!:U^}+2f.;aE4b-1~2β024:(7:+&-5p%Ԋʉ |4b3 g.p6ٖ%eU2׾0u*\3t05 /;V| Fm6M '484P4G404m+H~2Q24/5_:2@23#_ 3h4"^4*33.[%x$۞9 }i%Z- VJt,% T1W 1G2,+K'rk'--h+ ,h'O=2uF#(3@C*M/2(>:, HI2)*6, q" 9 2 g47.g9V2M6530  9@*:q,Ė&Q-! w33 F+{'*9Դ2 04t"6y801 >  %^- ''/*'\+440E-Y%2-5@h)2}+5`%78? m1'/ Xؾ'/,.- 5+@q$F *L 4Y +! {'ұ5^*E/ Pq5^k8*ƨ1 a454W8:3jS4c_!6~0~",2 81*"%_YdfM#x*K+x'g1*,&!3C*,2%o7:2T. *z ;:cgF':^$ kWU. ,s&0,&0l024$7 Xr"ɰ 82' BK4Ӄ E-+..%f2~S( @s'RhihB3:4w0A!'V3 52X8b Dy & 1fB*3hm*$3+3= ][+2 ԁ,o)t4 "+J 5x& U< C ( 3^*A ?T+"'NQ6F m ,i>8* *5"7+@4/e*j#0E J$,i8j_C"_&73S6Y495!M38c*p M6'(2a+rP-w#&LV-?*/ ٲ4j5xB 0-k~3%%a[%N  +4 3,f+Q2*2e42euAV $; "2 k4lp 1Y8 E2kG*6}2-" o+72%X2,:ǁ8>2E89A |WԄ0|4[woa(-922883&b4x ͂-_h, %W*hQqk-K8q o-hkB U2$':/+ )u b+e-T.w+l:, =&#U 8u 2-+'1p22,"Y*Z8 'rd#Qk+%.IHZ+!!;2A+c8 > 7]6i7g8''8N +z*8Q F+N0&F 45 |,5/-v2%2-T5nNr2l.1/^6Zz2;U2,[wW0Ɨe# u4cEr1+6G\*+3t/)]3uK1mo N @"w' 1,D,3'CE4?T!2(5['W#-1ԍq v"/)c2e D2 *&$u*R2k.+":3KO,8J'4>,3s*Z 66"2p*Ca*L1G "Z 8Z o=0,#9'e :"!p }0[$ά1& 0ٍ8,`6H08|8[0 $J3**,+)-O+'4*!\"&1?&1 ,M)E&'[r_3$" -ab*f5V 57&5++XZ7R {2B[' ! cq,'k#I+& Qb2.@ =6E[)),t 26Y_0,4>6.@2.vH%h ,"2&,b,;"0#d2?(e&3,Y"0& +. <-'+= #:rS."420 V2{33~4@'C+3lT"!w Rd*!0b;*b 4 0`a$!.a2~)b&%0 -\4̽ p-*. 8t')* y+v5.C2<'D_3p|w-&-:)~1F+6:* 4AXS= FF 0b -_10!*63 }G1ŔV-2 CC!`1 Z1+M3 "1f+ţ8R*].0ٸ*~V +H0, =*Wr5&73"L+=4W+[3i &u1 |,1QH1b d4 48!(1h,vʋ'P7V.5, H.> u7c:l02bL& &"<ܴ0V2& Ryx ŀ.g6Z.. ]? K"I3b*uB )4N/6+)24! D4   ύl.ղQ 5cF2 3`-YS8l39*x6T+S4&.Rs8 1+;.C +74k "2>58L*L#0L+R"!5"4JE%" T)R !u5 lcU4+''+T2"!4 ,5E &ߝ2W*V5] 9#[1=, e'O 1W,w c; p5424R2W*$2A"3 >/4T`5 /&4 M ~4!-^u4P5w5><`*L/>`'G1"R+,Z;18zs2kpX(w<"!$ 7/W2'aW#5H^+G GW5c!/CeR20֐=S ;"*F  ND /vߢ>- Ҁ "%8j0d!?2*'uMCd- . -J<1+ y i1'0*5 =+K&&i /vf-)lYv"7"a7p-.1&%>3 _' 5&k<-5W"y&$Q,F8O)܈ ž#s"'h2*А Ga$2o(zdv31b7)21`m M X" 442>4+6#d"Z=8q.+"b;,2GJ8} `'_4"*zT8u60,jl*2"d4594\;c*U+. . 2K436 +.;<,i8M B,} Ff | 1) 1V-1"c@: > 'S/&0*58~4 +:7$y8y*'\<'2(+B2.  ''9,tu` Y',c*_o_[#D.2Q,20p2csf L30!j' @W,!:(E{4Ժ )W@!)3k+mVK. G5W*. 'F  5u2zT+#8~r|r,˒T2t* $'x,_2B)};ob2Y,ʂ2v4)$Ən$Y8 $5x 5 X[kL*8!(̱5^T+b*%s* ?R# 2:u 4r|)JV*1l).M3s6 "2w2&,_0| ''d,KwK(`14v'P-Jk,B1'.*.8, k+?";'[o y2„ b C4f{3m635K_7S,o90q6&50='kp,x*2'K,*0 9 l * ^I8vFu5 r.P .25o6:E*H73' rs n.5/ɕ+aR4f,N+"1*-Y: -U*n!'Sa2ZX(29< 8.Mj*6_1Y3'%7k-X*X5=8"7350 c+*..? P $f32R2% +$i1z1g&;Y -5$ *%Ҋ 4f\4d=2ݷ(ݽu 6S,&0v ~6L?2]F6y  ,H-'Y, + P2i2H$ 47Nj5<$}-*$y 8'jv=cŠ5 Rp2)4/:2"35<*ǁN8V/q*%R82a.h K%a 'Z+Nu*Yk+K7*`u r >g 8)N20_Ø,Ѻ,\1~1w%^ EsxNFi], jl2TQ/$5F y052!:8pOl2(Hj530o,"P274S/D53E ;ם@xh*6]4UOϵ v2` Ǽ/Z8{2Н/52(+2O29 !6j.; W3r?2Gp=gNfL(k /53G1>2f2V,%a  W5'v2 \ } LR G[*:Z/2k. 2)$* 52-]i$6Hs4D]+.8b/ Ub5703\0kį,m"X* 3%V4wK1J j,Ý?O/aV'%T+ ~*00G@ `\/)6 `M,Y+=,|2$=%/b'#~"U8*+6*g$y \$,jYb&5'k. 1٬++,%L5<307G.j[m(c,518%iF&B)r88\)R6 _|/a" 35R4:5,YI,).<+L" Pu56(64+[4b2;`M"F1.2L4> \,6z'4&'-($ U> څ,[b11(=2rd51 '1"2 U S2'S\5`>1' rb5yg1 463\2s-323r_-56:+n-J~g'Q%h;"7 H6 ;""+ R4ڗ#e0x42|y+Z^a+]5a'4gq1 ~%Y)~1Ə S L#8aH2A.0J24G-%1}2'23*d u-L*c 8;)Mp?g*R81ʺ [ ZM "!"$"8ž5aO0%'"2?r5\%X221a+ q2r[0+-L53i43'e!l3 t",1=" LCGn1,M4MK"xT-.`2ܱ3u8 ,-[-^ =/b |T.) 7`O 3.)]oI ; 6K4@ &+f) U5W2>*]'a4N["i'120 ZO]`-C2.y3<-t23F +('Qɉ'AG=b,#S:5y2DF0|U %05O5k.u|0+BKG@8. 5sL 6 /%k+L+*2:'"}Q,d 192rw. ,e"!(8/x P,us805 2+E!V+p*rM0 T4w,i+f !&ZE/%O j $ )M( Hܷg0\*E_ s2,r C"I&5b 4-# !(ɨ-4 {-0& (-231X 4Dt8pG1p#*o8k2MT& :d{.!6Kx!&498j'piR()v9*$'`ee'A ʎ)4-]7)v f5n220g"7/,"&g3dRr-+2z* v'?$+a3c0/*%^;O6.6"%/Û D(J,C8o(8h {4l4h; 21|+>18+f a6:m^)nJ"Р2.Ͷ3k5 s 000<*8P,Ono 81rG5m80m5ܸd+`& ~8*ȁ')2X U(x 4_+7$')84 I-H.Y8 2@)5 2r̡z)T8j a: AeZ$!8L$'N/4G)/08)٫23nO :5o 82*4&.*%  M5  +bT(/55aO1{4 ,%k5>*:+f `ݿe 25" , m.*k$192yl'u:B54;j'std Z-4k/c7*r4ߥ,R ۠>3"57*W4+\5;*f,Q"'Y0"X*WA l}'2ڧ885v,O z%R)=l%g[,.>Z~ c!G.B$'l H/1| 50K. 252!/C:p)<D#., +Gg7- ;bl ? %e-3X&4Ͻ"p5qa [40G U*W+&8Z4p[ <[2{3tdak5r&,̃,)v)'Y0Ѿ2.'/#a %\ r}!3uds2dw9, *F7 FEi- fm46*X6%a]0TFq"=2q&3'T.5l_tp }2;Q2 [i_&' `6G(4+m&/.,H w A"L>1V; 5 8E4 64 ?5R*{0#." 42۾+03M+ݗ4M]+J- ۼ7,r#*b,u:a5u53i I%d3V}*_4gE(Y&4n;> a3x)))z'#*h0 .k$! u&;2C"<"9025ce%k Rd36L\1t(ȟ&u'*4(B§0c5^p i5v v(. 1ml ^.}C +<=,m<65ݭ26* :w03C8g@)> 3L d5'71rO (3|5o2En&0?XT2 (1 X01*Q-w^!«9K6ye,!$+( 9 6H0#*x ,e 1!61Iet;?2,#38t)-wa02Z6~G'+ҔPGb4?2."_(q!!i%,w3uf+?>&-Ө;pm, B'X,u-Z2:~;[F),^h Og "'+A%Oy+Y& EP(ְ$sM$д  ,ep?~+³,U,^%UQ+:4=c`B,5wH,w4@--&&6R" -&,H5c='Ա$p ( 7|+-rQ-#s*z-e,J $34A ]*EAu78 V6zT6OL&< mJ%^'K f5,? ,"B 6 N dB']6P ! 3A-z޴K3sbc.j 5p(+5)q62L>7-J74@*E&A!3 -4kG  _* /8 2  +*k% *4. /D8 g:Ć^)Lj85[P-254%l14-[M btz"&8 <41$,-4C/,5*`[m.,Zg2/R2] g46D*q""h[,$ j(RI0;# !-g7;5kT&'1'P6{ '6 5D15!y *w2 i+*"%8,p 8xL "} h 8*-,`1 exTx؃Ni 't+fV)>,5xm)i55z *B2+2`:d4*,/3*k2y"d-a45-7:+"&l*6 ̸2]24 'NT̡2i.2/$ .U-8tW4n,6N8 2 %V+.,v,M"0|6F(.  8,byL'Vf)W 3 Z5,T ?v6R2#2G8)ɴ#3+f7a3:.5vZWA2&/-8P$13R,R2vt.w&1^C4. 5V]; 7*$P Nk O5n 5s*k*\a"#HC3T;IM#. 55> i18w 5:%]w4o4r39 2j2L,4(Jr'i4r#*11 e%gQv;y.Ȣ.+|52U+&<-w$jsǕ6 u 7+0ء6K t 6 Zq 3B5%,r3)2,(%_- .*'̥ T7ܵ 6d)+-P=$M1PeP'#- _1 (l -1f Y-[ &;K#95+9*5_+!x 7a I M7,'@p-^ * 3"!L3G$ѭ n=*pJ48}b*I1"UBG)12QV,t@>fs 0W1V8l~+eP6M '-{ȕ k1+r`W }.5nr 22z]"ƌN$6Y: ST K4 4J384l+1ڠ7$ 8qtI' O5_2%P t2  Rt 4K)0. "z3s,ȵ@4^,j23,p 4Y"N ;81_)a6!21*G" &K8N2)` *\:5rk/<g30o6Z;4o0x)778͋/bpm12X +,)1}+: ,rA2,_53$y U s*b2B5 }'-:v8=T'+) 4( +1 u  :l5C'͊ 33 ":w{/w4+522<2=3) 7f%\626 8,ɔK-hH }-,Hu(41P4Q 7$&3PF37w,) a/ _( k38m"!p *i%X-_,Z~f 1ve nk w a7 ~K Q&'...v}^*X,l"a <65*P@u*w-N:D1>,nZ0#j2=HWM+a-O8Ȫ5*Nٳ+J,8$, 6-!5w4$*3 ,Q$ \2NE/Tg('+;E 5L+-I!&պ (~ * 1B3A5J}81d*!,8v q27mX/]+',+J,g0VS.g&D p p8 E mI8.5md8(2 @8*4-':;3 4", (r 88?%Me,L2.72P"~8! %23 l 2\p'@ x5zC1984 v$ђ/uҁ4 _)s4'{q8h,u /$r'j) %40$4`3" #}06o |,`K2m< s=ּ*v5o6G2)\2. 4$263B2> |,²))mF-*J*` e40T)VD.d'&_5015`30۝5ƲD-9&?p2o`2.f2L,>"a,d5t#5-/M F]e8"L7*0*R8 [*K.j7 v6K586'/@y00:G]%2O-Qwu'NW25]"GA*G7*s!,3<8mT Bk z$5Ug+. ek WY)Z #nQV-ZU,[-" g,b,3\.cG-P'V˦ Z"?4<2P ' J:r5#,.$+2: O$4c9'-f "7->W` ',Z*2\K' .y2` .9n0b-,tQF .2i3,8`l $"A )\*+oH$zE,5n*$!3n +S*E,4(p,Zb*U -/(TH 8Q[') ~5y8e Rp)_Q|"98ȏ4@A8z2ҍ!(+X!.ik=1%bl MV42/ +6z':= c*S $q2E,=mO  &bY?z1nM5x1*2wM;l30+$); ={=&4 'd,i8<8*,ik le5īv+'_<::Į 2f 3D*DI* A@80), 2f4?1} ?-y5o2r Vp8e18},FC.(+8'Q'V2ANK$9Y '$p1c* 3*U 7& 6 26 v4#d2!;-E0`,Yi 1ګ,n"',z"7%a8bM)&Ud2!8p&< "",5A545 \S,51 A,+38\3>h3c:3w'n:ƅ\Gu0ư8DR0E!_5!26:e-ր0 }l.:57-G1$„1 06*L+>Y o0+|f 4ޱ;>  $9;4d΍0. k72, YO W *+'2^-[up,h ',1:;̚ 'f 43F)%./!( +@4s S ̋@0 25Sz-!)k<_ 8', 92Ag'.m9_0/<,E23$-h+NJ- -2 .D2LcU"{3gQ8y b!#@4kR} ' $*81N2y*% 32ev'8+!< -ߙ4Gb )!p[} d:/,s^'8'26K2:47t|.^2t23eF*Q2=60O,3- 4;$%D*)t-h3'Ŷ5,@,mK+2 1,J,6s&'&4I H.+#++z\*,;0@w"2'J$N,3W]ǢFr2,h&4"0 "M*66U8q5!% $ ]r69?+*1i:&4 +7#-.*|.-QKHJ 6p y"N,f+?358*`)+q,u ,"{"!3&1 y1"L=$7 Ia&3Cs(X3: 1S2+ L,edc-%4*+:\]4?W'Q&#{+,s47"M<1O3+uI6"&'#8r80^,N~ *q.*S 4g PM4< *`2Xc-"e˔+"b6HF B}82]53'5N*8;w t 'V C/5$j3Q36:#86$d8ߊ550b: S,0t,[62 7}*/3rC2" Ȧ"<,5Y uf,|5 L e#N*QU _/e6 T8D,m|ԟ4}0P"p1(j k 3+)d4 * 0Y1&,2UL5Zj3 d G'.5r0͑ ~),)W `6A#wC&ٷ7~w6 2> T Z ],; $4< J5v ہ[&#6*m46 2;_$(3*Y+'7 ),-b3E6M/+!/8w2 6$â$/# a,5W 6j-442l+`6X4b Bc2"-['*M {Bd]"&*],(8`34Y ,q^ s;Ka.'K* h'lT(6e 03R\$#-*D$8 +'1I1ܫ+ r2''c \#  *px+ O8E= /dܺW/QSv86&g Y5.y%3V6 T&ݭ2*Si*. ,r2e4Z ,U*_~5#'qg0v" \&գlR 3:t1_1881*243[E4fA41,# q$*#v41,86L+b1Y2j- +-v 4'1}k H#*#8e  '*6eq c'@8$ B - *D,s24:+~&H,1$}6|+~L u,}o4>N3:2C*-gI*w42-q- k +6; j/Y+t-2@ 6~*t #a14sf'9 w )A-Y 2 ̅.ÿ3 43p& *]g:q2DS# v!( (,/r*,*&=51(&(F#35]6L 4,6 /$2;0öU7T(I89-7=#2. 6Rqd- 2%c]O1!8~*9G2?E*kR+N E@.,+Z :28-8693[ 2s8th 11؜628$45ٹ%L8.7: Ϋ,"3j1"#)fA'g8J A*&T00t2Ck *(+p*g8e+2l5, <2J -/571ҩ6^%T)m8(.3;6,8|S Q#&a"=-Y,2b KGyJ &%e'558}4s"190 2]/%`q'5y71B 9w dY)92g"w+m*rT 6Um4<U.B9$ *ry/_'/N>2$1 v,%3g1Ƽc,5$z,#-n%e5-1ǟ8k 7>60&1̙а, %-J/M U%Wc*\*mv4ݹ4A*+b4[э'*J4٨.th115w$H88<2CB+LK.;X \*7- D8 Q %N92w)Jb>`)K y[3ۦ3:*PU "Q3w Q4&ylQG"iP+71?'L1v,')K'ɣ4 Z-/Gt'* ",6 \/5,1{- q)-#&18s*a[}4<6Fv6;w"*: uB-(1,"58 %+7y/8rK ~5U;)l51lYF'Jg208w.F? )~8g%406ɪ/>2y.p o4,3,eP L % Y e-#>v* ?y'w5^' 4h~q"!0 F'wt$&<: L-]- "5~IW#' *r*>(f1.l#]2&291U54'g64i8.,x$S*!#m$' h8&"m'Ȱ!0o6H .Ri0Y_\#n<v+b8 JQ_ҟ24V2M4O,hQ,[ɐ.s%Z $G*-HH*S4Z#'C 5"2xv%N!\3n43, *zS.m5B2Rǯ0J,.B0Q5{J;) a)3 >3 J~2%4h?2p!-0 d"63h&-3*k Xw6Q28iw2U%O &ݎnLz4Qi u2"> v7 ;472/lo2|S7EWP`+e~'g*s&qө!04;5$.ٵ!5  1Ș5 |%N(Z_ e7 qz$I84LE5.] a4ZQ11f+*'T*7 5_+s(9E2K/T2 e R"1G3Y[6SCN}6JzZ12WC.p3j8ę GHtK'b0ޱ,U1+V21t'n 0p3 TD2++5`5I.E+#n2&e+ 6"w7h, s8 =h(^B p44+7+(80L ļ6l5 s0R/"*1@T6>+6R {m)bs5^&%,cFKq-ߴ2K_6$ +H61[7) #2SA [,ge-.'2z8 1}٬2(k 'V'| "x6R\ >+~8vC4,H$.-!h56g-l4 +c-s3r04t3-" &-3v op1e3 [,>6/,D>@;HEN,-t e+($(42c-.065%i} +( -+$1P,2. l",i2{8 -gv(=8=L$4JGZ#ũ5`E41' !)-F2f8##2g4" _" "y 7 ^$ޑ!23% BZ4Aj: xAt8u0'Fei%P"o 2$n4+D'فyL&2߮+;3(3s^5840Mbwu23^6"_4vqSl+EE/DR.r0T14?0XDg8%6P L-!6#2U' A"W'l41'F* ,5#n. !U >'*  n)Z424,:+C >,M0p&2.28`0'A5$2-m.6&"-5[P8#8,p5J)= d6Y"7YN$ &$fmZ2 /`)%=4j wZ2? +-RCH CN4D)z( [,\N4 kv*i.s1:,8o)n2]Pg2`;x9 9L2q$55`&RE$;4hg- '862 8{,R'tgr2x O#S*8$,.9D0/A  ';57 1wG-(418(@8 )*a42zG&[)1,` 2F,; @ <4م:P2<p $,4nEvPv3DpT2, [ m*2L*  o1#.5Ux0+#_'O ,;'X bGfm.&~2+CHB!VS0/3tX0-q!` K%5o2="@,m +)7./$o'I$0 NK'L)$Ϭ;,j%Qj*y,/mQ~  4Q;7 +F   c~4c[ )8Ò)KQ2  },ˣ*$-V,h3!`%g N3X/(!.N w3r,1 +L8R 50 g 0"/-W<Pp)y,Y#x 6 p Pe:5- E5& *f2Lj3#"8q2-" +)|.j,j4i W'@LTH98x ³1݈+f "54;4$ հ-6~2 4={88RS)fo0^v ^4ۿ*T3c g!s< 1#2gn{"M8Wpl+6,>6D!s C/3,*2lu""R%R-0|"$M*K>6$ } M1-Mt{ ,Pt%T7"3zN'3".'Ģ M5#A3S,<-8;n34B#58.I?,"?`-3j>, 2O 8s0@2 Av122 ""y03*;U3*7/E2:D?*>%q%a/Ā5|+9y5%v+8_*n'`L,l.5Q0+p68 [+l2&%0nj2*` ; c*55_t`en%W% '5<4a25s+5n#502*7/4v"IN18[ {2$+e*&Oݫ'F.+ 4! 3x6{g'p ?+Ek,ƥ/ 1T*` Va8ǯm-2c2y6TG'UR5X8 bY2rF<8"Y|F+d)2@4!&294%f? 1(4g, ^8“ t(=NN;;5"2i03# h!j`*g18+.g'*%T:";$~4 *aOnOq4|'0s$# 4=M'E, L Z2 Ri1%(1 >4v8 ,;~,0"c)rKx-)&8w,387:, 1g%+(r3l6 V6U2Lf#MB*+.AO2Dy6' O*|02 J+. W4Q+bO3i* 'q /'uz7740\O ,+E1 a4<#}+[8ǀM2xS'2''$ްA"8+1,- 183-8o(5o$mV1߁1ф2%VP   j#'*`028w)q1C2nN_6J-S"e:B2>-J8dJG05?R8]*sM)S3)=)>^5,s."2+fYR '+0R)+5D2հ*F4A2f\,b!p{2H5yH l3ݕ2X',>7+1"~/(4S5i5 C$"_:ڧ+2$G A=-)P:L)|&#Z6ϛ6782  I#4&0(2/5I "9r5o?20 8 'j6O : 2h.4Yz=0b2N04 ' > 2T3~%2v-4~F '5 74x8vr/" m%M44$ˎ Ϟ61. n * W d~*v$ #aū;a(#; C(.;} e 4 5V"?+4/#(y*d%L),52 OGa- 45 2wv6>8y2ron$+R#m;,0 MP6])35&@ F+?62i] "*"8*'e S$.V+21^!% 4('t8}++;p*3x! J  4! 2q6i]%'E3B*+'O;8c44/5U _ :6,vjYl8|3"y ~ W>6| }=, ( N 0d,͓1.93H+h4g* `C)5U@ +*H5,|8 2{-"n-}2 ,**K%Ng* 2t*q2l+2V+.+;*N6I"/Y4˧B0Q4e*{! .& 68'5q5) '' Ā21+g,3mm'D)d,\c r#)625 H J!#'9} D&-i*'$_3*"@3 f,-Y5n-L t8*L  !;g 6IC: Y2S&2*3+ ٞ": 46.Q#"T!%7\"d7.86Lz[ +o8D58T7]Ra *5Wg^ iZ7].&mAy
-1
log4js-node/log4js-node
1,274
Replace validate-commit-msg, fix husky config, and remove codecov
3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
ZachHaber
2022-06-23T22:41:38Z
2022-07-06T09:29:23Z
1ca79dad4018b22c519699972ef3e3a67130c7e2
2af3bb6e2ddcb615fb61b09d3b7e68081dde3883
Replace validate-commit-msg, fix husky config, and remove codecov. 3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
./.git/logs/refs/remotes/origin/HEAD
0000000000000000000000000000000000000000 bd457888eb91b9e932fe8f66d720cf2d9d6442f4 jupyter <[email protected]> 1704849661 +0000 clone: from https://github.com/log4js-node/log4js-node.git
0000000000000000000000000000000000000000 bd457888eb91b9e932fe8f66d720cf2d9d6442f4 jupyter <[email protected]> 1704849661 +0000 clone: from https://github.com/log4js-node/log4js-node.git
-1
log4js-node/log4js-node
1,274
Replace validate-commit-msg, fix husky config, and remove codecov
3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
ZachHaber
2022-06-23T22:41:38Z
2022-07-06T09:29:23Z
1ca79dad4018b22c519699972ef3e3a67130c7e2
2af3bb6e2ddcb615fb61b09d3b7e68081dde3883
Replace validate-commit-msg, fix husky config, and remove codecov. 3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
./.git/hooks/pre-rebase.sample
#!/bin/sh # # Copyright (c) 2006, 2008 Junio C Hamano # # The "pre-rebase" hook is run just before "git rebase" starts doing # its job, and can prevent the command from running by exiting with # non-zero status. # # The hook is called with the following parameters: # # $1 -- the upstream the series was forked from. # $2 -- the branch being rebased (or empty when rebasing the current branch). # # This sample shows how to prevent topic branches that are already # merged to 'next' branch from getting rebased, because allowing it # would result in rebasing already published history. publish=next basebranch="$1" if test "$#" = 2 then topic="refs/heads/$2" else topic=`git symbolic-ref HEAD` || exit 0 ;# we do not interrupt rebasing detached HEAD fi case "$topic" in refs/heads/??/*) ;; *) exit 0 ;# we do not interrupt others. ;; esac # Now we are dealing with a topic branch being rebased # on top of master. Is it OK to rebase it? # Does the topic really exist? git show-ref -q "$topic" || { echo >&2 "No such branch $topic" exit 1 } # Is topic fully merged to master? not_in_master=`git rev-list --pretty=oneline ^master "$topic"` if test -z "$not_in_master" then echo >&2 "$topic is fully merged to master; better remove it." exit 1 ;# we could allow it, but there is no point. fi # Is topic ever merged to next? If so you should not be rebasing it. only_next_1=`git rev-list ^master "^$topic" ${publish} | sort` only_next_2=`git rev-list ^master ${publish} | sort` if test "$only_next_1" = "$only_next_2" then not_in_topic=`git rev-list "^$topic" master` if test -z "$not_in_topic" then echo >&2 "$topic is already up to date with master" exit 1 ;# we could allow it, but there is no point. else exit 0 fi else not_in_next=`git rev-list --pretty=oneline ^${publish} "$topic"` /usr/bin/perl -e ' my $topic = $ARGV[0]; my $msg = "* $topic has commits already merged to public branch:\n"; my (%not_in_next) = map { /^([0-9a-f]+) /; ($1 => 1); } split(/\n/, $ARGV[1]); for my $elem (map { /^([0-9a-f]+) (.*)$/; [$1 => $2]; } split(/\n/, $ARGV[2])) { if (!exists $not_in_next{$elem->[0]}) { if ($msg) { print STDERR $msg; undef $msg; } print STDERR " $elem->[1]\n"; } } ' "$topic" "$not_in_next" "$not_in_master" exit 1 fi <<\DOC_END This sample hook safeguards topic branches that have been published from being rewound. The workflow assumed here is: * Once a topic branch forks from "master", "master" is never merged into it again (either directly or indirectly). * Once a topic branch is fully cooked and merged into "master", it is deleted. If you need to build on top of it to correct earlier mistakes, a new topic branch is created by forking at the tip of the "master". This is not strictly necessary, but it makes it easier to keep your history simple. * Whenever you need to test or publish your changes to topic branches, merge them into "next" branch. The script, being an example, hardcodes the publish branch name to be "next", but it is trivial to make it configurable via $GIT_DIR/config mechanism. With this workflow, you would want to know: (1) ... if a topic branch has ever been merged to "next". Young topic branches can have stupid mistakes you would rather clean up before publishing, and things that have not been merged into other branches can be easily rebased without affecting other people. But once it is published, you would not want to rewind it. (2) ... if a topic branch has been fully merged to "master". Then you can delete it. More importantly, you should not build on top of it -- other people may already want to change things related to the topic as patches against your "master", so if you need further changes, it is better to fork the topic (perhaps with the same name) afresh from the tip of "master". Let's look at this example: o---o---o---o---o---o---o---o---o---o "next" / / / / / a---a---b A / / / / / / / / c---c---c---c B / / / / \ / / / / b---b C \ / / / / / \ / ---o---o---o---o---o---o---o---o---o---o---o "master" A, B and C are topic branches. * A has one fix since it was merged up to "next". * B has finished. It has been fully merged up to "master" and "next", and is ready to be deleted. * C has not merged to "next" at all. We would want to allow C to be rebased, refuse A, and encourage B to be deleted. To compute (1): git rev-list ^master ^topic next git rev-list ^master next if these match, topic has not merged in next at all. To compute (2): git rev-list master..topic if this is empty, it is fully merged to "master". DOC_END
#!/bin/sh # # Copyright (c) 2006, 2008 Junio C Hamano # # The "pre-rebase" hook is run just before "git rebase" starts doing # its job, and can prevent the command from running by exiting with # non-zero status. # # The hook is called with the following parameters: # # $1 -- the upstream the series was forked from. # $2 -- the branch being rebased (or empty when rebasing the current branch). # # This sample shows how to prevent topic branches that are already # merged to 'next' branch from getting rebased, because allowing it # would result in rebasing already published history. publish=next basebranch="$1" if test "$#" = 2 then topic="refs/heads/$2" else topic=`git symbolic-ref HEAD` || exit 0 ;# we do not interrupt rebasing detached HEAD fi case "$topic" in refs/heads/??/*) ;; *) exit 0 ;# we do not interrupt others. ;; esac # Now we are dealing with a topic branch being rebased # on top of master. Is it OK to rebase it? # Does the topic really exist? git show-ref -q "$topic" || { echo >&2 "No such branch $topic" exit 1 } # Is topic fully merged to master? not_in_master=`git rev-list --pretty=oneline ^master "$topic"` if test -z "$not_in_master" then echo >&2 "$topic is fully merged to master; better remove it." exit 1 ;# we could allow it, but there is no point. fi # Is topic ever merged to next? If so you should not be rebasing it. only_next_1=`git rev-list ^master "^$topic" ${publish} | sort` only_next_2=`git rev-list ^master ${publish} | sort` if test "$only_next_1" = "$only_next_2" then not_in_topic=`git rev-list "^$topic" master` if test -z "$not_in_topic" then echo >&2 "$topic is already up to date with master" exit 1 ;# we could allow it, but there is no point. else exit 0 fi else not_in_next=`git rev-list --pretty=oneline ^${publish} "$topic"` /usr/bin/perl -e ' my $topic = $ARGV[0]; my $msg = "* $topic has commits already merged to public branch:\n"; my (%not_in_next) = map { /^([0-9a-f]+) /; ($1 => 1); } split(/\n/, $ARGV[1]); for my $elem (map { /^([0-9a-f]+) (.*)$/; [$1 => $2]; } split(/\n/, $ARGV[2])) { if (!exists $not_in_next{$elem->[0]}) { if ($msg) { print STDERR $msg; undef $msg; } print STDERR " $elem->[1]\n"; } } ' "$topic" "$not_in_next" "$not_in_master" exit 1 fi <<\DOC_END This sample hook safeguards topic branches that have been published from being rewound. The workflow assumed here is: * Once a topic branch forks from "master", "master" is never merged into it again (either directly or indirectly). * Once a topic branch is fully cooked and merged into "master", it is deleted. If you need to build on top of it to correct earlier mistakes, a new topic branch is created by forking at the tip of the "master". This is not strictly necessary, but it makes it easier to keep your history simple. * Whenever you need to test or publish your changes to topic branches, merge them into "next" branch. The script, being an example, hardcodes the publish branch name to be "next", but it is trivial to make it configurable via $GIT_DIR/config mechanism. With this workflow, you would want to know: (1) ... if a topic branch has ever been merged to "next". Young topic branches can have stupid mistakes you would rather clean up before publishing, and things that have not been merged into other branches can be easily rebased without affecting other people. But once it is published, you would not want to rewind it. (2) ... if a topic branch has been fully merged to "master". Then you can delete it. More importantly, you should not build on top of it -- other people may already want to change things related to the topic as patches against your "master", so if you need further changes, it is better to fork the topic (perhaps with the same name) afresh from the tip of "master". Let's look at this example: o---o---o---o---o---o---o---o---o---o "next" / / / / / a---a---b A / / / / / / / / c---c---c---c B / / / / \ / / / / b---b C \ / / / / / \ / ---o---o---o---o---o---o---o---o---o---o---o "master" A, B and C are topic branches. * A has one fix since it was merged up to "next". * B has finished. It has been fully merged up to "master" and "next", and is ready to be deleted. * C has not merged to "next" at all. We would want to allow C to be rebased, refuse A, and encourage B to be deleted. To compute (1): git rev-list ^master ^topic next git rev-list ^master next if these match, topic has not merged in next at all. To compute (2): git rev-list master..topic if this is empty, it is fully merged to "master". DOC_END
-1
log4js-node/log4js-node
1,274
Replace validate-commit-msg, fix husky config, and remove codecov
3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
ZachHaber
2022-06-23T22:41:38Z
2022-07-06T09:29:23Z
1ca79dad4018b22c519699972ef3e3a67130c7e2
2af3bb6e2ddcb615fb61b09d3b7e68081dde3883
Replace validate-commit-msg, fix husky config, and remove codecov. 3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
./.git/hooks/applypatch-msg.sample
#!/bin/sh # # An example hook script to check the commit log message taken by # applypatch from an e-mail message. # # The hook should exit with non-zero status after issuing an # appropriate message if it wants to stop the commit. The hook is # allowed to edit the commit message file. # # To enable this hook, rename this file to "applypatch-msg". . git-sh-setup commitmsg="$(git rev-parse --git-path hooks/commit-msg)" test -x "$commitmsg" && exec "$commitmsg" ${1+"$@"} :
#!/bin/sh # # An example hook script to check the commit log message taken by # applypatch from an e-mail message. # # The hook should exit with non-zero status after issuing an # appropriate message if it wants to stop the commit. The hook is # allowed to edit the commit message file. # # To enable this hook, rename this file to "applypatch-msg". . git-sh-setup commitmsg="$(git rev-parse --git-path hooks/commit-msg)" test -x "$commitmsg" && exec "$commitmsg" ${1+"$@"} :
-1
log4js-node/log4js-node
1,274
Replace validate-commit-msg, fix husky config, and remove codecov
3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
ZachHaber
2022-06-23T22:41:38Z
2022-07-06T09:29:23Z
1ca79dad4018b22c519699972ef3e3a67130c7e2
2af3bb6e2ddcb615fb61b09d3b7e68081dde3883
Replace validate-commit-msg, fix husky config, and remove codecov. 3 high severity vulnerabilities (2 from validate-commit-msg and 1 from codecov) And now husky will properly fire and make sure PRs are in a proper state to merge before pushing.
./lib/connect-logger.js
/* eslint no-underscore-dangle: ["error", { "allow": ["__statusCode", "_remoteAddress", "__headers", "_logging"] }] */ const levels = require('./levels'); const DEFAULT_FORMAT = ':remote-addr - -' + ' ":method :url HTTP/:http-version"' + ' :status :content-length ":referrer"' + ' ":user-agent"'; /** * Return request url path, * adding this function prevents the Cyclomatic Complexity, * for the assemble_tokens function at low, to pass the tests. * * @param {IncomingMessage} req * @return {string} * @api private */ function getUrl(req) { return req.originalUrl || req.url; } /** * Adds custom {token, replacement} objects to defaults, * overwriting the defaults if any tokens clash * * @param {IncomingMessage} req * @param {ServerResponse} res * @param {Array} customTokens * [{ token: string-or-regexp, replacement: string-or-replace-function }] * @return {Array} */ function assembleTokens(req, res, customTokens) { const arrayUniqueTokens = (array) => { const a = array.concat(); for (let i = 0; i < a.length; ++i) { for (let j = i + 1; j < a.length; ++j) { // not === because token can be regexp object // eslint-disable-next-line eqeqeq if (a[i].token == a[j].token) { a.splice(j--, 1); // eslint-disable-line no-plusplus } } } return a; }; const defaultTokens = []; defaultTokens.push({ token: ':url', replacement: getUrl(req) }); defaultTokens.push({ token: ':protocol', replacement: req.protocol }); defaultTokens.push({ token: ':hostname', replacement: req.hostname }); defaultTokens.push({ token: ':method', replacement: req.method }); defaultTokens.push({ token: ':status', replacement: res.__statusCode || res.statusCode, }); defaultTokens.push({ token: ':response-time', replacement: res.responseTime, }); defaultTokens.push({ token: ':date', replacement: new Date().toUTCString() }); defaultTokens.push({ token: ':referrer', replacement: req.headers.referer || req.headers.referrer || '', }); defaultTokens.push({ token: ':http-version', replacement: `${req.httpVersionMajor}.${req.httpVersionMinor}`, }); defaultTokens.push({ token: ':remote-addr', replacement: req.headers['x-forwarded-for'] || req.ip || req._remoteAddress || (req.socket && (req.socket.remoteAddress || (req.socket.socket && req.socket.socket.remoteAddress))), }); defaultTokens.push({ token: ':user-agent', replacement: req.headers['user-agent'], }); defaultTokens.push({ token: ':content-length', replacement: res.getHeader('content-length') || (res.__headers && res.__headers['Content-Length']) || '-', }); defaultTokens.push({ token: /:req\[([^\]]+)]/g, replacement(_, field) { return req.headers[field.toLowerCase()]; }, }); defaultTokens.push({ token: /:res\[([^\]]+)]/g, replacement(_, field) { return ( res.getHeader(field.toLowerCase()) || (res.__headers && res.__headers[field]) ); }, }); return arrayUniqueTokens(customTokens.concat(defaultTokens)); } /** * Return formatted log line. * * @param {string} str * @param {Array} tokens * @return {string} * @api private */ function format(str, tokens) { for (let i = 0; i < tokens.length; i++) { str = str.replace(tokens[i].token, tokens[i].replacement); } return str; } /** * Return RegExp Object about nolog * * @param {(string|Array)} nolog * @return {RegExp} * @api private * * syntax * 1. String * 1.1 "\\.gif" * NOT LOGGING http://example.com/hoge.gif and http://example.com/hoge.gif?fuga * LOGGING http://example.com/hoge.agif * 1.2 in "\\.gif|\\.jpg$" * NOT LOGGING http://example.com/hoge.gif and * http://example.com/hoge.gif?fuga and http://example.com/hoge.jpg?fuga * LOGGING http://example.com/hoge.agif, * http://example.com/hoge.ajpg and http://example.com/hoge.jpg?hoge * 1.3 in "\\.(gif|jpe?g|png)$" * NOT LOGGING http://example.com/hoge.gif and http://example.com/hoge.jpeg * LOGGING http://example.com/hoge.gif?uid=2 and http://example.com/hoge.jpg?pid=3 * 2. RegExp * 2.1 in /\.(gif|jpe?g|png)$/ * SAME AS 1.3 * 3. Array * 3.1 ["\\.jpg$", "\\.png", "\\.gif"] * SAME AS "\\.jpg|\\.png|\\.gif" */ function createNoLogCondition(nolog) { let regexp = null; if (nolog instanceof RegExp) { regexp = nolog; } if (typeof nolog === 'string') { regexp = new RegExp(nolog); } if (Array.isArray(nolog)) { // convert to strings const regexpsAsStrings = nolog.map((reg) => reg.source ? reg.source : reg ); regexp = new RegExp(regexpsAsStrings.join('|')); } return regexp; } /** * Allows users to define rules around status codes to assign them to a specific * logging level. * There are two types of rules: * - RANGE: matches a code within a certain range * E.g. { 'from': 200, 'to': 299, 'level': 'info' } * - CONTAINS: matches a code to a set of expected codes * E.g. { 'codes': [200, 203], 'level': 'debug' } * Note*: Rules are respected only in order of prescendence. * * @param {Number} statusCode * @param {Level} currentLevel * @param {Object} ruleSet * @return {Level} * @api private */ function matchRules(statusCode, currentLevel, ruleSet) { let level = currentLevel; if (ruleSet) { const matchedRule = ruleSet.find((rule) => { let ruleMatched = false; if (rule.from && rule.to) { ruleMatched = statusCode >= rule.from && statusCode <= rule.to; } else { ruleMatched = rule.codes.indexOf(statusCode) !== -1; } return ruleMatched; }); if (matchedRule) { level = levels.getLevel(matchedRule.level, level); } } return level; } /** * Log requests with the given `options` or a `format` string. * * Options: * * - `format` Format string, see below for tokens * - `level` A log4js levels instance. Supports also 'auto' * - `nolog` A string or RegExp to exclude target logs or function(req, res): boolean * - `statusRules` A array of rules for setting specific logging levels base on status codes * - `context` Whether to add a response of express to the context * * Tokens: * * - `:req[header]` ex: `:req[Accept]` * - `:res[header]` ex: `:res[Content-Length]` * - `:http-version` * - `:response-time` * - `:remote-addr` * - `:date` * - `:method` * - `:url` * - `:referrer` * - `:user-agent` * - `:status` * * @return {Function} * @param logger4js * @param options * @api public */ module.exports = function getLogger(logger4js, options) { if (typeof options === 'string' || typeof options === 'function') { options = { format: options }; } else { options = options || {}; } const thisLogger = logger4js; let level = levels.getLevel(options.level, levels.INFO); const fmt = options.format || DEFAULT_FORMAT; return (req, res, next) => { // mount safety if (req._logging) return next(); // nologs if (typeof options.nolog === 'function') { if (options.nolog(req, res) === true) return next(); } else { const nolog = createNoLogCondition(options.nolog); if (nolog && nolog.test(req.originalUrl)) return next(); } if (thisLogger.isLevelEnabled(level) || options.level === 'auto') { const start = new Date(); const { writeHead } = res; // flag as logging req._logging = true; // proxy for statusCode. res.writeHead = (code, headers) => { res.writeHead = writeHead; res.writeHead(code, headers); res.__statusCode = code; res.__headers = headers || {}; }; // hook on end request to emit the log entry of the HTTP request. let finished = false; const handler = () => { if (finished) { return; } finished = true; res.responseTime = new Date() - start; // status code response level handling if (res.statusCode && options.level === 'auto') { level = levels.INFO; if (res.statusCode >= 300) level = levels.WARN; if (res.statusCode >= 400) level = levels.ERROR; } level = matchRules(res.statusCode, level, options.statusRules); const combinedTokens = assembleTokens(req, res, options.tokens || []); if (options.context) thisLogger.addContext('res', res); if (typeof fmt === 'function') { const line = fmt(req, res, (str) => format(str, combinedTokens)); if (line) thisLogger.log(level, line); } else { thisLogger.log(level, format(fmt, combinedTokens)); } if (options.context) thisLogger.removeContext('res'); }; res.on('end', handler); res.on('finish', handler); res.on('error', handler); res.on('close', handler); } // ensure next gets always called return next(); }; };
/* eslint no-underscore-dangle: ["error", { "allow": ["__statusCode", "_remoteAddress", "__headers", "_logging"] }] */ const levels = require('./levels'); const DEFAULT_FORMAT = ':remote-addr - -' + ' ":method :url HTTP/:http-version"' + ' :status :content-length ":referrer"' + ' ":user-agent"'; /** * Return request url path, * adding this function prevents the Cyclomatic Complexity, * for the assemble_tokens function at low, to pass the tests. * * @param {IncomingMessage} req * @return {string} * @api private */ function getUrl(req) { return req.originalUrl || req.url; } /** * Adds custom {token, replacement} objects to defaults, * overwriting the defaults if any tokens clash * * @param {IncomingMessage} req * @param {ServerResponse} res * @param {Array} customTokens * [{ token: string-or-regexp, replacement: string-or-replace-function }] * @return {Array} */ function assembleTokens(req, res, customTokens) { const arrayUniqueTokens = (array) => { const a = array.concat(); for (let i = 0; i < a.length; ++i) { for (let j = i + 1; j < a.length; ++j) { // not === because token can be regexp object // eslint-disable-next-line eqeqeq if (a[i].token == a[j].token) { a.splice(j--, 1); // eslint-disable-line no-plusplus } } } return a; }; const defaultTokens = []; defaultTokens.push({ token: ':url', replacement: getUrl(req) }); defaultTokens.push({ token: ':protocol', replacement: req.protocol }); defaultTokens.push({ token: ':hostname', replacement: req.hostname }); defaultTokens.push({ token: ':method', replacement: req.method }); defaultTokens.push({ token: ':status', replacement: res.__statusCode || res.statusCode, }); defaultTokens.push({ token: ':response-time', replacement: res.responseTime, }); defaultTokens.push({ token: ':date', replacement: new Date().toUTCString() }); defaultTokens.push({ token: ':referrer', replacement: req.headers.referer || req.headers.referrer || '', }); defaultTokens.push({ token: ':http-version', replacement: `${req.httpVersionMajor}.${req.httpVersionMinor}`, }); defaultTokens.push({ token: ':remote-addr', replacement: req.headers['x-forwarded-for'] || req.ip || req._remoteAddress || (req.socket && (req.socket.remoteAddress || (req.socket.socket && req.socket.socket.remoteAddress))), }); defaultTokens.push({ token: ':user-agent', replacement: req.headers['user-agent'], }); defaultTokens.push({ token: ':content-length', replacement: res.getHeader('content-length') || (res.__headers && res.__headers['Content-Length']) || '-', }); defaultTokens.push({ token: /:req\[([^\]]+)]/g, replacement(_, field) { return req.headers[field.toLowerCase()]; }, }); defaultTokens.push({ token: /:res\[([^\]]+)]/g, replacement(_, field) { return ( res.getHeader(field.toLowerCase()) || (res.__headers && res.__headers[field]) ); }, }); return arrayUniqueTokens(customTokens.concat(defaultTokens)); } /** * Return formatted log line. * * @param {string} str * @param {Array} tokens * @return {string} * @api private */ function format(str, tokens) { for (let i = 0; i < tokens.length; i++) { str = str.replace(tokens[i].token, tokens[i].replacement); } return str; } /** * Return RegExp Object about nolog * * @param {(string|Array)} nolog * @return {RegExp} * @api private * * syntax * 1. String * 1.1 "\\.gif" * NOT LOGGING http://example.com/hoge.gif and http://example.com/hoge.gif?fuga * LOGGING http://example.com/hoge.agif * 1.2 in "\\.gif|\\.jpg$" * NOT LOGGING http://example.com/hoge.gif and * http://example.com/hoge.gif?fuga and http://example.com/hoge.jpg?fuga * LOGGING http://example.com/hoge.agif, * http://example.com/hoge.ajpg and http://example.com/hoge.jpg?hoge * 1.3 in "\\.(gif|jpe?g|png)$" * NOT LOGGING http://example.com/hoge.gif and http://example.com/hoge.jpeg * LOGGING http://example.com/hoge.gif?uid=2 and http://example.com/hoge.jpg?pid=3 * 2. RegExp * 2.1 in /\.(gif|jpe?g|png)$/ * SAME AS 1.3 * 3. Array * 3.1 ["\\.jpg$", "\\.png", "\\.gif"] * SAME AS "\\.jpg|\\.png|\\.gif" */ function createNoLogCondition(nolog) { let regexp = null; if (nolog instanceof RegExp) { regexp = nolog; } if (typeof nolog === 'string') { regexp = new RegExp(nolog); } if (Array.isArray(nolog)) { // convert to strings const regexpsAsStrings = nolog.map((reg) => reg.source ? reg.source : reg ); regexp = new RegExp(regexpsAsStrings.join('|')); } return regexp; } /** * Allows users to define rules around status codes to assign them to a specific * logging level. * There are two types of rules: * - RANGE: matches a code within a certain range * E.g. { 'from': 200, 'to': 299, 'level': 'info' } * - CONTAINS: matches a code to a set of expected codes * E.g. { 'codes': [200, 203], 'level': 'debug' } * Note*: Rules are respected only in order of prescendence. * * @param {Number} statusCode * @param {Level} currentLevel * @param {Object} ruleSet * @return {Level} * @api private */ function matchRules(statusCode, currentLevel, ruleSet) { let level = currentLevel; if (ruleSet) { const matchedRule = ruleSet.find((rule) => { let ruleMatched = false; if (rule.from && rule.to) { ruleMatched = statusCode >= rule.from && statusCode <= rule.to; } else { ruleMatched = rule.codes.indexOf(statusCode) !== -1; } return ruleMatched; }); if (matchedRule) { level = levels.getLevel(matchedRule.level, level); } } return level; } /** * Log requests with the given `options` or a `format` string. * * Options: * * - `format` Format string, see below for tokens * - `level` A log4js levels instance. Supports also 'auto' * - `nolog` A string or RegExp to exclude target logs or function(req, res): boolean * - `statusRules` A array of rules for setting specific logging levels base on status codes * - `context` Whether to add a response of express to the context * * Tokens: * * - `:req[header]` ex: `:req[Accept]` * - `:res[header]` ex: `:res[Content-Length]` * - `:http-version` * - `:response-time` * - `:remote-addr` * - `:date` * - `:method` * - `:url` * - `:referrer` * - `:user-agent` * - `:status` * * @return {Function} * @param logger4js * @param options * @api public */ module.exports = function getLogger(logger4js, options) { if (typeof options === 'string' || typeof options === 'function') { options = { format: options }; } else { options = options || {}; } const thisLogger = logger4js; let level = levels.getLevel(options.level, levels.INFO); const fmt = options.format || DEFAULT_FORMAT; return (req, res, next) => { // mount safety if (req._logging) return next(); // nologs if (typeof options.nolog === 'function') { if (options.nolog(req, res) === true) return next(); } else { const nolog = createNoLogCondition(options.nolog); if (nolog && nolog.test(req.originalUrl)) return next(); } if (thisLogger.isLevelEnabled(level) || options.level === 'auto') { const start = new Date(); const { writeHead } = res; // flag as logging req._logging = true; // proxy for statusCode. res.writeHead = (code, headers) => { res.writeHead = writeHead; res.writeHead(code, headers); res.__statusCode = code; res.__headers = headers || {}; }; // hook on end request to emit the log entry of the HTTP request. let finished = false; const handler = () => { if (finished) { return; } finished = true; res.responseTime = new Date() - start; // status code response level handling if (res.statusCode && options.level === 'auto') { level = levels.INFO; if (res.statusCode >= 300) level = levels.WARN; if (res.statusCode >= 400) level = levels.ERROR; } level = matchRules(res.statusCode, level, options.statusRules); const combinedTokens = assembleTokens(req, res, options.tokens || []); if (options.context) thisLogger.addContext('res', res); if (typeof fmt === 'function') { const line = fmt(req, res, (str) => format(str, combinedTokens)); if (line) thisLogger.log(level, line); } else { thisLogger.log(level, format(fmt, combinedTokens)); } if (options.context) thisLogger.removeContext('res'); }; res.on('end', handler); res.on('finish', handler); res.on('error', handler); res.on('close', handler); } // ensure next gets always called return next(); }; };
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./docs/api.md
## API ## configuration - `log4js.configure(object || string)` There is one entry point for configuring log4js. A string argument is treated as a filename to load configuration from. Config files should be JSON, and contain a configuration object (see format below). You can also pass a configuration object directly to `configure`. Configuration should take place immediately after requiring log4js for the first time in your application. If you do not call `configure`, log4js will use `LOG4JS_CONFIG` (if defined) or the default config. The default config defines one appender, which would log to stdout with the coloured layout, but also defines the default log level to be `OFF` - which means no logs will be output. If you are using `cluster`, then include the call to `configure` in the worker processes as well as the master. That way the worker processes will pick up the right levels for your categories, and any custom levels you may have defined. Appenders will only be defined on the master process, so there is no danger of multiple processes attempting to write to the same appender. No special configuration is needed to use log4js with clusters, unlike previous versions. Configuration objects must define at least one appender, and a default category. Log4js will throw an exception if the configuration is invalid. `configure` method call returns the configured log4js object. ### Configuration Object Properties: - `levels` (optional, object) - used for defining custom log levels, or redefining existing ones; this is a map with the level name as the key (string, case insensitive), and an object as the value. The object should have two properties: the level value (integer) as the value, and the colour. Log levels are used to assign importance to log messages, with the integer value being used to sort them. If you do not specify anything in your configuration, the default values are used (ALL < TRACE < DEBUG < INFO < WARN < ERROR < FATAL < MARK < OFF - note that OFF is intended to be used to turn off logging, not as a level for actual logging, i.e. you would never call `logger.off('some log message')`). Levels defined here are used in addition to the default levels, with the integer value being used to determine their relation to the default levels. If you define a level with the same name as a default level, then the integer value in the config takes precedence. Level names must begin with a letter, and can only contain letters, numbers and underscores. - `appenders` (object) - a map of named appenders (string) to appender definitions (object); appender definitions must have a property `type` (string) - other properties depend on the appender type. - `categories` (object) - a map of named categories (string) to category definitions (object). You must define the `default` category which is used for all log events that do not match a specific category. Category definitions have two properties: - `appenders` (array of strings) - the list of appender names to be used for this category. A category must have at least one appender. - `level` (string, case insensitive) - the minimum log level that this category will send to the appenders. For example, if set to 'error' then the appenders will only receive log events of level 'error', 'fatal', 'mark' - log events of 'info', 'warn', 'debug', or 'trace' will be ignored. - `enableCallStack` (boolean, optional, defaults to `false`) - setting this to `true` will make log events for this category use the call stack to generate line numbers and file names in the event. See [pattern layout](layouts.md) for how to output these values in your appenders. - `pm2` (boolean) (optional) - set this to true if you're running your app using [pm2](http://pm2.keymetrics.io), otherwise logs will not work (you'll also need to install pm2-intercom as pm2 module: `pm2 install pm2-intercom`) - `pm2InstanceVar` (string) (optional, defaults to 'NODE_APP_INSTANCE') - set this if you're using pm2 and have changed the default name of the NODE_APP_INSTANCE variable. - `disableClustering` (boolean) (optional) - set this to true if you liked the way log4js used to just ignore clustered environments, or you're having trouble with PM2 logging. Each worker process will do its own logging. Be careful with this if you're logging to files, weirdness can occur. ## Loggers - `log4js.getLogger([category])` This function takes a single optional string argument to denote the category to be used for log events on this logger. If no category is specified, the events will be routed to the appender for the `default` category. The function returns a `Logger` object which has its level set to the level specified for that category in the config and implements the following functions: - `<level>(args...)` - where `<level>` can be any of the lower case names of the levels (including any custom levels defined). For example: `logger.info('some info')` will dispatch a log event with a level of info. If you're using the basic, coloured or message pass-through [layouts](layouts.md), the logged string will have its formatting (placeholders like `%s`, `%d`, etc) delegated to [util.format](https://nodejs.org/api/util.html#util_util_format_format_args). - `is<level>Enabled()` - returns true if a log event of level <level> (camel case) would be dispatched to the appender defined for the logger's category. For example: `logger.isInfoEnabled()` will return true if the level for the logger is INFO or lower. - `addContext(<key>,<value>)` - where `<key>` is a string, `<value>` can be anything. This stores a key-value pair that is added to all log events generated by the logger. Uses would be to add ids for tracking a user through your application. Currently only the `logFaces` appenders make use of the context values. - `removeContext(<key>)` - removes a previously defined key-value pair from the context. - `clearContext()` - removes all context pairs from the logger. - `setParseCallStackFunction(function)` - Allow to override the default way to parse the callstack data for the layout pattern, a generic javascript Error object is passed to the function. Must return an object with properties : `functionName` / `fileName` / `lineNumber` / `columnNumber` / `callStack`. Can for example be used if all of your log call are made from one "debug" class and you would to "erase" this class from the callstack to only show the function which called your "debug" class. The `Logger` object has the following properties: - `level` - where `level` is a log4js level or a string that matches a level (e.g. 'info', 'INFO', etc). This allows overriding the configured level for this logger. Changing this value applies to all loggers of the same category. - `useCallStack` - where `useCallStack` is a boolean to indicate if log events for this category use the call stack to generate line numbers and file names in the event. This allows overriding the configured useCallStack for this logger. Changing this value applies to all loggers of the same category. ## Shutdown - `log4js.shutdown([callback])` `shutdown` accepts a callback that will be called when log4js has closed all appenders and finished writing log events. Use this when your programme exits to make sure all your logs are written to files, sockets are closed, etc. ## Custom Layouts - `log4js.addLayout(type, fn)` This function is used to add user-defined layout functions. See [layouts](layouts.md) for more details and an example.
## API ## configuration - `log4js.configure(object || string)` There is one entry point for configuring log4js. A string argument is treated as a filename to load configuration from. Config files should be JSON, and contain a configuration object (see format below). You can also pass a configuration object directly to `configure`. Configuration should take place immediately after requiring log4js for the first time in your application. If you do not call `configure`, log4js will use `LOG4JS_CONFIG` (if defined) or the default config. The default config defines one appender, which would log to stdout with the coloured layout, but also defines the default log level to be `OFF` - which means no logs will be output. If you are using `cluster`, then include the call to `configure` in the worker processes as well as the master. That way the worker processes will pick up the right levels for your categories, and any custom levels you may have defined. Appenders will only be defined on the master process, so there is no danger of multiple processes attempting to write to the same appender. No special configuration is needed to use log4js with clusters, unlike previous versions. Configuration objects must define at least one appender, and a default category. Log4js will throw an exception if the configuration is invalid. `configure` method call returns the configured log4js object. ### Configuration Object Properties: - `levels` (optional, object) - used for defining custom log levels, or redefining existing ones; this is a map with the level name as the key (string, case insensitive), and an object as the value. The object should have two properties: the level value (integer) as the value, and the colour. Log levels are used to assign importance to log messages, with the integer value being used to sort them. If you do not specify anything in your configuration, the default values are used (ALL < TRACE < DEBUG < INFO < WARN < ERROR < FATAL < MARK < OFF - note that OFF is intended to be used to turn off logging, not as a level for actual logging, i.e. you would never call `logger.off('some log message')`). Levels defined here are used in addition to the default levels, with the integer value being used to determine their relation to the default levels. If you define a level with the same name as a default level, then the integer value in the config takes precedence. Level names must begin with a letter, and can only contain letters, numbers and underscores. - `appenders` (object) - a map of named appenders (string) to appender definitions (object); appender definitions must have a property `type` (string) - other properties depend on the appender type. - `categories` (object) - a map of named categories (string) to category definitions (object). You must define the `default` category which is used for all log events that do not match a specific category. Category definitions have two properties: - `appenders` (array of strings) - the list of appender names to be used for this category. A category must have at least one appender. - `level` (string, case insensitive) - the minimum log level that this category will send to the appenders. For example, if set to 'error' then the appenders will only receive log events of level 'error', 'fatal', 'mark' - log events of 'info', 'warn', 'debug', or 'trace' will be ignored. - `enableCallStack` (boolean, optional, defaults to `false`) - setting this to `true` will make log events for this category use the call stack to generate line numbers and file names in the event. See [pattern layout](layouts.md) for how to output these values in your appenders. If you log an Error object, that Error object (or the first of many) will be used to generate the line numbers and file name instead. - `pm2` (boolean) (optional) - set this to true if you're running your app using [pm2](http://pm2.keymetrics.io), otherwise logs will not work (you'll also need to install pm2-intercom as pm2 module: `pm2 install pm2-intercom`) - `pm2InstanceVar` (string) (optional, defaults to 'NODE_APP_INSTANCE') - set this if you're using pm2 and have changed the default name of the NODE_APP_INSTANCE variable. - `disableClustering` (boolean) (optional) - set this to true if you liked the way log4js used to just ignore clustered environments, or you're having trouble with PM2 logging. Each worker process will do its own logging. Be careful with this if you're logging to files, weirdness can occur. ## Loggers - `log4js.getLogger([category])` This function takes a single optional string argument to denote the category to be used for log events on this logger. If no category is specified, the events will be routed to the appender for the `default` category. The function returns a `Logger` object which has its level set to the level specified for that category in the config and implements the following functions: - `<level>(args...)` - where `<level>` can be any of the lower case names of the levels (including any custom levels defined). For example: `logger.info('some info')` will dispatch a log event with a level of info. If you're using the basic, coloured or message pass-through [layouts](layouts.md), the logged string will have its formatting (placeholders like `%s`, `%d`, etc) delegated to [util.format](https://nodejs.org/api/util.html#util_util_format_format_args). - `is<level>Enabled()` - returns true if a log event of level <level> (camel case) would be dispatched to the appender defined for the logger's category. For example: `logger.isInfoEnabled()` will return true if the level for the logger is INFO or lower. - `addContext(<key>,<value>)` - where `<key>` is a string, `<value>` can be anything. This stores a key-value pair that is added to all log events generated by the logger. Uses would be to add ids for tracking a user through your application. Currently only the `logFaces` appenders make use of the context values. - `removeContext(<key>)` - removes a previously defined key-value pair from the context. - `clearContext()` - removes all context pairs from the logger. - `setParseCallStackFunction(function | undefined)` - Allow to override the default way to parse the callstack data for the layout pattern, a generic javascript Error object is passed to the function. Must return an object with properties : `functionName` / `fileName` / `lineNumber` / `columnNumber` / `callStack`. Can for example be used if all of your log call are made from one "debug" class and you would to "erase" this class from the callstack to only show the function which called your "debug" class. If you pass `undefined` as the argument, it will be reset to the default parser. The `Logger` object has the following properties: - `level` - where `level` is a log4js level or a string that matches a level (e.g. 'info', 'INFO', etc). This allows overriding the configured level for this logger. Changing this value applies to all loggers of the same category. - `useCallStack` - where `useCallStack` is a boolean to indicate if log events for this category use the call stack to generate line numbers and file names in the event. This allows overriding the configured useCallStack for this logger. Changing this value applies to all loggers of the same category. - `callStackLinesToSkip` - where `callStackLinesToSkip` is a number (0 by default) that allows you to customize how many lines of the call stack should be skipped when parsing the Error stack. For example, if you call the logger from within a dedicated logging function, you can use `callStackLinesToSkip = 1` to ignore that function when looking at stack traces. ## Shutdown - `log4js.shutdown([callback])` `shutdown` accepts a callback that will be called when log4js has closed all appenders and finished writing log events. Use this when your programme exits to make sure all your logs are written to files, sockets are closed, etc. ## Custom Layouts - `log4js.addLayout(type, fn)` This function is used to add user-defined layout functions. See [layouts](layouts.md) for more details and an example.
1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./lib/LoggingEvent.js
const flatted = require('flatted'); const levels = require('./levels'); /** * @name LoggingEvent * @namespace Log4js */ class LoggingEvent { /** * Models a logging event. * @constructor * @param {string} categoryName name of category * @param {Log4js.Level} level level of message * @param {Array} data objects to log * @author Seth Chisamore */ constructor(categoryName, level, data, context, location) { this.startTime = new Date(); this.categoryName = categoryName; this.data = data; this.level = level; this.context = Object.assign({}, context); // eslint-disable-line prefer-object-spread this.pid = process.pid; if (location) { this.fileName = location.fileName; this.lineNumber = location.lineNumber; this.columnNumber = location.columnNumber; this.callStack = location.callStack; this.className = location.className; this.functionName = location.functionName; this.functionAlias = location.functionAlias; this.callerName = location.callerName; } } serialise() { return flatted.stringify(this, (key, value) => { // JSON.stringify(new Error('test')) returns {}, which is not really useful for us. // The following allows us to serialize errors correctly. // duck-typing for Error object if (value && value.message && value.stack) { // eslint-disable-next-line prefer-object-spread value = Object.assign( { message: value.message, stack: value.stack }, value ); } // JSON.stringify({a: parseInt('abc'), b: 1/0, c: -1/0}) returns {a: null, b: null, c: null}. // The following allows us to serialize to NaN, Infinity and -Infinity correctly. else if ( typeof value === 'number' && (Number.isNaN(value) || !Number.isFinite(value)) ) { value = value.toString(); } // JSON.stringify([undefined]) returns [null]. // The following allows us to serialize to undefined correctly. else if (typeof value === 'undefined') { value = typeof value; } return value; }); } static deserialise(serialised) { let event; try { const rehydratedEvent = flatted.parse(serialised, (key, value) => { if (value && value.message && value.stack) { const fakeError = new Error(value); Object.keys(value).forEach((k) => { fakeError[k] = value[k]; }); value = fakeError; } return value; }); rehydratedEvent.location = { fileName: rehydratedEvent.fileName, lineNumber: rehydratedEvent.lineNumber, columnNumber: rehydratedEvent.columnNumber, callStack: rehydratedEvent.callStack, className: rehydratedEvent.className, functionName: rehydratedEvent.functionName, functionAlias: rehydratedEvent.functionAlias, callerName: rehydratedEvent.callerName, }; event = new LoggingEvent( rehydratedEvent.categoryName, levels.getLevel(rehydratedEvent.level.levelStr), rehydratedEvent.data, rehydratedEvent.context, rehydratedEvent.location ); event.startTime = new Date(rehydratedEvent.startTime); event.pid = rehydratedEvent.pid; event.cluster = rehydratedEvent.cluster; } catch (e) { event = new LoggingEvent('log4js', levels.ERROR, [ 'Unable to parse log:', serialised, 'because: ', e, ]); } return event; } } module.exports = LoggingEvent;
const flatted = require('flatted'); const levels = require('./levels'); /** * @name LoggingEvent * @namespace Log4js */ class LoggingEvent { /** * Models a logging event. * @constructor * @param {string} categoryName name of category * @param {Log4js.Level} level level of message * @param {Array} data objects to log * @param {Error} [error] * @author Seth Chisamore */ constructor(categoryName, level, data, context, location, error) { this.startTime = new Date(); this.categoryName = categoryName; this.data = data; this.level = level; this.context = Object.assign({}, context); // eslint-disable-line prefer-object-spread this.pid = process.pid; this.error = error; if (location) { this.fileName = location.fileName; this.lineNumber = location.lineNumber; this.columnNumber = location.columnNumber; this.callStack = location.callStack; this.className = location.className; this.functionName = location.functionName; this.functionAlias = location.functionAlias; this.callerName = location.callerName; } } serialise() { return flatted.stringify(this, (key, value) => { // JSON.stringify(new Error('test')) returns {}, which is not really useful for us. // The following allows us to serialize errors (semi) correctly. if (value instanceof Error) { // eslint-disable-next-line prefer-object-spread value = Object.assign( { message: value.message, stack: value.stack }, value ); } // JSON.stringify({a: parseInt('abc'), b: 1/0, c: -1/0}) returns {a: null, b: null, c: null}. // The following allows us to serialize to NaN, Infinity and -Infinity correctly. else if ( typeof value === 'number' && (Number.isNaN(value) || !Number.isFinite(value)) ) { value = value.toString(); } // JSON.stringify([undefined]) returns [null]. // The following allows us to serialize to undefined correctly. else if (typeof value === 'undefined') { value = typeof value; } return value; }); } static deserialise(serialised) { let event; try { const rehydratedEvent = flatted.parse(serialised, (key, value) => { if (value && value.message && value.stack) { const fakeError = new Error(value); Object.keys(value).forEach((k) => { fakeError[k] = value[k]; }); value = fakeError; } return value; }); if ( rehydratedEvent.fileName || rehydratedEvent.lineNumber || rehydratedEvent.columnNumber || rehydratedEvent.callStack || rehydratedEvent.className || rehydratedEvent.functionName || rehydratedEvent.functionAlias || rehydratedEvent.callerName ) { rehydratedEvent.location = { fileName: rehydratedEvent.fileName, lineNumber: rehydratedEvent.lineNumber, columnNumber: rehydratedEvent.columnNumber, callStack: rehydratedEvent.callStack, className: rehydratedEvent.className, functionName: rehydratedEvent.functionName, functionAlias: rehydratedEvent.functionAlias, callerName: rehydratedEvent.callerName, }; } event = new LoggingEvent( rehydratedEvent.categoryName, levels.getLevel(rehydratedEvent.level.levelStr), rehydratedEvent.data, rehydratedEvent.context, rehydratedEvent.location, rehydratedEvent.error ); event.startTime = new Date(rehydratedEvent.startTime); event.pid = rehydratedEvent.pid; if (rehydratedEvent.cluster) { event.cluster = rehydratedEvent.cluster; } } catch (e) { event = new LoggingEvent('log4js', levels.ERROR, [ 'Unable to parse log:', serialised, 'because: ', e, ]); } return event; } } module.exports = LoggingEvent;
1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./lib/logger.js
/* eslint no-underscore-dangle: ["error", { "allow": ["_log"] }] */ const debug = require('debug')('log4js:logger'); const LoggingEvent = require('./LoggingEvent'); const levels = require('./levels'); const clustering = require('./clustering'); const categories = require('./categories'); const configuration = require('./configuration'); const stackReg = /at (?:(.+)\s+\()?(?:(.+?):(\d+)(?::(\d+))?|([^)]+))\)?/; function defaultParseCallStack(data, skipIdx = 4) { try { const stacklines = data.stack.split('\n').slice(skipIdx); const lineMatch = stackReg.exec(stacklines[0]); /* istanbul ignore else: failsafe */ if (lineMatch && lineMatch.length === 6) { // extract class, function and alias names let className = ''; let functionName = ''; let functionAlias = ''; if (lineMatch[1] && lineMatch[1] !== '') { // WARN: this will unset alias if alias is not present. [functionName, functionAlias] = lineMatch[1] .replace(/[[\]]/g, '') .split(' as '); functionAlias = functionAlias || ''; if (functionName.includes('.')) [className, functionName] = functionName.split('.'); } return { fileName: lineMatch[2], lineNumber: parseInt(lineMatch[3], 10), columnNumber: parseInt(lineMatch[4], 10), callStack: stacklines.join('\n'), className, functionName, functionAlias, callerName: lineMatch[1] || '', }; // eslint-disable-next-line no-else-return } else { // will never get here unless nodejs has changes to Error console.error('log4js.logger - defaultParseCallStack error'); // eslint-disable-line no-console } } catch (err) { // will never get error unless nodejs has breaking changes to Error console.error('log4js.logger - defaultParseCallStack error', err); // eslint-disable-line no-console } return null; } /** * Logger to log messages. * use {@see log4js#getLogger(String)} to get an instance. * * @name Logger * @namespace Log4js * @param name name of category to log to * @param level - the loglevel for the category * @param dispatch - the function which will receive the logevents * * @author Stephan Strittmatter */ class Logger { constructor(name) { if (!name) { throw new Error('No category provided.'); } this.category = name; this.context = {}; this.parseCallStack = defaultParseCallStack; debug(`Logger created (${this.category}, ${this.level})`); } get level() { return levels.getLevel( categories.getLevelForCategory(this.category), levels.OFF ); } set level(level) { categories.setLevelForCategory( this.category, levels.getLevel(level, this.level) ); } get useCallStack() { return categories.getEnableCallStackForCategory(this.category); } set useCallStack(bool) { categories.setEnableCallStackForCategory(this.category, bool === true); } log(level, ...args) { const logLevel = levels.getLevel(level); if (!logLevel) { if (configuration.validIdentifier(level) && args.length > 0) { // logLevel not found but of valid signature, WARN before fallback to INFO this.log( levels.WARN, 'log4js:logger.log: valid log-level not found as first parameter given:', level ); this.log(levels.INFO, `[${level}]`, ...args); } else { // apart from fallback, allow .log(...args) to be synonym with .log("INFO", ...args) this.log(levels.INFO, level, ...args); } } else if (this.isLevelEnabled(logLevel)) { this._log(logLevel, args); } } isLevelEnabled(otherLevel) { return this.level.isLessThanOrEqualTo(otherLevel); } _log(level, data) { debug(`sending log data (${level}) to appenders`); const loggingEvent = new LoggingEvent( this.category, level, data, this.context, this.useCallStack && this.parseCallStack(new Error()) ); clustering.send(loggingEvent); } addContext(key, value) { this.context[key] = value; } removeContext(key) { delete this.context[key]; } clearContext() { this.context = {}; } setParseCallStackFunction(parseFunction) { this.parseCallStack = parseFunction; } } function addLevelMethods(target) { const level = levels.getLevel(target); const levelStrLower = level.toString().toLowerCase(); const levelMethod = levelStrLower.replace(/_([a-z])/g, (g) => g[1].toUpperCase() ); const isLevelMethod = levelMethod[0].toUpperCase() + levelMethod.slice(1); Logger.prototype[`is${isLevelMethod}Enabled`] = function () { return this.isLevelEnabled(level); }; Logger.prototype[levelMethod] = function (...args) { this.log(level, ...args); }; } levels.levels.forEach(addLevelMethods); configuration.addListener(() => { levels.levels.forEach(addLevelMethods); }); module.exports = Logger;
/* eslint no-underscore-dangle: ["error", { "allow": ["_log"] }] */ const debug = require('debug')('log4js:logger'); const LoggingEvent = require('./LoggingEvent'); const levels = require('./levels'); const clustering = require('./clustering'); const categories = require('./categories'); const configuration = require('./configuration'); const stackReg = /at (?:(.+)\s+\()?(?:(.+?):(\d+)(?::(\d+))?|([^)]+))\)?/; /** * The top entry is the Error */ const baseCallStackSkip = 1; /** * The _log function is 3 levels deep, we need to skip those to make it to the callSite */ const defaultErrorCallStackSkip = 3; /** * * @param {Error} data * @param {number} skipIdx * @returns {import('../types/log4js').CallStack | null} */ function defaultParseCallStack( data, skipIdx = defaultErrorCallStackSkip + baseCallStackSkip ) { try { const stacklines = data.stack.split('\n').slice(skipIdx); if (!stacklines.length) { // There's no stack in this stack // Should we try a previous index if skipIdx was set? return null; } const lineMatch = stackReg.exec(stacklines[0]); /* istanbul ignore else: failsafe */ if (lineMatch && lineMatch.length === 6) { // extract class, function and alias names let className = ''; let functionName = ''; let functionAlias = ''; if (lineMatch[1] && lineMatch[1] !== '') { // WARN: this will unset alias if alias is not present. [functionName, functionAlias] = lineMatch[1] .replace(/[[\]]/g, '') .split(' as '); functionAlias = functionAlias || ''; if (functionName.includes('.')) [className, functionName] = functionName.split('.'); } return { fileName: lineMatch[2], lineNumber: parseInt(lineMatch[3], 10), columnNumber: parseInt(lineMatch[4], 10), callStack: stacklines.join('\n'), className, functionName, functionAlias, callerName: lineMatch[1] || '', }; // eslint-disable-next-line no-else-return } else { // will never get here unless nodejs has changes to Error console.error('log4js.logger - defaultParseCallStack error'); // eslint-disable-line no-console } } catch (err) { // will never get error unless nodejs has breaking changes to Error console.error('log4js.logger - defaultParseCallStack error', err); // eslint-disable-line no-console } return null; } /** * Logger to log messages. * use {@see log4js#getLogger(String)} to get an instance. * * @name Logger * @namespace Log4js * @param name name of category to log to * @param level - the loglevel for the category * @param dispatch - the function which will receive the logevents * * @author Stephan Strittmatter */ class Logger { constructor(name) { if (!name) { throw new Error('No category provided.'); } this.category = name; this.context = {}; /** @private */ this.callStackSkipIndex = 0; /** @private */ this.parseCallStack = defaultParseCallStack; debug(`Logger created (${this.category}, ${this.level})`); } get level() { return levels.getLevel( categories.getLevelForCategory(this.category), levels.OFF ); } set level(level) { categories.setLevelForCategory( this.category, levels.getLevel(level, this.level) ); } get useCallStack() { return categories.getEnableCallStackForCategory(this.category); } set useCallStack(bool) { categories.setEnableCallStackForCategory(this.category, bool === true); } get callStackLinesToSkip() { return this.callStackSkipIndex; } set callStackLinesToSkip(number) { if (typeof number !== 'number') { throw new TypeError('Must be a number'); } if (number < 0) { throw new RangeError('Must be >= 0'); } this.callStackSkipIndex = number; } log(level, ...args) { const logLevel = levels.getLevel(level); if (!logLevel) { if (configuration.validIdentifier(level) && args.length > 0) { // logLevel not found but of valid signature, WARN before fallback to INFO this.log( levels.WARN, 'log4js:logger.log: valid log-level not found as first parameter given:', level ); this.log(levels.INFO, `[${level}]`, ...args); } else { // apart from fallback, allow .log(...args) to be synonym with .log("INFO", ...args) this.log(levels.INFO, level, ...args); } } else if (this.isLevelEnabled(logLevel)) { this._log(logLevel, args); } } isLevelEnabled(otherLevel) { return this.level.isLessThanOrEqualTo(otherLevel); } _log(level, data) { debug(`sending log data (${level}) to appenders`); const error = data.find((item) => item instanceof Error); let callStack; if (this.useCallStack) { try { if (error) { callStack = this.parseCallStack( error, this.callStackSkipIndex + baseCallStackSkip ); } } catch (_err) { // Ignore Error and use the original method of creating a new Error. } callStack = callStack || this.parseCallStack( new Error(), this.callStackSkipIndex + defaultErrorCallStackSkip + baseCallStackSkip ); } const loggingEvent = new LoggingEvent( this.category, level, data, this.context, callStack, error ); clustering.send(loggingEvent); } addContext(key, value) { this.context[key] = value; } removeContext(key) { delete this.context[key]; } clearContext() { this.context = {}; } setParseCallStackFunction(parseFunction) { if (typeof parseFunction === 'function') { this.parseCallStack = parseFunction; } else if (parseFunction === undefined) { this.parseCallStack = defaultParseCallStack; } else { throw new TypeError('Invalid type passed to setParseCallStackFunction'); } } } function addLevelMethods(target) { const level = levels.getLevel(target); const levelStrLower = level.toString().toLowerCase(); const levelMethod = levelStrLower.replace(/_([a-z])/g, (g) => g[1].toUpperCase() ); const isLevelMethod = levelMethod[0].toUpperCase() + levelMethod.slice(1); Logger.prototype[`is${isLevelMethod}Enabled`] = function () { return this.isLevelEnabled(level); }; Logger.prototype[levelMethod] = function (...args) { this.log(level, ...args); }; } levels.levels.forEach(addLevelMethods); configuration.addListener(() => { levels.levels.forEach(addLevelMethods); }); module.exports = Logger;
1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./test/tap/LoggingEvent-test.js
const flatted = require('flatted'); const { test } = require('tap'); const LoggingEvent = require('../../lib/LoggingEvent'); const levels = require('../../lib/levels'); test('LoggingEvent', (batch) => { batch.test('should serialise to flatted', (t) => { const event = new LoggingEvent( 'cheese', levels.DEBUG, ['log message', parseInt('abc', 10), 1 / 0, -1 / 0, undefined], { user: 'bob', } ); // set the event date to a known value event.startTime = new Date(Date.UTC(2018, 1, 4, 18, 30, 23, 10)); const rehydratedEvent = flatted.parse(event.serialise()); t.equal(rehydratedEvent.startTime, '2018-02-04T18:30:23.010Z'); t.equal(rehydratedEvent.categoryName, 'cheese'); t.equal(rehydratedEvent.level.levelStr, 'DEBUG'); t.equal(rehydratedEvent.data.length, 5); t.equal(rehydratedEvent.data[0], 'log message'); t.equal(rehydratedEvent.data[1], 'NaN'); t.equal(rehydratedEvent.data[2], 'Infinity'); t.equal(rehydratedEvent.data[3], '-Infinity'); t.equal(rehydratedEvent.data[4], 'undefined'); t.equal(rehydratedEvent.context.user, 'bob'); t.end(); }); batch.test('should deserialise from flatted', (t) => { const dehydratedEvent = flatted.stringify({ startTime: '2018-02-04T10:25:23.010Z', categoryName: 'biscuits', level: { levelStr: 'INFO', }, data: ['some log message', { x: 1 }], context: { thing: 'otherThing' }, pid: '1234', functionName: 'bound', fileName: 'domain.js', lineNumber: 421, columnNumber: 15, callStack: 'at bound (domain.js:421:15)\n', }); const event = LoggingEvent.deserialise(dehydratedEvent); t.type(event, LoggingEvent); t.same(event.startTime, new Date(Date.UTC(2018, 1, 4, 10, 25, 23, 10))); t.equal(event.categoryName, 'biscuits'); t.same(event.level, levels.INFO); t.equal(event.data[0], 'some log message'); t.equal(event.data[1].x, 1); t.equal(event.context.thing, 'otherThing'); t.equal(event.pid, '1234'); t.equal(event.functionName, 'bound'); t.equal(event.fileName, 'domain.js'); t.equal(event.lineNumber, 421); t.equal(event.columnNumber, 15); t.equal(event.callStack, 'at bound (domain.js:421:15)\n'); t.end(); }); batch.test('Should correct construct with/without location info', (t) => { // console.log([Error('123').stack.split('\n').slice(1).join('\n')]) const callStack = ' at repl:1:14\n at ContextifyScript.Script.runInThisContext (vm.js:50:33)\n at REPLServer.defaultEval (repl.js:240:29)\n at bound (domain.js:301:14)\n at REPLServer.runBound [as eval] (domain.js:314:12)\n at REPLServer.onLine (repl.js:468:10)\n at emitOne (events.js:121:20)\n at REPLServer.emit (events.js:211:7)\n at REPLServer.Interface._onLine (readline.js:280:10)\n at REPLServer.Interface._line (readline.js:629:8)'; // eslint-disable-line max-len const fileName = '/log4js-node/test/tap/layouts-test.js'; const lineNumber = 1; const columnNumber = 14; const className = ''; const functionName = ''; const functionAlias = ''; const callerName = ''; const location = { fileName, lineNumber, columnNumber, callStack, className, functionName, functionAlias, callerName, }; const event = new LoggingEvent( 'cheese', levels.DEBUG, ['log message'], { user: 'bob' }, location ); t.equal(event.fileName, fileName); t.equal(event.lineNumber, lineNumber); t.equal(event.columnNumber, columnNumber); t.equal(event.callStack, callStack); t.equal(event.className, className); t.equal(event.functionName, functionName); t.equal(event.functionAlias, functionAlias); t.equal(event.callerName, callerName); const event2 = new LoggingEvent('cheese', levels.DEBUG, ['log message'], { user: 'bob', }); t.equal(event2.fileName, undefined); t.equal(event2.lineNumber, undefined); t.equal(event2.columnNumber, undefined); t.equal(event2.callStack, undefined); t.equal(event2.className, undefined); t.equal(event2.functionName, undefined); t.equal(event2.functionAlias, undefined); t.equal(event2.callerName, undefined); t.end(); }); batch.test('Should contain class, method and alias names', (t) => { // console.log([Error('123').stack.split('\n').slice(1).join('\n')]) const callStack = ' at Foo.bar [as baz] (repl:1:14)\n at ContextifyScript.Script.runInThisContext (vm.js:50:33)\n at REPLServer.defaultEval (repl.js:240:29)\n at bound (domain.js:301:14)\n at REPLServer.runBound [as eval] (domain.js:314:12)\n at REPLServer.onLine (repl.js:468:10)\n at emitOne (events.js:121:20)\n at REPLServer.emit (events.js:211:7)\n at REPLServer.Interface._onLine (readline.js:280:10)\n at REPLServer.Interface._line (readline.js:629:8)'; // eslint-disable-line max-len const fileName = '/log4js-node/test/tap/layouts-test.js'; const lineNumber = 1; const columnNumber = 14; const className = 'Foo'; const functionName = 'bar'; const functionAlias = 'baz'; const callerName = 'Foo.bar [as baz]'; const location = { fileName, lineNumber, columnNumber, callStack, className, functionName, functionAlias, callerName, }; const event = new LoggingEvent( 'cheese', levels.DEBUG, ['log message'], { user: 'bob' }, location ); t.equal(event.fileName, fileName); t.equal(event.lineNumber, lineNumber); t.equal(event.columnNumber, columnNumber); t.equal(event.callStack, callStack); t.equal(event.className, className); t.equal(event.functionName, functionName); t.equal(event.functionAlias, functionAlias); t.equal(event.callerName, callerName); t.end(); }); batch.end(); });
const flatted = require('flatted'); const { test } = require('tap'); const LoggingEvent = require('../../lib/LoggingEvent'); const levels = require('../../lib/levels'); test('LoggingEvent', (batch) => { batch.test('should serialise to flatted', (t) => { const event = new LoggingEvent( 'cheese', levels.DEBUG, ['log message', parseInt('abc', 10), 1 / 0, -1 / 0, undefined], { user: 'bob', } ); // set the event date to a known value event.startTime = new Date(Date.UTC(2018, 1, 4, 18, 30, 23, 10)); const rehydratedEvent = flatted.parse(event.serialise()); t.equal(rehydratedEvent.startTime, '2018-02-04T18:30:23.010Z'); t.equal(rehydratedEvent.categoryName, 'cheese'); t.equal(rehydratedEvent.level.levelStr, 'DEBUG'); t.equal(rehydratedEvent.data.length, 5); t.equal(rehydratedEvent.data[0], 'log message'); t.equal(rehydratedEvent.data[1], 'NaN'); t.equal(rehydratedEvent.data[2], 'Infinity'); t.equal(rehydratedEvent.data[3], '-Infinity'); t.equal(rehydratedEvent.data[4], 'undefined'); t.equal(rehydratedEvent.context.user, 'bob'); t.end(); }); batch.test('should deserialise from flatted', (t) => { const dehydratedEvent = flatted.stringify({ startTime: '2018-02-04T10:25:23.010Z', categoryName: 'biscuits', level: { levelStr: 'INFO', }, data: ['some log message', { x: 1 }], context: { thing: 'otherThing' }, pid: '1234', functionName: 'bound', fileName: 'domain.js', lineNumber: 421, columnNumber: 15, callStack: 'at bound (domain.js:421:15)\n', }); const event = LoggingEvent.deserialise(dehydratedEvent); t.type(event, LoggingEvent); t.same(event.startTime, new Date(Date.UTC(2018, 1, 4, 10, 25, 23, 10))); t.equal(event.categoryName, 'biscuits'); t.same(event.level, levels.INFO); t.equal(event.data[0], 'some log message'); t.equal(event.data[1].x, 1); t.equal(event.context.thing, 'otherThing'); t.equal(event.pid, '1234'); t.equal(event.functionName, 'bound'); t.equal(event.fileName, 'domain.js'); t.equal(event.lineNumber, 421); t.equal(event.columnNumber, 15); t.equal(event.callStack, 'at bound (domain.js:421:15)\n'); t.end(); }); batch.test('Should correct construct with/without location info', (t) => { // console.log([Error('123').stack.split('\n').slice(1).join('\n')]) const callStack = ' at repl:1:14\n at ContextifyScript.Script.runInThisContext (vm.js:50:33)\n at REPLServer.defaultEval (repl.js:240:29)\n at bound (domain.js:301:14)\n at REPLServer.runBound [as eval] (domain.js:314:12)\n at REPLServer.onLine (repl.js:468:10)\n at emitOne (events.js:121:20)\n at REPLServer.emit (events.js:211:7)\n at REPLServer.Interface._onLine (readline.js:280:10)\n at REPLServer.Interface._line (readline.js:629:8)'; // eslint-disable-line max-len const fileName = '/log4js-node/test/tap/layouts-test.js'; const lineNumber = 1; const columnNumber = 14; const className = ''; const functionName = ''; const functionAlias = ''; const callerName = ''; const location = { fileName, lineNumber, columnNumber, callStack, className, functionName, functionAlias, callerName, }; const event = new LoggingEvent( 'cheese', levels.DEBUG, ['log message'], { user: 'bob' }, location ); t.equal(event.fileName, fileName); t.equal(event.lineNumber, lineNumber); t.equal(event.columnNumber, columnNumber); t.equal(event.callStack, callStack); t.equal(event.className, className); t.equal(event.functionName, functionName); t.equal(event.functionAlias, functionAlias); t.equal(event.callerName, callerName); const event2 = new LoggingEvent('cheese', levels.DEBUG, ['log message'], { user: 'bob', }); t.equal(event2.fileName, undefined); t.equal(event2.lineNumber, undefined); t.equal(event2.columnNumber, undefined); t.equal(event2.callStack, undefined); t.equal(event2.className, undefined); t.equal(event2.functionName, undefined); t.equal(event2.functionAlias, undefined); t.equal(event2.callerName, undefined); t.end(); }); batch.test('Should contain class, method and alias names', (t) => { // console.log([Error('123').stack.split('\n').slice(1).join('\n')]) const callStack = ' at Foo.bar [as baz] (repl:1:14)\n at ContextifyScript.Script.runInThisContext (vm.js:50:33)\n at REPLServer.defaultEval (repl.js:240:29)\n at bound (domain.js:301:14)\n at REPLServer.runBound [as eval] (domain.js:314:12)\n at REPLServer.onLine (repl.js:468:10)\n at emitOne (events.js:121:20)\n at REPLServer.emit (events.js:211:7)\n at REPLServer.Interface._onLine (readline.js:280:10)\n at REPLServer.Interface._line (readline.js:629:8)'; // eslint-disable-line max-len const fileName = '/log4js-node/test/tap/layouts-test.js'; const lineNumber = 1; const columnNumber = 14; const className = 'Foo'; const functionName = 'bar'; const functionAlias = 'baz'; const callerName = 'Foo.bar [as baz]'; const location = { fileName, lineNumber, columnNumber, callStack, className, functionName, functionAlias, callerName, }; const event = new LoggingEvent( 'cheese', levels.DEBUG, ['log message'], { user: 'bob' }, location ); t.equal(event.fileName, fileName); t.equal(event.lineNumber, lineNumber); t.equal(event.columnNumber, columnNumber); t.equal(event.callStack, callStack); t.equal(event.className, className); t.equal(event.functionName, functionName); t.equal(event.functionAlias, functionAlias); t.equal(event.callerName, callerName); t.end(); }); batch.test('Should correctly serialize and deserialize', (t) => { const error = new Error('test'); const location = { fileName: __filename, lineNumber: 123, columnNumber: 52, callStack: error.stack, className: 'Foo', functionName: 'test', functionAlias: 'baz', callerName: 'Foo.test [as baz]', }; const event = new LoggingEvent( 'cheese', levels.DEBUG, [error, 'log message'], { user: 'bob', }, location, error ); const event2 = LoggingEvent.deserialise(event.serialise()); t.match(event2, event); t.end(); }); batch.end(); });
1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./test/tap/logger-test.js
const { test } = require('tap'); const debug = require('debug')('log4js:test.logger'); const sandbox = require('@log4js-node/sandboxed-module'); const callsites = require('callsites'); const levels = require('../../lib/levels'); const categories = require('../../lib/categories'); const events = []; const messages = []; const Logger = sandbox.require('../../lib/logger', { requires: { './levels': levels, './categories': categories, './clustering': { isMaster: () => true, onlyOnMaster: (fn) => fn(), send: (evt) => { debug('fake clustering got event:', evt); events.push(evt); }, }, }, globals: { console: { ...console, error(msg) { messages.push(msg); }, }, }, }); const testConfig = { level: levels.TRACE, }; test('../../lib/logger', (batch) => { batch.beforeEach((done) => { events.length = 0; testConfig.level = levels.TRACE; if (typeof done === 'function') { done(); } }); batch.test('constructor with no parameters', (t) => { t.throws(() => new Logger(), new Error('No category provided.')); t.end(); }); batch.test('constructor with category', (t) => { const logger = new Logger('cheese'); t.equal(logger.category, 'cheese', 'should use category'); t.equal(logger.level, levels.OFF, 'should use OFF log level'); t.end(); }); batch.test('set level should delegate', (t) => { const logger = new Logger('cheese'); logger.level = 'debug'; t.equal(logger.category, 'cheese', 'should use category'); t.equal(logger.level, levels.DEBUG, 'should use level'); t.end(); }); batch.test('isLevelEnabled', (t) => { const logger = new Logger('cheese'); const functions = [ 'isTraceEnabled', 'isDebugEnabled', 'isInfoEnabled', 'isWarnEnabled', 'isErrorEnabled', 'isFatalEnabled', ]; t.test( 'should provide a level enabled function for all levels', (subtest) => { subtest.plan(functions.length); functions.forEach((fn) => { subtest.type(logger[fn], 'function'); }); } ); logger.level = 'INFO'; t.notOk(logger.isTraceEnabled()); t.notOk(logger.isDebugEnabled()); t.ok(logger.isInfoEnabled()); t.ok(logger.isWarnEnabled()); t.ok(logger.isErrorEnabled()); t.ok(logger.isFatalEnabled()); t.end(); }); batch.test('should send log events to dispatch function', (t) => { const logger = new Logger('cheese'); logger.level = 'debug'; logger.debug('Event 1'); logger.debug('Event 2'); logger.debug('Event 3'); t.equal(events.length, 3); t.equal(events[0].data[0], 'Event 1'); t.equal(events[1].data[0], 'Event 2'); t.equal(events[2].data[0], 'Event 3'); t.end(); }); batch.test('should add context values to every event', (t) => { const logger = new Logger('fromage'); logger.level = 'debug'; logger.debug('Event 1'); logger.addContext('cheese', 'edam'); logger.debug('Event 2'); logger.debug('Event 3'); logger.addContext('biscuits', 'timtam'); logger.debug('Event 4'); logger.removeContext('cheese'); logger.debug('Event 5'); logger.clearContext(); logger.debug('Event 6'); t.equal(events.length, 6); t.same(events[0].context, {}); t.same(events[1].context, { cheese: 'edam' }); t.same(events[2].context, { cheese: 'edam' }); t.same(events[3].context, { cheese: 'edam', biscuits: 'timtam' }); t.same(events[4].context, { biscuits: 'timtam' }); t.same(events[5].context, {}); t.end(); }); batch.test('should not break when log data has no toString', (t) => { const logger = new Logger('thing'); logger.level = 'debug'; logger.info('Just testing ', Object.create(null)); t.equal(events.length, 1); t.end(); }); batch.test( 'default should disable useCallStack unless manual enable', (t) => { const logger = new Logger('stack'); logger.level = 'debug'; t.equal(logger.useCallStack, false); logger.useCallStack = false; t.equal(logger.useCallStack, false); logger.useCallStack = 0; t.equal(logger.useCallStack, false); logger.useCallStack = ''; t.equal(logger.useCallStack, false); logger.useCallStack = null; t.equal(logger.useCallStack, false); logger.useCallStack = undefined; t.equal(logger.useCallStack, false); logger.useCallStack = 'true'; t.equal(logger.useCallStack, false); logger.useCallStack = true; t.equal(logger.useCallStack, true); t.end(); } ); batch.test('should correctly switch on/off useCallStack', (t) => { const logger = new Logger('stack'); logger.level = 'debug'; logger.useCallStack = true; t.equal(logger.useCallStack, true); logger.info('hello world'); const callsite = callsites()[0]; t.equal(events.length, 1); t.equal(events[0].data[0], 'hello world'); t.equal(events[0].fileName, callsite.getFileName()); t.equal(events[0].lineNumber, callsite.getLineNumber() - 1); t.equal(events[0].columnNumber, 12); logger.useCallStack = false; logger.info('disabled'); t.equal(logger.useCallStack, false); t.equal(events[1].data[0], 'disabled'); t.equal(events[1].fileName, undefined); t.equal(events[1].lineNumber, undefined); t.equal(events[1].columnNumber, undefined); t.end(); }); batch.test( 'Once switch on/off useCallStack will apply all same category loggers', (t) => { const logger1 = new Logger('stack'); logger1.level = 'debug'; logger1.useCallStack = true; const logger2 = new Logger('stack'); logger2.level = 'debug'; logger1.info('hello world'); const callsite = callsites()[0]; t.equal(logger1.useCallStack, true); t.equal(events.length, 1); t.equal(events[0].data[0], 'hello world'); t.equal(events[0].fileName, callsite.getFileName()); t.equal(events[0].lineNumber, callsite.getLineNumber() - 1); t.equal(events[0].columnNumber, 15); // col of the '.' in logger1.info(...) logger2.info('hello world'); const callsite2 = callsites()[0]; t.equal(logger2.useCallStack, true); t.equal(events[1].data[0], 'hello world'); t.equal(events[1].fileName, callsite2.getFileName()); t.equal(events[1].lineNumber, callsite2.getLineNumber() - 1); t.equal(events[1].columnNumber, 15); // col of the '.' in logger1.info(...) logger1.useCallStack = false; logger2.info('hello world'); t.equal(logger2.useCallStack, false); t.equal(events[2].data[0], 'hello world'); t.equal(events[2].fileName, undefined); t.equal(events[2].lineNumber, undefined); t.equal(events[2].columnNumber, undefined); t.end(); } ); batch.test('parseCallStack function coverage', (t) => { const logger = new Logger('stack'); logger.useCallStack = true; let results; results = logger.parseCallStack(new Error()); t.ok(results); t.equal(messages.length, 0, 'should not have error'); results = logger.parseCallStack(''); t.notOk(results); t.equal(messages.length, 1, 'should have error'); t.end(); }); batch.test('parseCallStack names extraction', (t) => { const logger = new Logger('stack'); logger.useCallStack = true; let results; const callStack1 = ' at Foo.bar [as baz] (repl:1:14)\n at ContextifyScript.Script.runInThisContext (vm.js:50:33)\n at REPLServer.defaultEval (repl.js:240:29)\n at bound (domain.js:301:14)\n at REPLServer.runBound [as eval] (domain.js:314:12)\n at REPLServer.onLine (repl.js:468:10)\n at emitOne (events.js:121:20)\n at REPLServer.emit (events.js:211:7)\n at REPLServer.Interface._onLine (readline.js:280:10)\n at REPLServer.Interface._line (readline.js:629:8)'; // eslint-disable-line max-len results = logger.parseCallStack({ stack: callStack1 }, 0); t.ok(results); t.equal(results.className, 'Foo'); t.equal(results.functionName, 'bar'); t.equal(results.functionAlias, 'baz'); t.equal(results.callerName, 'Foo.bar [as baz]'); const callStack2 = ' at bar [as baz] (repl:1:14)\n at ContextifyScript.Script.runInThisContext (vm.js:50:33)\n at REPLServer.defaultEval (repl.js:240:29)\n at bound (domain.js:301:14)\n at REPLServer.runBound [as eval] (domain.js:314:12)\n at REPLServer.onLine (repl.js:468:10)\n at emitOne (events.js:121:20)\n at REPLServer.emit (events.js:211:7)\n at REPLServer.Interface._onLine (readline.js:280:10)\n at REPLServer.Interface._line (readline.js:629:8)'; // eslint-disable-line max-len results = logger.parseCallStack({ stack: callStack2 }, 0); t.ok(results); t.equal(results.className, ''); t.equal(results.functionName, 'bar'); t.equal(results.functionAlias, 'baz'); t.equal(results.callerName, 'bar [as baz]'); const callStack3 = ' at bar (repl:1:14)\n at ContextifyScript.Script.runInThisContext (vm.js:50:33)\n at REPLServer.defaultEval (repl.js:240:29)\n at bound (domain.js:301:14)\n at REPLServer.runBound [as eval] (domain.js:314:12)\n at REPLServer.onLine (repl.js:468:10)\n at emitOne (events.js:121:20)\n at REPLServer.emit (events.js:211:7)\n at REPLServer.Interface._onLine (readline.js:280:10)\n at REPLServer.Interface._line (readline.js:629:8)'; // eslint-disable-line max-len results = logger.parseCallStack({ stack: callStack3 }, 0); t.ok(results); t.equal(results.className, ''); t.equal(results.functionName, 'bar'); t.equal(results.functionAlias, ''); t.equal(results.callerName, 'bar'); const callStack4 = ' at repl:1:14\n at ContextifyScript.Script.runInThisContext (vm.js:50:33)\n at REPLServer.defaultEval (repl.js:240:29)\n at bound (domain.js:301:14)\n at REPLServer.runBound [as eval] (domain.js:314:12)\n at REPLServer.onLine (repl.js:468:10)\n at emitOne (events.js:121:20)\n at REPLServer.emit (events.js:211:7)\n at REPLServer.Interface._onLine (readline.js:280:10)\n at REPLServer.Interface._line (readline.js:629:8)'; // eslint-disable-line max-len results = logger.parseCallStack({ stack: callStack4 }, 0); t.ok(results); t.equal(results.className, ''); t.equal(results.functionName, ''); t.equal(results.functionAlias, ''); t.equal(results.callerName, ''); const callStack5 = ' at Foo.bar (repl:1:14)\n at ContextifyScript.Script.runInThisContext (vm.js:50:33)\n at REPLServer.defaultEval (repl.js:240:29)\n at bound (domain.js:301:14)\n at REPLServer.runBound [as eval] (domain.js:314:12)\n at REPLServer.onLine (repl.js:468:10)\n at emitOne (events.js:121:20)\n at REPLServer.emit (events.js:211:7)\n at REPLServer.Interface._onLine (readline.js:280:10)\n at REPLServer.Interface._line (readline.js:629:8)'; // eslint-disable-line max-len results = logger.parseCallStack({ stack: callStack5 }, 0); t.ok(results); t.equal(results.className, 'Foo'); t.equal(results.functionName, 'bar'); t.equal(results.functionAlias, ''); t.equal(results.callerName, 'Foo.bar'); t.end(); }); batch.test('should correctly change the parseCallStack function', (t) => { const logger = new Logger('stack'); const parseFunction = function () { return { functionName: 'test function name', fileName: 'test file name', lineNumber: 15, columnNumber: 25, callStack: 'test callstack', }; }; logger.level = 'debug'; logger.useCallStack = true; logger.setParseCallStackFunction(parseFunction); t.equal(logger.parseCallStack, parseFunction); logger.info('test parseCallStack'); t.equal(events[0].functionName, 'test function name'); t.equal(events[0].fileName, 'test file name'); t.equal(events[0].lineNumber, 15); t.equal(events[0].columnNumber, 25); t.equal(events[0].callStack, 'test callstack'); t.end(); }); batch.test('creating/cloning of category', (t) => { const defaultLogger = new Logger('default'); defaultLogger.level = 'trace'; defaultLogger.useCallStack = true; t.test( 'category should be cloned from parent/default if does not exist', (assert) => { const originalLength = categories.size; const logger = new Logger('cheese1'); assert.equal( categories.size, originalLength + 1, 'category should be cloned' ); assert.equal( logger.level, levels.TRACE, 'should inherit level=TRACE from default-category' ); assert.equal( logger.useCallStack, true, 'should inherit useCallStack=true from default-category' ); assert.end(); } ); t.test( 'changing level should not impact default-category or useCallStack', (assert) => { const logger = new Logger('cheese2'); logger.level = 'debug'; assert.equal( logger.level, levels.DEBUG, 'should be changed to level=DEBUG' ); assert.equal( defaultLogger.level, levels.TRACE, 'default-category should remain as level=TRACE' ); assert.equal( logger.useCallStack, true, 'should remain as useCallStack=true' ); assert.equal( defaultLogger.useCallStack, true, 'default-category should remain as useCallStack=true' ); assert.end(); } ); t.test( 'changing useCallStack should not impact default-category or level', (assert) => { const logger = new Logger('cheese3'); logger.useCallStack = false; assert.equal( logger.useCallStack, false, 'should be changed to useCallStack=false' ); assert.equal( defaultLogger.useCallStack, true, 'default-category should remain as useCallStack=true' ); assert.equal( logger.level, levels.TRACE, 'should remain as level=TRACE' ); assert.equal( defaultLogger.level, levels.TRACE, 'default-category should remain as level=TRACE' ); assert.end(); } ); t.end(); }); batch.end(); });
const { test } = require('tap'); const debug = require('debug')('log4js:test.logger'); const sandbox = require('@log4js-node/sandboxed-module'); const callsites = require('callsites'); const levels = require('../../lib/levels'); const categories = require('../../lib/categories'); /** @type {import('../../types/log4js').LoggingEvent[]} */ const events = []; /** @type {string[]} */ const messages = []; /** * @typedef {import('../../types/log4js').Logger} LoggerClass */ /** @type {{new (): LoggerClass}} */ const Logger = sandbox.require('../../lib/logger', { requires: { './levels': levels, './categories': categories, './clustering': { isMaster: () => true, onlyOnMaster: (fn) => fn(), send: (evt) => { debug('fake clustering got event:', evt); events.push(evt); }, }, }, globals: { console: { ...console, error(msg) { messages.push(msg); }, }, }, }); const testConfig = { level: levels.TRACE, }; test('../../lib/logger', (batch) => { batch.beforeEach((done) => { events.length = 0; testConfig.level = levels.TRACE; if (typeof done === 'function') { done(); } }); batch.test('constructor with no parameters', (t) => { t.throws(() => new Logger(), new Error('No category provided.')); t.end(); }); batch.test('constructor with category', (t) => { const logger = new Logger('cheese'); t.equal(logger.category, 'cheese', 'should use category'); t.equal(logger.level, levels.OFF, 'should use OFF log level'); t.end(); }); batch.test('set level should delegate', (t) => { const logger = new Logger('cheese'); logger.level = 'debug'; t.equal(logger.category, 'cheese', 'should use category'); t.equal(logger.level, levels.DEBUG, 'should use level'); t.end(); }); batch.test('isLevelEnabled', (t) => { const logger = new Logger('cheese'); const functions = [ 'isTraceEnabled', 'isDebugEnabled', 'isInfoEnabled', 'isWarnEnabled', 'isErrorEnabled', 'isFatalEnabled', ]; t.test( 'should provide a level enabled function for all levels', (subtest) => { subtest.plan(functions.length); functions.forEach((fn) => { subtest.type(logger[fn], 'function'); }); } ); logger.level = 'INFO'; t.notOk(logger.isTraceEnabled()); t.notOk(logger.isDebugEnabled()); t.ok(logger.isInfoEnabled()); t.ok(logger.isWarnEnabled()); t.ok(logger.isErrorEnabled()); t.ok(logger.isFatalEnabled()); t.end(); }); batch.test('should send log events to dispatch function', (t) => { const logger = new Logger('cheese'); logger.level = 'debug'; logger.debug('Event 1'); logger.debug('Event 2'); logger.debug('Event 3'); t.equal(events.length, 3); t.equal(events[0].data[0], 'Event 1'); t.equal(events[1].data[0], 'Event 2'); t.equal(events[2].data[0], 'Event 3'); t.end(); }); batch.test('should add context values to every event', (t) => { const logger = new Logger('fromage'); logger.level = 'debug'; logger.debug('Event 1'); logger.addContext('cheese', 'edam'); logger.debug('Event 2'); logger.debug('Event 3'); logger.addContext('biscuits', 'timtam'); logger.debug('Event 4'); logger.removeContext('cheese'); logger.debug('Event 5'); logger.clearContext(); logger.debug('Event 6'); t.equal(events.length, 6); t.same(events[0].context, {}); t.same(events[1].context, { cheese: 'edam' }); t.same(events[2].context, { cheese: 'edam' }); t.same(events[3].context, { cheese: 'edam', biscuits: 'timtam' }); t.same(events[4].context, { biscuits: 'timtam' }); t.same(events[5].context, {}); t.end(); }); batch.test('should not break when log data has no toString', (t) => { const logger = new Logger('thing'); logger.level = 'debug'; logger.info('Just testing ', Object.create(null)); t.equal(events.length, 1); t.end(); }); batch.test( 'default should disable useCallStack unless manual enable', (t) => { const logger = new Logger('stack'); logger.level = 'debug'; t.equal(logger.useCallStack, false); logger.debug('test no callStack'); let event = events.shift(); t.notMatch(event, { functionName: String }); t.notMatch(event, { fileName: String }); t.notMatch(event, { lineNumber: Number }); t.notMatch(event, { columnNumber: Number }); t.notMatch(event, { callStack: String }); logger.useCallStack = false; t.equal(logger.useCallStack, false); logger.useCallStack = 0; t.equal(logger.useCallStack, false); logger.useCallStack = ''; t.equal(logger.useCallStack, false); logger.useCallStack = null; t.equal(logger.useCallStack, false); logger.useCallStack = undefined; t.equal(logger.useCallStack, false); logger.useCallStack = 'true'; t.equal(logger.useCallStack, false); logger.useCallStack = true; t.equal(logger.useCallStack, true); logger.debug('test with callStack'); event = events.shift(); t.match(event, { functionName: String, fileName: String, lineNumber: Number, columnNumber: Number, callStack: String, }); t.end(); } ); batch.test('should correctly switch on/off useCallStack', (t) => { const logger = new Logger('stack'); logger.level = 'debug'; logger.useCallStack = true; t.equal(logger.useCallStack, true); logger.info('hello world'); const callsite = callsites()[0]; t.equal(events.length, 1); t.equal(events[0].data[0], 'hello world'); t.equal(events[0].fileName, callsite.getFileName()); t.equal(events[0].lineNumber, callsite.getLineNumber() - 1); t.equal(events[0].columnNumber, 12); logger.useCallStack = false; logger.info('disabled'); t.equal(logger.useCallStack, false); t.equal(events[1].data[0], 'disabled'); t.equal(events[1].fileName, undefined); t.equal(events[1].lineNumber, undefined); t.equal(events[1].columnNumber, undefined); t.end(); }); batch.test( 'Once switch on/off useCallStack will apply all same category loggers', (t) => { const logger1 = new Logger('stack'); logger1.level = 'debug'; logger1.useCallStack = true; const logger2 = new Logger('stack'); logger2.level = 'debug'; logger1.info('hello world'); const callsite = callsites()[0]; t.equal(logger1.useCallStack, true); t.equal(events.length, 1); t.equal(events[0].data[0], 'hello world'); t.equal(events[0].fileName, callsite.getFileName()); t.equal(events[0].lineNumber, callsite.getLineNumber() - 1); t.equal(events[0].columnNumber, 15); // col of the '.' in logger1.info(...) logger2.info('hello world'); const callsite2 = callsites()[0]; t.equal(logger2.useCallStack, true); t.equal(events[1].data[0], 'hello world'); t.equal(events[1].fileName, callsite2.getFileName()); t.equal(events[1].lineNumber, callsite2.getLineNumber() - 1); t.equal(events[1].columnNumber, 15); // col of the '.' in logger1.info(...) logger1.useCallStack = false; logger2.info('hello world'); t.equal(logger2.useCallStack, false); t.equal(events[2].data[0], 'hello world'); t.equal(events[2].fileName, undefined); t.equal(events[2].lineNumber, undefined); t.equal(events[2].columnNumber, undefined); t.end(); } ); batch.test('parseCallStack function coverage', (t) => { const logger = new Logger('stack'); logger.useCallStack = true; let results; results = logger.parseCallStack(new Error()); t.ok(results); t.equal(messages.length, 0, 'should not have error'); results = logger.parseCallStack(''); t.notOk(results); t.equal(messages.length, 1, 'should have error'); results = logger.parseCallStack(new Error(), 100); t.equal(results, null); t.end(); }); batch.test('parseCallStack names extraction', (t) => { const logger = new Logger('stack'); logger.useCallStack = true; let results; const callStack1 = ' at Foo.bar [as baz] (repl:1:14)\n at ContextifyScript.Script.runInThisContext (vm.js:50:33)\n at REPLServer.defaultEval (repl.js:240:29)\n at bound (domain.js:301:14)\n at REPLServer.runBound [as eval] (domain.js:314:12)\n at REPLServer.onLine (repl.js:468:10)\n at emitOne (events.js:121:20)\n at REPLServer.emit (events.js:211:7)\n at REPLServer.Interface._onLine (readline.js:280:10)\n at REPLServer.Interface._line (readline.js:629:8)'; // eslint-disable-line max-len results = logger.parseCallStack({ stack: callStack1 }, 0); t.ok(results); t.equal(results.className, 'Foo'); t.equal(results.functionName, 'bar'); t.equal(results.functionAlias, 'baz'); t.equal(results.callerName, 'Foo.bar [as baz]'); const callStack2 = ' at bar [as baz] (repl:1:14)\n at ContextifyScript.Script.runInThisContext (vm.js:50:33)\n at REPLServer.defaultEval (repl.js:240:29)\n at bound (domain.js:301:14)\n at REPLServer.runBound [as eval] (domain.js:314:12)\n at REPLServer.onLine (repl.js:468:10)\n at emitOne (events.js:121:20)\n at REPLServer.emit (events.js:211:7)\n at REPLServer.Interface._onLine (readline.js:280:10)\n at REPLServer.Interface._line (readline.js:629:8)'; // eslint-disable-line max-len results = logger.parseCallStack({ stack: callStack2 }, 0); t.ok(results); t.equal(results.className, ''); t.equal(results.functionName, 'bar'); t.equal(results.functionAlias, 'baz'); t.equal(results.callerName, 'bar [as baz]'); const callStack3 = ' at bar (repl:1:14)\n at ContextifyScript.Script.runInThisContext (vm.js:50:33)\n at REPLServer.defaultEval (repl.js:240:29)\n at bound (domain.js:301:14)\n at REPLServer.runBound [as eval] (domain.js:314:12)\n at REPLServer.onLine (repl.js:468:10)\n at emitOne (events.js:121:20)\n at REPLServer.emit (events.js:211:7)\n at REPLServer.Interface._onLine (readline.js:280:10)\n at REPLServer.Interface._line (readline.js:629:8)'; // eslint-disable-line max-len results = logger.parseCallStack({ stack: callStack3 }, 0); t.ok(results); t.equal(results.className, ''); t.equal(results.functionName, 'bar'); t.equal(results.functionAlias, ''); t.equal(results.callerName, 'bar'); const callStack4 = ' at repl:1:14\n at ContextifyScript.Script.runInThisContext (vm.js:50:33)\n at REPLServer.defaultEval (repl.js:240:29)\n at bound (domain.js:301:14)\n at REPLServer.runBound [as eval] (domain.js:314:12)\n at REPLServer.onLine (repl.js:468:10)\n at emitOne (events.js:121:20)\n at REPLServer.emit (events.js:211:7)\n at REPLServer.Interface._onLine (readline.js:280:10)\n at REPLServer.Interface._line (readline.js:629:8)'; // eslint-disable-line max-len results = logger.parseCallStack({ stack: callStack4 }, 0); t.ok(results); t.equal(results.className, ''); t.equal(results.functionName, ''); t.equal(results.functionAlias, ''); t.equal(results.callerName, ''); const callStack5 = ' at Foo.bar (repl:1:14)\n at ContextifyScript.Script.runInThisContext (vm.js:50:33)\n at REPLServer.defaultEval (repl.js:240:29)\n at bound (domain.js:301:14)\n at REPLServer.runBound [as eval] (domain.js:314:12)\n at REPLServer.onLine (repl.js:468:10)\n at emitOne (events.js:121:20)\n at REPLServer.emit (events.js:211:7)\n at REPLServer.Interface._onLine (readline.js:280:10)\n at REPLServer.Interface._line (readline.js:629:8)'; // eslint-disable-line max-len results = logger.parseCallStack({ stack: callStack5 }, 0); t.ok(results); t.equal(results.className, 'Foo'); t.equal(results.functionName, 'bar'); t.equal(results.functionAlias, ''); t.equal(results.callerName, 'Foo.bar'); t.end(); }); batch.test('should correctly change the parseCallStack function', (t) => { const logger = new Logger('stack'); logger.level = 'debug'; logger.useCallStack = true; logger.info('test defaultParseCallStack'); const initialEvent = events.shift(); const parseFunction = function () { return { functionName: 'test function name', fileName: 'test file name', lineNumber: 15, columnNumber: 25, callStack: 'test callstack', }; }; logger.setParseCallStackFunction(parseFunction); t.equal(logger.parseCallStack, parseFunction); logger.info('test parseCallStack'); t.equal(events[0].functionName, 'test function name'); t.equal(events[0].fileName, 'test file name'); t.equal(events[0].lineNumber, 15); t.equal(events[0].columnNumber, 25); t.equal(events[0].callStack, 'test callstack'); events.shift(); logger.setParseCallStackFunction(undefined); logger.info('test restoredDefaultParseCallStack'); t.equal(events[0].functionName, initialEvent.functionName); t.equal(events[0].fileName, initialEvent.fileName); t.equal(events[0].columnNumber, initialEvent.columnNumber); t.throws(() => logger.setParseCallStackFunction('not a function')); t.end(); }); batch.test('should correctly change the stack levels to skip', (t) => { const logger = new Logger('stack'); logger.level = 'debug'; logger.useCallStack = true; t.equal( logger.callStackLinesToSkip, 0, 'initial callStackLinesToSkip changed' ); logger.info('get initial stack'); const initialEvent = events.shift(); const newStackSkip = 1; logger.callStackLinesToSkip = newStackSkip; t.equal(logger.callStackLinesToSkip, newStackSkip); logger.info('test stack skip'); const event = events.shift(); t.not(event.functionName, initialEvent.functionName); t.not(event.fileName, initialEvent.fileName); t.equal( event.callStack, initialEvent.callStack.split('\n').slice(newStackSkip).join('\n') ); t.throws(() => { logger.callStackLinesToSkip = -1; }); t.throws(() => { logger.callStackLinesToSkip = '2'; }); t.end(); }); batch.test('should utilize the first Error data value', (t) => { const logger = new Logger('stack'); logger.level = 'debug'; logger.useCallStack = true; const error = new Error(); logger.info(error); const event = events.shift(); t.equal(event.error, error); logger.info(error); t.match(event, events.shift()); logger.callStackLinesToSkip = 1; logger.info(error); const event2 = events.shift(); t.equal(event2.callStack, event.callStack.split('\n').slice(1).join('\n')); logger.callStackLinesToSkip = 0; logger.info('hi', error); const event3 = events.shift(); t.equal(event3.callStack, event.callStack); t.equal(event3.error, error); logger.info('hi', error, new Error()); const event4 = events.shift(); t.equal(event4.callStack, event.callStack); t.equal(event4.error, error); t.end(); }); batch.test('creating/cloning of category', (t) => { const defaultLogger = new Logger('default'); defaultLogger.level = 'trace'; defaultLogger.useCallStack = true; t.test( 'category should be cloned from parent/default if does not exist', (assert) => { const originalLength = categories.size; const logger = new Logger('cheese1'); assert.equal( categories.size, originalLength + 1, 'category should be cloned' ); assert.equal( logger.level, levels.TRACE, 'should inherit level=TRACE from default-category' ); assert.equal( logger.useCallStack, true, 'should inherit useCallStack=true from default-category' ); assert.end(); } ); t.test( 'changing level should not impact default-category or useCallStack', (assert) => { const logger = new Logger('cheese2'); logger.level = 'debug'; assert.equal( logger.level, levels.DEBUG, 'should be changed to level=DEBUG' ); assert.equal( defaultLogger.level, levels.TRACE, 'default-category should remain as level=TRACE' ); assert.equal( logger.useCallStack, true, 'should remain as useCallStack=true' ); assert.equal( defaultLogger.useCallStack, true, 'default-category should remain as useCallStack=true' ); assert.end(); } ); t.test( 'changing useCallStack should not impact default-category or level', (assert) => { const logger = new Logger('cheese3'); logger.useCallStack = false; assert.equal( logger.useCallStack, false, 'should be changed to useCallStack=false' ); assert.equal( defaultLogger.useCallStack, true, 'default-category should remain as useCallStack=true' ); assert.equal( logger.level, levels.TRACE, 'should remain as level=TRACE' ); assert.equal( defaultLogger.level, levels.TRACE, 'default-category should remain as level=TRACE' ); assert.end(); } ); t.end(); }); batch.end(); });
1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./types/log4js.d.ts
// Type definitions for log4js type Format = | string | ((req: any, res: any, formatter: (str: string) => string) => string); export interface Log4js { getLogger(category?: string): Logger; configure(filename: string): Log4js; configure(config: Configuration): Log4js; addLayout( name: string, config: (a: any) => (logEvent: LoggingEvent) => string ): void; connectLogger( logger: Logger, options: { format?: Format; level?: string; nolog?: any } ): any; // express.Handler; levels: Levels; shutdown(cb?: (error?: Error) => void): void; } export function getLogger(category?: string): Logger; export function configure(filename: string): Log4js; export function configure(config: Configuration): Log4js; export function addLayout( name: string, config: (a: any) => (logEvent: LoggingEvent) => any ): void; export function connectLogger( logger: Logger, options: { format?: Format; level?: string; nolog?: any; statusRules?: any[]; context?: boolean; } ): any; // express.Handler; export function recording(): Recording; export const levels: Levels; export function shutdown(cb?: (error?: Error) => void): void; export interface BasicLayout { type: 'basic'; } export interface ColoredLayout { type: 'colored' | 'coloured'; } export interface MessagePassThroughLayout { type: 'messagePassThrough'; } export interface DummyLayout { type: 'dummy'; } export interface Level { isEqualTo(other: string): boolean; isEqualTo(otherLevel: Level): boolean; isLessThanOrEqualTo(other: string): boolean; isLessThanOrEqualTo(otherLevel: Level): boolean; isGreaterThanOrEqualTo(other: string): boolean; isGreaterThanOrEqualTo(otherLevel: Level): boolean; colour: string; level: number; levelStr: string; } export interface LoggingEvent { categoryName: string; // name of category level: Level; // level of message data: any[]; // objects to log startTime: Date; pid: number; context: any; cluster?: { workerId: number; worker: number; }; functionName?: string; fileName?: string; lineNumber?: number; columnNumber?: number; callStack?: string; serialise(): string; } export type Token = ((logEvent: LoggingEvent) => string) | string; export interface PatternLayout { type: 'pattern'; // specifier for the output format, using placeholders as described below pattern: string; // user-defined tokens to be used in the pattern tokens?: { [name: string]: Token }; } export interface CustomLayout { [key: string]: any; type: string; } export type Layout = | BasicLayout | ColoredLayout | MessagePassThroughLayout | DummyLayout | PatternLayout | CustomLayout; /** * Category Filter * * @see https://log4js-node.github.io/log4js-node/categoryFilter.html */ export interface CategoryFilterAppender { type: 'categoryFilter'; // the category (or categories if you provide an array of values) that will be excluded from the appender. exclude?: string | string[]; // the name of the appender to filter. see https://log4js-node.github.io/log4js-node/layouts.html appender?: string; } /** * No Log Filter * * @see https://log4js-node.github.io/log4js-node/noLogFilter.html */ export interface NoLogFilterAppender { type: 'noLogFilter'; // the regular expression (or the regular expressions if you provide an array of values) // will be used for evaluating the events to pass to the appender. // The events, which will match the regular expression, will be excluded and so not logged. exclude: string | string[]; // the name of an appender, defined in the same configuration, that you want to filter. appender: string; } /** * Console Appender * * @see https://log4js-node.github.io/log4js-node/console.html */ export interface ConsoleAppender { type: 'console'; // (defaults to ColoredLayout) layout?: Layout; } export interface FileAppender { type: 'file'; // the path of the file where you want your logs written. filename: string; // (defaults to undefined) the maximum size (in bytes) for the log file. If not specified or 0, then no log rolling will happen. maxLogSize?: number | string; // (defaults to 5) the number of old log files to keep (excluding the hot file). backups?: number; // (defaults to BasicLayout) layout?: Layout; // (defaults to utf-8) encoding?: string; // (defaults to 0o600) mode?: number; // (defaults to a) flags?: string; // (defaults to false) compress the backup files using gzip (backup files will have .gz extension) compress?: boolean; // (defaults to false) preserve the file extension when rotating log files (`file.log` becomes `file.1.log` instead of `file.log.1`). keepFileExt?: boolean; // (defaults to .) the filename separator when rolling. e.g.: abc.log`.`1 or abc`.`1.log (keepFileExt) fileNameSep?: string; } export interface SyncfileAppender { type: 'fileSync'; // the path of the file where you want your logs written. filename: string; // (defaults to undefined) the maximum size (in bytes) for the log file. If not specified or 0, then no log rolling will happen. maxLogSize?: number | string; // (defaults to 5) the number of old log files to keep (excluding the hot file). backups?: number; // (defaults to BasicLayout) layout?: Layout; // (defaults to utf-8) encoding?: string; // (defaults to 0o600) mode?: number; // (defaults to a) flags?: string; } export interface DateFileAppender { type: 'dateFile'; // the path of the file where you want your logs written. filename: string; // (defaults to yyyy-MM-dd) the pattern to use to determine when to roll the logs. /** * The following strings are recognised in the pattern: * - yyyy : the full year, use yy for just the last two digits * - MM : the month * - dd : the day of the month * - hh : the hour of the day (24-hour clock) * - mm : the minute of the hour * - ss : seconds * - SSS : milliseconds (although I'm not sure you'd want to roll your logs every millisecond) * - O : timezone (capital letter o) */ pattern?: string; // (defaults to BasicLayout) layout?: Layout; // (defaults to utf-8) encoding?: string; // (defaults to 0o600) mode?: number; // (defaults to a) flags?: string; // (defaults to false) compress the backup files using gzip (backup files will have .gz extension) compress?: boolean; // (defaults to false) preserve the file extension when rotating log files (`file.log` becomes `file.2017-05-30.log` instead of `file.log.2017-05-30`). keepFileExt?: boolean; // (defaults to .) the filename separator when rolling. e.g.: abc.log`.`2013-08-30 or abc`.`2013-08-30.log (keepFileExt) fileNameSep?: string; // (defaults to false) include the pattern in the name of the current log file. alwaysIncludePattern?: boolean; // (defaults to 1) the number of old files that matches the pattern to keep (excluding the hot file). numBackups?: number; } export interface LogLevelFilterAppender { type: 'logLevelFilter'; // the name of an appender, defined in the same configuration, that you want to filter appender: string; // the minimum level of event to allow through the filter level: string; // (defaults to FATAL) the maximum level of event to allow through the filter maxLevel?: string; } export interface MultiFileAppender { type: 'multiFile'; // the base part of the generated log filename base: string; // the value to use to split files (see below). property: string; // the suffix for the generated log filename. extension: string; } export interface MultiprocessAppender { type: 'multiprocess'; // controls whether the appender listens for log events sent over the network, or is responsible for serialising events and sending them to a server. mode: 'master' | 'worker'; // (only needed if mode == master) the name of the appender to send the log events to appender?: string; // (defaults to 5000) the port to listen on, or send to loggerPort?: number; // (defaults to localhost) the host/IP address to listen on, or send to loggerHost?: string; } export interface RecordingAppender { type: 'recording'; } export interface StandardErrorAppender { type: 'stderr'; // (defaults to ColoredLayout) layout?: Layout; } export interface StandardOutputAppender { type: 'stdout'; // (defaults to ColoredLayout) layout?: Layout; } /** * TCP Appender * * @see https://log4js-node.github.io/log4js-node/tcp.html */ export interface TCPAppender { type: 'tcp'; // (defaults to 5000) port?: number; // (defaults to localhost) host?: string; // (defaults to __LOG4JS__) endMsg?: string; // (defaults to a serialized log event) layout?: Layout; } export interface CustomAppender { type: string | AppenderModule; [key: string]: any; } /** * Mapping of all Appenders to allow for declaration merging * @example * declare module 'log4js' { * interface Appenders { * StorageTestAppender: { * type: 'storageTest'; * storageMedium: 'dvd' | 'usb' | 'hdd'; * }; * } * } */ export interface Appenders { CategoryFilterAppender: CategoryFilterAppender; ConsoleAppender: ConsoleAppender; FileAppender: FileAppender; SyncfileAppender: SyncfileAppender; DateFileAppender: DateFileAppender; LogLevelFilterAppender: LogLevelFilterAppender; NoLogFilterAppender: NoLogFilterAppender; MultiFileAppender: MultiFileAppender; MultiprocessAppender: MultiprocessAppender; RecordingAppender: RecordingAppender; StandardErrorAppender: StandardErrorAppender; StandardOutputAppender: StandardOutputAppender; TCPAppender: TCPAppender; CustomAppender: CustomAppender; } export interface AppenderModule { configure: ( config?: Config, layouts?: LayoutsParam, findAppender?: () => AppenderFunction, levels?: Levels ) => AppenderFunction; } export type AppenderFunction = (loggingEvent: LoggingEvent) => void; // TODO: Actually add types here... // It's supposed to be the full config element export type Config = any; export interface LayoutsParam { basicLayout: LayoutFunction; messagePassThroughLayout: LayoutFunction; patternLayout: LayoutFunction; colouredLayout: LayoutFunction; coloredLayout: LayoutFunction; dummyLayout: LayoutFunction; addLayout: (name: string, serializerGenerator: LayoutFunction) => void; layout: (name: string, config: PatternToken) => LayoutFunction; } export interface PatternToken { pattern: string; // TODO type this to enforce good pattern... tokens: { [tokenName: string]: () => any }; } export type LayoutFunction = (loggingEvent: LoggingEvent) => string; export type Appender = Appenders[keyof Appenders]; export interface Levels { ALL: Level; MARK: Level; TRACE: Level; DEBUG: Level; INFO: Level; WARN: Level; ERROR: Level; FATAL: Level; OFF: Level; levels: Level[]; getLevel(level: Level | string, defaultLevel?: Level): Level; addLevels(customLevels: object): void; } export interface Configuration { appenders: { [name: string]: Appender }; categories: { [name: string]: { appenders: string[]; level: string; enableCallStack?: boolean; }; }; pm2?: boolean; pm2InstanceVar?: string; levels?: Levels; disableClustering?: boolean; } export interface Recording { configure(): AppenderFunction; replay(): LoggingEvent[]; playback(): LoggingEvent[]; reset(): void; erase(): void; } export interface Logger { new (name: string): Logger; readonly category: string; level: Level | string; log(level: Level | string, ...args: any[]): void; isLevelEnabled(level?: string): boolean; isTraceEnabled(): boolean; isDebugEnabled(): boolean; isInfoEnabled(): boolean; isWarnEnabled(): boolean; isErrorEnabled(): boolean; isFatalEnabled(): boolean; _log(level: Level, data: any): void; addContext(key: string, value: any): void; removeContext(key: string): void; clearContext(): void; setParseCallStackFunction(parseFunction: Function): void; trace(message: any, ...args: any[]): void; debug(message: any, ...args: any[]): void; info(message: any, ...args: any[]): void; warn(message: any, ...args: any[]): void; error(message: any, ...args: any[]): void; fatal(message: any, ...args: any[]): void; mark(message: any, ...args: any[]): void; }
// Type definitions for log4js type Format = | string | ((req: any, res: any, formatter: (str: string) => string) => string); export interface Log4js { getLogger(category?: string): Logger; configure(filename: string): Log4js; configure(config: Configuration): Log4js; addLayout( name: string, config: (a: any) => (logEvent: LoggingEvent) => string ): void; connectLogger( logger: Logger, options: { format?: Format; level?: string; nolog?: any } ): any; // express.Handler; levels: Levels; shutdown(cb?: (error?: Error) => void): void; } export function getLogger(category?: string): Logger; export function configure(filename: string): Log4js; export function configure(config: Configuration): Log4js; export function addLayout( name: string, config: (a: any) => (logEvent: LoggingEvent) => any ): void; export function connectLogger( logger: Logger, options: { format?: Format; level?: string; nolog?: any; statusRules?: any[]; context?: boolean; } ): any; // express.Handler; export function recording(): Recording; export const levels: Levels; export function shutdown(cb?: (error?: Error) => void): void; export interface BasicLayout { type: 'basic'; } export interface ColoredLayout { type: 'colored' | 'coloured'; } export interface MessagePassThroughLayout { type: 'messagePassThrough'; } export interface DummyLayout { type: 'dummy'; } export interface Level { isEqualTo(other: string): boolean; isEqualTo(otherLevel: Level): boolean; isLessThanOrEqualTo(other: string): boolean; isLessThanOrEqualTo(otherLevel: Level): boolean; isGreaterThanOrEqualTo(other: string): boolean; isGreaterThanOrEqualTo(otherLevel: Level): boolean; colour: string; level: number; levelStr: string; } /** * A parsed CallStack from an `Error.stack` trace */ export interface CallStack { functionName: string; fileName: string; lineNumber: number; columnNumber: number; /** * The stack string after the skipped lines */ callStack: string; } export interface LoggingEvent extends Partial<CallStack> { categoryName: string; // name of category level: Level; // level of message data: any[]; // objects to log startTime: Date; pid: number; context: any; cluster?: { workerId: number; worker: number; }; /** * The first Error object in the data if there is one */ error?: Error; serialise(): string; } export type Token = ((logEvent: LoggingEvent) => string) | string; export interface PatternLayout { type: 'pattern'; // specifier for the output format, using placeholders as described below pattern: string; // user-defined tokens to be used in the pattern tokens?: { [name: string]: Token }; } export interface CustomLayout { [key: string]: any; type: string; } export type Layout = | BasicLayout | ColoredLayout | MessagePassThroughLayout | DummyLayout | PatternLayout | CustomLayout; /** * Category Filter * * @see https://log4js-node.github.io/log4js-node/categoryFilter.html */ export interface CategoryFilterAppender { type: 'categoryFilter'; // the category (or categories if you provide an array of values) that will be excluded from the appender. exclude?: string | string[]; // the name of the appender to filter. see https://log4js-node.github.io/log4js-node/layouts.html appender?: string; } /** * No Log Filter * * @see https://log4js-node.github.io/log4js-node/noLogFilter.html */ export interface NoLogFilterAppender { type: 'noLogFilter'; // the regular expression (or the regular expressions if you provide an array of values) // will be used for evaluating the events to pass to the appender. // The events, which will match the regular expression, will be excluded and so not logged. exclude: string | string[]; // the name of an appender, defined in the same configuration, that you want to filter. appender: string; } /** * Console Appender * * @see https://log4js-node.github.io/log4js-node/console.html */ export interface ConsoleAppender { type: 'console'; // (defaults to ColoredLayout) layout?: Layout; } export interface FileAppender { type: 'file'; // the path of the file where you want your logs written. filename: string; // (defaults to undefined) the maximum size (in bytes) for the log file. If not specified or 0, then no log rolling will happen. maxLogSize?: number | string; // (defaults to 5) the number of old log files to keep (excluding the hot file). backups?: number; // (defaults to BasicLayout) layout?: Layout; // (defaults to utf-8) encoding?: string; // (defaults to 0o600) mode?: number; // (defaults to a) flags?: string; // (defaults to false) compress the backup files using gzip (backup files will have .gz extension) compress?: boolean; // (defaults to false) preserve the file extension when rotating log files (`file.log` becomes `file.1.log` instead of `file.log.1`). keepFileExt?: boolean; // (defaults to .) the filename separator when rolling. e.g.: abc.log`.`1 or abc`.`1.log (keepFileExt) fileNameSep?: string; } export interface SyncfileAppender { type: 'fileSync'; // the path of the file where you want your logs written. filename: string; // (defaults to undefined) the maximum size (in bytes) for the log file. If not specified or 0, then no log rolling will happen. maxLogSize?: number | string; // (defaults to 5) the number of old log files to keep (excluding the hot file). backups?: number; // (defaults to BasicLayout) layout?: Layout; // (defaults to utf-8) encoding?: string; // (defaults to 0o600) mode?: number; // (defaults to a) flags?: string; } export interface DateFileAppender { type: 'dateFile'; // the path of the file where you want your logs written. filename: string; // (defaults to yyyy-MM-dd) the pattern to use to determine when to roll the logs. /** * The following strings are recognised in the pattern: * - yyyy : the full year, use yy for just the last two digits * - MM : the month * - dd : the day of the month * - hh : the hour of the day (24-hour clock) * - mm : the minute of the hour * - ss : seconds * - SSS : milliseconds (although I'm not sure you'd want to roll your logs every millisecond) * - O : timezone (capital letter o) */ pattern?: string; // (defaults to BasicLayout) layout?: Layout; // (defaults to utf-8) encoding?: string; // (defaults to 0o600) mode?: number; // (defaults to a) flags?: string; // (defaults to false) compress the backup files using gzip (backup files will have .gz extension) compress?: boolean; // (defaults to false) preserve the file extension when rotating log files (`file.log` becomes `file.2017-05-30.log` instead of `file.log.2017-05-30`). keepFileExt?: boolean; // (defaults to .) the filename separator when rolling. e.g.: abc.log`.`2013-08-30 or abc`.`2013-08-30.log (keepFileExt) fileNameSep?: string; // (defaults to false) include the pattern in the name of the current log file. alwaysIncludePattern?: boolean; // (defaults to 1) the number of old files that matches the pattern to keep (excluding the hot file). numBackups?: number; } export interface LogLevelFilterAppender { type: 'logLevelFilter'; // the name of an appender, defined in the same configuration, that you want to filter appender: string; // the minimum level of event to allow through the filter level: string; // (defaults to FATAL) the maximum level of event to allow through the filter maxLevel?: string; } export interface MultiFileAppender { type: 'multiFile'; // the base part of the generated log filename base: string; // the value to use to split files (see below). property: string; // the suffix for the generated log filename. extension: string; } export interface MultiprocessAppender { type: 'multiprocess'; // controls whether the appender listens for log events sent over the network, or is responsible for serialising events and sending them to a server. mode: 'master' | 'worker'; // (only needed if mode == master) the name of the appender to send the log events to appender?: string; // (defaults to 5000) the port to listen on, or send to loggerPort?: number; // (defaults to localhost) the host/IP address to listen on, or send to loggerHost?: string; } export interface RecordingAppender { type: 'recording'; } export interface StandardErrorAppender { type: 'stderr'; // (defaults to ColoredLayout) layout?: Layout; } export interface StandardOutputAppender { type: 'stdout'; // (defaults to ColoredLayout) layout?: Layout; } /** * TCP Appender * * @see https://log4js-node.github.io/log4js-node/tcp.html */ export interface TCPAppender { type: 'tcp'; // (defaults to 5000) port?: number; // (defaults to localhost) host?: string; // (defaults to __LOG4JS__) endMsg?: string; // (defaults to a serialized log event) layout?: Layout; } export interface CustomAppender { type: string | AppenderModule; [key: string]: any; } /** * Mapping of all Appenders to allow for declaration merging * @example * declare module 'log4js' { * interface Appenders { * StorageTestAppender: { * type: 'storageTest'; * storageMedium: 'dvd' | 'usb' | 'hdd'; * }; * } * } */ export interface Appenders { CategoryFilterAppender: CategoryFilterAppender; ConsoleAppender: ConsoleAppender; FileAppender: FileAppender; SyncfileAppender: SyncfileAppender; DateFileAppender: DateFileAppender; LogLevelFilterAppender: LogLevelFilterAppender; NoLogFilterAppender: NoLogFilterAppender; MultiFileAppender: MultiFileAppender; MultiprocessAppender: MultiprocessAppender; RecordingAppender: RecordingAppender; StandardErrorAppender: StandardErrorAppender; StandardOutputAppender: StandardOutputAppender; TCPAppender: TCPAppender; CustomAppender: CustomAppender; } export interface AppenderModule { configure: ( config?: Config, layouts?: LayoutsParam, findAppender?: () => AppenderFunction, levels?: Levels ) => AppenderFunction; } export type AppenderFunction = (loggingEvent: LoggingEvent) => void; // TODO: Actually add types here... // It's supposed to be the full config element export type Config = any; export interface LayoutsParam { basicLayout: LayoutFunction; messagePassThroughLayout: LayoutFunction; patternLayout: LayoutFunction; colouredLayout: LayoutFunction; coloredLayout: LayoutFunction; dummyLayout: LayoutFunction; addLayout: (name: string, serializerGenerator: LayoutFunction) => void; layout: (name: string, config: PatternToken) => LayoutFunction; } export interface PatternToken { pattern: string; // TODO type this to enforce good pattern... tokens: { [tokenName: string]: () => any }; } export type LayoutFunction = (loggingEvent: LoggingEvent) => string; export type Appender = Appenders[keyof Appenders]; export interface Levels { ALL: Level; MARK: Level; TRACE: Level; DEBUG: Level; INFO: Level; WARN: Level; ERROR: Level; FATAL: Level; OFF: Level; levels: Level[]; getLevel(level: Level | string, defaultLevel?: Level): Level; addLevels(customLevels: object): void; } export interface Configuration { appenders: { [name: string]: Appender }; categories: { [name: string]: { appenders: string[]; level: string; enableCallStack?: boolean; }; }; pm2?: boolean; pm2InstanceVar?: string; levels?: Levels; disableClustering?: boolean; } export interface Recording { configure(): AppenderFunction; replay(): LoggingEvent[]; playback(): LoggingEvent[]; reset(): void; erase(): void; } export interface Logger { new (name: string): Logger; readonly category: string; level: Level | string; log(level: Level | string, ...args: any[]): void; isLevelEnabled(level?: string): boolean; isTraceEnabled(): boolean; isDebugEnabled(): boolean; isInfoEnabled(): boolean; isWarnEnabled(): boolean; isErrorEnabled(): boolean; isFatalEnabled(): boolean; _log(level: Level, data: any): void; addContext(key: string, value: any): void; removeContext(key: string): void; clearContext(): void; /** * Replace the basic parse function with a new custom one * - Note that linesToSkip will be based on the origin of the Error object in addition to the callStackLinesToSkip (at least 1) * @param parseFunction the new parseFunction. Use `undefined` to reset to the base implementation */ setParseCallStackFunction( parseFunction: (error: Error, linesToSkip: number) => CallStack | undefined ): void; /** * Adjust the value of linesToSkip when the parseFunction is called. * * Cannot be less than 0. */ callStackLinesToSkip: number; trace(message: any, ...args: any[]): void; debug(message: any, ...args: any[]): void; info(message: any, ...args: any[]): void; warn(message: any, ...args: any[]): void; error(message: any, ...args: any[]): void; fatal(message: any, ...args: any[]): void; mark(message: any, ...args: any[]): void; }
1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./test/tap/tcp-appender-test.js
const { test } = require('tap'); const net = require('net'); const flatted = require('flatted'); const sandbox = require('@log4js-node/sandboxed-module'); const log4js = require('../../lib/log4js'); const LoggingEvent = require('../../lib/LoggingEvent'); let messages = []; let server = null; function makeServer(config) { server = net.createServer((socket) => { socket.setEncoding('utf8'); socket.on('data', (data) => { data .split(config.endMsg) .filter((s) => s.length) .forEach((s) => { messages.push(config.deserialise(s)); }); }); }); server.unref(); return server; } function makeFakeNet() { return { data: [], cbs: {}, createConnectionCalled: 0, createConnection(port, host) { const fakeNet = this; this.port = port; this.host = host; this.createConnectionCalled += 1; return { on(evt, cb) { fakeNet.cbs[evt] = cb; }, write(data, encoding) { fakeNet.data.push(data); fakeNet.encoding = encoding; return false; }, end() { fakeNet.closeCalled = true; }, }; }, createServer(cb) { const fakeNet = this; cb({ remoteAddress: '1.2.3.4', remotePort: '1234', setEncoding(encoding) { fakeNet.encoding = encoding; }, on(event, cb2) { fakeNet.cbs[event] = cb2; }, }); return { listen(port, host) { fakeNet.port = port; fakeNet.host = host; }, }; }, }; } test('TCP Appender', (batch) => { batch.test('Default Configuration', (t) => { messages = []; const serverConfig = { endMsg: '__LOG4JS__', deserialise: (log) => LoggingEvent.deserialise(log), }; server = makeServer(serverConfig); server.listen(() => { const { port } = server.address(); log4js.configure({ appenders: { default: { type: 'tcp', port }, }, categories: { default: { appenders: ['default'], level: 'debug' }, }, }); const logger = log4js.getLogger(); logger.info('This should be sent via TCP.'); logger.info('This should also be sent via TCP and not break things.'); log4js.shutdown(() => { server.close(() => { t.equal(messages.length, 2); t.match(messages[0], { data: ['This should be sent via TCP.'], categoryName: 'default', context: {}, level: { levelStr: 'INFO' }, }); t.match(messages[1], { data: ['This should also be sent via TCP and not break things.'], categoryName: 'default', context: {}, level: { levelStr: 'INFO' }, }); t.end(); }); }); }); }); batch.test('Custom EndMessage String', (t) => { messages = []; const serverConfig = { endMsg: '\n', deserialise: (log) => LoggingEvent.deserialise(log), }; server = makeServer(serverConfig); server.listen(() => { const { port } = server.address(); log4js.configure({ appenders: { customEndMsg: { type: 'tcp', port, endMsg: '\n' }, }, categories: { default: { appenders: ['customEndMsg'], level: 'debug' }, }, }); const logger = log4js.getLogger(); logger.info('This should be sent via TCP using a custom EndMsg string.'); logger.info( 'This should also be sent via TCP using a custom EndMsg string and not break things.' ); log4js.shutdown(() => { server.close(() => { t.equal(messages.length, 2); t.match(messages[0], { data: ['This should be sent via TCP using a custom EndMsg string.'], categoryName: 'default', context: {}, level: { levelStr: 'INFO' }, }); t.match(messages[1], { data: [ 'This should also be sent via TCP using a custom EndMsg string and not break things.', ], categoryName: 'default', context: {}, level: { levelStr: 'INFO' }, }); t.end(); }); }); }); }); batch.test('Custom Layout', (t) => { messages = []; const serverConfig = { endMsg: '__LOG4JS__', deserialise: (log) => JSON.parse(log), }; server = makeServer(serverConfig); log4js.addLayout( 'json', () => function (logEvent) { return JSON.stringify({ time: logEvent.startTime, message: logEvent.data[0], level: logEvent.level.toString(), }); } ); server.listen(() => { const { port } = server.address(); log4js.configure({ appenders: { customLayout: { type: 'tcp', port, layout: { type: 'json' }, }, }, categories: { default: { appenders: ['customLayout'], level: 'debug' }, }, }); const logger = log4js.getLogger(); logger.info('This should be sent as a customized json.'); logger.info( 'This should also be sent via TCP as a customized json and not break things.' ); log4js.shutdown(() => { server.close(() => { t.equal(messages.length, 2); t.match(messages[0], { message: 'This should be sent as a customized json.', level: 'INFO', }); t.match(messages[1], { message: 'This should also be sent via TCP as a customized json and not break things.', level: 'INFO', }); t.end(); }); }); }); }); batch.test('when underlying stream errors', (t) => { const fakeNet = makeFakeNet(); const sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { net: fakeNet, }, }); sandboxedLog4js.configure({ appenders: { default: { type: 'tcp' }, }, categories: { default: { appenders: ['default'], level: 'debug' }, }, }); const logger = sandboxedLog4js.getLogger(); logger.info('before connect'); t.test( 'should buffer messages written before socket is connected', (assert) => { assert.equal(fakeNet.data.length, 0); assert.equal(fakeNet.createConnectionCalled, 1); assert.end(); } ); fakeNet.cbs.connect(); t.test('should flush buffered messages', (assert) => { assert.equal(fakeNet.data.length, 1); assert.equal(fakeNet.createConnectionCalled, 1); assert.match(fakeNet.data[0], 'before connect'); assert.end(); }); logger.info('after connect'); t.test( 'should write log messages to socket as flatted strings with a terminator string', (assert) => { assert.equal(fakeNet.data.length, 2); assert.match(fakeNet.data[0], 'before connect'); assert.ok(fakeNet.data[0].endsWith('__LOG4JS__')); assert.match(fakeNet.data[1], 'after connect'); assert.ok(fakeNet.data[1].endsWith('__LOG4JS__')); assert.equal(fakeNet.encoding, 'utf8'); assert.end(); } ); fakeNet.cbs.error(); logger.info('after error, before close'); fakeNet.cbs.close(); logger.info('after close, before connect'); fakeNet.cbs.connect(); logger.info('after error, after connect'); t.test('should attempt to re-open the socket on error', (assert) => { assert.equal(fakeNet.data.length, 5); assert.equal(fakeNet.createConnectionCalled, 2); assert.match(fakeNet.data[2], 'after error, before close'); assert.match(fakeNet.data[3], 'after close, before connect'); assert.match(fakeNet.data[4], 'after error, after connect'); assert.end(); }); t.test('should buffer messages until drain', (assert) => { const previousLength = fakeNet.data.length; logger.info('should not be flushed'); assert.equal(fakeNet.data.length, previousLength); assert.notMatch( fakeNet.data[fakeNet.data.length - 1], 'should not be flushed' ); fakeNet.cbs.drain(); assert.equal(fakeNet.data.length, previousLength + 1); assert.match( fakeNet.data[fakeNet.data.length - 1], 'should not be flushed' ); assert.end(); }); t.test('should serialize an Error correctly', (assert) => { const previousLength = fakeNet.data.length; logger.error(new Error('Error test')); fakeNet.cbs.drain(); assert.equal(fakeNet.data.length, previousLength + 1); const raw = fakeNet.data[fakeNet.data.length - 1]; const offset = raw.indexOf('__LOG4JS__'); assert.ok( flatted.parse(raw.slice(0, offset !== -1 ? offset : 0)).data[0].stack, `Expected:\n\n${fakeNet.data[6]}\n\n to have a 'data[0].stack' property` ); const actual = flatted.parse(raw.slice(0, offset !== -1 ? offset : 0)) .data[0].stack; assert.match(actual, /^Error: Error test/); assert.end(); }); t.end(); }); batch.end(); });
const { test } = require('tap'); const net = require('net'); const flatted = require('flatted'); const sandbox = require('@log4js-node/sandboxed-module'); const log4js = require('../../lib/log4js'); const LoggingEvent = require('../../lib/LoggingEvent'); let messages = []; let server = null; function makeServer(config) { server = net.createServer((socket) => { socket.setEncoding('utf8'); socket.on('data', (data) => { data .split(config.endMsg) .filter((s) => s.length) .forEach((s) => { messages.push(config.deserialise(s)); }); }); }); server.unref(); return server; } function makeFakeNet() { return { data: [], cbs: {}, createConnectionCalled: 0, createConnection(port, host) { const fakeNet = this; this.port = port; this.host = host; this.createConnectionCalled += 1; return { on(evt, cb) { fakeNet.cbs[evt] = cb; }, write(data, encoding) { fakeNet.data.push(data); fakeNet.encoding = encoding; return false; }, end() { fakeNet.closeCalled = true; }, }; }, createServer(cb) { const fakeNet = this; cb({ remoteAddress: '1.2.3.4', remotePort: '1234', setEncoding(encoding) { fakeNet.encoding = encoding; }, on(event, cb2) { fakeNet.cbs[event] = cb2; }, }); return { listen(port, host) { fakeNet.port = port; fakeNet.host = host; }, }; }, }; } test('TCP Appender', (batch) => { batch.test('Default Configuration', (t) => { messages = []; const serverConfig = { endMsg: '__LOG4JS__', deserialise: (log) => LoggingEvent.deserialise(log), }; server = makeServer(serverConfig); server.listen(() => { const { port } = server.address(); log4js.configure({ appenders: { default: { type: 'tcp', port }, }, categories: { default: { appenders: ['default'], level: 'debug' }, }, }); const logger = log4js.getLogger(); logger.info('This should be sent via TCP.'); logger.info('This should also be sent via TCP and not break things.'); log4js.shutdown(() => { server.close(() => { t.equal(messages.length, 2); t.match(messages[0], { data: ['This should be sent via TCP.'], categoryName: 'default', context: {}, level: { levelStr: 'INFO' }, }); t.match(messages[1], { data: ['This should also be sent via TCP and not break things.'], categoryName: 'default', context: {}, level: { levelStr: 'INFO' }, }); t.end(); }); }); }); }); batch.test('Custom EndMessage String', (t) => { messages = []; const serverConfig = { endMsg: '\n', deserialise: (log) => LoggingEvent.deserialise(log), }; server = makeServer(serverConfig); server.listen(() => { const { port } = server.address(); log4js.configure({ appenders: { customEndMsg: { type: 'tcp', port, endMsg: '\n' }, }, categories: { default: { appenders: ['customEndMsg'], level: 'debug' }, }, }); const logger = log4js.getLogger(); logger.info('This should be sent via TCP using a custom EndMsg string.'); logger.info( 'This should also be sent via TCP using a custom EndMsg string and not break things.' ); log4js.shutdown(() => { server.close(() => { t.equal(messages.length, 2); t.match(messages[0], { data: ['This should be sent via TCP using a custom EndMsg string.'], categoryName: 'default', context: {}, level: { levelStr: 'INFO' }, }); t.match(messages[1], { data: [ 'This should also be sent via TCP using a custom EndMsg string and not break things.', ], categoryName: 'default', context: {}, level: { levelStr: 'INFO' }, }); t.end(); }); }); }); }); batch.test('Custom Layout', (t) => { messages = []; const serverConfig = { endMsg: '__LOG4JS__', deserialise: (log) => JSON.parse(log), }; server = makeServer(serverConfig); log4js.addLayout( 'json', () => function (logEvent) { return JSON.stringify({ time: logEvent.startTime, message: logEvent.data[0], level: logEvent.level.toString(), }); } ); server.listen(() => { const { port } = server.address(); log4js.configure({ appenders: { customLayout: { type: 'tcp', port, layout: { type: 'json' }, }, }, categories: { default: { appenders: ['customLayout'], level: 'debug' }, }, }); const logger = log4js.getLogger(); logger.info('This should be sent as a customized json.'); logger.info( 'This should also be sent via TCP as a customized json and not break things.' ); log4js.shutdown(() => { server.close(() => { t.equal(messages.length, 2); t.match(messages[0], { message: 'This should be sent as a customized json.', level: 'INFO', }); t.match(messages[1], { message: 'This should also be sent via TCP as a customized json and not break things.', level: 'INFO', }); t.end(); }); }); }); }); batch.test('when underlying stream errors', (t) => { const fakeNet = makeFakeNet(); const sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { net: fakeNet, }, }); sandboxedLog4js.configure({ appenders: { default: { type: 'tcp' }, }, categories: { default: { appenders: ['default'], level: 'debug' }, }, }); const logger = sandboxedLog4js.getLogger(); logger.info('before connect'); t.test( 'should buffer messages written before socket is connected', (assert) => { assert.equal(fakeNet.data.length, 0); assert.equal(fakeNet.createConnectionCalled, 1); assert.end(); } ); fakeNet.cbs.connect(); t.test('should flush buffered messages', (assert) => { assert.equal(fakeNet.data.length, 1); assert.equal(fakeNet.createConnectionCalled, 1); assert.match(fakeNet.data[0], 'before connect'); assert.end(); }); logger.info('after connect'); t.test( 'should write log messages to socket as flatted strings with a terminator string', (assert) => { assert.equal(fakeNet.data.length, 2); assert.match(fakeNet.data[0], 'before connect'); assert.ok(fakeNet.data[0].endsWith('__LOG4JS__')); assert.match(fakeNet.data[1], 'after connect'); assert.ok(fakeNet.data[1].endsWith('__LOG4JS__')); assert.equal(fakeNet.encoding, 'utf8'); assert.end(); } ); fakeNet.cbs.error(); logger.info('after error, before close'); fakeNet.cbs.close(); logger.info('after close, before connect'); fakeNet.cbs.connect(); logger.info('after error, after connect'); t.test('should attempt to re-open the socket on error', (assert) => { assert.equal(fakeNet.data.length, 5); assert.equal(fakeNet.createConnectionCalled, 2); assert.match(fakeNet.data[2], 'after error, before close'); assert.match(fakeNet.data[3], 'after close, before connect'); assert.match(fakeNet.data[4], 'after error, after connect'); assert.end(); }); t.test('should buffer messages until drain', (assert) => { const previousLength = fakeNet.data.length; logger.info('should not be flushed'); assert.equal(fakeNet.data.length, previousLength); assert.notMatch( fakeNet.data[fakeNet.data.length - 1], 'should not be flushed' ); fakeNet.cbs.drain(); assert.equal(fakeNet.data.length, previousLength + 1); assert.match( fakeNet.data[fakeNet.data.length - 1], 'should not be flushed' ); assert.end(); }); t.test('should serialize an Error correctly', (assert) => { const previousLength = fakeNet.data.length; logger.error(new Error('Error test')); fakeNet.cbs.drain(); assert.equal(fakeNet.data.length, previousLength + 1); const raw = fakeNet.data[fakeNet.data.length - 1]; const offset = raw.indexOf('__LOG4JS__'); assert.ok( flatted.parse(raw.slice(0, offset !== -1 ? offset : 0)).data[0].stack, `Expected:\n\n${fakeNet.data[6]}\n\n to have a 'data[0].stack' property` ); const actual = flatted.parse(raw.slice(0, offset !== -1 ? offset : 0)) .data[0].stack; assert.match(actual, /^Error: Error test/); assert.end(); }); t.end(); }); batch.end(); });
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./lib/configuration.js
const util = require('util'); const debug = require('debug')('log4js:configuration'); const preProcessingListeners = []; const listeners = []; const not = (thing) => !thing; const anObject = (thing) => thing && typeof thing === 'object' && !Array.isArray(thing); const validIdentifier = (thing) => /^[A-Za-z][A-Za-z0-9_]*$/g.test(thing); const anInteger = (thing) => thing && typeof thing === 'number' && Number.isInteger(thing); const addListener = (fn) => { listeners.push(fn); debug(`Added listener, now ${listeners.length} listeners`); }; const addPreProcessingListener = (fn) => { preProcessingListeners.push(fn); debug( `Added pre-processing listener, now ${preProcessingListeners.length} listeners` ); }; const throwExceptionIf = (config, checks, message) => { const tests = Array.isArray(checks) ? checks : [checks]; tests.forEach((test) => { if (test) { throw new Error( `Problem with log4js configuration: (${util.inspect(config, { depth: 5, })}) - ${message}` ); } }); }; const configure = (candidate) => { debug('New configuration to be validated: ', candidate); throwExceptionIf(candidate, not(anObject(candidate)), 'must be an object.'); debug(`Calling pre-processing listeners (${preProcessingListeners.length})`); preProcessingListeners.forEach((listener) => listener(candidate)); debug('Configuration pre-processing finished.'); debug(`Calling configuration listeners (${listeners.length})`); listeners.forEach((listener) => listener(candidate)); debug('Configuration finished.'); }; module.exports = { configure, addListener, addPreProcessingListener, throwExceptionIf, anObject, anInteger, validIdentifier, not, };
const util = require('util'); const debug = require('debug')('log4js:configuration'); const preProcessingListeners = []; const listeners = []; const not = (thing) => !thing; const anObject = (thing) => thing && typeof thing === 'object' && !Array.isArray(thing); const validIdentifier = (thing) => /^[A-Za-z][A-Za-z0-9_]*$/g.test(thing); const anInteger = (thing) => thing && typeof thing === 'number' && Number.isInteger(thing); const addListener = (fn) => { listeners.push(fn); debug(`Added listener, now ${listeners.length} listeners`); }; const addPreProcessingListener = (fn) => { preProcessingListeners.push(fn); debug( `Added pre-processing listener, now ${preProcessingListeners.length} listeners` ); }; const throwExceptionIf = (config, checks, message) => { const tests = Array.isArray(checks) ? checks : [checks]; tests.forEach((test) => { if (test) { throw new Error( `Problem with log4js configuration: (${util.inspect(config, { depth: 5, })}) - ${message}` ); } }); }; const configure = (candidate) => { debug('New configuration to be validated: ', candidate); throwExceptionIf(candidate, not(anObject(candidate)), 'must be an object.'); debug(`Calling pre-processing listeners (${preProcessingListeners.length})`); preProcessingListeners.forEach((listener) => listener(candidate)); debug('Configuration pre-processing finished.'); debug(`Calling configuration listeners (${listeners.length})`); listeners.forEach((listener) => listener(candidate)); debug('Configuration finished.'); }; module.exports = { configure, addListener, addPreProcessingListener, throwExceptionIf, anObject, anInteger, validIdentifier, not, };
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./test/tap/fileSyncAppender-test.js
const { test } = require('tap'); const fs = require('fs'); const path = require('path'); const EOL = require('os').EOL || '\n'; const sandbox = require('@log4js-node/sandboxed-module'); const log4js = require('../../lib/log4js'); function remove(filename) { try { fs.unlinkSync(filename); } catch (e) { // doesn't really matter if it failed } } test('log4js fileSyncAppender', (batch) => { batch.test('with default fileSyncAppender settings', (t) => { const testFile = path.join(__dirname, '/fa-default-sync-test.log'); const logger = log4js.getLogger('default-settings'); remove(testFile); t.teardown(() => { remove(testFile); }); log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile } }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); logger.info('This should be in the file.'); fs.readFile(testFile, 'utf8', (err, fileContents) => { t.match(fileContents, `This should be in the file.${EOL}`); t.match( fileContents, /\[\d{4}-\d{2}-\d{2}T\d{2}:\d{2}:\d{2}\.\d{3}] \[INFO] default-settings - / ); t.end(); }); }); batch.test('with existing file', (t) => { const testFile = path.join(__dirname, '/fa-existing-file-sync-test.log'); const logger = log4js.getLogger('default-settings'); remove(testFile); t.teardown(() => { remove(testFile); }); log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile } }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); logger.info('This should be in the file.'); log4js.shutdown(() => { log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile } }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); logger.info('This should also be in the file.'); fs.readFile(testFile, 'utf8', (err, fileContents) => { t.match(fileContents, `This should be in the file.${EOL}`); t.match(fileContents, `This should also be in the file.${EOL}`); t.match( fileContents, /\[\d{4}-\d{2}-\d{2}T\d{2}:\d{2}:\d{2}\.\d{3}] \[INFO] default-settings - / ); t.end(); }); }); }); batch.test('should give error if invalid filename', async (t) => { const file = ''; t.throws( () => log4js.configure({ appenders: { file: { type: 'fileSync', filename: file, }, }, categories: { default: { appenders: ['file'], level: 'debug' }, }, }), new Error(`Invalid filename: ${file}`) ); const dir = `.${path.sep}`; t.throws( () => log4js.configure({ appenders: { file: { type: 'fileSync', filename: dir, }, }, categories: { default: { appenders: ['file'], level: 'debug' }, }, }), new Error(`Filename is a directory: ${dir}`) ); t.end(); }); batch.test('should give error if invalid maxLogSize', async (t) => { const maxLogSize = -1; const expectedError = new Error(`maxLogSize (${maxLogSize}) should be > 0`); t.throws( () => log4js.configure({ appenders: { file: { type: 'fileSync', filename: path.join( __dirname, 'fa-invalidMaxFileSize-sync-test.log' ), maxLogSize: -1, }, }, categories: { default: { appenders: ['file'], level: 'debug' }, }, }), expectedError ); t.end(); }); batch.test('with a max file size and no backups', (t) => { const testFile = path.join(__dirname, '/fa-maxFileSize-sync-test.log'); const logger = log4js.getLogger('max-file-size'); remove(testFile); t.teardown(() => { remove(testFile); }); // log file of 100 bytes maximum, no backups log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, maxLogSize: 100, backups: 0, }, }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); logger.info('This is the first log message.'); logger.info('This is an intermediate log message.'); logger.info('This is the second log message.'); t.test('log file should only contain the second message', (assert) => { fs.readFile(testFile, 'utf8', (err, fileContents) => { assert.match(fileContents, `This is the second log message.${EOL}`); assert.equal( fileContents.indexOf('This is the first log message.'), -1 ); assert.end(); }); }); t.test('there should be one test files', (assert) => { fs.readdir(__dirname, (err, files) => { const logFiles = files.filter((file) => file.includes('fa-maxFileSize-sync-test.log') ); assert.equal(logFiles.length, 1); assert.end(); }); }); t.end(); }); batch.test('with a max file size in unit mode and no backups', (t) => { const testFile = path.join(__dirname, '/fa-maxFileSize-unit-sync-test.log'); const logger = log4js.getLogger('max-file-size-unit'); remove(testFile); remove(`${testFile}.1`); t.teardown(() => { remove(testFile); remove(`${testFile}.1`); }); // log file of 100 bytes maximum, no backups log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, maxLogSize: '1K', backups: 0, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); const maxLine = 22; // 1024 max file size / 47 bytes per line for (let i = 0; i < maxLine; i++) { logger.info('These are the log messages for the first file.'); // 46 bytes per line + '\n' } logger.info('This is the second log message.'); t.test('log file should only contain the second message', (assert) => { fs.readFile(testFile, 'utf8', (err, fileContents) => { assert.match(fileContents, `This is the second log message.${EOL}`); assert.notMatch( fileContents, 'These are the log messages for the first file.' ); assert.end(); }); }); t.test('there should be one test file', (assert) => { fs.readdir(__dirname, (err, files) => { const logFiles = files.filter((file) => file.includes('fa-maxFileSize-unit-sync-test.log') ); assert.equal(logFiles.length, 1); assert.end(); }); }); t.end(); }); batch.test('with a max file size and 2 backups', (t) => { const testFile = path.join( __dirname, '/fa-maxFileSize-with-backups-sync-test.log' ); const logger = log4js.getLogger('max-file-size-backups'); remove(testFile); remove(`${testFile}.1`); remove(`${testFile}.2`); t.teardown(() => { remove(testFile); remove(`${testFile}.1`); remove(`${testFile}.2`); }); // log file of 50 bytes maximum, 2 backups log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, maxLogSize: 50, backups: 2, }, }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); logger.info('This is the first log message.'); logger.info('This is the second log message.'); logger.info('This is the third log message.'); logger.info('This is the fourth log message.'); t.test('the log files', (assert) => { assert.plan(5); fs.readdir(__dirname, (err, files) => { const logFiles = files.filter((file) => file.includes('fa-maxFileSize-with-backups-sync-test.log') ); assert.equal(logFiles.length, 3, 'should be 3 files'); assert.same( logFiles, [ 'fa-maxFileSize-with-backups-sync-test.log', 'fa-maxFileSize-with-backups-sync-test.log.1', 'fa-maxFileSize-with-backups-sync-test.log.2', ], 'should be named in sequence' ); fs.readFile( path.join(__dirname, logFiles[0]), 'utf8', (e, contents) => { assert.match(contents, 'This is the fourth log message.'); } ); fs.readFile( path.join(__dirname, logFiles[1]), 'utf8', (e, contents) => { assert.match(contents, 'This is the third log message.'); } ); fs.readFile( path.join(__dirname, logFiles[2]), 'utf8', (e, contents) => { assert.match(contents, 'This is the second log message.'); } ); }); }); t.end(); }); batch.test('configure with fileSyncAppender', (t) => { const testFile = 'tmp-sync-tests.log'; remove(testFile); t.teardown(() => { remove(testFile); }); // this config defines one file appender (to ./tmp-sync-tests.log) // and sets the log level for "tests" to WARN log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, tests: { appenders: ['sync'], level: 'warn' }, }, }); const logger = log4js.getLogger('tests'); logger.info('this should not be written to the file'); logger.warn('this should be written to the file'); fs.readFile(testFile, 'utf8', (err, contents) => { t.match(contents, `this should be written to the file${EOL}`); t.equal(contents.indexOf('this should not be written to the file'), -1); t.end(); }); }); batch.test( 'configure with non-existent multi-directory (recursive, nodejs >= 10.12.0)', (t) => { const testFile = 'tmpA/tmpB/tmpC/tmp-sync-tests-recursive.log'; remove(testFile); t.teardown(() => { remove(testFile); try { fs.rmdirSync('tmpA/tmpB/tmpC'); fs.rmdirSync('tmpA/tmpB'); fs.rmdirSync('tmpA'); } catch (e) { // doesn't matter } }); log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, }, }); const logger = log4js.getLogger(); logger.info('this should be written to the file'); fs.readFile(testFile, 'utf8', (err, contents) => { t.match(contents, `this should be written to the file${EOL}`); t.end(); }); } ); batch.test( 'configure with non-existent multi-directory (non-recursive, nodejs < 10.12.0)', (t) => { const testFile = 'tmpA/tmpB/tmpC/tmp-sync-tests-non-recursive.log'; remove(testFile); t.teardown(() => { remove(testFile); try { fs.rmdirSync('tmpA/tmpB/tmpC'); fs.rmdirSync('tmpA/tmpB'); fs.rmdirSync('tmpA'); } catch (e) { // doesn't matter } }); const sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { fs: { ...fs, mkdirSync(dirPath, options) { return fs.mkdirSync(dirPath, { ...options, ...{ recursive: false }, }); }, }, }, }); sandboxedLog4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, }, }); const logger = sandboxedLog4js.getLogger(); logger.info('this should be written to the file'); fs.readFile(testFile, 'utf8', (err, contents) => { t.match(contents, `this should be written to the file${EOL}`); t.end(); }); } ); batch.test( 'configure with non-existent multi-directory (error handling)', (t) => { const testFile = 'tmpA/tmpB/tmpC/tmp-sync-tests-error-handling.log'; remove(testFile); t.teardown(() => { remove(testFile); try { fs.rmdirSync('tmpA/tmpB/tmpC'); fs.rmdirSync('tmpA/tmpB'); fs.rmdirSync('tmpA'); } catch (e) { // doesn't matter } }); const errorEPERM = new Error('EPERM'); errorEPERM.code = 'EPERM'; let sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { fs: { ...fs, mkdirSync() { throw errorEPERM; }, }, }, }); t.throws( () => sandboxedLog4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, }, }), errorEPERM ); const errorEROFS = new Error('EROFS'); errorEROFS.code = 'EROFS'; sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { fs: { ...fs, mkdirSync() { throw errorEROFS; }, statSync() { return { isDirectory() { return false; }, }; }, }, }, }); t.throws( () => sandboxedLog4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, }, }), errorEROFS ); fs.mkdirSync('tmpA'); fs.mkdirSync('tmpA/tmpB'); fs.mkdirSync('tmpA/tmpB/tmpC'); sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { fs: { ...fs, mkdirSync() { throw errorEROFS; }, }, }, }); t.doesNotThrow(() => sandboxedLog4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, }, }) ); t.end(); } ); batch.test('test options', (t) => { const testFile = 'tmp-options-tests.log'; remove(testFile); t.teardown(() => { remove(testFile); }); // using non-standard options log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, flags: 'w', encoding: 'ascii', mode: 0o666, }, }, categories: { default: { appenders: ['sync'], level: 'info' }, }, }); const logger = log4js.getLogger(); logger.warn('log message'); fs.readFile(testFile, 'ascii', (err, contents) => { t.match(contents, `log message${EOL}`); t.end(); }); }); batch.end(); });
const { test } = require('tap'); const fs = require('fs'); const path = require('path'); const EOL = require('os').EOL || '\n'; const sandbox = require('@log4js-node/sandboxed-module'); const log4js = require('../../lib/log4js'); function remove(filename) { try { fs.unlinkSync(filename); } catch (e) { // doesn't really matter if it failed } } test('log4js fileSyncAppender', (batch) => { batch.test('with default fileSyncAppender settings', (t) => { const testFile = path.join(__dirname, '/fa-default-sync-test.log'); const logger = log4js.getLogger('default-settings'); remove(testFile); t.teardown(() => { remove(testFile); }); log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile } }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); logger.info('This should be in the file.'); fs.readFile(testFile, 'utf8', (err, fileContents) => { t.match(fileContents, `This should be in the file.${EOL}`); t.match( fileContents, /\[\d{4}-\d{2}-\d{2}T\d{2}:\d{2}:\d{2}\.\d{3}] \[INFO] default-settings - / ); t.end(); }); }); batch.test('with existing file', (t) => { const testFile = path.join(__dirname, '/fa-existing-file-sync-test.log'); const logger = log4js.getLogger('default-settings'); remove(testFile); t.teardown(() => { remove(testFile); }); log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile } }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); logger.info('This should be in the file.'); log4js.shutdown(() => { log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile } }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); logger.info('This should also be in the file.'); fs.readFile(testFile, 'utf8', (err, fileContents) => { t.match(fileContents, `This should be in the file.${EOL}`); t.match(fileContents, `This should also be in the file.${EOL}`); t.match( fileContents, /\[\d{4}-\d{2}-\d{2}T\d{2}:\d{2}:\d{2}\.\d{3}] \[INFO] default-settings - / ); t.end(); }); }); }); batch.test('should give error if invalid filename', async (t) => { const file = ''; t.throws( () => log4js.configure({ appenders: { file: { type: 'fileSync', filename: file, }, }, categories: { default: { appenders: ['file'], level: 'debug' }, }, }), new Error(`Invalid filename: ${file}`) ); const dir = `.${path.sep}`; t.throws( () => log4js.configure({ appenders: { file: { type: 'fileSync', filename: dir, }, }, categories: { default: { appenders: ['file'], level: 'debug' }, }, }), new Error(`Filename is a directory: ${dir}`) ); t.end(); }); batch.test('should give error if invalid maxLogSize', async (t) => { const maxLogSize = -1; const expectedError = new Error(`maxLogSize (${maxLogSize}) should be > 0`); t.throws( () => log4js.configure({ appenders: { file: { type: 'fileSync', filename: path.join( __dirname, 'fa-invalidMaxFileSize-sync-test.log' ), maxLogSize: -1, }, }, categories: { default: { appenders: ['file'], level: 'debug' }, }, }), expectedError ); t.end(); }); batch.test('with a max file size and no backups', (t) => { const testFile = path.join(__dirname, '/fa-maxFileSize-sync-test.log'); const logger = log4js.getLogger('max-file-size'); remove(testFile); t.teardown(() => { remove(testFile); }); // log file of 100 bytes maximum, no backups log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, maxLogSize: 100, backups: 0, }, }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); logger.info('This is the first log message.'); logger.info('This is an intermediate log message.'); logger.info('This is the second log message.'); t.test('log file should only contain the second message', (assert) => { fs.readFile(testFile, 'utf8', (err, fileContents) => { assert.match(fileContents, `This is the second log message.${EOL}`); assert.equal( fileContents.indexOf('This is the first log message.'), -1 ); assert.end(); }); }); t.test('there should be one test files', (assert) => { fs.readdir(__dirname, (err, files) => { const logFiles = files.filter((file) => file.includes('fa-maxFileSize-sync-test.log') ); assert.equal(logFiles.length, 1); assert.end(); }); }); t.end(); }); batch.test('with a max file size in unit mode and no backups', (t) => { const testFile = path.join(__dirname, '/fa-maxFileSize-unit-sync-test.log'); const logger = log4js.getLogger('max-file-size-unit'); remove(testFile); remove(`${testFile}.1`); t.teardown(() => { remove(testFile); remove(`${testFile}.1`); }); // log file of 100 bytes maximum, no backups log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, maxLogSize: '1K', backups: 0, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); const maxLine = 22; // 1024 max file size / 47 bytes per line for (let i = 0; i < maxLine; i++) { logger.info('These are the log messages for the first file.'); // 46 bytes per line + '\n' } logger.info('This is the second log message.'); t.test('log file should only contain the second message', (assert) => { fs.readFile(testFile, 'utf8', (err, fileContents) => { assert.match(fileContents, `This is the second log message.${EOL}`); assert.notMatch( fileContents, 'These are the log messages for the first file.' ); assert.end(); }); }); t.test('there should be one test file', (assert) => { fs.readdir(__dirname, (err, files) => { const logFiles = files.filter((file) => file.includes('fa-maxFileSize-unit-sync-test.log') ); assert.equal(logFiles.length, 1); assert.end(); }); }); t.end(); }); batch.test('with a max file size and 2 backups', (t) => { const testFile = path.join( __dirname, '/fa-maxFileSize-with-backups-sync-test.log' ); const logger = log4js.getLogger('max-file-size-backups'); remove(testFile); remove(`${testFile}.1`); remove(`${testFile}.2`); t.teardown(() => { remove(testFile); remove(`${testFile}.1`); remove(`${testFile}.2`); }); // log file of 50 bytes maximum, 2 backups log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, maxLogSize: 50, backups: 2, }, }, categories: { default: { appenders: ['sync'], level: 'debug' } }, }); logger.info('This is the first log message.'); logger.info('This is the second log message.'); logger.info('This is the third log message.'); logger.info('This is the fourth log message.'); t.test('the log files', (assert) => { assert.plan(5); fs.readdir(__dirname, (err, files) => { const logFiles = files.filter((file) => file.includes('fa-maxFileSize-with-backups-sync-test.log') ); assert.equal(logFiles.length, 3, 'should be 3 files'); assert.same( logFiles, [ 'fa-maxFileSize-with-backups-sync-test.log', 'fa-maxFileSize-with-backups-sync-test.log.1', 'fa-maxFileSize-with-backups-sync-test.log.2', ], 'should be named in sequence' ); fs.readFile( path.join(__dirname, logFiles[0]), 'utf8', (e, contents) => { assert.match(contents, 'This is the fourth log message.'); } ); fs.readFile( path.join(__dirname, logFiles[1]), 'utf8', (e, contents) => { assert.match(contents, 'This is the third log message.'); } ); fs.readFile( path.join(__dirname, logFiles[2]), 'utf8', (e, contents) => { assert.match(contents, 'This is the second log message.'); } ); }); }); t.end(); }); batch.test('configure with fileSyncAppender', (t) => { const testFile = 'tmp-sync-tests.log'; remove(testFile); t.teardown(() => { remove(testFile); }); // this config defines one file appender (to ./tmp-sync-tests.log) // and sets the log level for "tests" to WARN log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, tests: { appenders: ['sync'], level: 'warn' }, }, }); const logger = log4js.getLogger('tests'); logger.info('this should not be written to the file'); logger.warn('this should be written to the file'); fs.readFile(testFile, 'utf8', (err, contents) => { t.match(contents, `this should be written to the file${EOL}`); t.equal(contents.indexOf('this should not be written to the file'), -1); t.end(); }); }); batch.test( 'configure with non-existent multi-directory (recursive, nodejs >= 10.12.0)', (t) => { const testFile = 'tmpA/tmpB/tmpC/tmp-sync-tests-recursive.log'; remove(testFile); t.teardown(() => { remove(testFile); try { fs.rmdirSync('tmpA/tmpB/tmpC'); fs.rmdirSync('tmpA/tmpB'); fs.rmdirSync('tmpA'); } catch (e) { // doesn't matter } }); log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, }, }); const logger = log4js.getLogger(); logger.info('this should be written to the file'); fs.readFile(testFile, 'utf8', (err, contents) => { t.match(contents, `this should be written to the file${EOL}`); t.end(); }); } ); batch.test( 'configure with non-existent multi-directory (non-recursive, nodejs < 10.12.0)', (t) => { const testFile = 'tmpA/tmpB/tmpC/tmp-sync-tests-non-recursive.log'; remove(testFile); t.teardown(() => { remove(testFile); try { fs.rmdirSync('tmpA/tmpB/tmpC'); fs.rmdirSync('tmpA/tmpB'); fs.rmdirSync('tmpA'); } catch (e) { // doesn't matter } }); const sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { fs: { ...fs, mkdirSync(dirPath, options) { return fs.mkdirSync(dirPath, { ...options, ...{ recursive: false }, }); }, }, }, }); sandboxedLog4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, }, }); const logger = sandboxedLog4js.getLogger(); logger.info('this should be written to the file'); fs.readFile(testFile, 'utf8', (err, contents) => { t.match(contents, `this should be written to the file${EOL}`); t.end(); }); } ); batch.test( 'configure with non-existent multi-directory (error handling)', (t) => { const testFile = 'tmpA/tmpB/tmpC/tmp-sync-tests-error-handling.log'; remove(testFile); t.teardown(() => { remove(testFile); try { fs.rmdirSync('tmpA/tmpB/tmpC'); fs.rmdirSync('tmpA/tmpB'); fs.rmdirSync('tmpA'); } catch (e) { // doesn't matter } }); const errorEPERM = new Error('EPERM'); errorEPERM.code = 'EPERM'; let sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { fs: { ...fs, mkdirSync() { throw errorEPERM; }, }, }, }); t.throws( () => sandboxedLog4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, }, }), errorEPERM ); const errorEROFS = new Error('EROFS'); errorEROFS.code = 'EROFS'; sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { fs: { ...fs, mkdirSync() { throw errorEROFS; }, statSync() { return { isDirectory() { return false; }, }; }, }, }, }); t.throws( () => sandboxedLog4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, }, }), errorEROFS ); fs.mkdirSync('tmpA'); fs.mkdirSync('tmpA/tmpB'); fs.mkdirSync('tmpA/tmpB/tmpC'); sandboxedLog4js = sandbox.require('../../lib/log4js', { requires: { fs: { ...fs, mkdirSync() { throw errorEROFS; }, }, }, }); t.doesNotThrow(() => sandboxedLog4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['sync'], level: 'debug' }, }, }) ); t.end(); } ); batch.test('test options', (t) => { const testFile = 'tmp-options-tests.log'; remove(testFile); t.teardown(() => { remove(testFile); }); // using non-standard options log4js.configure({ appenders: { sync: { type: 'fileSync', filename: testFile, layout: { type: 'messagePassThrough' }, flags: 'w', encoding: 'ascii', mode: 0o666, }, }, categories: { default: { appenders: ['sync'], level: 'info' }, }, }); const logger = log4js.getLogger(); logger.warn('log message'); fs.readFile(testFile, 'ascii', (err, contents) => { t.match(contents, `log message${EOL}`); t.end(); }); }); batch.end(); });
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./test/tap/cluster-test.js
const { test } = require('tap'); const cluster = require('cluster'); const log4js = require('../../lib/log4js'); const recorder = require('../../lib/appenders/recording'); log4js.configure({ appenders: { vcr: { type: 'recording' }, }, categories: { default: { appenders: ['vcr'], level: 'debug' } }, }); if (cluster.isMaster) { cluster.fork(); const masterLogger = log4js.getLogger('master'); const masterPid = process.pid; masterLogger.info('this is master'); let workerLevel; cluster.on('message', (worker, message) => { if (worker.type || worker.topic) { message = worker; } if (message.type && message.type === '::testing') { workerLevel = message.level; } }); cluster.on('exit', (worker) => { const workerPid = worker.process.pid; const logEvents = recorder.replay(); test('cluster master', (batch) => { batch.test('events should be logged', (t) => { t.equal(logEvents.length, 3); t.equal(logEvents[0].categoryName, 'master'); t.equal(logEvents[0].pid, masterPid); t.equal(logEvents[1].categoryName, 'worker'); t.equal(logEvents[1].pid, workerPid); // serialising errors with stacks intact t.type(logEvents[1].data[1], 'Error'); t.match(logEvents[1].data[1].stack, 'Error: oh dear'); // serialising circular references in objects t.type(logEvents[1].data[2], 'object'); t.type(logEvents[1].data[2].me, 'object'); // serialising errors with custom properties t.type(logEvents[1].data[3], 'Error'); t.match(logEvents[1].data[3].stack, 'Error: wtf'); t.equal(logEvents[1].data[3].alert, 'chartreuse'); // serialising things that are not errors, but look a bit like them t.type(logEvents[1].data[4], 'object'); t.equal(logEvents[1].data[4].stack, 'this is not a stack trace'); t.equal(logEvents[2].categoryName, 'log4js'); t.equal(logEvents[2].level.toString(), 'ERROR'); t.equal(logEvents[2].data[0], 'Unable to parse log:'); t.end(); }); batch.end(); }); test('cluster worker', (batch) => { batch.test('logger should get correct config', (t) => { t.equal(workerLevel, 'DEBUG'); t.end(); }); batch.end(); }); }); } else { const workerLogger = log4js.getLogger('worker'); // test for serialising circular references const circle = {}; circle.me = circle; // test for serialising errors with their own properties const someError = new Error('wtf'); someError.alert = 'chartreuse'; // test for serialising things that look like errors but aren't. const notAnError = { stack: 'this is not a stack trace' }; workerLogger.info( 'this is worker', new Error('oh dear'), circle, someError, notAnError ); // can't run the test in the worker, things get weird process.send({ type: '::testing', level: workerLogger.level.toString(), }); // test sending a badly-formed log message process.send({ topic: 'log4js:message', data: { cheese: 'gouda' } }); cluster.worker.disconnect(); }
const { test } = require('tap'); const cluster = require('cluster'); const log4js = require('../../lib/log4js'); const recorder = require('../../lib/appenders/recording'); log4js.configure({ appenders: { vcr: { type: 'recording' }, }, categories: { default: { appenders: ['vcr'], level: 'debug' } }, }); if (cluster.isMaster) { cluster.fork(); const masterLogger = log4js.getLogger('master'); const masterPid = process.pid; masterLogger.info('this is master'); let workerLevel; cluster.on('message', (worker, message) => { if (worker.type || worker.topic) { message = worker; } if (message.type && message.type === '::testing') { workerLevel = message.level; } }); cluster.on('exit', (worker) => { const workerPid = worker.process.pid; const logEvents = recorder.replay(); test('cluster master', (batch) => { batch.test('events should be logged', (t) => { t.equal(logEvents.length, 3); t.equal(logEvents[0].categoryName, 'master'); t.equal(logEvents[0].pid, masterPid); t.equal(logEvents[1].categoryName, 'worker'); t.equal(logEvents[1].pid, workerPid); // serialising errors with stacks intact t.type(logEvents[1].data[1], 'Error'); t.match(logEvents[1].data[1].stack, 'Error: oh dear'); // serialising circular references in objects t.type(logEvents[1].data[2], 'object'); t.type(logEvents[1].data[2].me, 'object'); // serialising errors with custom properties t.type(logEvents[1].data[3], 'Error'); t.match(logEvents[1].data[3].stack, 'Error: wtf'); t.equal(logEvents[1].data[3].alert, 'chartreuse'); // serialising things that are not errors, but look a bit like them t.type(logEvents[1].data[4], 'object'); t.equal(logEvents[1].data[4].stack, 'this is not a stack trace'); t.equal(logEvents[2].categoryName, 'log4js'); t.equal(logEvents[2].level.toString(), 'ERROR'); t.equal(logEvents[2].data[0], 'Unable to parse log:'); t.end(); }); batch.end(); }); test('cluster worker', (batch) => { batch.test('logger should get correct config', (t) => { t.equal(workerLevel, 'DEBUG'); t.end(); }); batch.end(); }); }); } else { const workerLogger = log4js.getLogger('worker'); // test for serialising circular references const circle = {}; circle.me = circle; // test for serialising errors with their own properties const someError = new Error('wtf'); someError.alert = 'chartreuse'; // test for serialising things that look like errors but aren't. const notAnError = { stack: 'this is not a stack trace' }; workerLogger.info( 'this is worker', new Error('oh dear'), circle, someError, notAnError ); // can't run the test in the worker, things get weird process.send({ type: '::testing', level: workerLogger.level.toString(), }); // test sending a badly-formed log message process.send({ topic: 'log4js:message', data: { cheese: 'gouda' } }); cluster.worker.disconnect(); }
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./lib/appenders/dateFile.js
const streams = require('streamroller'); const os = require('os'); const eol = os.EOL; function openTheStream(filename, pattern, options) { const stream = new streams.DateRollingFileStream(filename, pattern, options); stream.on('error', (err) => { // eslint-disable-next-line no-console console.error( 'log4js.dateFileAppender - Writing to file %s, error happened ', filename, err ); }); stream.on('drain', () => { process.emit('log4js:pause', false); }); return stream; } /** * File appender that rolls files according to a date pattern. * @param filename base filename. * @param pattern the format that will be added to the end of filename when rolling, * also used to check when to roll files - defaults to '.yyyy-MM-dd' * @param layout layout function for log messages - defaults to basicLayout * @param options - options to be passed to the underlying stream * @param timezoneOffset - optional timezone offset in minutes (default system local) */ function appender(filename, pattern, layout, options, timezoneOffset) { // the options for file appender use maxLogSize, but the docs say any file appender // options should work for dateFile as well. options.maxSize = options.maxLogSize; const writer = openTheStream(filename, pattern, options); const app = function (logEvent) { if (!writer.writable) { return; } if (!writer.write(layout(logEvent, timezoneOffset) + eol, 'utf8')) { process.emit('log4js:pause', true); } }; app.shutdown = function (complete) { writer.end('', 'utf-8', complete); }; return app; } function configure(config, layouts) { let layout = layouts.basicLayout; if (config.layout) { layout = layouts.layout(config.layout.type, config.layout); } if (!config.alwaysIncludePattern) { config.alwaysIncludePattern = false; } // security default (instead of relying on streamroller default) config.mode = config.mode || 0o600; return appender( config.filename, config.pattern, layout, config, config.timezoneOffset ); } module.exports.configure = configure;
const streams = require('streamroller'); const os = require('os'); const eol = os.EOL; function openTheStream(filename, pattern, options) { const stream = new streams.DateRollingFileStream(filename, pattern, options); stream.on('error', (err) => { // eslint-disable-next-line no-console console.error( 'log4js.dateFileAppender - Writing to file %s, error happened ', filename, err ); }); stream.on('drain', () => { process.emit('log4js:pause', false); }); return stream; } /** * File appender that rolls files according to a date pattern. * @param filename base filename. * @param pattern the format that will be added to the end of filename when rolling, * also used to check when to roll files - defaults to '.yyyy-MM-dd' * @param layout layout function for log messages - defaults to basicLayout * @param options - options to be passed to the underlying stream * @param timezoneOffset - optional timezone offset in minutes (default system local) */ function appender(filename, pattern, layout, options, timezoneOffset) { // the options for file appender use maxLogSize, but the docs say any file appender // options should work for dateFile as well. options.maxSize = options.maxLogSize; const writer = openTheStream(filename, pattern, options); const app = function (logEvent) { if (!writer.writable) { return; } if (!writer.write(layout(logEvent, timezoneOffset) + eol, 'utf8')) { process.emit('log4js:pause', true); } }; app.shutdown = function (complete) { writer.end('', 'utf-8', complete); }; return app; } function configure(config, layouts) { let layout = layouts.basicLayout; if (config.layout) { layout = layouts.layout(config.layout.type, config.layout); } if (!config.alwaysIncludePattern) { config.alwaysIncludePattern = false; } // security default (instead of relying on streamroller default) config.mode = config.mode || 0o600; return appender( config.filename, config.pattern, layout, config, config.timezoneOffset ); } module.exports.configure = configure;
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./test/tap/configuration-inheritance-test.js
const { test } = require('tap'); const log4js = require('../../lib/log4js'); const categories = require('../../lib/categories'); test('log4js category inherit all appenders from direct parent', (batch) => { batch.test('should inherit appenders from direct parent', (t) => { const config = { appenders: { stdout1: { type: 'dummy-appender', label: 'stdout1' }, stdout2: { type: 'dummy-appender', label: 'stdout2' }, }, categories: { default: { appenders: ['stdout1'], level: 'ERROR' }, catA: { appenders: ['stdout1', 'stdout2'], level: 'INFO' }, 'catA.catB': { level: 'DEBUG' }, }, }; log4js.configure(config); const childCategoryName = 'catA.catB'; const childAppenders = categories.appendersForCategory(childCategoryName); const childLevel = categories.getLevelForCategory(childCategoryName); t.ok(childAppenders); t.equal(childAppenders.length, 2, 'inherited 2 appenders'); t.ok( childAppenders.some((a) => a.label === 'stdout1'), 'inherited stdout1' ); t.ok( childAppenders.some((a) => a.label === 'stdout2'), 'inherited stdout2' ); t.equal(childLevel.levelStr, 'DEBUG', 'child level overrides parent'); t.end(); }); batch.test( 'multiple children should inherit config from shared parent', (t) => { const config = { appenders: { stdout1: { type: 'dummy-appender', label: 'stdout1' }, stdout2: { type: 'dummy-appender', label: 'stdout2' }, }, categories: { default: { appenders: ['stdout1'], level: 'ERROR' }, catA: { appenders: ['stdout1'], level: 'INFO' }, 'catA.catB.cat1': { level: 'DEBUG' }, // should get sdtout1, DEBUG 'catA.catB.cat2': { appenders: ['stdout2'] }, // should get sdtout1,sdtout2, INFO }, }; log4js.configure(config); const child1CategoryName = 'catA.catB.cat1'; const child1Appenders = categories.appendersForCategory(child1CategoryName); const child1Level = categories.getLevelForCategory(child1CategoryName); t.equal(child1Appenders.length, 1, 'inherited 1 appender'); t.ok( child1Appenders.some((a) => a.label === 'stdout1'), 'inherited stdout1' ); t.equal(child1Level.levelStr, 'DEBUG', 'child level overrides parent'); const child2CategoryName = 'catA.catB.cat2'; const child2Appenders = categories.appendersForCategory(child2CategoryName); const child2Level = categories.getLevelForCategory(child2CategoryName); t.ok(child2Appenders); t.equal( child2Appenders.length, 2, 'inherited 1 appenders, plus its original' ); t.ok( child2Appenders.some((a) => a.label === 'stdout1'), 'inherited stdout1' ); t.ok( child2Appenders.some((a) => a.label === 'stdout2'), 'kept stdout2' ); t.equal(child2Level.levelStr, 'INFO', 'inherited parent level'); t.end(); } ); batch.test('should inherit appenders from multiple parents', (t) => { const config = { appenders: { stdout1: { type: 'dummy-appender', label: 'stdout1' }, stdout2: { type: 'dummy-appender', label: 'stdout2' }, }, categories: { default: { appenders: ['stdout1'], level: 'ERROR' }, catA: { appenders: ['stdout1'], level: 'INFO' }, 'catA.catB': { appenders: ['stdout2'], level: 'INFO' }, // should get stdout1 and stdout2 'catA.catB.catC': { level: 'DEBUG' }, // should get stdout1 and stdout2 }, }; log4js.configure(config); const childCategoryName = 'catA.catB.catC'; const childAppenders = categories.appendersForCategory(childCategoryName); t.ok(childAppenders); t.equal(childAppenders.length, 2, 'inherited 2 appenders'); t.ok( childAppenders.some((a) => a.label === 'stdout1'), 'inherited stdout1' ); t.ok( childAppenders.some((a) => a.label === 'stdout1'), 'inherited stdout1' ); const firstParentName = 'catA.catB'; const firstParentAppenders = categories.appendersForCategory(firstParentName); t.ok(firstParentAppenders); t.equal(firstParentAppenders.length, 2, 'ended up with 2 appenders'); t.ok( firstParentAppenders.some((a) => a.label === 'stdout1'), 'inherited stdout1' ); t.ok( firstParentAppenders.some((a) => a.label === 'stdout2'), 'kept stdout2' ); t.end(); }); batch.test( 'should inherit appenders from deep parent with missing direct parent', (t) => { const config = { appenders: { stdout1: { type: 'dummy-appender', label: 'stdout1' }, stdout2: { type: 'dummy-appender', label: 'stdout2' }, }, categories: { default: { appenders: ['stdout1'], level: 'ERROR' }, catA: { appenders: ['stdout1'], level: 'INFO' }, // no catA.catB, but should get created, with stdout1 'catA.catB.catC': { level: 'DEBUG' }, // should get stdout1 }, }; log4js.configure(config); const childCategoryName = 'catA.catB.catC'; const childAppenders = categories.appendersForCategory(childCategoryName); t.ok(childAppenders); t.equal(childAppenders.length, 1, 'inherited 1 appenders'); t.ok( childAppenders.some((a) => a.label === 'stdout1'), 'inherited stdout1' ); const firstParentCategoryName = 'catA.catB'; const firstParentAppenders = categories.appendersForCategory( firstParentCategoryName ); t.ok(firstParentAppenders, 'catA.catB got created implicitily'); t.equal( firstParentAppenders.length, 1, 'created with 1 inherited appender' ); t.ok( firstParentAppenders.some((a) => a.label === 'stdout1'), 'inherited stdout1' ); t.end(); } ); batch.test('should deal gracefully with missing parent', (t) => { const config = { appenders: { stdout1: { type: 'dummy-appender', label: 'stdout1' }, stdout2: { type: 'dummy-appender', label: 'stdout2' }, }, categories: { default: { appenders: ['stdout1'], level: 'ERROR' }, // no catA nor catA.catB, but should get created, with default values 'catA.catB.catC': { appenders: ['stdout2'], level: 'DEBUG' }, // should get stdout2, DEBUG }, }; log4js.configure(config); const childCategoryName = 'catA.catB.catC'; const childAppenders = categories.appendersForCategory(childCategoryName); t.ok(childAppenders); t.equal(childAppenders.length, 1); t.ok(childAppenders.some((a) => a.label === 'stdout2')); t.end(); }); batch.test( 'should not get duplicate appenders if parent has the same one', (t) => { const config = { appenders: { stdout1: { type: 'dummy-appender', label: 'stdout1' }, stdout2: { type: 'dummy-appender', label: 'stdout2' }, }, categories: { default: { appenders: ['stdout1'], level: 'ERROR' }, catA: { appenders: ['stdout1', 'stdout2'], level: 'INFO' }, 'catA.catB': { appenders: ['stdout1'], level: 'DEBUG' }, }, }; log4js.configure(config); const childCategoryName = 'catA.catB'; const childAppenders = categories.appendersForCategory(childCategoryName); t.ok(childAppenders); t.equal(childAppenders.length, 2, 'inherited 1 appender'); t.ok( childAppenders.some((a) => a.label === 'stdout1'), 'still have stdout1' ); t.ok( childAppenders.some((a) => a.label === 'stdout2'), 'inherited stdout2' ); t.end(); } ); batch.test('inherit:falses should disable inheritance', (t) => { const config = { appenders: { stdout1: { type: 'dummy-appender', label: 'stdout1' }, stdout2: { type: 'dummy-appender', label: 'stdout2' }, }, categories: { default: { appenders: ['stdout1'], level: 'ERROR' }, catA: { appenders: ['stdout1'], level: 'INFO' }, 'catA.catB': { appenders: ['stdout2'], level: 'INFO', inherit: false }, // should not inherit from catA }, }; log4js.configure(config); const childCategoryName = 'catA.catB'; const childAppenders = categories.appendersForCategory(childCategoryName); t.ok(childAppenders); t.equal(childAppenders.length, 1, 'inherited no appender'); t.ok( childAppenders.some((a) => a.label === 'stdout2'), 'kept stdout2' ); t.end(); }); batch.test( 'inheritance should stop if direct parent has inherit off', (t) => { const config = { appenders: { stdout1: { type: 'dummy-appender', label: 'stdout1' }, stdout2: { type: 'dummy-appender', label: 'stdout2' }, }, categories: { default: { appenders: ['stdout1'], level: 'ERROR' }, catA: { appenders: ['stdout1'], level: 'INFO' }, 'catA.catB': { appenders: ['stdout2'], level: 'INFO', inherit: false, }, // should not inherit from catA 'catA.catB.catC': { level: 'DEBUG' }, // should inherit from catB only }, }; log4js.configure(config); const childCategoryName = 'catA.catB.catC'; const childAppenders = categories.appendersForCategory(childCategoryName); t.ok(childAppenders); t.equal(childAppenders.length, 1, 'inherited 1 appender'); t.ok( childAppenders.some((a) => a.label === 'stdout2'), 'inherited stdout2' ); const firstParentCategoryName = 'catA.catB'; const firstParentAppenders = categories.appendersForCategory( firstParentCategoryName ); t.ok(firstParentAppenders); t.equal(firstParentAppenders.length, 1, 'did not inherit new appenders'); t.ok( firstParentAppenders.some((a) => a.label === 'stdout2'), 'kept stdout2' ); t.end(); } ); batch.test('should inherit level when it is missing', (t) => { const config = { appenders: { stdout1: { type: 'dummy-appender', label: 'stdout1' }, stdout2: { type: 'dummy-appender', label: 'stdout2' }, }, categories: { default: { appenders: ['stdout1'], level: 'ERROR' }, catA: { appenders: ['stdout1'], level: 'INFO' }, // no catA.catB, but should get created, with stdout1, level INFO 'catA.catB.catC': {}, // should get stdout1, level INFO }, }; log4js.configure(config); const childCategoryName = 'catA.catB.catC'; const childLevel = categories.getLevelForCategory(childCategoryName); t.equal(childLevel.levelStr, 'INFO', 'inherited level'); const firstParentCategoryName = 'catA.catB'; const firstParentLevel = categories.getLevelForCategory( firstParentCategoryName ); t.equal( firstParentLevel.levelStr, 'INFO', 'generate parent inherited level from base' ); t.end(); }); batch.end(); });
const { test } = require('tap'); const log4js = require('../../lib/log4js'); const categories = require('../../lib/categories'); test('log4js category inherit all appenders from direct parent', (batch) => { batch.test('should inherit appenders from direct parent', (t) => { const config = { appenders: { stdout1: { type: 'dummy-appender', label: 'stdout1' }, stdout2: { type: 'dummy-appender', label: 'stdout2' }, }, categories: { default: { appenders: ['stdout1'], level: 'ERROR' }, catA: { appenders: ['stdout1', 'stdout2'], level: 'INFO' }, 'catA.catB': { level: 'DEBUG' }, }, }; log4js.configure(config); const childCategoryName = 'catA.catB'; const childAppenders = categories.appendersForCategory(childCategoryName); const childLevel = categories.getLevelForCategory(childCategoryName); t.ok(childAppenders); t.equal(childAppenders.length, 2, 'inherited 2 appenders'); t.ok( childAppenders.some((a) => a.label === 'stdout1'), 'inherited stdout1' ); t.ok( childAppenders.some((a) => a.label === 'stdout2'), 'inherited stdout2' ); t.equal(childLevel.levelStr, 'DEBUG', 'child level overrides parent'); t.end(); }); batch.test( 'multiple children should inherit config from shared parent', (t) => { const config = { appenders: { stdout1: { type: 'dummy-appender', label: 'stdout1' }, stdout2: { type: 'dummy-appender', label: 'stdout2' }, }, categories: { default: { appenders: ['stdout1'], level: 'ERROR' }, catA: { appenders: ['stdout1'], level: 'INFO' }, 'catA.catB.cat1': { level: 'DEBUG' }, // should get sdtout1, DEBUG 'catA.catB.cat2': { appenders: ['stdout2'] }, // should get sdtout1,sdtout2, INFO }, }; log4js.configure(config); const child1CategoryName = 'catA.catB.cat1'; const child1Appenders = categories.appendersForCategory(child1CategoryName); const child1Level = categories.getLevelForCategory(child1CategoryName); t.equal(child1Appenders.length, 1, 'inherited 1 appender'); t.ok( child1Appenders.some((a) => a.label === 'stdout1'), 'inherited stdout1' ); t.equal(child1Level.levelStr, 'DEBUG', 'child level overrides parent'); const child2CategoryName = 'catA.catB.cat2'; const child2Appenders = categories.appendersForCategory(child2CategoryName); const child2Level = categories.getLevelForCategory(child2CategoryName); t.ok(child2Appenders); t.equal( child2Appenders.length, 2, 'inherited 1 appenders, plus its original' ); t.ok( child2Appenders.some((a) => a.label === 'stdout1'), 'inherited stdout1' ); t.ok( child2Appenders.some((a) => a.label === 'stdout2'), 'kept stdout2' ); t.equal(child2Level.levelStr, 'INFO', 'inherited parent level'); t.end(); } ); batch.test('should inherit appenders from multiple parents', (t) => { const config = { appenders: { stdout1: { type: 'dummy-appender', label: 'stdout1' }, stdout2: { type: 'dummy-appender', label: 'stdout2' }, }, categories: { default: { appenders: ['stdout1'], level: 'ERROR' }, catA: { appenders: ['stdout1'], level: 'INFO' }, 'catA.catB': { appenders: ['stdout2'], level: 'INFO' }, // should get stdout1 and stdout2 'catA.catB.catC': { level: 'DEBUG' }, // should get stdout1 and stdout2 }, }; log4js.configure(config); const childCategoryName = 'catA.catB.catC'; const childAppenders = categories.appendersForCategory(childCategoryName); t.ok(childAppenders); t.equal(childAppenders.length, 2, 'inherited 2 appenders'); t.ok( childAppenders.some((a) => a.label === 'stdout1'), 'inherited stdout1' ); t.ok( childAppenders.some((a) => a.label === 'stdout1'), 'inherited stdout1' ); const firstParentName = 'catA.catB'; const firstParentAppenders = categories.appendersForCategory(firstParentName); t.ok(firstParentAppenders); t.equal(firstParentAppenders.length, 2, 'ended up with 2 appenders'); t.ok( firstParentAppenders.some((a) => a.label === 'stdout1'), 'inherited stdout1' ); t.ok( firstParentAppenders.some((a) => a.label === 'stdout2'), 'kept stdout2' ); t.end(); }); batch.test( 'should inherit appenders from deep parent with missing direct parent', (t) => { const config = { appenders: { stdout1: { type: 'dummy-appender', label: 'stdout1' }, stdout2: { type: 'dummy-appender', label: 'stdout2' }, }, categories: { default: { appenders: ['stdout1'], level: 'ERROR' }, catA: { appenders: ['stdout1'], level: 'INFO' }, // no catA.catB, but should get created, with stdout1 'catA.catB.catC': { level: 'DEBUG' }, // should get stdout1 }, }; log4js.configure(config); const childCategoryName = 'catA.catB.catC'; const childAppenders = categories.appendersForCategory(childCategoryName); t.ok(childAppenders); t.equal(childAppenders.length, 1, 'inherited 1 appenders'); t.ok( childAppenders.some((a) => a.label === 'stdout1'), 'inherited stdout1' ); const firstParentCategoryName = 'catA.catB'; const firstParentAppenders = categories.appendersForCategory( firstParentCategoryName ); t.ok(firstParentAppenders, 'catA.catB got created implicitily'); t.equal( firstParentAppenders.length, 1, 'created with 1 inherited appender' ); t.ok( firstParentAppenders.some((a) => a.label === 'stdout1'), 'inherited stdout1' ); t.end(); } ); batch.test('should deal gracefully with missing parent', (t) => { const config = { appenders: { stdout1: { type: 'dummy-appender', label: 'stdout1' }, stdout2: { type: 'dummy-appender', label: 'stdout2' }, }, categories: { default: { appenders: ['stdout1'], level: 'ERROR' }, // no catA nor catA.catB, but should get created, with default values 'catA.catB.catC': { appenders: ['stdout2'], level: 'DEBUG' }, // should get stdout2, DEBUG }, }; log4js.configure(config); const childCategoryName = 'catA.catB.catC'; const childAppenders = categories.appendersForCategory(childCategoryName); t.ok(childAppenders); t.equal(childAppenders.length, 1); t.ok(childAppenders.some((a) => a.label === 'stdout2')); t.end(); }); batch.test( 'should not get duplicate appenders if parent has the same one', (t) => { const config = { appenders: { stdout1: { type: 'dummy-appender', label: 'stdout1' }, stdout2: { type: 'dummy-appender', label: 'stdout2' }, }, categories: { default: { appenders: ['stdout1'], level: 'ERROR' }, catA: { appenders: ['stdout1', 'stdout2'], level: 'INFO' }, 'catA.catB': { appenders: ['stdout1'], level: 'DEBUG' }, }, }; log4js.configure(config); const childCategoryName = 'catA.catB'; const childAppenders = categories.appendersForCategory(childCategoryName); t.ok(childAppenders); t.equal(childAppenders.length, 2, 'inherited 1 appender'); t.ok( childAppenders.some((a) => a.label === 'stdout1'), 'still have stdout1' ); t.ok( childAppenders.some((a) => a.label === 'stdout2'), 'inherited stdout2' ); t.end(); } ); batch.test('inherit:falses should disable inheritance', (t) => { const config = { appenders: { stdout1: { type: 'dummy-appender', label: 'stdout1' }, stdout2: { type: 'dummy-appender', label: 'stdout2' }, }, categories: { default: { appenders: ['stdout1'], level: 'ERROR' }, catA: { appenders: ['stdout1'], level: 'INFO' }, 'catA.catB': { appenders: ['stdout2'], level: 'INFO', inherit: false }, // should not inherit from catA }, }; log4js.configure(config); const childCategoryName = 'catA.catB'; const childAppenders = categories.appendersForCategory(childCategoryName); t.ok(childAppenders); t.equal(childAppenders.length, 1, 'inherited no appender'); t.ok( childAppenders.some((a) => a.label === 'stdout2'), 'kept stdout2' ); t.end(); }); batch.test( 'inheritance should stop if direct parent has inherit off', (t) => { const config = { appenders: { stdout1: { type: 'dummy-appender', label: 'stdout1' }, stdout2: { type: 'dummy-appender', label: 'stdout2' }, }, categories: { default: { appenders: ['stdout1'], level: 'ERROR' }, catA: { appenders: ['stdout1'], level: 'INFO' }, 'catA.catB': { appenders: ['stdout2'], level: 'INFO', inherit: false, }, // should not inherit from catA 'catA.catB.catC': { level: 'DEBUG' }, // should inherit from catB only }, }; log4js.configure(config); const childCategoryName = 'catA.catB.catC'; const childAppenders = categories.appendersForCategory(childCategoryName); t.ok(childAppenders); t.equal(childAppenders.length, 1, 'inherited 1 appender'); t.ok( childAppenders.some((a) => a.label === 'stdout2'), 'inherited stdout2' ); const firstParentCategoryName = 'catA.catB'; const firstParentAppenders = categories.appendersForCategory( firstParentCategoryName ); t.ok(firstParentAppenders); t.equal(firstParentAppenders.length, 1, 'did not inherit new appenders'); t.ok( firstParentAppenders.some((a) => a.label === 'stdout2'), 'kept stdout2' ); t.end(); } ); batch.test('should inherit level when it is missing', (t) => { const config = { appenders: { stdout1: { type: 'dummy-appender', label: 'stdout1' }, stdout2: { type: 'dummy-appender', label: 'stdout2' }, }, categories: { default: { appenders: ['stdout1'], level: 'ERROR' }, catA: { appenders: ['stdout1'], level: 'INFO' }, // no catA.catB, but should get created, with stdout1, level INFO 'catA.catB.catC': {}, // should get stdout1, level INFO }, }; log4js.configure(config); const childCategoryName = 'catA.catB.catC'; const childLevel = categories.getLevelForCategory(childCategoryName); t.equal(childLevel.levelStr, 'INFO', 'inherited level'); const firstParentCategoryName = 'catA.catB'; const firstParentLevel = categories.getLevelForCategory( firstParentCategoryName ); t.equal( firstParentLevel.levelStr, 'INFO', 'generate parent inherited level from base' ); t.end(); }); batch.end(); });
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./examples/smtp-appender.js
// Note that smtp appender needs nodemailer to work. // If you haven't got nodemailer installed, you'll get cryptic // "cannot find module" errors when using the smtp appender const log4js = require('../lib/log4js'); log4js.configure({ appenders: { out: { type: 'console', }, mail: { type: '@log4js-node/smtp', recipients: '[email protected]', sendInterval: 5, transport: 'SMTP', SMTP: { host: 'smtp.gmail.com', secureConnection: true, port: 465, auth: { user: 'someone@gmail', pass: '********************', }, debug: true, }, }, }, categories: { default: { appenders: ['out'], level: 'info' }, mailer: { appenders: ['mail'], level: 'info' }, }, }); const log = log4js.getLogger('test'); const logmailer = log4js.getLogger('mailer'); function doTheLogging(x) { log.info('Logging something %d', x); logmailer.info('Logging something %d', x); } for (let i = 0; i < 500; i += 1) { doTheLogging(i); }
// Note that smtp appender needs nodemailer to work. // If you haven't got nodemailer installed, you'll get cryptic // "cannot find module" errors when using the smtp appender const log4js = require('../lib/log4js'); log4js.configure({ appenders: { out: { type: 'console', }, mail: { type: '@log4js-node/smtp', recipients: '[email protected]', sendInterval: 5, transport: 'SMTP', SMTP: { host: 'smtp.gmail.com', secureConnection: true, port: 465, auth: { user: 'someone@gmail', pass: '********************', }, debug: true, }, }, }, categories: { default: { appenders: ['out'], level: 'info' }, mailer: { appenders: ['mail'], level: 'info' }, }, }); const log = log4js.getLogger('test'); const logmailer = log4js.getLogger('mailer'); function doTheLogging(x) { log.info('Logging something %d', x); logmailer.info('Logging something %d', x); } for (let i = 0; i < 500; i += 1) { doTheLogging(i); }
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./examples/date-file-rolling.js
'use strict'; const log4js = require('../lib/log4js'); log4js.configure({ appenders: { file: { type: 'dateFile', filename: 'thing.log', numBackups: 3, pattern: '.mm', }, }, categories: { default: { appenders: ['file'], level: 'debug' }, }, }); const logger = log4js.getLogger('thing'); setInterval(() => { logger.info('just doing the thing'); }, 1000);
'use strict'; const log4js = require('../lib/log4js'); log4js.configure({ appenders: { file: { type: 'dateFile', filename: 'thing.log', numBackups: 3, pattern: '.mm', }, }, categories: { default: { appenders: ['file'], level: 'debug' }, }, }); const logger = log4js.getLogger('thing'); setInterval(() => { logger.info('just doing the thing'); }, 1000);
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./lib/log4js.js
/** * @fileoverview log4js is a library to log in JavaScript in similar manner * than in log4j for Java (but not really). * * <h3>Example:</h3> * <pre> * const logging = require('log4js'); * const log = logging.getLogger('some-category'); * * //call the log * log.trace('trace me' ); * </pre> * * NOTE: the authors below are the original browser-based log4js authors * don't try to contact them about bugs in this version :) * @author Stephan Strittmatter - http://jroller.com/page/stritti * @author Seth Chisamore - http://www.chisamore.com * @since 2005-05-20 * Website: http://log4js.berlios.de */ const debug = require('debug')('log4js:main'); const fs = require('fs'); const deepClone = require('rfdc')({ proto: true }); const configuration = require('./configuration'); const layouts = require('./layouts'); const levels = require('./levels'); const appenders = require('./appenders'); const categories = require('./categories'); const Logger = require('./logger'); const clustering = require('./clustering'); const connectLogger = require('./connect-logger'); const recordingModule = require('./appenders/recording'); let enabled = false; function sendLogEventToAppender(logEvent) { if (!enabled) return; debug('Received log event ', logEvent); const categoryAppenders = categories.appendersForCategory( logEvent.categoryName ); categoryAppenders.forEach((appender) => { appender(logEvent); }); } function loadConfigurationFile(filename) { debug(`Loading configuration from ${filename}`); try { return JSON.parse(fs.readFileSync(filename, 'utf8')); } catch (e) { throw new Error( `Problem reading config from file "${filename}". Error was ${e.message}`, e ); } } function configure(configurationFileOrObject) { if (enabled) { // eslint-disable-next-line no-use-before-define shutdown(); } let configObject = configurationFileOrObject; if (typeof configObject === 'string') { configObject = loadConfigurationFile(configurationFileOrObject); } debug(`Configuration is ${configObject}`); configuration.configure(deepClone(configObject)); clustering.onMessage(sendLogEventToAppender); enabled = true; // eslint-disable-next-line no-use-before-define return log4js; } function recording() { return recordingModule; } /** * This callback type is called `shutdownCallback` and is displayed as a global symbol. * * @callback shutdownCallback * @param {Error} [error] */ /** * Shutdown all log appenders. This will first disable all writing to appenders * and then call the shutdown function each appender. * * @param {shutdownCallback} [callback] - The callback to be invoked once all appenders have * shutdown. If an error occurs, the callback will be given the error object * as the first argument. */ function shutdown(callback) { debug('Shutdown called. Disabling all log writing.'); // First, disable all writing to appenders. This prevents appenders from // not being able to be drained because of run-away log writes. enabled = false; // Clone out to maintain a reference const appendersToCheck = Array.from(appenders.values()); // Reset immediately to prevent leaks appenders.init(); categories.init(); // Count the number of shutdown functions const shutdownFunctions = appendersToCheck.reduceRight( (accum, next) => (next.shutdown ? accum + 1 : accum), 0 ); if (shutdownFunctions === 0) { debug('No appenders with shutdown functions found.'); if (callback) { callback(); } } let completed = 0; let error; debug(`Found ${shutdownFunctions} appenders with shutdown functions.`); function complete(err) { error = error || err; completed += 1; debug(`Appender shutdowns complete: ${completed} / ${shutdownFunctions}`); if (completed >= shutdownFunctions) { debug('All shutdown functions completed.'); if (callback) { callback(error); } } } // Call each of the shutdown functions appendersToCheck .filter((a) => a.shutdown) .forEach((a) => a.shutdown(complete)); } /** * Get a logger instance. * @static * @param {string} [category=default] * @return {Logger} instance of logger for the category */ function getLogger(category) { if (!enabled) { configure( process.env.LOG4JS_CONFIG || { appenders: { out: { type: 'stdout' } }, categories: { default: { appenders: ['out'], level: 'OFF' } }, } ); } return new Logger(category || 'default'); } /** * @name log4js * @namespace Log4js * @property getLogger * @property configure * @property shutdown */ const log4js = { getLogger, configure, shutdown, connectLogger, levels, addLayout: layouts.addLayout, recording, }; module.exports = log4js;
/** * @fileoverview log4js is a library to log in JavaScript in similar manner * than in log4j for Java (but not really). * * <h3>Example:</h3> * <pre> * const logging = require('log4js'); * const log = logging.getLogger('some-category'); * * //call the log * log.trace('trace me' ); * </pre> * * NOTE: the authors below are the original browser-based log4js authors * don't try to contact them about bugs in this version :) * @author Stephan Strittmatter - http://jroller.com/page/stritti * @author Seth Chisamore - http://www.chisamore.com * @since 2005-05-20 * Website: http://log4js.berlios.de */ const debug = require('debug')('log4js:main'); const fs = require('fs'); const deepClone = require('rfdc')({ proto: true }); const configuration = require('./configuration'); const layouts = require('./layouts'); const levels = require('./levels'); const appenders = require('./appenders'); const categories = require('./categories'); const Logger = require('./logger'); const clustering = require('./clustering'); const connectLogger = require('./connect-logger'); const recordingModule = require('./appenders/recording'); let enabled = false; function sendLogEventToAppender(logEvent) { if (!enabled) return; debug('Received log event ', logEvent); const categoryAppenders = categories.appendersForCategory( logEvent.categoryName ); categoryAppenders.forEach((appender) => { appender(logEvent); }); } function loadConfigurationFile(filename) { debug(`Loading configuration from ${filename}`); try { return JSON.parse(fs.readFileSync(filename, 'utf8')); } catch (e) { throw new Error( `Problem reading config from file "${filename}". Error was ${e.message}`, e ); } } function configure(configurationFileOrObject) { if (enabled) { // eslint-disable-next-line no-use-before-define shutdown(); } let configObject = configurationFileOrObject; if (typeof configObject === 'string') { configObject = loadConfigurationFile(configurationFileOrObject); } debug(`Configuration is ${configObject}`); configuration.configure(deepClone(configObject)); clustering.onMessage(sendLogEventToAppender); enabled = true; // eslint-disable-next-line no-use-before-define return log4js; } function recording() { return recordingModule; } /** * This callback type is called `shutdownCallback` and is displayed as a global symbol. * * @callback shutdownCallback * @param {Error} [error] */ /** * Shutdown all log appenders. This will first disable all writing to appenders * and then call the shutdown function each appender. * * @param {shutdownCallback} [callback] - The callback to be invoked once all appenders have * shutdown. If an error occurs, the callback will be given the error object * as the first argument. */ function shutdown(callback) { debug('Shutdown called. Disabling all log writing.'); // First, disable all writing to appenders. This prevents appenders from // not being able to be drained because of run-away log writes. enabled = false; // Clone out to maintain a reference const appendersToCheck = Array.from(appenders.values()); // Reset immediately to prevent leaks appenders.init(); categories.init(); // Count the number of shutdown functions const shutdownFunctions = appendersToCheck.reduceRight( (accum, next) => (next.shutdown ? accum + 1 : accum), 0 ); if (shutdownFunctions === 0) { debug('No appenders with shutdown functions found.'); if (callback) { callback(); } } let completed = 0; let error; debug(`Found ${shutdownFunctions} appenders with shutdown functions.`); function complete(err) { error = error || err; completed += 1; debug(`Appender shutdowns complete: ${completed} / ${shutdownFunctions}`); if (completed >= shutdownFunctions) { debug('All shutdown functions completed.'); if (callback) { callback(error); } } } // Call each of the shutdown functions appendersToCheck .filter((a) => a.shutdown) .forEach((a) => a.shutdown(complete)); } /** * Get a logger instance. * @static * @param {string} [category=default] * @return {Logger} instance of logger for the category */ function getLogger(category) { if (!enabled) { configure( process.env.LOG4JS_CONFIG || { appenders: { out: { type: 'stdout' } }, categories: { default: { appenders: ['out'], level: 'OFF' } }, } ); } return new Logger(category || 'default'); } /** * @name log4js * @namespace Log4js * @property getLogger * @property configure * @property shutdown */ const log4js = { getLogger, configure, shutdown, connectLogger, levels, addLayout: layouts.addLayout, recording, }; module.exports = log4js;
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./docs/stderr.md
# Standard Error Appender This appender writes all log events to the standard error stream. # Configuration - `type` - `stderr` - `layout` - `object` (optional, defaults to colouredLayout) - see [layouts](layouts.md) # Example ```javascript log4js.configure({ appenders: { err: { type: "stderr" } }, categories: { default: { appenders: ["err"], level: "ERROR" } }, }); ```
# Standard Error Appender This appender writes all log events to the standard error stream. # Configuration - `type` - `stderr` - `layout` - `object` (optional, defaults to colouredLayout) - see [layouts](layouts.md) # Example ```javascript log4js.configure({ appenders: { err: { type: "stderr" } }, categories: { default: { appenders: ["err"], level: "ERROR" } }, }); ```
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./lib/categories.js
const debug = require('debug')('log4js:categories'); const configuration = require('./configuration'); const levels = require('./levels'); const appenders = require('./appenders'); const categories = new Map(); /** * Add inherited config to this category. That includes extra appenders from parent, * and level, if none is set on this category. * This is recursive, so each parent also gets loaded with inherited appenders. * Inheritance is blocked if a category has inherit=false * @param {*} config * @param {*} category the child category * @param {string} categoryName dotted path to category * @return {void} */ function inheritFromParent(config, category, categoryName) { if (category.inherit === false) return; const lastDotIndex = categoryName.lastIndexOf('.'); if (lastDotIndex < 0) return; // category is not a child const parentCategoryName = categoryName.slice(0, lastDotIndex); let parentCategory = config.categories[parentCategoryName]; if (!parentCategory) { // parent is missing, so implicitly create it, so that it can inherit from its parents parentCategory = { inherit: true, appenders: [] }; } // make sure parent has had its inheritance taken care of before pulling its properties to this child inheritFromParent(config, parentCategory, parentCategoryName); // if the parent is not in the config (because we just created it above), // and it inherited a valid configuration, add it to config.categories if ( !config.categories[parentCategoryName] && parentCategory.appenders && parentCategory.appenders.length && parentCategory.level ) { config.categories[parentCategoryName] = parentCategory; } category.appenders = category.appenders || []; category.level = category.level || parentCategory.level; // merge in appenders from parent (parent is already holding its inherited appenders) parentCategory.appenders.forEach((ap) => { if (!category.appenders.includes(ap)) { category.appenders.push(ap); } }); category.parent = parentCategory; } /** * Walk all categories in the config, and pull down any configuration from parent to child. * This includes inherited appenders, and level, where level is not set. * Inheritance is skipped where a category has inherit=false. * @param {*} config */ function addCategoryInheritance(config) { if (!config.categories) return; const categoryNames = Object.keys(config.categories); categoryNames.forEach((name) => { const category = config.categories[name]; // add inherited appenders and level to this category inheritFromParent(config, category, name); }); } configuration.addPreProcessingListener((config) => addCategoryInheritance(config) ); configuration.addListener((config) => { configuration.throwExceptionIf( config, configuration.not(configuration.anObject(config.categories)), 'must have a property "categories" of type object.' ); const categoryNames = Object.keys(config.categories); configuration.throwExceptionIf( config, configuration.not(categoryNames.length), 'must define at least one category.' ); categoryNames.forEach((name) => { const category = config.categories[name]; configuration.throwExceptionIf( config, [ configuration.not(category.appenders), configuration.not(category.level), ], `category "${name}" is not valid (must be an object with properties "appenders" and "level")` ); configuration.throwExceptionIf( config, configuration.not(Array.isArray(category.appenders)), `category "${name}" is not valid (appenders must be an array of appender names)` ); configuration.throwExceptionIf( config, configuration.not(category.appenders.length), `category "${name}" is not valid (appenders must contain at least one appender name)` ); if (Object.prototype.hasOwnProperty.call(category, 'enableCallStack')) { configuration.throwExceptionIf( config, typeof category.enableCallStack !== 'boolean', `category "${name}" is not valid (enableCallStack must be boolean type)` ); } category.appenders.forEach((appender) => { configuration.throwExceptionIf( config, configuration.not(appenders.get(appender)), `category "${name}" is not valid (appender "${appender}" is not defined)` ); }); configuration.throwExceptionIf( config, configuration.not(levels.getLevel(category.level)), `category "${name}" is not valid (level "${category.level}" not recognised;` + ` valid levels are ${levels.levels.join(', ')})` ); }); configuration.throwExceptionIf( config, configuration.not(config.categories.default), 'must define a "default" category.' ); }); const setup = (config) => { categories.clear(); if (!config) { return; } const categoryNames = Object.keys(config.categories); categoryNames.forEach((name) => { const category = config.categories[name]; const categoryAppenders = []; category.appenders.forEach((appender) => { categoryAppenders.push(appenders.get(appender)); debug(`Creating category ${name}`); categories.set(name, { appenders: categoryAppenders, level: levels.getLevel(category.level), enableCallStack: category.enableCallStack || false, }); }); }); }; const init = () => { setup(); }; init(); configuration.addListener(setup); const configForCategory = (category) => { debug(`configForCategory: searching for config for ${category}`); if (categories.has(category)) { debug(`configForCategory: ${category} exists in config, returning it`); return categories.get(category); } let sourceCategoryConfig; if (category.indexOf('.') > 0) { debug(`configForCategory: ${category} has hierarchy, cloning from parents`); sourceCategoryConfig = { ...configForCategory(category.slice(0, category.lastIndexOf('.'))), }; } else { if (!categories.has('default')) { setup({ categories: { default: { appenders: ['out'], level: 'OFF' } } }); } debug('configForCategory: cloning default category'); sourceCategoryConfig = { ...categories.get('default') }; } categories.set(category, sourceCategoryConfig); return sourceCategoryConfig; }; const appendersForCategory = (category) => configForCategory(category).appenders; const getLevelForCategory = (category) => configForCategory(category).level; const setLevelForCategory = (category, level) => { configForCategory(category).level = level; }; const getEnableCallStackForCategory = (category) => configForCategory(category).enableCallStack === true; const setEnableCallStackForCategory = (category, useCallStack) => { configForCategory(category).enableCallStack = useCallStack; }; module.exports = categories; module.exports = Object.assign(module.exports, { appendersForCategory, getLevelForCategory, setLevelForCategory, getEnableCallStackForCategory, setEnableCallStackForCategory, init, });
const debug = require('debug')('log4js:categories'); const configuration = require('./configuration'); const levels = require('./levels'); const appenders = require('./appenders'); const categories = new Map(); /** * Add inherited config to this category. That includes extra appenders from parent, * and level, if none is set on this category. * This is recursive, so each parent also gets loaded with inherited appenders. * Inheritance is blocked if a category has inherit=false * @param {*} config * @param {*} category the child category * @param {string} categoryName dotted path to category * @return {void} */ function inheritFromParent(config, category, categoryName) { if (category.inherit === false) return; const lastDotIndex = categoryName.lastIndexOf('.'); if (lastDotIndex < 0) return; // category is not a child const parentCategoryName = categoryName.slice(0, lastDotIndex); let parentCategory = config.categories[parentCategoryName]; if (!parentCategory) { // parent is missing, so implicitly create it, so that it can inherit from its parents parentCategory = { inherit: true, appenders: [] }; } // make sure parent has had its inheritance taken care of before pulling its properties to this child inheritFromParent(config, parentCategory, parentCategoryName); // if the parent is not in the config (because we just created it above), // and it inherited a valid configuration, add it to config.categories if ( !config.categories[parentCategoryName] && parentCategory.appenders && parentCategory.appenders.length && parentCategory.level ) { config.categories[parentCategoryName] = parentCategory; } category.appenders = category.appenders || []; category.level = category.level || parentCategory.level; // merge in appenders from parent (parent is already holding its inherited appenders) parentCategory.appenders.forEach((ap) => { if (!category.appenders.includes(ap)) { category.appenders.push(ap); } }); category.parent = parentCategory; } /** * Walk all categories in the config, and pull down any configuration from parent to child. * This includes inherited appenders, and level, where level is not set. * Inheritance is skipped where a category has inherit=false. * @param {*} config */ function addCategoryInheritance(config) { if (!config.categories) return; const categoryNames = Object.keys(config.categories); categoryNames.forEach((name) => { const category = config.categories[name]; // add inherited appenders and level to this category inheritFromParent(config, category, name); }); } configuration.addPreProcessingListener((config) => addCategoryInheritance(config) ); configuration.addListener((config) => { configuration.throwExceptionIf( config, configuration.not(configuration.anObject(config.categories)), 'must have a property "categories" of type object.' ); const categoryNames = Object.keys(config.categories); configuration.throwExceptionIf( config, configuration.not(categoryNames.length), 'must define at least one category.' ); categoryNames.forEach((name) => { const category = config.categories[name]; configuration.throwExceptionIf( config, [ configuration.not(category.appenders), configuration.not(category.level), ], `category "${name}" is not valid (must be an object with properties "appenders" and "level")` ); configuration.throwExceptionIf( config, configuration.not(Array.isArray(category.appenders)), `category "${name}" is not valid (appenders must be an array of appender names)` ); configuration.throwExceptionIf( config, configuration.not(category.appenders.length), `category "${name}" is not valid (appenders must contain at least one appender name)` ); if (Object.prototype.hasOwnProperty.call(category, 'enableCallStack')) { configuration.throwExceptionIf( config, typeof category.enableCallStack !== 'boolean', `category "${name}" is not valid (enableCallStack must be boolean type)` ); } category.appenders.forEach((appender) => { configuration.throwExceptionIf( config, configuration.not(appenders.get(appender)), `category "${name}" is not valid (appender "${appender}" is not defined)` ); }); configuration.throwExceptionIf( config, configuration.not(levels.getLevel(category.level)), `category "${name}" is not valid (level "${category.level}" not recognised;` + ` valid levels are ${levels.levels.join(', ')})` ); }); configuration.throwExceptionIf( config, configuration.not(config.categories.default), 'must define a "default" category.' ); }); const setup = (config) => { categories.clear(); if (!config) { return; } const categoryNames = Object.keys(config.categories); categoryNames.forEach((name) => { const category = config.categories[name]; const categoryAppenders = []; category.appenders.forEach((appender) => { categoryAppenders.push(appenders.get(appender)); debug(`Creating category ${name}`); categories.set(name, { appenders: categoryAppenders, level: levels.getLevel(category.level), enableCallStack: category.enableCallStack || false, }); }); }); }; const init = () => { setup(); }; init(); configuration.addListener(setup); const configForCategory = (category) => { debug(`configForCategory: searching for config for ${category}`); if (categories.has(category)) { debug(`configForCategory: ${category} exists in config, returning it`); return categories.get(category); } let sourceCategoryConfig; if (category.indexOf('.') > 0) { debug(`configForCategory: ${category} has hierarchy, cloning from parents`); sourceCategoryConfig = { ...configForCategory(category.slice(0, category.lastIndexOf('.'))), }; } else { if (!categories.has('default')) { setup({ categories: { default: { appenders: ['out'], level: 'OFF' } } }); } debug('configForCategory: cloning default category'); sourceCategoryConfig = { ...categories.get('default') }; } categories.set(category, sourceCategoryConfig); return sourceCategoryConfig; }; const appendersForCategory = (category) => configForCategory(category).appenders; const getLevelForCategory = (category) => configForCategory(category).level; const setLevelForCategory = (category, level) => { configForCategory(category).level = level; }; const getEnableCallStackForCategory = (category) => configForCategory(category).enableCallStack === true; const setEnableCallStackForCategory = (category, useCallStack) => { configForCategory(category).enableCallStack = useCallStack; }; module.exports = categories; module.exports = Object.assign(module.exports, { appendersForCategory, getLevelForCategory, setLevelForCategory, getEnableCallStackForCategory, setEnableCallStackForCategory, init, });
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./test/tap/stdoutAppender-test.js
const { test } = require('tap'); const sandbox = require('@log4js-node/sandboxed-module'); const layouts = require('../../lib/layouts'); test('stdout appender', (t) => { const output = []; const appender = sandbox .require('../../lib/appenders/stdout', { globals: { process: { stdout: { write(data) { output.push(data); }, }, }, }, }) .configure( { type: 'stdout', layout: { type: 'messagePassThrough' } }, layouts ); appender({ data: ['cheese'] }); t.plan(2); t.equal(output.length, 1, 'There should be one message.'); t.equal(output[0], 'cheese\n', 'The message should be cheese.'); t.end(); });
const { test } = require('tap'); const sandbox = require('@log4js-node/sandboxed-module'); const layouts = require('../../lib/layouts'); test('stdout appender', (t) => { const output = []; const appender = sandbox .require('../../lib/appenders/stdout', { globals: { process: { stdout: { write(data) { output.push(data); }, }, }, }, }) .configure( { type: 'stdout', layout: { type: 'messagePassThrough' } }, layouts ); appender({ data: ['cheese'] }); t.plan(2); t.equal(output.length, 1, 'There should be one message.'); t.equal(output[0], 'cheese\n', 'The message should be cheese.'); t.end(); });
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./test/tap/server-test.js
const { test } = require('tap'); const net = require('net'); const log4js = require('../../lib/log4js'); const vcr = require('../../lib/appenders/recording'); const levels = require('../../lib/levels'); const LoggingEvent = require('../../lib/LoggingEvent'); test('TCP Server', (batch) => { batch.test( 'should listen for TCP messages and re-send via process.send', (t) => { log4js.configure({ appenders: { vcr: { type: 'recording' }, tcp: { type: 'tcp-server', port: 5678 }, }, categories: { default: { appenders: ['vcr'], level: 'debug' }, }, }); // give the socket a chance to start up setTimeout(() => { const socket = net.connect(5678, () => { socket.write( `${new LoggingEvent( 'test-category', levels.INFO, ['something'], {} ).serialise()}__LOG4JS__${new LoggingEvent( 'test-category', levels.INFO, ['something else'], {} ).serialise()}__LOG4JS__some nonsense__LOG4JS__{"some":"json"}__LOG4JS__`, () => { socket.end(); setTimeout(() => { log4js.shutdown(() => { const logs = vcr.replay(); t.equal(logs.length, 4); t.match(logs[0], { data: ['something'], categoryName: 'test-category', level: { levelStr: 'INFO' }, context: {}, }); t.match(logs[1], { data: ['something else'], categoryName: 'test-category', level: { levelStr: 'INFO' }, context: {}, }); t.match(logs[2], { data: [ 'Unable to parse log:', 'some nonsense', 'because: ', SyntaxError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.match(logs[3], { data: [ 'Unable to parse log:', '{"some":"json"}', 'because: ', TypeError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.end(); }); }, 100); } ); }); socket.unref(); }, 100); } ); batch.test('sending incomplete messages in chunks', (t) => { log4js.configure({ appenders: { vcr: { type: 'recording' }, tcp: { type: 'tcp-server' }, }, categories: { default: { appenders: ['vcr'], level: 'debug' }, }, }); // give the socket a chance to start up setTimeout(() => { const socket = net.connect(5000, () => { const syncWrite = (dataArray, finalCallback) => { if (!Array.isArray(dataArray)) { dataArray = [dataArray]; } if (typeof finalCallback !== 'function') { finalCallback = () => {}; } setTimeout(() => { if (!dataArray.length) { finalCallback(); } else if (dataArray.length === 1) { socket.write(dataArray.shift(), finalCallback); } else { socket.write(dataArray.shift(), () => { syncWrite(dataArray, finalCallback); }); } }, 100); }; const dataArray = [ '__LOG4JS__', 'Hello__LOG4JS__World', '__LOG4JS__', 'testing nonsense', `__LOG4JS__more nonsense__LOG4JS__`, ]; const finalCallback = () => { socket.end(); setTimeout(() => { log4js.shutdown(() => { const logs = vcr.replay(); t.equal(logs.length, 8); t.match(logs[4], { data: [ 'Unable to parse log:', 'Hello', 'because: ', SyntaxError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.match(logs[5], { data: [ 'Unable to parse log:', 'World', 'because: ', SyntaxError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.match(logs[6], { data: [ 'Unable to parse log:', 'testing nonsense', 'because: ', SyntaxError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.match(logs[7], { data: [ 'Unable to parse log:', 'more nonsense', 'because: ', SyntaxError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.end(); }); }, 100); }; syncWrite(dataArray, finalCallback); }); socket.unref(); }, 100); }); batch.end(); });
const { test } = require('tap'); const net = require('net'); const log4js = require('../../lib/log4js'); const vcr = require('../../lib/appenders/recording'); const levels = require('../../lib/levels'); const LoggingEvent = require('../../lib/LoggingEvent'); test('TCP Server', (batch) => { batch.test( 'should listen for TCP messages and re-send via process.send', (t) => { log4js.configure({ appenders: { vcr: { type: 'recording' }, tcp: { type: 'tcp-server', port: 5678 }, }, categories: { default: { appenders: ['vcr'], level: 'debug' }, }, }); // give the socket a chance to start up setTimeout(() => { const socket = net.connect(5678, () => { socket.write( `${new LoggingEvent( 'test-category', levels.INFO, ['something'], {} ).serialise()}__LOG4JS__${new LoggingEvent( 'test-category', levels.INFO, ['something else'], {} ).serialise()}__LOG4JS__some nonsense__LOG4JS__{"some":"json"}__LOG4JS__`, () => { socket.end(); setTimeout(() => { log4js.shutdown(() => { const logs = vcr.replay(); t.equal(logs.length, 4); t.match(logs[0], { data: ['something'], categoryName: 'test-category', level: { levelStr: 'INFO' }, context: {}, }); t.match(logs[1], { data: ['something else'], categoryName: 'test-category', level: { levelStr: 'INFO' }, context: {}, }); t.match(logs[2], { data: [ 'Unable to parse log:', 'some nonsense', 'because: ', SyntaxError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.match(logs[3], { data: [ 'Unable to parse log:', '{"some":"json"}', 'because: ', TypeError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.end(); }); }, 100); } ); }); socket.unref(); }, 100); } ); batch.test('sending incomplete messages in chunks', (t) => { log4js.configure({ appenders: { vcr: { type: 'recording' }, tcp: { type: 'tcp-server' }, }, categories: { default: { appenders: ['vcr'], level: 'debug' }, }, }); // give the socket a chance to start up setTimeout(() => { const socket = net.connect(5000, () => { const syncWrite = (dataArray, finalCallback) => { if (!Array.isArray(dataArray)) { dataArray = [dataArray]; } if (typeof finalCallback !== 'function') { finalCallback = () => {}; } setTimeout(() => { if (!dataArray.length) { finalCallback(); } else if (dataArray.length === 1) { socket.write(dataArray.shift(), finalCallback); } else { socket.write(dataArray.shift(), () => { syncWrite(dataArray, finalCallback); }); } }, 100); }; const dataArray = [ '__LOG4JS__', 'Hello__LOG4JS__World', '__LOG4JS__', 'testing nonsense', `__LOG4JS__more nonsense__LOG4JS__`, ]; const finalCallback = () => { socket.end(); setTimeout(() => { log4js.shutdown(() => { const logs = vcr.replay(); t.equal(logs.length, 8); t.match(logs[4], { data: [ 'Unable to parse log:', 'Hello', 'because: ', SyntaxError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.match(logs[5], { data: [ 'Unable to parse log:', 'World', 'because: ', SyntaxError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.match(logs[6], { data: [ 'Unable to parse log:', 'testing nonsense', 'because: ', SyntaxError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.match(logs[7], { data: [ 'Unable to parse log:', 'more nonsense', 'because: ', SyntaxError, ], categoryName: 'log4js', level: { levelStr: 'ERROR' }, context: {}, }); t.end(); }); }, 100); }; syncWrite(dataArray, finalCallback); }); socket.unref(); }, 100); }); batch.end(); });
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./test/tap/configuration-test.js
const { test } = require('tap'); const sandbox = require('@log4js-node/sandboxed-module'); const realFS = require('fs'); const modulePath = 'some/path/to/mylog4js.json'; const pathsChecked = []; let fakeFS = {}; let dependencies; let fileRead; test('log4js configure', (batch) => { batch.beforeEach((done) => { fileRead = 0; fakeFS = { realpath: realFS.realpath, // fs-extra looks for this ReadStream: realFS.ReadStream, // need to define these, because graceful-fs uses them WriteStream: realFS.WriteStream, read: realFS.read, closeSync: () => {}, config: { appenders: { console: { type: 'console', layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['console'], level: 'INFO', }, }, }, readdirSync: (dir) => require('fs').readdirSync(dir), readFileSync: (file, encoding) => { fileRead += 1; batch.type(file, 'string'); batch.equal(file, modulePath); batch.equal(encoding, 'utf8'); return JSON.stringify(fakeFS.config); }, statSync: (path) => { pathsChecked.push(path); if (path === modulePath) { return { mtime: new Date() }; } throw new Error('no such file'); }, }; dependencies = { requires: { fs: fakeFS, }, }; if (typeof done === 'function') { done(); } }); batch.test( 'when configuration file loaded via LOG4JS_CONFIG env variable', (t) => { process.env.LOG4JS_CONFIG = 'some/path/to/mylog4js.json'; const log4js = sandbox.require('../../lib/log4js', dependencies); log4js.getLogger('test-logger'); t.equal(fileRead, 1, 'should load the specified local config file'); delete process.env.LOG4JS_CONFIG; t.end(); } ); batch.test( 'when configuration is set via configure() method call, return the log4js object', (t) => { const log4js = sandbox .require('../../lib/log4js', dependencies) .configure(fakeFS.config); t.type( log4js, 'object', 'Configure method call should return the log4js object!' ); const log = log4js.getLogger('daemon'); t.type( log, 'object', 'log4js object, returned by configure(...) method should be able to create log object.' ); t.type(log.info, 'function'); t.end(); } ); batch.end(); });
const { test } = require('tap'); const sandbox = require('@log4js-node/sandboxed-module'); const realFS = require('fs'); const modulePath = 'some/path/to/mylog4js.json'; const pathsChecked = []; let fakeFS = {}; let dependencies; let fileRead; test('log4js configure', (batch) => { batch.beforeEach((done) => { fileRead = 0; fakeFS = { realpath: realFS.realpath, // fs-extra looks for this ReadStream: realFS.ReadStream, // need to define these, because graceful-fs uses them WriteStream: realFS.WriteStream, read: realFS.read, closeSync: () => {}, config: { appenders: { console: { type: 'console', layout: { type: 'messagePassThrough' }, }, }, categories: { default: { appenders: ['console'], level: 'INFO', }, }, }, readdirSync: (dir) => require('fs').readdirSync(dir), readFileSync: (file, encoding) => { fileRead += 1; batch.type(file, 'string'); batch.equal(file, modulePath); batch.equal(encoding, 'utf8'); return JSON.stringify(fakeFS.config); }, statSync: (path) => { pathsChecked.push(path); if (path === modulePath) { return { mtime: new Date() }; } throw new Error('no such file'); }, }; dependencies = { requires: { fs: fakeFS, }, }; if (typeof done === 'function') { done(); } }); batch.test( 'when configuration file loaded via LOG4JS_CONFIG env variable', (t) => { process.env.LOG4JS_CONFIG = 'some/path/to/mylog4js.json'; const log4js = sandbox.require('../../lib/log4js', dependencies); log4js.getLogger('test-logger'); t.equal(fileRead, 1, 'should load the specified local config file'); delete process.env.LOG4JS_CONFIG; t.end(); } ); batch.test( 'when configuration is set via configure() method call, return the log4js object', (t) => { const log4js = sandbox .require('../../lib/log4js', dependencies) .configure(fakeFS.config); t.type( log4js, 'object', 'Configure method call should return the log4js object!' ); const log = log4js.getLogger('daemon'); t.type( log, 'object', 'log4js object, returned by configure(...) method should be able to create log object.' ); t.type(log.info, 'function'); t.end(); } ); batch.end(); });
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./types/test.ts
import * as log4js from './log4js'; log4js.configure('./filename'); const logger1 = log4js.getLogger(); logger1.level = 'debug'; logger1.debug('Some debug messages'); logger1.fatal({ whatever: 'foo', }); const logger3 = log4js.getLogger('cheese'); logger3.trace('Entering cheese testing'); logger3.debug('Got cheese.'); logger3.info('Cheese is Gouda.'); logger3.warn('Cheese is quite smelly.'); logger3.error('Cheese is too ripe!'); logger3.fatal('Cheese was breeding ground for listeria.'); log4js.configure({ appenders: { cheese: { type: 'console', filename: 'cheese.log' } }, categories: { default: { appenders: ['cheese'], level: 'error' } }, }); log4js.configure({ appenders: { out: { type: 'file', filename: 'pm2logs.log' }, }, categories: { default: { appenders: ['out'], level: 'info' }, }, pm2: true, pm2InstanceVar: 'INSTANCE_ID', }); log4js.addLayout( 'json', (config) => function (logEvent) { return JSON.stringify(logEvent) + config.separator; } ); log4js.configure({ appenders: { out: { type: 'stdout', layout: { type: 'json', separator: ',' } }, }, categories: { default: { appenders: ['out'], level: 'info' }, }, }); log4js.configure({ appenders: { file: { type: 'dateFile', filename: 'thing.log', pattern: '.mm' }, }, categories: { default: { appenders: ['file'], level: 'debug' }, }, }); const logger4 = log4js.getLogger('thing'); logger4.log('logging a thing'); const logger5 = log4js.getLogger('json-test'); logger5.info('this is just a test'); logger5.error('of a custom appender'); logger5.warn('that outputs json'); log4js.shutdown(); log4js.configure({ appenders: { cheeseLogs: { type: 'file', filename: 'cheese.log' }, console: { type: 'console' }, }, categories: { cheese: { appenders: ['cheeseLogs'], level: 'error' }, another: { appenders: ['console'], level: 'trace' }, default: { appenders: ['console', 'cheeseLogs'], level: 'trace' }, }, }); const logger6 = log4js.getLogger('cheese'); // only errors and above get logged. const otherLogger = log4js.getLogger(); // this will get coloured output on console, and appear in cheese.log otherLogger.error('AAArgh! Something went wrong', { some: 'otherObject', useful_for: 'debug purposes', }); otherLogger.log('This should appear as info output'); // these will not appear (logging level beneath error) logger6.trace('Entering cheese testing'); logger6.debug('Got cheese.'); logger6.info('Cheese is Gouda.'); logger6.log('Something funny about cheese.'); logger6.warn('Cheese is quite smelly.'); // these end up only in cheese.log logger6.error('Cheese %s is too ripe!', 'gouda'); logger6.fatal('Cheese was breeding ground for listeria.'); // these don't end up in cheese.log, but will appear on the console const anotherLogger = log4js.getLogger('another'); anotherLogger.debug('Just checking'); // will also go to console and cheese.log, since that's configured for all categories const pantsLog = log4js.getLogger('pants'); pantsLog.debug('Something for pants'); import { configure, getLogger } from './log4js'; configure('./filename'); const logger2 = getLogger(); logger2.level = 'debug'; logger2.debug('Some debug messages'); configure({ appenders: { cheese: { type: 'file', filename: 'cheese.log' } }, categories: { default: { appenders: ['cheese'], level: 'error' } }, }); log4js.configure('./filename').getLogger(); const logger7 = log4js.getLogger(); logger7.level = 'debug'; logger7.debug('Some debug messages'); const levels: log4js.Levels = log4js.levels; const level: log4js.Level = levels.getLevel('info'); log4js.connectLogger(logger1, { format: ':x, :y', level: 'info', context: true, }); log4js.connectLogger(logger2, { format: (req, _res, format) => format( `:remote-addr - ${req.id} - ":method :url HTTP/:http-version" :status :content-length ":referrer" ":user-agent"` ), }); //support for passing in an appender module log4js.configure({ appenders: { thing: { type: { configure: () => () => {} } } }, categories: { default: { appenders: ['thing'], level: 'debug' } }, }); declare module './log4js' { interface Appenders { StorageTestAppender: { type: 'storageTest'; storageMedium: 'dvd' | 'usb' | 'hdd'; }; } } log4js.configure({ appenders: { test: { type: 'storageTest', storageMedium: 'dvd' } }, categories: { default: { appenders: ['test'], level: 'debug' } }, }); log4js.configure({ appenders: { rec: { type: 'recording' } }, categories: { default: { appenders: ['rec'], level: 'debug' } }, }); const logger8 = log4js.getLogger(); logger8.level = 'debug'; logger8.debug('This will go to the recording!'); logger8.debug('Another one'); const recording = log4js.recording(); const loggingEvents = recording.playback(); if (loggingEvents.length !== 2) { throw new Error(`Expected 2 recorded events, got ${loggingEvents.length}`); } if (loggingEvents[0].data[0] !== 'This will go to the recording!') { throw new Error( `Expected message 'This will go to the recording!', got ${loggingEvents[0].data[0]}` ); } if (loggingEvents[1].data[0] !== 'Another one') { throw new Error( `Expected message 'Another one', got ${loggingEvents[1].data[0]}` ); } recording.reset(); const loggingEventsPostReset = recording.playback(); if (loggingEventsPostReset.length !== 0) { throw new Error( `Expected 0 recorded events after reset, got ${loggingEventsPostReset.length}` ); }
import * as log4js from './log4js'; log4js.configure('./filename'); const logger1 = log4js.getLogger(); logger1.level = 'debug'; logger1.debug('Some debug messages'); logger1.fatal({ whatever: 'foo', }); const logger3 = log4js.getLogger('cheese'); logger3.trace('Entering cheese testing'); logger3.debug('Got cheese.'); logger3.info('Cheese is Gouda.'); logger3.warn('Cheese is quite smelly.'); logger3.error('Cheese is too ripe!'); logger3.fatal('Cheese was breeding ground for listeria.'); log4js.configure({ appenders: { cheese: { type: 'console', filename: 'cheese.log' } }, categories: { default: { appenders: ['cheese'], level: 'error' } }, }); log4js.configure({ appenders: { out: { type: 'file', filename: 'pm2logs.log' }, }, categories: { default: { appenders: ['out'], level: 'info' }, }, pm2: true, pm2InstanceVar: 'INSTANCE_ID', }); log4js.addLayout( 'json', (config) => function (logEvent) { return JSON.stringify(logEvent) + config.separator; } ); log4js.configure({ appenders: { out: { type: 'stdout', layout: { type: 'json', separator: ',' } }, }, categories: { default: { appenders: ['out'], level: 'info' }, }, }); log4js.configure({ appenders: { file: { type: 'dateFile', filename: 'thing.log', pattern: '.mm' }, }, categories: { default: { appenders: ['file'], level: 'debug' }, }, }); const logger4 = log4js.getLogger('thing'); logger4.log('logging a thing'); const logger5 = log4js.getLogger('json-test'); logger5.info('this is just a test'); logger5.error('of a custom appender'); logger5.warn('that outputs json'); log4js.shutdown(); log4js.configure({ appenders: { cheeseLogs: { type: 'file', filename: 'cheese.log' }, console: { type: 'console' }, }, categories: { cheese: { appenders: ['cheeseLogs'], level: 'error' }, another: { appenders: ['console'], level: 'trace' }, default: { appenders: ['console', 'cheeseLogs'], level: 'trace' }, }, }); const logger6 = log4js.getLogger('cheese'); // only errors and above get logged. const otherLogger = log4js.getLogger(); // this will get coloured output on console, and appear in cheese.log otherLogger.error('AAArgh! Something went wrong', { some: 'otherObject', useful_for: 'debug purposes', }); otherLogger.log('This should appear as info output'); // these will not appear (logging level beneath error) logger6.trace('Entering cheese testing'); logger6.debug('Got cheese.'); logger6.info('Cheese is Gouda.'); logger6.log('Something funny about cheese.'); logger6.warn('Cheese is quite smelly.'); // these end up only in cheese.log logger6.error('Cheese %s is too ripe!', 'gouda'); logger6.fatal('Cheese was breeding ground for listeria.'); // these don't end up in cheese.log, but will appear on the console const anotherLogger = log4js.getLogger('another'); anotherLogger.debug('Just checking'); // will also go to console and cheese.log, since that's configured for all categories const pantsLog = log4js.getLogger('pants'); pantsLog.debug('Something for pants'); import { configure, getLogger } from './log4js'; configure('./filename'); const logger2 = getLogger(); logger2.level = 'debug'; logger2.debug('Some debug messages'); configure({ appenders: { cheese: { type: 'file', filename: 'cheese.log' } }, categories: { default: { appenders: ['cheese'], level: 'error' } }, }); log4js.configure('./filename').getLogger(); const logger7 = log4js.getLogger(); logger7.level = 'debug'; logger7.debug('Some debug messages'); const levels: log4js.Levels = log4js.levels; const level: log4js.Level = levels.getLevel('info'); log4js.connectLogger(logger1, { format: ':x, :y', level: 'info', context: true, }); log4js.connectLogger(logger2, { format: (req, _res, format) => format( `:remote-addr - ${req.id} - ":method :url HTTP/:http-version" :status :content-length ":referrer" ":user-agent"` ), }); //support for passing in an appender module log4js.configure({ appenders: { thing: { type: { configure: () => () => {} } } }, categories: { default: { appenders: ['thing'], level: 'debug' } }, }); declare module './log4js' { interface Appenders { StorageTestAppender: { type: 'storageTest'; storageMedium: 'dvd' | 'usb' | 'hdd'; }; } } log4js.configure({ appenders: { test: { type: 'storageTest', storageMedium: 'dvd' } }, categories: { default: { appenders: ['test'], level: 'debug' } }, }); log4js.configure({ appenders: { rec: { type: 'recording' } }, categories: { default: { appenders: ['rec'], level: 'debug' } }, }); const logger8 = log4js.getLogger(); logger8.level = 'debug'; logger8.debug('This will go to the recording!'); logger8.debug('Another one'); const recording = log4js.recording(); const loggingEvents = recording.playback(); if (loggingEvents.length !== 2) { throw new Error(`Expected 2 recorded events, got ${loggingEvents.length}`); } if (loggingEvents[0].data[0] !== 'This will go to the recording!') { throw new Error( `Expected message 'This will go to the recording!', got ${loggingEvents[0].data[0]}` ); } if (loggingEvents[1].data[0] !== 'Another one') { throw new Error( `Expected message 'Another one', got ${loggingEvents[1].data[0]}` ); } recording.reset(); const loggingEventsPostReset = recording.playback(); if (loggingEventsPostReset.length !== 0) { throw new Error( `Expected 0 recorded events after reset, got ${loggingEventsPostReset.length}` ); }
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./test/tap/pm2-support-test.js
const { test } = require('tap'); const cluster = require('cluster'); const debug = require('debug')('log4js:pm2-test'); // PM2 runs everything as workers // - no master in the cluster (PM2 acts as master itself) // - we will simulate that here (avoid having to include PM2 as a dev dep) if (cluster.isMaster) { // create two worker forks // PASS IN NODE_APP_INSTANCE HERE const appEvents = {}; ['0', '1'].forEach((i) => { cluster.fork({ NODE_APP_INSTANCE: i }); }); const messageHandler = (worker, msg) => { if (worker.type || worker.topic) { msg = worker; } if (msg.type === 'testing') { debug( `Received testing message from ${msg.instance} with events ${msg.events}` ); appEvents[msg.instance] = msg.events; } // we have to do the re-broadcasting that the pm2-intercom module would do. if (msg.topic === 'log4js:message') { debug(`Received log message ${msg}`); for (const id in cluster.workers) { cluster.workers[id].send(msg); } } }; cluster.on('message', messageHandler); let count = 0; cluster.on('exit', () => { count += 1; if (count === 2) { // wait for any IPC messages still to come, because it seems they are slooooow. setTimeout(() => { test('PM2 Support', (batch) => { batch.test('should not get any events when turned off', (t) => { t.notOk( appEvents['0'].filter( (e) => e && e.data[0].indexOf('will not be logged') > -1 ).length ); t.notOk( appEvents['1'].filter( (e) => e && e.data[0].indexOf('will not be logged') > -1 ).length ); t.end(); }); batch.test('should get events on app instance 0', (t) => { t.equal(appEvents['0'].length, 2); t.equal(appEvents['0'][0].data[0], 'this should now get logged'); t.equal(appEvents['0'][1].data[0], 'this should now get logged'); t.end(); }); batch.test('should not get events on app instance 1', (t) => { t.equal(appEvents['1'].length, 0); t.end(); }); batch.end(); cluster.removeListener('message', messageHandler); }); }, 1000); } }); } else { const recorder = require('../../lib/appenders/recording'); const log4js = require('../../lib/log4js'); log4js.configure({ appenders: { out: { type: 'recording' } }, categories: { default: { appenders: ['out'], level: 'info' } }, }); const logger = log4js.getLogger('test'); logger.info( 'this is a test, but without enabling PM2 support it will not be logged' ); // IPC messages can take a while to get through to start with. setTimeout(() => { log4js.shutdown(() => { log4js.configure({ appenders: { out: { type: 'recording' } }, categories: { default: { appenders: ['out'], level: 'info' } }, pm2: true, }); const anotherLogger = log4js.getLogger('test'); setTimeout(() => { anotherLogger.info('this should now get logged'); }, 1000); // if we're the pm2-master we should wait for the other process to send its log messages setTimeout(() => { log4js.shutdown(() => { const events = recorder.replay(); debug( `Sending test events ${events} from ${process.env.NODE_APP_INSTANCE}` ); process.send( { type: 'testing', instance: process.env.NODE_APP_INSTANCE, events, }, () => { setTimeout(() => { cluster.worker.disconnect(); }, 1000); } ); }); }, 3000); }); }, 2000); }
const { test } = require('tap'); const cluster = require('cluster'); const debug = require('debug')('log4js:pm2-test'); // PM2 runs everything as workers // - no master in the cluster (PM2 acts as master itself) // - we will simulate that here (avoid having to include PM2 as a dev dep) if (cluster.isMaster) { // create two worker forks // PASS IN NODE_APP_INSTANCE HERE const appEvents = {}; ['0', '1'].forEach((i) => { cluster.fork({ NODE_APP_INSTANCE: i }); }); const messageHandler = (worker, msg) => { if (worker.type || worker.topic) { msg = worker; } if (msg.type === 'testing') { debug( `Received testing message from ${msg.instance} with events ${msg.events}` ); appEvents[msg.instance] = msg.events; } // we have to do the re-broadcasting that the pm2-intercom module would do. if (msg.topic === 'log4js:message') { debug(`Received log message ${msg}`); for (const id in cluster.workers) { cluster.workers[id].send(msg); } } }; cluster.on('message', messageHandler); let count = 0; cluster.on('exit', () => { count += 1; if (count === 2) { // wait for any IPC messages still to come, because it seems they are slooooow. setTimeout(() => { test('PM2 Support', (batch) => { batch.test('should not get any events when turned off', (t) => { t.notOk( appEvents['0'].filter( (e) => e && e.data[0].indexOf('will not be logged') > -1 ).length ); t.notOk( appEvents['1'].filter( (e) => e && e.data[0].indexOf('will not be logged') > -1 ).length ); t.end(); }); batch.test('should get events on app instance 0', (t) => { t.equal(appEvents['0'].length, 2); t.equal(appEvents['0'][0].data[0], 'this should now get logged'); t.equal(appEvents['0'][1].data[0], 'this should now get logged'); t.end(); }); batch.test('should not get events on app instance 1', (t) => { t.equal(appEvents['1'].length, 0); t.end(); }); batch.end(); cluster.removeListener('message', messageHandler); }); }, 1000); } }); } else { const recorder = require('../../lib/appenders/recording'); const log4js = require('../../lib/log4js'); log4js.configure({ appenders: { out: { type: 'recording' } }, categories: { default: { appenders: ['out'], level: 'info' } }, }); const logger = log4js.getLogger('test'); logger.info( 'this is a test, but without enabling PM2 support it will not be logged' ); // IPC messages can take a while to get through to start with. setTimeout(() => { log4js.shutdown(() => { log4js.configure({ appenders: { out: { type: 'recording' } }, categories: { default: { appenders: ['out'], level: 'info' } }, pm2: true, }); const anotherLogger = log4js.getLogger('test'); setTimeout(() => { anotherLogger.info('this should now get logged'); }, 1000); // if we're the pm2-master we should wait for the other process to send its log messages setTimeout(() => { log4js.shutdown(() => { const events = recorder.replay(); debug( `Sending test events ${events} from ${process.env.NODE_APP_INSTANCE}` ); process.send( { type: 'testing', instance: process.env.NODE_APP_INSTANCE, events, }, () => { setTimeout(() => { cluster.worker.disconnect(); }, 1000); } ); }); }, 3000); }); }, 2000); }
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./test/tap/passenger-test.js
const { test } = require('tap'); const sandbox = require('@log4js-node/sandboxed-module'); // passenger provides a non-functional cluster module, // but it does not implement the event emitter functions const passengerCluster = { disconnect() { return false; }, fork() { return false; }, setupMaster() { return false; }, isWorker: true, isMaster: false, schedulingPolicy: false, settings: false, worker: false, workers: false, }; const vcr = require('../../lib/appenders/recording'); const log4js = sandbox.require('../../lib/log4js', { requires: { cluster: passengerCluster, './appenders/recording': vcr, }, }); test('When running in Passenger', (batch) => { batch.test('it should still log', (t) => { log4js.configure({ appenders: { vcr: { type: 'recording' }, }, categories: { default: { appenders: ['vcr'], level: 'info' }, }, disableClustering: true, }); log4js.getLogger().info('This should still work'); const events = vcr.replay(); t.equal(events.length, 1); t.equal(events[0].data[0], 'This should still work'); t.end(); }); batch.end(); });
const { test } = require('tap'); const sandbox = require('@log4js-node/sandboxed-module'); // passenger provides a non-functional cluster module, // but it does not implement the event emitter functions const passengerCluster = { disconnect() { return false; }, fork() { return false; }, setupMaster() { return false; }, isWorker: true, isMaster: false, schedulingPolicy: false, settings: false, worker: false, workers: false, }; const vcr = require('../../lib/appenders/recording'); const log4js = sandbox.require('../../lib/log4js', { requires: { cluster: passengerCluster, './appenders/recording': vcr, }, }); test('When running in Passenger', (batch) => { batch.test('it should still log', (t) => { log4js.configure({ appenders: { vcr: { type: 'recording' }, }, categories: { default: { appenders: ['vcr'], level: 'info' }, }, disableClustering: true, }); log4js.getLogger().info('This should still work'); const events = vcr.replay(); t.equal(events.length, 1); t.equal(events[0].data[0], 'This should still work'); t.end(); }); batch.end(); });
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./examples/logstashHTTP.js
const log4js = require('../lib/log4js'); log4js.configure({ appenders: { console: { type: 'console', }, logstash: { url: 'http://172.17.0.5:9200/_bulk', type: '@log4js-node/logstash-http', logType: 'application', logChannel: 'node', application: 'logstash-log4js', layout: { type: 'pattern', pattern: '%m', }, }, }, categories: { default: { appenders: ['console', 'logstash'], level: 'info' }, }, }); const logger = log4js.getLogger('myLogger'); logger.info('Test log message %s', 'arg1', 'arg2');
const log4js = require('../lib/log4js'); log4js.configure({ appenders: { console: { type: 'console', }, logstash: { url: 'http://172.17.0.5:9200/_bulk', type: '@log4js-node/logstash-http', logType: 'application', logChannel: 'node', application: 'logstash-log4js', layout: { type: 'pattern', pattern: '%m', }, }, }, categories: { default: { appenders: ['console', 'logstash'], level: 'info' }, }, }); const logger = log4js.getLogger('myLogger'); logger.info('Test log message %s', 'arg1', 'arg2');
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./docs/stdout.md
# Standard Output Appender This appender writes all log events to the standard output stream. It is the default appender for log4js. # Configuration - `type` - `stdout` - `layout` - `object` (optional, defaults to colouredLayout) - see [layouts](layouts.md) # Example ```javascript log4js.configure({ appenders: { out: { type: "stdout" } }, categories: { default: { appenders: ["out"], level: "info" } }, }); ```
# Standard Output Appender This appender writes all log events to the standard output stream. It is the default appender for log4js. # Configuration - `type` - `stdout` - `layout` - `object` (optional, defaults to colouredLayout) - see [layouts](layouts.md) # Example ```javascript log4js.configure({ appenders: { out: { type: "stdout" } }, categories: { default: { appenders: ["out"], level: "info" } }, }); ```
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./examples/hipchat-appender.js
/** * !!! The hipchat-appender requires `hipchat-notifier` from npm, e.g. * - list as a dependency in your application's package.json || * - npm install hipchat-notifier */ const log4js = require('../lib/log4js'); log4js.configure({ appenders: { hipchat: { type: 'hipchat', hipchat_token: process.env.HIPCHAT_TOKEN || '< User token with Notification Privileges >', hipchat_room: process.env.HIPCHAT_ROOM || '< Room ID or Name >', }, }, categories: { default: { appenders: ['hipchat'], level: 'trace' }, }, }); const logger = log4js.getLogger('hipchat'); logger.warn('Test Warn message'); logger.info('Test Info message'); logger.debug('Test Debug Message'); logger.trace('Test Trace Message'); logger.fatal('Test Fatal Message'); logger.error('Test Error Message'); // alternative configuration demonstrating callback + custom layout // ///////////////////////////////////////////////////////////////// // use a custom layout function (in this case, the provided basicLayout) // format: [TIMESTAMP][LEVEL][category] - [message] log4js.configure({ appenders: { hipchat: { type: 'hipchat', hipchat_token: process.env.HIPCHAT_TOKEN || '< User token with Notification Privileges >', hipchat_room: process.env.HIPCHAT_ROOM || '< Room ID or Name >', hipchat_from: 'Mr. Semantics', hipchat_notify: false, hipchat_response_callback: function (err, response, body) { if (err || response.statusCode > 300) { throw new Error('hipchat-notifier failed'); } console.log('mr semantics callback success'); }, layout: { type: 'basic' }, }, }, categories: { default: { appenders: ['hipchat'], level: 'trace' } }, }); logger.info('Test customLayout from Mr. Semantics');
/** * !!! The hipchat-appender requires `hipchat-notifier` from npm, e.g. * - list as a dependency in your application's package.json || * - npm install hipchat-notifier */ const log4js = require('../lib/log4js'); log4js.configure({ appenders: { hipchat: { type: 'hipchat', hipchat_token: process.env.HIPCHAT_TOKEN || '< User token with Notification Privileges >', hipchat_room: process.env.HIPCHAT_ROOM || '< Room ID or Name >', }, }, categories: { default: { appenders: ['hipchat'], level: 'trace' }, }, }); const logger = log4js.getLogger('hipchat'); logger.warn('Test Warn message'); logger.info('Test Info message'); logger.debug('Test Debug Message'); logger.trace('Test Trace Message'); logger.fatal('Test Fatal Message'); logger.error('Test Error Message'); // alternative configuration demonstrating callback + custom layout // ///////////////////////////////////////////////////////////////// // use a custom layout function (in this case, the provided basicLayout) // format: [TIMESTAMP][LEVEL][category] - [message] log4js.configure({ appenders: { hipchat: { type: 'hipchat', hipchat_token: process.env.HIPCHAT_TOKEN || '< User token with Notification Privileges >', hipchat_room: process.env.HIPCHAT_ROOM || '< Room ID or Name >', hipchat_from: 'Mr. Semantics', hipchat_notify: false, hipchat_response_callback: function (err, response, body) { if (err || response.statusCode > 300) { throw new Error('hipchat-notifier failed'); } console.log('mr semantics callback success'); }, layout: { type: 'basic' }, }, }, categories: { default: { appenders: ['hipchat'], level: 'trace' } }, }); logger.info('Test customLayout from Mr. Semantics');
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./README.md
# log4js-node [![CodeQL](https://github.com/log4js-node/log4js-node/actions/workflows/codeql-analysis.yml/badge.svg)](https://github.com/log4js-node/log4js-node/actions/workflows/codeql-analysis.yml) [![Node.js CI](https://github.com/log4js-node/log4js-node/actions/workflows/node.js.yml/badge.svg)](https://github.com/log4js-node/log4js-node/actions/workflows/node.js.yml) [![NPM](https://nodei.co/npm/log4js.png?downloads=true&downloadRank=true&stars=true)](https://nodei.co/npm/log4js/) This is a conversion of the [log4js](https://github.com/stritti/log4js) framework to work with [node](http://nodejs.org). I started out just stripping out the browser-specific code and tidying up some of the javascript to work better in node. It grew from there. Although it's got a similar name to the Java library [log4j](https://logging.apache.org/log4j/2.x/), thinking that it will behave the same way will only bring you sorrow and confusion. The full documentation is available [here](https://log4js-node.github.io/log4js-node/). [Changes in version 3.x](https://log4js-node.github.io/log4js-node/v3-changes.md) There have been a few changes between log4js 1.x and 2.x (and 0.x too). You should probably read this [migration guide](https://log4js-node.github.io/log4js-node/migration-guide.html) if things aren't working. Out of the box it supports the following features: - coloured console logging to stdout or stderr - file appender, with configurable log rolling based on file size or date - a logger for connect/express servers - configurable log message layout/patterns - different log levels for different log categories (make some parts of your app log as DEBUG, others only ERRORS, etc.) Optional appenders are available: - [SMTP](https://github.com/log4js-node/smtp) - [GELF](https://github.com/log4js-node/gelf) - [Loggly](https://github.com/log4js-node/loggly) - Logstash ([UDP](https://github.com/log4js-node/logstashUDP) and [HTTP](https://github.com/log4js-node/logstashHTTP)) - logFaces ([UDP](https://github.com/log4js-node/logFaces-UDP) and [HTTP](https://github.com/log4js-node/logFaces-HTTP)) - [RabbitMQ](https://github.com/log4js-node/rabbitmq) - [Redis](https://github.com/log4js-node/redis) - [Hipchat](https://github.com/log4js-node/hipchat) - [Slack](https://github.com/log4js-node/slack) - [mailgun](https://github.com/log4js-node/mailgun) - [InfluxDB](https://github.com/rnd-debug/log4js-influxdb-appender) ## Getting help Having problems? Jump on the [slack](https://join.slack.com/t/log4js-node/shared_invite/enQtODkzMDQ3MzExMDczLWUzZmY0MmI0YWI1ZjFhODY0YjI0YmU1N2U5ZTRkOTYyYzg3MjY5NWI4M2FjZThjYjdiOGM0NjU2NzBmYTJjOGI) channel, or create an issue. If you want to help out with the development, the slack channel is a good place to go as well. ## installation ```bash npm install log4js ``` ## usage Minimalist version: ```javascript var log4js = require("log4js"); var logger = log4js.getLogger(); logger.level = "debug"; logger.debug("Some debug messages"); ``` By default, log4js will not output any logs (so that it can safely be used in libraries). The `level` for the `default` category is set to `OFF`. To enable logs, set the level (as in the example). This will then output to stdout with the coloured layout (thanks to [masylum](http://github.com/masylum)), so for the above you would see: ```bash [2010-01-17 11:43:37.987] [DEBUG] [default] - Some debug messages ``` See example.js for a full example, but here's a snippet (also in `examples/fromreadme.js`): ```javascript const log4js = require("log4js"); log4js.configure({ appenders: { cheese: { type: "file", filename: "cheese.log" } }, categories: { default: { appenders: ["cheese"], level: "error" } }, }); const logger = log4js.getLogger("cheese"); logger.trace("Entering cheese testing"); logger.debug("Got cheese."); logger.info("Cheese is Comté."); logger.warn("Cheese is quite smelly."); logger.error("Cheese is too ripe!"); logger.fatal("Cheese was breeding ground for listeria."); ``` Output (in `cheese.log`): ```bash [2010-01-17 11:43:37.987] [ERROR] cheese - Cheese is too ripe! [2010-01-17 11:43:37.990] [FATAL] cheese - Cheese was breeding ground for listeria. ``` ## Note for library makers If you're writing a library and would like to include support for log4js, without introducing a dependency headache for your users, take a look at [log4js-api](https://github.com/log4js-node/log4js-api). ## Documentation Available [here](https://log4js-node.github.io/log4js-node/). There's also [an example application](https://github.com/log4js-node/log4js-example). ## TypeScript ```ts import log4js from "log4js"; log4js.configure({ appenders: { cheese: { type: "file", filename: "cheese.log" } }, categories: { default: { appenders: ["cheese"], level: "error" } }, }); const logger = log4js.getLogger(); logger.level = "debug"; logger.debug("Some debug messages"); ``` ## Contributing We're always looking for people to help out. Jump on [slack](https://join.slack.com/t/log4js-node/shared_invite/enQtODkzMDQ3MzExMDczLWUzZmY0MmI0YWI1ZjFhODY0YjI0YmU1N2U5ZTRkOTYyYzg3MjY5NWI4M2FjZThjYjdiOGM0NjU2NzBmYTJjOGI) and discuss what you want to do. Also, take a look at the [rules](https://log4js-node.github.io/log4js-node/contrib-guidelines.html) before submitting a pull request. ## License The original log4js was distributed under the Apache 2.0 License, and so is this. I've tried to keep the original copyright and author credits in place, except in sections that I have rewritten extensively.
# log4js-node [![CodeQL](https://github.com/log4js-node/log4js-node/actions/workflows/codeql-analysis.yml/badge.svg)](https://github.com/log4js-node/log4js-node/actions/workflows/codeql-analysis.yml) [![Node.js CI](https://github.com/log4js-node/log4js-node/actions/workflows/node.js.yml/badge.svg)](https://github.com/log4js-node/log4js-node/actions/workflows/node.js.yml) [![NPM](https://nodei.co/npm/log4js.png?downloads=true&downloadRank=true&stars=true)](https://nodei.co/npm/log4js/) This is a conversion of the [log4js](https://github.com/stritti/log4js) framework to work with [node](http://nodejs.org). I started out just stripping out the browser-specific code and tidying up some of the javascript to work better in node. It grew from there. Although it's got a similar name to the Java library [log4j](https://logging.apache.org/log4j/2.x/), thinking that it will behave the same way will only bring you sorrow and confusion. The full documentation is available [here](https://log4js-node.github.io/log4js-node/). [Changes in version 3.x](https://log4js-node.github.io/log4js-node/v3-changes.md) There have been a few changes between log4js 1.x and 2.x (and 0.x too). You should probably read this [migration guide](https://log4js-node.github.io/log4js-node/migration-guide.html) if things aren't working. Out of the box it supports the following features: - coloured console logging to stdout or stderr - file appender, with configurable log rolling based on file size or date - a logger for connect/express servers - configurable log message layout/patterns - different log levels for different log categories (make some parts of your app log as DEBUG, others only ERRORS, etc.) Optional appenders are available: - [SMTP](https://github.com/log4js-node/smtp) - [GELF](https://github.com/log4js-node/gelf) - [Loggly](https://github.com/log4js-node/loggly) - Logstash ([UDP](https://github.com/log4js-node/logstashUDP) and [HTTP](https://github.com/log4js-node/logstashHTTP)) - logFaces ([UDP](https://github.com/log4js-node/logFaces-UDP) and [HTTP](https://github.com/log4js-node/logFaces-HTTP)) - [RabbitMQ](https://github.com/log4js-node/rabbitmq) - [Redis](https://github.com/log4js-node/redis) - [Hipchat](https://github.com/log4js-node/hipchat) - [Slack](https://github.com/log4js-node/slack) - [mailgun](https://github.com/log4js-node/mailgun) - [InfluxDB](https://github.com/rnd-debug/log4js-influxdb-appender) ## Getting help Having problems? Jump on the [slack](https://join.slack.com/t/log4js-node/shared_invite/enQtODkzMDQ3MzExMDczLWUzZmY0MmI0YWI1ZjFhODY0YjI0YmU1N2U5ZTRkOTYyYzg3MjY5NWI4M2FjZThjYjdiOGM0NjU2NzBmYTJjOGI) channel, or create an issue. If you want to help out with the development, the slack channel is a good place to go as well. ## installation ```bash npm install log4js ``` ## usage Minimalist version: ```javascript var log4js = require("log4js"); var logger = log4js.getLogger(); logger.level = "debug"; logger.debug("Some debug messages"); ``` By default, log4js will not output any logs (so that it can safely be used in libraries). The `level` for the `default` category is set to `OFF`. To enable logs, set the level (as in the example). This will then output to stdout with the coloured layout (thanks to [masylum](http://github.com/masylum)), so for the above you would see: ```bash [2010-01-17 11:43:37.987] [DEBUG] [default] - Some debug messages ``` See example.js for a full example, but here's a snippet (also in `examples/fromreadme.js`): ```javascript const log4js = require("log4js"); log4js.configure({ appenders: { cheese: { type: "file", filename: "cheese.log" } }, categories: { default: { appenders: ["cheese"], level: "error" } }, }); const logger = log4js.getLogger("cheese"); logger.trace("Entering cheese testing"); logger.debug("Got cheese."); logger.info("Cheese is Comté."); logger.warn("Cheese is quite smelly."); logger.error("Cheese is too ripe!"); logger.fatal("Cheese was breeding ground for listeria."); ``` Output (in `cheese.log`): ```bash [2010-01-17 11:43:37.987] [ERROR] cheese - Cheese is too ripe! [2010-01-17 11:43:37.990] [FATAL] cheese - Cheese was breeding ground for listeria. ``` ## Note for library makers If you're writing a library and would like to include support for log4js, without introducing a dependency headache for your users, take a look at [log4js-api](https://github.com/log4js-node/log4js-api). ## Documentation Available [here](https://log4js-node.github.io/log4js-node/). There's also [an example application](https://github.com/log4js-node/log4js-example). ## TypeScript ```ts import log4js from "log4js"; log4js.configure({ appenders: { cheese: { type: "file", filename: "cheese.log" } }, categories: { default: { appenders: ["cheese"], level: "error" } }, }); const logger = log4js.getLogger(); logger.level = "debug"; logger.debug("Some debug messages"); ``` ## Contributing We're always looking for people to help out. Jump on [slack](https://join.slack.com/t/log4js-node/shared_invite/enQtODkzMDQ3MzExMDczLWUzZmY0MmI0YWI1ZjFhODY0YjI0YmU1N2U5ZTRkOTYyYzg3MjY5NWI4M2FjZThjYjdiOGM0NjU2NzBmYTJjOGI) and discuss what you want to do. Also, take a look at the [rules](https://log4js-node.github.io/log4js-node/contrib-guidelines.html) before submitting a pull request. ## License The original log4js was distributed under the Apache 2.0 License, and so is this. I've tried to keep the original copyright and author credits in place, except in sections that I have rewritten extensively.
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./docs/recording.md
# Recording Appender This appender stores the log events in memory. It is mainly useful for testing (see the tests for the category filter, for instance). ## Configuration - `type` - `recording` There is no other configuration for this appender. ## Usage The array that stores log events is shared across all recording appender instances, and is accessible from the recording module. `require('<LOG4JS LIB DIR>/appenders/recording')` returns a module with the following functions exported: - `replay` - returns `Array<LogEvent>` - get all the events recorded. - `playback` - synonym for `replay` - `reset` - clears the array of events recorded. - `erase` - synonyms for `reset` ## Example ```javascript const recording = require("log4js/lib/appenders/recording"); const log4js = require("log4js"); log4js.configure({ appenders: { vcr: { type: "recording" } }, categories: { default: { appenders: ["vcr"], level: "info" } }, }); const logger = log4js.getLogger(); logger.info("some log event"); const events = recording.replay(); // events is an array of LogEvent objects. recording.erase(); // clear the appender's array. ```
# Recording Appender This appender stores the log events in memory. It is mainly useful for testing (see the tests for the category filter, for instance). ## Configuration - `type` - `recording` There is no other configuration for this appender. ## Usage The array that stores log events is shared across all recording appender instances, and is accessible from the recording module. `require('<LOG4JS LIB DIR>/appenders/recording')` returns a module with the following functions exported: - `replay` - returns `Array<LogEvent>` - get all the events recorded. - `playback` - synonym for `replay` - `reset` - clears the array of events recorded. - `erase` - synonyms for `reset` ## Example ```javascript const recording = require("log4js/lib/appenders/recording"); const log4js = require("log4js"); log4js.configure({ appenders: { vcr: { type: "recording" } }, categories: { default: { appenders: ["vcr"], level: "info" } }, }); const logger = log4js.getLogger(); logger.info("some log event"); const events = recording.replay(); // events is an array of LogEvent objects. recording.erase(); // clear the appender's array. ```
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./docs/tcp-server.md
# TCP Server Appender Strictly speaking, this is not an appender - but it is configured as one. The TCP server listens for log messages on a port, taking JSON-encoded log events and then forwarding them to the other appenders. It can be used as a simple way to centralise logging when you have multiple servers or processes. It uses the node.js core networking modules, and so does not require any extra dependencies. Remember to call `log4js.shutdown` when your application terminates, so that the sockets get closed cleanly. It is designed to work with the [tcp appender](tcp.md), but could work with anything that sends correctly formatted JSON log events. ## Configuration - `type` - `tcp-server` - `port` - `integer` (optional, defaults to `5000`) - the port to listen on - `host` - `string` (optional, defaults to `localhost`) - the host/IP address to listen on ## Example (master) ```javascript log4js.configure({ appenders: { file: { type: "file", filename: "all-the-logs.log" }, server: { type: "tcp-server", host: "0.0.0.0" }, }, categories: { default: { appenders: ["file"], level: "info" }, }, }); ``` This creates a log server listening on port 5000, on all IP addresses the host has assigned to it. Note that the appender is not included in the appenders listed for the categories. All events received on the socket will be forwarded to the other appenders, as if they had originated on the same server.
# TCP Server Appender Strictly speaking, this is not an appender - but it is configured as one. The TCP server listens for log messages on a port, taking JSON-encoded log events and then forwarding them to the other appenders. It can be used as a simple way to centralise logging when you have multiple servers or processes. It uses the node.js core networking modules, and so does not require any extra dependencies. Remember to call `log4js.shutdown` when your application terminates, so that the sockets get closed cleanly. It is designed to work with the [tcp appender](tcp.md), but could work with anything that sends correctly formatted JSON log events. ## Configuration - `type` - `tcp-server` - `port` - `integer` (optional, defaults to `5000`) - the port to listen on - `host` - `string` (optional, defaults to `localhost`) - the host/IP address to listen on ## Example (master) ```javascript log4js.configure({ appenders: { file: { type: "file", filename: "all-the-logs.log" }, server: { type: "tcp-server", host: "0.0.0.0" }, }, categories: { default: { appenders: ["file"], level: "info" }, }, }); ``` This creates a log server listening on port 5000, on all IP addresses the host has assigned to it. Note that the appender is not included in the appenders listed for the categories. All events received on the socket will be forwarded to the other appenders, as if they had originated on the same server.
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./test/tap/noLogFilter-test.js
const { test } = require('tap'); const log4js = require('../../lib/log4js'); const recording = require('../../lib/appenders/recording'); /** * test a simple regexp */ test('log4js noLogFilter', (batch) => { batch.beforeEach((done) => { recording.reset(); if (typeof done === 'function') { done(); } }); batch.test( 'appender should exclude events that match the regexp string', (t) => { log4js.configure({ appenders: { recorder: { type: 'recording' }, filtered: { type: 'noLogFilter', exclude: 'This.*not', appender: 'recorder', }, }, categories: { default: { appenders: ['filtered'], level: 'DEBUG' } }, }); const logger = log4js.getLogger(); logger.debug('This should not get logged'); logger.debug('This should get logged'); logger.debug( 'Another case that not match the regex, so it should get logged' ); const logEvents = recording.replay(); t.equal(logEvents.length, 2); t.equal(logEvents[0].data[0], 'This should get logged'); t.equal( logEvents[1].data[0], 'Another case that not match the regex, so it should get logged' ); t.end(); } ); /** * test an array of regexp */ batch.test( 'appender should exclude events that match the regexp string contained in the array', (t) => { log4js.configure({ appenders: { recorder: { type: 'recording' }, filtered: { type: 'noLogFilter', exclude: ['This.*not', 'instead'], appender: 'recorder', }, }, categories: { default: { appenders: ['filtered'], level: 'DEBUG' } }, }); const logger = log4js.getLogger(); logger.debug('This should not get logged'); logger.debug('This should get logged'); logger.debug( 'Another case that not match the regex, so it should get logged' ); logger.debug('This case instead it should get logged'); logger.debug('The last that should get logged'); const logEvents = recording.replay(); t.equal(logEvents.length, 3); t.equal(logEvents[0].data[0], 'This should get logged'); t.equal( logEvents[1].data[0], 'Another case that not match the regex, so it should get logged' ); t.equal(logEvents[2].data[0], 'The last that should get logged'); t.end(); } ); /** * test case insentitive regexp */ batch.test( 'appender should evaluate the regexp using incase sentitive option', (t) => { log4js.configure({ appenders: { recorder: { type: 'recording' }, filtered: { type: 'noLogFilter', exclude: ['NOT', 'eX.*de'], appender: 'recorder', }, }, categories: { default: { appenders: ['filtered'], level: 'DEBUG' } }, }); const logger = log4js.getLogger(); logger.debug('This should not get logged'); logger.debug('This should get logged'); logger.debug('Exclude this string'); logger.debug('Include this string'); const logEvents = recording.replay(); t.equal(logEvents.length, 2); t.equal(logEvents[0].data[0], 'This should get logged'); t.equal(logEvents[1].data[0], 'Include this string'); t.end(); } ); /** * test empty string or null regexp */ batch.test( 'appender should skip the match in case of empty or null regexp', (t) => { log4js.configure({ appenders: { recorder: { type: 'recording' }, filtered: { type: 'noLogFilter', exclude: ['', null, undefined], appender: 'recorder', }, }, categories: { default: { appenders: ['filtered'], level: 'DEBUG' } }, }); const logger = log4js.getLogger(); logger.debug('This should get logged'); logger.debug('Another string that should get logged'); const logEvents = recording.replay(); t.equal(logEvents.length, 2); t.equal(logEvents[0].data[0], 'This should get logged'); t.equal(logEvents[1].data[0], 'Another string that should get logged'); t.end(); } ); /** * test for excluding all the events that contains digits */ batch.test('appender should exclude the events that contains digits', (t) => { log4js.configure({ appenders: { recorder: { type: 'recording' }, filtered: { type: 'noLogFilter', exclude: '\\d', appender: 'recorder', }, }, categories: { default: { appenders: ['filtered'], level: 'DEBUG' } }, }); const logger = log4js.getLogger(); logger.debug('This should get logged'); logger.debug('The 2nd event should not get logged'); logger.debug('The 3rd event should not get logged, such as the 2nd'); const logEvents = recording.replay(); t.equal(logEvents.length, 1); t.equal(logEvents[0].data[0], 'This should get logged'); t.end(); }); /** * test the cases provided in the documentation * https://log4js-node.github.io/log4js-node/noLogFilter.html */ batch.test( 'appender should exclude not valid events according to the documentation', (t) => { log4js.configure({ appenders: { recorder: { type: 'recording' }, filtered: { type: 'noLogFilter', exclude: ['NOT', '\\d', ''], appender: 'recorder', }, }, categories: { default: { appenders: ['filtered'], level: 'DEBUG' } }, }); const logger = log4js.getLogger(); logger.debug('I will be logged in all-the-logs.log'); logger.debug('I will be not logged in all-the-logs.log'); logger.debug('A 2nd message that will be excluded in all-the-logs.log'); logger.debug('Hello again'); const logEvents = recording.replay(); t.equal(logEvents.length, 2); t.equal(logEvents[0].data[0], 'I will be logged in all-the-logs.log'); t.equal(logEvents[1].data[0], 'Hello again'); t.end(); } ); batch.end(); });
const { test } = require('tap'); const log4js = require('../../lib/log4js'); const recording = require('../../lib/appenders/recording'); /** * test a simple regexp */ test('log4js noLogFilter', (batch) => { batch.beforeEach((done) => { recording.reset(); if (typeof done === 'function') { done(); } }); batch.test( 'appender should exclude events that match the regexp string', (t) => { log4js.configure({ appenders: { recorder: { type: 'recording' }, filtered: { type: 'noLogFilter', exclude: 'This.*not', appender: 'recorder', }, }, categories: { default: { appenders: ['filtered'], level: 'DEBUG' } }, }); const logger = log4js.getLogger(); logger.debug('This should not get logged'); logger.debug('This should get logged'); logger.debug( 'Another case that not match the regex, so it should get logged' ); const logEvents = recording.replay(); t.equal(logEvents.length, 2); t.equal(logEvents[0].data[0], 'This should get logged'); t.equal( logEvents[1].data[0], 'Another case that not match the regex, so it should get logged' ); t.end(); } ); /** * test an array of regexp */ batch.test( 'appender should exclude events that match the regexp string contained in the array', (t) => { log4js.configure({ appenders: { recorder: { type: 'recording' }, filtered: { type: 'noLogFilter', exclude: ['This.*not', 'instead'], appender: 'recorder', }, }, categories: { default: { appenders: ['filtered'], level: 'DEBUG' } }, }); const logger = log4js.getLogger(); logger.debug('This should not get logged'); logger.debug('This should get logged'); logger.debug( 'Another case that not match the regex, so it should get logged' ); logger.debug('This case instead it should get logged'); logger.debug('The last that should get logged'); const logEvents = recording.replay(); t.equal(logEvents.length, 3); t.equal(logEvents[0].data[0], 'This should get logged'); t.equal( logEvents[1].data[0], 'Another case that not match the regex, so it should get logged' ); t.equal(logEvents[2].data[0], 'The last that should get logged'); t.end(); } ); /** * test case insentitive regexp */ batch.test( 'appender should evaluate the regexp using incase sentitive option', (t) => { log4js.configure({ appenders: { recorder: { type: 'recording' }, filtered: { type: 'noLogFilter', exclude: ['NOT', 'eX.*de'], appender: 'recorder', }, }, categories: { default: { appenders: ['filtered'], level: 'DEBUG' } }, }); const logger = log4js.getLogger(); logger.debug('This should not get logged'); logger.debug('This should get logged'); logger.debug('Exclude this string'); logger.debug('Include this string'); const logEvents = recording.replay(); t.equal(logEvents.length, 2); t.equal(logEvents[0].data[0], 'This should get logged'); t.equal(logEvents[1].data[0], 'Include this string'); t.end(); } ); /** * test empty string or null regexp */ batch.test( 'appender should skip the match in case of empty or null regexp', (t) => { log4js.configure({ appenders: { recorder: { type: 'recording' }, filtered: { type: 'noLogFilter', exclude: ['', null, undefined], appender: 'recorder', }, }, categories: { default: { appenders: ['filtered'], level: 'DEBUG' } }, }); const logger = log4js.getLogger(); logger.debug('This should get logged'); logger.debug('Another string that should get logged'); const logEvents = recording.replay(); t.equal(logEvents.length, 2); t.equal(logEvents[0].data[0], 'This should get logged'); t.equal(logEvents[1].data[0], 'Another string that should get logged'); t.end(); } ); /** * test for excluding all the events that contains digits */ batch.test('appender should exclude the events that contains digits', (t) => { log4js.configure({ appenders: { recorder: { type: 'recording' }, filtered: { type: 'noLogFilter', exclude: '\\d', appender: 'recorder', }, }, categories: { default: { appenders: ['filtered'], level: 'DEBUG' } }, }); const logger = log4js.getLogger(); logger.debug('This should get logged'); logger.debug('The 2nd event should not get logged'); logger.debug('The 3rd event should not get logged, such as the 2nd'); const logEvents = recording.replay(); t.equal(logEvents.length, 1); t.equal(logEvents[0].data[0], 'This should get logged'); t.end(); }); /** * test the cases provided in the documentation * https://log4js-node.github.io/log4js-node/noLogFilter.html */ batch.test( 'appender should exclude not valid events according to the documentation', (t) => { log4js.configure({ appenders: { recorder: { type: 'recording' }, filtered: { type: 'noLogFilter', exclude: ['NOT', '\\d', ''], appender: 'recorder', }, }, categories: { default: { appenders: ['filtered'], level: 'DEBUG' } }, }); const logger = log4js.getLogger(); logger.debug('I will be logged in all-the-logs.log'); logger.debug('I will be not logged in all-the-logs.log'); logger.debug('A 2nd message that will be excluded in all-the-logs.log'); logger.debug('Hello again'); const logEvents = recording.replay(); t.equal(logEvents.length, 2); t.equal(logEvents[0].data[0], 'I will be logged in all-the-logs.log'); t.equal(logEvents[1].data[0], 'Hello again'); t.end(); } ); batch.end(); });
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./lib/appenders/noLogFilter.js
const debug = require('debug')('log4js:noLogFilter'); /** * The function removes empty or null regexp from the array * @param {string[]} regexp * @returns {string[]} a filtered string array with not empty or null regexp */ function removeNullOrEmptyRegexp(regexp) { const filtered = regexp.filter((el) => el != null && el !== ''); return filtered; } /** * Returns a function that will exclude the events in case they match * with the regular expressions provided * @param {(string|string[])} filters contains the regexp that will be used for the evaluation * @param {*} appender * @returns {function} */ function noLogFilter(filters, appender) { return (logEvent) => { debug(`Checking data: ${logEvent.data} against filters: ${filters}`); if (typeof filters === 'string') { filters = [filters]; } filters = removeNullOrEmptyRegexp(filters); const regex = new RegExp(filters.join('|'), 'i'); if ( filters.length === 0 || logEvent.data.findIndex((value) => regex.test(value)) < 0 ) { debug('Not excluded, sending to appender'); appender(logEvent); } }; } function configure(config, layouts, findAppender) { const appender = findAppender(config.appender); return noLogFilter(config.exclude, appender); } module.exports.configure = configure;
const debug = require('debug')('log4js:noLogFilter'); /** * The function removes empty or null regexp from the array * @param {string[]} regexp * @returns {string[]} a filtered string array with not empty or null regexp */ function removeNullOrEmptyRegexp(regexp) { const filtered = regexp.filter((el) => el != null && el !== ''); return filtered; } /** * Returns a function that will exclude the events in case they match * with the regular expressions provided * @param {(string|string[])} filters contains the regexp that will be used for the evaluation * @param {*} appender * @returns {function} */ function noLogFilter(filters, appender) { return (logEvent) => { debug(`Checking data: ${logEvent.data} against filters: ${filters}`); if (typeof filters === 'string') { filters = [filters]; } filters = removeNullOrEmptyRegexp(filters); const regex = new RegExp(filters.join('|'), 'i'); if ( filters.length === 0 || logEvent.data.findIndex((value) => regex.test(value)) < 0 ) { debug('Not excluded, sending to appender'); appender(logEvent); } }; } function configure(config, layouts, findAppender) { const appender = findAppender(config.appender); return noLogFilter(config.exclude, appender); } module.exports.configure = configure;
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./docs/multiprocess.md
# Multiprocess Appender _You probably want to use the [tcp server](tcp-server.md) or [tcp appender](tcp.md) instead of this - they are more flexible_ _Note that if you're just using node core's `cluster` module then you don't need to use this appender - log4js will handle logging within the cluster transparently._ The multiprocess appender sends log events to a master server over TCP sockets. It can be used as a simple way to centralise logging when you have multiple servers or processes. It uses the node.js core networking modules, and so does not require any extra dependencies. Remember to call `log4js.shutdown` when your application terminates, so that the sockets get closed cleanly. ## Configuration - `type` - `multiprocess` - `mode` - `master|worker` - controls whether the appender listens for log events sent over the network, or is responsible for serialising events and sending them to a server. - `appender` - `string` (only needed if `mode` == `master`)- the name of the appender to send the log events to - `loggerPort` - `integer` (optional, defaults to `5000`) - the port to listen on, or send to - `loggerHost` - `string` (optional, defaults to `localhost`) - the host/IP address to listen on, or send to ## Example (master) ```javascript log4js.configure({ appenders: { file: { type: "file", filename: "all-the-logs.log" }, server: { type: "multiprocess", mode: "master", appender: "file", loggerHost: "0.0.0.0", }, }, categories: { default: { appenders: ["file"], level: "info" }, }, }); ``` This creates a log server listening on port 5000, on all IP addresses the host has assigned to it. Note that the appender is not included in the appenders listed for the categories. Also note that the multiprocess master appender will send every event it receives to the underlying appender, regardless of level settings. ## Example (worker) ```javascript log4js.configure({ appenders: { network: { type: "multiprocess", mode: "worker", loggerHost: "log.server" }, }, categories: { default: { appenders: ["network"], level: "error" }, }, }); ``` This will send all error messages to `log.server:5000`.
# Multiprocess Appender _You probably want to use the [tcp server](tcp-server.md) or [tcp appender](tcp.md) instead of this - they are more flexible_ _Note that if you're just using node core's `cluster` module then you don't need to use this appender - log4js will handle logging within the cluster transparently._ The multiprocess appender sends log events to a master server over TCP sockets. It can be used as a simple way to centralise logging when you have multiple servers or processes. It uses the node.js core networking modules, and so does not require any extra dependencies. Remember to call `log4js.shutdown` when your application terminates, so that the sockets get closed cleanly. ## Configuration - `type` - `multiprocess` - `mode` - `master|worker` - controls whether the appender listens for log events sent over the network, or is responsible for serialising events and sending them to a server. - `appender` - `string` (only needed if `mode` == `master`)- the name of the appender to send the log events to - `loggerPort` - `integer` (optional, defaults to `5000`) - the port to listen on, or send to - `loggerHost` - `string` (optional, defaults to `localhost`) - the host/IP address to listen on, or send to ## Example (master) ```javascript log4js.configure({ appenders: { file: { type: "file", filename: "all-the-logs.log" }, server: { type: "multiprocess", mode: "master", appender: "file", loggerHost: "0.0.0.0", }, }, categories: { default: { appenders: ["file"], level: "info" }, }, }); ``` This creates a log server listening on port 5000, on all IP addresses the host has assigned to it. Note that the appender is not included in the appenders listed for the categories. Also note that the multiprocess master appender will send every event it receives to the underlying appender, regardless of level settings. ## Example (worker) ```javascript log4js.configure({ appenders: { network: { type: "multiprocess", mode: "worker", loggerHost: "log.server" }, }, categories: { default: { appenders: ["network"], level: "error" }, }, }); ``` This will send all error messages to `log.server:5000`.
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./lib/appenders/file.js
const debug = require('debug')('log4js:file'); const path = require('path'); const streams = require('streamroller'); const os = require('os'); const eol = os.EOL; let mainSighupListenerStarted = false; const sighupListeners = new Set(); function mainSighupHandler() { sighupListeners.forEach((app) => { app.sighupHandler(); }); } /** * File Appender writing the logs to a text file. Supports rolling of logs by size. * * @param file the file log messages will be written to * @param layout a function that takes a logEvent and returns a string * (defaults to basicLayout). * @param logSize - the maximum size (in bytes) for a log file, * if not provided then logs won't be rotated. * @param numBackups - the number of log files to keep after logSize * has been reached (default 5) * @param options - options to be passed to the underlying stream * @param timezoneOffset - optional timezone offset in minutes (default system local) */ function fileAppender( file, layout, logSize, numBackups, options, timezoneOffset ) { if (typeof file !== 'string' || file.length === 0) { throw new Error(`Invalid filename: ${file}`); } else if (file.endsWith(path.sep)) { throw new Error(`Filename is a directory: ${file}`); } else { // handle ~ expansion: https://github.com/nodejs/node/issues/684 // exclude ~ and ~filename as these can be valid files file = file.replace(new RegExp(`^~(?=${path.sep}.+)`), os.homedir()); } file = path.normalize(file); numBackups = !numBackups && numBackups !== 0 ? 5 : numBackups; debug( 'Creating file appender (', file, ', ', logSize, ', ', numBackups, ', ', options, ', ', timezoneOffset, ')' ); function openTheStream(filePath, fileSize, numFiles, opt) { const stream = new streams.RollingFileStream( filePath, fileSize, numFiles, opt ); stream.on('error', (err) => { // eslint-disable-next-line no-console console.error( 'log4js.fileAppender - Writing to file %s, error happened ', filePath, err ); }); stream.on('drain', () => { process.emit('log4js:pause', false); }); return stream; } let writer = openTheStream(file, logSize, numBackups, options); const app = function (loggingEvent) { if (!writer.writable) { return; } if (options.removeColor === true) { // eslint-disable-next-line no-control-regex const regex = /\x1b[[0-9;]*m/g; loggingEvent.data = loggingEvent.data.map((d) => { if (typeof d === 'string') return d.replace(regex, ''); return d; }); } if (!writer.write(layout(loggingEvent, timezoneOffset) + eol, 'utf8')) { process.emit('log4js:pause', true); } }; app.reopen = function () { writer.end(() => { writer = openTheStream(file, logSize, numBackups, options); }); }; app.sighupHandler = function () { debug('SIGHUP handler called.'); app.reopen(); }; app.shutdown = function (complete) { sighupListeners.delete(app); if (sighupListeners.size === 0 && mainSighupListenerStarted) { process.removeListener('SIGHUP', mainSighupHandler); mainSighupListenerStarted = false; } writer.end('', 'utf-8', complete); }; // On SIGHUP, close and reopen all files. This allows this appender to work with // logrotate. Note that if you are using logrotate, you should not set // `logSize`. sighupListeners.add(app); if (!mainSighupListenerStarted) { process.on('SIGHUP', mainSighupHandler); mainSighupListenerStarted = true; } return app; } function configure(config, layouts) { let layout = layouts.basicLayout; if (config.layout) { layout = layouts.layout(config.layout.type, config.layout); } // security default (instead of relying on streamroller default) config.mode = config.mode || 0o600; return fileAppender( config.filename, layout, config.maxLogSize, config.backups, config, config.timezoneOffset ); } module.exports.configure = configure;
const debug = require('debug')('log4js:file'); const path = require('path'); const streams = require('streamroller'); const os = require('os'); const eol = os.EOL; let mainSighupListenerStarted = false; const sighupListeners = new Set(); function mainSighupHandler() { sighupListeners.forEach((app) => { app.sighupHandler(); }); } /** * File Appender writing the logs to a text file. Supports rolling of logs by size. * * @param file the file log messages will be written to * @param layout a function that takes a logEvent and returns a string * (defaults to basicLayout). * @param logSize - the maximum size (in bytes) for a log file, * if not provided then logs won't be rotated. * @param numBackups - the number of log files to keep after logSize * has been reached (default 5) * @param options - options to be passed to the underlying stream * @param timezoneOffset - optional timezone offset in minutes (default system local) */ function fileAppender( file, layout, logSize, numBackups, options, timezoneOffset ) { if (typeof file !== 'string' || file.length === 0) { throw new Error(`Invalid filename: ${file}`); } else if (file.endsWith(path.sep)) { throw new Error(`Filename is a directory: ${file}`); } else { // handle ~ expansion: https://github.com/nodejs/node/issues/684 // exclude ~ and ~filename as these can be valid files file = file.replace(new RegExp(`^~(?=${path.sep}.+)`), os.homedir()); } file = path.normalize(file); numBackups = !numBackups && numBackups !== 0 ? 5 : numBackups; debug( 'Creating file appender (', file, ', ', logSize, ', ', numBackups, ', ', options, ', ', timezoneOffset, ')' ); function openTheStream(filePath, fileSize, numFiles, opt) { const stream = new streams.RollingFileStream( filePath, fileSize, numFiles, opt ); stream.on('error', (err) => { // eslint-disable-next-line no-console console.error( 'log4js.fileAppender - Writing to file %s, error happened ', filePath, err ); }); stream.on('drain', () => { process.emit('log4js:pause', false); }); return stream; } let writer = openTheStream(file, logSize, numBackups, options); const app = function (loggingEvent) { if (!writer.writable) { return; } if (options.removeColor === true) { // eslint-disable-next-line no-control-regex const regex = /\x1b[[0-9;]*m/g; loggingEvent.data = loggingEvent.data.map((d) => { if (typeof d === 'string') return d.replace(regex, ''); return d; }); } if (!writer.write(layout(loggingEvent, timezoneOffset) + eol, 'utf8')) { process.emit('log4js:pause', true); } }; app.reopen = function () { writer.end(() => { writer = openTheStream(file, logSize, numBackups, options); }); }; app.sighupHandler = function () { debug('SIGHUP handler called.'); app.reopen(); }; app.shutdown = function (complete) { sighupListeners.delete(app); if (sighupListeners.size === 0 && mainSighupListenerStarted) { process.removeListener('SIGHUP', mainSighupHandler); mainSighupListenerStarted = false; } writer.end('', 'utf-8', complete); }; // On SIGHUP, close and reopen all files. This allows this appender to work with // logrotate. Note that if you are using logrotate, you should not set // `logSize`. sighupListeners.add(app); if (!mainSighupListenerStarted) { process.on('SIGHUP', mainSighupHandler); mainSighupListenerStarted = true; } return app; } function configure(config, layouts) { let layout = layouts.basicLayout; if (config.layout) { layout = layouts.layout(config.layout.type, config.layout); } // security default (instead of relying on streamroller default) config.mode = config.mode || 0o600; return fileAppender( config.filename, layout, config.maxLogSize, config.backups, config, config.timezoneOffset ); } module.exports.configure = configure;
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./test/tap/appender-dependencies-test.js
const { test } = require('tap'); const categories = { default: { appenders: ['filtered'], level: 'debug' }, }; let log4js; let recording; test('log4js appender dependencies', (batch) => { batch.beforeEach((done) => { log4js = require('../../lib/log4js'); recording = require('../../lib/appenders/recording'); if (typeof done === 'function') { done(); } }); batch.afterEach((done) => { recording.erase(); if (typeof done === 'function') { done(); } }); batch.test('in order', (t) => { const config = { categories, appenders: { recorder: { type: 'recording' }, filtered: { type: 'logLevelFilter', appender: 'recorder', level: 'ERROR', }, }, }; t.test('should resolve if defined in dependency order', (assert) => { assert.doesNotThrow(() => { log4js.configure(config); }, 'this should not trigger an error'); assert.end(); }); const logger = log4js.getLogger('logLevelTest'); logger.debug('this should not trigger an event'); logger.error('this should, though'); const logEvents = recording.replay(); t.test('should process log events normally', (assert) => { assert.equal(logEvents.length, 1); assert.equal(logEvents[0].data[0], 'this should, though'); assert.end(); }); t.end(); }); batch.test('not in order', (t) => { const config = { categories, appenders: { filtered: { type: 'logLevelFilter', appender: 'recorder', level: 'ERROR', }, recorder: { type: 'recording' }, }, }; t.test('should resolve if defined out of dependency order', (assert) => { assert.doesNotThrow(() => { log4js.configure(config); }, 'this should not trigger an error'); assert.end(); }); const logger = log4js.getLogger('logLevelTest'); logger.debug('this should not trigger an event'); logger.error('this should, though'); const logEvents = recording.replay(); t.test('should process log events normally', (assert) => { assert.equal(logEvents.length, 1); assert.equal(logEvents[0].data[0], 'this should, though'); assert.end(); }); t.end(); }); batch.test('with dependency loop', (t) => { const config = { categories, appenders: { filtered: { type: 'logLevelFilter', appender: 'filtered2', level: 'ERROR', }, filtered2: { type: 'logLevelFilter', appender: 'filtered', level: 'ERROR', }, recorder: { type: 'recording' }, }, }; t.test( 'should throw an error if if a dependency loop is found', (assert) => { assert.throws(() => { log4js.configure(config); }, 'Dependency loop detected for appender filtered.'); assert.end(); } ); t.end(); }); batch.end(); });
const { test } = require('tap'); const categories = { default: { appenders: ['filtered'], level: 'debug' }, }; let log4js; let recording; test('log4js appender dependencies', (batch) => { batch.beforeEach((done) => { log4js = require('../../lib/log4js'); recording = require('../../lib/appenders/recording'); if (typeof done === 'function') { done(); } }); batch.afterEach((done) => { recording.erase(); if (typeof done === 'function') { done(); } }); batch.test('in order', (t) => { const config = { categories, appenders: { recorder: { type: 'recording' }, filtered: { type: 'logLevelFilter', appender: 'recorder', level: 'ERROR', }, }, }; t.test('should resolve if defined in dependency order', (assert) => { assert.doesNotThrow(() => { log4js.configure(config); }, 'this should not trigger an error'); assert.end(); }); const logger = log4js.getLogger('logLevelTest'); logger.debug('this should not trigger an event'); logger.error('this should, though'); const logEvents = recording.replay(); t.test('should process log events normally', (assert) => { assert.equal(logEvents.length, 1); assert.equal(logEvents[0].data[0], 'this should, though'); assert.end(); }); t.end(); }); batch.test('not in order', (t) => { const config = { categories, appenders: { filtered: { type: 'logLevelFilter', appender: 'recorder', level: 'ERROR', }, recorder: { type: 'recording' }, }, }; t.test('should resolve if defined out of dependency order', (assert) => { assert.doesNotThrow(() => { log4js.configure(config); }, 'this should not trigger an error'); assert.end(); }); const logger = log4js.getLogger('logLevelTest'); logger.debug('this should not trigger an event'); logger.error('this should, though'); const logEvents = recording.replay(); t.test('should process log events normally', (assert) => { assert.equal(logEvents.length, 1); assert.equal(logEvents[0].data[0], 'this should, though'); assert.end(); }); t.end(); }); batch.test('with dependency loop', (t) => { const config = { categories, appenders: { filtered: { type: 'logLevelFilter', appender: 'filtered2', level: 'ERROR', }, filtered2: { type: 'logLevelFilter', appender: 'filtered', level: 'ERROR', }, recorder: { type: 'recording' }, }, }; t.test( 'should throw an error if if a dependency loop is found', (assert) => { assert.throws(() => { log4js.configure(config); }, 'Dependency loop detected for appender filtered.'); assert.end(); } ); t.end(); }); batch.end(); });
-1
log4js-node/log4js-node
1,269
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information
closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
ZachHaber
2022-06-17T19:49:47Z
2022-09-29T17:00:13Z
3bc94fdd45d005cdd37e356d3f2dee18c33ae726
916eef11f1d2aa2f32765f956f1f674745feb8b6
Add ability to use passed in Errors for callstacks and adjust how deeply you want to look for information. closes #1268 New behavior: `logger.info(new Error())` will parse the error instead of creating a new one. `logger.callStackLinesToSkip = 1` will look one level deeper than the base for Error values. `logger.setParseCallStackFunction(undefined)` will reset it to default (instead of throwing an error the next time it logs). `logger.setParseCallStackFunction('')` will throw an error immediately, rather than throw the next time you log.
./examples/loggly-appender.js
// Note that loggly appender needs node-loggly to work. // If you haven't got node-loggly installed, you'll get cryptic // "cannot find module" errors when using the loggly appender const log4js = require('../lib/log4js'); log4js.configure({ appenders: { console: { type: 'console', }, loggly: { type: 'loggly', token: '12345678901234567890', subdomain: 'your-subdomain', tags: ['test'], }, }, categories: { default: { appenders: ['console'], level: 'info' }, loggly: { appenders: ['loggly'], level: 'info' }, }, }); const logger = log4js.getLogger('loggly'); logger.info('Test log message'); // logger.debug("Test log message");
// Note that loggly appender needs node-loggly to work. // If you haven't got node-loggly installed, you'll get cryptic // "cannot find module" errors when using the loggly appender const log4js = require('../lib/log4js'); log4js.configure({ appenders: { console: { type: 'console', }, loggly: { type: 'loggly', token: '12345678901234567890', subdomain: 'your-subdomain', tags: ['test'], }, }, categories: { default: { appenders: ['console'], level: 'info' }, loggly: { appenders: ['loggly'], level: 'info' }, }, }); const logger = log4js.getLogger('loggly'); logger.info('Test log message'); // logger.debug("Test log message");
-1