├── .yarnrc ├── .gitignore ├── img └── dashboard.png ├── src ├── metrics │ ├── index.ts │ ├── tasks.ts │ ├── debug.ts │ ├── window.ts │ └── workspace.ts ├── exporters │ ├── index.ts │ ├── tasks.ts │ ├── debug.ts │ ├── workspace.ts │ └── window.ts ├── test │ ├── suite │ │ ├── extension.test.ts │ │ └── index.ts │ └── runTest.ts ├── extension.ts ├── logger.ts ├── utils.ts ├── exporter.ts └── state.ts ├── .vscode ├── extensions.json ├── settings.json ├── tasks.json └── launch.json ├── .vscodeignore ├── tsconfig.json ├── CHANGELOG.md ├── .eslintrc.json ├── .github ├── PULL_REQUEST_TEMPLATE.md └── ISSUE_TEMPLATE │ ├── feature_request.md │ └── bug-report.md ├── webpack.config.js ├── package.json ├── README.md ├── LICENSE └── yarn.lock /.yarnrc: -------------------------------------------------------------------------------- 1 | --ignore-engines true -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | out 2 | dist 3 | node_modules 4 | .vscode-test/ 5 | *.vsix 6 | -------------------------------------------------------------------------------- /img/dashboard.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/guicaulada/vscode-exporter/HEAD/img/dashboard.png -------------------------------------------------------------------------------- /src/metrics/index.ts: -------------------------------------------------------------------------------- 1 | import * as debug from './debug'; 2 | import * as tasks from './tasks'; 3 | import * as window from './window'; 4 | import * as workspace from './workspace'; 5 | 6 | export { debug, tasks, window, workspace }; 7 | -------------------------------------------------------------------------------- /.vscode/extensions.json: -------------------------------------------------------------------------------- 1 | { 2 | // See http://go.microsoft.com/fwlink/?LinkId=827846 3 | // for the documentation about the extensions.json format 4 | "recommendations": ["dbaeumer.vscode-eslint", "amodio.tsl-problem-matcher"] 5 | } 6 | -------------------------------------------------------------------------------- /.vscodeignore: -------------------------------------------------------------------------------- 1 | .vscode/** 2 | .vscode-test/** 3 | out/** 4 | node_modules/** 5 | src/** 6 | .gitignore 7 | .yarnrc 8 | webpack.config.js 9 | vsc-extension-quickstart.md 10 | **/tsconfig.json 11 | **/.eslintrc.json 12 | **/*.map 13 | **/*.ts 14 | -------------------------------------------------------------------------------- /src/exporters/index.ts: -------------------------------------------------------------------------------- 1 | import { DebugExporter } from './debug'; 2 | import { TaskExporter } from './tasks'; 3 | import { WindowExporter } from './window'; 4 | import { WorkspaceExporter } from './workspace'; 5 | 6 | export { DebugExporter, TaskExporter, WindowExporter, WorkspaceExporter }; 7 | -------------------------------------------------------------------------------- /tsconfig.json: -------------------------------------------------------------------------------- 1 | { 2 | "compilerOptions": { 3 | "module": "commonjs", 4 | "target": "ES2020", 5 | "lib": ["ES2020"], 6 | "sourceMap": true, 7 | "rootDir": "src", 8 | "strict": true, 9 | "noImplicitReturns": true, 10 | "noFallthroughCasesInSwitch": true, 11 | "noUnusedParameters": true 12 | } 13 | } 14 | -------------------------------------------------------------------------------- /CHANGELOG.md: -------------------------------------------------------------------------------- 1 | # Changelog 2 | 3 | All notable changes to this project will be documented in this file. 4 | 5 | The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/), 6 | and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html). 7 | 8 | ## [Unreleased] 9 | 10 | ## [1.0.0] - 2022-09-25 11 | 12 | - Initial release -------------------------------------------------------------------------------- /.eslintrc.json: -------------------------------------------------------------------------------- 1 | { 2 | "root": true, 3 | "parser": "@typescript-eslint/parser", 4 | "parserOptions": { 5 | "ecmaVersion": 6, 6 | "sourceType": "module" 7 | }, 8 | "plugins": ["@typescript-eslint"], 9 | "rules": { 10 | "@typescript-eslint/semi": "warn", 11 | "eqeqeq": "warn", 12 | "no-throw-literal": "warn", 13 | "semi": "off", 14 | "@typescript-eslint/no-unused-vars": "error" 15 | }, 16 | "ignorePatterns": ["out", "dist", "**/*.d.ts"] 17 | } 18 | -------------------------------------------------------------------------------- /src/test/suite/extension.test.ts: -------------------------------------------------------------------------------- 1 | import * as assert from 'assert'; 2 | 3 | // You can import and use all API from the 'vscode' module 4 | // as well as import your extension to test it 5 | import * as vscode from 'vscode'; 6 | // import * as myExtension from '../../extension'; 7 | 8 | // TODO: Implement tests 9 | suite('Extension Test Suite', () => { 10 | vscode.window.showInformationMessage('Start all tests.'); 11 | 12 | test('Sample test', () => { 13 | assert.strictEqual(-1, [1, 2, 3].indexOf(5)); 14 | assert.strictEqual(-1, [1, 2, 3].indexOf(0)); 15 | }); 16 | }); 17 | -------------------------------------------------------------------------------- /src/extension.ts: -------------------------------------------------------------------------------- 1 | import * as vscode from 'vscode'; 2 | 3 | import { Logger } from './logger'; 4 | import { VSCodeExporter } from './exporter'; 5 | 6 | var logger = new Logger(); 7 | var exporter: VSCodeExporter; 8 | 9 | export function activate(ctx: vscode.ExtensionContext) { 10 | exporter = new VSCodeExporter(logger); 11 | 12 | ctx.subscriptions.push( 13 | vscode.commands.registerCommand(`${exporter.id}.open`, function () { 14 | exporter.openMetrics(); 15 | }), 16 | ); 17 | 18 | ctx.subscriptions.push(exporter); 19 | exporter.initialize(); 20 | } 21 | 22 | export function deactivate() { 23 | exporter.dispose(); 24 | } 25 | -------------------------------------------------------------------------------- /.github/PULL_REQUEST_TEMPLATE.md: -------------------------------------------------------------------------------- 1 | --- 2 | name: Pull request 3 | about: Create a pull request with a bug fix or enhancement 4 | title: '' 5 | labels: '' 6 | assignees: guicaulada 7 | 8 | --- 9 | 10 | **What this PR does / why we need it** 11 | 12 | 13 | **Which issue(s) this PR fixes** 14 | 18 | 19 | Fixes # 20 | 21 | **Special notes for your reviewer** 22 | 23 | -------------------------------------------------------------------------------- /.vscode/settings.json: -------------------------------------------------------------------------------- 1 | // Place your settings in this file to overwrite default and user settings. 2 | { 3 | "files.exclude": { 4 | "out": false, // set this to true to hide the "out" folder with the compiled JS files 5 | "dist": false // set this to true to hide the "dist" folder with the compiled JS files 6 | }, 7 | "search.exclude": { 8 | "out": true, // set this to false to include "out" folder in search results 9 | "dist": true // set this to false to include "dist" folder in search results 10 | }, 11 | // Turn off tsc task auto detection since we have the necessary tasks as npm scripts 12 | "typescript.tsc.autoDetect": "off" 13 | } -------------------------------------------------------------------------------- /.github/ISSUE_TEMPLATE/feature_request.md: -------------------------------------------------------------------------------- 1 | --- 2 | name: Feature request 3 | about: Suggest an idea for this project 4 | title: '' 5 | labels: enhancement 6 | assignees: guicaulada 7 | 8 | --- 9 | 10 | **Is your feature request related to a problem? Please describe.** 11 | 12 | 13 | **Describe the solution you'd like** 14 | 15 | 16 | **Describe alternatives you've considered** 17 | 18 | 19 | **Additional context** 20 | 21 | -------------------------------------------------------------------------------- /src/test/runTest.ts: -------------------------------------------------------------------------------- 1 | import * as path from 'path'; 2 | 3 | import { runTests } from '@vscode/test-electron'; 4 | 5 | async function main() { 6 | try { 7 | // The folder containing the Extension Manifest package.json 8 | // Passed to `--extensionDevelopmentPath` 9 | const extensionDevelopmentPath = path.resolve(__dirname, '../../'); 10 | 11 | // The path to test runner 12 | // Passed to --extensionTestsPath 13 | const extensionTestsPath = path.resolve(__dirname, './suite/index'); 14 | 15 | // Download VS Code, unzip it and run the integration test 16 | await runTests({ extensionDevelopmentPath, extensionTestsPath }); 17 | } catch (err) { 18 | console.error('Failed to run tests'); 19 | process.exit(1); 20 | } 21 | } 22 | 23 | main(); 24 | -------------------------------------------------------------------------------- /.vscode/tasks.json: -------------------------------------------------------------------------------- 1 | // See https://go.microsoft.com/fwlink/?LinkId=733558 2 | // for the documentation about the tasks.json format 3 | { 4 | "version": "2.0.0", 5 | "tasks": [ 6 | { 7 | "type": "npm", 8 | "script": "watch", 9 | "problemMatcher": "$ts-webpack-watch", 10 | "isBackground": true, 11 | "presentation": { 12 | "reveal": "never", 13 | "group": "watchers" 14 | }, 15 | "group": { 16 | "kind": "build", 17 | "isDefault": true 18 | } 19 | }, 20 | { 21 | "type": "npm", 22 | "script": "watch-tests", 23 | "problemMatcher": "$tsc-watch", 24 | "isBackground": true, 25 | "presentation": { 26 | "reveal": "never", 27 | "group": "watchers" 28 | }, 29 | "group": "build" 30 | }, 31 | { 32 | "label": "tasks: watch-tests", 33 | "dependsOn": [ 34 | "npm: watch", 35 | "npm: watch-tests" 36 | ], 37 | "problemMatcher": [] 38 | } 39 | ] 40 | } 41 | -------------------------------------------------------------------------------- /src/test/suite/index.ts: -------------------------------------------------------------------------------- 1 | import * as path from 'path'; 2 | import * as Mocha from 'mocha'; 3 | import * as glob from 'glob'; 4 | 5 | export function run(): Promise { 6 | // Create the mocha test 7 | const mocha = new Mocha({ 8 | ui: 'tdd', 9 | color: true 10 | }); 11 | 12 | const testsRoot = path.resolve(__dirname, '..'); 13 | 14 | return new Promise((c, e) => { 15 | glob('**/**.test.js', { cwd: testsRoot }, (err, files) => { 16 | if (err) { 17 | return e(err); 18 | } 19 | 20 | // Add files to the test suite 21 | files.forEach(f => mocha.addFile(path.resolve(testsRoot, f))); 22 | 23 | try { 24 | // Run the mocha test 25 | mocha.run(failures => { 26 | if (failures > 0) { 27 | e(new Error(`${failures} tests failed.`)); 28 | } else { 29 | c(); 30 | } 31 | }); 32 | } catch (err) { 33 | console.error(err); 34 | e(err); 35 | } 36 | }); 37 | }); 38 | } 39 | -------------------------------------------------------------------------------- /.github/ISSUE_TEMPLATE/bug-report.md: -------------------------------------------------------------------------------- 1 | --- 2 | name: Bug report 3 | about: Create a report to help us improve 4 | title: Small problem description here 5 | labels: bug 6 | assignees: guicaulada 7 | 8 | --- 9 | 10 | **Describe the bug** 11 | 12 | 13 | **To Reproduce** 14 | 21 | 22 | **Expected behavior** 23 | 24 | 25 | **Screenshots** 26 | 27 | 28 | **Environment details** 29 | 35 | 36 | **Additional context** 37 | 38 | -------------------------------------------------------------------------------- /src/metrics/tasks.ts: -------------------------------------------------------------------------------- 1 | import * as prom from 'prom-client'; 2 | 3 | export const secondsTotal = new prom.Counter({ 4 | name: 'vscode_tasks_seconds_total', 5 | help: 'Total duration of tasks by name, type and if is background in seconds.', 6 | labelNames: ['name', 'type', 'source', 'is_background'], 7 | }); 8 | 9 | export const tasksActive = new prom.Gauge({ 10 | name: 'vscode_tasks_active', 11 | help: 'Number of active tasks by name, type and if is background.', 12 | labelNames: ['name', 'type', 'source', 'is_background'], 13 | }); 14 | 15 | export const processActive = new prom.Gauge({ 16 | name: 'vscode_tasks_process_active', 17 | help: 'Number of active processes by task name, type and if is background.', 18 | labelNames: ['name', 'type', 'source', 'is_background'], 19 | }); 20 | 21 | export const processTotal = new prom.Counter({ 22 | name: 'vscode_tasks_process_total', 23 | help: 'Number of active processes by task name, type, if is background and exit code.', 24 | labelNames: ['name', 'type', 'source', 'is_background', 'exit_code'], 25 | }); 26 | -------------------------------------------------------------------------------- /.vscode/launch.json: -------------------------------------------------------------------------------- 1 | // A launch configuration that compiles the extension and then opens it inside a new window 2 | // Use IntelliSense to learn about possible attributes. 3 | // Hover to view descriptions of existing attributes. 4 | // For more information, visit: https://go.microsoft.com/fwlink/?linkid=830387 5 | { 6 | "version": "0.2.0", 7 | "configurations": [ 8 | { 9 | "name": "Run Extension", 10 | "type": "extensionHost", 11 | "request": "launch", 12 | "args": [ 13 | "--extensionDevelopmentPath=${workspaceFolder}" 14 | ], 15 | "outFiles": [ 16 | "${workspaceFolder}/dist/**/*.js" 17 | ], 18 | "preLaunchTask": "${defaultBuildTask}" 19 | }, 20 | { 21 | "name": "Extension Tests", 22 | "type": "extensionHost", 23 | "request": "launch", 24 | "args": [ 25 | "--extensionDevelopmentPath=${workspaceFolder}", 26 | "--extensionTestsPath=${workspaceFolder}/out/test/suite/index" 27 | ], 28 | "outFiles": [ 29 | "${workspaceFolder}/out/**/*.js", 30 | "${workspaceFolder}/dist/**/*.js" 31 | ], 32 | "preLaunchTask": "tasks: watch-tests" 33 | } 34 | ] 35 | } 36 | -------------------------------------------------------------------------------- /src/logger.ts: -------------------------------------------------------------------------------- 1 | import { Utils } from './utils'; 2 | 3 | export enum LogLevel { 4 | DEBUG = 0, 5 | INFO, 6 | WARN, 7 | ERROR, 8 | } 9 | 10 | export class Logger { 11 | private level: LogLevel = LogLevel.INFO; 12 | 13 | constructor(level?: LogLevel) { 14 | if (level !== undefined) { 15 | this.setLevel(level); 16 | } 17 | } 18 | 19 | private log(level: LogLevel, msg: string, ...keyvals: any[]): void { 20 | if (level >= this.level) { 21 | msg = `[VSCode Exporter] [${LogLevel[level]}] [${Utils.getTime()}] ${msg}`; 22 | for (let i = 0; i < keyvals.length; i += 2) { 23 | msg += ` ${keyvals[i]}=${keyvals[i + 1]}`; 24 | } 25 | console.log(msg); 26 | } 27 | } 28 | 29 | public getLevel(): LogLevel { 30 | return this.level; 31 | } 32 | 33 | public setLevel(level: LogLevel): void { 34 | this.level = level; 35 | } 36 | 37 | public debug(msg: string, ...keyvals: any[]): void { 38 | this.log(LogLevel.DEBUG, msg, ...keyvals); 39 | } 40 | 41 | public info(msg: string, ...keyvals: any[]): void { 42 | this.log(LogLevel.INFO, msg, ...keyvals); 43 | } 44 | 45 | public warn(msg: string, ...keyvals: any[]): void { 46 | this.log(LogLevel.WARN, msg, ...keyvals); 47 | } 48 | 49 | public error(msg: string, ...keyvals: any[]): void { 50 | this.log(LogLevel.ERROR, msg, ...keyvals); 51 | } 52 | } 53 | -------------------------------------------------------------------------------- /src/metrics/debug.ts: -------------------------------------------------------------------------------- 1 | import * as prom from 'prom-client'; 2 | 3 | export const secondsTotal = new prom.Counter({ 4 | name: 'vscode_debug_seconds_total', 5 | help: 'Total duration of debug sessions by id, name, type and folder in seconds.', 6 | labelNames: ['id', 'name', 'type', 'folder'], 7 | }); 8 | 9 | export const secondsActive = new prom.Counter({ 10 | name: 'vscode_debug_seconds_active', 11 | help: 'Duration of active debug sessions by id, name, type and folder in seconds.', 12 | labelNames: ['id', 'name', 'type', 'folder'], 13 | }); 14 | 15 | export const sessionsActive = new prom.Gauge({ 16 | name: 'vscode_debug_sessions_active', 17 | help: 'Number of active debug sessions by id, name, type and folder.', 18 | labelNames: ['id', 'name', 'type', 'folder'], 19 | }); 20 | 21 | export const breakpointsEnabled = new prom.Gauge({ 22 | name: 'vscode_breakpoints_enabled', 23 | help: 'Number of enabled breakpoints by session id, name, type and folder.', 24 | labelNames: ['id', 'name', 'type', 'folder'], 25 | }); 26 | 27 | export const breakpointsActive = new prom.Gauge({ 28 | name: 'vscode_breakpoints_active', 29 | help: 'Number of active breakpoints by session id, name, type and folder.', 30 | labelNames: ['id', 'name', 'type', 'folder'], 31 | }); 32 | 33 | export const customEvents = new prom.Counter({ 34 | name: 'vscode_debug_custom_events', 35 | help: 'Number of custom events received on debug sessions by id, name, type and folder.', 36 | labelNames: ['id', 'name', 'type', 'folder'], 37 | }); 38 | -------------------------------------------------------------------------------- /webpack.config.js: -------------------------------------------------------------------------------- 1 | //@ts-check 2 | 3 | 'use strict'; 4 | 5 | const path = require('path'); 6 | 7 | //@ts-check 8 | /** @typedef {import('webpack').Configuration} WebpackConfig **/ 9 | 10 | /** @type WebpackConfig */ 11 | const extensionConfig = { 12 | target: 'node', // VS Code extensions run in a Node.js-context 📖 -> https://webpack.js.org/configuration/node/ 13 | mode: 'none', // this leaves the source code as close as possible to the original (when packaging we set this to 'production') 14 | 15 | entry: './src/extension.ts', // the entry point of this extension, 📖 -> https://webpack.js.org/configuration/entry-context/ 16 | output: { 17 | // the bundle is stored in the 'dist' folder (check package.json), 📖 -> https://webpack.js.org/configuration/output/ 18 | path: path.resolve(__dirname, 'dist'), 19 | filename: 'extension.js', 20 | libraryTarget: 'commonjs2' 21 | }, 22 | externals: { 23 | vscode: 'commonjs vscode' // the vscode-module is created on-the-fly and must be excluded. Add other modules that cannot be webpack'ed, 📖 -> https://webpack.js.org/configuration/externals/ 24 | // modules added here also need to be added in the .vscodeignore file 25 | }, 26 | resolve: { 27 | // support reading TypeScript and JavaScript files, 📖 -> https://github.com/TypeStrong/ts-loader 28 | extensions: ['.ts', '.js'] 29 | }, 30 | module: { 31 | rules: [ 32 | { 33 | test: /\.ts$/, 34 | exclude: /node_modules/, 35 | use: [ 36 | { 37 | loader: 'ts-loader' 38 | } 39 | ] 40 | } 41 | ] 42 | }, 43 | devtool: 'nosources-source-map', 44 | infrastructureLogging: { 45 | level: "log", // enables logging required for problem matchers 46 | }, 47 | }; 48 | module.exports = [ extensionConfig ]; -------------------------------------------------------------------------------- /src/utils.ts: -------------------------------------------------------------------------------- 1 | import * as vscode from 'vscode'; 2 | import * as path from 'path'; 3 | 4 | export abstract class Utils { 5 | public static getTimeSince(time: number) { 6 | return (Date.now() - time) / 1000; 7 | } 8 | 9 | public static getTime() { 10 | const date = new Date(); 11 | const MM = (date.getMonth() + 1).toString().padStart(2, '0'); 12 | const dd = date.getDate().toString().padStart(2, '0'); 13 | const HH = date.getHours().toString().padStart(2, '0'); 14 | const mm = date.getMinutes().toString().padStart(2, '0'); 15 | const ss = date.getSeconds().toString().padStart(2, '0'); 16 | return `${MM}-${dd}|${HH}:${mm}:${ss}`; 17 | } 18 | 19 | public static getFileName(file: string): string { 20 | return path.basename(file); 21 | } 22 | 23 | public static getFileFolder(file: string): string { 24 | const projectPath = this.getProjectFolder(file); 25 | return path.dirname(file).replace(projectPath, '').substring(1); 26 | } 27 | 28 | public static getProjectName(file: string): string { 29 | if (!vscode.workspace) return ''; 30 | let uri = vscode.Uri.file(file); 31 | let workspaceFolder = vscode.workspace.getWorkspaceFolder(uri); 32 | if (workspaceFolder) { 33 | try { 34 | return workspaceFolder.name; 35 | } catch (e) {} 36 | } 37 | if (vscode.workspace.workspaceFolders && vscode.workspace.workspaceFolders.length) { 38 | return vscode.workspace.workspaceFolders[0].name; 39 | } 40 | return vscode.workspace.name || ''; 41 | } 42 | 43 | private static getProjectFolder(file: string): string { 44 | if (!vscode.workspace) return ''; 45 | let uri = vscode.Uri.file(file); 46 | let workspaceFolder = vscode.workspace.getWorkspaceFolder(uri); 47 | if (workspaceFolder) { 48 | try { 49 | return workspaceFolder.uri.fsPath; 50 | } catch (e) {} 51 | } 52 | if (vscode.workspace.workspaceFolders && vscode.workspace.workspaceFolders.length) { 53 | return vscode.workspace.workspaceFolders[0].uri.fsPath; 54 | } 55 | return ''; 56 | } 57 | } 58 | -------------------------------------------------------------------------------- /package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "vscode-exporter", 3 | "displayName": "VSCode Exporter", 4 | "description": "Prometheus exporter for VSCode metrics", 5 | "license": "AGPL-3.0-only", 6 | "version": "6.0.5", 7 | "publisher": "guicaulada", 8 | "private": true, 9 | "keywords": [ 10 | "prometheus", 11 | "metrics", 12 | "vscode" 13 | ], 14 | "author": { 15 | "name": "Guilherme Caulada", 16 | "email": "guilherme.caulada@gmail.com" 17 | }, 18 | "repository": { 19 | "type": "git", 20 | "url": "https://github.com/guicaulada/vscode-exporter.git" 21 | }, 22 | "engines": { 23 | "vscode": "^1.71.0" 24 | }, 25 | "categories": [ 26 | "Other" 27 | ], 28 | "activationEvents": [ 29 | "onStartupFinished" 30 | ], 31 | "extensionKind": [ 32 | "ui" 33 | ], 34 | "main": "./dist/extension.js", 35 | "contributes": { 36 | "commands": [ 37 | { 38 | "command": "vscode-exporter.open", 39 | "title": "VSCode Exporter: Open metrics" 40 | } 41 | ], 42 | "configuration": { 43 | "title": "VSCode Exporter", 44 | "properties": { 45 | "VSCodeExporter.port": { 46 | "type": "number", 47 | "default": 9931, 48 | "description": "Metrics HTTP server port" 49 | }, 50 | "VSCodeExporter.debugLogs": { 51 | "type": "boolean", 52 | "default": false, 53 | "description": "Enable debug logs" 54 | } 55 | } 56 | } 57 | }, 58 | "prettier": { 59 | "printWidth": 160, 60 | "singleQuote": true, 61 | "trailingComma": "all" 62 | }, 63 | "scripts": { 64 | "vscode:prepublish": "yarn run package", 65 | "compile": "webpack", 66 | "watch": "webpack --watch", 67 | "package": "webpack --mode production --devtool hidden-source-map", 68 | "compile-tests": "tsc -p . --outDir out", 69 | "watch-tests": "tsc -p . -w --outDir out", 70 | "pretest": "yarn run compile-tests && yarn run compile && yarn run lint", 71 | "lint": "eslint src --ext ts", 72 | "test": "node ./out/test/runTest.js" 73 | }, 74 | "devDependencies": { 75 | "@types/glob": "^7.2.0", 76 | "@types/mocha": "^9.1.1", 77 | "@types/node": "16.x", 78 | "@types/vscode": "^1.71.0", 79 | "@typescript-eslint/eslint-plugin": "^5.31.0", 80 | "@typescript-eslint/parser": "^5.31.0", 81 | "@vscode/test-electron": "^2.1.5", 82 | "eslint": "^8.20.0", 83 | "glob": "^8.0.3", 84 | "mocha": "^10.0.0", 85 | "ts-loader": "^9.3.1", 86 | "typescript": "^4.7.4", 87 | "webpack": "^5.76.0", 88 | "webpack-cli": "^4.10.0" 89 | }, 90 | "dependencies": { 91 | "prom-client": "^14.1.0" 92 | } 93 | } 94 | -------------------------------------------------------------------------------- /src/exporters/tasks.ts: -------------------------------------------------------------------------------- 1 | import * as vscode from 'vscode'; 2 | import { Logger } from '../logger'; 3 | import * as metrics from '../metrics'; 4 | import { State } from '../state'; 5 | import { Utils } from '../utils'; 6 | 7 | export class TaskExporter { 8 | private logger: Logger; 9 | private state: State; 10 | 11 | constructor(logger: Logger, state: State) { 12 | this.logger = logger; 13 | this.state = state; 14 | } 15 | 16 | public setupEventListeners(): vscode.Disposable { 17 | this.logger.debug('setting up task event listeners'); 18 | let subscriptions: vscode.Disposable[] = []; 19 | 20 | vscode.tasks.onDidEndTask(this.onDidEndTask, this, subscriptions); 21 | vscode.tasks.onDidEndTaskProcess(this.onDidEndTaskProcess, this, subscriptions); 22 | vscode.tasks.onDidStartTask(this.onDidStartTask, this, subscriptions); 23 | vscode.tasks.onDidStartTaskProcess(this.onDidStartTaskProcess, this, subscriptions); 24 | 25 | return vscode.Disposable.from(...subscriptions); 26 | } 27 | 28 | private onDidEndTask(event: vscode.TaskEndEvent) { 29 | this.logger.debug('received event onDidEndTask'); 30 | const name = event.execution.task.name; 31 | const task = this.state.tasks.get(name); 32 | if (task) { 33 | const time = Utils.getTimeSince(task.start); 34 | const labels = this.state.getTaskLabels(task); 35 | metrics.tasks.tasksActive.dec(labels, 1); 36 | metrics.tasks.secondsTotal.inc(labels, time); 37 | this.state.tasks.delete(name); 38 | } 39 | } 40 | 41 | private onDidEndTaskProcess(event: vscode.TaskProcessEndEvent) { 42 | this.logger.debug('received event onDidEndTaskProcess'); 43 | const name = event.execution.task.name; 44 | const task = this.state.tasks.get(name); 45 | if (task) { 46 | const labels = this.state.getTaskLabels(task); 47 | metrics.tasks.processTotal.inc({ ...labels, exit_code: event.exitCode }, 1); 48 | metrics.tasks.processActive.dec(labels, 1); 49 | } 50 | } 51 | 52 | private onDidStartTask(event: vscode.TaskStartEvent) { 53 | this.logger.debug('received event onDidStartTask'); 54 | const task = this.state.fromTask(event.execution.task); 55 | this.state.tasks.set(task.name, task); 56 | const labels = this.state.getTaskLabels(task); 57 | metrics.tasks.tasksActive.inc(labels, 1); 58 | } 59 | 60 | private onDidStartTaskProcess(event: vscode.TaskProcessStartEvent) { 61 | this.logger.debug('received event onDidStartTaskProcess'); 62 | const task = this.state.tasks.get(event.execution.task.name); 63 | if (task) { 64 | const labels = this.state.getTaskLabels(task); 65 | metrics.tasks.processActive.inc(labels, 1); 66 | } 67 | } 68 | } 69 | -------------------------------------------------------------------------------- /src/metrics/window.ts: -------------------------------------------------------------------------------- 1 | import * as prom from 'prom-client'; 2 | 3 | export const notebookSecondsActive = new prom.Counter({ 4 | name: 'vscode_notebooks_seconds_active', 5 | help: 'Duration of active notebook sessions by project, folder, file, type and if is untitled in seconds.', 6 | labelNames: ['project', 'folder', 'file', 'type', 'is_untitled'], 7 | }); 8 | 9 | export const notebookCells = new prom.Gauge({ 10 | name: 'vscode_notebooks_cells', 11 | help: 'Number of cells by notebook project, folder, file, type and if is untitled.', 12 | labelNames: ['project', 'folder', 'file', 'type', 'is_untitled'], 13 | }); 14 | 15 | export const terminalSecondsTotal = new prom.Counter({ 16 | name: 'vscode_terminals_seconds_total', 17 | help: 'Total duration of terminal sessions by name and exit code in seconds.', 18 | labelNames: ['name', 'exit_code'], 19 | }); 20 | 21 | export const terminalSecondsActive = new prom.Counter({ 22 | name: 'vscode_terminals_seconds_active', 23 | help: 'Duration of active terminal sessions by name and exit code in seconds.', 24 | labelNames: ['name'], 25 | }); 26 | 27 | export const terminalActive = new prom.Gauge({ 28 | name: 'vscode_terminals_active', 29 | help: 'Number of active terminal sessions by name.', 30 | labelNames: ['name'], 31 | }); 32 | 33 | export const editorSecondsActive = new prom.Counter({ 34 | name: 'vscode_editor_seconds_active', 35 | help: 'Duration of active text editors by project, folder, file, language and if is untitled.', 36 | labelNames: ['project', 'folder', 'file', 'language', 'is_untitled'], 37 | }); 38 | 39 | export const charactersTotal = new prom.Gauge({ 40 | name: 'vscode_characters_total', 41 | help: 'Total number of characters by project, folder, file, language and if is untitled.', 42 | labelNames: ['project', 'folder', 'file', 'language', 'is_untitled'], 43 | }); 44 | 45 | export const linesTotal = new prom.Gauge({ 46 | name: 'vscode_lines_total', 47 | help: 'Total number of lines by project, folder, file, language and if is untitled.', 48 | labelNames: ['project', 'folder', 'file', 'language', 'is_untitled'], 49 | }); 50 | 51 | export const editorsEdits = new prom.Counter({ 52 | name: 'vscode_editors_edits_total', 53 | help: 'Total number of edits on text editors by project, folder, file, language and if is untitled.', 54 | labelNames: ['project', 'folder', 'file', 'language', 'is_untitled'], 55 | }); 56 | 57 | export const notebooksEdits = new prom.Counter({ 58 | name: 'vscode_notebooks_edits_total', 59 | help: 'Total number of edits on text notebooks by project, folder, file, language and if is untitled.', 60 | labelNames: ['project', 'folder', 'file', 'language', 'is_untitled'], 61 | }); 62 | 63 | export const visibleNotebooks = new prom.Gauge({ 64 | name: 'vscode_notebooks_visible', 65 | help: 'Number of visible notebooks sessions by project, folder, file, type and if is untitled.', 66 | labelNames: ['project', 'folder', 'file', 'type', 'is_untitled'], 67 | }); 68 | 69 | export const visibleEditors = new prom.Gauge({ 70 | name: 'vscode_editors_visible', 71 | help: 'Number of visible editors by project, folder, file, language and if is untitled.', 72 | labelNames: ['project', 'folder', 'file', 'language', 'is_untitled'], 73 | }); 74 | 75 | export const focusedSecondsActive = new prom.Counter({ 76 | name: 'vscode_seconds_active', 77 | help: 'Duration VSCode was active in seconds.', 78 | labelNames: ['focused'], 79 | }); 80 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # vscode-exporter 2 | 3 | Prometheus exporter for VSCode metrics using [prom-client](https://github.com/siimon/prom-client). 4 | 5 | [![Grafana dashboard](./img/dashboard.png)](https://guicaulada.grafana.net/public-dashboards/e00f2ad838544b02826e8c075c05df45?orgId=1&refresh=30s) 6 | 7 | You can download the dashboard [here](https://grafana.com/grafana/dashboards/18169). 8 | 9 | ## Features 10 | 11 | This extension exposes the following custom metrics on the `/metrics` endpoint: 12 | 13 | ```text 14 | vscode_debug_seconds_total{id, name, type, folder} counter 15 | vscode_debug_seconds_active{id, name, type, folder} counter 16 | vscode_debug_sessions_active{id, name, type, folder} gauge 17 | vscode_breakpoints_enabled{session id, name, type, folder} gauge 18 | vscode_breakpoints_active{session id, name, type, folder} gauge 19 | vscode_debug_custom_events{id, name, type, folder} counter 20 | vscode_tasks_seconds_total{name, type, is_background} counter 21 | vscode_tasks_active{name, type, is_background} gauge 22 | vscode_tasks_process_active{name, type, is_background} gauge 23 | vscode_tasks_process_total{name, type, is_background, exit_code} counter 24 | vscode_notebooks_seconds_active{project, folder, file, type, is_untitled} counter 25 | vscode_notebooks_cells{project, folder, file, type, is_untitled} gauge 26 | vscode_terminals_seconds_total{name, exit_code} counter 27 | vscode_terminals_seconds_active{name, exit_code} counter 28 | vscode_terminals_active {name} gauge 29 | vscode_editor_seconds_active{project, folder, file, language, is_untitled} counter 30 | vscode_characters_total{project, folder, file, language, is_untitled} gauge 31 | vscode_lines_total{project, folder, file, language, is_untitled} gauge 32 | vscode_editors_edits_total{project, folder, file, language, is_untitled} counter 33 | vscode_notebooks_edits_total{project, folder, file, language, is_untitled} counter 34 | vscode_notebooks_visible{project, folder, file, type, is_untitled} gauge 35 | vscode_editors_visible{project, folder, file, language, is_untitled} gauge 36 | vscode_seconds_active {focused} counter 37 | vscode_notebooks_content_changes_total{project, folder, file, type, is_untitled} counter 38 | vscode_notebooks_cell_changes_total{project, folder, file, type, is_untitled} counter 39 | vscode_editors_content_changes_total{project, folder, file, language, is_untitled} counter 40 | vscode_workspace_folders_added{project, folder, name} counter 41 | vscode_workspace_folders_removed{project, folder, name} counter 42 | vscode_workspace_notebooks_closed{project, folder, file, type, is_untitled} counter 43 | vscode_workspace_documents_closed{project, folder, file, language, is_untitled} counter 44 | vscode_workspace_files_added{project, folder, name} counter 45 | vscode_workspace_files_removed{project, folder, name} counter 46 | vscode_workspace_trust_grants{project} counter 47 | vscode_workspace_notebooks_opened{project, folder, file, type, is_untitled} counter 48 | vscode_workspace_documents_opened{project, folder, file, language, is_untitled} counter 49 | vscode_workspace_files_renamed{project, folder, name} counter 50 | vscode_workspace_notebooks_saved{project, folder, file, type, is_untitled} counter 51 | vscode_workspace_documents_saved{project, folder, file, language, is_untitled} counter 52 | ``` 53 | 54 | All the default metrics recommended by Prometheus [itself](https://prometheus.io/docs/instrumenting/writing_clientlibs/#standard-and-runtime-collectors) for Node.js are also exposed. 55 | 56 | ## Extension Settings 57 | 58 | This extension contributes the following settings: 59 | 60 | * `VSCodeExporter.port`: Port to expose metrics on (default: 9931). 61 | * `VSCodeExporter.debug`: Enable debug logs (default: false). 62 | 63 | ## Extension Commands 64 | 65 | This extension contributes the following commands: 66 | 67 | * `vscode-exporter.open`: Opens the metrics endpoint on your browser. 68 | 69 | **All recommendations, issues and pull requests are welcome! Enjoy!** 70 | -------------------------------------------------------------------------------- /src/exporters/debug.ts: -------------------------------------------------------------------------------- 1 | import * as vscode from 'vscode'; 2 | import { Logger } from '../logger'; 3 | import * as metrics from '../metrics'; 4 | import { State } from '../state'; 5 | import { Utils } from '../utils'; 6 | 7 | export class DebugExporter { 8 | private logger: Logger; 9 | private state: State; 10 | 11 | constructor(logger: Logger, state: State) { 12 | this.logger = logger; 13 | this.state = state; 14 | } 15 | 16 | public setupEventListeners(): vscode.Disposable { 17 | this.logger.debug('setting up debug event listeners'); 18 | let subscriptions: vscode.Disposable[] = []; 19 | 20 | vscode.debug.onDidChangeActiveDebugSession(this.onDidChangeActiveDebugSession, this, subscriptions); 21 | vscode.debug.onDidChangeBreakpoints(this.onDidChangeBreakpoints, this, subscriptions); 22 | vscode.debug.onDidReceiveDebugSessionCustomEvent(this.onDidReceiveDebugSessionCustomEvent, this, subscriptions); 23 | vscode.debug.onDidStartDebugSession(this.onDidStartDebugSession, this, subscriptions); 24 | vscode.debug.onDidTerminateDebugSession(this.onDidTerminateDebugSession, this, subscriptions); 25 | 26 | return vscode.Disposable.from(...subscriptions); 27 | } 28 | 29 | private onDidChangeActiveDebugSession(event?: vscode.DebugSession) { 30 | this.logger.debug('received event onDidChangeActiveDebugSession'); 31 | if (this.state.activeDebugSession) { 32 | const time = Utils.getTimeSince(this.state.activeDebugSession.start); 33 | const labels = this.state.getDebugSessionLabels(this.state.activeDebugSession); 34 | metrics.debug.secondsActive.inc(labels, time); 35 | delete this.state.activeDebugSession; 36 | } 37 | if (event) { 38 | this.state.activeDebugSession = this.state.fromDebugSession(event); 39 | } 40 | } 41 | 42 | private onDidChangeBreakpoints(event: vscode.BreakpointsChangeEvent) { 43 | this.logger.debug('received event onDidChangeBreakpoints'); 44 | this.state.breakpoints = this.state.breakpoints ?? []; 45 | const removed = event.removed.map((bp) => bp.id); 46 | const changed = event.changed.map((bp) => bp.id); 47 | this.state.breakpoints = this.state.breakpoints.filter((bp) => !removed.includes(bp.id) && !changed.includes(bp.id)); 48 | this.state.breakpoints.push(...event.changed); 49 | this.state.breakpoints.push(...event.added); 50 | const active = this.state.breakpoints.length; 51 | const enabled = this.state.breakpoints.filter((bp) => bp.enabled).length; 52 | metrics.debug.breakpointsActive.set(active); 53 | metrics.debug.breakpointsEnabled.set(enabled); 54 | } 55 | 56 | private onDidReceiveDebugSessionCustomEvent(event: vscode.DebugSessionCustomEvent) { 57 | this.logger.debug('received event onDidReceiveDebugSessionCustomEvent'); 58 | const session = this.state.debugSessions.get(event.session.id); 59 | if (session) { 60 | const labels = this.state.getDebugSessionLabels(session); 61 | metrics.debug.customEvents.inc(labels, 1); 62 | } 63 | } 64 | 65 | private onDidStartDebugSession(event: vscode.DebugSession) { 66 | this.logger.debug('received event onDidStartDebugSession'); 67 | const session = this.state.fromDebugSession(event); 68 | this.state.debugSessions.set(event.id, session); 69 | const labels = this.state.getDebugSessionLabels(session); 70 | metrics.debug.sessionsActive.inc(labels, 1); 71 | } 72 | 73 | private onDidTerminateDebugSession(event: vscode.DebugSession) { 74 | this.logger.debug('received event onDidTerminateDebugSession'); 75 | const session = this.state.debugSessions.get(event.id); 76 | if (session) { 77 | const time = Utils.getTimeSince(session.start); 78 | const labels = this.state.getDebugSessionLabels(session); 79 | metrics.debug.secondsTotal.inc(labels, time); 80 | metrics.debug.sessionsActive.dec(labels, 1); 81 | this.state.debugSessions.delete(event.id); 82 | } 83 | } 84 | } 85 | -------------------------------------------------------------------------------- /src/metrics/workspace.ts: -------------------------------------------------------------------------------- 1 | import * as prom from 'prom-client'; 2 | 3 | export const notebookContentChanges = new prom.Counter({ 4 | name: 'vscode_notebooks_content_changes_total', 5 | help: 'Total number of content changes in notebooks by project, folder, file, type and if is untitled.', 6 | labelNames: ['project', 'folder', 'file', 'type', 'is_untitled'], 7 | }); 8 | 9 | export const notebookCellChanges = new prom.Counter({ 10 | name: 'vscode_notebooks_cell_changes_total', 11 | help: 'Total number of cell changes in notebooks by project, folder, file, type and if is untitled.', 12 | labelNames: ['project', 'folder', 'file', 'type', 'is_untitled'], 13 | }); 14 | 15 | export const editorsContentChanges = new prom.Counter({ 16 | name: 'vscode_editors_content_changes_total', 17 | help: 'Total number of content changes in editor by project, folder, file, language and if is untitled.', 18 | labelNames: ['project', 'folder', 'file', 'type', 'language', 'is_untitled'], 19 | }); 20 | 21 | export const foldersAdded = new prom.Counter({ 22 | name: 'vscode_workspace_folders_added', 23 | help: 'Total number of folders added in workspace by project, folder and name.', 24 | labelNames: ['project', 'folder', 'name'], 25 | }); 26 | 27 | export const foldersRemoved = new prom.Counter({ 28 | name: 'vscode_workspace_folders_removed', 29 | help: 'Total number of folders removed in workspace by project, folder and name.', 30 | labelNames: ['project', 'folder', 'name'], 31 | }); 32 | 33 | export const notebooksClosed = new prom.Counter({ 34 | name: 'vscode_workspace_notebooks_closed', 35 | help: 'Total number of notebooks closed in workspace by project, folder, file, type and if is untitled.', 36 | labelNames: ['project', 'folder', 'file', 'type', 'is_untitled'], 37 | }); 38 | 39 | export const documentsClosed = new prom.Counter({ 40 | name: 'vscode_workspace_documents_closed', 41 | help: 'Total number of documents closed in workspace by project, folder, file, language and if is untitled.', 42 | labelNames: ['project', 'folder', 'file', 'language', 'is_untitled'], 43 | }); 44 | 45 | export const filesAdded = new prom.Counter({ 46 | name: 'vscode_workspace_files_added', 47 | help: 'Total number of files added in workspace by project, folder and name.', 48 | labelNames: ['project', 'folder', 'name'], 49 | }); 50 | 51 | export const filesRemoved = new prom.Counter({ 52 | name: 'vscode_workspace_files_removed', 53 | help: 'Total number of files removed in workspace by project, folder and name.', 54 | labelNames: ['project', 'folder', 'name'], 55 | }); 56 | 57 | export const trustGrant = new prom.Counter({ 58 | name: 'vscode_workspace_trust_grants', 59 | help: 'Total number of trust grants in workspace by project.', 60 | labelNames: ['project'], 61 | }); 62 | 63 | export const notebooksOpened = new prom.Counter({ 64 | name: 'vscode_workspace_notebooks_opened', 65 | help: 'Total number of notebooks opened in workspace by project, folder, file, type and if is untitled.', 66 | labelNames: ['project', 'folder', 'file', 'type', 'is_untitled'], 67 | }); 68 | 69 | export const documentsOpened = new prom.Counter({ 70 | name: 'vscode_workspace_documents_opened', 71 | help: 'Total number of documents opened in workspace by project, folder, file, language and if is untitled.', 72 | labelNames: ['project', 'folder', 'file', 'language', 'is_untitled'], 73 | }); 74 | 75 | export const filesRenamed = new prom.Counter({ 76 | name: 'vscode_workspace_files_renamed', 77 | help: 'Total number of files renamed in workspace by project, folder and name.', 78 | labelNames: ['project', 'folder', 'name'], 79 | }); 80 | 81 | export const notebooksSaved = new prom.Counter({ 82 | name: 'vscode_workspace_notebooks_saved', 83 | help: 'Total number of notebooks saved in workspace by project, folder, file, type and if is untitled.', 84 | labelNames: ['project', 'folder', 'file', 'type', 'is_untitled'], 85 | }); 86 | 87 | export const documentsSaved = new prom.Counter({ 88 | name: 'vscode_workspace_documents_saved', 89 | help: 'Total number of documents saved in workspace by project, folder, file, language and if is untitled.', 90 | labelNames: ['project', 'folder', 'file', 'language', 'is_untitled'], 91 | }); 92 | -------------------------------------------------------------------------------- /src/exporter.ts: -------------------------------------------------------------------------------- 1 | import * as vscode from 'vscode'; 2 | import * as prom from 'prom-client'; 3 | import * as http from 'http'; 4 | import { Logger, LogLevel } from './logger'; 5 | import { DebugExporter, TaskExporter, WindowExporter, WorkspaceExporter } from './exporters'; 6 | import { State } from './state'; 7 | 8 | export class VSCodeExporter { 9 | public id: string = 'vscode-exporter'; 10 | private configId: string = 'VSCodeExporter'; 11 | 12 | private port: number = 9931; 13 | private debug: boolean = false; 14 | 15 | private state: State; 16 | private logger: Logger; 17 | private config: vscode.WorkspaceConfiguration; 18 | private server: http.Server; 19 | private disposable?: vscode.Disposable; 20 | private output?: vscode.OutputChannel; 21 | 22 | constructor(logger: Logger) { 23 | this.logger = logger; 24 | this.state = new State(logger); 25 | this.config = vscode.workspace.getConfiguration(this.configId); 26 | this.port = this.config.get('port', this.port); 27 | this.debug = this.config.get('debugLogs', this.debug); 28 | this.output = vscode.window.createOutputChannel(this.id); 29 | this.server = http.createServer(this.requestHandler.bind(this)); 30 | } 31 | 32 | public async initialize(): Promise { 33 | this.logger.info('initializing exporter'); 34 | if (this.debug) { 35 | this.logger.setLevel(LogLevel.DEBUG); 36 | } 37 | prom.collectDefaultMetrics(); 38 | this.setupEventListeners(); 39 | this.setupServer(); 40 | } 41 | 42 | public dispose() { 43 | this.logger.info('closing exporter'); 44 | this.disposable?.dispose(); 45 | this.server.close(); 46 | } 47 | 48 | public async openMetrics(): Promise { 49 | this.output?.show(true); 50 | this.output?.replace(await prom.register.metrics()); 51 | } 52 | 53 | private setupEventListeners(): void { 54 | this.logger.info('setting up event listeners'); 55 | let subscriptions: vscode.Disposable[] = []; 56 | 57 | const debugExporter = new DebugExporter(this.logger, this.state); 58 | const taskExporter = new TaskExporter(this.logger, this.state); 59 | const windowExporter = new WindowExporter(this.logger, this.state); 60 | const workspaceExporter = new WorkspaceExporter(this.logger, this.state); 61 | 62 | subscriptions.push(debugExporter.setupEventListeners()); 63 | subscriptions.push(taskExporter.setupEventListeners()); 64 | subscriptions.push(windowExporter.setupEventListeners()); 65 | subscriptions.push(workspaceExporter.setupEventListeners()); 66 | 67 | vscode.window.onDidChangeWindowState(this.onDidChangeWindowState, this, subscriptions); 68 | 69 | this.disposable = vscode.Disposable.from(...subscriptions); 70 | } 71 | 72 | private async requestHandler(req: http.IncomingMessage, res: http.ServerResponse) { 73 | this.logger.debug('received request', 'url', req.url, 'method', req.method, 'address', req.socket.remoteAddress); 74 | if (req.url?.endsWith('/metrics')) { 75 | res.setHeader('Content-Type', prom.register.contentType); 76 | res.writeHead(200); 77 | return res.end(await prom.register.metrics()); 78 | } 79 | res.setHeader('Location', '/metrics'); 80 | res.writeHead(302); 81 | return res.end(); 82 | } 83 | 84 | private startServer(): void { 85 | this.server.listen(this.port, () => { 86 | this.logger.info('server listening', 'port', this.port); 87 | }); 88 | } 89 | 90 | private stopServer(): void { 91 | this.server.close(() => { 92 | this.logger.info('server stopped'); 93 | }); 94 | } 95 | 96 | private onDidChangeWindowState() { 97 | this.logger.info('window', 'focused', vscode.window.state.focused); 98 | if (vscode.window.state.focused) { 99 | this.startServer(); 100 | } else { 101 | this.stopServer(); 102 | } 103 | } 104 | 105 | private setupServer(): void { 106 | this.server.on('error', (err: any) => { 107 | if (err.code === 'EADDRINUSE') { 108 | if (vscode.window.state.focused) { 109 | this.logger.info('failed to start server retrying...'); 110 | setTimeout(() => { 111 | if (vscode.window.state.focused) { 112 | this.server.close(); 113 | this.startServer(); 114 | } else { 115 | this.logger.info('retry stopped'); 116 | } 117 | }, 1000); 118 | } 119 | } 120 | }); 121 | 122 | this.startServer(); 123 | } 124 | } 125 | -------------------------------------------------------------------------------- /src/state.ts: -------------------------------------------------------------------------------- 1 | import * as vscode from 'vscode'; 2 | import { Logger } from './logger'; 3 | import { Utils } from './utils'; 4 | 5 | interface DebugState { 6 | id: string; 7 | name: string; 8 | type: string; 9 | folder: string; 10 | start: number; 11 | } 12 | 13 | interface TaskState { 14 | name: string; 15 | type: string; 16 | source: string; 17 | isBackground: boolean; 18 | start: number; 19 | } 20 | 21 | interface NotebookState { 22 | fileName: string; 23 | type: string; 24 | file: string; 25 | folder: string; 26 | project: string; 27 | cellCount: number; 28 | isUntitled: boolean; 29 | version: number; 30 | start: number; 31 | } 32 | 33 | interface TerminalState { 34 | name: string; 35 | start: number; 36 | } 37 | 38 | interface DocumentState { 39 | fileName: string; 40 | language: string; 41 | isUntitled: boolean; 42 | file: string; 43 | folder: string; 44 | project: string; 45 | charCount: number; 46 | lineCount: number; 47 | version: number; 48 | start: number; 49 | } 50 | 51 | interface FocusState { 52 | focused: boolean; 53 | start: number; 54 | } 55 | 56 | export class State { 57 | private logger: Logger; 58 | // debug 59 | public activeDebugSession?: DebugState; 60 | public breakpoints: vscode.Breakpoint[] = []; 61 | public debugSessions: Map = new Map(); 62 | // tasks 63 | public tasks: Map = new Map(); 64 | public processes: Map = new Map(); 65 | //window 66 | public colorTheme?: string; 67 | public activeNotebook?: NotebookState; 68 | public activeTerminal?: TerminalState; 69 | public activeDocument?: DocumentState; 70 | public terminals: Map = new Map(); 71 | public focus: FocusState = { 72 | focused: true, 73 | start: Date.now(), 74 | }; 75 | 76 | constructor(logger: Logger) { 77 | this.logger = logger; 78 | } 79 | 80 | public fromDebugSession(session: vscode.DebugSession): DebugState { 81 | return { 82 | id: session.id, 83 | name: session.name, 84 | type: session.type, 85 | folder: session.workspaceFolder?.name ?? '', 86 | start: Date.now(), 87 | }; 88 | } 89 | 90 | public getDebugSessionLabels(session: DebugState) { 91 | return { 92 | id: session.id, 93 | name: session.name, 94 | type: session.type, 95 | folder: session.folder, 96 | }; 97 | } 98 | 99 | public fromTask(task: vscode.Task): TaskState { 100 | return { 101 | name: task.name, 102 | type: task.definition.type, 103 | source: task.source, 104 | isBackground: task.isBackground, 105 | start: Date.now(), 106 | }; 107 | } 108 | 109 | public getTaskLabels(task: TaskState) { 110 | return { 111 | name: task.name, 112 | type: task.type, 113 | source: task.source, 114 | is_background: task.isBackground ? 'true' : 'false', 115 | }; 116 | } 117 | 118 | public fromDocument(document: vscode.TextDocument) { 119 | return { 120 | fileName: document.fileName, 121 | project: Utils.getProjectName(document.fileName), 122 | folder: Utils.getFileFolder(document.fileName), 123 | file: Utils.getFileName(document.fileName), 124 | language: document.languageId, 125 | isUntitled: document.isUntitled, 126 | charCount: document.getText().length, 127 | lineCount: document.lineCount, 128 | version: document.version, 129 | start: Date.now(), 130 | }; 131 | } 132 | 133 | public getDocumentLabels(document: DocumentState) { 134 | return { 135 | project: document.project, 136 | folder: document.folder, 137 | file: document.file, 138 | language: document.language, 139 | is_untitled: document.isUntitled ? 'true' : 'false', 140 | }; 141 | } 142 | 143 | public fromNotebook(notebook: vscode.NotebookDocument) { 144 | return { 145 | type: notebook.notebookType, 146 | fileName: notebook.uri.fsPath, 147 | project: Utils.getProjectName(notebook.uri.fsPath), 148 | folder: Utils.getFileFolder(notebook.uri.fsPath), 149 | file: Utils.getFileName(notebook.uri.fsPath), 150 | cellCount: notebook.cellCount, 151 | isUntitled: notebook.isUntitled, 152 | version: notebook.version, 153 | start: Date.now(), 154 | }; 155 | } 156 | 157 | public getNotebookLabels(editor: NotebookState) { 158 | return { 159 | project: editor.project, 160 | folder: editor.folder, 161 | file: editor.file, 162 | type: editor.type, 163 | is_untitled: editor.isUntitled ? 'true' : 'false', 164 | }; 165 | } 166 | 167 | public getUriLabels(uri: vscode.Uri) { 168 | return { 169 | project: Utils.getProjectName(uri.fsPath), 170 | folder: Utils.getFileFolder(uri.fsPath), 171 | name: Utils.getFileName(uri.fsPath), 172 | }; 173 | } 174 | 175 | public getRenameLabels(oldUri: vscode.Uri, newUri: vscode.Uri) { 176 | const oldLabels = this.getUriLabels(oldUri); 177 | const newLabels = this.getUriLabels(newUri); 178 | return { 179 | old_project: oldLabels.project, 180 | new_project: newLabels.project, 181 | old_folder: oldLabels.folder, 182 | new_folder: newLabels.folder, 183 | old_name: oldLabels.name, 184 | new_name: newLabels.name, 185 | }; 186 | } 187 | 188 | public getActiveProjectLabel() { 189 | if (this.activeDocument) { 190 | return { project: this.activeDocument.project }; 191 | } 192 | if (this.activeNotebook) { 193 | return { project: this.activeNotebook.project }; 194 | } 195 | return { project: '' }; 196 | } 197 | } 198 | -------------------------------------------------------------------------------- /src/exporters/workspace.ts: -------------------------------------------------------------------------------- 1 | import * as vscode from 'vscode'; 2 | import { Logger } from '../logger'; 3 | import * as metrics from '../metrics'; 4 | import { State } from '../state'; 5 | 6 | export class WorkspaceExporter { 7 | private logger: Logger; 8 | private state: State; 9 | 10 | constructor(logger: Logger, state: State) { 11 | this.logger = logger; 12 | this.state = state; 13 | } 14 | 15 | public setupEventListeners(): vscode.Disposable { 16 | this.logger.debug('setting up workspace event listeners'); 17 | let subscriptions: vscode.Disposable[] = []; 18 | 19 | // vscode.workspace.onDidChangeConfiguration(this.onDidChangeConfiguration, this, subscriptions); 20 | vscode.workspace.onDidChangeNotebookDocument(this.onDidChangeNotebookDocument, this, subscriptions); 21 | vscode.workspace.onDidChangeTextDocument(this.onDidChangeTextDocument, this, subscriptions); 22 | vscode.workspace.onDidChangeWorkspaceFolders(this.onDidChangeWorkspaceFolders, this, subscriptions); 23 | vscode.workspace.onDidCloseNotebookDocument(this.onDidCloseNotebookDocument, this, subscriptions); 24 | vscode.workspace.onDidCloseTextDocument(this.onDidCloseTextDocument, this, subscriptions); 25 | vscode.workspace.onDidCreateFiles(this.onDidCreateFiles, this, subscriptions); 26 | vscode.workspace.onDidDeleteFiles(this.onDidDeleteFiles, this, subscriptions); 27 | vscode.workspace.onDidGrantWorkspaceTrust(this.onDidGrantWorkspaceTrust, this, subscriptions); 28 | vscode.workspace.onDidOpenNotebookDocument(this.onDidOpenNotebookDocument, this, subscriptions); 29 | vscode.workspace.onDidOpenTextDocument(this.onDidOpenTextDocument, this, subscriptions); 30 | vscode.workspace.onDidRenameFiles(this.onDidRenameFiles, this, subscriptions); 31 | vscode.workspace.onDidSaveNotebookDocument(this.onDidSaveNotebookDocument, this, subscriptions); 32 | vscode.workspace.onDidSaveTextDocument(this.onDidSaveTextDocument, this, subscriptions); 33 | // vscode.workspace.onWillCreateFiles(this.onWillCreateFiles, this, subscriptions); 34 | // vscode.workspace.onWillDeleteFiles(this.onWillDeleteFiles, this, subscriptions); 35 | // vscode.workspace.onWillRenameFiles(this.onWillRenameFiles, this, subscriptions); 36 | // vscode.workspace.onWillSaveTextDocument(this.onWillSaveTextDocument, this, subscriptions); 37 | 38 | return vscode.Disposable.from(...subscriptions); 39 | } 40 | 41 | private onDidChangeNotebookDocument(event: vscode.NotebookDocumentChangeEvent) { 42 | this.logger.debug('received event onDidChangeNotebookDocument'); 43 | const notebook = this.state.fromNotebook(event.notebook); 44 | const labels = this.state.getNotebookLabels(notebook); 45 | metrics.workspace.notebookContentChanges.inc(labels, event.contentChanges.length); 46 | metrics.workspace.notebookCellChanges.inc(labels, event.cellChanges.length); 47 | } 48 | 49 | private onDidChangeTextDocument(event: vscode.TextDocumentChangeEvent) { 50 | this.logger.debug('received event onDidChangeTextDocument'); 51 | const document = this.state.fromDocument(event.document); 52 | const labels = this.state.getDocumentLabels(document); 53 | metrics.workspace.editorsContentChanges.inc(labels, event.contentChanges.length); 54 | } 55 | 56 | private onDidChangeWorkspaceFolders(event: vscode.WorkspaceFoldersChangeEvent) { 57 | this.logger.debug('received event onDidChangeWorkspaceFolders'); 58 | const added = this.mapFoldersByLabel(event.added); 59 | added.forEach((n, jsonLabels) => { 60 | const labels = JSON.parse(jsonLabels); 61 | metrics.workspace.foldersAdded.inc(labels, n); 62 | }); 63 | 64 | const removed = this.mapFoldersByLabel(event.added); 65 | removed.forEach((n, jsonLabels) => { 66 | const labels = JSON.parse(jsonLabels); 67 | metrics.workspace.foldersRemoved.inc(labels, n); 68 | }); 69 | } 70 | 71 | private onDidCloseNotebookDocument(event: vscode.NotebookDocument) { 72 | this.logger.debug('received event onDidCloseNotebookDocument'); 73 | const notebook = this.state.fromNotebook(event); 74 | const labels = this.state.getNotebookLabels(notebook); 75 | metrics.workspace.notebooksClosed.inc(labels, 1); 76 | } 77 | 78 | private onDidCloseTextDocument(event: vscode.TextDocument) { 79 | this.logger.debug('received event onDidCloseTextDocument'); 80 | const document = this.state.fromDocument(event); 81 | const labels = this.state.getDocumentLabels(document); 82 | metrics.workspace.documentsClosed.inc(labels, 1); 83 | } 84 | 85 | private onDidCreateFiles(event: vscode.FileCreateEvent) { 86 | this.logger.debug('received event onDidCreateFiles'); 87 | const files = this.mapFilesByLabel(event.files); 88 | files.forEach((n, jsonLabels) => { 89 | const labels = JSON.parse(jsonLabels); 90 | metrics.workspace.filesAdded.inc(labels, n); 91 | }); 92 | } 93 | 94 | private onDidDeleteFiles(event: vscode.FileDeleteEvent) { 95 | this.logger.debug('received event onDidDeleteFiles'); 96 | const files = this.mapFilesByLabel(event.files); 97 | files.forEach((n, jsonLabels) => { 98 | const labels = JSON.parse(jsonLabels); 99 | metrics.workspace.filesRemoved.inc(labels, n); 100 | }); 101 | } 102 | 103 | private onDidGrantWorkspaceTrust() { 104 | this.logger.debug('received event onDidGrantWorkspaceTrust'); 105 | const labels = this.state.getActiveProjectLabel(); 106 | metrics.workspace.trustGrant.inc(labels, 1); 107 | } 108 | 109 | private onDidOpenNotebookDocument(event: vscode.NotebookDocument) { 110 | this.logger.debug('received event onDidOpenNotebookDocument'); 111 | const notebook = this.state.fromNotebook(event); 112 | const labels = this.state.getNotebookLabels(notebook); 113 | metrics.workspace.notebooksOpened.inc(labels, 1); 114 | } 115 | 116 | private onDidOpenTextDocument(event: vscode.TextDocument) { 117 | this.logger.debug('received event onDidOpenTextDocument'); 118 | const document = this.state.fromDocument(event); 119 | const labels = this.state.getDocumentLabels(document); 120 | metrics.workspace.documentsOpened.inc(labels, 1); 121 | } 122 | 123 | private onDidRenameFiles(event: vscode.FileRenameEvent) { 124 | this.logger.debug('received event onDidRenameFiles'); 125 | const files = this.mapRenamesByLabel(event.files); 126 | files.forEach((n, jsonLabels) => { 127 | const labels = JSON.parse(jsonLabels); 128 | metrics.workspace.filesRenamed.inc(labels, n); 129 | }); 130 | } 131 | 132 | private onDidSaveNotebookDocument(event: vscode.NotebookDocument) { 133 | this.logger.debug('received event onDidSaveNotebookDocument'); 134 | const notebook = this.state.fromNotebook(event); 135 | const labels = this.state.getNotebookLabels(notebook); 136 | metrics.workspace.notebooksSaved.inc(labels, 1); 137 | } 138 | 139 | private onDidSaveTextDocument(event: vscode.TextDocument) { 140 | this.logger.debug('received event onDidSaveTextDocument'); 141 | const document = this.state.fromDocument(event); 142 | const labels = this.state.getDocumentLabels(document); 143 | metrics.workspace.documentsSaved.inc(labels, 1); 144 | } 145 | 146 | private mapFoldersByLabel(folders: readonly vscode.WorkspaceFolder[]) { 147 | return this.mapFilesByLabel(folders.map((f) => f.uri)); 148 | } 149 | 150 | private mapFilesByLabel(files: readonly vscode.Uri[]) { 151 | return files.reduce>((m, f) => { 152 | const labels = this.state.getUriLabels(f); 153 | const jsonLabels = JSON.stringify(labels); 154 | const count = m.get(jsonLabels) ?? 0; 155 | m.set(jsonLabels, count + 1); 156 | return m; 157 | }, new Map()); 158 | } 159 | 160 | private mapRenamesByLabel(files: vscode.FileRenameEvent['files']) { 161 | return files.reduce>((m, f) => { 162 | const labels = this.state.getRenameLabels(f.oldUri, f.newUri); 163 | const jsonLabels = JSON.stringify(labels); 164 | const count = m.get(jsonLabels) ?? 0; 165 | m.set(jsonLabels, count + 1); 166 | return m; 167 | }, new Map()); 168 | } 169 | } 170 | -------------------------------------------------------------------------------- /src/exporters/window.ts: -------------------------------------------------------------------------------- 1 | import * as vscode from 'vscode'; 2 | import { Logger } from '../logger'; 3 | import * as metrics from '../metrics'; 4 | import { State } from '../state'; 5 | import { Utils } from '../utils'; 6 | 7 | export class WindowExporter { 8 | private logger: Logger; 9 | private state: State; 10 | 11 | constructor(logger: Logger, state: State) { 12 | this.logger = logger; 13 | this.state = state; 14 | } 15 | 16 | public setupEventListeners(): vscode.Disposable { 17 | this.logger.debug('setting up window event listeners'); 18 | let subscriptions: vscode.Disposable[] = []; 19 | 20 | vscode.window.onDidChangeActiveColorTheme(this.onDidChangeActiveColorTheme, this, subscriptions); 21 | vscode.window.onDidChangeActiveNotebookEditor(this.onDidChangeActiveNotebookEditor, this, subscriptions); 22 | vscode.window.onDidChangeActiveTerminal(this.onDidChangeActiveTerminal, this, subscriptions); 23 | vscode.window.onDidChangeActiveTextEditor(this.onDidChangeActiveTextEditor, this, subscriptions); 24 | vscode.window.onDidChangeNotebookEditorSelection(this.onDidChangeNotebookEditorSelection, this, subscriptions); 25 | vscode.window.onDidChangeNotebookEditorVisibleRanges(this.onDidChangeNotebookEditorVisibleRanges, this, subscriptions); 26 | vscode.window.onDidChangeTerminalState(this.onDidChangeTerminalState, this, subscriptions); 27 | vscode.window.onDidChangeTextEditorOptions(this.onDidChangeTextEditorOptions, this, subscriptions); 28 | vscode.window.onDidChangeTextEditorSelection(this.onDidChangeTextEditorSelection, this, subscriptions); 29 | vscode.window.onDidChangeTextEditorViewColumn(this.onDidChangeTextEditorViewColumn, this, subscriptions); 30 | vscode.window.onDidChangeTextEditorVisibleRanges(this.onDidChangeTextEditorVisibleRanges, this, subscriptions); 31 | vscode.window.onDidChangeVisibleNotebookEditors(this.onDidChangeVisibleNotebookEditors, this, subscriptions); 32 | vscode.window.onDidChangeVisibleTextEditors(this.onDidChangeVisibleTextEditors, this, subscriptions); 33 | vscode.window.onDidChangeWindowState(this.onDidChangeWindowState, this, subscriptions); 34 | vscode.window.onDidCloseTerminal(this.onDidCloseTerminal, this, subscriptions); 35 | vscode.window.onDidOpenTerminal(this.onDidOpenTerminal, this, subscriptions); 36 | 37 | return vscode.Disposable.from(...subscriptions); 38 | } 39 | 40 | private onDidChangeActiveColorTheme(event: vscode.ColorTheme) { 41 | this.logger.debug('received event onDidChangeActiveColorTheme'); 42 | this.state.colorTheme = vscode.ColorThemeKind[event.kind]; 43 | } 44 | 45 | private onDidChangeActiveNotebook(notebook?: vscode.NotebookDocument) { 46 | this.logger.debug('received event onDidChangeActiveNotebook'); 47 | if (this.state.activeNotebook) { 48 | const time = Utils.getTimeSince(this.state.activeNotebook.start); 49 | const labels = this.state.getNotebookLabels(this.state.activeNotebook); 50 | metrics.window.notebookSecondsActive.inc(labels, time); 51 | metrics.window.notebookCells.set(labels, this.state.activeNotebook.cellCount); 52 | if (notebook && notebook.uri.fsPath === this.state.activeNotebook.fileName && notebook.version > this.state.activeNotebook.version) { 53 | const editCount = notebook.version - this.state.activeNotebook.version; 54 | metrics.window.notebooksEdits.inc(labels, editCount); 55 | } 56 | delete this.state.activeNotebook; 57 | } 58 | if (notebook) { 59 | this.state.activeNotebook = this.state.fromNotebook(notebook); 60 | const labels = this.state.getNotebookLabels(this.state.activeNotebook); 61 | metrics.window.notebookCells.set(labels, notebook.cellCount); 62 | } 63 | } 64 | 65 | private onDidChangeActiveNotebookEditor(event?: vscode.NotebookEditor) { 66 | this.logger.debug('received event onDidChangeActiveNotebookEditor'); 67 | if (event) { 68 | this.onDidChangeActiveNotebook(event.notebook); 69 | } else { 70 | this.onDidChangeActiveNotebook(); 71 | } 72 | } 73 | 74 | private onDidChangeActiveTerminal(event?: vscode.Terminal) { 75 | this.logger.debug('received event onDidChangeActiveTerminal'); 76 | if (this.state.activeTerminal) { 77 | const name = this.state.activeTerminal.name; 78 | const time = Utils.getTimeSince(this.state.activeTerminal.start); 79 | metrics.window.terminalSecondsActive.inc({ name }, time); 80 | delete this.state.activeTerminal; 81 | } 82 | if (event) { 83 | this.state.activeTerminal = { 84 | name: event.name, 85 | start: Date.now(), 86 | }; 87 | } 88 | } 89 | 90 | private onDidChangeActiveTextEditor(event?: vscode.TextEditor) { 91 | this.logger.debug('received event onDidChangeActiveTextEditor'); 92 | if (this.state.activeDocument) { 93 | const time = Utils.getTimeSince(this.state.activeDocument.start); 94 | const labels = this.state.getDocumentLabels(this.state.activeDocument); 95 | metrics.window.editorSecondsActive.inc(labels, time); 96 | metrics.window.charactersTotal.set(labels, this.state.activeDocument.charCount); 97 | metrics.window.linesTotal.set(labels, this.state.activeDocument.lineCount); 98 | if (event && event.document.fileName === this.state.activeDocument.fileName && event.document.version > this.state.activeDocument.version) { 99 | const editCount = event.document.version - this.state.activeDocument.version; 100 | metrics.window.editorsEdits.inc(labels, editCount); 101 | } 102 | delete this.state.activeDocument; 103 | } 104 | if (event) { 105 | this.state.activeDocument = this.state.fromDocument(event.document); 106 | const labels = this.state.getDocumentLabels(this.state.activeDocument); 107 | metrics.window.charactersTotal.set(labels, this.state.activeDocument.charCount); 108 | metrics.window.linesTotal.set(labels, this.state.activeDocument.lineCount); 109 | } 110 | } 111 | 112 | private onDidChangeNotebookEditorSelection(event: vscode.NotebookEditorSelectionChangeEvent) { 113 | this.logger.debug('received event onDidChangeNotebookEditorSelection'); 114 | this.onDidChangeActiveNotebook(event.notebookEditor.notebook); 115 | } 116 | 117 | private onDidChangeNotebookEditorVisibleRanges(event: vscode.NotebookEditorVisibleRangesChangeEvent) { 118 | this.logger.debug('received event onDidChangeNotebookEditorVisibleRanges'); 119 | this.onDidChangeActiveNotebook(event.notebookEditor.notebook); 120 | } 121 | 122 | private onDidChangeTerminalState(event: vscode.Terminal) { 123 | this.logger.debug('received event onDidChangeTerminalState'); 124 | this.onDidChangeActiveTerminal(event); 125 | } 126 | 127 | private onDidChangeTextEditorOptions(event: vscode.TextEditorOptionsChangeEvent) { 128 | this.logger.debug('received event onDidChangeTextEditorOptions'); 129 | this.onDidChangeActiveTextEditor(event.textEditor); 130 | } 131 | 132 | private onDidChangeTextEditorSelection(event: vscode.TextEditorSelectionChangeEvent) { 133 | this.logger.debug('received event onDidChangeTextEditorSelection'); 134 | this.onDidChangeActiveTextEditor(event.textEditor); 135 | } 136 | 137 | private onDidChangeTextEditorViewColumn(event: vscode.TextEditorViewColumnChangeEvent) { 138 | this.logger.debug('received event onDidChangeTextEditorViewColumn'); 139 | this.onDidChangeActiveTextEditor(event.textEditor); 140 | } 141 | 142 | private onDidChangeTextEditorVisibleRanges(event: vscode.TextEditorVisibleRangesChangeEvent) { 143 | this.logger.debug('received event onDidChangeTextEditorVisibleRanges'); 144 | this.onDidChangeActiveTextEditor(event.textEditor); 145 | } 146 | 147 | private onDidChangeVisibleNotebookEditors(event: readonly vscode.NotebookEditor[]) { 148 | this.logger.debug('received event onDidChangeVisibleNotebookEditors'); 149 | const notebooksByType = this.mapNotebooksByLabel(event); 150 | notebooksByType.forEach((n, jsonLabels) => { 151 | const labels = JSON.parse(jsonLabels); 152 | metrics.window.visibleNotebooks.set(labels, n); 153 | }); 154 | } 155 | 156 | private onDidChangeVisibleTextEditors(event: readonly vscode.TextEditor[]) { 157 | this.logger.debug('received event onDidChangeVisibleTextEditors'); 158 | const editors = this.mapEditorsByLabel(event); 159 | editors.forEach((n, jsonLabels) => { 160 | const labels = JSON.parse(jsonLabels); 161 | metrics.window.visibleEditors.set(labels, n); 162 | }); 163 | } 164 | 165 | private onDidChangeWindowState(event: vscode.WindowState) { 166 | this.logger.debug('received event onDidChangeWindowState'); 167 | if (this.state.focus.start) { 168 | const focused = this.state.focus.focused ? 'true' : 'false'; 169 | const time = Utils.getTimeSince(this.state.focus.start); 170 | metrics.window.focusedSecondsActive.inc({ focused }, time); 171 | } 172 | if (!event.focused) { 173 | this.onDidChangeActiveNotebookEditor(); 174 | this.onDidChangeActiveTerminal(); 175 | this.onDidChangeActiveTextEditor(); 176 | } 177 | this.state.focus.focused = event.focused; 178 | this.state.focus.start = Date.now(); 179 | } 180 | 181 | private async onDidCloseTerminal(event: vscode.Terminal) { 182 | const processId = await event.processId; 183 | if (processId) { 184 | const terminal = this.state.terminals.get(processId); 185 | if (terminal) { 186 | const labels = { name: terminal.name, exit_code: event.exitStatus?.code ?? '' }; 187 | const time = Utils.getTimeSince(terminal.start); 188 | metrics.window.terminalSecondsTotal.inc(labels, time); 189 | } 190 | } 191 | metrics.window.terminalActive.dec({ name: event.name }, 1); 192 | } 193 | 194 | private async onDidOpenTerminal(event: vscode.Terminal) { 195 | const terminal = { 196 | name: event.name, 197 | start: Date.now(), 198 | }; 199 | const processId = await event.processId; 200 | if (processId) { 201 | this.state.terminals.set(processId, terminal); 202 | } 203 | metrics.window.terminalActive.inc({ name: event.name }, 1); 204 | } 205 | 206 | private mapEditorsByLabel(editors: readonly vscode.TextEditor[]) { 207 | return editors.reduce>((m, e) => { 208 | const document = this.state.fromDocument(e.document); 209 | const labels = this.state.getDocumentLabels(document); 210 | const jsonLabels = JSON.stringify(labels); 211 | const count = m.get(jsonLabels) ?? 0; 212 | m.set(jsonLabels, count + 1); 213 | return m; 214 | }, new Map()); 215 | } 216 | 217 | private mapNotebooksByLabel(editors: readonly vscode.NotebookEditor[]) { 218 | return editors.reduce>((m, e) => { 219 | const notebook = this.state.fromNotebook(e.notebook); 220 | const labels = this.state.getNotebookLabels(notebook); 221 | const jsonLabels = JSON.stringify(labels); 222 | const count = m.get(jsonLabels) ?? 0; 223 | m.set(jsonLabels, count + 1); 224 | return m; 225 | }, new Map()); 226 | } 227 | } 228 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | GNU AFFERO GENERAL PUBLIC LICENSE 2 | Version 3, 19 November 2007 3 | 4 | Copyright (C) 2007 Free Software Foundation, Inc. 5 | Everyone is permitted to copy and distribute verbatim copies 6 | of this license document, but changing it is not allowed. 7 | 8 | Preamble 9 | 10 | The GNU Affero General Public License is a free, copyleft license for 11 | software and other kinds of works, specifically designed to ensure 12 | cooperation with the community in the case of network server software. 13 | 14 | The licenses for most software and other practical works are designed 15 | to take away your freedom to share and change the works. By contrast, 16 | our General Public Licenses are intended to guarantee your freedom to 17 | share and change all versions of a program--to make sure it remains free 18 | software for all its users. 19 | 20 | When we speak of free software, we are referring to freedom, not 21 | price. Our General Public Licenses are designed to make sure that you 22 | have the freedom to distribute copies of free software (and charge for 23 | them if you wish), that you receive source code or can get it if you 24 | want it, that you can change the software or use pieces of it in new 25 | free programs, and that you know you can do these things. 26 | 27 | Developers that use our General Public Licenses protect your rights 28 | with two steps: (1) assert copyright on the software, and (2) offer 29 | you this License which gives you legal permission to copy, distribute 30 | and/or modify the software. 31 | 32 | A secondary benefit of defending all users' freedom is that 33 | improvements made in alternate versions of the program, if they 34 | receive widespread use, become available for other developers to 35 | incorporate. Many developers of free software are heartened and 36 | encouraged by the resulting cooperation. However, in the case of 37 | software used on network servers, this result may fail to come about. 38 | The GNU General Public License permits making a modified version and 39 | letting the public access it on a server without ever releasing its 40 | source code to the public. 41 | 42 | The GNU Affero General Public License is designed specifically to 43 | ensure that, in such cases, the modified source code becomes available 44 | to the community. It requires the operator of a network server to 45 | provide the source code of the modified version running there to the 46 | users of that server. Therefore, public use of a modified version, on 47 | a publicly accessible server, gives the public access to the source 48 | code of the modified version. 49 | 50 | An older license, called the Affero General Public License and 51 | published by Affero, was designed to accomplish similar goals. This is 52 | a different license, not a version of the Affero GPL, but Affero has 53 | released a new version of the Affero GPL which permits relicensing under 54 | this license. 55 | 56 | The precise terms and conditions for copying, distribution and 57 | modification follow. 58 | 59 | TERMS AND CONDITIONS 60 | 61 | 0. Definitions. 62 | 63 | "This License" refers to version 3 of the GNU Affero General Public License. 64 | 65 | "Copyright" also means copyright-like laws that apply to other kinds of 66 | works, such as semiconductor masks. 67 | 68 | "The Program" refers to any copyrightable work licensed under this 69 | License. Each licensee is addressed as "you". "Licensees" and 70 | "recipients" may be individuals or organizations. 71 | 72 | To "modify" a work means to copy from or adapt all or part of the work 73 | in a fashion requiring copyright permission, other than the making of an 74 | exact copy. The resulting work is called a "modified version" of the 75 | earlier work or a work "based on" the earlier work. 76 | 77 | A "covered work" means either the unmodified Program or a work based 78 | on the Program. 79 | 80 | To "propagate" a work means to do anything with it that, without 81 | permission, would make you directly or secondarily liable for 82 | infringement under applicable copyright law, except executing it on a 83 | computer or modifying a private copy. Propagation includes copying, 84 | distribution (with or without modification), making available to the 85 | public, and in some countries other activities as well. 86 | 87 | To "convey" a work means any kind of propagation that enables other 88 | parties to make or receive copies. Mere interaction with a user through 89 | a computer network, with no transfer of a copy, is not conveying. 90 | 91 | An interactive user interface displays "Appropriate Legal Notices" 92 | to the extent that it includes a convenient and prominently visible 93 | feature that (1) displays an appropriate copyright notice, and (2) 94 | tells the user that there is no warranty for the work (except to the 95 | extent that warranties are provided), that licensees may convey the 96 | work under this License, and how to view a copy of this License. If 97 | the interface presents a list of user commands or options, such as a 98 | menu, a prominent item in the list meets this criterion. 99 | 100 | 1. Source Code. 101 | 102 | The "source code" for a work means the preferred form of the work 103 | for making modifications to it. "Object code" means any non-source 104 | form of a work. 105 | 106 | A "Standard Interface" means an interface that either is an official 107 | standard defined by a recognized standards body, or, in the case of 108 | interfaces specified for a particular programming language, one that 109 | is widely used among developers working in that language. 110 | 111 | The "System Libraries" of an executable work include anything, other 112 | than the work as a whole, that (a) is included in the normal form of 113 | packaging a Major Component, but which is not part of that Major 114 | Component, and (b) serves only to enable use of the work with that 115 | Major Component, or to implement a Standard Interface for which an 116 | implementation is available to the public in source code form. A 117 | "Major Component", in this context, means a major essential component 118 | (kernel, window system, and so on) of the specific operating system 119 | (if any) on which the executable work runs, or a compiler used to 120 | produce the work, or an object code interpreter used to run it. 121 | 122 | The "Corresponding Source" for a work in object code form means all 123 | the source code needed to generate, install, and (for an executable 124 | work) run the object code and to modify the work, including scripts to 125 | control those activities. However, it does not include the work's 126 | System Libraries, or general-purpose tools or generally available free 127 | programs which are used unmodified in performing those activities but 128 | which are not part of the work. For example, Corresponding Source 129 | includes interface definition files associated with source files for 130 | the work, and the source code for shared libraries and dynamically 131 | linked subprograms that the work is specifically designed to require, 132 | such as by intimate data communication or control flow between those 133 | subprograms and other parts of the work. 134 | 135 | The Corresponding Source need not include anything that users 136 | can regenerate automatically from other parts of the Corresponding 137 | Source. 138 | 139 | The Corresponding Source for a work in source code form is that 140 | same work. 141 | 142 | 2. Basic Permissions. 143 | 144 | All rights granted under this License are granted for the term of 145 | copyright on the Program, and are irrevocable provided the stated 146 | conditions are met. This License explicitly affirms your unlimited 147 | permission to run the unmodified Program. The output from running a 148 | covered work is covered by this License only if the output, given its 149 | content, constitutes a covered work. This License acknowledges your 150 | rights of fair use or other equivalent, as provided by copyright law. 151 | 152 | You may make, run and propagate covered works that you do not 153 | convey, without conditions so long as your license otherwise remains 154 | in force. You may convey covered works to others for the sole purpose 155 | of having them make modifications exclusively for you, or provide you 156 | with facilities for running those works, provided that you comply with 157 | the terms of this License in conveying all material for which you do 158 | not control copyright. Those thus making or running the covered works 159 | for you must do so exclusively on your behalf, under your direction 160 | and control, on terms that prohibit them from making any copies of 161 | your copyrighted material outside their relationship with you. 162 | 163 | Conveying under any other circumstances is permitted solely under 164 | the conditions stated below. Sublicensing is not allowed; section 10 165 | makes it unnecessary. 166 | 167 | 3. Protecting Users' Legal Rights From Anti-Circumvention Law. 168 | 169 | No covered work shall be deemed part of an effective technological 170 | measure under any applicable law fulfilling obligations under article 171 | 11 of the WIPO copyright treaty adopted on 20 December 1996, or 172 | similar laws prohibiting or restricting circumvention of such 173 | measures. 174 | 175 | When you convey a covered work, you waive any legal power to forbid 176 | circumvention of technological measures to the extent such circumvention 177 | is effected by exercising rights under this License with respect to 178 | the covered work, and you disclaim any intention to limit operation or 179 | modification of the work as a means of enforcing, against the work's 180 | users, your or third parties' legal rights to forbid circumvention of 181 | technological measures. 182 | 183 | 4. Conveying Verbatim Copies. 184 | 185 | You may convey verbatim copies of the Program's source code as you 186 | receive it, in any medium, provided that you conspicuously and 187 | appropriately publish on each copy an appropriate copyright notice; 188 | keep intact all notices stating that this License and any 189 | non-permissive terms added in accord with section 7 apply to the code; 190 | keep intact all notices of the absence of any warranty; and give all 191 | recipients a copy of this License along with the Program. 192 | 193 | You may charge any price or no price for each copy that you convey, 194 | and you may offer support or warranty protection for a fee. 195 | 196 | 5. Conveying Modified Source Versions. 197 | 198 | You may convey a work based on the Program, or the modifications to 199 | produce it from the Program, in the form of source code under the 200 | terms of section 4, provided that you also meet all of these conditions: 201 | 202 | a) The work must carry prominent notices stating that you modified 203 | it, and giving a relevant date. 204 | 205 | b) The work must carry prominent notices stating that it is 206 | released under this License and any conditions added under section 207 | 7. This requirement modifies the requirement in section 4 to 208 | "keep intact all notices". 209 | 210 | c) You must license the entire work, as a whole, under this 211 | License to anyone who comes into possession of a copy. This 212 | License will therefore apply, along with any applicable section 7 213 | additional terms, to the whole of the work, and all its parts, 214 | regardless of how they are packaged. This License gives no 215 | permission to license the work in any other way, but it does not 216 | invalidate such permission if you have separately received it. 217 | 218 | d) If the work has interactive user interfaces, each must display 219 | Appropriate Legal Notices; however, if the Program has interactive 220 | interfaces that do not display Appropriate Legal Notices, your 221 | work need not make them do so. 222 | 223 | A compilation of a covered work with other separate and independent 224 | works, which are not by their nature extensions of the covered work, 225 | and which are not combined with it such as to form a larger program, 226 | in or on a volume of a storage or distribution medium, is called an 227 | "aggregate" if the compilation and its resulting copyright are not 228 | used to limit the access or legal rights of the compilation's users 229 | beyond what the individual works permit. Inclusion of a covered work 230 | in an aggregate does not cause this License to apply to the other 231 | parts of the aggregate. 232 | 233 | 6. Conveying Non-Source Forms. 234 | 235 | You may convey a covered work in object code form under the terms 236 | of sections 4 and 5, provided that you also convey the 237 | machine-readable Corresponding Source under the terms of this License, 238 | in one of these ways: 239 | 240 | a) Convey the object code in, or embodied in, a physical product 241 | (including a physical distribution medium), accompanied by the 242 | Corresponding Source fixed on a durable physical medium 243 | customarily used for software interchange. 244 | 245 | b) Convey the object code in, or embodied in, a physical product 246 | (including a physical distribution medium), accompanied by a 247 | written offer, valid for at least three years and valid for as 248 | long as you offer spare parts or customer support for that product 249 | model, to give anyone who possesses the object code either (1) a 250 | copy of the Corresponding Source for all the software in the 251 | product that is covered by this License, on a durable physical 252 | medium customarily used for software interchange, for a price no 253 | more than your reasonable cost of physically performing this 254 | conveying of source, or (2) access to copy the 255 | Corresponding Source from a network server at no charge. 256 | 257 | c) Convey individual copies of the object code with a copy of the 258 | written offer to provide the Corresponding Source. This 259 | alternative is allowed only occasionally and noncommercially, and 260 | only if you received the object code with such an offer, in accord 261 | with subsection 6b. 262 | 263 | d) Convey the object code by offering access from a designated 264 | place (gratis or for a charge), and offer equivalent access to the 265 | Corresponding Source in the same way through the same place at no 266 | further charge. You need not require recipients to copy the 267 | Corresponding Source along with the object code. If the place to 268 | copy the object code is a network server, the Corresponding Source 269 | may be on a different server (operated by you or a third party) 270 | that supports equivalent copying facilities, provided you maintain 271 | clear directions next to the object code saying where to find the 272 | Corresponding Source. Regardless of what server hosts the 273 | Corresponding Source, you remain obligated to ensure that it is 274 | available for as long as needed to satisfy these requirements. 275 | 276 | e) Convey the object code using peer-to-peer transmission, provided 277 | you inform other peers where the object code and Corresponding 278 | Source of the work are being offered to the general public at no 279 | charge under subsection 6d. 280 | 281 | A separable portion of the object code, whose source code is excluded 282 | from the Corresponding Source as a System Library, need not be 283 | included in conveying the object code work. 284 | 285 | A "User Product" is either (1) a "consumer product", which means any 286 | tangible personal property which is normally used for personal, family, 287 | or household purposes, or (2) anything designed or sold for incorporation 288 | into a dwelling. In determining whether a product is a consumer product, 289 | doubtful cases shall be resolved in favor of coverage. For a particular 290 | product received by a particular user, "normally used" refers to a 291 | typical or common use of that class of product, regardless of the status 292 | of the particular user or of the way in which the particular user 293 | actually uses, or expects or is expected to use, the product. A product 294 | is a consumer product regardless of whether the product has substantial 295 | commercial, industrial or non-consumer uses, unless such uses represent 296 | the only significant mode of use of the product. 297 | 298 | "Installation Information" for a User Product means any methods, 299 | procedures, authorization keys, or other information required to install 300 | and execute modified versions of a covered work in that User Product from 301 | a modified version of its Corresponding Source. The information must 302 | suffice to ensure that the continued functioning of the modified object 303 | code is in no case prevented or interfered with solely because 304 | modification has been made. 305 | 306 | If you convey an object code work under this section in, or with, or 307 | specifically for use in, a User Product, and the conveying occurs as 308 | part of a transaction in which the right of possession and use of the 309 | User Product is transferred to the recipient in perpetuity or for a 310 | fixed term (regardless of how the transaction is characterized), the 311 | Corresponding Source conveyed under this section must be accompanied 312 | by the Installation Information. But this requirement does not apply 313 | if neither you nor any third party retains the ability to install 314 | modified object code on the User Product (for example, the work has 315 | been installed in ROM). 316 | 317 | The requirement to provide Installation Information does not include a 318 | requirement to continue to provide support service, warranty, or updates 319 | for a work that has been modified or installed by the recipient, or for 320 | the User Product in which it has been modified or installed. Access to a 321 | network may be denied when the modification itself materially and 322 | adversely affects the operation of the network or violates the rules and 323 | protocols for communication across the network. 324 | 325 | Corresponding Source conveyed, and Installation Information provided, 326 | in accord with this section must be in a format that is publicly 327 | documented (and with an implementation available to the public in 328 | source code form), and must require no special password or key for 329 | unpacking, reading or copying. 330 | 331 | 7. Additional Terms. 332 | 333 | "Additional permissions" are terms that supplement the terms of this 334 | License by making exceptions from one or more of its conditions. 335 | Additional permissions that are applicable to the entire Program shall 336 | be treated as though they were included in this License, to the extent 337 | that they are valid under applicable law. If additional permissions 338 | apply only to part of the Program, that part may be used separately 339 | under those permissions, but the entire Program remains governed by 340 | this License without regard to the additional permissions. 341 | 342 | When you convey a copy of a covered work, you may at your option 343 | remove any additional permissions from that copy, or from any part of 344 | it. (Additional permissions may be written to require their own 345 | removal in certain cases when you modify the work.) You may place 346 | additional permissions on material, added by you to a covered work, 347 | for which you have or can give appropriate copyright permission. 348 | 349 | Notwithstanding any other provision of this License, for material you 350 | add to a covered work, you may (if authorized by the copyright holders of 351 | that material) supplement the terms of this License with terms: 352 | 353 | a) Disclaiming warranty or limiting liability differently from the 354 | terms of sections 15 and 16 of this License; or 355 | 356 | b) Requiring preservation of specified reasonable legal notices or 357 | author attributions in that material or in the Appropriate Legal 358 | Notices displayed by works containing it; or 359 | 360 | c) Prohibiting misrepresentation of the origin of that material, or 361 | requiring that modified versions of such material be marked in 362 | reasonable ways as different from the original version; or 363 | 364 | d) Limiting the use for publicity purposes of names of licensors or 365 | authors of the material; or 366 | 367 | e) Declining to grant rights under trademark law for use of some 368 | trade names, trademarks, or service marks; or 369 | 370 | f) Requiring indemnification of licensors and authors of that 371 | material by anyone who conveys the material (or modified versions of 372 | it) with contractual assumptions of liability to the recipient, for 373 | any liability that these contractual assumptions directly impose on 374 | those licensors and authors. 375 | 376 | All other non-permissive additional terms are considered "further 377 | restrictions" within the meaning of section 10. If the Program as you 378 | received it, or any part of it, contains a notice stating that it is 379 | governed by this License along with a term that is a further 380 | restriction, you may remove that term. If a license document contains 381 | a further restriction but permits relicensing or conveying under this 382 | License, you may add to a covered work material governed by the terms 383 | of that license document, provided that the further restriction does 384 | not survive such relicensing or conveying. 385 | 386 | If you add terms to a covered work in accord with this section, you 387 | must place, in the relevant source files, a statement of the 388 | additional terms that apply to those files, or a notice indicating 389 | where to find the applicable terms. 390 | 391 | Additional terms, permissive or non-permissive, may be stated in the 392 | form of a separately written license, or stated as exceptions; 393 | the above requirements apply either way. 394 | 395 | 8. Termination. 396 | 397 | You may not propagate or modify a covered work except as expressly 398 | provided under this License. Any attempt otherwise to propagate or 399 | modify it is void, and will automatically terminate your rights under 400 | this License (including any patent licenses granted under the third 401 | paragraph of section 11). 402 | 403 | However, if you cease all violation of this License, then your 404 | license from a particular copyright holder is reinstated (a) 405 | provisionally, unless and until the copyright holder explicitly and 406 | finally terminates your license, and (b) permanently, if the copyright 407 | holder fails to notify you of the violation by some reasonable means 408 | prior to 60 days after the cessation. 409 | 410 | Moreover, your license from a particular copyright holder is 411 | reinstated permanently if the copyright holder notifies you of the 412 | violation by some reasonable means, this is the first time you have 413 | received notice of violation of this License (for any work) from that 414 | copyright holder, and you cure the violation prior to 30 days after 415 | your receipt of the notice. 416 | 417 | Termination of your rights under this section does not terminate the 418 | licenses of parties who have received copies or rights from you under 419 | this License. If your rights have been terminated and not permanently 420 | reinstated, you do not qualify to receive new licenses for the same 421 | material under section 10. 422 | 423 | 9. Acceptance Not Required for Having Copies. 424 | 425 | You are not required to accept this License in order to receive or 426 | run a copy of the Program. Ancillary propagation of a covered work 427 | occurring solely as a consequence of using peer-to-peer transmission 428 | to receive a copy likewise does not require acceptance. However, 429 | nothing other than this License grants you permission to propagate or 430 | modify any covered work. These actions infringe copyright if you do 431 | not accept this License. Therefore, by modifying or propagating a 432 | covered work, you indicate your acceptance of this License to do so. 433 | 434 | 10. Automatic Licensing of Downstream Recipients. 435 | 436 | Each time you convey a covered work, the recipient automatically 437 | receives a license from the original licensors, to run, modify and 438 | propagate that work, subject to this License. You are not responsible 439 | for enforcing compliance by third parties with this License. 440 | 441 | An "entity transaction" is a transaction transferring control of an 442 | organization, or substantially all assets of one, or subdividing an 443 | organization, or merging organizations. If propagation of a covered 444 | work results from an entity transaction, each party to that 445 | transaction who receives a copy of the work also receives whatever 446 | licenses to the work the party's predecessor in interest had or could 447 | give under the previous paragraph, plus a right to possession of the 448 | Corresponding Source of the work from the predecessor in interest, if 449 | the predecessor has it or can get it with reasonable efforts. 450 | 451 | You may not impose any further restrictions on the exercise of the 452 | rights granted or affirmed under this License. For example, you may 453 | not impose a license fee, royalty, or other charge for exercise of 454 | rights granted under this License, and you may not initiate litigation 455 | (including a cross-claim or counterclaim in a lawsuit) alleging that 456 | any patent claim is infringed by making, using, selling, offering for 457 | sale, or importing the Program or any portion of it. 458 | 459 | 11. Patents. 460 | 461 | A "contributor" is a copyright holder who authorizes use under this 462 | License of the Program or a work on which the Program is based. The 463 | work thus licensed is called the contributor's "contributor version". 464 | 465 | A contributor's "essential patent claims" are all patent claims 466 | owned or controlled by the contributor, whether already acquired or 467 | hereafter acquired, that would be infringed by some manner, permitted 468 | by this License, of making, using, or selling its contributor version, 469 | but do not include claims that would be infringed only as a 470 | consequence of further modification of the contributor version. For 471 | purposes of this definition, "control" includes the right to grant 472 | patent sublicenses in a manner consistent with the requirements of 473 | this License. 474 | 475 | Each contributor grants you a non-exclusive, worldwide, royalty-free 476 | patent license under the contributor's essential patent claims, to 477 | make, use, sell, offer for sale, import and otherwise run, modify and 478 | propagate the contents of its contributor version. 479 | 480 | In the following three paragraphs, a "patent license" is any express 481 | agreement or commitment, however denominated, not to enforce a patent 482 | (such as an express permission to practice a patent or covenant not to 483 | sue for patent infringement). To "grant" such a patent license to a 484 | party means to make such an agreement or commitment not to enforce a 485 | patent against the party. 486 | 487 | If you convey a covered work, knowingly relying on a patent license, 488 | and the Corresponding Source of the work is not available for anyone 489 | to copy, free of charge and under the terms of this License, through a 490 | publicly available network server or other readily accessible means, 491 | then you must either (1) cause the Corresponding Source to be so 492 | available, or (2) arrange to deprive yourself of the benefit of the 493 | patent license for this particular work, or (3) arrange, in a manner 494 | consistent with the requirements of this License, to extend the patent 495 | license to downstream recipients. "Knowingly relying" means you have 496 | actual knowledge that, but for the patent license, your conveying the 497 | covered work in a country, or your recipient's use of the covered work 498 | in a country, would infringe one or more identifiable patents in that 499 | country that you have reason to believe are valid. 500 | 501 | If, pursuant to or in connection with a single transaction or 502 | arrangement, you convey, or propagate by procuring conveyance of, a 503 | covered work, and grant a patent license to some of the parties 504 | receiving the covered work authorizing them to use, propagate, modify 505 | or convey a specific copy of the covered work, then the patent license 506 | you grant is automatically extended to all recipients of the covered 507 | work and works based on it. 508 | 509 | A patent license is "discriminatory" if it does not include within 510 | the scope of its coverage, prohibits the exercise of, or is 511 | conditioned on the non-exercise of one or more of the rights that are 512 | specifically granted under this License. You may not convey a covered 513 | work if you are a party to an arrangement with a third party that is 514 | in the business of distributing software, under which you make payment 515 | to the third party based on the extent of your activity of conveying 516 | the work, and under which the third party grants, to any of the 517 | parties who would receive the covered work from you, a discriminatory 518 | patent license (a) in connection with copies of the covered work 519 | conveyed by you (or copies made from those copies), or (b) primarily 520 | for and in connection with specific products or compilations that 521 | contain the covered work, unless you entered into that arrangement, 522 | or that patent license was granted, prior to 28 March 2007. 523 | 524 | Nothing in this License shall be construed as excluding or limiting 525 | any implied license or other defenses to infringement that may 526 | otherwise be available to you under applicable patent law. 527 | 528 | 12. No Surrender of Others' Freedom. 529 | 530 | If conditions are imposed on you (whether by court order, agreement or 531 | otherwise) that contradict the conditions of this License, they do not 532 | excuse you from the conditions of this License. If you cannot convey a 533 | covered work so as to satisfy simultaneously your obligations under this 534 | License and any other pertinent obligations, then as a consequence you may 535 | not convey it at all. For example, if you agree to terms that obligate you 536 | to collect a royalty for further conveying from those to whom you convey 537 | the Program, the only way you could satisfy both those terms and this 538 | License would be to refrain entirely from conveying the Program. 539 | 540 | 13. Remote Network Interaction; Use with the GNU General Public License. 541 | 542 | Notwithstanding any other provision of this License, if you modify the 543 | Program, your modified version must prominently offer all users 544 | interacting with it remotely through a computer network (if your version 545 | supports such interaction) an opportunity to receive the Corresponding 546 | Source of your version by providing access to the Corresponding Source 547 | from a network server at no charge, through some standard or customary 548 | means of facilitating copying of software. This Corresponding Source 549 | shall include the Corresponding Source for any work covered by version 3 550 | of the GNU General Public License that is incorporated pursuant to the 551 | following paragraph. 552 | 553 | Notwithstanding any other provision of this License, you have 554 | permission to link or combine any covered work with a work licensed 555 | under version 3 of the GNU General Public License into a single 556 | combined work, and to convey the resulting work. The terms of this 557 | License will continue to apply to the part which is the covered work, 558 | but the work with which it is combined will remain governed by version 559 | 3 of the GNU General Public License. 560 | 561 | 14. Revised Versions of this License. 562 | 563 | The Free Software Foundation may publish revised and/or new versions of 564 | the GNU Affero General Public License from time to time. Such new versions 565 | will be similar in spirit to the present version, but may differ in detail to 566 | address new problems or concerns. 567 | 568 | Each version is given a distinguishing version number. If the 569 | Program specifies that a certain numbered version of the GNU Affero General 570 | Public License "or any later version" applies to it, you have the 571 | option of following the terms and conditions either of that numbered 572 | version or of any later version published by the Free Software 573 | Foundation. If the Program does not specify a version number of the 574 | GNU Affero General Public License, you may choose any version ever published 575 | by the Free Software Foundation. 576 | 577 | If the Program specifies that a proxy can decide which future 578 | versions of the GNU Affero General Public License can be used, that proxy's 579 | public statement of acceptance of a version permanently authorizes you 580 | to choose that version for the Program. 581 | 582 | Later license versions may give you additional or different 583 | permissions. However, no additional obligations are imposed on any 584 | author or copyright holder as a result of your choosing to follow a 585 | later version. 586 | 587 | 15. Disclaimer of Warranty. 588 | 589 | THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY 590 | APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT 591 | HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY 592 | OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, 593 | THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR 594 | PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM 595 | IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF 596 | ALL NECESSARY SERVICING, REPAIR OR CORRECTION. 597 | 598 | 16. Limitation of Liability. 599 | 600 | IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING 601 | WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS 602 | THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY 603 | GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE 604 | USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF 605 | DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD 606 | PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), 607 | EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF 608 | SUCH DAMAGES. 609 | 610 | 17. Interpretation of Sections 15 and 16. 611 | 612 | If the disclaimer of warranty and limitation of liability provided 613 | above cannot be given local legal effect according to their terms, 614 | reviewing courts shall apply local law that most closely approximates 615 | an absolute waiver of all civil liability in connection with the 616 | Program, unless a warranty or assumption of liability accompanies a 617 | copy of the Program in return for a fee. 618 | 619 | END OF TERMS AND CONDITIONS 620 | 621 | How to Apply These Terms to Your New Programs 622 | 623 | If you develop a new program, and you want it to be of the greatest 624 | possible use to the public, the best way to achieve this is to make it 625 | free software which everyone can redistribute and change under these terms. 626 | 627 | To do so, attach the following notices to the program. It is safest 628 | to attach them to the start of each source file to most effectively 629 | state the exclusion of warranty; and each file should have at least 630 | the "copyright" line and a pointer to where the full notice is found. 631 | 632 | 633 | Copyright (C) 634 | 635 | This program is free software: you can redistribute it and/or modify 636 | it under the terms of the GNU Affero General Public License as published 637 | by the Free Software Foundation, either version 3 of the License, or 638 | (at your option) any later version. 639 | 640 | This program is distributed in the hope that it will be useful, 641 | but WITHOUT ANY WARRANTY; without even the implied warranty of 642 | MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the 643 | GNU Affero General Public License for more details. 644 | 645 | You should have received a copy of the GNU Affero General Public License 646 | along with this program. If not, see . 647 | 648 | Also add information on how to contact you by electronic and paper mail. 649 | 650 | If your software can interact with users remotely through a computer 651 | network, you should also make sure that it provides a way for users to 652 | get its source. For example, if your program is a web application, its 653 | interface could display a "Source" link that leads users to an archive 654 | of the code. There are many ways you could offer source, and different 655 | solutions will be better for different programs; see section 13 for the 656 | specific requirements. 657 | 658 | You should also get your employer (if you work as a programmer) or school, 659 | if any, to sign a "copyright disclaimer" for the program, if necessary. 660 | For more information on this, and how to apply and follow the GNU AGPL, see 661 | . -------------------------------------------------------------------------------- /yarn.lock: -------------------------------------------------------------------------------- 1 | # THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY. 2 | # yarn lockfile v1 3 | 4 | 5 | "@discoveryjs/json-ext@^0.5.0": 6 | version "0.5.7" 7 | resolved "https://registry.yarnpkg.com/@discoveryjs/json-ext/-/json-ext-0.5.7.tgz#1d572bfbbe14b7704e0ba0f39b74815b84870d70" 8 | integrity sha512-dBVuXR082gk3jsFp7Rd/JI4kytwGHecnCoTtXFb7DB6CNHp4rg5k1bhg0nWdLGLnOV71lmDzGQaLMy8iPLY0pw== 9 | 10 | "@eslint/eslintrc@^1.3.2": 11 | version "1.3.2" 12 | resolved "https://registry.yarnpkg.com/@eslint/eslintrc/-/eslintrc-1.3.2.tgz#58b69582f3b7271d8fa67fe5251767a5b38ea356" 13 | integrity sha512-AXYd23w1S/bv3fTs3Lz0vjiYemS08jWkI3hYyS9I1ry+0f+Yjs1wm+sU0BS8qDOPrBIkp4qHYC16I8uVtpLajQ== 14 | dependencies: 15 | ajv "^6.12.4" 16 | debug "^4.3.2" 17 | espree "^9.4.0" 18 | globals "^13.15.0" 19 | ignore "^5.2.0" 20 | import-fresh "^3.2.1" 21 | js-yaml "^4.1.0" 22 | minimatch "^3.1.2" 23 | strip-json-comments "^3.1.1" 24 | 25 | "@humanwhocodes/config-array@^0.10.5": 26 | version "0.10.5" 27 | resolved "https://registry.yarnpkg.com/@humanwhocodes/config-array/-/config-array-0.10.5.tgz#bb679745224745fff1e9a41961c1d45a49f81c04" 28 | integrity sha512-XVVDtp+dVvRxMoxSiSfasYaG02VEe1qH5cKgMQJWhol6HwzbcqoCMJi8dAGoYAO57jhUyhI6cWuRiTcRaDaYug== 29 | dependencies: 30 | "@humanwhocodes/object-schema" "^1.2.1" 31 | debug "^4.1.1" 32 | minimatch "^3.0.4" 33 | 34 | "@humanwhocodes/gitignore-to-minimatch@^1.0.2": 35 | version "1.0.2" 36 | resolved "https://registry.yarnpkg.com/@humanwhocodes/gitignore-to-minimatch/-/gitignore-to-minimatch-1.0.2.tgz#316b0a63b91c10e53f242efb4ace5c3b34e8728d" 37 | integrity sha512-rSqmMJDdLFUsyxR6FMtD00nfQKKLFb1kv+qBbOVKqErvloEIJLo5bDTJTQNTYgeyp78JsA7u/NPi5jT1GR/MuA== 38 | 39 | "@humanwhocodes/module-importer@^1.0.1": 40 | version "1.0.1" 41 | resolved "https://registry.yarnpkg.com/@humanwhocodes/module-importer/-/module-importer-1.0.1.tgz#af5b2691a22b44be847b0ca81641c5fb6ad0172c" 42 | integrity sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA== 43 | 44 | "@humanwhocodes/object-schema@^1.2.1": 45 | version "1.2.1" 46 | resolved "https://registry.yarnpkg.com/@humanwhocodes/object-schema/-/object-schema-1.2.1.tgz#b520529ec21d8e5945a1851dfd1c32e94e39ff45" 47 | integrity sha512-ZnQMnLV4e7hDlUvw8H+U8ASL02SS2Gn6+9Ac3wGGLIe7+je2AeAOxPY+izIPJDfFDb7eDjev0Us8MO1iFRN8hA== 48 | 49 | "@jridgewell/gen-mapping@^0.3.0": 50 | version "0.3.2" 51 | resolved "https://registry.yarnpkg.com/@jridgewell/gen-mapping/-/gen-mapping-0.3.2.tgz#c1aedc61e853f2bb9f5dfe6d4442d3b565b253b9" 52 | integrity sha512-mh65xKQAzI6iBcFzwv28KVWSmCkdRBWoOh+bYQGW3+6OZvbbN3TqMGo5hqYxQniRcH9F2VZIoJCm4pa3BPDK/A== 53 | dependencies: 54 | "@jridgewell/set-array" "^1.0.1" 55 | "@jridgewell/sourcemap-codec" "^1.4.10" 56 | "@jridgewell/trace-mapping" "^0.3.9" 57 | 58 | "@jridgewell/resolve-uri@^3.0.3": 59 | version "3.1.0" 60 | resolved "https://registry.yarnpkg.com/@jridgewell/resolve-uri/-/resolve-uri-3.1.0.tgz#2203b118c157721addfe69d47b70465463066d78" 61 | integrity sha512-F2msla3tad+Mfht5cJq7LSXcdudKTWCVYUgw6pLFOOHSTtZlj6SWNYAp+AhuqLmWdBO2X5hPrLcu8cVP8fy28w== 62 | 63 | "@jridgewell/set-array@^1.0.1": 64 | version "1.1.2" 65 | resolved "https://registry.yarnpkg.com/@jridgewell/set-array/-/set-array-1.1.2.tgz#7c6cf998d6d20b914c0a55a91ae928ff25965e72" 66 | integrity sha512-xnkseuNADM0gt2bs+BvhO0p78Mk762YnZdsuzFV018NoG1Sj1SCQvpSqa7XUaTam5vAGasABV9qXASMKnFMwMw== 67 | 68 | "@jridgewell/source-map@^0.3.2": 69 | version "0.3.2" 70 | resolved "https://registry.yarnpkg.com/@jridgewell/source-map/-/source-map-0.3.2.tgz#f45351aaed4527a298512ec72f81040c998580fb" 71 | integrity sha512-m7O9o2uR8k2ObDysZYzdfhb08VuEml5oWGiosa1VdaPZ/A6QyPkAJuwN0Q1lhULOf6B7MtQmHENS743hWtCrgw== 72 | dependencies: 73 | "@jridgewell/gen-mapping" "^0.3.0" 74 | "@jridgewell/trace-mapping" "^0.3.9" 75 | 76 | "@jridgewell/sourcemap-codec@^1.4.10": 77 | version "1.4.14" 78 | resolved "https://registry.yarnpkg.com/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.14.tgz#add4c98d341472a289190b424efbdb096991bb24" 79 | integrity sha512-XPSJHWmi394fuUuzDnGz1wiKqWfo1yXecHQMRf2l6hztTO+nPru658AyDngaBe7isIxEkRsPR3FZh+s7iVa4Uw== 80 | 81 | "@jridgewell/trace-mapping@^0.3.14", "@jridgewell/trace-mapping@^0.3.9": 82 | version "0.3.15" 83 | resolved "https://registry.yarnpkg.com/@jridgewell/trace-mapping/-/trace-mapping-0.3.15.tgz#aba35c48a38d3fd84b37e66c9c0423f9744f9774" 84 | integrity sha512-oWZNOULl+UbhsgB51uuZzglikfIKSUBO/M9W2OfEjn7cmqoAiCgmv9lyACTUacZwBz0ITnJ2NqjU8Tx0DHL88g== 85 | dependencies: 86 | "@jridgewell/resolve-uri" "^3.0.3" 87 | "@jridgewell/sourcemap-codec" "^1.4.10" 88 | 89 | "@nodelib/fs.scandir@2.1.5": 90 | version "2.1.5" 91 | resolved "https://registry.yarnpkg.com/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz#7619c2eb21b25483f6d167548b4cfd5a7488c3d5" 92 | integrity sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g== 93 | dependencies: 94 | "@nodelib/fs.stat" "2.0.5" 95 | run-parallel "^1.1.9" 96 | 97 | "@nodelib/fs.stat@2.0.5", "@nodelib/fs.stat@^2.0.2": 98 | version "2.0.5" 99 | resolved "https://registry.yarnpkg.com/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz#5bd262af94e9d25bd1e71b05deed44876a222e8b" 100 | integrity sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A== 101 | 102 | "@nodelib/fs.walk@^1.2.3": 103 | version "1.2.8" 104 | resolved "https://registry.yarnpkg.com/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz#e95737e8bb6746ddedf69c556953494f196fe69a" 105 | integrity sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg== 106 | dependencies: 107 | "@nodelib/fs.scandir" "2.1.5" 108 | fastq "^1.6.0" 109 | 110 | "@tootallnate/once@1": 111 | version "1.1.2" 112 | resolved "https://registry.yarnpkg.com/@tootallnate/once/-/once-1.1.2.tgz#ccb91445360179a04e7fe6aff78c00ffc1eeaf82" 113 | integrity sha512-RbzJvlNzmRq5c3O09UipeuXno4tA1FE6ikOjxZK0tuxVv3412l64l5t1W5pj4+rJq9vpkm/kwiR07aZXnsKPxw== 114 | 115 | "@types/eslint-scope@^3.7.3": 116 | version "3.7.4" 117 | resolved "https://registry.yarnpkg.com/@types/eslint-scope/-/eslint-scope-3.7.4.tgz#37fc1223f0786c39627068a12e94d6e6fc61de16" 118 | integrity sha512-9K4zoImiZc3HlIp6AVUDE4CWYx22a+lhSZMYNpbjW04+YF0KWj4pJXnEMjdnFTiQibFFmElcsasJXDbdI/EPhA== 119 | dependencies: 120 | "@types/eslint" "*" 121 | "@types/estree" "*" 122 | 123 | "@types/eslint@*": 124 | version "8.4.6" 125 | resolved "https://registry.yarnpkg.com/@types/eslint/-/eslint-8.4.6.tgz#7976f054c1bccfcf514bff0564c0c41df5c08207" 126 | integrity sha512-/fqTbjxyFUaYNO7VcW5g+4npmqVACz1bB7RTHYuLj+PRjw9hrCwrUXVQFpChUS0JsyEFvMZ7U/PfmvWgxJhI9g== 127 | dependencies: 128 | "@types/estree" "*" 129 | "@types/json-schema" "*" 130 | 131 | "@types/estree@*": 132 | version "1.0.0" 133 | resolved "https://registry.yarnpkg.com/@types/estree/-/estree-1.0.0.tgz#5fb2e536c1ae9bf35366eed879e827fa59ca41c2" 134 | integrity sha512-WulqXMDUTYAXCjZnk6JtIHPigp55cVtDgDrO2gHRwhyJto21+1zbVCtOYB2L1F9w4qCQ0rOGWBnBe0FNTiEJIQ== 135 | 136 | "@types/estree@^0.0.51": 137 | version "0.0.51" 138 | resolved "https://registry.yarnpkg.com/@types/estree/-/estree-0.0.51.tgz#cfd70924a25a3fd32b218e5e420e6897e1ac4f40" 139 | integrity sha512-CuPgU6f3eT/XgKKPqKd/gLZV1Xmvf1a2R5POBOGQa6uv82xpls89HU5zKeVoyR8XzHd1RGNOlQlvUe3CFkjWNQ== 140 | 141 | "@types/glob@^7.2.0": 142 | version "7.2.0" 143 | resolved "https://registry.yarnpkg.com/@types/glob/-/glob-7.2.0.tgz#bc1b5bf3aa92f25bd5dd39f35c57361bdce5b2eb" 144 | integrity sha512-ZUxbzKl0IfJILTS6t7ip5fQQM/J3TJYubDm3nMbgubNNYS62eXeUpoLUC8/7fJNiFYHTrGPQn7hspDUzIHX3UA== 145 | dependencies: 146 | "@types/minimatch" "*" 147 | "@types/node" "*" 148 | 149 | "@types/json-schema@*", "@types/json-schema@^7.0.8", "@types/json-schema@^7.0.9": 150 | version "7.0.11" 151 | resolved "https://registry.yarnpkg.com/@types/json-schema/-/json-schema-7.0.11.tgz#d421b6c527a3037f7c84433fd2c4229e016863d3" 152 | integrity sha512-wOuvG1SN4Us4rez+tylwwwCV1psiNVOkJeM3AUWUNWg/jDQY2+HE/444y5gc+jBmRqASOm2Oeh5c1axHobwRKQ== 153 | 154 | "@types/minimatch@*": 155 | version "5.1.2" 156 | resolved "https://registry.yarnpkg.com/@types/minimatch/-/minimatch-5.1.2.tgz#07508b45797cb81ec3f273011b054cd0755eddca" 157 | integrity sha512-K0VQKziLUWkVKiRVrx4a40iPaxTUefQmjtkQofBkYRcoaaL/8rhwDWww9qWbrgicNOgnpIsMxyNIUM4+n6dUIA== 158 | 159 | "@types/mocha@^9.1.1": 160 | version "9.1.1" 161 | resolved "https://registry.yarnpkg.com/@types/mocha/-/mocha-9.1.1.tgz#e7c4f1001eefa4b8afbd1eee27a237fee3bf29c4" 162 | integrity sha512-Z61JK7DKDtdKTWwLeElSEBcWGRLY8g95ic5FoQqI9CMx0ns/Ghep3B4DfcEimiKMvtamNVULVNKEsiwV3aQmXw== 163 | 164 | "@types/node@*": 165 | version "18.7.20" 166 | resolved "https://registry.yarnpkg.com/@types/node/-/node-18.7.20.tgz#d9442de7b5cb166476340b4271b15300fe058a39" 167 | integrity sha512-adzY4vLLr5Uivmx8+zfSJ5fbdgKxX8UMtjtl+17n0B1q1Nz8JEmE151vefMdpD+1gyh+77weN4qEhej/O7budQ== 168 | 169 | "@types/node@16.x": 170 | version "16.11.60" 171 | resolved "https://registry.yarnpkg.com/@types/node/-/node-16.11.60.tgz#a1fbca80c18dd80c8783557304cdb7d55ac3aff5" 172 | integrity sha512-kYIYa1D1L+HDv5M5RXQeEu1o0FKA6yedZIoyugm/MBPROkLpX4L7HRxMrPVyo8bnvjpW/wDlqFNGzXNMb7AdRw== 173 | 174 | "@types/vscode@^1.71.0": 175 | version "1.71.0" 176 | resolved "https://registry.yarnpkg.com/@types/vscode/-/vscode-1.71.0.tgz#a8d9bb7aca49b0455060e6eb978711b510bdd2e2" 177 | integrity sha512-nB50bBC9H/x2CpwW9FzRRRDrTZ7G0/POttJojvN/LiVfzTGfLyQIje1L1QRMdFXK9G41k5UJN/1B9S4of7CSzA== 178 | 179 | "@typescript-eslint/eslint-plugin@^5.31.0": 180 | version "5.38.0" 181 | resolved "https://registry.yarnpkg.com/@typescript-eslint/eslint-plugin/-/eslint-plugin-5.38.0.tgz#ac919a199548861012e8c1fb2ec4899ac2bc22ae" 182 | integrity sha512-GgHi/GNuUbTOeoJiEANi0oI6fF3gBQc3bGFYj40nnAPCbhrtEDf2rjBmefFadweBmO1Du1YovHeDP2h5JLhtTQ== 183 | dependencies: 184 | "@typescript-eslint/scope-manager" "5.38.0" 185 | "@typescript-eslint/type-utils" "5.38.0" 186 | "@typescript-eslint/utils" "5.38.0" 187 | debug "^4.3.4" 188 | ignore "^5.2.0" 189 | regexpp "^3.2.0" 190 | semver "^7.3.7" 191 | tsutils "^3.21.0" 192 | 193 | "@typescript-eslint/parser@^5.31.0": 194 | version "5.38.0" 195 | resolved "https://registry.yarnpkg.com/@typescript-eslint/parser/-/parser-5.38.0.tgz#5a59a1ff41a7b43aacd1bb2db54f6bf1c02b2ff8" 196 | integrity sha512-/F63giJGLDr0ms1Cr8utDAxP2SPiglaD6V+pCOcG35P2jCqdfR7uuEhz1GIC3oy4hkUF8xA1XSXmd9hOh/a5EA== 197 | dependencies: 198 | "@typescript-eslint/scope-manager" "5.38.0" 199 | "@typescript-eslint/types" "5.38.0" 200 | "@typescript-eslint/typescript-estree" "5.38.0" 201 | debug "^4.3.4" 202 | 203 | "@typescript-eslint/scope-manager@5.38.0": 204 | version "5.38.0" 205 | resolved "https://registry.yarnpkg.com/@typescript-eslint/scope-manager/-/scope-manager-5.38.0.tgz#8f0927024b6b24e28671352c93b393a810ab4553" 206 | integrity sha512-ByhHIuNyKD9giwkkLqzezZ9y5bALW8VNY6xXcP+VxoH4JBDKjU5WNnsiD4HJdglHECdV+lyaxhvQjTUbRboiTA== 207 | dependencies: 208 | "@typescript-eslint/types" "5.38.0" 209 | "@typescript-eslint/visitor-keys" "5.38.0" 210 | 211 | "@typescript-eslint/type-utils@5.38.0": 212 | version "5.38.0" 213 | resolved "https://registry.yarnpkg.com/@typescript-eslint/type-utils/-/type-utils-5.38.0.tgz#c8b7f681da825fcfc66ff2b63d70693880496876" 214 | integrity sha512-iZq5USgybUcj/lfnbuelJ0j3K9dbs1I3RICAJY9NZZpDgBYXmuUlYQGzftpQA9wC8cKgtS6DASTvF3HrXwwozA== 215 | dependencies: 216 | "@typescript-eslint/typescript-estree" "5.38.0" 217 | "@typescript-eslint/utils" "5.38.0" 218 | debug "^4.3.4" 219 | tsutils "^3.21.0" 220 | 221 | "@typescript-eslint/types@5.38.0": 222 | version "5.38.0" 223 | resolved "https://registry.yarnpkg.com/@typescript-eslint/types/-/types-5.38.0.tgz#8cd15825e4874354e31800dcac321d07548b8a5f" 224 | integrity sha512-HHu4yMjJ7i3Cb+8NUuRCdOGu2VMkfmKyIJsOr9PfkBVYLYrtMCK/Ap50Rpov+iKpxDTfnqvDbuPLgBE5FwUNfA== 225 | 226 | "@typescript-eslint/typescript-estree@5.38.0": 227 | version "5.38.0" 228 | resolved "https://registry.yarnpkg.com/@typescript-eslint/typescript-estree/-/typescript-estree-5.38.0.tgz#89f86b2279815c6fb7f57d68cf9b813f0dc25d98" 229 | integrity sha512-6P0RuphkR+UuV7Avv7MU3hFoWaGcrgOdi8eTe1NwhMp2/GjUJoODBTRWzlHpZh6lFOaPmSvgxGlROa0Sg5Zbyg== 230 | dependencies: 231 | "@typescript-eslint/types" "5.38.0" 232 | "@typescript-eslint/visitor-keys" "5.38.0" 233 | debug "^4.3.4" 234 | globby "^11.1.0" 235 | is-glob "^4.0.3" 236 | semver "^7.3.7" 237 | tsutils "^3.21.0" 238 | 239 | "@typescript-eslint/utils@5.38.0": 240 | version "5.38.0" 241 | resolved "https://registry.yarnpkg.com/@typescript-eslint/utils/-/utils-5.38.0.tgz#5b31f4896471818153790700eb02ac869a1543f4" 242 | integrity sha512-6sdeYaBgk9Fh7N2unEXGz+D+som2QCQGPAf1SxrkEr+Z32gMreQ0rparXTNGRRfYUWk/JzbGdcM8NSSd6oqnTA== 243 | dependencies: 244 | "@types/json-schema" "^7.0.9" 245 | "@typescript-eslint/scope-manager" "5.38.0" 246 | "@typescript-eslint/types" "5.38.0" 247 | "@typescript-eslint/typescript-estree" "5.38.0" 248 | eslint-scope "^5.1.1" 249 | eslint-utils "^3.0.0" 250 | 251 | "@typescript-eslint/visitor-keys@5.38.0": 252 | version "5.38.0" 253 | resolved "https://registry.yarnpkg.com/@typescript-eslint/visitor-keys/-/visitor-keys-5.38.0.tgz#60591ca3bf78aa12b25002c0993d067c00887e34" 254 | integrity sha512-MxnrdIyArnTi+XyFLR+kt/uNAcdOnmT+879os7qDRI+EYySR4crXJq9BXPfRzzLGq0wgxkwidrCJ9WCAoacm1w== 255 | dependencies: 256 | "@typescript-eslint/types" "5.38.0" 257 | eslint-visitor-keys "^3.3.0" 258 | 259 | "@ungap/promise-all-settled@1.1.2": 260 | version "1.1.2" 261 | resolved "https://registry.yarnpkg.com/@ungap/promise-all-settled/-/promise-all-settled-1.1.2.tgz#aa58042711d6e3275dd37dc597e5d31e8c290a44" 262 | integrity sha512-sL/cEvJWAnClXw0wHk85/2L0G6Sj8UB0Ctc1TEMbKSsmpRosqhwj9gWgFRZSrBr2f9tiXISwNhCPmlfqUqyb9Q== 263 | 264 | "@vscode/test-electron@^2.1.5": 265 | version "2.1.5" 266 | resolved "https://registry.yarnpkg.com/@vscode/test-electron/-/test-electron-2.1.5.tgz#ac98f8f445ea4590753f5fa0c7f6e4298f08c3b7" 267 | integrity sha512-O/ioqFpV+RvKbRykX2ItYPnbcZ4Hk5V0rY4uhQjQTLhGL9WZUvS7exzuYQCCI+ilSqJpctvxq2llTfGXf9UnnA== 268 | dependencies: 269 | http-proxy-agent "^4.0.1" 270 | https-proxy-agent "^5.0.0" 271 | rimraf "^3.0.2" 272 | unzipper "^0.10.11" 273 | 274 | "@webassemblyjs/ast@1.11.1": 275 | version "1.11.1" 276 | resolved "https://registry.yarnpkg.com/@webassemblyjs/ast/-/ast-1.11.1.tgz#2bfd767eae1a6996f432ff7e8d7fc75679c0b6a7" 277 | integrity sha512-ukBh14qFLjxTQNTXocdyksN5QdM28S1CxHt2rdskFyL+xFV7VremuBLVbmCePj+URalXBENx/9Lm7lnhihtCSw== 278 | dependencies: 279 | "@webassemblyjs/helper-numbers" "1.11.1" 280 | "@webassemblyjs/helper-wasm-bytecode" "1.11.1" 281 | 282 | "@webassemblyjs/floating-point-hex-parser@1.11.1": 283 | version "1.11.1" 284 | resolved "https://registry.yarnpkg.com/@webassemblyjs/floating-point-hex-parser/-/floating-point-hex-parser-1.11.1.tgz#f6c61a705f0fd7a6aecaa4e8198f23d9dc179e4f" 285 | integrity sha512-iGRfyc5Bq+NnNuX8b5hwBrRjzf0ocrJPI6GWFodBFzmFnyvrQ83SHKhmilCU/8Jv67i4GJZBMhEzltxzcNagtQ== 286 | 287 | "@webassemblyjs/helper-api-error@1.11.1": 288 | version "1.11.1" 289 | resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-api-error/-/helper-api-error-1.11.1.tgz#1a63192d8788e5c012800ba6a7a46c705288fd16" 290 | integrity sha512-RlhS8CBCXfRUR/cwo2ho9bkheSXG0+NwooXcc3PAILALf2QLdFyj7KGsKRbVc95hZnhnERon4kW/D3SZpp6Tcg== 291 | 292 | "@webassemblyjs/helper-buffer@1.11.1": 293 | version "1.11.1" 294 | resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-buffer/-/helper-buffer-1.11.1.tgz#832a900eb444884cde9a7cad467f81500f5e5ab5" 295 | integrity sha512-gwikF65aDNeeXa8JxXa2BAk+REjSyhrNC9ZwdT0f8jc4dQQeDQ7G4m0f2QCLPJiMTTO6wfDmRmj/pW0PsUvIcA== 296 | 297 | "@webassemblyjs/helper-numbers@1.11.1": 298 | version "1.11.1" 299 | resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-numbers/-/helper-numbers-1.11.1.tgz#64d81da219fbbba1e3bd1bfc74f6e8c4e10a62ae" 300 | integrity sha512-vDkbxiB8zfnPdNK9Rajcey5C0w+QJugEglN0of+kmO8l7lDb77AnlKYQF7aarZuCrv+l0UvqL+68gSDr3k9LPQ== 301 | dependencies: 302 | "@webassemblyjs/floating-point-hex-parser" "1.11.1" 303 | "@webassemblyjs/helper-api-error" "1.11.1" 304 | "@xtuc/long" "4.2.2" 305 | 306 | "@webassemblyjs/helper-wasm-bytecode@1.11.1": 307 | version "1.11.1" 308 | resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-wasm-bytecode/-/helper-wasm-bytecode-1.11.1.tgz#f328241e41e7b199d0b20c18e88429c4433295e1" 309 | integrity sha512-PvpoOGiJwXeTrSf/qfudJhwlvDQxFgelbMqtq52WWiXC6Xgg1IREdngmPN3bs4RoO83PnL/nFrxucXj1+BX62Q== 310 | 311 | "@webassemblyjs/helper-wasm-section@1.11.1": 312 | version "1.11.1" 313 | resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-wasm-section/-/helper-wasm-section-1.11.1.tgz#21ee065a7b635f319e738f0dd73bfbda281c097a" 314 | integrity sha512-10P9No29rYX1j7F3EVPX3JvGPQPae+AomuSTPiF9eBQeChHI6iqjMIwR9JmOJXwpnn/oVGDk7I5IlskuMwU/pg== 315 | dependencies: 316 | "@webassemblyjs/ast" "1.11.1" 317 | "@webassemblyjs/helper-buffer" "1.11.1" 318 | "@webassemblyjs/helper-wasm-bytecode" "1.11.1" 319 | "@webassemblyjs/wasm-gen" "1.11.1" 320 | 321 | "@webassemblyjs/ieee754@1.11.1": 322 | version "1.11.1" 323 | resolved "https://registry.yarnpkg.com/@webassemblyjs/ieee754/-/ieee754-1.11.1.tgz#963929e9bbd05709e7e12243a099180812992614" 324 | integrity sha512-hJ87QIPtAMKbFq6CGTkZYJivEwZDbQUgYd3qKSadTNOhVY7p+gfP6Sr0lLRVTaG1JjFj+r3YchoqRYxNH3M0GQ== 325 | dependencies: 326 | "@xtuc/ieee754" "^1.2.0" 327 | 328 | "@webassemblyjs/leb128@1.11.1": 329 | version "1.11.1" 330 | resolved "https://registry.yarnpkg.com/@webassemblyjs/leb128/-/leb128-1.11.1.tgz#ce814b45574e93d76bae1fb2644ab9cdd9527aa5" 331 | integrity sha512-BJ2P0hNZ0u+Th1YZXJpzW6miwqQUGcIHT1G/sf72gLVD9DZ5AdYTqPNbHZh6K1M5VmKvFXwGSWZADz+qBWxeRw== 332 | dependencies: 333 | "@xtuc/long" "4.2.2" 334 | 335 | "@webassemblyjs/utf8@1.11.1": 336 | version "1.11.1" 337 | resolved "https://registry.yarnpkg.com/@webassemblyjs/utf8/-/utf8-1.11.1.tgz#d1f8b764369e7c6e6bae350e854dec9a59f0a3ff" 338 | integrity sha512-9kqcxAEdMhiwQkHpkNiorZzqpGrodQQ2IGrHHxCy+Ozng0ofyMA0lTqiLkVs1uzTRejX+/O0EOT7KxqVPuXosQ== 339 | 340 | "@webassemblyjs/wasm-edit@1.11.1": 341 | version "1.11.1" 342 | resolved "https://registry.yarnpkg.com/@webassemblyjs/wasm-edit/-/wasm-edit-1.11.1.tgz#ad206ebf4bf95a058ce9880a8c092c5dec8193d6" 343 | integrity sha512-g+RsupUC1aTHfR8CDgnsVRVZFJqdkFHpsHMfJuWQzWU3tvnLC07UqHICfP+4XyL2tnr1amvl1Sdp06TnYCmVkA== 344 | dependencies: 345 | "@webassemblyjs/ast" "1.11.1" 346 | "@webassemblyjs/helper-buffer" "1.11.1" 347 | "@webassemblyjs/helper-wasm-bytecode" "1.11.1" 348 | "@webassemblyjs/helper-wasm-section" "1.11.1" 349 | "@webassemblyjs/wasm-gen" "1.11.1" 350 | "@webassemblyjs/wasm-opt" "1.11.1" 351 | "@webassemblyjs/wasm-parser" "1.11.1" 352 | "@webassemblyjs/wast-printer" "1.11.1" 353 | 354 | "@webassemblyjs/wasm-gen@1.11.1": 355 | version "1.11.1" 356 | resolved "https://registry.yarnpkg.com/@webassemblyjs/wasm-gen/-/wasm-gen-1.11.1.tgz#86c5ea304849759b7d88c47a32f4f039ae3c8f76" 357 | integrity sha512-F7QqKXwwNlMmsulj6+O7r4mmtAlCWfO/0HdgOxSklZfQcDu0TpLiD1mRt/zF25Bk59FIjEuGAIyn5ei4yMfLhA== 358 | dependencies: 359 | "@webassemblyjs/ast" "1.11.1" 360 | "@webassemblyjs/helper-wasm-bytecode" "1.11.1" 361 | "@webassemblyjs/ieee754" "1.11.1" 362 | "@webassemblyjs/leb128" "1.11.1" 363 | "@webassemblyjs/utf8" "1.11.1" 364 | 365 | "@webassemblyjs/wasm-opt@1.11.1": 366 | version "1.11.1" 367 | resolved "https://registry.yarnpkg.com/@webassemblyjs/wasm-opt/-/wasm-opt-1.11.1.tgz#657b4c2202f4cf3b345f8a4c6461c8c2418985f2" 368 | integrity sha512-VqnkNqnZlU5EB64pp1l7hdm3hmQw7Vgqa0KF/KCNO9sIpI6Fk6brDEiX+iCOYrvMuBWDws0NkTOxYEb85XQHHw== 369 | dependencies: 370 | "@webassemblyjs/ast" "1.11.1" 371 | "@webassemblyjs/helper-buffer" "1.11.1" 372 | "@webassemblyjs/wasm-gen" "1.11.1" 373 | "@webassemblyjs/wasm-parser" "1.11.1" 374 | 375 | "@webassemblyjs/wasm-parser@1.11.1": 376 | version "1.11.1" 377 | resolved "https://registry.yarnpkg.com/@webassemblyjs/wasm-parser/-/wasm-parser-1.11.1.tgz#86ca734534f417e9bd3c67c7a1c75d8be41fb199" 378 | integrity sha512-rrBujw+dJu32gYB7/Lup6UhdkPx9S9SnobZzRVL7VcBH9Bt9bCBLEuX/YXOOtBsOZ4NQrRykKhffRWHvigQvOA== 379 | dependencies: 380 | "@webassemblyjs/ast" "1.11.1" 381 | "@webassemblyjs/helper-api-error" "1.11.1" 382 | "@webassemblyjs/helper-wasm-bytecode" "1.11.1" 383 | "@webassemblyjs/ieee754" "1.11.1" 384 | "@webassemblyjs/leb128" "1.11.1" 385 | "@webassemblyjs/utf8" "1.11.1" 386 | 387 | "@webassemblyjs/wast-printer@1.11.1": 388 | version "1.11.1" 389 | resolved "https://registry.yarnpkg.com/@webassemblyjs/wast-printer/-/wast-printer-1.11.1.tgz#d0c73beda8eec5426f10ae8ef55cee5e7084c2f0" 390 | integrity sha512-IQboUWM4eKzWW+N/jij2sRatKMh99QEelo3Eb2q0qXkvPRISAj8Qxtmw5itwqK+TTkBuUIE45AxYPToqPtL5gg== 391 | dependencies: 392 | "@webassemblyjs/ast" "1.11.1" 393 | "@xtuc/long" "4.2.2" 394 | 395 | "@webpack-cli/configtest@^1.2.0": 396 | version "1.2.0" 397 | resolved "https://registry.yarnpkg.com/@webpack-cli/configtest/-/configtest-1.2.0.tgz#7b20ce1c12533912c3b217ea68262365fa29a6f5" 398 | integrity sha512-4FB8Tj6xyVkyqjj1OaTqCjXYULB9FMkqQ8yGrZjRDrYh0nOE+7Lhs45WioWQQMV+ceFlE368Ukhe6xdvJM9Egg== 399 | 400 | "@webpack-cli/info@^1.5.0": 401 | version "1.5.0" 402 | resolved "https://registry.yarnpkg.com/@webpack-cli/info/-/info-1.5.0.tgz#6c78c13c5874852d6e2dd17f08a41f3fe4c261b1" 403 | integrity sha512-e8tSXZpw2hPl2uMJY6fsMswaok5FdlGNRTktvFk2sD8RjH0hE2+XistawJx1vmKteh4NmGmNUrp+Tb2w+udPcQ== 404 | dependencies: 405 | envinfo "^7.7.3" 406 | 407 | "@webpack-cli/serve@^1.7.0": 408 | version "1.7.0" 409 | resolved "https://registry.yarnpkg.com/@webpack-cli/serve/-/serve-1.7.0.tgz#e1993689ac42d2b16e9194376cfb6753f6254db1" 410 | integrity sha512-oxnCNGj88fL+xzV+dacXs44HcDwf1ovs3AuEzvP7mqXw7fQntqIhQ1BRmynh4qEKQSSSRSWVyXRjmTbZIX9V2Q== 411 | 412 | "@xtuc/ieee754@^1.2.0": 413 | version "1.2.0" 414 | resolved "https://registry.yarnpkg.com/@xtuc/ieee754/-/ieee754-1.2.0.tgz#eef014a3145ae477a1cbc00cd1e552336dceb790" 415 | integrity sha512-DX8nKgqcGwsc0eJSqYt5lwP4DH5FlHnmuWWBRy7X0NcaGR0ZtuyeESgMwTYVEtxmsNGY+qit4QYT/MIYTOTPeA== 416 | 417 | "@xtuc/long@4.2.2": 418 | version "4.2.2" 419 | resolved "https://registry.yarnpkg.com/@xtuc/long/-/long-4.2.2.tgz#d291c6a4e97989b5c61d9acf396ae4fe133a718d" 420 | integrity sha512-NuHqBY1PB/D8xU6s/thBgOAiAP7HOYDQ32+BFZILJ8ivkUkAHQnWfn6WhL79Owj1qmUnoN/YPhktdIoucipkAQ== 421 | 422 | acorn-import-assertions@^1.7.6: 423 | version "1.8.0" 424 | resolved "https://registry.yarnpkg.com/acorn-import-assertions/-/acorn-import-assertions-1.8.0.tgz#ba2b5939ce62c238db6d93d81c9b111b29b855e9" 425 | integrity sha512-m7VZ3jwz4eK6A4Vtt8Ew1/mNbP24u0FhdyfA7fSvnJR6LMdfOYnmuIrrJAgrYfYJ10F/otaHTtrtrtmHdMNzEw== 426 | 427 | acorn-jsx@^5.3.2: 428 | version "5.3.2" 429 | resolved "https://registry.yarnpkg.com/acorn-jsx/-/acorn-jsx-5.3.2.tgz#7ed5bb55908b3b2f1bc55c6af1653bada7f07937" 430 | integrity sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ== 431 | 432 | acorn@^8.5.0, acorn@^8.7.1, acorn@^8.8.0: 433 | version "8.8.0" 434 | resolved "https://registry.yarnpkg.com/acorn/-/acorn-8.8.0.tgz#88c0187620435c7f6015803f5539dae05a9dbea8" 435 | integrity sha512-QOxyigPVrpZ2GXT+PFyZTl6TtOFc5egxHIP9IlQ+RbupQuX4RkT/Bee4/kQuC02Xkzg84JcT7oLYtDIQxp+v7w== 436 | 437 | agent-base@6: 438 | version "6.0.2" 439 | resolved "https://registry.yarnpkg.com/agent-base/-/agent-base-6.0.2.tgz#49fff58577cfee3f37176feab4c22e00f86d7f77" 440 | integrity sha512-RZNwNclF7+MS/8bDg70amg32dyeZGZxiDuQmZxKLAlQjr3jGyLx+4Kkk58UO7D2QdgFIQCovuSuZESne6RG6XQ== 441 | dependencies: 442 | debug "4" 443 | 444 | ajv-keywords@^3.5.2: 445 | version "3.5.2" 446 | resolved "https://registry.yarnpkg.com/ajv-keywords/-/ajv-keywords-3.5.2.tgz#31f29da5ab6e00d1c2d329acf7b5929614d5014d" 447 | integrity sha512-5p6WTN0DdTGVQk6VjcEju19IgaHudalcfabD7yhDGeA6bcQnmL+CpveLJq/3hvfwd1aof6L386Ougkx6RfyMIQ== 448 | 449 | ajv@^6.10.0, ajv@^6.12.4, ajv@^6.12.5: 450 | version "6.12.6" 451 | resolved "https://registry.yarnpkg.com/ajv/-/ajv-6.12.6.tgz#baf5a62e802b07d977034586f8c3baf5adf26df4" 452 | integrity sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g== 453 | dependencies: 454 | fast-deep-equal "^3.1.1" 455 | fast-json-stable-stringify "^2.0.0" 456 | json-schema-traverse "^0.4.1" 457 | uri-js "^4.2.2" 458 | 459 | ansi-colors@4.1.1: 460 | version "4.1.1" 461 | resolved "https://registry.yarnpkg.com/ansi-colors/-/ansi-colors-4.1.1.tgz#cbb9ae256bf750af1eab344f229aa27fe94ba348" 462 | integrity sha512-JoX0apGbHaUJBNl6yF+p6JAFYZ666/hhCGKN5t9QFjbJQKUU/g8MNbFDbvfrgKXvI1QpZplPOnwIo99lX/AAmA== 463 | 464 | ansi-regex@^5.0.1: 465 | version "5.0.1" 466 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-5.0.1.tgz#082cb2c89c9fe8659a311a53bd6a4dc5301db304" 467 | integrity sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ== 468 | 469 | ansi-styles@^4.0.0, ansi-styles@^4.1.0: 470 | version "4.3.0" 471 | resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-4.3.0.tgz#edd803628ae71c04c85ae7a0906edad34b648937" 472 | integrity sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg== 473 | dependencies: 474 | color-convert "^2.0.1" 475 | 476 | anymatch@~3.1.2: 477 | version "3.1.2" 478 | resolved "https://registry.yarnpkg.com/anymatch/-/anymatch-3.1.2.tgz#c0557c096af32f106198f4f4e2a383537e378716" 479 | integrity sha512-P43ePfOAIupkguHUycrc4qJ9kz8ZiuOUijaETwX7THt0Y/GNK7v0aa8rY816xWjZ7rJdA5XdMcpVFTKMq+RvWg== 480 | dependencies: 481 | normalize-path "^3.0.0" 482 | picomatch "^2.0.4" 483 | 484 | argparse@^2.0.1: 485 | version "2.0.1" 486 | resolved "https://registry.yarnpkg.com/argparse/-/argparse-2.0.1.tgz#246f50f3ca78a3240f6c997e8a9bd1eac49e4b38" 487 | integrity sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q== 488 | 489 | array-union@^2.1.0: 490 | version "2.1.0" 491 | resolved "https://registry.yarnpkg.com/array-union/-/array-union-2.1.0.tgz#b798420adbeb1de828d84acd8a2e23d3efe85e8d" 492 | integrity sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw== 493 | 494 | balanced-match@^1.0.0: 495 | version "1.0.2" 496 | resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-1.0.2.tgz#e83e3a7e3f300b34cb9d87f615fa0cbf357690ee" 497 | integrity sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw== 498 | 499 | big-integer@^1.6.17: 500 | version "1.6.51" 501 | resolved "https://registry.yarnpkg.com/big-integer/-/big-integer-1.6.51.tgz#0df92a5d9880560d3ff2d5fd20245c889d130686" 502 | integrity sha512-GPEid2Y9QU1Exl1rpO9B2IPJGHPSupF5GnVIP0blYvNOMer2bTvSWs1jGOUg04hTmu67nmLsQ9TBo1puaotBHg== 503 | 504 | binary-extensions@^2.0.0: 505 | version "2.2.0" 506 | resolved "https://registry.yarnpkg.com/binary-extensions/-/binary-extensions-2.2.0.tgz#75f502eeaf9ffde42fc98829645be4ea76bd9e2d" 507 | integrity sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA== 508 | 509 | binary@~0.3.0: 510 | version "0.3.0" 511 | resolved "https://registry.yarnpkg.com/binary/-/binary-0.3.0.tgz#9f60553bc5ce8c3386f3b553cff47462adecaa79" 512 | integrity sha512-D4H1y5KYwpJgK8wk1Cue5LLPgmwHKYSChkbspQg5JtVuR5ulGckxfR62H3AE9UDkdMC8yyXlqYihuz3Aqg2XZg== 513 | dependencies: 514 | buffers "~0.1.1" 515 | chainsaw "~0.1.0" 516 | 517 | bintrees@1.0.2: 518 | version "1.0.2" 519 | resolved "https://registry.yarnpkg.com/bintrees/-/bintrees-1.0.2.tgz#49f896d6e858a4a499df85c38fb399b9aff840f8" 520 | integrity sha512-VOMgTMwjAaUG580SXn3LacVgjurrbMme7ZZNYGSSV7mmtY6QQRh0Eg3pwIcntQ77DErK1L0NxkbetjcoXzVwKw== 521 | 522 | bluebird@~3.4.1: 523 | version "3.4.7" 524 | resolved "https://registry.yarnpkg.com/bluebird/-/bluebird-3.4.7.tgz#f72d760be09b7f76d08ed8fae98b289a8d05fab3" 525 | integrity sha512-iD3898SR7sWVRHbiQv+sHUtHnMvC1o3nW5rAcqnq3uOn07DSAppZYUkIGslDz6gXC7HfunPe7YVBgoEJASPcHA== 526 | 527 | brace-expansion@^1.1.7: 528 | version "1.1.11" 529 | resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.11.tgz#3c7fcbf529d87226f3d2f52b966ff5271eb441dd" 530 | integrity sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA== 531 | dependencies: 532 | balanced-match "^1.0.0" 533 | concat-map "0.0.1" 534 | 535 | brace-expansion@^2.0.1: 536 | version "2.0.1" 537 | resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-2.0.1.tgz#1edc459e0f0c548486ecf9fc99f2221364b9a0ae" 538 | integrity sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA== 539 | dependencies: 540 | balanced-match "^1.0.0" 541 | 542 | braces@^3.0.2, braces@~3.0.2: 543 | version "3.0.2" 544 | resolved "https://registry.yarnpkg.com/braces/-/braces-3.0.2.tgz#3454e1a462ee8d599e236df336cd9ea4f8afe107" 545 | integrity sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A== 546 | dependencies: 547 | fill-range "^7.0.1" 548 | 549 | browser-stdout@1.3.1: 550 | version "1.3.1" 551 | resolved "https://registry.yarnpkg.com/browser-stdout/-/browser-stdout-1.3.1.tgz#baa559ee14ced73452229bad7326467c61fabd60" 552 | integrity sha512-qhAVI1+Av2X7qelOfAIYwXONood6XlZE/fXaBSmW/T5SzLAmCgzi+eiWE7fUvbHaeNBQH13UftjpXxsfLkMpgw== 553 | 554 | browserslist@^4.14.5: 555 | version "4.21.4" 556 | resolved "https://registry.yarnpkg.com/browserslist/-/browserslist-4.21.4.tgz#e7496bbc67b9e39dd0f98565feccdcb0d4ff6987" 557 | integrity sha512-CBHJJdDmgjl3daYjN5Cp5kbTf1mUhZoS+beLklHIvkOWscs83YAhLlF3Wsh/lciQYAcbBJgTOD44VtG31ZM4Hw== 558 | dependencies: 559 | caniuse-lite "^1.0.30001400" 560 | electron-to-chromium "^1.4.251" 561 | node-releases "^2.0.6" 562 | update-browserslist-db "^1.0.9" 563 | 564 | buffer-from@^1.0.0: 565 | version "1.1.2" 566 | resolved "https://registry.yarnpkg.com/buffer-from/-/buffer-from-1.1.2.tgz#2b146a6fd72e80b4f55d255f35ed59a3a9a41bd5" 567 | integrity sha512-E+XQCRwSbaaiChtv6k6Dwgc+bx+Bs6vuKJHHl5kox/BaKbhiXzqQOwK4cO22yElGp2OCmjwVhT3HmxgyPGnJfQ== 568 | 569 | buffer-indexof-polyfill@~1.0.0: 570 | version "1.0.2" 571 | resolved "https://registry.yarnpkg.com/buffer-indexof-polyfill/-/buffer-indexof-polyfill-1.0.2.tgz#d2732135c5999c64b277fcf9b1abe3498254729c" 572 | integrity sha512-I7wzHwA3t1/lwXQh+A5PbNvJxgfo5r3xulgpYDB5zckTu/Z9oUK9biouBKQUjEqzaz3HnAT6TYoovmE+GqSf7A== 573 | 574 | buffers@~0.1.1: 575 | version "0.1.1" 576 | resolved "https://registry.yarnpkg.com/buffers/-/buffers-0.1.1.tgz#b24579c3bed4d6d396aeee6d9a8ae7f5482ab7bb" 577 | integrity sha512-9q/rDEGSb/Qsvv2qvzIzdluL5k7AaJOTrw23z9reQthrbF7is4CtlT0DXyO1oei2DCp4uojjzQ7igaSHp1kAEQ== 578 | 579 | callsites@^3.0.0: 580 | version "3.1.0" 581 | resolved "https://registry.yarnpkg.com/callsites/-/callsites-3.1.0.tgz#b3630abd8943432f54b3f0519238e33cd7df2f73" 582 | integrity sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ== 583 | 584 | camelcase@^6.0.0: 585 | version "6.3.0" 586 | resolved "https://registry.yarnpkg.com/camelcase/-/camelcase-6.3.0.tgz#5685b95eb209ac9c0c177467778c9c84df58ba9a" 587 | integrity sha512-Gmy6FhYlCY7uOElZUSbxo2UCDH8owEk996gkbrpsgGtrJLM3J7jGxl9Ic7Qwwj4ivOE5AWZWRMecDdF7hqGjFA== 588 | 589 | caniuse-lite@^1.0.30001400: 590 | version "1.0.30001410" 591 | resolved "https://registry.yarnpkg.com/caniuse-lite/-/caniuse-lite-1.0.30001410.tgz#b5a86366fbbf439d75dd3db1d21137a73e829f44" 592 | integrity sha512-QoblBnuE+rG0lc3Ur9ltP5q47lbguipa/ncNMyyGuqPk44FxbScWAeEO+k5fSQ8WekdAK4mWqNs1rADDAiN5xQ== 593 | 594 | chainsaw@~0.1.0: 595 | version "0.1.0" 596 | resolved "https://registry.yarnpkg.com/chainsaw/-/chainsaw-0.1.0.tgz#5eab50b28afe58074d0d58291388828b5e5fbc98" 597 | integrity sha512-75kWfWt6MEKNC8xYXIdRpDehRYY/tNSgwKaJq+dbbDcxORuVrrQ+SEHoWsniVn9XPYfP4gmdWIeDk/4YNp1rNQ== 598 | dependencies: 599 | traverse ">=0.3.0 <0.4" 600 | 601 | chalk@^4.0.0, chalk@^4.1.0: 602 | version "4.1.2" 603 | resolved "https://registry.yarnpkg.com/chalk/-/chalk-4.1.2.tgz#aac4e2b7734a740867aeb16bf02aad556a1e7a01" 604 | integrity sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA== 605 | dependencies: 606 | ansi-styles "^4.1.0" 607 | supports-color "^7.1.0" 608 | 609 | chokidar@3.5.3: 610 | version "3.5.3" 611 | resolved "https://registry.yarnpkg.com/chokidar/-/chokidar-3.5.3.tgz#1cf37c8707b932bd1af1ae22c0432e2acd1903bd" 612 | integrity sha512-Dr3sfKRP6oTcjf2JmUmFJfeVMvXBdegxB0iVQ5eb2V10uFJUCAS8OByZdVAyVb8xXNz3GjjTgj9kLWsZTqE6kw== 613 | dependencies: 614 | anymatch "~3.1.2" 615 | braces "~3.0.2" 616 | glob-parent "~5.1.2" 617 | is-binary-path "~2.1.0" 618 | is-glob "~4.0.1" 619 | normalize-path "~3.0.0" 620 | readdirp "~3.6.0" 621 | optionalDependencies: 622 | fsevents "~2.3.2" 623 | 624 | chrome-trace-event@^1.0.2: 625 | version "1.0.3" 626 | resolved "https://registry.yarnpkg.com/chrome-trace-event/-/chrome-trace-event-1.0.3.tgz#1015eced4741e15d06664a957dbbf50d041e26ac" 627 | integrity sha512-p3KULyQg4S7NIHixdwbGX+nFHkoBiA4YQmyWtjb8XngSKV124nJmRysgAeujbUVb15vh+RvFUfCPqU7rXk+hZg== 628 | 629 | cliui@^7.0.2: 630 | version "7.0.4" 631 | resolved "https://registry.yarnpkg.com/cliui/-/cliui-7.0.4.tgz#a0265ee655476fc807aea9df3df8df7783808b4f" 632 | integrity sha512-OcRE68cOsVMXp1Yvonl/fzkQOyjLSu/8bhPDfQt0e0/Eb283TKP20Fs2MqoPsr9SwA595rRCA+QMzYc9nBP+JQ== 633 | dependencies: 634 | string-width "^4.2.0" 635 | strip-ansi "^6.0.0" 636 | wrap-ansi "^7.0.0" 637 | 638 | clone-deep@^4.0.1: 639 | version "4.0.1" 640 | resolved "https://registry.yarnpkg.com/clone-deep/-/clone-deep-4.0.1.tgz#c19fd9bdbbf85942b4fd979c84dcf7d5f07c2387" 641 | integrity sha512-neHB9xuzh/wk0dIHweyAXv2aPGZIVk3pLMe+/RNzINf17fe0OG96QroktYAUm7SM1PBnzTabaLboqqxDyMU+SQ== 642 | dependencies: 643 | is-plain-object "^2.0.4" 644 | kind-of "^6.0.2" 645 | shallow-clone "^3.0.0" 646 | 647 | color-convert@^2.0.1: 648 | version "2.0.1" 649 | resolved "https://registry.yarnpkg.com/color-convert/-/color-convert-2.0.1.tgz#72d3a68d598c9bdb3af2ad1e84f21d896abd4de3" 650 | integrity sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ== 651 | dependencies: 652 | color-name "~1.1.4" 653 | 654 | color-name@~1.1.4: 655 | version "1.1.4" 656 | resolved "https://registry.yarnpkg.com/color-name/-/color-name-1.1.4.tgz#c2a09a87acbde69543de6f63fa3995c826c536a2" 657 | integrity sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA== 658 | 659 | colorette@^2.0.14: 660 | version "2.0.19" 661 | resolved "https://registry.yarnpkg.com/colorette/-/colorette-2.0.19.tgz#cdf044f47ad41a0f4b56b3a0d5b4e6e1a2d5a798" 662 | integrity sha512-3tlv/dIP7FWvj3BsbHrGLJ6l/oKh1O3TcgBqMn+yyCagOxc23fyzDS6HypQbgxWbkpDnf52p1LuR4eWDQ/K9WQ== 663 | 664 | commander@^2.20.0: 665 | version "2.20.3" 666 | resolved "https://registry.yarnpkg.com/commander/-/commander-2.20.3.tgz#fd485e84c03eb4881c20722ba48035e8531aeb33" 667 | integrity sha512-GpVkmM8vF2vQUkj2LvZmD35JxeJOLCwJ9cUkugyk2nuhbv3+mJvpLYYt+0+USMxE+oj+ey/lJEnhZw75x/OMcQ== 668 | 669 | commander@^7.0.0: 670 | version "7.2.0" 671 | resolved "https://registry.yarnpkg.com/commander/-/commander-7.2.0.tgz#a36cb57d0b501ce108e4d20559a150a391d97ab7" 672 | integrity sha512-QrWXB+ZQSVPmIWIhtEO9H+gwHaMGYiF5ChvoJ+K9ZGHG/sVsa6yiesAD1GC/x46sET00Xlwo1u49RVVVzvcSkw== 673 | 674 | concat-map@0.0.1: 675 | version "0.0.1" 676 | resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b" 677 | integrity sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg== 678 | 679 | core-util-is@~1.0.0: 680 | version "1.0.3" 681 | resolved "https://registry.yarnpkg.com/core-util-is/-/core-util-is-1.0.3.tgz#a6042d3634c2b27e9328f837b965fac83808db85" 682 | integrity sha512-ZQBvi1DcpJ4GDqanjucZ2Hj3wEO5pZDS89BWbkcrvdxksJorwUDDZamX9ldFkp9aw2lmBDLgkObEA4DWNJ9FYQ== 683 | 684 | cross-spawn@^7.0.2, cross-spawn@^7.0.3: 685 | version "7.0.3" 686 | resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-7.0.3.tgz#f73a85b9d5d41d045551c177e2882d4ac85728a6" 687 | integrity sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w== 688 | dependencies: 689 | path-key "^3.1.0" 690 | shebang-command "^2.0.0" 691 | which "^2.0.1" 692 | 693 | debug@4, debug@4.3.4, debug@^4.1.1, debug@^4.3.2, debug@^4.3.4: 694 | version "4.3.4" 695 | resolved "https://registry.yarnpkg.com/debug/-/debug-4.3.4.tgz#1319f6579357f2338d3337d2cdd4914bb5dcc865" 696 | integrity sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ== 697 | dependencies: 698 | ms "2.1.2" 699 | 700 | decamelize@^4.0.0: 701 | version "4.0.0" 702 | resolved "https://registry.yarnpkg.com/decamelize/-/decamelize-4.0.0.tgz#aa472d7bf660eb15f3494efd531cab7f2a709837" 703 | integrity sha512-9iE1PgSik9HeIIw2JO94IidnE3eBoQrFJ3w7sFuzSX4DpmZ3v5sZpUiV5Swcf6mQEF+Y0ru8Neo+p+nyh2J+hQ== 704 | 705 | deep-is@^0.1.3: 706 | version "0.1.4" 707 | resolved "https://registry.yarnpkg.com/deep-is/-/deep-is-0.1.4.tgz#a6f2dce612fadd2ef1f519b73551f17e85199831" 708 | integrity sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ== 709 | 710 | diff@5.0.0: 711 | version "5.0.0" 712 | resolved "https://registry.yarnpkg.com/diff/-/diff-5.0.0.tgz#7ed6ad76d859d030787ec35855f5b1daf31d852b" 713 | integrity sha512-/VTCrvm5Z0JGty/BWHljh+BAiw3IK+2j87NGMu8Nwc/f48WoDAC395uomO9ZD117ZOBaHmkX1oyLvkVM/aIT3w== 714 | 715 | dir-glob@^3.0.1: 716 | version "3.0.1" 717 | resolved "https://registry.yarnpkg.com/dir-glob/-/dir-glob-3.0.1.tgz#56dbf73d992a4a93ba1584f4534063fd2e41717f" 718 | integrity sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA== 719 | dependencies: 720 | path-type "^4.0.0" 721 | 722 | doctrine@^3.0.0: 723 | version "3.0.0" 724 | resolved "https://registry.yarnpkg.com/doctrine/-/doctrine-3.0.0.tgz#addebead72a6574db783639dc87a121773973961" 725 | integrity sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w== 726 | dependencies: 727 | esutils "^2.0.2" 728 | 729 | duplexer2@~0.1.4: 730 | version "0.1.4" 731 | resolved "https://registry.yarnpkg.com/duplexer2/-/duplexer2-0.1.4.tgz#8b12dab878c0d69e3e7891051662a32fc6bddcc1" 732 | integrity sha512-asLFVfWWtJ90ZyOUHMqk7/S2w2guQKxUI2itj3d92ADHhxUSbCMGi1f1cBcJ7xM1To+pE/Khbwo1yuNbMEPKeA== 733 | dependencies: 734 | readable-stream "^2.0.2" 735 | 736 | electron-to-chromium@^1.4.251: 737 | version "1.4.261" 738 | resolved "https://registry.yarnpkg.com/electron-to-chromium/-/electron-to-chromium-1.4.261.tgz#31f14ad60c6f95bec404a77a2fd5e1962248e112" 739 | integrity sha512-fVXliNUGJ7XUVJSAasPseBbVgJIeyw5M1xIkgXdTSRjlmCqBbiSTsEdLOCJS31Fc8B7CaloQ/BFAg8By3ODLdg== 740 | 741 | emoji-regex@^8.0.0: 742 | version "8.0.0" 743 | resolved "https://registry.yarnpkg.com/emoji-regex/-/emoji-regex-8.0.0.tgz#e818fd69ce5ccfcb404594f842963bf53164cc37" 744 | integrity sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A== 745 | 746 | enhanced-resolve@^5.0.0, enhanced-resolve@^5.10.0: 747 | version "5.10.0" 748 | resolved "https://registry.yarnpkg.com/enhanced-resolve/-/enhanced-resolve-5.10.0.tgz#0dc579c3bb2a1032e357ac45b8f3a6f3ad4fb1e6" 749 | integrity sha512-T0yTFjdpldGY8PmuXXR0PyQ1ufZpEGiHVrp7zHKB7jdR4qlmZHhONVM5AQOAWXuF/w3dnHbEQVrNptJgt7F+cQ== 750 | dependencies: 751 | graceful-fs "^4.2.4" 752 | tapable "^2.2.0" 753 | 754 | envinfo@^7.7.3: 755 | version "7.8.1" 756 | resolved "https://registry.yarnpkg.com/envinfo/-/envinfo-7.8.1.tgz#06377e3e5f4d379fea7ac592d5ad8927e0c4d475" 757 | integrity sha512-/o+BXHmB7ocbHEAs6F2EnG0ogybVVUdkRunTT2glZU9XAaGmhqskrvKwqXuDfNjEO0LZKWdejEEpnq8aM0tOaw== 758 | 759 | es-module-lexer@^0.9.0: 760 | version "0.9.3" 761 | resolved "https://registry.yarnpkg.com/es-module-lexer/-/es-module-lexer-0.9.3.tgz#6f13db00cc38417137daf74366f535c8eb438f19" 762 | integrity sha512-1HQ2M2sPtxwnvOvT1ZClHyQDiggdNjURWpY2we6aMKCQiUVxTmVs2UYPLIrD84sS+kMdUwfBSylbJPwNnBrnHQ== 763 | 764 | escalade@^3.1.1: 765 | version "3.1.1" 766 | resolved "https://registry.yarnpkg.com/escalade/-/escalade-3.1.1.tgz#d8cfdc7000965c5a0174b4a82eaa5c0552742e40" 767 | integrity sha512-k0er2gUkLf8O0zKJiAhmkTnJlTvINGv7ygDNPbeIsX/TJjGJZHuh9B2UxbsaEkmlEo9MfhrSzmhIlhRlI2GXnw== 768 | 769 | escape-string-regexp@4.0.0, escape-string-regexp@^4.0.0: 770 | version "4.0.0" 771 | resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz#14ba83a5d373e3d311e5afca29cf5bfad965bf34" 772 | integrity sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA== 773 | 774 | eslint-scope@5.1.1, eslint-scope@^5.1.1: 775 | version "5.1.1" 776 | resolved "https://registry.yarnpkg.com/eslint-scope/-/eslint-scope-5.1.1.tgz#e786e59a66cb92b3f6c1fb0d508aab174848f48c" 777 | integrity sha512-2NxwbF/hZ0KpepYN0cNbo+FN6XoK7GaHlQhgx/hIZl6Va0bF45RQOOwhLIy8lQDbuCiadSLCBnH2CFYquit5bw== 778 | dependencies: 779 | esrecurse "^4.3.0" 780 | estraverse "^4.1.1" 781 | 782 | eslint-scope@^7.1.1: 783 | version "7.1.1" 784 | resolved "https://registry.yarnpkg.com/eslint-scope/-/eslint-scope-7.1.1.tgz#fff34894c2f65e5226d3041ac480b4513a163642" 785 | integrity sha512-QKQM/UXpIiHcLqJ5AOyIW7XZmzjkzQXYE54n1++wb0u9V/abW3l9uQnxX8Z5Xd18xyKIMTUAyQ0k1e8pz6LUrw== 786 | dependencies: 787 | esrecurse "^4.3.0" 788 | estraverse "^5.2.0" 789 | 790 | eslint-utils@^3.0.0: 791 | version "3.0.0" 792 | resolved "https://registry.yarnpkg.com/eslint-utils/-/eslint-utils-3.0.0.tgz#8aebaface7345bb33559db0a1f13a1d2d48c3672" 793 | integrity sha512-uuQC43IGctw68pJA1RgbQS8/NP7rch6Cwd4j3ZBtgo4/8Flj4eGE7ZYSZRN3iq5pVUv6GPdW5Z1RFleo84uLDA== 794 | dependencies: 795 | eslint-visitor-keys "^2.0.0" 796 | 797 | eslint-visitor-keys@^2.0.0: 798 | version "2.1.0" 799 | resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-2.1.0.tgz#f65328259305927392c938ed44eb0a5c9b2bd303" 800 | integrity sha512-0rSmRBzXgDzIsD6mGdJgevzgezI534Cer5L/vyMX0kHzT/jiB43jRhd9YUlMGYLQy2zprNmoT8qasCGtY+QaKw== 801 | 802 | eslint-visitor-keys@^3.3.0: 803 | version "3.3.0" 804 | resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-3.3.0.tgz#f6480fa6b1f30efe2d1968aa8ac745b862469826" 805 | integrity sha512-mQ+suqKJVyeuwGYHAdjMFqjCyfl8+Ldnxuyp3ldiMBFKkvytrXUZWaiPCEav8qDHKty44bD+qV1IP4T+w+xXRA== 806 | 807 | eslint@^8.20.0: 808 | version "8.24.0" 809 | resolved "https://registry.yarnpkg.com/eslint/-/eslint-8.24.0.tgz#489516c927a5da11b3979dbfb2679394523383c8" 810 | integrity sha512-dWFaPhGhTAiPcCgm3f6LI2MBWbogMnTJzFBbhXVRQDJPkr9pGZvVjlVfXd+vyDcWPA2Ic9L2AXPIQM0+vk/cSQ== 811 | dependencies: 812 | "@eslint/eslintrc" "^1.3.2" 813 | "@humanwhocodes/config-array" "^0.10.5" 814 | "@humanwhocodes/gitignore-to-minimatch" "^1.0.2" 815 | "@humanwhocodes/module-importer" "^1.0.1" 816 | ajv "^6.10.0" 817 | chalk "^4.0.0" 818 | cross-spawn "^7.0.2" 819 | debug "^4.3.2" 820 | doctrine "^3.0.0" 821 | escape-string-regexp "^4.0.0" 822 | eslint-scope "^7.1.1" 823 | eslint-utils "^3.0.0" 824 | eslint-visitor-keys "^3.3.0" 825 | espree "^9.4.0" 826 | esquery "^1.4.0" 827 | esutils "^2.0.2" 828 | fast-deep-equal "^3.1.3" 829 | file-entry-cache "^6.0.1" 830 | find-up "^5.0.0" 831 | glob-parent "^6.0.1" 832 | globals "^13.15.0" 833 | globby "^11.1.0" 834 | grapheme-splitter "^1.0.4" 835 | ignore "^5.2.0" 836 | import-fresh "^3.0.0" 837 | imurmurhash "^0.1.4" 838 | is-glob "^4.0.0" 839 | js-sdsl "^4.1.4" 840 | js-yaml "^4.1.0" 841 | json-stable-stringify-without-jsonify "^1.0.1" 842 | levn "^0.4.1" 843 | lodash.merge "^4.6.2" 844 | minimatch "^3.1.2" 845 | natural-compare "^1.4.0" 846 | optionator "^0.9.1" 847 | regexpp "^3.2.0" 848 | strip-ansi "^6.0.1" 849 | strip-json-comments "^3.1.0" 850 | text-table "^0.2.0" 851 | 852 | espree@^9.4.0: 853 | version "9.4.0" 854 | resolved "https://registry.yarnpkg.com/espree/-/espree-9.4.0.tgz#cd4bc3d6e9336c433265fc0aa016fc1aaf182f8a" 855 | integrity sha512-DQmnRpLj7f6TgN/NYb0MTzJXL+vJF9h3pHy4JhCIs3zwcgez8xmGg3sXHcEO97BrmO2OSvCwMdfdlyl+E9KjOw== 856 | dependencies: 857 | acorn "^8.8.0" 858 | acorn-jsx "^5.3.2" 859 | eslint-visitor-keys "^3.3.0" 860 | 861 | esquery@^1.4.0: 862 | version "1.4.0" 863 | resolved "https://registry.yarnpkg.com/esquery/-/esquery-1.4.0.tgz#2148ffc38b82e8c7057dfed48425b3e61f0f24a5" 864 | integrity sha512-cCDispWt5vHHtwMY2YrAQ4ibFkAL8RbH5YGBnZBc90MolvvfkkQcJro/aZiAQUlQ3qgrYS6D6v8Gc5G5CQsc9w== 865 | dependencies: 866 | estraverse "^5.1.0" 867 | 868 | esrecurse@^4.3.0: 869 | version "4.3.0" 870 | resolved "https://registry.yarnpkg.com/esrecurse/-/esrecurse-4.3.0.tgz#7ad7964d679abb28bee72cec63758b1c5d2c9921" 871 | integrity sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag== 872 | dependencies: 873 | estraverse "^5.2.0" 874 | 875 | estraverse@^4.1.1: 876 | version "4.3.0" 877 | resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-4.3.0.tgz#398ad3f3c5a24948be7725e83d11a7de28cdbd1d" 878 | integrity sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw== 879 | 880 | estraverse@^5.1.0, estraverse@^5.2.0: 881 | version "5.3.0" 882 | resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-5.3.0.tgz#2eea5290702f26ab8fe5370370ff86c965d21123" 883 | integrity sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA== 884 | 885 | esutils@^2.0.2: 886 | version "2.0.3" 887 | resolved "https://registry.yarnpkg.com/esutils/-/esutils-2.0.3.tgz#74d2eb4de0b8da1293711910d50775b9b710ef64" 888 | integrity sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g== 889 | 890 | events@^3.2.0: 891 | version "3.3.0" 892 | resolved "https://registry.yarnpkg.com/events/-/events-3.3.0.tgz#31a95ad0a924e2d2c419a813aeb2c4e878ea7400" 893 | integrity sha512-mQw+2fkQbALzQ7V0MY0IqdnXNOeTtP4r0lN9z7AAawCXgqea7bDii20AYrIBrFd/Hx0M2Ocz6S111CaFkUcb0Q== 894 | 895 | fast-deep-equal@^3.1.1, fast-deep-equal@^3.1.3: 896 | version "3.1.3" 897 | resolved "https://registry.yarnpkg.com/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz#3a7d56b559d6cbc3eb512325244e619a65c6c525" 898 | integrity sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q== 899 | 900 | fast-glob@^3.2.9: 901 | version "3.2.12" 902 | resolved "https://registry.yarnpkg.com/fast-glob/-/fast-glob-3.2.12.tgz#7f39ec99c2e6ab030337142da9e0c18f37afae80" 903 | integrity sha512-DVj4CQIYYow0BlaelwK1pHl5n5cRSJfM60UA0zK891sVInoPri2Ekj7+e1CT3/3qxXenpI+nBBmQAcJPJgaj4w== 904 | dependencies: 905 | "@nodelib/fs.stat" "^2.0.2" 906 | "@nodelib/fs.walk" "^1.2.3" 907 | glob-parent "^5.1.2" 908 | merge2 "^1.3.0" 909 | micromatch "^4.0.4" 910 | 911 | fast-json-stable-stringify@^2.0.0: 912 | version "2.1.0" 913 | resolved "https://registry.yarnpkg.com/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz#874bf69c6f404c2b5d99c481341399fd55892633" 914 | integrity sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw== 915 | 916 | fast-levenshtein@^2.0.6: 917 | version "2.0.6" 918 | resolved "https://registry.yarnpkg.com/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz#3d8a5c66883a16a30ca8643e851f19baa7797917" 919 | integrity sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw== 920 | 921 | fastest-levenshtein@^1.0.12: 922 | version "1.0.16" 923 | resolved "https://registry.yarnpkg.com/fastest-levenshtein/-/fastest-levenshtein-1.0.16.tgz#210e61b6ff181de91ea9b3d1b84fdedd47e034e5" 924 | integrity sha512-eRnCtTTtGZFpQCwhJiUOuxPQWRXVKYDn0b2PeHfXL6/Zi53SLAzAHfVhVWK2AryC/WH05kGfxhFIPvTF0SXQzg== 925 | 926 | fastq@^1.6.0: 927 | version "1.13.0" 928 | resolved "https://registry.yarnpkg.com/fastq/-/fastq-1.13.0.tgz#616760f88a7526bdfc596b7cab8c18938c36b98c" 929 | integrity sha512-YpkpUnK8od0o1hmeSc7UUs/eB/vIPWJYjKck2QKIzAf71Vm1AAQ3EbuZB3g2JIy+pg+ERD0vqI79KyZiB2e2Nw== 930 | dependencies: 931 | reusify "^1.0.4" 932 | 933 | file-entry-cache@^6.0.1: 934 | version "6.0.1" 935 | resolved "https://registry.yarnpkg.com/file-entry-cache/-/file-entry-cache-6.0.1.tgz#211b2dd9659cb0394b073e7323ac3c933d522027" 936 | integrity sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg== 937 | dependencies: 938 | flat-cache "^3.0.4" 939 | 940 | fill-range@^7.0.1: 941 | version "7.0.1" 942 | resolved "https://registry.yarnpkg.com/fill-range/-/fill-range-7.0.1.tgz#1919a6a7c75fe38b2c7c77e5198535da9acdda40" 943 | integrity sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ== 944 | dependencies: 945 | to-regex-range "^5.0.1" 946 | 947 | find-up@5.0.0, find-up@^5.0.0: 948 | version "5.0.0" 949 | resolved "https://registry.yarnpkg.com/find-up/-/find-up-5.0.0.tgz#4c92819ecb7083561e4f4a240a86be5198f536fc" 950 | integrity sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng== 951 | dependencies: 952 | locate-path "^6.0.0" 953 | path-exists "^4.0.0" 954 | 955 | find-up@^4.0.0: 956 | version "4.1.0" 957 | resolved "https://registry.yarnpkg.com/find-up/-/find-up-4.1.0.tgz#97afe7d6cdc0bc5928584b7c8d7b16e8a9aa5d19" 958 | integrity sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw== 959 | dependencies: 960 | locate-path "^5.0.0" 961 | path-exists "^4.0.0" 962 | 963 | flat-cache@^3.0.4: 964 | version "3.0.4" 965 | resolved "https://registry.yarnpkg.com/flat-cache/-/flat-cache-3.0.4.tgz#61b0338302b2fe9f957dcc32fc2a87f1c3048b11" 966 | integrity sha512-dm9s5Pw7Jc0GvMYbshN6zchCA9RgQlzzEZX3vylR9IqFfS8XciblUXOKfW6SiuJ0e13eDYZoZV5wdrev7P3Nwg== 967 | dependencies: 968 | flatted "^3.1.0" 969 | rimraf "^3.0.2" 970 | 971 | flat@^5.0.2: 972 | version "5.0.2" 973 | resolved "https://registry.yarnpkg.com/flat/-/flat-5.0.2.tgz#8ca6fe332069ffa9d324c327198c598259ceb241" 974 | integrity sha512-b6suED+5/3rTpUBdG1gupIl8MPFCAMA0QXwmljLhvCUKcUvdE4gWky9zpuGCcXHOsz4J9wPGNWq6OKpmIzz3hQ== 975 | 976 | flatted@^3.1.0: 977 | version "3.2.7" 978 | resolved "https://registry.yarnpkg.com/flatted/-/flatted-3.2.7.tgz#609f39207cb614b89d0765b477cb2d437fbf9787" 979 | integrity sha512-5nqDSxl8nn5BSNxyR3n4I6eDmbolI6WT+QqR547RwxQapgjQBmtktdP+HTBb/a/zLsbzERTONyUB5pefh5TtjQ== 980 | 981 | fs.realpath@^1.0.0: 982 | version "1.0.0" 983 | resolved "https://registry.yarnpkg.com/fs.realpath/-/fs.realpath-1.0.0.tgz#1504ad2523158caa40db4a2787cb01411994ea4f" 984 | integrity sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw== 985 | 986 | fsevents@~2.3.2: 987 | version "2.3.2" 988 | resolved "https://registry.yarnpkg.com/fsevents/-/fsevents-2.3.2.tgz#8a526f78b8fdf4623b709e0b975c52c24c02fd1a" 989 | integrity sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA== 990 | 991 | fstream@^1.0.12: 992 | version "1.0.12" 993 | resolved "https://registry.yarnpkg.com/fstream/-/fstream-1.0.12.tgz#4e8ba8ee2d48be4f7d0de505455548eae5932045" 994 | integrity sha512-WvJ193OHa0GHPEL+AycEJgxvBEwyfRkN1vhjca23OaPVMCaLCXTd5qAu82AjTcgP1UJmytkOKb63Ypde7raDIg== 995 | dependencies: 996 | graceful-fs "^4.1.2" 997 | inherits "~2.0.0" 998 | mkdirp ">=0.5 0" 999 | rimraf "2" 1000 | 1001 | function-bind@^1.1.1: 1002 | version "1.1.1" 1003 | resolved "https://registry.yarnpkg.com/function-bind/-/function-bind-1.1.1.tgz#a56899d3ea3c9bab874bb9773b7c5ede92f4895d" 1004 | integrity sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A== 1005 | 1006 | get-caller-file@^2.0.5: 1007 | version "2.0.5" 1008 | resolved "https://registry.yarnpkg.com/get-caller-file/-/get-caller-file-2.0.5.tgz#4f94412a82db32f36e3b0b9741f8a97feb031f7e" 1009 | integrity sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg== 1010 | 1011 | glob-parent@^5.1.2, glob-parent@~5.1.2: 1012 | version "5.1.2" 1013 | resolved "https://registry.yarnpkg.com/glob-parent/-/glob-parent-5.1.2.tgz#869832c58034fe68a4093c17dc15e8340d8401c4" 1014 | integrity sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow== 1015 | dependencies: 1016 | is-glob "^4.0.1" 1017 | 1018 | glob-parent@^6.0.1: 1019 | version "6.0.2" 1020 | resolved "https://registry.yarnpkg.com/glob-parent/-/glob-parent-6.0.2.tgz#6d237d99083950c79290f24c7642a3de9a28f9e3" 1021 | integrity sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A== 1022 | dependencies: 1023 | is-glob "^4.0.3" 1024 | 1025 | glob-to-regexp@^0.4.1: 1026 | version "0.4.1" 1027 | resolved "https://registry.yarnpkg.com/glob-to-regexp/-/glob-to-regexp-0.4.1.tgz#c75297087c851b9a578bd217dd59a92f59fe546e" 1028 | integrity sha512-lkX1HJXwyMcprw/5YUZc2s7DrpAiHB21/V+E1rHUrVNokkvB6bqMzT0VfV6/86ZNabt1k14YOIaT7nDvOX3Iiw== 1029 | 1030 | glob@7.2.0: 1031 | version "7.2.0" 1032 | resolved "https://registry.yarnpkg.com/glob/-/glob-7.2.0.tgz#d15535af7732e02e948f4c41628bd910293f6023" 1033 | integrity sha512-lmLf6gtyrPq8tTjSmrO94wBeQbFR3HbLHbuyD69wuyQkImp2hWqMGB47OX65FBkPffO641IP9jWa1z4ivqG26Q== 1034 | dependencies: 1035 | fs.realpath "^1.0.0" 1036 | inflight "^1.0.4" 1037 | inherits "2" 1038 | minimatch "^3.0.4" 1039 | once "^1.3.0" 1040 | path-is-absolute "^1.0.0" 1041 | 1042 | glob@^7.1.3: 1043 | version "7.2.3" 1044 | resolved "https://registry.yarnpkg.com/glob/-/glob-7.2.3.tgz#b8df0fb802bbfa8e89bd1d938b4e16578ed44f2b" 1045 | integrity sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q== 1046 | dependencies: 1047 | fs.realpath "^1.0.0" 1048 | inflight "^1.0.4" 1049 | inherits "2" 1050 | minimatch "^3.1.1" 1051 | once "^1.3.0" 1052 | path-is-absolute "^1.0.0" 1053 | 1054 | glob@^8.0.3: 1055 | version "8.0.3" 1056 | resolved "https://registry.yarnpkg.com/glob/-/glob-8.0.3.tgz#415c6eb2deed9e502c68fa44a272e6da6eeca42e" 1057 | integrity sha512-ull455NHSHI/Y1FqGaaYFaLGkNMMJbavMrEGFXG/PGrg6y7sutWHUHrz6gy6WEBH6akM1M414dWKCNs+IhKdiQ== 1058 | dependencies: 1059 | fs.realpath "^1.0.0" 1060 | inflight "^1.0.4" 1061 | inherits "2" 1062 | minimatch "^5.0.1" 1063 | once "^1.3.0" 1064 | 1065 | globals@^13.15.0: 1066 | version "13.17.0" 1067 | resolved "https://registry.yarnpkg.com/globals/-/globals-13.17.0.tgz#902eb1e680a41da93945adbdcb5a9f361ba69bd4" 1068 | integrity sha512-1C+6nQRb1GwGMKm2dH/E7enFAMxGTmGI7/dEdhy/DNelv85w9B72t3uc5frtMNXIbzrarJJ/lTCjcaZwbLJmyw== 1069 | dependencies: 1070 | type-fest "^0.20.2" 1071 | 1072 | globby@^11.1.0: 1073 | version "11.1.0" 1074 | resolved "https://registry.yarnpkg.com/globby/-/globby-11.1.0.tgz#bd4be98bb042f83d796f7e3811991fbe82a0d34b" 1075 | integrity sha512-jhIXaOzy1sb8IyocaruWSn1TjmnBVs8Ayhcy83rmxNJ8q2uWKCAj3CnJY+KpGSXCueAPc0i05kVvVKtP1t9S3g== 1076 | dependencies: 1077 | array-union "^2.1.0" 1078 | dir-glob "^3.0.1" 1079 | fast-glob "^3.2.9" 1080 | ignore "^5.2.0" 1081 | merge2 "^1.4.1" 1082 | slash "^3.0.0" 1083 | 1084 | graceful-fs@^4.1.2, graceful-fs@^4.2.2, graceful-fs@^4.2.4, graceful-fs@^4.2.9: 1085 | version "4.2.10" 1086 | resolved "https://registry.yarnpkg.com/graceful-fs/-/graceful-fs-4.2.10.tgz#147d3a006da4ca3ce14728c7aefc287c367d7a6c" 1087 | integrity sha512-9ByhssR2fPVsNZj478qUUbKfmL0+t5BDVyjShtyZZLiK7ZDAArFFfopyOTj0M05wE2tJPisA4iTnnXl2YoPvOA== 1088 | 1089 | grapheme-splitter@^1.0.4: 1090 | version "1.0.4" 1091 | resolved "https://registry.yarnpkg.com/grapheme-splitter/-/grapheme-splitter-1.0.4.tgz#9cf3a665c6247479896834af35cf1dbb4400767e" 1092 | integrity sha512-bzh50DW9kTPM00T8y4o8vQg89Di9oLJVLW/KaOGIXJWP/iqCN6WKYkbNOF04vFLJhwcpYUh9ydh/+5vpOqV4YQ== 1093 | 1094 | has-flag@^4.0.0: 1095 | version "4.0.0" 1096 | resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-4.0.0.tgz#944771fd9c81c81265c4d6941860da06bb59479b" 1097 | integrity sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ== 1098 | 1099 | has@^1.0.3: 1100 | version "1.0.3" 1101 | resolved "https://registry.yarnpkg.com/has/-/has-1.0.3.tgz#722d7cbfc1f6aa8241f16dd814e011e1f41e8796" 1102 | integrity sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw== 1103 | dependencies: 1104 | function-bind "^1.1.1" 1105 | 1106 | he@1.2.0: 1107 | version "1.2.0" 1108 | resolved "https://registry.yarnpkg.com/he/-/he-1.2.0.tgz#84ae65fa7eafb165fddb61566ae14baf05664f0f" 1109 | integrity sha512-F/1DnUGPopORZi0ni+CvrCgHQ5FyEAHRLSApuYWMmrbSwoN2Mn/7k+Gl38gJnR7yyDZk6WLXwiGod1JOWNDKGw== 1110 | 1111 | http-proxy-agent@^4.0.1: 1112 | version "4.0.1" 1113 | resolved "https://registry.yarnpkg.com/http-proxy-agent/-/http-proxy-agent-4.0.1.tgz#8a8c8ef7f5932ccf953c296ca8291b95aa74aa3a" 1114 | integrity sha512-k0zdNgqWTGA6aeIRVpvfVob4fL52dTfaehylg0Y4UvSySvOq/Y+BOyPrgpUrA7HylqvU8vIZGsRuXmspskV0Tg== 1115 | dependencies: 1116 | "@tootallnate/once" "1" 1117 | agent-base "6" 1118 | debug "4" 1119 | 1120 | https-proxy-agent@^5.0.0: 1121 | version "5.0.1" 1122 | resolved "https://registry.yarnpkg.com/https-proxy-agent/-/https-proxy-agent-5.0.1.tgz#c59ef224a04fe8b754f3db0063a25ea30d0005d6" 1123 | integrity sha512-dFcAjpTQFgoLMzC2VwU+C/CbS7uRL0lWmxDITmqm7C+7F0Odmj6s9l6alZc6AELXhrnggM2CeWSXHGOdX2YtwA== 1124 | dependencies: 1125 | agent-base "6" 1126 | debug "4" 1127 | 1128 | ignore@^5.2.0: 1129 | version "5.2.0" 1130 | resolved "https://registry.yarnpkg.com/ignore/-/ignore-5.2.0.tgz#6d3bac8fa7fe0d45d9f9be7bac2fc279577e345a" 1131 | integrity sha512-CmxgYGiEPCLhfLnpPp1MoRmifwEIOgjcHXxOBjv7mY96c+eWScsOP9c112ZyLdWHi0FxHjI+4uVhKYp/gcdRmQ== 1132 | 1133 | import-fresh@^3.0.0, import-fresh@^3.2.1: 1134 | version "3.3.0" 1135 | resolved "https://registry.yarnpkg.com/import-fresh/-/import-fresh-3.3.0.tgz#37162c25fcb9ebaa2e6e53d5b4d88ce17d9e0c2b" 1136 | integrity sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw== 1137 | dependencies: 1138 | parent-module "^1.0.0" 1139 | resolve-from "^4.0.0" 1140 | 1141 | import-local@^3.0.2: 1142 | version "3.1.0" 1143 | resolved "https://registry.yarnpkg.com/import-local/-/import-local-3.1.0.tgz#b4479df8a5fd44f6cdce24070675676063c95cb4" 1144 | integrity sha512-ASB07uLtnDs1o6EHjKpX34BKYDSqnFerfTOJL2HvMqF70LnxpjkzDB8J44oT9pu4AMPkQwf8jl6szgvNd2tRIg== 1145 | dependencies: 1146 | pkg-dir "^4.2.0" 1147 | resolve-cwd "^3.0.0" 1148 | 1149 | imurmurhash@^0.1.4: 1150 | version "0.1.4" 1151 | resolved "https://registry.yarnpkg.com/imurmurhash/-/imurmurhash-0.1.4.tgz#9218b9b2b928a238b13dc4fb6b6d576f231453ea" 1152 | integrity sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA== 1153 | 1154 | inflight@^1.0.4: 1155 | version "1.0.6" 1156 | resolved "https://registry.yarnpkg.com/inflight/-/inflight-1.0.6.tgz#49bd6331d7d02d0c09bc910a1075ba8165b56df9" 1157 | integrity sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA== 1158 | dependencies: 1159 | once "^1.3.0" 1160 | wrappy "1" 1161 | 1162 | inherits@2, inherits@~2.0.0, inherits@~2.0.3: 1163 | version "2.0.4" 1164 | resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.4.tgz#0fa2c64f932917c3433a0ded55363aae37416b7c" 1165 | integrity sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ== 1166 | 1167 | interpret@^2.2.0: 1168 | version "2.2.0" 1169 | resolved "https://registry.yarnpkg.com/interpret/-/interpret-2.2.0.tgz#1a78a0b5965c40a5416d007ad6f50ad27c417df9" 1170 | integrity sha512-Ju0Bz/cEia55xDwUWEa8+olFpCiQoypjnQySseKtmjNrnps3P+xfpUmGr90T7yjlVJmOtybRvPXhKMbHr+fWnw== 1171 | 1172 | is-binary-path@~2.1.0: 1173 | version "2.1.0" 1174 | resolved "https://registry.yarnpkg.com/is-binary-path/-/is-binary-path-2.1.0.tgz#ea1f7f3b80f064236e83470f86c09c254fb45b09" 1175 | integrity sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw== 1176 | dependencies: 1177 | binary-extensions "^2.0.0" 1178 | 1179 | is-core-module@^2.9.0: 1180 | version "2.10.0" 1181 | resolved "https://registry.yarnpkg.com/is-core-module/-/is-core-module-2.10.0.tgz#9012ede0a91c69587e647514e1d5277019e728ed" 1182 | integrity sha512-Erxj2n/LDAZ7H8WNJXd9tw38GYM3dv8rk8Zcs+jJuxYTW7sozH+SS8NtrSjVL1/vpLvWi1hxy96IzjJ3EHTJJg== 1183 | dependencies: 1184 | has "^1.0.3" 1185 | 1186 | is-extglob@^2.1.1: 1187 | version "2.1.1" 1188 | resolved "https://registry.yarnpkg.com/is-extglob/-/is-extglob-2.1.1.tgz#a88c02535791f02ed37c76a1b9ea9773c833f8c2" 1189 | integrity sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ== 1190 | 1191 | is-fullwidth-code-point@^3.0.0: 1192 | version "3.0.0" 1193 | resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz#f116f8064fe90b3f7844a38997c0b75051269f1d" 1194 | integrity sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg== 1195 | 1196 | is-glob@^4.0.0, is-glob@^4.0.1, is-glob@^4.0.3, is-glob@~4.0.1: 1197 | version "4.0.3" 1198 | resolved "https://registry.yarnpkg.com/is-glob/-/is-glob-4.0.3.tgz#64f61e42cbbb2eec2071a9dac0b28ba1e65d5084" 1199 | integrity sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg== 1200 | dependencies: 1201 | is-extglob "^2.1.1" 1202 | 1203 | is-number@^7.0.0: 1204 | version "7.0.0" 1205 | resolved "https://registry.yarnpkg.com/is-number/-/is-number-7.0.0.tgz#7535345b896734d5f80c4d06c50955527a14f12b" 1206 | integrity sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng== 1207 | 1208 | is-plain-obj@^2.1.0: 1209 | version "2.1.0" 1210 | resolved "https://registry.yarnpkg.com/is-plain-obj/-/is-plain-obj-2.1.0.tgz#45e42e37fccf1f40da8e5f76ee21515840c09287" 1211 | integrity sha512-YWnfyRwxL/+SsrWYfOpUtz5b3YD+nyfkHvjbcanzk8zgyO4ASD67uVMRt8k5bM4lLMDnXfriRhOpemw+NfT1eA== 1212 | 1213 | is-plain-object@^2.0.4: 1214 | version "2.0.4" 1215 | resolved "https://registry.yarnpkg.com/is-plain-object/-/is-plain-object-2.0.4.tgz#2c163b3fafb1b606d9d17928f05c2a1c38e07677" 1216 | integrity sha512-h5PpgXkWitc38BBMYawTYMWJHFZJVnBquFE57xFpjB8pJFiF6gZ+bU+WyI/yqXiFR5mdLsgYNaPe8uao6Uv9Og== 1217 | dependencies: 1218 | isobject "^3.0.1" 1219 | 1220 | is-unicode-supported@^0.1.0: 1221 | version "0.1.0" 1222 | resolved "https://registry.yarnpkg.com/is-unicode-supported/-/is-unicode-supported-0.1.0.tgz#3f26c76a809593b52bfa2ecb5710ed2779b522a7" 1223 | integrity sha512-knxG2q4UC3u8stRGyAVJCOdxFmv5DZiRcdlIaAQXAbSfJya+OhopNotLQrstBhququ4ZpuKbDc/8S6mgXgPFPw== 1224 | 1225 | isarray@~1.0.0: 1226 | version "1.0.0" 1227 | resolved "https://registry.yarnpkg.com/isarray/-/isarray-1.0.0.tgz#bb935d48582cba168c06834957a54a3e07124f11" 1228 | integrity sha512-VLghIWNM6ELQzo7zwmcg0NmTVyWKYjvIeM83yjp0wRDTmUnrM678fQbcKBo6n2CJEF0szoG//ytg+TKla89ALQ== 1229 | 1230 | isexe@^2.0.0: 1231 | version "2.0.0" 1232 | resolved "https://registry.yarnpkg.com/isexe/-/isexe-2.0.0.tgz#e8fbf374dc556ff8947a10dcb0572d633f2cfa10" 1233 | integrity sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw== 1234 | 1235 | isobject@^3.0.1: 1236 | version "3.0.1" 1237 | resolved "https://registry.yarnpkg.com/isobject/-/isobject-3.0.1.tgz#4e431e92b11a9731636aa1f9c8d1ccbcfdab78df" 1238 | integrity sha512-WhB9zCku7EGTj/HQQRz5aUQEUeoQZH2bWcltRErOpymJ4boYE6wL9Tbr23krRPSZ+C5zqNSrSw+Cc7sZZ4b7vg== 1239 | 1240 | jest-worker@^27.4.5: 1241 | version "27.5.1" 1242 | resolved "https://registry.yarnpkg.com/jest-worker/-/jest-worker-27.5.1.tgz#8d146f0900e8973b106b6f73cc1e9a8cb86f8db0" 1243 | integrity sha512-7vuh85V5cdDofPyxn58nrPjBktZo0u9x1g8WtjQol+jZDaE+fhN+cIvTj11GndBnMnyfrUOG1sZQxCdjKh+DKg== 1244 | dependencies: 1245 | "@types/node" "*" 1246 | merge-stream "^2.0.0" 1247 | supports-color "^8.0.0" 1248 | 1249 | js-sdsl@^4.1.4: 1250 | version "4.1.4" 1251 | resolved "https://registry.yarnpkg.com/js-sdsl/-/js-sdsl-4.1.4.tgz#78793c90f80e8430b7d8dc94515b6c77d98a26a6" 1252 | integrity sha512-Y2/yD55y5jteOAmY50JbUZYwk3CP3wnLPEZnlR1w9oKhITrBEtAxwuWKebFf8hMrPMgbYwFoWK/lH2sBkErELw== 1253 | 1254 | js-yaml@4.1.0, js-yaml@^4.1.0: 1255 | version "4.1.0" 1256 | resolved "https://registry.yarnpkg.com/js-yaml/-/js-yaml-4.1.0.tgz#c1fb65f8f5017901cdd2c951864ba18458a10602" 1257 | integrity sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA== 1258 | dependencies: 1259 | argparse "^2.0.1" 1260 | 1261 | json-parse-even-better-errors@^2.3.1: 1262 | version "2.3.1" 1263 | resolved "https://registry.yarnpkg.com/json-parse-even-better-errors/-/json-parse-even-better-errors-2.3.1.tgz#7c47805a94319928e05777405dc12e1f7a4ee02d" 1264 | integrity sha512-xyFwyhro/JEof6Ghe2iz2NcXoj2sloNsWr/XsERDK/oiPCfaNhl5ONfp+jQdAZRQQ0IJWNzH9zIZF7li91kh2w== 1265 | 1266 | json-schema-traverse@^0.4.1: 1267 | version "0.4.1" 1268 | resolved "https://registry.yarnpkg.com/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz#69f6a87d9513ab8bb8fe63bdb0979c448e684660" 1269 | integrity sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg== 1270 | 1271 | json-stable-stringify-without-jsonify@^1.0.1: 1272 | version "1.0.1" 1273 | resolved "https://registry.yarnpkg.com/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz#9db7b59496ad3f3cfef30a75142d2d930ad72651" 1274 | integrity sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw== 1275 | 1276 | kind-of@^6.0.2: 1277 | version "6.0.3" 1278 | resolved "https://registry.yarnpkg.com/kind-of/-/kind-of-6.0.3.tgz#07c05034a6c349fa06e24fa35aa76db4580ce4dd" 1279 | integrity sha512-dcS1ul+9tmeD95T+x28/ehLgd9mENa3LsvDTtzm3vyBEO7RPptvAD+t44WVXaUjTBRcrpFeFlC8WCruUR456hw== 1280 | 1281 | levn@^0.4.1: 1282 | version "0.4.1" 1283 | resolved "https://registry.yarnpkg.com/levn/-/levn-0.4.1.tgz#ae4562c007473b932a6200d403268dd2fffc6ade" 1284 | integrity sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ== 1285 | dependencies: 1286 | prelude-ls "^1.2.1" 1287 | type-check "~0.4.0" 1288 | 1289 | listenercount@~1.0.1: 1290 | version "1.0.1" 1291 | resolved "https://registry.yarnpkg.com/listenercount/-/listenercount-1.0.1.tgz#84c8a72ab59c4725321480c975e6508342e70937" 1292 | integrity sha512-3mk/Zag0+IJxeDrxSgaDPy4zZ3w05PRZeJNnlWhzFz5OkX49J4krc+A8X2d2M69vGMBEX0uyl8M+W+8gH+kBqQ== 1293 | 1294 | loader-runner@^4.2.0: 1295 | version "4.3.0" 1296 | resolved "https://registry.yarnpkg.com/loader-runner/-/loader-runner-4.3.0.tgz#c1b4a163b99f614830353b16755e7149ac2314e1" 1297 | integrity sha512-3R/1M+yS3j5ou80Me59j7F9IMs4PXs3VqRrm0TU3AbKPxlmpoY1TNscJV/oGJXo8qCatFGTfDbY6W6ipGOYXfg== 1298 | 1299 | locate-path@^5.0.0: 1300 | version "5.0.0" 1301 | resolved "https://registry.yarnpkg.com/locate-path/-/locate-path-5.0.0.tgz#1afba396afd676a6d42504d0a67a3a7eb9f62aa0" 1302 | integrity sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g== 1303 | dependencies: 1304 | p-locate "^4.1.0" 1305 | 1306 | locate-path@^6.0.0: 1307 | version "6.0.0" 1308 | resolved "https://registry.yarnpkg.com/locate-path/-/locate-path-6.0.0.tgz#55321eb309febbc59c4801d931a72452a681d286" 1309 | integrity sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw== 1310 | dependencies: 1311 | p-locate "^5.0.0" 1312 | 1313 | lodash.merge@^4.6.2: 1314 | version "4.6.2" 1315 | resolved "https://registry.yarnpkg.com/lodash.merge/-/lodash.merge-4.6.2.tgz#558aa53b43b661e1925a0afdfa36a9a1085fe57a" 1316 | integrity sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ== 1317 | 1318 | log-symbols@4.1.0: 1319 | version "4.1.0" 1320 | resolved "https://registry.yarnpkg.com/log-symbols/-/log-symbols-4.1.0.tgz#3fbdbb95b4683ac9fc785111e792e558d4abd503" 1321 | integrity sha512-8XPvpAA8uyhfteu8pIvQxpJZ7SYYdpUivZpGy6sFsBuKRY/7rQGavedeB8aK+Zkyq6upMFVL/9AW6vOYzfRyLg== 1322 | dependencies: 1323 | chalk "^4.1.0" 1324 | is-unicode-supported "^0.1.0" 1325 | 1326 | lru-cache@^6.0.0: 1327 | version "6.0.0" 1328 | resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-6.0.0.tgz#6d6fe6570ebd96aaf90fcad1dafa3b2566db3a94" 1329 | integrity sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA== 1330 | dependencies: 1331 | yallist "^4.0.0" 1332 | 1333 | merge-stream@^2.0.0: 1334 | version "2.0.0" 1335 | resolved "https://registry.yarnpkg.com/merge-stream/-/merge-stream-2.0.0.tgz#52823629a14dd00c9770fb6ad47dc6310f2c1f60" 1336 | integrity sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w== 1337 | 1338 | merge2@^1.3.0, merge2@^1.4.1: 1339 | version "1.4.1" 1340 | resolved "https://registry.yarnpkg.com/merge2/-/merge2-1.4.1.tgz#4368892f885e907455a6fd7dc55c0c9d404990ae" 1341 | integrity sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg== 1342 | 1343 | micromatch@^4.0.0, micromatch@^4.0.4: 1344 | version "4.0.5" 1345 | resolved "https://registry.yarnpkg.com/micromatch/-/micromatch-4.0.5.tgz#bc8999a7cbbf77cdc89f132f6e467051b49090c6" 1346 | integrity sha512-DMy+ERcEW2q8Z2Po+WNXuw3c5YaUSFjAO5GsJqfEl7UjvtIuFKO6ZrKvcItdy98dwFI2N1tg3zNIdKaQT+aNdA== 1347 | dependencies: 1348 | braces "^3.0.2" 1349 | picomatch "^2.3.1" 1350 | 1351 | mime-db@1.52.0: 1352 | version "1.52.0" 1353 | resolved "https://registry.yarnpkg.com/mime-db/-/mime-db-1.52.0.tgz#bbabcdc02859f4987301c856e3387ce5ec43bf70" 1354 | integrity sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg== 1355 | 1356 | mime-types@^2.1.27: 1357 | version "2.1.35" 1358 | resolved "https://registry.yarnpkg.com/mime-types/-/mime-types-2.1.35.tgz#381a871b62a734450660ae3deee44813f70d959a" 1359 | integrity sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw== 1360 | dependencies: 1361 | mime-db "1.52.0" 1362 | 1363 | minimatch@5.0.1: 1364 | version "5.0.1" 1365 | resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-5.0.1.tgz#fb9022f7528125187c92bd9e9b6366be1cf3415b" 1366 | integrity sha512-nLDxIFRyhDblz3qMuq+SoRZED4+miJ/G+tdDrjkkkRnjAsBexeGpgjLEQ0blJy7rHhR2b93rhQY4SvyWu9v03g== 1367 | dependencies: 1368 | brace-expansion "^2.0.1" 1369 | 1370 | minimatch@^3.0.4, minimatch@^3.1.1, minimatch@^3.1.2: 1371 | version "3.1.2" 1372 | resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.1.2.tgz#19cd194bfd3e428f049a70817c038d89ab4be35b" 1373 | integrity sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw== 1374 | dependencies: 1375 | brace-expansion "^1.1.7" 1376 | 1377 | minimatch@^5.0.1: 1378 | version "5.1.0" 1379 | resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-5.1.0.tgz#1717b464f4971b144f6aabe8f2d0b8e4511e09c7" 1380 | integrity sha512-9TPBGGak4nHfGZsPBohm9AWg6NoT7QTCehS3BIJABslyZbzxfV78QM2Y6+i741OPZIafFAaiiEMh5OyIrJPgtg== 1381 | dependencies: 1382 | brace-expansion "^2.0.1" 1383 | 1384 | minimist@^1.2.6: 1385 | version "1.2.6" 1386 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.6.tgz#8637a5b759ea0d6e98702cfb3a9283323c93af44" 1387 | integrity sha512-Jsjnk4bw3YJqYzbdyBiNsPWHPfO++UGG749Cxs6peCu5Xg4nrena6OVxOYxrQTqww0Jmwt+Ref8rggumkTLz9Q== 1388 | 1389 | "mkdirp@>=0.5 0": 1390 | version "0.5.6" 1391 | resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-0.5.6.tgz#7def03d2432dcae4ba1d611445c48396062255f6" 1392 | integrity sha512-FP+p8RB8OWpF3YZBCrP5gtADmtXApB5AMLn+vdyA+PyxCjrCs00mjyUozssO33cwDeT3wNGdLxJ5M//YqtHAJw== 1393 | dependencies: 1394 | minimist "^1.2.6" 1395 | 1396 | mocha@^10.0.0: 1397 | version "10.0.0" 1398 | resolved "https://registry.yarnpkg.com/mocha/-/mocha-10.0.0.tgz#205447d8993ec755335c4b13deba3d3a13c4def9" 1399 | integrity sha512-0Wl+elVUD43Y0BqPZBzZt8Tnkw9CMUdNYnUsTfOM1vuhJVZL+kiesFYsqwBkEEuEixaiPe5ZQdqDgX2jddhmoA== 1400 | dependencies: 1401 | "@ungap/promise-all-settled" "1.1.2" 1402 | ansi-colors "4.1.1" 1403 | browser-stdout "1.3.1" 1404 | chokidar "3.5.3" 1405 | debug "4.3.4" 1406 | diff "5.0.0" 1407 | escape-string-regexp "4.0.0" 1408 | find-up "5.0.0" 1409 | glob "7.2.0" 1410 | he "1.2.0" 1411 | js-yaml "4.1.0" 1412 | log-symbols "4.1.0" 1413 | minimatch "5.0.1" 1414 | ms "2.1.3" 1415 | nanoid "3.3.3" 1416 | serialize-javascript "6.0.0" 1417 | strip-json-comments "3.1.1" 1418 | supports-color "8.1.1" 1419 | workerpool "6.2.1" 1420 | yargs "16.2.0" 1421 | yargs-parser "20.2.4" 1422 | yargs-unparser "2.0.0" 1423 | 1424 | ms@2.1.2: 1425 | version "2.1.2" 1426 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.2.tgz#d09d1f357b443f493382a8eb3ccd183872ae6009" 1427 | integrity sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w== 1428 | 1429 | ms@2.1.3: 1430 | version "2.1.3" 1431 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.3.tgz#574c8138ce1d2b5861f0b44579dbadd60c6615b2" 1432 | integrity sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA== 1433 | 1434 | nanoid@3.3.3: 1435 | version "3.3.3" 1436 | resolved "https://registry.yarnpkg.com/nanoid/-/nanoid-3.3.3.tgz#fd8e8b7aa761fe807dba2d1b98fb7241bb724a25" 1437 | integrity sha512-p1sjXuopFs0xg+fPASzQ28agW1oHD7xDsd9Xkf3T15H3c/cifrFHVwrh74PdoklAPi+i7MdRsE47vm2r6JoB+w== 1438 | 1439 | natural-compare@^1.4.0: 1440 | version "1.4.0" 1441 | resolved "https://registry.yarnpkg.com/natural-compare/-/natural-compare-1.4.0.tgz#4abebfeed7541f2c27acfb29bdbbd15c8d5ba4f7" 1442 | integrity sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw== 1443 | 1444 | neo-async@^2.6.2: 1445 | version "2.6.2" 1446 | resolved "https://registry.yarnpkg.com/neo-async/-/neo-async-2.6.2.tgz#b4aafb93e3aeb2d8174ca53cf163ab7d7308305f" 1447 | integrity sha512-Yd3UES5mWCSqR+qNT93S3UoYUkqAZ9lLg8a7g9rimsWmYGK8cVToA4/sF3RrshdyV3sAGMXVUmpMYOw+dLpOuw== 1448 | 1449 | node-releases@^2.0.6: 1450 | version "2.0.6" 1451 | resolved "https://registry.yarnpkg.com/node-releases/-/node-releases-2.0.6.tgz#8a7088c63a55e493845683ebf3c828d8c51c5503" 1452 | integrity sha512-PiVXnNuFm5+iYkLBNeq5211hvO38y63T0i2KKh2KnUs3RpzJ+JtODFjkD8yjLwnDkTYF1eKXheUwdssR+NRZdg== 1453 | 1454 | normalize-path@^3.0.0, normalize-path@~3.0.0: 1455 | version "3.0.0" 1456 | resolved "https://registry.yarnpkg.com/normalize-path/-/normalize-path-3.0.0.tgz#0dcd69ff23a1c9b11fd0978316644a0388216a65" 1457 | integrity sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA== 1458 | 1459 | once@^1.3.0: 1460 | version "1.4.0" 1461 | resolved "https://registry.yarnpkg.com/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1" 1462 | integrity sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w== 1463 | dependencies: 1464 | wrappy "1" 1465 | 1466 | optionator@^0.9.1: 1467 | version "0.9.1" 1468 | resolved "https://registry.yarnpkg.com/optionator/-/optionator-0.9.1.tgz#4f236a6373dae0566a6d43e1326674f50c291499" 1469 | integrity sha512-74RlY5FCnhq4jRxVUPKDaRwrVNXMqsGsiW6AJw4XK8hmtm10wC0ypZBLw5IIp85NZMr91+qd1RvvENwg7jjRFw== 1470 | dependencies: 1471 | deep-is "^0.1.3" 1472 | fast-levenshtein "^2.0.6" 1473 | levn "^0.4.1" 1474 | prelude-ls "^1.2.1" 1475 | type-check "^0.4.0" 1476 | word-wrap "^1.2.3" 1477 | 1478 | p-limit@^2.2.0: 1479 | version "2.3.0" 1480 | resolved "https://registry.yarnpkg.com/p-limit/-/p-limit-2.3.0.tgz#3dd33c647a214fdfffd835933eb086da0dc21db1" 1481 | integrity sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w== 1482 | dependencies: 1483 | p-try "^2.0.0" 1484 | 1485 | p-limit@^3.0.2: 1486 | version "3.1.0" 1487 | resolved "https://registry.yarnpkg.com/p-limit/-/p-limit-3.1.0.tgz#e1daccbe78d0d1388ca18c64fea38e3e57e3706b" 1488 | integrity sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ== 1489 | dependencies: 1490 | yocto-queue "^0.1.0" 1491 | 1492 | p-locate@^4.1.0: 1493 | version "4.1.0" 1494 | resolved "https://registry.yarnpkg.com/p-locate/-/p-locate-4.1.0.tgz#a3428bb7088b3a60292f66919278b7c297ad4f07" 1495 | integrity sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A== 1496 | dependencies: 1497 | p-limit "^2.2.0" 1498 | 1499 | p-locate@^5.0.0: 1500 | version "5.0.0" 1501 | resolved "https://registry.yarnpkg.com/p-locate/-/p-locate-5.0.0.tgz#83c8315c6785005e3bd021839411c9e110e6d834" 1502 | integrity sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw== 1503 | dependencies: 1504 | p-limit "^3.0.2" 1505 | 1506 | p-try@^2.0.0: 1507 | version "2.2.0" 1508 | resolved "https://registry.yarnpkg.com/p-try/-/p-try-2.2.0.tgz#cb2868540e313d61de58fafbe35ce9004d5540e6" 1509 | integrity sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ== 1510 | 1511 | parent-module@^1.0.0: 1512 | version "1.0.1" 1513 | resolved "https://registry.yarnpkg.com/parent-module/-/parent-module-1.0.1.tgz#691d2709e78c79fae3a156622452d00762caaaa2" 1514 | integrity sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g== 1515 | dependencies: 1516 | callsites "^3.0.0" 1517 | 1518 | path-exists@^4.0.0: 1519 | version "4.0.0" 1520 | resolved "https://registry.yarnpkg.com/path-exists/-/path-exists-4.0.0.tgz#513bdbe2d3b95d7762e8c1137efa195c6c61b5b3" 1521 | integrity sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w== 1522 | 1523 | path-is-absolute@^1.0.0: 1524 | version "1.0.1" 1525 | resolved "https://registry.yarnpkg.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f" 1526 | integrity sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg== 1527 | 1528 | path-key@^3.1.0: 1529 | version "3.1.1" 1530 | resolved "https://registry.yarnpkg.com/path-key/-/path-key-3.1.1.tgz#581f6ade658cbba65a0d3380de7753295054f375" 1531 | integrity sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q== 1532 | 1533 | path-parse@^1.0.7: 1534 | version "1.0.7" 1535 | resolved "https://registry.yarnpkg.com/path-parse/-/path-parse-1.0.7.tgz#fbc114b60ca42b30d9daf5858e4bd68bbedb6735" 1536 | integrity sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw== 1537 | 1538 | path-type@^4.0.0: 1539 | version "4.0.0" 1540 | resolved "https://registry.yarnpkg.com/path-type/-/path-type-4.0.0.tgz#84ed01c0a7ba380afe09d90a8c180dcd9d03043b" 1541 | integrity sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw== 1542 | 1543 | picocolors@^1.0.0: 1544 | version "1.0.0" 1545 | resolved "https://registry.yarnpkg.com/picocolors/-/picocolors-1.0.0.tgz#cb5bdc74ff3f51892236eaf79d68bc44564ab81c" 1546 | integrity sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ== 1547 | 1548 | picomatch@^2.0.4, picomatch@^2.2.1, picomatch@^2.3.1: 1549 | version "2.3.1" 1550 | resolved "https://registry.yarnpkg.com/picomatch/-/picomatch-2.3.1.tgz#3ba3833733646d9d3e4995946c1365a67fb07a42" 1551 | integrity sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA== 1552 | 1553 | pkg-dir@^4.2.0: 1554 | version "4.2.0" 1555 | resolved "https://registry.yarnpkg.com/pkg-dir/-/pkg-dir-4.2.0.tgz#f099133df7ede422e81d1d8448270eeb3e4261f3" 1556 | integrity sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ== 1557 | dependencies: 1558 | find-up "^4.0.0" 1559 | 1560 | prelude-ls@^1.2.1: 1561 | version "1.2.1" 1562 | resolved "https://registry.yarnpkg.com/prelude-ls/-/prelude-ls-1.2.1.tgz#debc6489d7a6e6b0e7611888cec880337d316396" 1563 | integrity sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g== 1564 | 1565 | process-nextick-args@~2.0.0: 1566 | version "2.0.1" 1567 | resolved "https://registry.yarnpkg.com/process-nextick-args/-/process-nextick-args-2.0.1.tgz#7820d9b16120cc55ca9ae7792680ae7dba6d7fe2" 1568 | integrity sha512-3ouUOpQhtgrbOa17J7+uxOTpITYWaGP7/AhoR3+A+/1e9skrzelGi/dXzEYyvbxubEF6Wn2ypscTKiKJFFn1ag== 1569 | 1570 | prom-client@^14.1.0: 1571 | version "14.1.0" 1572 | resolved "https://registry.yarnpkg.com/prom-client/-/prom-client-14.1.0.tgz#049609859483d900844924df740722c76ed1fdbb" 1573 | integrity sha512-iFWCchQmi4170omLpFXbzz62SQTmPhtBL35v0qGEVRHKcqIeiexaoYeP0vfZTujxEq3tA87iqOdRbC9svS1B9A== 1574 | dependencies: 1575 | tdigest "^0.1.1" 1576 | 1577 | punycode@^2.1.0: 1578 | version "2.1.1" 1579 | resolved "https://registry.yarnpkg.com/punycode/-/punycode-2.1.1.tgz#b58b010ac40c22c5657616c8d2c2c02c7bf479ec" 1580 | integrity sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A== 1581 | 1582 | queue-microtask@^1.2.2: 1583 | version "1.2.3" 1584 | resolved "https://registry.yarnpkg.com/queue-microtask/-/queue-microtask-1.2.3.tgz#4929228bbc724dfac43e0efb058caf7b6cfb6243" 1585 | integrity sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A== 1586 | 1587 | randombytes@^2.1.0: 1588 | version "2.1.0" 1589 | resolved "https://registry.yarnpkg.com/randombytes/-/randombytes-2.1.0.tgz#df6f84372f0270dc65cdf6291349ab7a473d4f2a" 1590 | integrity sha512-vYl3iOX+4CKUWuxGi9Ukhie6fsqXqS9FE2Zaic4tNFD2N2QQaXOMFbuKK4QmDHC0JO6B1Zp41J0LpT0oR68amQ== 1591 | dependencies: 1592 | safe-buffer "^5.1.0" 1593 | 1594 | readable-stream@^2.0.2, readable-stream@~2.3.6: 1595 | version "2.3.7" 1596 | resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-2.3.7.tgz#1eca1cf711aef814c04f62252a36a62f6cb23b57" 1597 | integrity sha512-Ebho8K4jIbHAxnuxi7o42OrZgF/ZTNcsZj6nRKyUmkhLFq8CHItp/fy6hQZuZmP/n3yZ9VBUbp4zz/mX8hmYPw== 1598 | dependencies: 1599 | core-util-is "~1.0.0" 1600 | inherits "~2.0.3" 1601 | isarray "~1.0.0" 1602 | process-nextick-args "~2.0.0" 1603 | safe-buffer "~5.1.1" 1604 | string_decoder "~1.1.1" 1605 | util-deprecate "~1.0.1" 1606 | 1607 | readdirp@~3.6.0: 1608 | version "3.6.0" 1609 | resolved "https://registry.yarnpkg.com/readdirp/-/readdirp-3.6.0.tgz#74a370bd857116e245b29cc97340cd431a02a6c7" 1610 | integrity sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA== 1611 | dependencies: 1612 | picomatch "^2.2.1" 1613 | 1614 | rechoir@^0.7.0: 1615 | version "0.7.1" 1616 | resolved "https://registry.yarnpkg.com/rechoir/-/rechoir-0.7.1.tgz#9478a96a1ca135b5e88fc027f03ee92d6c645686" 1617 | integrity sha512-/njmZ8s1wVeR6pjTZ+0nCnv8SpZNRMT2D1RLOJQESlYFDBvwpTA4KWJpZ+sBJ4+vhjILRcK7JIFdGCdxEAAitg== 1618 | dependencies: 1619 | resolve "^1.9.0" 1620 | 1621 | regexpp@^3.2.0: 1622 | version "3.2.0" 1623 | resolved "https://registry.yarnpkg.com/regexpp/-/regexpp-3.2.0.tgz#0425a2768d8f23bad70ca4b90461fa2f1213e1b2" 1624 | integrity sha512-pq2bWo9mVD43nbts2wGv17XLiNLya+GklZ8kaDLV2Z08gDCsGpnKn9BFMepvWuHCbyVvY7J5o5+BVvoQbmlJLg== 1625 | 1626 | require-directory@^2.1.1: 1627 | version "2.1.1" 1628 | resolved "https://registry.yarnpkg.com/require-directory/-/require-directory-2.1.1.tgz#8c64ad5fd30dab1c976e2344ffe7f792a6a6df42" 1629 | integrity sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q== 1630 | 1631 | resolve-cwd@^3.0.0: 1632 | version "3.0.0" 1633 | resolved "https://registry.yarnpkg.com/resolve-cwd/-/resolve-cwd-3.0.0.tgz#0f0075f1bb2544766cf73ba6a6e2adfebcb13f2d" 1634 | integrity sha512-OrZaX2Mb+rJCpH/6CpSqt9xFVpN++x01XnN2ie9g6P5/3xelLAkXWVADpdz1IHD/KFfEXyE6V0U01OQ3UO2rEg== 1635 | dependencies: 1636 | resolve-from "^5.0.0" 1637 | 1638 | resolve-from@^4.0.0: 1639 | version "4.0.0" 1640 | resolved "https://registry.yarnpkg.com/resolve-from/-/resolve-from-4.0.0.tgz#4abcd852ad32dd7baabfe9b40e00a36db5f392e6" 1641 | integrity sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g== 1642 | 1643 | resolve-from@^5.0.0: 1644 | version "5.0.0" 1645 | resolved "https://registry.yarnpkg.com/resolve-from/-/resolve-from-5.0.0.tgz#c35225843df8f776df21c57557bc087e9dfdfc69" 1646 | integrity sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw== 1647 | 1648 | resolve@^1.9.0: 1649 | version "1.22.1" 1650 | resolved "https://registry.yarnpkg.com/resolve/-/resolve-1.22.1.tgz#27cb2ebb53f91abb49470a928bba7558066ac177" 1651 | integrity sha512-nBpuuYuY5jFsli/JIs1oldw6fOQCBioohqWZg/2hiaOybXOft4lonv85uDOKXdf8rhyK159cxU5cDcK/NKk8zw== 1652 | dependencies: 1653 | is-core-module "^2.9.0" 1654 | path-parse "^1.0.7" 1655 | supports-preserve-symlinks-flag "^1.0.0" 1656 | 1657 | reusify@^1.0.4: 1658 | version "1.0.4" 1659 | resolved "https://registry.yarnpkg.com/reusify/-/reusify-1.0.4.tgz#90da382b1e126efc02146e90845a88db12925d76" 1660 | integrity sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw== 1661 | 1662 | rimraf@2: 1663 | version "2.7.1" 1664 | resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-2.7.1.tgz#35797f13a7fdadc566142c29d4f07ccad483e3ec" 1665 | integrity sha512-uWjbaKIK3T1OSVptzX7Nl6PvQ3qAGtKEtVRjRuazjfL3Bx5eI409VZSqgND+4UNnmzLVdPj9FqFJNPqBZFve4w== 1666 | dependencies: 1667 | glob "^7.1.3" 1668 | 1669 | rimraf@^3.0.2: 1670 | version "3.0.2" 1671 | resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-3.0.2.tgz#f1a5402ba6220ad52cc1282bac1ae3aa49fd061a" 1672 | integrity sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA== 1673 | dependencies: 1674 | glob "^7.1.3" 1675 | 1676 | run-parallel@^1.1.9: 1677 | version "1.2.0" 1678 | resolved "https://registry.yarnpkg.com/run-parallel/-/run-parallel-1.2.0.tgz#66d1368da7bdf921eb9d95bd1a9229e7f21a43ee" 1679 | integrity sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA== 1680 | dependencies: 1681 | queue-microtask "^1.2.2" 1682 | 1683 | safe-buffer@^5.1.0: 1684 | version "5.2.1" 1685 | resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.2.1.tgz#1eaf9fa9bdb1fdd4ec75f58f9cdb4e6b7827eec6" 1686 | integrity sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ== 1687 | 1688 | safe-buffer@~5.1.0, safe-buffer@~5.1.1: 1689 | version "5.1.2" 1690 | resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.1.2.tgz#991ec69d296e0313747d59bdfd2b745c35f8828d" 1691 | integrity sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g== 1692 | 1693 | schema-utils@^3.1.0, schema-utils@^3.1.1: 1694 | version "3.1.1" 1695 | resolved "https://registry.yarnpkg.com/schema-utils/-/schema-utils-3.1.1.tgz#bc74c4b6b6995c1d88f76a8b77bea7219e0c8281" 1696 | integrity sha512-Y5PQxS4ITlC+EahLuXaY86TXfR7Dc5lw294alXOq86JAHCihAIZfqv8nNCWvaEJvaC51uN9hbLGeV0cFBdH+Fw== 1697 | dependencies: 1698 | "@types/json-schema" "^7.0.8" 1699 | ajv "^6.12.5" 1700 | ajv-keywords "^3.5.2" 1701 | 1702 | semver@^7.3.4, semver@^7.3.7: 1703 | version "7.3.7" 1704 | resolved "https://registry.yarnpkg.com/semver/-/semver-7.3.7.tgz#12c5b649afdbf9049707796e22a4028814ce523f" 1705 | integrity sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g== 1706 | dependencies: 1707 | lru-cache "^6.0.0" 1708 | 1709 | serialize-javascript@6.0.0, serialize-javascript@^6.0.0: 1710 | version "6.0.0" 1711 | resolved "https://registry.yarnpkg.com/serialize-javascript/-/serialize-javascript-6.0.0.tgz#efae5d88f45d7924141da8b5c3a7a7e663fefeb8" 1712 | integrity sha512-Qr3TosvguFt8ePWqsvRfrKyQXIiW+nGbYpy8XK24NQHE83caxWt+mIymTT19DGFbNWNLfEwsrkSmN64lVWB9ag== 1713 | dependencies: 1714 | randombytes "^2.1.0" 1715 | 1716 | setimmediate@~1.0.4: 1717 | version "1.0.5" 1718 | resolved "https://registry.yarnpkg.com/setimmediate/-/setimmediate-1.0.5.tgz#290cbb232e306942d7d7ea9b83732ab7856f8285" 1719 | integrity sha512-MATJdZp8sLqDl/68LfQmbP8zKPLQNV6BIZoIgrscFDQ+RsvK/BxeDQOgyxKKoh0y/8h3BqVFnCqQ/gd+reiIXA== 1720 | 1721 | shallow-clone@^3.0.0: 1722 | version "3.0.1" 1723 | resolved "https://registry.yarnpkg.com/shallow-clone/-/shallow-clone-3.0.1.tgz#8f2981ad92531f55035b01fb230769a40e02efa3" 1724 | integrity sha512-/6KqX+GVUdqPuPPd2LxDDxzX6CAbjJehAAOKlNpqqUpAqPM6HeL8f+o3a+JsyGjn2lv0WY8UsTgUJjU9Ok55NA== 1725 | dependencies: 1726 | kind-of "^6.0.2" 1727 | 1728 | shebang-command@^2.0.0: 1729 | version "2.0.0" 1730 | resolved "https://registry.yarnpkg.com/shebang-command/-/shebang-command-2.0.0.tgz#ccd0af4f8835fbdc265b82461aaf0c36663f34ea" 1731 | integrity sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA== 1732 | dependencies: 1733 | shebang-regex "^3.0.0" 1734 | 1735 | shebang-regex@^3.0.0: 1736 | version "3.0.0" 1737 | resolved "https://registry.yarnpkg.com/shebang-regex/-/shebang-regex-3.0.0.tgz#ae16f1644d873ecad843b0307b143362d4c42172" 1738 | integrity sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A== 1739 | 1740 | slash@^3.0.0: 1741 | version "3.0.0" 1742 | resolved "https://registry.yarnpkg.com/slash/-/slash-3.0.0.tgz#6539be870c165adbd5240220dbe361f1bc4d4634" 1743 | integrity sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q== 1744 | 1745 | source-map-support@~0.5.20: 1746 | version "0.5.21" 1747 | resolved "https://registry.yarnpkg.com/source-map-support/-/source-map-support-0.5.21.tgz#04fe7c7f9e1ed2d662233c28cb2b35b9f63f6e4f" 1748 | integrity sha512-uBHU3L3czsIyYXKX88fdrGovxdSCoTGDRZ6SYXtSRxLZUzHg5P/66Ht6uoUlHu9EZod+inXhKo3qQgwXUT/y1w== 1749 | dependencies: 1750 | buffer-from "^1.0.0" 1751 | source-map "^0.6.0" 1752 | 1753 | source-map@^0.6.0: 1754 | version "0.6.1" 1755 | resolved "https://registry.yarnpkg.com/source-map/-/source-map-0.6.1.tgz#74722af32e9614e9c287a8d0bbde48b5e2f1a263" 1756 | integrity sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g== 1757 | 1758 | string-width@^4.1.0, string-width@^4.2.0: 1759 | version "4.2.3" 1760 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-4.2.3.tgz#269c7117d27b05ad2e536830a8ec895ef9c6d010" 1761 | integrity sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g== 1762 | dependencies: 1763 | emoji-regex "^8.0.0" 1764 | is-fullwidth-code-point "^3.0.0" 1765 | strip-ansi "^6.0.1" 1766 | 1767 | string_decoder@~1.1.1: 1768 | version "1.1.1" 1769 | resolved "https://registry.yarnpkg.com/string_decoder/-/string_decoder-1.1.1.tgz#9cf1611ba62685d7030ae9e4ba34149c3af03fc8" 1770 | integrity sha512-n/ShnvDi6FHbbVfviro+WojiFzv+s8MPMHBczVePfUpDJLwoLT0ht1l4YwBCbi8pJAveEEdnkHyPyTP/mzRfwg== 1771 | dependencies: 1772 | safe-buffer "~5.1.0" 1773 | 1774 | strip-ansi@^6.0.0, strip-ansi@^6.0.1: 1775 | version "6.0.1" 1776 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-6.0.1.tgz#9e26c63d30f53443e9489495b2105d37b67a85d9" 1777 | integrity sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A== 1778 | dependencies: 1779 | ansi-regex "^5.0.1" 1780 | 1781 | strip-json-comments@3.1.1, strip-json-comments@^3.1.0, strip-json-comments@^3.1.1: 1782 | version "3.1.1" 1783 | resolved "https://registry.yarnpkg.com/strip-json-comments/-/strip-json-comments-3.1.1.tgz#31f1281b3832630434831c310c01cccda8cbe006" 1784 | integrity sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig== 1785 | 1786 | supports-color@8.1.1, supports-color@^8.0.0: 1787 | version "8.1.1" 1788 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-8.1.1.tgz#cd6fc17e28500cff56c1b86c0a7fd4a54a73005c" 1789 | integrity sha512-MpUEN2OodtUzxvKQl72cUF7RQ5EiHsGvSsVG0ia9c5RbWGL2CI4C7EpPS8UTBIplnlzZiNuV56w+FuNxy3ty2Q== 1790 | dependencies: 1791 | has-flag "^4.0.0" 1792 | 1793 | supports-color@^7.1.0: 1794 | version "7.2.0" 1795 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-7.2.0.tgz#1b7dcdcb32b8138801b3e478ba6a51caa89648da" 1796 | integrity sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw== 1797 | dependencies: 1798 | has-flag "^4.0.0" 1799 | 1800 | supports-preserve-symlinks-flag@^1.0.0: 1801 | version "1.0.0" 1802 | resolved "https://registry.yarnpkg.com/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz#6eda4bd344a3c94aea376d4cc31bc77311039e09" 1803 | integrity sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w== 1804 | 1805 | tapable@^2.1.1, tapable@^2.2.0: 1806 | version "2.2.1" 1807 | resolved "https://registry.yarnpkg.com/tapable/-/tapable-2.2.1.tgz#1967a73ef4060a82f12ab96af86d52fdb76eeca0" 1808 | integrity sha512-GNzQvQTOIP6RyTfE2Qxb8ZVlNmw0n88vp1szwWRimP02mnTsx3Wtn5qRdqY9w2XduFNUgvOwhNnQsjwCp+kqaQ== 1809 | 1810 | tdigest@^0.1.1: 1811 | version "0.1.2" 1812 | resolved "https://registry.yarnpkg.com/tdigest/-/tdigest-0.1.2.tgz#96c64bac4ff10746b910b0e23b515794e12faced" 1813 | integrity sha512-+G0LLgjjo9BZX2MfdvPfH+MKLCrxlXSYec5DaPYP1fe6Iyhf0/fSmJ0bFiZ1F8BT6cGXl2LpltQptzjXKWEkKA== 1814 | dependencies: 1815 | bintrees "1.0.2" 1816 | 1817 | terser-webpack-plugin@^5.1.3: 1818 | version "5.3.6" 1819 | resolved "https://registry.yarnpkg.com/terser-webpack-plugin/-/terser-webpack-plugin-5.3.6.tgz#5590aec31aa3c6f771ce1b1acca60639eab3195c" 1820 | integrity sha512-kfLFk+PoLUQIbLmB1+PZDMRSZS99Mp+/MHqDNmMA6tOItzRt+Npe3E+fsMs5mfcM0wCtrrdU387UnV+vnSffXQ== 1821 | dependencies: 1822 | "@jridgewell/trace-mapping" "^0.3.14" 1823 | jest-worker "^27.4.5" 1824 | schema-utils "^3.1.1" 1825 | serialize-javascript "^6.0.0" 1826 | terser "^5.14.1" 1827 | 1828 | terser@^5.14.1: 1829 | version "5.15.0" 1830 | resolved "https://registry.yarnpkg.com/terser/-/terser-5.15.0.tgz#e16967894eeba6e1091509ec83f0c60e179f2425" 1831 | integrity sha512-L1BJiXVmheAQQy+as0oF3Pwtlo4s3Wi1X2zNZ2NxOB4wx9bdS9Vk67XQENLFdLYGCK/Z2di53mTj/hBafR+dTA== 1832 | dependencies: 1833 | "@jridgewell/source-map" "^0.3.2" 1834 | acorn "^8.5.0" 1835 | commander "^2.20.0" 1836 | source-map-support "~0.5.20" 1837 | 1838 | text-table@^0.2.0: 1839 | version "0.2.0" 1840 | resolved "https://registry.yarnpkg.com/text-table/-/text-table-0.2.0.tgz#7f5ee823ae805207c00af2df4a84ec3fcfa570b4" 1841 | integrity sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw== 1842 | 1843 | to-regex-range@^5.0.1: 1844 | version "5.0.1" 1845 | resolved "https://registry.yarnpkg.com/to-regex-range/-/to-regex-range-5.0.1.tgz#1648c44aae7c8d988a326018ed72f5b4dd0392e4" 1846 | integrity sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ== 1847 | dependencies: 1848 | is-number "^7.0.0" 1849 | 1850 | "traverse@>=0.3.0 <0.4": 1851 | version "0.3.9" 1852 | resolved "https://registry.yarnpkg.com/traverse/-/traverse-0.3.9.tgz#717b8f220cc0bb7b44e40514c22b2e8bbc70d8b9" 1853 | integrity sha512-iawgk0hLP3SxGKDfnDJf8wTz4p2qImnyihM5Hh/sGvQ3K37dPi/w8sRhdNIxYA1TwFwc5mDhIJq+O0RsvXBKdQ== 1854 | 1855 | ts-loader@^9.3.1: 1856 | version "9.4.1" 1857 | resolved "https://registry.yarnpkg.com/ts-loader/-/ts-loader-9.4.1.tgz#b6f3d82db0eac5a8295994f8cb5e4940ff6b1060" 1858 | integrity sha512-384TYAqGs70rn9F0VBnh6BPTfhga7yFNdC5gXbQpDrBj9/KsT4iRkGqKXhziofHOlE2j6YEaiTYVGKKvPhGWvw== 1859 | dependencies: 1860 | chalk "^4.1.0" 1861 | enhanced-resolve "^5.0.0" 1862 | micromatch "^4.0.0" 1863 | semver "^7.3.4" 1864 | 1865 | tslib@^1.8.1: 1866 | version "1.14.1" 1867 | resolved "https://registry.yarnpkg.com/tslib/-/tslib-1.14.1.tgz#cf2d38bdc34a134bcaf1091c41f6619e2f672d00" 1868 | integrity sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg== 1869 | 1870 | tsutils@^3.21.0: 1871 | version "3.21.0" 1872 | resolved "https://registry.yarnpkg.com/tsutils/-/tsutils-3.21.0.tgz#b48717d394cea6c1e096983eed58e9d61715b623" 1873 | integrity sha512-mHKK3iUXL+3UF6xL5k0PEhKRUBKPBCv/+RkEOpjRWxxx27KKRBmmA60A9pgOUvMi8GKhRMPEmjBRPzs2W7O1OA== 1874 | dependencies: 1875 | tslib "^1.8.1" 1876 | 1877 | type-check@^0.4.0, type-check@~0.4.0: 1878 | version "0.4.0" 1879 | resolved "https://registry.yarnpkg.com/type-check/-/type-check-0.4.0.tgz#07b8203bfa7056c0657050e3ccd2c37730bab8f1" 1880 | integrity sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew== 1881 | dependencies: 1882 | prelude-ls "^1.2.1" 1883 | 1884 | type-fest@^0.20.2: 1885 | version "0.20.2" 1886 | resolved "https://registry.yarnpkg.com/type-fest/-/type-fest-0.20.2.tgz#1bf207f4b28f91583666cb5fbd327887301cd5f4" 1887 | integrity sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ== 1888 | 1889 | typescript@^4.7.4: 1890 | version "4.8.3" 1891 | resolved "https://registry.yarnpkg.com/typescript/-/typescript-4.8.3.tgz#d59344522c4bc464a65a730ac695007fdb66dd88" 1892 | integrity sha512-goMHfm00nWPa8UvR/CPSvykqf6dVV8x/dp0c5mFTMTIu0u0FlGWRioyy7Nn0PGAdHxpJZnuO/ut+PpQ8UiHAig== 1893 | 1894 | unzipper@^0.10.11: 1895 | version "0.10.11" 1896 | resolved "https://registry.yarnpkg.com/unzipper/-/unzipper-0.10.11.tgz#0b4991446472cbdb92ee7403909f26c2419c782e" 1897 | integrity sha512-+BrAq2oFqWod5IESRjL3S8baohbevGcVA+teAIOYWM3pDVdseogqbzhhvvmiyQrUNKFUnDMtELW3X8ykbyDCJw== 1898 | dependencies: 1899 | big-integer "^1.6.17" 1900 | binary "~0.3.0" 1901 | bluebird "~3.4.1" 1902 | buffer-indexof-polyfill "~1.0.0" 1903 | duplexer2 "~0.1.4" 1904 | fstream "^1.0.12" 1905 | graceful-fs "^4.2.2" 1906 | listenercount "~1.0.1" 1907 | readable-stream "~2.3.6" 1908 | setimmediate "~1.0.4" 1909 | 1910 | update-browserslist-db@^1.0.9: 1911 | version "1.0.9" 1912 | resolved "https://registry.yarnpkg.com/update-browserslist-db/-/update-browserslist-db-1.0.9.tgz#2924d3927367a38d5c555413a7ce138fc95fcb18" 1913 | integrity sha512-/xsqn21EGVdXI3EXSum1Yckj3ZVZugqyOZQ/CxYPBD/R+ko9NSUScf8tFF4dOKY+2pvSSJA/S+5B8s4Zr4kyvg== 1914 | dependencies: 1915 | escalade "^3.1.1" 1916 | picocolors "^1.0.0" 1917 | 1918 | uri-js@^4.2.2: 1919 | version "4.4.1" 1920 | resolved "https://registry.yarnpkg.com/uri-js/-/uri-js-4.4.1.tgz#9b1a52595225859e55f669d928f88c6c57f2a77e" 1921 | integrity sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg== 1922 | dependencies: 1923 | punycode "^2.1.0" 1924 | 1925 | util-deprecate@~1.0.1: 1926 | version "1.0.2" 1927 | resolved "https://registry.yarnpkg.com/util-deprecate/-/util-deprecate-1.0.2.tgz#450d4dc9fa70de732762fbd2d4a28981419a0ccf" 1928 | integrity sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw== 1929 | 1930 | watchpack@^2.4.0: 1931 | version "2.4.0" 1932 | resolved "https://registry.yarnpkg.com/watchpack/-/watchpack-2.4.0.tgz#fa33032374962c78113f93c7f2fb4c54c9862a5d" 1933 | integrity sha512-Lcvm7MGST/4fup+ifyKi2hjyIAwcdI4HRgtvTpIUxBRhB+RFtUh8XtDOxUfctVCnhVi+QQj49i91OyvzkJl6cg== 1934 | dependencies: 1935 | glob-to-regexp "^0.4.1" 1936 | graceful-fs "^4.1.2" 1937 | 1938 | webpack-cli@^4.10.0: 1939 | version "4.10.0" 1940 | resolved "https://registry.yarnpkg.com/webpack-cli/-/webpack-cli-4.10.0.tgz#37c1d69c8d85214c5a65e589378f53aec64dab31" 1941 | integrity sha512-NLhDfH/h4O6UOy+0LSso42xvYypClINuMNBVVzX4vX98TmTaTUxwRbXdhucbFMd2qLaCTcLq/PdYrvi8onw90w== 1942 | dependencies: 1943 | "@discoveryjs/json-ext" "^0.5.0" 1944 | "@webpack-cli/configtest" "^1.2.0" 1945 | "@webpack-cli/info" "^1.5.0" 1946 | "@webpack-cli/serve" "^1.7.0" 1947 | colorette "^2.0.14" 1948 | commander "^7.0.0" 1949 | cross-spawn "^7.0.3" 1950 | fastest-levenshtein "^1.0.12" 1951 | import-local "^3.0.2" 1952 | interpret "^2.2.0" 1953 | rechoir "^0.7.0" 1954 | webpack-merge "^5.7.3" 1955 | 1956 | webpack-merge@^5.7.3: 1957 | version "5.8.0" 1958 | resolved "https://registry.yarnpkg.com/webpack-merge/-/webpack-merge-5.8.0.tgz#2b39dbf22af87776ad744c390223731d30a68f61" 1959 | integrity sha512-/SaI7xY0831XwP6kzuwhKWVKDP9t1QY1h65lAFLbZqMPIuYcD9QAW4u9STIbU9kaJbPBB/geU/gLr1wDjOhQ+Q== 1960 | dependencies: 1961 | clone-deep "^4.0.1" 1962 | wildcard "^2.0.0" 1963 | 1964 | webpack-sources@^3.2.3: 1965 | version "3.2.3" 1966 | resolved "https://registry.yarnpkg.com/webpack-sources/-/webpack-sources-3.2.3.tgz#2d4daab8451fd4b240cc27055ff6a0c2ccea0cde" 1967 | integrity sha512-/DyMEOrDgLKKIG0fmvtz+4dUX/3Ghozwgm6iPp8KRhvn+eQf9+Q7GWxVNMk3+uCPWfdXYC4ExGBckIXdFEfH1w== 1968 | 1969 | webpack@^5.76.0: 1970 | version "5.76.0" 1971 | resolved "https://registry.yarnpkg.com/webpack/-/webpack-5.76.0.tgz#f9fb9fb8c4a7dbdcd0d56a98e56b8a942ee2692c" 1972 | integrity sha512-l5sOdYBDunyf72HW8dF23rFtWq/7Zgvt/9ftMof71E/yUb1YLOBmTgA2K4vQthB3kotMrSj609txVE0dnr2fjA== 1973 | dependencies: 1974 | "@types/eslint-scope" "^3.7.3" 1975 | "@types/estree" "^0.0.51" 1976 | "@webassemblyjs/ast" "1.11.1" 1977 | "@webassemblyjs/wasm-edit" "1.11.1" 1978 | "@webassemblyjs/wasm-parser" "1.11.1" 1979 | acorn "^8.7.1" 1980 | acorn-import-assertions "^1.7.6" 1981 | browserslist "^4.14.5" 1982 | chrome-trace-event "^1.0.2" 1983 | enhanced-resolve "^5.10.0" 1984 | es-module-lexer "^0.9.0" 1985 | eslint-scope "5.1.1" 1986 | events "^3.2.0" 1987 | glob-to-regexp "^0.4.1" 1988 | graceful-fs "^4.2.9" 1989 | json-parse-even-better-errors "^2.3.1" 1990 | loader-runner "^4.2.0" 1991 | mime-types "^2.1.27" 1992 | neo-async "^2.6.2" 1993 | schema-utils "^3.1.0" 1994 | tapable "^2.1.1" 1995 | terser-webpack-plugin "^5.1.3" 1996 | watchpack "^2.4.0" 1997 | webpack-sources "^3.2.3" 1998 | 1999 | which@^2.0.1: 2000 | version "2.0.2" 2001 | resolved "https://registry.yarnpkg.com/which/-/which-2.0.2.tgz#7c6a8dd0a636a0327e10b59c9286eee93f3f51b1" 2002 | integrity sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA== 2003 | dependencies: 2004 | isexe "^2.0.0" 2005 | 2006 | wildcard@^2.0.0: 2007 | version "2.0.0" 2008 | resolved "https://registry.yarnpkg.com/wildcard/-/wildcard-2.0.0.tgz#a77d20e5200c6faaac979e4b3aadc7b3dd7f8fec" 2009 | integrity sha512-JcKqAHLPxcdb9KM49dufGXn2x3ssnfjbcaQdLlfZsL9rH9wgDQjUtDxbo8NE0F6SFvydeu1VhZe7hZuHsB2/pw== 2010 | 2011 | word-wrap@^1.2.3: 2012 | version "1.2.3" 2013 | resolved "https://registry.yarnpkg.com/word-wrap/-/word-wrap-1.2.3.tgz#610636f6b1f703891bd34771ccb17fb93b47079c" 2014 | integrity sha512-Hz/mrNwitNRh/HUAtM/VT/5VH+ygD6DV7mYKZAtHOrbs8U7lvPS6xf7EJKMF0uW1KJCl0H701g3ZGus+muE5vQ== 2015 | 2016 | workerpool@6.2.1: 2017 | version "6.2.1" 2018 | resolved "https://registry.yarnpkg.com/workerpool/-/workerpool-6.2.1.tgz#46fc150c17d826b86a008e5a4508656777e9c343" 2019 | integrity sha512-ILEIE97kDZvF9Wb9f6h5aXK4swSlKGUcOEGiIYb2OOu/IrDU9iwj0fD//SsA6E5ibwJxpEvhullJY4Sl4GcpAw== 2020 | 2021 | wrap-ansi@^7.0.0: 2022 | version "7.0.0" 2023 | resolved "https://registry.yarnpkg.com/wrap-ansi/-/wrap-ansi-7.0.0.tgz#67e145cff510a6a6984bdf1152911d69d2eb9e43" 2024 | integrity sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q== 2025 | dependencies: 2026 | ansi-styles "^4.0.0" 2027 | string-width "^4.1.0" 2028 | strip-ansi "^6.0.0" 2029 | 2030 | wrappy@1: 2031 | version "1.0.2" 2032 | resolved "https://registry.yarnpkg.com/wrappy/-/wrappy-1.0.2.tgz#b5243d8f3ec1aa35f1364605bc0d1036e30ab69f" 2033 | integrity sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ== 2034 | 2035 | y18n@^5.0.5: 2036 | version "5.0.8" 2037 | resolved "https://registry.yarnpkg.com/y18n/-/y18n-5.0.8.tgz#7f4934d0f7ca8c56f95314939ddcd2dd91ce1d55" 2038 | integrity sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA== 2039 | 2040 | yallist@^4.0.0: 2041 | version "4.0.0" 2042 | resolved "https://registry.yarnpkg.com/yallist/-/yallist-4.0.0.tgz#9bb92790d9c0effec63be73519e11a35019a3a72" 2043 | integrity sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A== 2044 | 2045 | yargs-parser@20.2.4: 2046 | version "20.2.4" 2047 | resolved "https://registry.yarnpkg.com/yargs-parser/-/yargs-parser-20.2.4.tgz#b42890f14566796f85ae8e3a25290d205f154a54" 2048 | integrity sha512-WOkpgNhPTlE73h4VFAFsOnomJVaovO8VqLDzy5saChRBFQFBoMYirowyW+Q9HB4HFF4Z7VZTiG3iSzJJA29yRA== 2049 | 2050 | yargs-parser@^20.2.2: 2051 | version "20.2.9" 2052 | resolved "https://registry.yarnpkg.com/yargs-parser/-/yargs-parser-20.2.9.tgz#2eb7dc3b0289718fc295f362753845c41a0c94ee" 2053 | integrity sha512-y11nGElTIV+CT3Zv9t7VKl+Q3hTQoT9a1Qzezhhl6Rp21gJ/IVTW7Z3y9EWXhuUBC2Shnf+DX0antecpAwSP8w== 2054 | 2055 | yargs-unparser@2.0.0: 2056 | version "2.0.0" 2057 | resolved "https://registry.yarnpkg.com/yargs-unparser/-/yargs-unparser-2.0.0.tgz#f131f9226911ae5d9ad38c432fe809366c2325eb" 2058 | integrity sha512-7pRTIA9Qc1caZ0bZ6RYRGbHJthJWuakf+WmHK0rVeLkNrrGhfoabBNdue6kdINI6r4if7ocq9aD/n7xwKOdzOA== 2059 | dependencies: 2060 | camelcase "^6.0.0" 2061 | decamelize "^4.0.0" 2062 | flat "^5.0.2" 2063 | is-plain-obj "^2.1.0" 2064 | 2065 | yargs@16.2.0: 2066 | version "16.2.0" 2067 | resolved "https://registry.yarnpkg.com/yargs/-/yargs-16.2.0.tgz#1c82bf0f6b6a66eafce7ef30e376f49a12477f66" 2068 | integrity sha512-D1mvvtDG0L5ft/jGWkLpG1+m0eQxOfaBvTNELraWj22wSVUMWxZUvYgJYcKh6jGGIkJFhH4IZPQhR4TKpc8mBw== 2069 | dependencies: 2070 | cliui "^7.0.2" 2071 | escalade "^3.1.1" 2072 | get-caller-file "^2.0.5" 2073 | require-directory "^2.1.1" 2074 | string-width "^4.2.0" 2075 | y18n "^5.0.5" 2076 | yargs-parser "^20.2.2" 2077 | 2078 | yocto-queue@^0.1.0: 2079 | version "0.1.0" 2080 | resolved "https://registry.yarnpkg.com/yocto-queue/-/yocto-queue-0.1.0.tgz#0294eb3dee05028d31ee1a5fa2c556a6aaf10a1b" 2081 | integrity sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q== 2082 | --------------------------------------------------------------------------------