├── .prettierignore ├── .gitignore ├── images ├── logo.sketch ├── logo256.png └── githubinator.png ├── .prettierrc.toml ├── .kodiak.toml ├── .vscode-test.mjs ├── .vscodeignore ├── tslint.json ├── .vscode ├── tasks.json ├── settings.json └── launch.json ├── tsconfig.json ├── .github └── workflows │ └── javascript.yml ├── src ├── utils.ts ├── test │ └── suite │ │ ├── git.test.ts │ │ └── providers.test.ts ├── openfromUrl.ts ├── git.ts ├── extension.ts └── providers.ts ├── CHANGELOG.md ├── README.md ├── package.json ├── LICENSE └── yarn.lock /.prettierignore: -------------------------------------------------------------------------------- 1 | -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | out/ 2 | node_modules 3 | .vscode-test 4 | *.vsix 5 | -------------------------------------------------------------------------------- /images/logo.sketch: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/chdsbd/vscode-githubinator/HEAD/images/logo.sketch -------------------------------------------------------------------------------- /images/logo256.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/chdsbd/vscode-githubinator/HEAD/images/logo256.png -------------------------------------------------------------------------------- /.prettierrc.toml: -------------------------------------------------------------------------------- 1 | # https://prettier.io/docs/en/options.html 2 | semi = false 3 | trailingComma = "all" 4 | -------------------------------------------------------------------------------- /images/githubinator.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/chdsbd/vscode-githubinator/HEAD/images/githubinator.png -------------------------------------------------------------------------------- /.kodiak.toml: -------------------------------------------------------------------------------- 1 | version = 1 2 | 3 | [merge] 4 | method = "squash" 5 | 6 | [merge.message] 7 | title = "pull_request_title" 8 | body = "pull_request_body" 9 | -------------------------------------------------------------------------------- /.vscode-test.mjs: -------------------------------------------------------------------------------- 1 | // .vscode-test.mjs 2 | import { defineConfig } from "@vscode/test-cli" 3 | 4 | export default defineConfig({ files: "out/test/**/*.test.js" }) 5 | -------------------------------------------------------------------------------- /.vscodeignore: -------------------------------------------------------------------------------- 1 | .vscode/** 2 | .vscode-test/** 3 | out/test/** 4 | src/** 5 | .gitignore 6 | vsc-extension-quickstart.md 7 | **/tsconfig.json 8 | **/tslint.json 9 | **/*.map 10 | **/*.ts 11 | node_modules/ 12 | -------------------------------------------------------------------------------- /tslint.json: -------------------------------------------------------------------------------- 1 | { 2 | "rules": { 3 | "no-string-throw": true, 4 | "no-unused-expression": true, 5 | "no-duplicate-variable": true, 6 | "curly": true, 7 | "class-name": true, 8 | "triple-equals": [true, "allow-null-check", "allow-undefined-check"] 9 | }, 10 | "defaultSeverity": "warning" 11 | } 12 | -------------------------------------------------------------------------------- /.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": "$tsc-watch", 10 | "isBackground": true, 11 | "presentation": { 12 | "reveal": "never" 13 | }, 14 | "group": { 15 | "kind": "build", 16 | "isDefault": true 17 | } 18 | } 19 | ] 20 | } 21 | -------------------------------------------------------------------------------- /.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 | }, 6 | "search.exclude": { 7 | "out": true // set this to false to include "out" folder in search results 8 | }, 9 | // Turn off tsc task auto detection since we have the necessary tasks as npm scripts 10 | "typescript.tsc.autoDetect": "off", 11 | "editor.formatOnSave": true 12 | } 13 | -------------------------------------------------------------------------------- /tsconfig.json: -------------------------------------------------------------------------------- 1 | { 2 | "compilerOptions": { 3 | "module": "commonjs", 4 | "target": "es2020", 5 | "outDir": "out", 6 | "lib": ["es2020"], 7 | "sourceMap": true, 8 | "rootDir": "src", 9 | "esModuleInterop": true, 10 | "strict": true /* enable all strict type-checking options */ 11 | /* Additional Checks */ 12 | // "noImplicitReturns": true, /* Report error when not all code paths in function return a value. */ 13 | // "noFallthroughCasesInSwitch": true, /* Report errors for fallthrough cases in switch statement. */ 14 | // "noUnusedParameters": true, /* Report errors on unused parameters. */ 15 | }, 16 | "exclude": ["node_modules", ".vscode-test"] 17 | } 18 | -------------------------------------------------------------------------------- /.github/workflows/javascript.yml: -------------------------------------------------------------------------------- 1 | name: Javascript 2 | 3 | on: 4 | push: 5 | branches: 6 | - "master" 7 | pull_request: 8 | 9 | jobs: 10 | test: 11 | runs-on: ubuntu-latest 12 | steps: 13 | - name: Checkout 14 | uses: actions/checkout@v3 15 | - name: Use Node.js 16 | uses: actions/setup-node@v3 17 | - name: Install dependencies 18 | run: yarn install --frozen-lockfile 19 | - name: Run tests 20 | run: xvfb-run -a yarn test 21 | format: 22 | runs-on: ubuntu-latest 23 | steps: 24 | - name: Checkout 25 | uses: actions/checkout@v3 26 | - name: Use Node.js 27 | uses: actions/setup-node@v3 28 | - name: Install dependencies 29 | run: yarn install --frozen-lockfile 30 | - name: Run tests 31 | run: yarn format:check 32 | -------------------------------------------------------------------------------- /src/utils.ts: -------------------------------------------------------------------------------- 1 | import * as path from "path" 2 | import * as fs from "fs" 3 | /** Get path of file relative to repository root. */ 4 | export function getRelativeFilePath( 5 | repositoryDir: string, 6 | fileName: string, 7 | ): string | null { 8 | try { 9 | const resolvedFileName = fs.realpathSync(fileName) 10 | return resolvedFileName.replace(repositoryDir, "") 11 | } catch (e) { 12 | if ( 13 | typeof e === "object" && 14 | e != null && 15 | "code" in e && 16 | e.code === "ENOENT" 17 | ) { 18 | return null 19 | } 20 | throw e 21 | } 22 | } 23 | 24 | /** Convert url/hostname to hostname 25 | * @example 26 | * "https://github.com/" -> "github.com" 27 | * "github.com" -> "github.com" 28 | */ 29 | export function cleanHostname(hostname: string): string { 30 | return hostname.replace(/^https?:\/\//, "").replace(/\/$/, "") 31 | } 32 | -------------------------------------------------------------------------------- /src/test/suite/git.test.ts: -------------------------------------------------------------------------------- 1 | import { dir } from "../../git" 2 | import * as assert from "assert" 3 | import * as path from "path" 4 | import * as fs from "fs" 5 | 6 | suite("git", async () => { 7 | test("dir", () => { 8 | const repoPath = path.normalize(path.join(__dirname, "../../..")) 9 | const gitPath = path.join(repoPath, ".git") 10 | 11 | assert.deepStrictEqual(dir(__dirname), { 12 | git: gitPath, 13 | repository: repoPath, 14 | }) 15 | assert.deepStrictEqual(dir(repoPath), { 16 | git: gitPath, 17 | repository: repoPath, 18 | }) 19 | 20 | const contents = "gitdir: ../../../../.git/modules/test_submodule" 21 | const submodulePath = path.join(__dirname, "test_submodule") 22 | fs.mkdirSync(submodulePath, { recursive: true }) 23 | fs.writeFileSync(path.join(submodulePath, ".git"), contents) 24 | 25 | assert.deepStrictEqual(dir(submodulePath), { 26 | git: path.join(repoPath, ".git/modules/test_submodule"), 27 | repository: submodulePath, 28 | }) 29 | }) 30 | }) 31 | -------------------------------------------------------------------------------- /.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 | "runtimeExecutable": "${execPath}", 13 | "args": ["--extensionDevelopmentPath=${workspaceFolder}"], 14 | "outFiles": ["${workspaceFolder}/out/**/*.js"], 15 | "preLaunchTask": "npm: watch" 16 | }, 17 | { 18 | "name": "Extension Tests", 19 | "type": "extensionHost", 20 | "request": "launch", 21 | "runtimeExecutable": "${execPath}", 22 | "args": [ 23 | "--disable-extensions", 24 | "--extensionDevelopmentPath=${workspaceFolder}", 25 | "--extensionTestsPath=${workspaceFolder}/out/test/suite/index" 26 | ], 27 | "outFiles": ["${workspaceFolder}/out/test/**/*.js"], 28 | "preLaunchTask": "npm: watch" 29 | } 30 | ] 31 | } 32 | -------------------------------------------------------------------------------- /src/openfromUrl.ts: -------------------------------------------------------------------------------- 1 | import * as vscode from "vscode" 2 | 3 | function strToLocation( 4 | x: string | null, 5 | ): { line: number; character: number } | null { 6 | if (!x) { 7 | return null 8 | } 9 | const line = Number(x.split("C")[0].split("L")[1]) - 1 || null 10 | const character = Number(x.split("C")[1]) - 1 || 0 11 | 12 | if (line == null) { 13 | return null 14 | } 15 | 16 | return { line, character } 17 | } 18 | 19 | function fragmentToSelection(fragment: string): vscode.Selection | null { 20 | const [start, end] = fragment.split("-") 21 | if (!start) { 22 | return null 23 | } 24 | // start: L1C1 or L1 25 | const startLocation = strToLocation(start) 26 | if (!startLocation) { 27 | return null 28 | } 29 | const endLocation = strToLocation(end) 30 | if (!endLocation) { 31 | return new vscode.Selection( 32 | startLocation.line, 33 | startLocation.character, 34 | startLocation.line, 35 | startLocation.character, 36 | ) 37 | } 38 | 39 | return new vscode.Selection( 40 | startLocation.line, 41 | startLocation.character, 42 | endLocation.line, 43 | endLocation.character, 44 | ) 45 | } 46 | 47 | /** 48 | * We only support GitHub for now. 49 | */ 50 | export async function openFileFromGitHubUrl() { 51 | const input = await vscode.window.showInputBox({ 52 | title: "Paste URL to open", 53 | placeHolder: 54 | "https://github.com/owner/repo/blob/branch/file.js#L1C1-L10C10", 55 | }) 56 | if (!input) { 57 | return 58 | } 59 | const url = vscode.Uri.parse(input) 60 | 61 | // we only support simple blob/branch/ paths. 62 | // if a branch name has a / in it, this won't work. 63 | // 64 | // /org/repo/blob/branch/my/file.js -> /my/file.js 65 | const path = "/" + url.path.split("/").slice(5).join("/") 66 | if (!path) { 67 | return 68 | } 69 | const selection = fragmentToSelection(url.fragment) 70 | const results = await Promise.allSettled( 71 | vscode.workspace.workspaceFolders?.map(async (folder) => { 72 | const doc = await vscode.workspace.openTextDocument( 73 | folder.uri.fsPath + path, 74 | ) 75 | 76 | const editor = await vscode.window.showTextDocument(doc) 77 | if (selection) { 78 | editor.selections = [selection] 79 | } 80 | }) ?? [], 81 | ) 82 | 83 | for (const result of results) { 84 | // we were able to open the file in at least one workspace. 85 | if (result.status === "fulfilled") { 86 | return 87 | } 88 | } 89 | // don't wait for error message so we can trigger command. 90 | vscode.window.showErrorMessage("Could not open file from URL.") 91 | await vscode.commands.executeCommand("githubinator.githubinatorOpenFromUrl") 92 | } 93 | -------------------------------------------------------------------------------- /src/git.ts: -------------------------------------------------------------------------------- 1 | import * as path from "path" 2 | import * as fs from "mz/fs" 3 | import * as ini from "ini" 4 | 5 | interface IRemote { 6 | fetch: string 7 | url?: string 8 | } 9 | 10 | interface IGitDirectories { 11 | git: string 12 | repository: string 13 | } 14 | 15 | export async function origin( 16 | gitDir: string, 17 | remote: string, 18 | ): Promise { 19 | const configPath = path.resolve(gitDir, "config") 20 | if (!(await fs.exists(configPath))) { 21 | return null 22 | } 23 | const configFileData = await fs.readFile(configPath, { encoding: "utf-8" }) 24 | const parsedConfig = ini.parse(configFileData) 25 | for (const [key, value] of Object.entries(parsedConfig)) { 26 | if (key.startsWith('remote "')) { 27 | const origin = key.replace(/^remote "/, "").replace(/"$/, "") 28 | if (origin === remote) { 29 | const url = (value as IRemote).url 30 | return url || null 31 | } 32 | } 33 | } 34 | 35 | return null 36 | } 37 | 38 | /** Get the SHA for a ref */ 39 | export async function getSHAForBranch( 40 | gitDir: string, 41 | branchName: string, 42 | ): Promise { 43 | const refName = `refs/heads/${branchName}` 44 | // check for normal ref 45 | const refPath = path.resolve(gitDir, refName) 46 | if (await fs.exists(refPath)) { 47 | return await fs.readFile(refPath, { 48 | encoding: "utf-8", 49 | }) 50 | } 51 | // check packed-refs 52 | const packedRefPath = path.resolve(gitDir, "packed-refs") 53 | if (await fs.exists(packedRefPath)) { 54 | const packRefs = await fs.readFile(packedRefPath, { 55 | encoding: "utf-8", 56 | }) 57 | 58 | for (const x of packRefs.split("\n")) { 59 | const [sha, refPath] = x.split(" ") as [ 60 | string | undefined, 61 | string | undefined, 62 | ] 63 | if (sha && refPath && refPath.trim() === refName.trim()) { 64 | return sha 65 | } 66 | } 67 | } 68 | return null 69 | } 70 | 71 | /** Get the current SHA and branch from HEAD for a git directory */ 72 | export async function head( 73 | gitDir: string, 74 | ): Promise<[string, string | null] | null> { 75 | const headPath = path.resolve(gitDir, "HEAD") 76 | if (!(await fs.exists(headPath))) { 77 | return null 78 | } 79 | const headFileData = await fs.readFile(headPath, { encoding: "utf-8" }) 80 | if (!headFileData) { 81 | return null 82 | } 83 | // If we're not on a branch, headFileData will be of the form: 84 | // `3c0cc80bbdb682f6e9f65b4c9659ca21924aad4` 85 | // If we're on a branch, it will be `ref: refs/heads/my_branch_name` 86 | const [maybeSha, maybeHeadInfo] = headFileData.split(" ") as [ 87 | string, 88 | string | undefined, 89 | ] 90 | if (maybeHeadInfo == null) { 91 | return [maybeSha.trim(), null] 92 | } 93 | const branchName = maybeHeadInfo.trim().replace("refs/heads/", "") 94 | const sha = await getSHAForBranch(gitDir, branchName) 95 | if (sha == null) { 96 | return null 97 | } 98 | return [sha.trim(), branchName] 99 | } 100 | 101 | export function dir(filePath: string) { 102 | return walkUpDirectories(filePath, ".git") 103 | } 104 | 105 | function walkUpDirectories( 106 | file_path: string, 107 | file_or_folder: string, 108 | ): IGitDirectories | null { 109 | let directory = file_path 110 | while (true) { 111 | const newPath = path.resolve(directory, file_or_folder) 112 | if (fs.existsSync(newPath)) { 113 | if (fs.lstatSync(newPath).isFile()) { 114 | const submoduleMatch = fs 115 | .readFileSync(newPath, "utf8") 116 | .match(/gitdir: (.+)/) 117 | 118 | if (submoduleMatch) { 119 | return { 120 | git: path.resolve(path.join(directory, submoduleMatch[1])), 121 | repository: directory, 122 | } 123 | } else { 124 | return null 125 | } 126 | } else { 127 | return { 128 | git: newPath, 129 | repository: directory, 130 | } 131 | } 132 | } 133 | const newDirectory = path.dirname(directory) 134 | if (newDirectory === directory) { 135 | return null 136 | } 137 | directory = newDirectory 138 | } 139 | } 140 | -------------------------------------------------------------------------------- /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 | ## 3.3.0 - 2025-11-05 11 | 12 | ### Changed 13 | 14 | - Only add column offsets when they are non-zero for GitHub. (#68) 15 | 16 | ## 3.2.2 - 2025-07-02 17 | 18 | ### Fixed 19 | 20 | - fix new line in URL for SHA checkouts. (#67) 21 | 22 | ## 3.2.1 - 2024-06-02 23 | 24 | ### Fixed 25 | 26 | - handle missing file error when opening pull request. (#66) 27 | 28 | ## 3.2.0 - 2024-06-02 29 | 30 | ### Added 31 | 32 | - added "Open from URL" command to open a workspace file from a GitHub repository URL. (#64) 33 | 34 | ## 3.1.0 - 2024-06-02 35 | 36 | ### Added 37 | 38 | - Selections in VSCode will now highlight the same span of characters on GitHub. (#63) 39 | 40 | ## 3.0.0 - 2023-04-19 41 | 42 | ### Changed 43 | 44 | - Renamed "Open PR" to "Open Pull Request". 45 | 46 | ## 2.1.0 - 2022-12-10 47 | 48 | ### Changed 49 | 50 | - Replaced `enable_context_menu` with new option to allow configuring Githubinator to display context menu options in a submenu. Thanks @Far0n! (#58) 51 | 52 | ## 2.0.1 - 2022-05-26 53 | 54 | ### Fixed 55 | 56 | - `mainBranches` configuration option not being used. Thanks @CvX! (#56) 57 | 58 | ## 2.0.0 - 2021-12-09 59 | 60 | ### Fixed 61 | 62 | - compatibility with obscure git remote URL formats. (#54) 63 | 64 | ### Removed 65 | 66 | - removed VisualStudio support because of maintence burden. (#54) 67 | 68 | ## 1.1.1 - 2021-10-12 69 | 70 | ### Fixed 71 | 72 | - support Github ssh remote with non `git` username. Thanks @galaydaroman! (#52) 73 | 74 | ## 1.1.0 - 2021-06-24 75 | 76 | ### Added 77 | 78 | - support git submodules when generating links. Thanks @CvX! (#48) 79 | 80 | ### Changed 81 | 82 | - updated test suite to use `vscode-test`. Thanks @CvX! (#47) 83 | 84 | ## 1.0.2 - 2021-04-21 85 | 86 | ### Changed 87 | 88 | - reduce package size by bundling extension with esbuild. 89 | 90 | ### Fixed 91 | 92 | - fixed "\n" being included in urls for permalinks. 93 | 94 | ## 1.0.1 - 2021-04-17 95 | 96 | ### Fixed 97 | 98 | - Fixed URL escaping of branch and file names. 99 | 100 | ## 1.0.0 - 2021-04-17 101 | 102 | ### Added 103 | 104 | - support multiple default branches. vscode-githubinator now attempts to open `main`, then `master`, `trunk`, `develop`, and `dev`. Configure these branches with the `githubinator.mainBranches` option. 105 | 106 | ### Changed 107 | 108 | - renamed `Master` commands to `Main`: `Githubinator: Copy Master` -> `Githubinator: Copy Main`, `Githubinator: Copy Master Permalink` -> `Githubinator: Copy Main Permalink`, `Githubinator: On Master` -> `Githubinator: On Main`, `Githubinator: Blame On Master` -> `Githubinator: Blame On Main` 109 | 110 | ### Fixed 111 | 112 | - support resolving symbolic links. vscode-githubinator will now resolve symbolic links before opening a URL. 113 | 114 | ## 0.3.1 - 2021-04-17 115 | 116 | ### Fixed 117 | 118 | - allow origin urls not ending in `.git` for GitHub. 119 | 120 | ## 0.3.0 - 2020-08-15 121 | 122 | ### Added 123 | 124 | - Support calling Githubinator without an open file. 125 | 126 | ### Changed 127 | 128 | - Don't copy URL when using "Open PR". 129 | 130 | ## 0.2.3 - 2019-04-04 131 | 132 | ### Fixed 133 | 134 | - Fix ordering of ref lookup to check unpacked refs before looking in packed refs. 135 | 136 | ## 0.2.2 - 2019-03-16 137 | 138 | ### Fixed 139 | 140 | - Fixed failure when running Githubinator with detached HEAD. Githubinator 141 | would fail because there wasn't a ref to work off when running with a detached 142 | HEAD. 143 | 144 | ## 0.2.1 - 2019-03-08 145 | 146 | ### Fixed 147 | 148 | - Remove artifact from logo export 149 | 150 | ## 0.2.0 - 2019-03-08 151 | 152 | ### Added 153 | 154 | - `Githubinator: History` command to open commit history view for files. 155 | - `Githubinator: Open PR` command to open a PR for current branch. 156 | - `Githubinator: Compare` command to compare current branch. 157 | 158 | ### Changed 159 | 160 | - Url copying for commands behaves as documented in README. 161 | 162 | ### Fixed 163 | 164 | - Use the `branch` argument to `githubinator`. Now the "... on master" commands 165 | will lookup the master branch instead of using the current branch. 166 | 167 | ## 0.1.1 - 2019-03-02 168 | 169 | ### Added 170 | 171 | - logo for Visual Studio Marketplace 172 | 173 | ## 0.1.0 - 2019-03-02 174 | 175 | ### Added 176 | 177 | - `githubinator.enable_context_menu` option to disable/enable access to githubinator in the context menu. 178 | - Gitlab provider with `githubinator.provider.gitlab.hostnames` setting for configuring match. 179 | - Bitbucket provider and configuration. 180 | - VisualStudio provider and configuration. 181 | - Origin configuration for each provider. 182 | 183 | ### Changed 184 | 185 | - Github provider hostnames are now configured with `githubinator.provider.github.hostnames` setting instead of `githubinator.provider.github`. This is now an array of hostnames instead of a single hostname. Note, the default for a provider will always be used for matching, so you cannot accidentally remove matching for `github.com` by only adding `mycompany.com` in `githubinator.provider.github.hostnames`. 186 | - Global default origin is now configured via `githubinator.remote` instead of `githubinator.default_remote`. Note, origins set on a provider override the global remote settings. 187 | 188 | ### Fixed 189 | 190 | - Fix regex creation for Github provider so hostname configured in settings is used to match origins. 191 | 192 | ## 0.0.1 - 2019-02-28 193 | 194 | ### Added 195 | 196 | - Basic extension with github support 197 | -------------------------------------------------------------------------------- /src/extension.ts: -------------------------------------------------------------------------------- 1 | import * as vscode from "vscode" 2 | import * as git from "./git" 3 | import { providers, IUrlInfo, createSha, createBranch } from "./providers" 4 | import { getRelativeFilePath } from "./utils" 5 | import { openFileFromGitHubUrl } from "./openfromUrl" 6 | 7 | const COMMANDS: [string, IGithubinator][] = [ 8 | [ 9 | "githubinator.githubinator", // 10 | { copyToClipboard: true, openUrl: true }, 11 | ], 12 | [ 13 | "githubinator.githubinatorCopy", // 14 | { copyToClipboard: true }, 15 | ], 16 | [ 17 | "githubinator.githubinatorCopyMaster", // 18 | { copyToClipboard: true, mainBranch: true }, 19 | ], 20 | [ 21 | "githubinator.githubinatorCopyPermalink", // 22 | { copyToClipboard: true, permalink: true }, 23 | ], 24 | [ 25 | "githubinator.githubinatorCopyMasterPermalink", // 26 | { copyToClipboard: true, mainBranch: true, permalink: true }, 27 | ], 28 | [ 29 | "githubinator.githubinatorOnMaster", // 30 | { copyToClipboard: true, openUrl: true, mainBranch: true }, 31 | ], 32 | [ 33 | "githubinator.githubinatorPermalink", // 34 | { copyToClipboard: true, openUrl: true, permalink: true }, 35 | ], 36 | [ 37 | "githubinator.githubinatorBlame", // 38 | { copyToClipboard: true, openUrl: true, blame: true }, 39 | ], 40 | [ 41 | "githubinator.githubinatorBlameOnMaster", // 42 | { copyToClipboard: true, openUrl: true, blame: true, mainBranch: true }, 43 | ], 44 | [ 45 | "githubinator.githubinatorBlamePermalink", // 46 | { copyToClipboard: true, openUrl: true, blame: true, permalink: true }, 47 | ], 48 | [ 49 | "githubinator.githubinatorHistory", // 50 | { copyToClipboard: true, openUrl: true, history: true }, 51 | ], 52 | [ 53 | "githubinator.githubinatorRepository", // 54 | { copyToClipboard: true, openUrl: true, openRepo: true }, 55 | ], 56 | [ 57 | "githubinator.githubinatorOpenPR", // 58 | { copyToClipboard: false, openUrl: true, openPR: true }, 59 | ], 60 | [ 61 | "githubinator.githubinatorCompare", // 62 | { copyToClipboard: true, openUrl: true, compare: true }, 63 | ], 64 | ] 65 | 66 | const DEFAULT_REMOTE = "origin" 67 | 68 | export interface IProviderConfig { 69 | hostnames?: string[] 70 | remote?: string 71 | } 72 | 73 | export interface IGithubinatorConfig { 74 | remote: string 75 | providers: { 76 | [key: string]: IProviderConfig | undefined 77 | } 78 | } 79 | 80 | export function activate(context: vscode.ExtensionContext) { 81 | console.log("githubinator.active.start") 82 | COMMANDS.forEach(([cmd, args]) => { 83 | const disposable = vscode.commands.registerCommand(cmd, () => 84 | githubinator(args), 85 | ) 86 | context.subscriptions.push(disposable) 87 | }) 88 | vscode.commands.registerCommand( 89 | "githubinator.githubinatorOpenFromUrl", 90 | openFileFromGitHubUrl, 91 | ) 92 | 93 | console.log("githubinator.active.complete") 94 | } 95 | 96 | export function deactivate() { 97 | console.log("githubinator.deactivate") 98 | } 99 | 100 | function err(message: string) { 101 | console.error(message) 102 | vscode.window.showErrorMessage(message) 103 | } 104 | 105 | function getEditorInfo(): { uri: vscode.Uri | null; fileName: string | null } { 106 | const workspaceUri = 107 | vscode.workspace.workspaceFolders != null && 108 | vscode.workspace.workspaceFolders.length > 0 109 | ? vscode.workspace.workspaceFolders[0].uri 110 | : null 111 | const editor = vscode.window.activeTextEditor 112 | // if we cannot find editor information fall back to the workspace path. 113 | if (!editor) { 114 | return { uri: workspaceUri, fileName: null } 115 | } 116 | 117 | const { fileName, isUntitled, uri } = editor.document 118 | if (isUntitled) { 119 | return { uri: workspaceUri, fileName: null } 120 | } 121 | return { uri, fileName } 122 | } 123 | 124 | function mainBranches() { 125 | return vscode.workspace 126 | .getConfiguration("githubinator") 127 | .get("mainBranches", ["main"]) 128 | } 129 | 130 | async function findShaForBranches( 131 | gitDir: string, 132 | ): Promise<[string, string] | null> { 133 | for (let branch of mainBranches()) { 134 | const sha = await git.getSHAForBranch(gitDir, branch) 135 | if (sha == null) { 136 | continue 137 | } 138 | return [sha.trim(), branch] 139 | } 140 | return null 141 | } 142 | 143 | interface IGithubinator { 144 | openUrl?: boolean 145 | copyToClipboard?: boolean 146 | blame?: boolean 147 | mainBranch?: boolean 148 | permalink?: boolean 149 | openRepo?: boolean 150 | history?: boolean 151 | openPR?: boolean 152 | compare?: boolean 153 | } 154 | async function githubinator({ 155 | openUrl, 156 | copyToClipboard, 157 | blame, 158 | mainBranch, 159 | openRepo, 160 | permalink, 161 | history, 162 | openPR, 163 | compare, 164 | }: IGithubinator) { 165 | console.log("githubinator.call") 166 | const editorConfig = getEditorInfo() 167 | if (!editorConfig.uri) { 168 | return err("could not find file") 169 | } 170 | 171 | const gitDirectories = git.dir(editorConfig.uri.fsPath) 172 | 173 | if (gitDirectories == null) { 174 | return err("Could not find .git directory.") 175 | } 176 | 177 | const gitDir = gitDirectories.git 178 | const repoDir = gitDirectories.repository 179 | 180 | let headBranch: [string, string | null] | null = null 181 | if (mainBranch) { 182 | const res = await findShaForBranches(gitDir) 183 | if (res == null) { 184 | return err(`Could not find SHA for branch in ${mainBranches()}`) 185 | } 186 | headBranch = res 187 | } else { 188 | headBranch = await git.head(gitDir) 189 | } 190 | if (headBranch == null) { 191 | return err("Could not find HEAD.") 192 | } 193 | const [head, branchName] = headBranch 194 | const globalDefaultRemote = vscode.workspace 195 | .getConfiguration("githubinator") 196 | .get("remote", DEFAULT_REMOTE) 197 | 198 | const providersConfig = vscode.workspace 199 | .getConfiguration("githubinator") 200 | .get("providers", {}) 201 | 202 | const editor = vscode.window.activeTextEditor 203 | let urls: IUrlInfo | null = null 204 | for (const provider of providers) { 205 | const selection = editor?.selection 206 | if (selection == null) { 207 | return err("Could not find editor") 208 | } 209 | const parsedUrl = await new provider( 210 | providersConfig, 211 | globalDefaultRemote, 212 | (remote) => git.origin(gitDir, remote), 213 | ).getUrls({ 214 | selection, 215 | // priority: permalink > branch > branch from HEAD 216 | // If branchName could not be found (null) then we generate a permalink 217 | // using the SHA. 218 | head: 219 | !!permalink || branchName == null 220 | ? createSha(head) 221 | : createBranch(branchName), 222 | relativeFilePath: editorConfig.fileName 223 | ? getRelativeFilePath(repoDir, editorConfig.fileName) 224 | : null, 225 | }) 226 | if (parsedUrl != null) { 227 | console.log("Found provider", provider.name) 228 | urls = parsedUrl 229 | break 230 | } 231 | console.log("Skipping provider", provider.name) 232 | } 233 | 234 | if (urls == null) { 235 | return err("Could not find provider for repo.") 236 | } 237 | 238 | let url = compare 239 | ? urls.compareUrl 240 | : openPR 241 | ? urls.prUrl 242 | : openRepo 243 | ? urls.repoUrl 244 | : history 245 | ? urls.historyUrl 246 | : blame 247 | ? urls.blameUrl 248 | : urls.blobUrl 249 | 250 | // file-specific urls will be null when we are using the workspace path. Use 251 | // the compare url or repo url if available instead. 252 | const fallbackUrl = [urls.compareUrl, urls.repoUrl].find((x) => x != null) 253 | if (!url && fallbackUrl) { 254 | url = fallbackUrl 255 | } 256 | 257 | if (url == null) { 258 | return err("could not find url") 259 | } 260 | if (openUrl) { 261 | // @ts-ignore This works. Using vscode.Uri.parse double encodes characters which breaks URLs. 262 | await vscode.env.openExternal(url) 263 | } 264 | if (copyToClipboard) { 265 | await vscode.env.clipboard.writeText(url) 266 | await vscode.window.showInformationMessage("URL copied to clipboard.") 267 | } 268 | } 269 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # [githubinator](https://github.com/chdsbd/vscode-githubinator) [![Visual Studio Marketplace Version](https://img.shields.io/visual-studio-marketplace/v/chdsbd.githubinator.svg)](https://marketplace.visualstudio.com/items?itemName=chdsbd.githubinator) [![Visual Studio Marketplace Installs](https://img.shields.io/visual-studio-marketplace/i/chdsbd.githubinator)](https://marketplace.visualstudio.com/items?itemName=chdsbd.githubinator) 2 | 3 | VSCode plugin to quickly open files on Github and other providers. View Git blame information, copy permalinks and more. See the "commands" section of the README for more details. 4 | 5 | ## Install 6 | 7 | ### From online marketplace 8 | 9 | Open the [online marketplace listing](https://marketplace.visualstudio.com/items?itemName=chdsbd.githubinator#overview) for Githubinator and click "Install". Follow the prompts to open VSCode and install Githubinator. 10 | 11 | ### From VSCode 12 | 13 | In VSCode, type `CMD`+`P` and enter `ext install chdsbd.githubinator`. Or search for and install `chdsbd.githubinator` via the extensions tab. 14 | 15 | ### From Github release 16 | 17 | Download the extension package from the [latest Github release](https://github.com/chdsbd/vscode-githubinator/releases/latest) and run `code --install-extension githubinator-*.vsix` 18 | 19 | ### From source 20 | 21 | With `vsce` installed from NPM (`yarn global add vsce`), clone [this repo](https://github.com/chdsbd/vscode-githubinator) and run `vsce package`. Install the resulting package with `code --install-extension githubinator-*.vsix` 22 | 23 | ## Features 24 | 25 | ![feature X](images/githubinator.png) 26 | 27 | ### Commands 28 | 29 | | command | copy URL | open URL | mode | SHA-type | 30 | | ----------------------------------- | :------: | :------: | ----------------- | -------------- | 31 | | `Githubinator` | ✅ | ❌ | blob | current branch | 32 | | `Githubinator: Copy` | ✅ | ❌ | blob | current branch | 33 | | `Githubinator: Copy Main` | ✅ | ❌ | blob | "main" branch | 34 | | `Githubinator: Copy Permalink` | ✅ | ❌ | blob | current SHA | 35 | | `Githubinator: Copy Main Permalink` | ✅ | ❌ | blob | "main" SHA | 36 | | `Githubinator: On Main` | ✅ | ✅ | blob | "main" branch | 37 | | `Githubinator: Permalink` | ✅ | ✅ | blob | current SHA | 38 | | `Githubinator: Blame` | ✅ | ✅ | blame | current branch | 39 | | `Githubinator: Blame On Main` | ✅ | ✅ | blame | "main" branch | 40 | | `Githubinator: Blame Permalink` | ✅ | ✅ | blame | current sha | 41 | | `Githubinator: Repository` | ✅ | ✅ | open repo | N/A | 42 | | `Githubinator: History` | ✅ | ✅ | open history | N/A | 43 | | `Githubinator: Open Pull Request` | ❌ | ✅ | open pull request | N/A | 44 | | `Githubinator: Open from URL` | N/A | N/A | open file | N/A | 45 | | `Githubinator: Compare` | ✅ | ✅ | compare branch | N/A | 46 | 47 | The "main" branch is configured via `githubinator.mainBranches` (see "Extension Settings" below). 48 | 49 | ## Requirements 50 | 51 | - Local Git repository. You must have a git repository configured with a remote. (`"origin"` is default but this can be changed in settings). 52 | 53 | ## Extension Settings 54 | 55 | - `githubinator.contextMenu`: Enable access to Githubinator commands from the context menu (`"enabled"`|`"submenu"`|`"disabled"`). (default: `"enabled"`) 56 | - `githubinator.mainBranches`: Branch names to use as `main` repository branch. (default: `["main", "master", "trunk", "develop", "dev"]`) 57 | - `githubinator.remote`: The default remote branch for a repository. (default: `"origin"`) 58 | - `githubinator.providers.github.remote`: Remote name to look for when identifying a Github origin. (default: `"origin"`) 59 | - `githubinator.providers.github.hostnames`: Hostnames for identifying a Github origin and building a URL. (default: `["github.com"]`) 60 | - `githubinator.providers.gitlab.remote`: Remote name to look for when identifying a Gitlab origin. (default: `"origin"`) 61 | - `githubinator.providers.gitlab.hostnames`: Hostnames for identifying a Gitlab origin and building a url. (default: `["gitlab.com"]`) 62 | - `githubinator.providers.bitbucket.remote`: Remote name to look for when identifying a Bitbucket origin. (default: `"origin"`) 63 | - `githubinator.providers.bitbucket.hostnames`: Hostnames for identifying a Bitbucket origin and building a url. (default: `["bitbucket.org"]`) 64 | 65 | ## Prior Art 66 | 67 | This plugin is based on the [Sublime Plugin by ehamiter](https://github.com/ehamiter/GitHubinator) with the same name. 68 | 69 | | project | providers | blame | history | compare | permalink | master | copy | open | open-pr | one-step actions | provider autodetection | 70 | | ----------------------------------------------------------------------------- | --------------------------------------- | :---: | :-----: | :-----: | :-------: | :----: | :--: | :--: | :-----: | :--------------: | :--------------------: | 71 | | this project | Github, Bitbucket, Gitlab | ✅ | ✅ | ✅ | ✅ | ✅ | ✅ | ✅ | ✅ | ✅ | ✅ | 72 | | [d4rkr00t/vscode-open-in-github][d4rkr00t-github] ([vscode][d4rkr00t-vscode]) | Github | ✅ | ✅ | ❌ | ❌ | ✅ | ❌ | ✅ | ❌ | ❌ | ❌ | 73 | | [ziyasal/vscode-open-in-github][ziyasal-github] ([vscode][ziyasal-vscode]) | Github, Bitbucket, Gitlab, Visualstudio | ❌ | ❌ | ❌ | ✅\* | ❌ | ✅ | ✅ | ✅ | ✅ | ❌ | 74 | 75 | \* changeable in settings between permalink and branch 76 | 77 | [d4rkr00t-github]: https://github.com/d4rkr00t/vscode-open-in-github 78 | [d4rkr00t-vscode]: https://marketplace.visualstudio.com/items?itemName=sysoev.vscode-open-in-github 79 | [ziyasal-github]: https://github.com/ziyasal/vscode-open-in-github 80 | [ziyasal-vscode]: https://marketplace.visualstudio.com/items?itemName=ziyasal.vscode-open-in-github 81 | 82 | ## Development 83 | 84 | ```sh 85 | # install dependencies 86 | yarn install 87 | # format code 88 | yarn format 89 | # check formatting 90 | yarb format:check 91 | # run tests 92 | yarn test 93 | ``` 94 | 95 | ### VSCode instructions 96 | 97 | #### Get up and running straight away 98 | 99 | - Press `F5` to open a new window with your extension loaded. 100 | - Run your command from the command palette by pressing (`Ctrl+Shift+P` or `Cmd+Shift+P` on Mac) and typing `Hello World`. 101 | - Set breakpoints in your code inside `src/extension.ts` to debug your extension. 102 | - Find output from your extension in the debug console. 103 | 104 | #### Make changes 105 | 106 | - You can relaunch the extension from the debug toolbar after changing code in `src/extension.ts`. 107 | - You can also reload (`Ctrl+R` or `Cmd+R` on Mac) the VS Code window with your extension to load your changes. 108 | 109 | #### Run tests 110 | 111 | - Open the debug viewlet (`Ctrl+Shift+D` or `Cmd+Shift+D` on Mac) and from the launch configuration dropdown pick `Extension Tests`. 112 | - Press `F5` to run the tests in a new window with your extension loaded. 113 | - See the output of the test result in the debug console. 114 | - Make changes to `test/extension.test.ts` or create new test files inside the `test` folder. 115 | - By convention, the test runner will only consider files matching the name pattern `**.test.ts`. 116 | - You can create folders inside the `test` folder to structure your tests any way you want. 117 | 118 | ### Publish 119 | 120 | ```bash 121 | vsce package 122 | vsce login chdsbd 123 | vsce publish 124 | ``` 125 | 126 | [marketplace]: https://marketplace.visualstudio.com/items?itemName=chdsbd.githubinator 127 | 128 | ### Logo 129 | 130 | Based on the [Git Logo](https://git-scm.com/downloads/logos) by [Jason Long](https://twitter.com/jasonlong), licensed under the [Creative Commons Attribution 3.0 Unported License.](https://creativecommons.org/licenses/by/3.0/). 131 | -------------------------------------------------------------------------------- /src/providers.ts: -------------------------------------------------------------------------------- 1 | import * as path from "path" 2 | import * as url from "url" 3 | import { IProviderConfig } from "./extension" 4 | import { cleanHostname } from "./utils" 5 | import { flatten } from "lodash" 6 | import gitUrlParse from "git-url-parse" 7 | 8 | interface ISelection { 9 | start: { line: number; character: number } 10 | end: { line: number; character: number } 11 | } 12 | 13 | interface IBaseGetUrls { 14 | readonly selection: ISelection 15 | readonly head: Head 16 | readonly relativeFilePath: string | null 17 | } 18 | 19 | export interface IUrlInfo { 20 | readonly blobUrl: string | null 21 | readonly repoUrl: string | null 22 | readonly blameUrl: string | null 23 | readonly historyUrl: string | null 24 | readonly prUrl: string | null 25 | readonly compareUrl: string | null 26 | } 27 | 28 | interface IOrgInfo { 29 | readonly org: string 30 | readonly repo: string 31 | readonly hostname: string 32 | } 33 | 34 | interface IBranch { 35 | readonly kind: "branch" 36 | readonly value: string 37 | } 38 | 39 | export function createBranch(value: string): IBranch { 40 | return { kind: "branch", value } 41 | } 42 | 43 | interface ISHA { 44 | readonly kind: "sha" 45 | readonly value: string 46 | } 47 | 48 | type Head = IBranch | ISHA 49 | 50 | export function createSha(value: string): ISHA { 51 | return { kind: "sha", value } 52 | } 53 | 54 | abstract class BaseProvider { 55 | abstract readonly DEFAULT_HOSTNAMES: string[] 56 | abstract readonly PROVIDER_NAME: string 57 | 58 | private CONFIG: { [key: string]: IProviderConfig | undefined } 59 | private GLOBAL_DEFAULT_REMOTE: string 60 | private FIND_REMOTE: (x: string) => Promise 61 | 62 | constructor( 63 | config: { [key: string]: IProviderConfig | undefined }, 64 | global_default_remote: string, 65 | findRemote: (x: string) => Promise, 66 | ) { 67 | this.CONFIG = config 68 | this.GLOBAL_DEFAULT_REMOTE = global_default_remote 69 | this.FIND_REMOTE = findRemote.bind(this) 70 | } 71 | private getConfig() { 72 | return this.CONFIG[this.PROVIDER_NAME] 73 | } 74 | private getRemoteName(): string { 75 | const conf = this.getConfig() 76 | return conf && conf.remote ? conf.remote : this.GLOBAL_DEFAULT_REMOTE 77 | } 78 | private getHostnames() { 79 | const conf = this.getConfig() 80 | return this.DEFAULT_HOSTNAMES.concat((conf && conf.hostnames) || []).map( 81 | cleanHostname, 82 | ) 83 | } 84 | async findOrgInfo(): Promise { 85 | const origin = await this.FIND_REMOTE(this.getRemoteName()) 86 | if (origin == null) { 87 | return null 88 | } 89 | let parsed: gitUrlParse.GitUrl 90 | try { 91 | parsed = gitUrlParse(origin) 92 | } catch { 93 | return null 94 | } 95 | 96 | if (!this.getHostnames().some((x) => parsed.resource.includes(x))) { 97 | return null 98 | } 99 | 100 | return { org: parsed.owner, repo: parsed.name, hostname: parsed.resource } 101 | } 102 | abstract getUrls(params: IBaseGetUrls): Promise 103 | } 104 | 105 | export function pathJoin(...args: string[]): string { 106 | return path.join( 107 | ...flatten(args.map((x) => x.split("/"))).map(encodeURIComponent), 108 | ) 109 | } 110 | 111 | export class Github extends BaseProvider { 112 | DEFAULT_HOSTNAMES = ["github.com"] 113 | PROVIDER_NAME = "github" 114 | 115 | buildLines({ start, end }: ISelection): string { 116 | let line = `L${start.line + 1}` 117 | if (start.character !== 0) { 118 | line += `C${start.character + 1}` 119 | } 120 | line += `-L${end.line + 1}` 121 | if (end.character !== 0) { 122 | line += `C${end.character + 1}` 123 | } 124 | return line 125 | } 126 | async getUrls({ 127 | selection, 128 | head, 129 | relativeFilePath, 130 | }: IBaseGetUrls): Promise { 131 | const repoInfo = await this.findOrgInfo() 132 | if (repoInfo == null) { 133 | return null 134 | } 135 | const rootUrl = `https://${repoInfo.hostname}/` 136 | const lines = this.buildLines(selection) 137 | const repoUrl = new url.URL( 138 | path.join(repoInfo.org, repoInfo.repo), 139 | rootUrl, 140 | ).toString() 141 | const createUrl = (mode: string, hash = true) => { 142 | if (relativeFilePath == null) { 143 | return null 144 | } 145 | const u = new url.URL( 146 | pathJoin( 147 | repoInfo.org, 148 | repoInfo.repo, 149 | mode, 150 | head.value, 151 | relativeFilePath, 152 | ), 153 | rootUrl, 154 | ) 155 | if (hash) { 156 | u.hash = lines 157 | } 158 | return u.toString() 159 | } 160 | const blobUrl = createUrl("blob") 161 | const blameUrl = createUrl("blame") 162 | const historyUrl = createUrl("commits", false) 163 | const compareUrl = new url.URL( 164 | pathJoin(repoInfo.org, repoInfo.repo, "compare", head.value), 165 | rootUrl, 166 | ).toString() 167 | const prUrl = new url.URL( 168 | pathJoin(repoInfo.org, repoInfo.repo, "pull", "new", head.value), 169 | rootUrl, 170 | ).toString() 171 | return { 172 | blobUrl, 173 | blameUrl, 174 | compareUrl, 175 | historyUrl, 176 | prUrl, 177 | repoUrl, 178 | } 179 | } 180 | } 181 | 182 | export class Gitlab extends BaseProvider { 183 | DEFAULT_HOSTNAMES = ["gitlab.com"] 184 | PROVIDER_NAME = "gitlab" 185 | async getUrls({ 186 | selection, 187 | relativeFilePath, 188 | head, 189 | }: IBaseGetUrls): Promise { 190 | const repoInfo = await this.findOrgInfo() 191 | if (repoInfo == null) { 192 | return null 193 | } 194 | const rootUrl = `https://${repoInfo.hostname}/` 195 | const { start, end } = selection 196 | // The format is L34-56 (this is one character off from Github) 197 | const lines = `L${start.line + 1}-${end.line + 1}` 198 | const repoUrl = new url.URL( 199 | pathJoin(repoInfo.org, repoInfo.repo), 200 | rootUrl, 201 | ).toString() 202 | const createUrl = (mode: string, hash = true) => { 203 | if (relativeFilePath == null) { 204 | return null 205 | } 206 | const u = new url.URL( 207 | pathJoin( 208 | repoInfo.org, 209 | repoInfo.repo, 210 | mode, 211 | head.value, 212 | relativeFilePath, 213 | ), 214 | rootUrl, 215 | ) 216 | if (hash && lines) { 217 | u.hash = lines 218 | } 219 | return u.toString() 220 | } 221 | const blobUrl = createUrl("blob") 222 | const blameUrl = createUrl("blame") 223 | const historyUrl = createUrl("commits", false) 224 | const compareUrl = new url.URL( 225 | pathJoin(repoInfo.org, repoInfo.repo, "compare", head.value), 226 | rootUrl, 227 | ).toString() 228 | // https://gitlab.com/recipeyak/recipeyak/merge_requests/new?merge_request%5Bsource_branch%5D=master 229 | const prUrl = new url.URL( 230 | pathJoin(repoInfo.org, repoInfo.repo, "merge_requests", "new"), 231 | rootUrl, 232 | ) 233 | prUrl.search = `merge_request%5Bsource_branch%5D=${head.value}` 234 | return { 235 | blobUrl, 236 | blameUrl, 237 | compareUrl, 238 | historyUrl, 239 | prUrl: prUrl.toString(), 240 | repoUrl, 241 | } 242 | } 243 | } 244 | 245 | export class Bitbucket extends BaseProvider { 246 | DEFAULT_HOSTNAMES = ["bitbucket.org"] 247 | PROVIDER_NAME = "bitbucket" 248 | async getUrls({ 249 | selection, 250 | relativeFilePath, 251 | head, 252 | }: IBaseGetUrls): Promise { 253 | const repoInfo = await this.findOrgInfo() 254 | if (repoInfo == null) { 255 | return null 256 | } 257 | // https://bitbucket.org/recipeyak/recipeyak/src/master/app/main.py#lines-12:15 258 | const rootUrl = `https://${repoInfo.hostname}/` 259 | const { start, end } = selection 260 | const lines = `lines-${start.line + 1}:${end.line + 1}` 261 | const repoUrl = new url.URL( 262 | pathJoin(repoInfo.org, repoInfo.repo), 263 | rootUrl, 264 | ).toString() 265 | const createUrl = (mode: string, hash = true) => { 266 | if (relativeFilePath == null) { 267 | return null 268 | } 269 | const u = new url.URL( 270 | pathJoin( 271 | repoInfo.org, 272 | repoInfo.repo, 273 | mode, 274 | head.value, 275 | relativeFilePath, 276 | ), 277 | rootUrl, 278 | ) 279 | if (hash && lines) { 280 | u.hash = lines 281 | } 282 | return u.toString() 283 | } 284 | const blobUrl = createUrl("blob") 285 | const blameUrl = createUrl("annotate") 286 | const compareUrl = new url.URL( 287 | pathJoin( 288 | repoInfo.org, 289 | repoInfo.repo, 290 | "branches", 291 | "compare", 292 | head.value + "..", 293 | ), 294 | rootUrl, 295 | ).toString() 296 | const historyUrl = createUrl("history-node", false) 297 | // "https://bitbucket.org/recipeyak/recipeyak/pull-requests/new?source=db99a912f5c4bffe11d91e163cd78ed96589611b" 298 | const prUrl = new url.URL( 299 | pathJoin(repoInfo.org, repoInfo.repo, "pull-requests", "new"), 300 | rootUrl, 301 | ) 302 | prUrl.search = `source=${head.value}` 303 | return { 304 | blobUrl, 305 | blameUrl, 306 | compareUrl, 307 | historyUrl, 308 | prUrl: prUrl.toString(), 309 | repoUrl, 310 | } 311 | } 312 | } 313 | 314 | export const providers = [Bitbucket, Gitlab, Github] 315 | -------------------------------------------------------------------------------- /src/test/suite/providers.test.ts: -------------------------------------------------------------------------------- 1 | import { 2 | Gitlab, 3 | Bitbucket, 4 | createSha, 5 | createBranch, 6 | Github, 7 | pathJoin, 8 | } from "../../providers" 9 | import * as assert from "assert" 10 | 11 | suite("utils", async () => { 12 | test("pathJoin", () => { 13 | assert.strictEqual( 14 | pathJoin( 15 | "ghost", 16 | "ghost.github.io", 17 | "blob", 18 | "fixit/-#123✅", 19 | "C#/C#.Package", 20 | ), 21 | "ghost/ghost.github.io/blob/fixit/-%23123%E2%9C%85/C%23/C%23.Package", 22 | ) 23 | assert.strictEqual( 24 | pathJoin( 25 | "ghost", 26 | "ghost.github.io", 27 | "blob", 28 | "chris/fix#123-✅", 29 | "blah-#🤷🏻‍♂️.txt", 30 | ), 31 | "ghost/ghost.github.io/blob/chris/fix%23123-%E2%9C%85/blah-%23%F0%9F%A4%B7%F0%9F%8F%BB%E2%80%8D%E2%99%82%EF%B8%8F.txt", 32 | ) 33 | }) 34 | }) 35 | 36 | suite("Github", async () => { 37 | test("ssh", async () => { 38 | for (let url of [ 39 | "git@github.com:recipeyak/recipeyak.git", 40 | "git@github.com:recipeyak/recipeyak", 41 | "org-XYZ123@github.com:recipeyak/recipeyak", 42 | ]) { 43 | async function findRemote(hostname: string) { 44 | return url 45 | } 46 | const gh = new Github({}, "origin", findRemote) 47 | const result = await gh.getUrls({ 48 | selection: { 49 | start: { line: 17, character: 0 }, 50 | end: { line: 24, character: 0 }, 51 | }, 52 | head: createSha("db99a912f5c4bffe11d91e163cd78ed96589611b"), 53 | relativeFilePath: "frontend/src/components/App.tsx", 54 | }) 55 | const expected = { 56 | blobUrl: 57 | "https://github.com/recipeyak/recipeyak/blob/db99a912f5c4bffe11d91e163cd78ed96589611b/frontend/src/components/App.tsx#L18-L25", 58 | blameUrl: 59 | "https://github.com/recipeyak/recipeyak/blame/db99a912f5c4bffe11d91e163cd78ed96589611b/frontend/src/components/App.tsx#L18-L25", 60 | compareUrl: 61 | "https://github.com/recipeyak/recipeyak/compare/db99a912f5c4bffe11d91e163cd78ed96589611b", 62 | historyUrl: 63 | "https://github.com/recipeyak/recipeyak/commits/db99a912f5c4bffe11d91e163cd78ed96589611b/frontend/src/components/App.tsx", 64 | prUrl: 65 | "https://github.com/recipeyak/recipeyak/pull/new/db99a912f5c4bffe11d91e163cd78ed96589611b", 66 | repoUrl: "https://github.com/recipeyak/recipeyak", 67 | } 68 | assert.deepEqual(result, expected) 69 | } 70 | }) 71 | test("https", async () => { 72 | for (let url of [ 73 | "git@github.mycompany.com:recipeyak/recipeyak.git", 74 | "git@github.mycompany.com:recipeyak/recipeyak", 75 | "org-XYZ123@github.mycompany.com:recipeyak/recipeyak", 76 | "ssh://git@github.mycompany.com/recipeyak/recipeyak.git", 77 | ]) { 78 | async function findRemote(hostname: string) { 79 | return url 80 | } 81 | const gh = new Github( 82 | { 83 | github: { hostnames: ["github.mycompany.com"] }, 84 | }, 85 | "origin", 86 | findRemote, 87 | ) 88 | const result = await gh.getUrls({ 89 | selection: { 90 | start: { line: 17, character: 4 }, 91 | end: { line: 24, character: 5 }, 92 | }, 93 | head: createBranch("master"), 94 | relativeFilePath: "frontend/src/components/App.tsx", 95 | }) 96 | const expected = { 97 | blobUrl: 98 | "https://github.mycompany.com/recipeyak/recipeyak/blob/master/frontend/src/components/App.tsx#L18C5-L25C6", 99 | blameUrl: 100 | "https://github.mycompany.com/recipeyak/recipeyak/blame/master/frontend/src/components/App.tsx#L18C5-L25C6", 101 | compareUrl: 102 | "https://github.mycompany.com/recipeyak/recipeyak/compare/master", 103 | historyUrl: 104 | "https://github.mycompany.com/recipeyak/recipeyak/commits/master/frontend/src/components/App.tsx", 105 | prUrl: 106 | "https://github.mycompany.com/recipeyak/recipeyak/pull/new/master", 107 | repoUrl: "https://github.mycompany.com/recipeyak/recipeyak", 108 | } 109 | assert.deepEqual(result, expected) 110 | } 111 | }) 112 | }) 113 | 114 | suite("Gitlab", async () => { 115 | test("ssh", async () => { 116 | const gl = new Gitlab( 117 | {}, 118 | "origin", 119 | async (_) => "git@gitlab.com:recipeyak/recipeyak.git", 120 | ) 121 | const result = await gl.getUrls({ 122 | selection: { 123 | start: { line: 17, character: 0 }, 124 | end: { line: 24, character: 0 }, 125 | }, 126 | head: createSha("db99a912f5c4bffe11d91e163cd78ed96589611b"), 127 | relativeFilePath: "frontend/src/components/App.tsx", 128 | }) 129 | const expected = { 130 | blobUrl: 131 | "https://gitlab.com/recipeyak/recipeyak/blob/db99a912f5c4bffe11d91e163cd78ed96589611b/frontend/src/components/App.tsx#L18-25", 132 | blameUrl: 133 | "https://gitlab.com/recipeyak/recipeyak/blame/db99a912f5c4bffe11d91e163cd78ed96589611b/frontend/src/components/App.tsx#L18-25", 134 | compareUrl: 135 | "https://gitlab.com/recipeyak/recipeyak/compare/db99a912f5c4bffe11d91e163cd78ed96589611b", 136 | historyUrl: 137 | "https://gitlab.com/recipeyak/recipeyak/commits/db99a912f5c4bffe11d91e163cd78ed96589611b/frontend/src/components/App.tsx", 138 | prUrl: 139 | "https://gitlab.com/recipeyak/recipeyak/merge_requests/new?merge_request%5Bsource_branch%5D=db99a912f5c4bffe11d91e163cd78ed96589611b", 140 | repoUrl: "https://gitlab.com/recipeyak/recipeyak", 141 | } 142 | assert.deepEqual(result, expected) 143 | }) 144 | test("https", async () => { 145 | const gl = new Gitlab( 146 | { 147 | gitlab: { hostnames: ["gitlab.mycompany.com"] }, 148 | }, 149 | "origin", 150 | async (_) => "https://gitlab.mycompany.com/recipeyak/recipeyak.git", 151 | ) 152 | const result = await gl.getUrls({ 153 | selection: { 154 | start: { line: 17, character: 0 }, 155 | end: { line: 24, character: 0 }, 156 | }, 157 | head: createBranch("master"), 158 | relativeFilePath: "frontend/src/components/App.tsx", 159 | }) 160 | const expected = { 161 | blobUrl: 162 | "https://gitlab.mycompany.com/recipeyak/recipeyak/blob/master/frontend/src/components/App.tsx#L18-25", 163 | blameUrl: 164 | "https://gitlab.mycompany.com/recipeyak/recipeyak/blame/master/frontend/src/components/App.tsx#L18-25", 165 | compareUrl: 166 | "https://gitlab.mycompany.com/recipeyak/recipeyak/compare/master", 167 | historyUrl: 168 | "https://gitlab.mycompany.com/recipeyak/recipeyak/commits/master/frontend/src/components/App.tsx", 169 | prUrl: 170 | "https://gitlab.mycompany.com/recipeyak/recipeyak/merge_requests/new?merge_request%5Bsource_branch%5D=master", 171 | repoUrl: "https://gitlab.mycompany.com/recipeyak/recipeyak", 172 | } 173 | 174 | assert.deepEqual(result, expected) 175 | }) 176 | }) 177 | 178 | suite("Bitbucket", async () => { 179 | test("ssh", async () => { 180 | const bb = new Bitbucket( 181 | {}, 182 | "origin", 183 | async (_) => "git@bitbucket.org:recipeyak/recipeyak.git", 184 | ) 185 | const result = await bb.getUrls({ 186 | selection: { 187 | start: { line: 17, character: 0 }, 188 | end: { line: 24, character: 0 }, 189 | }, 190 | head: createSha("db99a912f5c4bffe11d91e163cd78ed96589611b"), 191 | relativeFilePath: "frontend/src/components/App.tsx", 192 | }) 193 | const expected = { 194 | blobUrl: 195 | "https://bitbucket.org/recipeyak/recipeyak/blob/db99a912f5c4bffe11d91e163cd78ed96589611b/frontend/src/components/App.tsx#lines-18:25", 196 | blameUrl: 197 | "https://bitbucket.org/recipeyak/recipeyak/annotate/db99a912f5c4bffe11d91e163cd78ed96589611b/frontend/src/components/App.tsx#lines-18:25", 198 | compareUrl: 199 | "https://bitbucket.org/recipeyak/recipeyak/branches/compare/db99a912f5c4bffe11d91e163cd78ed96589611b..", 200 | historyUrl: 201 | "https://bitbucket.org/recipeyak/recipeyak/history-node/db99a912f5c4bffe11d91e163cd78ed96589611b/frontend/src/components/App.tsx", 202 | prUrl: 203 | "https://bitbucket.org/recipeyak/recipeyak/pull-requests/new?source=db99a912f5c4bffe11d91e163cd78ed96589611b", 204 | repoUrl: "https://bitbucket.org/recipeyak/recipeyak", 205 | } 206 | assert.deepEqual(result, expected) 207 | }) 208 | test("https", async () => { 209 | let calledOrigin = "" 210 | const getOrigin = async (originName: string) => { 211 | calledOrigin = originName 212 | return "https://chdsbd@git.mycompany.org/recipeyak/recipeyak.git" 213 | } 214 | const bb = new Bitbucket( 215 | { 216 | bitbucket: { hostnames: ["git.mycompany.org"] }, 217 | }, 218 | "blah", 219 | getOrigin, 220 | ) 221 | const result = await bb.getUrls({ 222 | selection: { 223 | start: { line: 17, character: 0 }, 224 | end: { line: 24, character: 0 }, 225 | }, 226 | head: createBranch("master"), 227 | relativeFilePath: "frontend/src/components/App.tsx", 228 | }) 229 | const expected = { 230 | blobUrl: 231 | "https://git.mycompany.org/recipeyak/recipeyak/blob/master/frontend/src/components/App.tsx#lines-18:25", 232 | blameUrl: 233 | "https://git.mycompany.org/recipeyak/recipeyak/annotate/master/frontend/src/components/App.tsx#lines-18:25", 234 | compareUrl: 235 | "https://git.mycompany.org/recipeyak/recipeyak/branches/compare/master..", 236 | historyUrl: 237 | "https://git.mycompany.org/recipeyak/recipeyak/history-node/master/frontend/src/components/App.tsx", 238 | prUrl: 239 | "https://git.mycompany.org/recipeyak/recipeyak/pull-requests/new?source=master", 240 | repoUrl: "https://git.mycompany.org/recipeyak/recipeyak", 241 | } 242 | assert.deepEqual(result, expected) 243 | assert.deepEqual(calledOrigin, "blah") 244 | }) 245 | }) 246 | -------------------------------------------------------------------------------- /package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "githubinator", 3 | "displayName": "Githubinator", 4 | "description": "Quickly open files on Github and other providers. View blame information, copy permalinks and more. See the \"commands\" section of the README for more details.", 5 | "version": "3.3.0", 6 | "publisher": "chdsbd", 7 | "license": "SEE LICENSE IN LICENSE", 8 | "icon": "images/logo256.png", 9 | "galleryBanner": { 10 | "color": "#E93827", 11 | "theme": "dark" 12 | }, 13 | "homepage": "https://github.com/chdsbd/vscode-githubinator/blob/master/README.md", 14 | "keywords": [ 15 | "git", 16 | "github", 17 | "bitbucket", 18 | "gitlab" 19 | ], 20 | "repository": { 21 | "type": "git", 22 | "url": "https://github.com/chdsbd/vscode-githubinator.git" 23 | }, 24 | "bugs": { 25 | "url": "https://github.com/chdsbd/vscode-githubinator/issues" 26 | }, 27 | "engines": { 28 | "vscode": "^1.89.0" 29 | }, 30 | "categories": [ 31 | "Other" 32 | ], 33 | "main": "./out/extension.js", 34 | "contributes": { 35 | "commands": [ 36 | { 37 | "command": "githubinator.githubinator", 38 | "title": "Githubinator" 39 | }, 40 | { 41 | "command": "githubinator.githubinatorCopy", 42 | "title": "Copy", 43 | "category": "Githubinator" 44 | }, 45 | { 46 | "command": "githubinator.githubinatorOpenFromUrl", 47 | "title": "Open from URL", 48 | "category": "Githubinator" 49 | }, 50 | { 51 | "command": "githubinator.githubinatorCopyMaster", 52 | "title": "Copy Main", 53 | "category": "Githubinator" 54 | }, 55 | { 56 | "command": "githubinator.githubinatorCopyPermalink", 57 | "title": "Copy Permalink", 58 | "category": "Githubinator" 59 | }, 60 | { 61 | "command": "githubinator.githubinatorCopyMasterPermalink", 62 | "title": "Copy Main Permalink", 63 | "category": "Githubinator" 64 | }, 65 | { 66 | "command": "githubinator.githubinatorOnMaster", 67 | "title": "On Main", 68 | "category": "Githubinator" 69 | }, 70 | { 71 | "command": "githubinator.githubinatorPermalink", 72 | "title": "Permalink", 73 | "category": "Githubinator" 74 | }, 75 | { 76 | "command": "githubinator.githubinatorBlame", 77 | "title": "Blame", 78 | "category": "Githubinator" 79 | }, 80 | { 81 | "command": "githubinator.githubinatorBlameOnMaster", 82 | "title": "Blame On Main", 83 | "category": "Githubinator" 84 | }, 85 | { 86 | "command": "githubinator.githubinatorBlamePermalink", 87 | "title": "Blame Permalink", 88 | "category": "Githubinator" 89 | }, 90 | { 91 | "command": "githubinator.githubinatorRepository", 92 | "title": "Repository", 93 | "category": "Githubinator" 94 | }, 95 | { 96 | "command": "githubinator.githubinatorHistory", 97 | "title": "History", 98 | "category": "Githubinator" 99 | }, 100 | { 101 | "command": "githubinator.githubinatorOpenPR", 102 | "title": "Open Pull Request", 103 | "category": "Githubinator" 104 | }, 105 | { 106 | "command": "githubinator.githubinatorCompare", 107 | "title": "Compare", 108 | "category": "Githubinator" 109 | } 110 | ], 111 | "menus": { 112 | "editor/context": [ 113 | { 114 | "command": "githubinator.githubinator", 115 | "group": "githubinator@1", 116 | "when": "config.githubinator.contextMenu == enabled && config.githubinator.contextMenuGithubinator" 117 | }, 118 | { 119 | "command": "githubinator.githubinatorCopy", 120 | "group": "githubinator@2", 121 | "when": "config.githubinator.contextMenu == enabled && config.githubinator.contextMenuCopy" 122 | }, 123 | { 124 | "command": "githubinator.githubinatorCopyMaster", 125 | "group": "githubinator@3", 126 | "when": "config.githubinator.contextMenu == enabled && config.githubinator.contextMenuCopyMaster" 127 | }, 128 | { 129 | "command": "githubinator.githubinatorCopyPermalink", 130 | "group": "githubinator@4", 131 | "when": "config.githubinator.contextMenu == enabled && config.githubinator.contextMenuCopyPermalink" 132 | }, 133 | { 134 | "command": "githubinator.githubinatorCopyMasterPermalink", 135 | "group": "githubinator@5", 136 | "when": "config.githubinator.contextMenu == enabled && config.githubinator.contextMenuCopyMasterPermalink" 137 | }, 138 | { 139 | "command": "githubinator.githubinatorOnMaster", 140 | "group": "githubinator@6", 141 | "when": "config.githubinator.contextMenu == enabled && config.githubinator.contextMenuOnMaster" 142 | }, 143 | { 144 | "command": "githubinator.githubinatorPermalink", 145 | "group": "githubinator@7", 146 | "when": "config.githubinator.contextMenu == enabled && config.githubinator.contextMenuPermalink" 147 | }, 148 | { 149 | "command": "githubinator.githubinatorBlame", 150 | "group": "githubinator@8", 151 | "when": "config.githubinator.contextMenu == enabled && config.githubinator.contextMenuBlame" 152 | }, 153 | { 154 | "command": "githubinator.githubinatorBlameOnMaster", 155 | "group": "githubinator@9", 156 | "when": "config.githubinator.contextMenu == enabled && config.githubinator.contextMenuBlameOnMaster" 157 | }, 158 | { 159 | "command": "githubinator.githubinatorBlamePermalink", 160 | "group": "githubinator@10", 161 | "when": "config.githubinator.contextMenu == enabled && config.githubinator.contextMenuBlamePermalink" 162 | }, 163 | { 164 | "command": "githubinator.githubinatorRepository", 165 | "group": "githubinator@11", 166 | "when": "config.githubinator.contextMenu == enabled && config.githubinator.contextMenuRepository" 167 | }, 168 | { 169 | "command": "githubinator.githubinatorHistory", 170 | "group": "githubinator@12", 171 | "when": "config.githubinator.contextMenu == enabled && config.githubinator.contextMenuHistory" 172 | }, 173 | { 174 | "command": "githubinator.githubinatorOpenPR", 175 | "group": "githubinator@13", 176 | "when": "config.githubinator.contextMenu == enabled && config.githubinator.contextMenuOpenPR" 177 | }, 178 | { 179 | "command": "githubinator.githubinatorCompare", 180 | "group": "githubinator@14", 181 | "when": "config.githubinator.contextMenu == enabled && config.githubinator.contextMenuCompare" 182 | }, 183 | { 184 | "submenu": "githubinator.githubinatorSubmenu", 185 | "group": "githubinator@15" 186 | } 187 | ], 188 | "githubinator.githubinatorSubmenu": [ 189 | { 190 | "command": "githubinator.githubinator", 191 | "group": "githubinator@1", 192 | "when": "config.githubinator.contextMenu == submenu && config.githubinator.contextMenuGithubinator" 193 | }, 194 | { 195 | "command": "githubinator.githubinatorCopy", 196 | "group": "githubinator@2", 197 | "when": "config.githubinator.contextMenu == submenu && config.githubinator.contextMenuCopy" 198 | }, 199 | { 200 | "command": "githubinator.githubinatorCopyMaster", 201 | "group": "githubinator@3", 202 | "when": "config.githubinator.contextMenu == submenu && config.githubinator.contextMenuCopyMaster" 203 | }, 204 | { 205 | "command": "githubinator.githubinatorCopyPermalink", 206 | "group": "githubinator@4", 207 | "when": "config.githubinator.contextMenu == submenu && config.githubinator.contextMenuCopyPermalink" 208 | }, 209 | { 210 | "command": "githubinator.githubinatorCopyMasterPermalink", 211 | "group": "githubinator@5", 212 | "when": "config.githubinator.contextMenu == submenu && config.githubinator.contextMenuCopyMasterPermalink" 213 | }, 214 | { 215 | "command": "githubinator.githubinatorOnMaster", 216 | "group": "githubinator@6", 217 | "when": "config.githubinator.contextMenu == submenu && config.githubinator.contextMenuOnMaster" 218 | }, 219 | { 220 | "command": "githubinator.githubinatorPermalink", 221 | "group": "githubinator@7", 222 | "when": "config.githubinator.contextMenu == submenu && config.githubinator.contextMenuPermalink" 223 | }, 224 | { 225 | "command": "githubinator.githubinatorBlame", 226 | "group": "githubinator@8", 227 | "when": "config.githubinator.contextMenu == submenu && config.githubinator.contextMenuBlame" 228 | }, 229 | { 230 | "command": "githubinator.githubinatorBlameOnMaster", 231 | "group": "githubinator@9", 232 | "when": "config.githubinator.contextMenu == submenu && config.githubinator.contextMenuBlameOnMaster" 233 | }, 234 | { 235 | "command": "githubinator.githubinatorBlamePermalink", 236 | "group": "githubinator@10", 237 | "when": "config.githubinator.contextMenu == submenu && config.githubinator.contextMenuBlamePermalink" 238 | }, 239 | { 240 | "command": "githubinator.githubinatorRepository", 241 | "group": "githubinator@11", 242 | "when": "config.githubinator.contextMenu == submenu && config.githubinator.contextMenuRepository" 243 | }, 244 | { 245 | "command": "githubinator.githubinatorHistory", 246 | "group": "githubinator@12", 247 | "when": "config.githubinator.contextMenu == submenu && config.githubinator.contextMenuHistory" 248 | }, 249 | { 250 | "command": "githubinator.githubinatorOpenPR", 251 | "group": "githubinator@13", 252 | "when": "config.githubinator.contextMenu == submenu && config.githubinator.contextMenuOpenPR" 253 | }, 254 | { 255 | "command": "githubinator.githubinatorCompare", 256 | "group": "githubinator@14", 257 | "when": "config.githubinator.contextMenu == submenu && config.githubinator.contextMenuCompare" 258 | } 259 | ] 260 | }, 261 | "submenus": [ 262 | { 263 | "label": "Githubinator", 264 | "id": "githubinator.githubinatorSubmenu" 265 | } 266 | ], 267 | "configuration": { 268 | "type": "object", 269 | "title": "Githubinator", 270 | "properties": { 271 | "githubinator.enable_context_menu": { 272 | "type": "boolean", 273 | "default": false, 274 | "markdownDeprecationMessage": "**Deprecated**: Please use `#githubinator.contextMenu#` instead.", 275 | "deprecationMessage": "Deprecated: Please use githubinator.contextMenu instead.", 276 | "description": "Enable access to Githubinator commands from the context menu." 277 | }, 278 | "githubinator.contextMenu": { 279 | "type": "string", 280 | "enum": [ 281 | "enabled", 282 | "submenu", 283 | "disabled" 284 | ], 285 | "default": "enabled", 286 | "order": 0, 287 | "description": "Enable access to Githubinator commands from the context menu." 288 | }, 289 | "githubinator.contextMenuGithubinator": { 290 | "type": "boolean", 291 | "default": "true", 292 | "order": 1, 293 | "markdownDescription": "Access command **Githubinator** via context menu." 294 | }, 295 | "githubinator.contextMenuCopy": { 296 | "type": "boolean", 297 | "default": "true", 298 | "order": 2, 299 | "markdownDescription": "Access command **Copy** via context menu." 300 | }, 301 | "githubinator.contextMenuCopyMaster": { 302 | "type": "boolean", 303 | "default": "true", 304 | "order": 3, 305 | "markdownDescription": "Access command **Copy Main** via context menu." 306 | }, 307 | "githubinator.contextMenuCopyPermalink": { 308 | "type": "boolean", 309 | "default": "true", 310 | "order": 4, 311 | "markdownDescription": "Access command **Copy Permalink** via context menu." 312 | }, 313 | "githubinator.contextMenuCopyMasterPermalink": { 314 | "type": "boolean", 315 | "default": "true", 316 | "order": 5, 317 | "markdownDescription": "Access command **Copy Main Permalink** via context menu." 318 | }, 319 | "githubinator.contextMenuOnMaster": { 320 | "type": "boolean", 321 | "default": "true", 322 | "order": 6, 323 | "markdownDescription": "Access command **On Main** via context menu." 324 | }, 325 | "githubinator.contextMenuPermalink": { 326 | "type": "boolean", 327 | "default": "true", 328 | "order": 7, 329 | "markdownDescription": "Access command **Permalink** via context menu." 330 | }, 331 | "githubinator.contextMenuBlame": { 332 | "type": "boolean", 333 | "default": "true", 334 | "order": 8, 335 | "markdownDescription": "Access command **Blame** via context menu." 336 | }, 337 | "githubinator.contextMenuBlameOnMaster": { 338 | "type": "boolean", 339 | "default": "true", 340 | "order": 9, 341 | "markdownDescription": "Access command **Blame On Main** via context menu." 342 | }, 343 | "githubinator.contextMenuBlamePermalink": { 344 | "type": "boolean", 345 | "default": "true", 346 | "order": 10, 347 | "markdownDescription": "Access command **Blame Permalink** via context menu." 348 | }, 349 | "githubinator.contextMenuRepository": { 350 | "type": "boolean", 351 | "default": "true", 352 | "order": 11, 353 | "markdownDescription": "Access command **Repository** via context menu." 354 | }, 355 | "githubinator.contextMenuHistory": { 356 | "type": "boolean", 357 | "default": "true", 358 | "order": 12, 359 | "markdownDescription": "Access command **History** via context menu." 360 | }, 361 | "githubinator.contextMenuOpenPR": { 362 | "type": "boolean", 363 | "default": "true", 364 | "order": 13, 365 | "markdownDescription": "Access command **OpenPR** via context menu." 366 | }, 367 | "githubinator.contextMenuCompare": { 368 | "type": "boolean", 369 | "default": "true", 370 | "order": 14, 371 | "markdownDescription": "Access command **Compare** via context menu." 372 | }, 373 | "githubinator.mainBranches": { 374 | "type": "array", 375 | "items": { 376 | "type": "string" 377 | }, 378 | "default": [ 379 | "main", 380 | "master", 381 | "trunk", 382 | "develop", 383 | "dev" 384 | ], 385 | "description": "Branch names to use as `main` repository branch. If you call \"Githubinator: Blame on Main\", we try to open the `main` branch then fall back to the next name." 386 | }, 387 | "githubinator.remote": { 388 | "type": "string", 389 | "default": "origin", 390 | "description": "The remote branch for a repository." 391 | }, 392 | "githubinator.providers.github.hostnames": { 393 | "type": "array", 394 | "items": { 395 | "type": "string" 396 | }, 397 | "default": [ 398 | "github.com" 399 | ], 400 | "description": "Hostnames for identifying a Github origin and building a url." 401 | }, 402 | "githubinator.providers.github.remote": { 403 | "type": "string", 404 | "default": "origin", 405 | "title": "Default Remote", 406 | "description": "The remote branch for a repository." 407 | }, 408 | "githubinator.providers.gitlab.hostnames": { 409 | "type": "array", 410 | "items": { 411 | "type": "string" 412 | }, 413 | "default": [ 414 | "gitlab.com" 415 | ], 416 | "description": "Hostnames for identifying a Gitlab origin and building a url." 417 | }, 418 | "githubinator.providers.gitlab.remote": { 419 | "type": "string", 420 | "default": "origin", 421 | "title": "Default Remote", 422 | "description": "The remote branch for a repository." 423 | }, 424 | "githubinator.providers.bitbucket.hostnames": { 425 | "type": "array", 426 | "items": { 427 | "type": "string" 428 | }, 429 | "default": [ 430 | "bitbucket.org" 431 | ], 432 | "description": "Hostnames for identifying a Bitbucket origin and building a url." 433 | }, 434 | "githubinator.providers.bitbucket.remote": { 435 | "type": "string", 436 | "default": "origin", 437 | "title": "Default Remote", 438 | "description": "The remote branch for a repository." 439 | } 440 | } 441 | } 442 | }, 443 | "scripts": { 444 | "vscode:prepublish": "yarn esbuild ./src/extension.ts --bundle --platform=node --external:vscode --outfile=out/extension.js", 445 | "compile": "tsc -p ./", 446 | "watch": "tsc -watch -p ./", 447 | "test": "yarn run compile && yarn vscode-test", 448 | "format": "$(yarn bin)/prettier --write --cache .", 449 | "format:check": "$(yarn bin)/prettier --check --cache ." 450 | }, 451 | "devDependencies": { 452 | "@types/git-url-parse": "^9.0.1", 453 | "@types/ini": "^1.3.30", 454 | "@types/lodash": "^4.14.170", 455 | "@types/mocha": "^10.0.6", 456 | "@types/mz": "^2.7.3", 457 | "@types/node": "^15.12.4", 458 | "@types/vscode": "^1.32.0", 459 | "@vscode/test-cli": "^0.0.9", 460 | "@vscode/test-electron": "^2.4.0", 461 | "esbuild": "^0.11.12", 462 | "mocha": "^10.4.0", 463 | "prettier": "^3.3.0", 464 | "typescript": "^4.2.2", 465 | "vscode-test": "^1.6.1" 466 | }, 467 | "dependencies": { 468 | "git-url-parse": "^11.6.0", 469 | "gitconfiglocal": "^2.1.0", 470 | "ini": "^1.3.5", 471 | "lodash": "^4.17.21", 472 | "mz": "^2.7.0" 473 | }, 474 | "volta": { 475 | "node": "18.20.3", 476 | "yarn": "1.22.22" 477 | } 478 | } 479 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | GNU GENERAL PUBLIC LICENSE 2 | Version 3, 29 June 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 General Public License is a free, copyleft license for 11 | software and other kinds of works. 12 | 13 | The licenses for most software and other practical works are designed 14 | to take away your freedom to share and change the works. By contrast, 15 | the GNU General Public License is intended to guarantee your freedom to 16 | share and change all versions of a program--to make sure it remains free 17 | software for all its users. We, the Free Software Foundation, use the 18 | GNU General Public License for most of our software; it applies also to 19 | any other work released this way by its authors. You can apply it to 20 | your programs, too. 21 | 22 | When we speak of free software, we are referring to freedom, not 23 | price. Our General Public Licenses are designed to make sure that you 24 | have the freedom to distribute copies of free software (and charge for 25 | them if you wish), that you receive source code or can get it if you 26 | want it, that you can change the software or use pieces of it in new 27 | free programs, and that you know you can do these things. 28 | 29 | To protect your rights, we need to prevent others from denying you 30 | these rights or asking you to surrender the rights. Therefore, you have 31 | certain responsibilities if you distribute copies of the software, or if 32 | you modify it: responsibilities to respect the freedom of others. 33 | 34 | For example, if you distribute copies of such a program, whether 35 | gratis or for a fee, you must pass on to the recipients the same 36 | freedoms that you received. You must make sure that they, too, receive 37 | or can get the source code. And you must show them these terms so they 38 | know their rights. 39 | 40 | Developers that use the GNU GPL protect your rights with two steps: 41 | (1) assert copyright on the software, and (2) offer you this License 42 | giving you legal permission to copy, distribute and/or modify it. 43 | 44 | For the developers' and authors' protection, the GPL clearly explains 45 | that there is no warranty for this free software. For both users' and 46 | authors' sake, the GPL requires that modified versions be marked as 47 | changed, so that their problems will not be attributed erroneously to 48 | authors of previous versions. 49 | 50 | Some devices are designed to deny users access to install or run 51 | modified versions of the software inside them, although the manufacturer 52 | can do so. This is fundamentally incompatible with the aim of 53 | protecting users' freedom to change the software. The systematic 54 | pattern of such abuse occurs in the area of products for individuals to 55 | use, which is precisely where it is most unacceptable. Therefore, we 56 | have designed this version of the GPL to prohibit the practice for those 57 | products. If such problems arise substantially in other domains, we 58 | stand ready to extend this provision to those domains in future versions 59 | of the GPL, as needed to protect the freedom of users. 60 | 61 | Finally, every program is threatened constantly by software patents. 62 | States should not allow patents to restrict development and use of 63 | software on general-purpose computers, but in those that do, we wish to 64 | avoid the special danger that patents applied to a free program could 65 | make it effectively proprietary. To prevent this, the GPL assures that 66 | patents cannot be used to render the program non-free. 67 | 68 | The precise terms and conditions for copying, distribution and 69 | modification follow. 70 | 71 | TERMS AND CONDITIONS 72 | 73 | 0. Definitions. 74 | 75 | "This License" refers to version 3 of the GNU General Public License. 76 | 77 | "Copyright" also means copyright-like laws that apply to other kinds of 78 | works, such as semiconductor masks. 79 | 80 | "The Program" refers to any copyrightable work licensed under this 81 | License. Each licensee is addressed as "you". "Licensees" and 82 | "recipients" may be individuals or organizations. 83 | 84 | To "modify" a work means to copy from or adapt all or part of the work 85 | in a fashion requiring copyright permission, other than the making of an 86 | exact copy. The resulting work is called a "modified version" of the 87 | earlier work or a work "based on" the earlier work. 88 | 89 | A "covered work" means either the unmodified Program or a work based 90 | on the Program. 91 | 92 | To "propagate" a work means to do anything with it that, without 93 | permission, would make you directly or secondarily liable for 94 | infringement under applicable copyright law, except executing it on a 95 | computer or modifying a private copy. Propagation includes copying, 96 | distribution (with or without modification), making available to the 97 | public, and in some countries other activities as well. 98 | 99 | To "convey" a work means any kind of propagation that enables other 100 | parties to make or receive copies. Mere interaction with a user through 101 | a computer network, with no transfer of a copy, is not conveying. 102 | 103 | An interactive user interface displays "Appropriate Legal Notices" 104 | to the extent that it includes a convenient and prominently visible 105 | feature that (1) displays an appropriate copyright notice, and (2) 106 | tells the user that there is no warranty for the work (except to the 107 | extent that warranties are provided), that licensees may convey the 108 | work under this License, and how to view a copy of this License. If 109 | the interface presents a list of user commands or options, such as a 110 | menu, a prominent item in the list meets this criterion. 111 | 112 | 1. Source Code. 113 | 114 | The "source code" for a work means the preferred form of the work 115 | for making modifications to it. "Object code" means any non-source 116 | form of a work. 117 | 118 | A "Standard Interface" means an interface that either is an official 119 | standard defined by a recognized standards body, or, in the case of 120 | interfaces specified for a particular programming language, one that 121 | is widely used among developers working in that language. 122 | 123 | The "System Libraries" of an executable work include anything, other 124 | than the work as a whole, that (a) is included in the normal form of 125 | packaging a Major Component, but which is not part of that Major 126 | Component, and (b) serves only to enable use of the work with that 127 | Major Component, or to implement a Standard Interface for which an 128 | implementation is available to the public in source code form. A 129 | "Major Component", in this context, means a major essential component 130 | (kernel, window system, and so on) of the specific operating system 131 | (if any) on which the executable work runs, or a compiler used to 132 | produce the work, or an object code interpreter used to run it. 133 | 134 | The "Corresponding Source" for a work in object code form means all 135 | the source code needed to generate, install, and (for an executable 136 | work) run the object code and to modify the work, including scripts to 137 | control those activities. However, it does not include the work's 138 | System Libraries, or general-purpose tools or generally available free 139 | programs which are used unmodified in performing those activities but 140 | which are not part of the work. For example, Corresponding Source 141 | includes interface definition files associated with source files for 142 | the work, and the source code for shared libraries and dynamically 143 | linked subprograms that the work is specifically designed to require, 144 | such as by intimate data communication or control flow between those 145 | subprograms and other parts of the work. 146 | 147 | The Corresponding Source need not include anything that users 148 | can regenerate automatically from other parts of the Corresponding 149 | Source. 150 | 151 | The Corresponding Source for a work in source code form is that 152 | same work. 153 | 154 | 2. Basic Permissions. 155 | 156 | All rights granted under this License are granted for the term of 157 | copyright on the Program, and are irrevocable provided the stated 158 | conditions are met. This License explicitly affirms your unlimited 159 | permission to run the unmodified Program. The output from running a 160 | covered work is covered by this License only if the output, given its 161 | content, constitutes a covered work. This License acknowledges your 162 | rights of fair use or other equivalent, as provided by copyright law. 163 | 164 | You may make, run and propagate covered works that you do not 165 | convey, without conditions so long as your license otherwise remains 166 | in force. You may convey covered works to others for the sole purpose 167 | of having them make modifications exclusively for you, or provide you 168 | with facilities for running those works, provided that you comply with 169 | the terms of this License in conveying all material for which you do 170 | not control copyright. Those thus making or running the covered works 171 | for you must do so exclusively on your behalf, under your direction 172 | and control, on terms that prohibit them from making any copies of 173 | your copyrighted material outside their relationship with you. 174 | 175 | Conveying under any other circumstances is permitted solely under 176 | the conditions stated below. Sublicensing is not allowed; section 10 177 | makes it unnecessary. 178 | 179 | 3. Protecting Users' Legal Rights From Anti-Circumvention Law. 180 | 181 | No covered work shall be deemed part of an effective technological 182 | measure under any applicable law fulfilling obligations under article 183 | 11 of the WIPO copyright treaty adopted on 20 December 1996, or 184 | similar laws prohibiting or restricting circumvention of such 185 | measures. 186 | 187 | When you convey a covered work, you waive any legal power to forbid 188 | circumvention of technological measures to the extent such circumvention 189 | is effected by exercising rights under this License with respect to 190 | the covered work, and you disclaim any intention to limit operation or 191 | modification of the work as a means of enforcing, against the work's 192 | users, your or third parties' legal rights to forbid circumvention of 193 | technological measures. 194 | 195 | 4. Conveying Verbatim Copies. 196 | 197 | You may convey verbatim copies of the Program's source code as you 198 | receive it, in any medium, provided that you conspicuously and 199 | appropriately publish on each copy an appropriate copyright notice; 200 | keep intact all notices stating that this License and any 201 | non-permissive terms added in accord with section 7 apply to the code; 202 | keep intact all notices of the absence of any warranty; and give all 203 | recipients a copy of this License along with the Program. 204 | 205 | You may charge any price or no price for each copy that you convey, 206 | and you may offer support or warranty protection for a fee. 207 | 208 | 5. Conveying Modified Source Versions. 209 | 210 | You may convey a work based on the Program, or the modifications to 211 | produce it from the Program, in the form of source code under the 212 | terms of section 4, provided that you also meet all of these conditions: 213 | 214 | a) The work must carry prominent notices stating that you modified 215 | it, and giving a relevant date. 216 | 217 | b) The work must carry prominent notices stating that it is 218 | released under this License and any conditions added under section 219 | 7. This requirement modifies the requirement in section 4 to 220 | "keep intact all notices". 221 | 222 | c) You must license the entire work, as a whole, under this 223 | License to anyone who comes into possession of a copy. This 224 | License will therefore apply, along with any applicable section 7 225 | additional terms, to the whole of the work, and all its parts, 226 | regardless of how they are packaged. This License gives no 227 | permission to license the work in any other way, but it does not 228 | invalidate such permission if you have separately received it. 229 | 230 | d) If the work has interactive user interfaces, each must display 231 | Appropriate Legal Notices; however, if the Program has interactive 232 | interfaces that do not display Appropriate Legal Notices, your 233 | work need not make them do so. 234 | 235 | A compilation of a covered work with other separate and independent 236 | works, which are not by their nature extensions of the covered work, 237 | and which are not combined with it such as to form a larger program, 238 | in or on a volume of a storage or distribution medium, is called an 239 | "aggregate" if the compilation and its resulting copyright are not 240 | used to limit the access or legal rights of the compilation's users 241 | beyond what the individual works permit. Inclusion of a covered work 242 | in an aggregate does not cause this License to apply to the other 243 | parts of the aggregate. 244 | 245 | 6. Conveying Non-Source Forms. 246 | 247 | You may convey a covered work in object code form under the terms 248 | of sections 4 and 5, provided that you also convey the 249 | machine-readable Corresponding Source under the terms of this License, 250 | in one of these ways: 251 | 252 | a) Convey the object code in, or embodied in, a physical product 253 | (including a physical distribution medium), accompanied by the 254 | Corresponding Source fixed on a durable physical medium 255 | customarily used for software interchange. 256 | 257 | b) Convey the object code in, or embodied in, a physical product 258 | (including a physical distribution medium), accompanied by a 259 | written offer, valid for at least three years and valid for as 260 | long as you offer spare parts or customer support for that product 261 | model, to give anyone who possesses the object code either (1) a 262 | copy of the Corresponding Source for all the software in the 263 | product that is covered by this License, on a durable physical 264 | medium customarily used for software interchange, for a price no 265 | more than your reasonable cost of physically performing this 266 | conveying of source, or (2) access to copy the 267 | Corresponding Source from a network server at no charge. 268 | 269 | c) Convey individual copies of the object code with a copy of the 270 | written offer to provide the Corresponding Source. This 271 | alternative is allowed only occasionally and noncommercially, and 272 | only if you received the object code with such an offer, in accord 273 | with subsection 6b. 274 | 275 | d) Convey the object code by offering access from a designated 276 | place (gratis or for a charge), and offer equivalent access to the 277 | Corresponding Source in the same way through the same place at no 278 | further charge. You need not require recipients to copy the 279 | Corresponding Source along with the object code. If the place to 280 | copy the object code is a network server, the Corresponding Source 281 | may be on a different server (operated by you or a third party) 282 | that supports equivalent copying facilities, provided you maintain 283 | clear directions next to the object code saying where to find the 284 | Corresponding Source. Regardless of what server hosts the 285 | Corresponding Source, you remain obligated to ensure that it is 286 | available for as long as needed to satisfy these requirements. 287 | 288 | e) Convey the object code using peer-to-peer transmission, provided 289 | you inform other peers where the object code and Corresponding 290 | Source of the work are being offered to the general public at no 291 | charge under subsection 6d. 292 | 293 | A separable portion of the object code, whose source code is excluded 294 | from the Corresponding Source as a System Library, need not be 295 | included in conveying the object code work. 296 | 297 | A "User Product" is either (1) a "consumer product", which means any 298 | tangible personal property which is normally used for personal, family, 299 | or household purposes, or (2) anything designed or sold for incorporation 300 | into a dwelling. In determining whether a product is a consumer product, 301 | doubtful cases shall be resolved in favor of coverage. For a particular 302 | product received by a particular user, "normally used" refers to a 303 | typical or common use of that class of product, regardless of the status 304 | of the particular user or of the way in which the particular user 305 | actually uses, or expects or is expected to use, the product. A product 306 | is a consumer product regardless of whether the product has substantial 307 | commercial, industrial or non-consumer uses, unless such uses represent 308 | the only significant mode of use of the product. 309 | 310 | "Installation Information" for a User Product means any methods, 311 | procedures, authorization keys, or other information required to install 312 | and execute modified versions of a covered work in that User Product from 313 | a modified version of its Corresponding Source. The information must 314 | suffice to ensure that the continued functioning of the modified object 315 | code is in no case prevented or interfered with solely because 316 | modification has been made. 317 | 318 | If you convey an object code work under this section in, or with, or 319 | specifically for use in, a User Product, and the conveying occurs as 320 | part of a transaction in which the right of possession and use of the 321 | User Product is transferred to the recipient in perpetuity or for a 322 | fixed term (regardless of how the transaction is characterized), the 323 | Corresponding Source conveyed under this section must be accompanied 324 | by the Installation Information. But this requirement does not apply 325 | if neither you nor any third party retains the ability to install 326 | modified object code on the User Product (for example, the work has 327 | been installed in ROM). 328 | 329 | The requirement to provide Installation Information does not include a 330 | requirement to continue to provide support service, warranty, or updates 331 | for a work that has been modified or installed by the recipient, or for 332 | the User Product in which it has been modified or installed. Access to a 333 | network may be denied when the modification itself materially and 334 | adversely affects the operation of the network or violates the rules and 335 | protocols for communication across the network. 336 | 337 | Corresponding Source conveyed, and Installation Information provided, 338 | in accord with this section must be in a format that is publicly 339 | documented (and with an implementation available to the public in 340 | source code form), and must require no special password or key for 341 | unpacking, reading or copying. 342 | 343 | 7. Additional Terms. 344 | 345 | "Additional permissions" are terms that supplement the terms of this 346 | License by making exceptions from one or more of its conditions. 347 | Additional permissions that are applicable to the entire Program shall 348 | be treated as though they were included in this License, to the extent 349 | that they are valid under applicable law. If additional permissions 350 | apply only to part of the Program, that part may be used separately 351 | under those permissions, but the entire Program remains governed by 352 | this License without regard to the additional permissions. 353 | 354 | When you convey a copy of a covered work, you may at your option 355 | remove any additional permissions from that copy, or from any part of 356 | it. (Additional permissions may be written to require their own 357 | removal in certain cases when you modify the work.) You may place 358 | additional permissions on material, added by you to a covered work, 359 | for which you have or can give appropriate copyright permission. 360 | 361 | Notwithstanding any other provision of this License, for material you 362 | add to a covered work, you may (if authorized by the copyright holders of 363 | that material) supplement the terms of this License with terms: 364 | 365 | a) Disclaiming warranty or limiting liability differently from the 366 | terms of sections 15 and 16 of this License; or 367 | 368 | b) Requiring preservation of specified reasonable legal notices or 369 | author attributions in that material or in the Appropriate Legal 370 | Notices displayed by works containing it; or 371 | 372 | c) Prohibiting misrepresentation of the origin of that material, or 373 | requiring that modified versions of such material be marked in 374 | reasonable ways as different from the original version; or 375 | 376 | d) Limiting the use for publicity purposes of names of licensors or 377 | authors of the material; or 378 | 379 | e) Declining to grant rights under trademark law for use of some 380 | trade names, trademarks, or service marks; or 381 | 382 | f) Requiring indemnification of licensors and authors of that 383 | material by anyone who conveys the material (or modified versions of 384 | it) with contractual assumptions of liability to the recipient, for 385 | any liability that these contractual assumptions directly impose on 386 | those licensors and authors. 387 | 388 | All other non-permissive additional terms are considered "further 389 | restrictions" within the meaning of section 10. If the Program as you 390 | received it, or any part of it, contains a notice stating that it is 391 | governed by this License along with a term that is a further 392 | restriction, you may remove that term. If a license document contains 393 | a further restriction but permits relicensing or conveying under this 394 | License, you may add to a covered work material governed by the terms 395 | of that license document, provided that the further restriction does 396 | not survive such relicensing or conveying. 397 | 398 | If you add terms to a covered work in accord with this section, you 399 | must place, in the relevant source files, a statement of the 400 | additional terms that apply to those files, or a notice indicating 401 | where to find the applicable terms. 402 | 403 | Additional terms, permissive or non-permissive, may be stated in the 404 | form of a separately written license, or stated as exceptions; 405 | the above requirements apply either way. 406 | 407 | 8. Termination. 408 | 409 | You may not propagate or modify a covered work except as expressly 410 | provided under this License. Any attempt otherwise to propagate or 411 | modify it is void, and will automatically terminate your rights under 412 | this License (including any patent licenses granted under the third 413 | paragraph of section 11). 414 | 415 | However, if you cease all violation of this License, then your 416 | license from a particular copyright holder is reinstated (a) 417 | provisionally, unless and until the copyright holder explicitly and 418 | finally terminates your license, and (b) permanently, if the copyright 419 | holder fails to notify you of the violation by some reasonable means 420 | prior to 60 days after the cessation. 421 | 422 | Moreover, your license from a particular copyright holder is 423 | reinstated permanently if the copyright holder notifies you of the 424 | violation by some reasonable means, this is the first time you have 425 | received notice of violation of this License (for any work) from that 426 | copyright holder, and you cure the violation prior to 30 days after 427 | your receipt of the notice. 428 | 429 | Termination of your rights under this section does not terminate the 430 | licenses of parties who have received copies or rights from you under 431 | this License. If your rights have been terminated and not permanently 432 | reinstated, you do not qualify to receive new licenses for the same 433 | material under section 10. 434 | 435 | 9. Acceptance Not Required for Having Copies. 436 | 437 | You are not required to accept this License in order to receive or 438 | run a copy of the Program. Ancillary propagation of a covered work 439 | occurring solely as a consequence of using peer-to-peer transmission 440 | to receive a copy likewise does not require acceptance. However, 441 | nothing other than this License grants you permission to propagate or 442 | modify any covered work. These actions infringe copyright if you do 443 | not accept this License. Therefore, by modifying or propagating a 444 | covered work, you indicate your acceptance of this License to do so. 445 | 446 | 10. Automatic Licensing of Downstream Recipients. 447 | 448 | Each time you convey a covered work, the recipient automatically 449 | receives a license from the original licensors, to run, modify and 450 | propagate that work, subject to this License. You are not responsible 451 | for enforcing compliance by third parties with this License. 452 | 453 | An "entity transaction" is a transaction transferring control of an 454 | organization, or substantially all assets of one, or subdividing an 455 | organization, or merging organizations. If propagation of a covered 456 | work results from an entity transaction, each party to that 457 | transaction who receives a copy of the work also receives whatever 458 | licenses to the work the party's predecessor in interest had or could 459 | give under the previous paragraph, plus a right to possession of the 460 | Corresponding Source of the work from the predecessor in interest, if 461 | the predecessor has it or can get it with reasonable efforts. 462 | 463 | You may not impose any further restrictions on the exercise of the 464 | rights granted or affirmed under this License. For example, you may 465 | not impose a license fee, royalty, or other charge for exercise of 466 | rights granted under this License, and you may not initiate litigation 467 | (including a cross-claim or counterclaim in a lawsuit) alleging that 468 | any patent claim is infringed by making, using, selling, offering for 469 | sale, or importing the Program or any portion of it. 470 | 471 | 11. Patents. 472 | 473 | A "contributor" is a copyright holder who authorizes use under this 474 | License of the Program or a work on which the Program is based. The 475 | work thus licensed is called the contributor's "contributor version". 476 | 477 | A contributor's "essential patent claims" are all patent claims 478 | owned or controlled by the contributor, whether already acquired or 479 | hereafter acquired, that would be infringed by some manner, permitted 480 | by this License, of making, using, or selling its contributor version, 481 | but do not include claims that would be infringed only as a 482 | consequence of further modification of the contributor version. For 483 | purposes of this definition, "control" includes the right to grant 484 | patent sublicenses in a manner consistent with the requirements of 485 | this License. 486 | 487 | Each contributor grants you a non-exclusive, worldwide, royalty-free 488 | patent license under the contributor's essential patent claims, to 489 | make, use, sell, offer for sale, import and otherwise run, modify and 490 | propagate the contents of its contributor version. 491 | 492 | In the following three paragraphs, a "patent license" is any express 493 | agreement or commitment, however denominated, not to enforce a patent 494 | (such as an express permission to practice a patent or covenant not to 495 | sue for patent infringement). To "grant" such a patent license to a 496 | party means to make such an agreement or commitment not to enforce a 497 | patent against the party. 498 | 499 | If you convey a covered work, knowingly relying on a patent license, 500 | and the Corresponding Source of the work is not available for anyone 501 | to copy, free of charge and under the terms of this License, through a 502 | publicly available network server or other readily accessible means, 503 | then you must either (1) cause the Corresponding Source to be so 504 | available, or (2) arrange to deprive yourself of the benefit of the 505 | patent license for this particular work, or (3) arrange, in a manner 506 | consistent with the requirements of this License, to extend the patent 507 | license to downstream recipients. "Knowingly relying" means you have 508 | actual knowledge that, but for the patent license, your conveying the 509 | covered work in a country, or your recipient's use of the covered work 510 | in a country, would infringe one or more identifiable patents in that 511 | country that you have reason to believe are valid. 512 | 513 | If, pursuant to or in connection with a single transaction or 514 | arrangement, you convey, or propagate by procuring conveyance of, a 515 | covered work, and grant a patent license to some of the parties 516 | receiving the covered work authorizing them to use, propagate, modify 517 | or convey a specific copy of the covered work, then the patent license 518 | you grant is automatically extended to all recipients of the covered 519 | work and works based on it. 520 | 521 | A patent license is "discriminatory" if it does not include within 522 | the scope of its coverage, prohibits the exercise of, or is 523 | conditioned on the non-exercise of one or more of the rights that are 524 | specifically granted under this License. You may not convey a covered 525 | work if you are a party to an arrangement with a third party that is 526 | in the business of distributing software, under which you make payment 527 | to the third party based on the extent of your activity of conveying 528 | the work, and under which the third party grants, to any of the 529 | parties who would receive the covered work from you, a discriminatory 530 | patent license (a) in connection with copies of the covered work 531 | conveyed by you (or copies made from those copies), or (b) primarily 532 | for and in connection with specific products or compilations that 533 | contain the covered work, unless you entered into that arrangement, 534 | or that patent license was granted, prior to 28 March 2007. 535 | 536 | Nothing in this License shall be construed as excluding or limiting 537 | any implied license or other defenses to infringement that may 538 | otherwise be available to you under applicable patent law. 539 | 540 | 12. No Surrender of Others' Freedom. 541 | 542 | If conditions are imposed on you (whether by court order, agreement or 543 | otherwise) that contradict the conditions of this License, they do not 544 | excuse you from the conditions of this License. If you cannot convey a 545 | covered work so as to satisfy simultaneously your obligations under this 546 | License and any other pertinent obligations, then as a consequence you may 547 | not convey it at all. For example, if you agree to terms that obligate you 548 | to collect a royalty for further conveying from those to whom you convey 549 | the Program, the only way you could satisfy both those terms and this 550 | License would be to refrain entirely from conveying the Program. 551 | 552 | 13. Use with the GNU Affero General Public License. 553 | 554 | Notwithstanding any other provision of this License, you have 555 | permission to link or combine any covered work with a work licensed 556 | under version 3 of the GNU Affero General Public License into a single 557 | combined work, and to convey the resulting work. The terms of this 558 | License will continue to apply to the part which is the covered work, 559 | but the special requirements of the GNU Affero General Public License, 560 | section 13, concerning interaction through a network will apply to the 561 | combination as such. 562 | 563 | 14. Revised Versions of this License. 564 | 565 | The Free Software Foundation may publish revised and/or new versions of 566 | the GNU General Public License from time to time. Such new versions will 567 | be similar in spirit to the present version, but may differ in detail to 568 | address new problems or concerns. 569 | 570 | Each version is given a distinguishing version number. If the 571 | Program specifies that a certain numbered version of the GNU General 572 | Public License "or any later version" applies to it, you have the 573 | option of following the terms and conditions either of that numbered 574 | version or of any later version published by the Free Software 575 | Foundation. If the Program does not specify a version number of the 576 | GNU General Public License, you may choose any version ever published 577 | by the Free Software Foundation. 578 | 579 | If the Program specifies that a proxy can decide which future 580 | versions of the GNU General Public License can be used, that proxy's 581 | public statement of acceptance of a version permanently authorizes you 582 | to choose that version for the Program. 583 | 584 | Later license versions may give you additional or different 585 | permissions. However, no additional obligations are imposed on any 586 | author or copyright holder as a result of your choosing to follow a 587 | later version. 588 | 589 | 15. Disclaimer of Warranty. 590 | 591 | THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY 592 | APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT 593 | HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY 594 | OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, 595 | THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR 596 | PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM 597 | IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF 598 | ALL NECESSARY SERVICING, REPAIR OR CORRECTION. 599 | 600 | 16. Limitation of Liability. 601 | 602 | IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING 603 | WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS 604 | THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY 605 | GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE 606 | USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF 607 | DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD 608 | PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), 609 | EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF 610 | SUCH DAMAGES. 611 | 612 | 17. Interpretation of Sections 15 and 16. 613 | 614 | If the disclaimer of warranty and limitation of liability provided 615 | above cannot be given local legal effect according to their terms, 616 | reviewing courts shall apply local law that most closely approximates 617 | an absolute waiver of all civil liability in connection with the 618 | Program, unless a warranty or assumption of liability accompanies a 619 | copy of the Program in return for a fee. 620 | 621 | END OF TERMS AND CONDITIONS 622 | 623 | How to Apply These Terms to Your New Programs 624 | 625 | If you develop a new program, and you want it to be of the greatest 626 | possible use to the public, the best way to achieve this is to make it 627 | free software which everyone can redistribute and change under these terms. 628 | 629 | To do so, attach the following notices to the program. It is safest 630 | to attach them to the start of each source file to most effectively 631 | state the exclusion of warranty; and each file should have at least 632 | the "copyright" line and a pointer to where the full notice is found. 633 | 634 | 635 | Copyright (C) 636 | 637 | This program is free software: you can redistribute it and/or modify 638 | it under the terms of the GNU General Public License as published by 639 | the Free Software Foundation, either version 3 of the License, or 640 | (at your option) any later version. 641 | 642 | This program is distributed in the hope that it will be useful, 643 | but WITHOUT ANY WARRANTY; without even the implied warranty of 644 | MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the 645 | GNU General Public License for more details. 646 | 647 | You should have received a copy of the GNU General Public License 648 | along with this program. If not, see . 649 | 650 | Also add information on how to contact you by electronic and paper mail. 651 | 652 | If the program does terminal interaction, make it output a short 653 | notice like this when it starts in an interactive mode: 654 | 655 | Copyright (C) 656 | This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'. 657 | This is free software, and you are welcome to redistribute it 658 | under certain conditions; type `show c' for details. 659 | 660 | The hypothetical commands `show w' and `show c' should show the appropriate 661 | parts of the General Public License. Of course, your program's commands 662 | might be different; for a GUI interface, you would use an "about box". 663 | 664 | You should also get your employer (if you work as a programmer) or school, 665 | if any, to sign a "copyright disclaimer" for the program, if necessary. 666 | For more information on this, and how to apply and follow the GNU GPL, see 667 | . 668 | 669 | The GNU General Public License does not permit incorporating your program 670 | into proprietary programs. If your program is a subroutine library, you 671 | may consider it more useful to permit linking proprietary applications with 672 | the library. If this is what you want to do, use the GNU Lesser General 673 | Public License instead of this License. But first, please read 674 | . 675 | -------------------------------------------------------------------------------- /yarn.lock: -------------------------------------------------------------------------------- 1 | # THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY. 2 | # yarn lockfile v1 3 | 4 | 5 | "@bcoe/v8-coverage@^0.2.3": 6 | version "0.2.3" 7 | resolved "https://registry.yarnpkg.com/@bcoe/v8-coverage/-/v8-coverage-0.2.3.tgz#75a2e8b51cb758a7553d6804a5932d7aace75c39" 8 | integrity sha512-0hYQ8SB4Db5zvZB4axdMHGwEaQjkZzFjQiN9LVYvIFB2nSUHW9tYpxWriPrWDASIxiaXax83REcLxuSdnGPZtw== 9 | 10 | "@isaacs/cliui@^8.0.2": 11 | version "8.0.2" 12 | resolved "https://registry.yarnpkg.com/@isaacs/cliui/-/cliui-8.0.2.tgz#b37667b7bc181c168782259bab42474fbf52b550" 13 | integrity sha512-O8jcjabXaleOG9DQ0+ARXWZBTfnP4WNAqzuiJK7ll44AmxGKv/J2M4TPjxjY3znBCfvBXFzucm1twdyFybFqEA== 14 | dependencies: 15 | string-width "^5.1.2" 16 | string-width-cjs "npm:string-width@^4.2.0" 17 | strip-ansi "^7.0.1" 18 | strip-ansi-cjs "npm:strip-ansi@^6.0.1" 19 | wrap-ansi "^8.1.0" 20 | wrap-ansi-cjs "npm:wrap-ansi@^7.0.0" 21 | 22 | "@istanbuljs/schema@^0.1.2", "@istanbuljs/schema@^0.1.3": 23 | version "0.1.3" 24 | resolved "https://registry.yarnpkg.com/@istanbuljs/schema/-/schema-0.1.3.tgz#e45e384e4b8ec16bce2fd903af78450f6bf7ec98" 25 | integrity sha512-ZXRY4jNvVgSVQ8DL3LTcakaAtXwTVUxE81hslsyD2AtoXW/wVob10HkOJ1X/pAlcI7D+2YoZKg5do8G/w6RYgA== 26 | 27 | "@jridgewell/resolve-uri@^3.1.0": 28 | version "3.1.2" 29 | resolved "https://registry.yarnpkg.com/@jridgewell/resolve-uri/-/resolve-uri-3.1.2.tgz#7a0ee601f60f99a20c7c7c5ff0c80388c1189bd6" 30 | integrity sha512-bRISgCIjP20/tbWSPWMEi54QVPRZExkuD9lJL+UIxUKtwVJA8wW1Trb1jMs1RFXo1CBTNZ/5hpC9QvmKWdopKw== 31 | 32 | "@jridgewell/sourcemap-codec@^1.4.14": 33 | version "1.4.15" 34 | resolved "https://registry.yarnpkg.com/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.15.tgz#d7c6e6755c78567a951e04ab52ef0fd26de59f32" 35 | integrity sha512-eF2rxCRulEKXHTRiDrDy6erMYWqNw4LPdQ8UQA4huuxaQsVeRPFl2oM8oDGxMFhJUWZf9McpLtJasDDZb/Bpeg== 36 | 37 | "@jridgewell/trace-mapping@^0.3.12": 38 | version "0.3.25" 39 | resolved "https://registry.yarnpkg.com/@jridgewell/trace-mapping/-/trace-mapping-0.3.25.tgz#15f190e98895f3fc23276ee14bc76b675c2e50f0" 40 | integrity sha512-vNk6aEwybGtawWmy/PzwnGDOjCkLWSD2wqvjGGAgOAwCGWySYXfYoxt00IJkTF+8Lb57DwOb3Aa0o9CApepiYQ== 41 | dependencies: 42 | "@jridgewell/resolve-uri" "^3.1.0" 43 | "@jridgewell/sourcemap-codec" "^1.4.14" 44 | 45 | "@pkgjs/parseargs@^0.11.0": 46 | version "0.11.0" 47 | resolved "https://registry.yarnpkg.com/@pkgjs/parseargs/-/parseargs-0.11.0.tgz#a77ea742fab25775145434eb1d2328cf5013ac33" 48 | integrity sha512-+1VkjdD0QBLPodGrJUeqarH8VAIvQODIbwh9XpP5Syisf7YoQgsJKPNFoqqLQlu+VQ/tVSshMR6loPMn8U+dPg== 49 | 50 | "@tootallnate/once@1": 51 | version "1.1.2" 52 | resolved "https://registry.yarnpkg.com/@tootallnate/once/-/once-1.1.2.tgz#ccb91445360179a04e7fe6aff78c00ffc1eeaf82" 53 | integrity sha512-RbzJvlNzmRq5c3O09UipeuXno4tA1FE6ikOjxZK0tuxVv3412l64l5t1W5pj4+rJq9vpkm/kwiR07aZXnsKPxw== 54 | 55 | "@types/git-url-parse@^9.0.1": 56 | version "9.0.1" 57 | resolved "https://registry.yarnpkg.com/@types/git-url-parse/-/git-url-parse-9.0.1.tgz#1c7cc89527ca8b5afcf260ead3b0e4e373c43938" 58 | integrity sha512-Zf9mY4Mz7N3Nyi341nUkOtgVUQn4j6NS4ndqEha/lOgEbTkHzpD7wZuRagYKzrXNtvawWfsrojoC1nhsQexvNA== 59 | 60 | "@types/ini@^1.3.30": 61 | version "1.3.30" 62 | resolved "https://registry.yarnpkg.com/@types/ini/-/ini-1.3.30.tgz#d1485459c9fad84e937414b832a2adb649eab379" 63 | integrity sha512-2+iF8zPSbpU83UKE+PNd4r/MhwNAdyGpk3H+VMgEH3EhjFZq1kouLgRoZrmIcmoGX97xFvqdS44DkICR5Nz3tQ== 64 | 65 | "@types/istanbul-lib-coverage@^2.0.1": 66 | version "2.0.6" 67 | resolved "https://registry.yarnpkg.com/@types/istanbul-lib-coverage/-/istanbul-lib-coverage-2.0.6.tgz#7739c232a1fee9b4d3ce8985f314c0c6d33549d7" 68 | integrity sha512-2QF/t/auWm0lsy8XtKVPG19v3sSOQlJe/YHZgfjb/KBBHOGSV+J2q/S671rcq9uTBrLAXmZpqJiaQbMT+zNU1w== 69 | 70 | "@types/lodash@^4.14.170": 71 | version "4.14.170" 72 | resolved "https://registry.yarnpkg.com/@types/lodash/-/lodash-4.14.170.tgz#0d67711d4bf7f4ca5147e9091b847479b87925d6" 73 | integrity sha512-bpcvu/MKHHeYX+qeEN8GE7DIravODWdACVA1ctevD8CN24RhPZIKMn9ntfAsrvLfSX3cR5RrBKAbYm9bGs0A+Q== 74 | 75 | "@types/mocha@^10.0.2", "@types/mocha@^10.0.6": 76 | version "10.0.6" 77 | resolved "https://registry.yarnpkg.com/@types/mocha/-/mocha-10.0.6.tgz#818551d39113081048bdddbef96701b4e8bb9d1b" 78 | integrity sha512-dJvrYWxP/UcXm36Qn36fxhUKu8A/xMRXVT2cliFF1Z7UA9liG5Psj3ezNSZw+5puH2czDXRLcXQxf8JbJt0ejg== 79 | 80 | "@types/mz@^2.7.3": 81 | version "2.7.3" 82 | resolved "https://registry.yarnpkg.com/@types/mz/-/mz-2.7.3.tgz#e42a21e73f5f9340fe4a176981fafb1eb8cc6c12" 83 | integrity sha512-Zp1NUJ4Alh3gaun0a5rkF3DL7b2j1WB6rPPI5h+CJ98sQnxe9qwskClvupz/4bqChGR3L/BRhTjlaOwR+uiZJg== 84 | dependencies: 85 | "@types/node" "*" 86 | 87 | "@types/node@*", "@types/node@^15.12.4": 88 | version "15.12.4" 89 | resolved "https://registry.yarnpkg.com/@types/node/-/node-15.12.4.tgz#e1cf817d70a1e118e81922c4ff6683ce9d422e26" 90 | integrity sha512-zrNj1+yqYF4WskCMOHwN+w9iuD12+dGm0rQ35HLl9/Ouuq52cEtd0CH9qMgrdNmi5ejC1/V7vKEXYubB+65DkA== 91 | 92 | "@types/vscode@^1.32.0": 93 | version "1.57.0" 94 | resolved "https://registry.yarnpkg.com/@types/vscode/-/vscode-1.57.0.tgz#cc648e0573b92f725cd1baf2621f8da9f8bc689f" 95 | integrity sha512-FeznBFtIDCWRluojTsi9c3LLcCHOXP5etQfBK42+ixo1CoEAchkw39tuui9zomjZuKfUVL33KZUDIwHZ/xvOkQ== 96 | 97 | "@vscode/test-cli@^0.0.9": 98 | version "0.0.9" 99 | resolved "https://registry.yarnpkg.com/@vscode/test-cli/-/test-cli-0.0.9.tgz#7c8deca15d81ecf6df484ac2e420a85abc526ee6" 100 | integrity sha512-vsl5/ueE3Jf0f6XzB0ECHHMsd5A0Yu6StElb8a+XsubZW7kHNAOw4Y3TSSuDzKEpLnJ92nbMy1Zl+KLGCE6NaA== 101 | dependencies: 102 | "@types/mocha" "^10.0.2" 103 | c8 "^9.1.0" 104 | chokidar "^3.5.3" 105 | enhanced-resolve "^5.15.0" 106 | glob "^10.3.10" 107 | minimatch "^9.0.3" 108 | mocha "^10.2.0" 109 | supports-color "^9.4.0" 110 | yargs "^17.7.2" 111 | 112 | "@vscode/test-electron@^2.4.0": 113 | version "2.4.0" 114 | resolved "https://registry.yarnpkg.com/@vscode/test-electron/-/test-electron-2.4.0.tgz#6fcdbac10948960c15f8970cf5d5e624dd51a524" 115 | integrity sha512-yojuDFEjohx6Jb+x949JRNtSn6Wk2FAh4MldLE3ck9cfvCqzwxF32QsNy1T9Oe4oT+ZfFcg0uPUCajJzOmPlTA== 116 | dependencies: 117 | http-proxy-agent "^7.0.2" 118 | https-proxy-agent "^7.0.4" 119 | jszip "^3.10.1" 120 | ora "^7.0.1" 121 | semver "^7.6.2" 122 | 123 | agent-base@6: 124 | version "6.0.2" 125 | resolved "https://registry.yarnpkg.com/agent-base/-/agent-base-6.0.2.tgz#49fff58577cfee3f37176feab4c22e00f86d7f77" 126 | integrity sha512-RZNwNclF7+MS/8bDg70amg32dyeZGZxiDuQmZxKLAlQjr3jGyLx+4Kkk58UO7D2QdgFIQCovuSuZESne6RG6XQ== 127 | dependencies: 128 | debug "4" 129 | 130 | agent-base@^7.0.2, agent-base@^7.1.0: 131 | version "7.1.1" 132 | resolved "https://registry.yarnpkg.com/agent-base/-/agent-base-7.1.1.tgz#bdbded7dfb096b751a2a087eeeb9664725b2e317" 133 | integrity sha512-H0TSyFNDMomMNJQBn8wFV5YC/2eJ+VXECwOadZJT554xP6cODZHPX3H9QMQECxvrgiSOP1pHjy1sMWQVYJOUOA== 134 | dependencies: 135 | debug "^4.3.4" 136 | 137 | ansi-colors@4.1.1: 138 | version "4.1.1" 139 | resolved "https://registry.yarnpkg.com/ansi-colors/-/ansi-colors-4.1.1.tgz#cbb9ae256bf750af1eab344f229aa27fe94ba348" 140 | integrity sha512-JoX0apGbHaUJBNl6yF+p6JAFYZ666/hhCGKN5t9QFjbJQKUU/g8MNbFDbvfrgKXvI1QpZplPOnwIo99lX/AAmA== 141 | 142 | ansi-regex@^5.0.1: 143 | version "5.0.1" 144 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-5.0.1.tgz#082cb2c89c9fe8659a311a53bd6a4dc5301db304" 145 | integrity sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ== 146 | 147 | ansi-regex@^6.0.1: 148 | version "6.0.1" 149 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-6.0.1.tgz#3183e38fae9a65d7cb5e53945cd5897d0260a06a" 150 | integrity sha512-n5M855fKb2SsfMIiFFoVrABHJC8QtHwVx+mHWP3QcEqBHYienj5dHSgjbxtC0WEZXYt4wcD6zrQElDPhFuZgfA== 151 | 152 | ansi-styles@^4.0.0, ansi-styles@^4.1.0: 153 | version "4.3.0" 154 | resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-4.3.0.tgz#edd803628ae71c04c85ae7a0906edad34b648937" 155 | integrity sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg== 156 | dependencies: 157 | color-convert "^2.0.1" 158 | 159 | ansi-styles@^6.1.0: 160 | version "6.2.1" 161 | resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-6.2.1.tgz#0e62320cf99c21afff3b3012192546aacbfb05c5" 162 | integrity sha512-bN798gFfQX+viw3R7yrGWRqnrN2oRkEkUjjl4JNn4E8GxxbjtG3FbrEIIY3l8/hrwUwIeCZvi4QuOTP4MErVug== 163 | 164 | any-promise@^1.0.0: 165 | version "1.3.0" 166 | resolved "https://registry.yarnpkg.com/any-promise/-/any-promise-1.3.0.tgz#abc6afeedcea52e809cdc0376aed3ce39635d17f" 167 | integrity sha1-q8av7tzqUugJzcA3au0845Y10X8= 168 | 169 | anymatch@~3.1.2: 170 | version "3.1.3" 171 | resolved "https://registry.yarnpkg.com/anymatch/-/anymatch-3.1.3.tgz#790c58b19ba1720a84205b57c618d5ad8524973e" 172 | integrity sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw== 173 | dependencies: 174 | normalize-path "^3.0.0" 175 | picomatch "^2.0.4" 176 | 177 | argparse@^2.0.1: 178 | version "2.0.1" 179 | resolved "https://registry.yarnpkg.com/argparse/-/argparse-2.0.1.tgz#246f50f3ca78a3240f6c997e8a9bd1eac49e4b38" 180 | integrity sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q== 181 | 182 | balanced-match@^1.0.0: 183 | version "1.0.2" 184 | resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-1.0.2.tgz#e83e3a7e3f300b34cb9d87f615fa0cbf357690ee" 185 | integrity sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw== 186 | 187 | base64-js@^1.3.1: 188 | version "1.5.1" 189 | resolved "https://registry.yarnpkg.com/base64-js/-/base64-js-1.5.1.tgz#1b1b440160a5bf7ad40b650f095963481903930a" 190 | integrity sha512-AKpaYlHn8t4SVbOHCy+b5+KKgvR4vrsD8vbvrbiQJps7fKDTkjkDry6ji0rUJjC0kzbNePLwzxq8iypo41qeWA== 191 | 192 | big-integer@^1.6.17: 193 | version "1.6.52" 194 | resolved "https://registry.yarnpkg.com/big-integer/-/big-integer-1.6.52.tgz#60a887f3047614a8e1bffe5d7173490a97dc8c85" 195 | integrity sha512-QxD8cf2eVqJOOz63z6JIN9BzvVs/dlySa5HGSBH5xtR8dPteIRQnBxxKqkNTiT6jbDTF6jAfrd4oMcND9RGbQg== 196 | 197 | binary-extensions@^2.0.0: 198 | version "2.2.0" 199 | resolved "https://registry.yarnpkg.com/binary-extensions/-/binary-extensions-2.2.0.tgz#75f502eeaf9ffde42fc98829645be4ea76bd9e2d" 200 | integrity sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA== 201 | 202 | binary@~0.3.0: 203 | version "0.3.0" 204 | resolved "https://registry.yarnpkg.com/binary/-/binary-0.3.0.tgz#9f60553bc5ce8c3386f3b553cff47462adecaa79" 205 | integrity sha512-D4H1y5KYwpJgK8wk1Cue5LLPgmwHKYSChkbspQg5JtVuR5ulGckxfR62H3AE9UDkdMC8yyXlqYihuz3Aqg2XZg== 206 | dependencies: 207 | buffers "~0.1.1" 208 | chainsaw "~0.1.0" 209 | 210 | bl@^5.0.0: 211 | version "5.1.0" 212 | resolved "https://registry.yarnpkg.com/bl/-/bl-5.1.0.tgz#183715f678c7188ecef9fe475d90209400624273" 213 | integrity sha512-tv1ZJHLfTDnXE6tMHv73YgSJaWR2AFuPwMntBe7XL/GBFHnT0CLnsHMogfk5+GzCDC5ZWarSCYaIGATZt9dNsQ== 214 | dependencies: 215 | buffer "^6.0.3" 216 | inherits "^2.0.4" 217 | readable-stream "^3.4.0" 218 | 219 | bluebird@~3.4.1: 220 | version "3.4.7" 221 | resolved "https://registry.yarnpkg.com/bluebird/-/bluebird-3.4.7.tgz#f72d760be09b7f76d08ed8fae98b289a8d05fab3" 222 | integrity sha512-iD3898SR7sWVRHbiQv+sHUtHnMvC1o3nW5rAcqnq3uOn07DSAppZYUkIGslDz6gXC7HfunPe7YVBgoEJASPcHA== 223 | 224 | brace-expansion@^1.1.7: 225 | version "1.1.11" 226 | resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.11.tgz#3c7fcbf529d87226f3d2f52b966ff5271eb441dd" 227 | integrity sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA== 228 | dependencies: 229 | balanced-match "^1.0.0" 230 | concat-map "0.0.1" 231 | 232 | brace-expansion@^2.0.1: 233 | version "2.0.1" 234 | resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-2.0.1.tgz#1edc459e0f0c548486ecf9fc99f2221364b9a0ae" 235 | integrity sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA== 236 | dependencies: 237 | balanced-match "^1.0.0" 238 | 239 | braces@~3.0.2: 240 | version "3.0.2" 241 | resolved "https://registry.yarnpkg.com/braces/-/braces-3.0.2.tgz#3454e1a462ee8d599e236df336cd9ea4f8afe107" 242 | integrity sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A== 243 | dependencies: 244 | fill-range "^7.0.1" 245 | 246 | browser-stdout@1.3.1: 247 | version "1.3.1" 248 | resolved "https://registry.yarnpkg.com/browser-stdout/-/browser-stdout-1.3.1.tgz#baa559ee14ced73452229bad7326467c61fabd60" 249 | integrity sha512-qhAVI1+Av2X7qelOfAIYwXONood6XlZE/fXaBSmW/T5SzLAmCgzi+eiWE7fUvbHaeNBQH13UftjpXxsfLkMpgw== 250 | 251 | buffer-indexof-polyfill@~1.0.0: 252 | version "1.0.2" 253 | resolved "https://registry.yarnpkg.com/buffer-indexof-polyfill/-/buffer-indexof-polyfill-1.0.2.tgz#d2732135c5999c64b277fcf9b1abe3498254729c" 254 | integrity sha512-I7wzHwA3t1/lwXQh+A5PbNvJxgfo5r3xulgpYDB5zckTu/Z9oUK9biouBKQUjEqzaz3HnAT6TYoovmE+GqSf7A== 255 | 256 | buffer@^6.0.3: 257 | version "6.0.3" 258 | resolved "https://registry.yarnpkg.com/buffer/-/buffer-6.0.3.tgz#2ace578459cc8fbe2a70aaa8f52ee63b6a74c6c6" 259 | integrity sha512-FTiCpNxtwiZZHEZbcbTIcZjERVICn9yq/pDFkTl95/AxzD1naBctN7YO68riM/gLSDY7sdrMby8hofADYuuqOA== 260 | dependencies: 261 | base64-js "^1.3.1" 262 | ieee754 "^1.2.1" 263 | 264 | buffers@~0.1.1: 265 | version "0.1.1" 266 | resolved "https://registry.yarnpkg.com/buffers/-/buffers-0.1.1.tgz#b24579c3bed4d6d396aeee6d9a8ae7f5482ab7bb" 267 | integrity sha512-9q/rDEGSb/Qsvv2qvzIzdluL5k7AaJOTrw23z9reQthrbF7is4CtlT0DXyO1oei2DCp4uojjzQ7igaSHp1kAEQ== 268 | 269 | c8@^9.1.0: 270 | version "9.1.0" 271 | resolved "https://registry.yarnpkg.com/c8/-/c8-9.1.0.tgz#0e57ba3ab9e5960ab1d650b4a86f71e53cb68112" 272 | integrity sha512-mBWcT5iqNir1zIkzSPyI3NCR9EZCVI3WUD+AVO17MVWTSFNyUueXE82qTeampNtTr+ilN/5Ua3j24LgbCKjDVg== 273 | dependencies: 274 | "@bcoe/v8-coverage" "^0.2.3" 275 | "@istanbuljs/schema" "^0.1.3" 276 | find-up "^5.0.0" 277 | foreground-child "^3.1.1" 278 | istanbul-lib-coverage "^3.2.0" 279 | istanbul-lib-report "^3.0.1" 280 | istanbul-reports "^3.1.6" 281 | test-exclude "^6.0.0" 282 | v8-to-istanbul "^9.0.0" 283 | yargs "^17.7.2" 284 | yargs-parser "^21.1.1" 285 | 286 | call-bind@^1.0.0: 287 | version "1.0.2" 288 | resolved "https://registry.yarnpkg.com/call-bind/-/call-bind-1.0.2.tgz#b1d4e89e688119c3c9a903ad30abb2f6a919be3c" 289 | integrity sha512-7O+FbCihrB5WGbFYesctwmTKae6rOiIzmz1icreWJ+0aA7LJfuqhEso2T9ncpcFtzMQtzXf2QGGueWJGTYsqrA== 290 | dependencies: 291 | function-bind "^1.1.1" 292 | get-intrinsic "^1.0.2" 293 | 294 | camelcase@^6.0.0: 295 | version "6.3.0" 296 | resolved "https://registry.yarnpkg.com/camelcase/-/camelcase-6.3.0.tgz#5685b95eb209ac9c0c177467778c9c84df58ba9a" 297 | integrity sha512-Gmy6FhYlCY7uOElZUSbxo2UCDH8owEk996gkbrpsgGtrJLM3J7jGxl9Ic7Qwwj4ivOE5AWZWRMecDdF7hqGjFA== 298 | 299 | chainsaw@~0.1.0: 300 | version "0.1.0" 301 | resolved "https://registry.yarnpkg.com/chainsaw/-/chainsaw-0.1.0.tgz#5eab50b28afe58074d0d58291388828b5e5fbc98" 302 | integrity sha512-75kWfWt6MEKNC8xYXIdRpDehRYY/tNSgwKaJq+dbbDcxORuVrrQ+SEHoWsniVn9XPYfP4gmdWIeDk/4YNp1rNQ== 303 | dependencies: 304 | traverse ">=0.3.0 <0.4" 305 | 306 | chalk@^4.1.0: 307 | version "4.1.2" 308 | resolved "https://registry.yarnpkg.com/chalk/-/chalk-4.1.2.tgz#aac4e2b7734a740867aeb16bf02aad556a1e7a01" 309 | integrity sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA== 310 | dependencies: 311 | ansi-styles "^4.1.0" 312 | supports-color "^7.1.0" 313 | 314 | chalk@^5.0.0, chalk@^5.3.0: 315 | version "5.3.0" 316 | resolved "https://registry.yarnpkg.com/chalk/-/chalk-5.3.0.tgz#67c20a7ebef70e7f3970a01f90fa210cb6860385" 317 | integrity sha512-dLitG79d+GV1Nb/VYcCDFivJeK1hiukt9QjRNVOsUtTy1rR1YJsmpGGTZ3qJos+uw7WmWF4wUwBd9jxjocFC2w== 318 | 319 | chokidar@3.5.3: 320 | version "3.5.3" 321 | resolved "https://registry.yarnpkg.com/chokidar/-/chokidar-3.5.3.tgz#1cf37c8707b932bd1af1ae22c0432e2acd1903bd" 322 | integrity sha512-Dr3sfKRP6oTcjf2JmUmFJfeVMvXBdegxB0iVQ5eb2V10uFJUCAS8OByZdVAyVb8xXNz3GjjTgj9kLWsZTqE6kw== 323 | dependencies: 324 | anymatch "~3.1.2" 325 | braces "~3.0.2" 326 | glob-parent "~5.1.2" 327 | is-binary-path "~2.1.0" 328 | is-glob "~4.0.1" 329 | normalize-path "~3.0.0" 330 | readdirp "~3.6.0" 331 | optionalDependencies: 332 | fsevents "~2.3.2" 333 | 334 | chokidar@^3.5.3: 335 | version "3.6.0" 336 | resolved "https://registry.yarnpkg.com/chokidar/-/chokidar-3.6.0.tgz#197c6cc669ef2a8dc5e7b4d97ee4e092c3eb0d5b" 337 | integrity sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw== 338 | dependencies: 339 | anymatch "~3.1.2" 340 | braces "~3.0.2" 341 | glob-parent "~5.1.2" 342 | is-binary-path "~2.1.0" 343 | is-glob "~4.0.1" 344 | normalize-path "~3.0.0" 345 | readdirp "~3.6.0" 346 | optionalDependencies: 347 | fsevents "~2.3.2" 348 | 349 | cli-cursor@^4.0.0: 350 | version "4.0.0" 351 | resolved "https://registry.yarnpkg.com/cli-cursor/-/cli-cursor-4.0.0.tgz#3cecfe3734bf4fe02a8361cbdc0f6fe28c6a57ea" 352 | integrity sha512-VGtlMu3x/4DOtIUwEkRezxUZ2lBacNJCHash0N0WeZDBS+7Ux1dm3XWAgWYxLJFMMdOeXMHXorshEFhbMSGelg== 353 | dependencies: 354 | restore-cursor "^4.0.0" 355 | 356 | cli-spinners@^2.9.0: 357 | version "2.9.2" 358 | resolved "https://registry.yarnpkg.com/cli-spinners/-/cli-spinners-2.9.2.tgz#1773a8f4b9c4d6ac31563df53b3fc1d79462fe41" 359 | integrity sha512-ywqV+5MmyL4E7ybXgKys4DugZbX0FC6LnwrhjuykIjnK9k8OQacQ7axGKnjDXWNhns0xot3bZI5h55H8yo9cJg== 360 | 361 | cliui@^7.0.2: 362 | version "7.0.4" 363 | resolved "https://registry.yarnpkg.com/cliui/-/cliui-7.0.4.tgz#a0265ee655476fc807aea9df3df8df7783808b4f" 364 | integrity sha512-OcRE68cOsVMXp1Yvonl/fzkQOyjLSu/8bhPDfQt0e0/Eb283TKP20Fs2MqoPsr9SwA595rRCA+QMzYc9nBP+JQ== 365 | dependencies: 366 | string-width "^4.2.0" 367 | strip-ansi "^6.0.0" 368 | wrap-ansi "^7.0.0" 369 | 370 | cliui@^8.0.1: 371 | version "8.0.1" 372 | resolved "https://registry.yarnpkg.com/cliui/-/cliui-8.0.1.tgz#0c04b075db02cbfe60dc8e6cf2f5486b1a3608aa" 373 | integrity sha512-BSeNnyus75C4//NQ9gQt1/csTXyo/8Sb+afLAkzAptFuMsod9HFokGNudZpi/oQV73hnVK+sR+5PVRMd+Dr7YQ== 374 | dependencies: 375 | string-width "^4.2.0" 376 | strip-ansi "^6.0.1" 377 | wrap-ansi "^7.0.0" 378 | 379 | color-convert@^2.0.1: 380 | version "2.0.1" 381 | resolved "https://registry.yarnpkg.com/color-convert/-/color-convert-2.0.1.tgz#72d3a68d598c9bdb3af2ad1e84f21d896abd4de3" 382 | integrity sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ== 383 | dependencies: 384 | color-name "~1.1.4" 385 | 386 | color-name@~1.1.4: 387 | version "1.1.4" 388 | resolved "https://registry.yarnpkg.com/color-name/-/color-name-1.1.4.tgz#c2a09a87acbde69543de6f63fa3995c826c536a2" 389 | integrity sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA== 390 | 391 | concat-map@0.0.1: 392 | version "0.0.1" 393 | resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b" 394 | integrity sha1-2Klr13/Wjfd5OnMDajug1UBdR3s= 395 | 396 | convert-source-map@^2.0.0: 397 | version "2.0.0" 398 | resolved "https://registry.yarnpkg.com/convert-source-map/-/convert-source-map-2.0.0.tgz#4b560f649fc4e918dd0ab75cf4961e8bc882d82a" 399 | integrity sha512-Kvp459HrV2FEJ1CAsi1Ku+MY3kasH19TFykTz2xWmMeq6bk2NU3XXvfJ+Q61m0xktWwt+1HSYf3JZsTms3aRJg== 400 | 401 | core-util-is@~1.0.0: 402 | version "1.0.2" 403 | resolved "https://registry.yarnpkg.com/core-util-is/-/core-util-is-1.0.2.tgz#b5fd54220aa2bc5ab57aab7140c940754503c1a7" 404 | integrity sha1-tf1UIgqivFq1eqtxQMlAdUUDwac= 405 | 406 | cross-spawn@^7.0.0: 407 | version "7.0.3" 408 | resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-7.0.3.tgz#f73a85b9d5d41d045551c177e2882d4ac85728a6" 409 | integrity sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w== 410 | dependencies: 411 | path-key "^3.1.0" 412 | shebang-command "^2.0.0" 413 | which "^2.0.1" 414 | 415 | debug@4: 416 | version "4.3.1" 417 | resolved "https://registry.yarnpkg.com/debug/-/debug-4.3.1.tgz#f0d229c505e0c6d8c49ac553d1b13dc183f6b2ee" 418 | integrity sha512-doEwdvm4PCeK4K3RQN2ZC2BYUBaxwLARCqZmMjtF8a51J2Rb0xpVloFRnCODwqjpwnAoao4pelN8l3RJdv3gRQ== 419 | dependencies: 420 | ms "2.1.2" 421 | 422 | debug@4.3.4: 423 | version "4.3.4" 424 | resolved "https://registry.yarnpkg.com/debug/-/debug-4.3.4.tgz#1319f6579357f2338d3337d2cdd4914bb5dcc865" 425 | integrity sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ== 426 | dependencies: 427 | ms "2.1.2" 428 | 429 | debug@^4.3.4: 430 | version "4.3.5" 431 | resolved "https://registry.yarnpkg.com/debug/-/debug-4.3.5.tgz#e83444eceb9fedd4a1da56d671ae2446a01a6e1e" 432 | integrity sha512-pt0bNEmneDIvdL1Xsd9oDQ/wrQRkXDT4AUWlNZNPKvW5x/jyO9VFXkJUP07vQ2upmw5PlaITaPKc31jK13V+jg== 433 | dependencies: 434 | ms "2.1.2" 435 | 436 | decamelize@^4.0.0: 437 | version "4.0.0" 438 | resolved "https://registry.yarnpkg.com/decamelize/-/decamelize-4.0.0.tgz#aa472d7bf660eb15f3494efd531cab7f2a709837" 439 | integrity sha512-9iE1PgSik9HeIIw2JO94IidnE3eBoQrFJ3w7sFuzSX4DpmZ3v5sZpUiV5Swcf6mQEF+Y0ru8Neo+p+nyh2J+hQ== 440 | 441 | decode-uri-component@^0.2.0: 442 | version "0.2.0" 443 | resolved "https://registry.yarnpkg.com/decode-uri-component/-/decode-uri-component-0.2.0.tgz#eb3913333458775cb84cd1a1fae062106bb87545" 444 | integrity sha1-6zkTMzRYd1y4TNGh+uBiEGu4dUU= 445 | 446 | diff@5.0.0: 447 | version "5.0.0" 448 | resolved "https://registry.yarnpkg.com/diff/-/diff-5.0.0.tgz#7ed6ad76d859d030787ec35855f5b1daf31d852b" 449 | integrity sha512-/VTCrvm5Z0JGty/BWHljh+BAiw3IK+2j87NGMu8Nwc/f48WoDAC395uomO9ZD117ZOBaHmkX1oyLvkVM/aIT3w== 450 | 451 | duplexer2@~0.1.4: 452 | version "0.1.4" 453 | resolved "https://registry.yarnpkg.com/duplexer2/-/duplexer2-0.1.4.tgz#8b12dab878c0d69e3e7891051662a32fc6bddcc1" 454 | integrity sha512-asLFVfWWtJ90ZyOUHMqk7/S2w2guQKxUI2itj3d92ADHhxUSbCMGi1f1cBcJ7xM1To+pE/Khbwo1yuNbMEPKeA== 455 | dependencies: 456 | readable-stream "^2.0.2" 457 | 458 | eastasianwidth@^0.2.0: 459 | version "0.2.0" 460 | resolved "https://registry.yarnpkg.com/eastasianwidth/-/eastasianwidth-0.2.0.tgz#696ce2ec0aa0e6ea93a397ffcf24aa7840c827cb" 461 | integrity sha512-I88TYZWc9XiYHRQ4/3c5rjjfgkjhLyW2luGIheGERbNQ6OY7yTybanSpDXZa8y7VUP9YmDcYa+eyq4ca7iLqWA== 462 | 463 | emoji-regex@^10.2.1: 464 | version "10.3.0" 465 | resolved "https://registry.yarnpkg.com/emoji-regex/-/emoji-regex-10.3.0.tgz#76998b9268409eb3dae3de989254d456e70cfe23" 466 | integrity sha512-QpLs9D9v9kArv4lfDEgg1X/gN5XLnf/A6l9cs8SPZLRZR3ZkY9+kwIQTxm+fsSej5UMYGE8fdoaZVIBlqG0XTw== 467 | 468 | emoji-regex@^8.0.0: 469 | version "8.0.0" 470 | resolved "https://registry.yarnpkg.com/emoji-regex/-/emoji-regex-8.0.0.tgz#e818fd69ce5ccfcb404594f842963bf53164cc37" 471 | integrity sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A== 472 | 473 | emoji-regex@^9.2.2: 474 | version "9.2.2" 475 | resolved "https://registry.yarnpkg.com/emoji-regex/-/emoji-regex-9.2.2.tgz#840c8803b0d8047f4ff0cf963176b32d4ef3ed72" 476 | integrity sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg== 477 | 478 | enhanced-resolve@^5.15.0: 479 | version "5.16.1" 480 | resolved "https://registry.yarnpkg.com/enhanced-resolve/-/enhanced-resolve-5.16.1.tgz#e8bc63d51b826d6f1cbc0a150ecb5a8b0c62e567" 481 | integrity sha512-4U5pNsuDl0EhuZpq46M5xPslstkviJuhrdobaRDBk2Jy2KO37FDAJl4lb2KlNabxT0m4MTK2UHNrsAcphE8nyw== 482 | dependencies: 483 | graceful-fs "^4.2.4" 484 | tapable "^2.2.0" 485 | 486 | esbuild@^0.11.12: 487 | version "0.11.23" 488 | resolved "https://registry.yarnpkg.com/esbuild/-/esbuild-0.11.23.tgz#c42534f632e165120671d64db67883634333b4b8" 489 | integrity sha512-iaiZZ9vUF5wJV8ob1tl+5aJTrwDczlvGP0JoMmnpC2B0ppiMCu8n8gmy5ZTGl5bcG081XBVn+U+jP+mPFm5T5Q== 490 | 491 | escalade@^3.1.1: 492 | version "3.1.2" 493 | resolved "https://registry.yarnpkg.com/escalade/-/escalade-3.1.2.tgz#54076e9ab29ea5bf3d8f1ed62acffbb88272df27" 494 | integrity sha512-ErCHMCae19vR8vQGe50xIsVomy19rg6gFu3+r3jkEO46suLMWBksvVyoGgQV+jOfl84ZSOSlmv6Gxa89PmTGmA== 495 | 496 | escape-string-regexp@4.0.0: 497 | version "4.0.0" 498 | resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz#14ba83a5d373e3d311e5afca29cf5bfad965bf34" 499 | integrity sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA== 500 | 501 | fill-range@^7.0.1: 502 | version "7.0.1" 503 | resolved "https://registry.yarnpkg.com/fill-range/-/fill-range-7.0.1.tgz#1919a6a7c75fe38b2c7c77e5198535da9acdda40" 504 | integrity sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ== 505 | dependencies: 506 | to-regex-range "^5.0.1" 507 | 508 | filter-obj@^1.1.0: 509 | version "1.1.0" 510 | resolved "https://registry.yarnpkg.com/filter-obj/-/filter-obj-1.1.0.tgz#9b311112bc6c6127a16e016c6c5d7f19e0805c5b" 511 | integrity sha1-mzERErxsYSehbgFsbF1/GeCAXFs= 512 | 513 | find-up@5.0.0, find-up@^5.0.0: 514 | version "5.0.0" 515 | resolved "https://registry.yarnpkg.com/find-up/-/find-up-5.0.0.tgz#4c92819ecb7083561e4f4a240a86be5198f536fc" 516 | integrity sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng== 517 | dependencies: 518 | locate-path "^6.0.0" 519 | path-exists "^4.0.0" 520 | 521 | flat@^5.0.2: 522 | version "5.0.2" 523 | resolved "https://registry.yarnpkg.com/flat/-/flat-5.0.2.tgz#8ca6fe332069ffa9d324c327198c598259ceb241" 524 | integrity sha512-b6suED+5/3rTpUBdG1gupIl8MPFCAMA0QXwmljLhvCUKcUvdE4gWky9zpuGCcXHOsz4J9wPGNWq6OKpmIzz3hQ== 525 | 526 | foreground-child@^3.1.0, foreground-child@^3.1.1: 527 | version "3.1.1" 528 | resolved "https://registry.yarnpkg.com/foreground-child/-/foreground-child-3.1.1.tgz#1d173e776d75d2772fed08efe4a0de1ea1b12d0d" 529 | integrity sha512-TMKDUnIte6bfb5nWv7V/caI169OHgvwjb7V4WkeUvbQQdjr5rWKqHFiKWb/fcOwB+CzBT+qbWjvj+DVwRskpIg== 530 | dependencies: 531 | cross-spawn "^7.0.0" 532 | signal-exit "^4.0.1" 533 | 534 | fs.realpath@^1.0.0: 535 | version "1.0.0" 536 | resolved "https://registry.yarnpkg.com/fs.realpath/-/fs.realpath-1.0.0.tgz#1504ad2523158caa40db4a2787cb01411994ea4f" 537 | integrity sha1-FQStJSMVjKpA20onh8sBQRmU6k8= 538 | 539 | fsevents@~2.3.2: 540 | version "2.3.3" 541 | resolved "https://registry.yarnpkg.com/fsevents/-/fsevents-2.3.3.tgz#cac6407785d03675a2a5e1a5305c697b347d90d6" 542 | integrity sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw== 543 | 544 | fstream@^1.0.12: 545 | version "1.0.12" 546 | resolved "https://registry.yarnpkg.com/fstream/-/fstream-1.0.12.tgz#4e8ba8ee2d48be4f7d0de505455548eae5932045" 547 | integrity sha512-WvJ193OHa0GHPEL+AycEJgxvBEwyfRkN1vhjca23OaPVMCaLCXTd5qAu82AjTcgP1UJmytkOKb63Ypde7raDIg== 548 | dependencies: 549 | graceful-fs "^4.1.2" 550 | inherits "~2.0.0" 551 | mkdirp ">=0.5 0" 552 | rimraf "2" 553 | 554 | function-bind@^1.1.1: 555 | version "1.1.1" 556 | resolved "https://registry.yarnpkg.com/function-bind/-/function-bind-1.1.1.tgz#a56899d3ea3c9bab874bb9773b7c5ede92f4895d" 557 | integrity sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A== 558 | 559 | get-caller-file@^2.0.5: 560 | version "2.0.5" 561 | resolved "https://registry.yarnpkg.com/get-caller-file/-/get-caller-file-2.0.5.tgz#4f94412a82db32f36e3b0b9741f8a97feb031f7e" 562 | integrity sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg== 563 | 564 | get-intrinsic@^1.0.2: 565 | version "1.1.1" 566 | resolved "https://registry.yarnpkg.com/get-intrinsic/-/get-intrinsic-1.1.1.tgz#15f59f376f855c446963948f0d24cd3637b4abc6" 567 | integrity sha512-kWZrnVM42QCiEA2Ig1bG8zjoIMOgxWwYCEeNdwY6Tv/cOSeGpcoX4pXHfKUxNKVoArnrEr2e9srnAxxGIraS9Q== 568 | dependencies: 569 | function-bind "^1.1.1" 570 | has "^1.0.3" 571 | has-symbols "^1.0.1" 572 | 573 | git-up@^4.0.0: 574 | version "4.0.5" 575 | resolved "https://registry.yarnpkg.com/git-up/-/git-up-4.0.5.tgz#e7bb70981a37ea2fb8fe049669800a1f9a01d759" 576 | integrity sha512-YUvVDg/vX3d0syBsk/CKUTib0srcQME0JyHkL5BaYdwLsiCslPWmDSi8PUMo9pXYjrryMcmsCoCgsTpSCJEQaA== 577 | dependencies: 578 | is-ssh "^1.3.0" 579 | parse-url "^6.0.0" 580 | 581 | git-url-parse@^11.6.0: 582 | version "11.6.0" 583 | resolved "https://registry.yarnpkg.com/git-url-parse/-/git-url-parse-11.6.0.tgz#c634b8de7faa66498a2b88932df31702c67df605" 584 | integrity sha512-WWUxvJs5HsyHL6L08wOusa/IXYtMuCAhrMmnTjQPpBU0TTHyDhnOATNH3xNQz7YOQUsqIIPTGr4xiVti1Hsk5g== 585 | dependencies: 586 | git-up "^4.0.0" 587 | 588 | gitconfiglocal@^2.1.0: 589 | version "2.1.0" 590 | resolved "https://registry.yarnpkg.com/gitconfiglocal/-/gitconfiglocal-2.1.0.tgz#07c28685c55cc5338b27b5acbcfe34aeb92e43d1" 591 | integrity sha512-qoerOEliJn3z+Zyn1HW2F6eoYJqKwS6MgC9cztTLUB/xLWX8gD/6T60pKn4+t/d6tP7JlybI7Z3z+I572CR/Vg== 592 | dependencies: 593 | ini "^1.3.2" 594 | 595 | glob-parent@~5.1.2: 596 | version "5.1.2" 597 | resolved "https://registry.yarnpkg.com/glob-parent/-/glob-parent-5.1.2.tgz#869832c58034fe68a4093c17dc15e8340d8401c4" 598 | integrity sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow== 599 | dependencies: 600 | is-glob "^4.0.1" 601 | 602 | glob@8.1.0: 603 | version "8.1.0" 604 | resolved "https://registry.yarnpkg.com/glob/-/glob-8.1.0.tgz#d388f656593ef708ee3e34640fdfb99a9fd1c33e" 605 | integrity sha512-r8hpEjiQEYlF2QU0df3dS+nxxSIreXQS1qRhMJM0Q5NDdR386C7jb7Hwwod8Fgiuex+k0GFjgft18yvxm5XoCQ== 606 | dependencies: 607 | fs.realpath "^1.0.0" 608 | inflight "^1.0.4" 609 | inherits "2" 610 | minimatch "^5.0.1" 611 | once "^1.3.0" 612 | 613 | glob@^10.3.10: 614 | version "10.4.1" 615 | resolved "https://registry.yarnpkg.com/glob/-/glob-10.4.1.tgz#0cfb01ab6a6b438177bfe6a58e2576f6efe909c2" 616 | integrity sha512-2jelhlq3E4ho74ZyVLN03oKdAZVUa6UDZzFLVH1H7dnoax+y9qyaq8zBkfDIggjniU19z0wU18y16jMB2eyVIw== 617 | dependencies: 618 | foreground-child "^3.1.0" 619 | jackspeak "^3.1.2" 620 | minimatch "^9.0.4" 621 | minipass "^7.1.2" 622 | path-scurry "^1.11.1" 623 | 624 | glob@^7.1.3, glob@^7.1.4: 625 | version "7.2.3" 626 | resolved "https://registry.yarnpkg.com/glob/-/glob-7.2.3.tgz#b8df0fb802bbfa8e89bd1d938b4e16578ed44f2b" 627 | integrity sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q== 628 | dependencies: 629 | fs.realpath "^1.0.0" 630 | inflight "^1.0.4" 631 | inherits "2" 632 | minimatch "^3.1.1" 633 | once "^1.3.0" 634 | path-is-absolute "^1.0.0" 635 | 636 | graceful-fs@^4.1.2, graceful-fs@^4.2.2, graceful-fs@^4.2.4: 637 | version "4.2.11" 638 | resolved "https://registry.yarnpkg.com/graceful-fs/-/graceful-fs-4.2.11.tgz#4183e4e8bf08bb6e05bbb2f7d2e0c8f712ca40e3" 639 | integrity sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ== 640 | 641 | has-flag@^4.0.0: 642 | version "4.0.0" 643 | resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-4.0.0.tgz#944771fd9c81c81265c4d6941860da06bb59479b" 644 | integrity sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ== 645 | 646 | has-symbols@^1.0.1: 647 | version "1.0.2" 648 | resolved "https://registry.yarnpkg.com/has-symbols/-/has-symbols-1.0.2.tgz#165d3070c00309752a1236a479331e3ac56f1423" 649 | integrity sha512-chXa79rL/UC2KlX17jo3vRGz0azaWEx5tGqZg5pO3NUyEJVB17dMruQlzCCOfUvElghKcm5194+BCRvi2Rv/Gw== 650 | 651 | has@^1.0.3: 652 | version "1.0.3" 653 | resolved "https://registry.yarnpkg.com/has/-/has-1.0.3.tgz#722d7cbfc1f6aa8241f16dd814e011e1f41e8796" 654 | integrity sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw== 655 | dependencies: 656 | function-bind "^1.1.1" 657 | 658 | he@1.2.0: 659 | version "1.2.0" 660 | resolved "https://registry.yarnpkg.com/he/-/he-1.2.0.tgz#84ae65fa7eafb165fddb61566ae14baf05664f0f" 661 | integrity sha512-F/1DnUGPopORZi0ni+CvrCgHQ5FyEAHRLSApuYWMmrbSwoN2Mn/7k+Gl38gJnR7yyDZk6WLXwiGod1JOWNDKGw== 662 | 663 | html-escaper@^2.0.0: 664 | version "2.0.2" 665 | resolved "https://registry.yarnpkg.com/html-escaper/-/html-escaper-2.0.2.tgz#dfd60027da36a36dfcbe236262c00a5822681453" 666 | integrity sha512-H2iMtd0I4Mt5eYiapRdIDjp+XzelXQ0tFE4JS7YFwFevXXMmOp9myNrUvCg0D6ws8iqkRPBfKHgbwig1SmlLfg== 667 | 668 | http-proxy-agent@^4.0.1: 669 | version "4.0.1" 670 | resolved "https://registry.yarnpkg.com/http-proxy-agent/-/http-proxy-agent-4.0.1.tgz#8a8c8ef7f5932ccf953c296ca8291b95aa74aa3a" 671 | integrity sha512-k0zdNgqWTGA6aeIRVpvfVob4fL52dTfaehylg0Y4UvSySvOq/Y+BOyPrgpUrA7HylqvU8vIZGsRuXmspskV0Tg== 672 | dependencies: 673 | "@tootallnate/once" "1" 674 | agent-base "6" 675 | debug "4" 676 | 677 | http-proxy-agent@^7.0.2: 678 | version "7.0.2" 679 | resolved "https://registry.yarnpkg.com/http-proxy-agent/-/http-proxy-agent-7.0.2.tgz#9a8b1f246866c028509486585f62b8f2c18c270e" 680 | integrity sha512-T1gkAiYYDWYx3V5Bmyu7HcfcvL7mUrTWiM6yOfa3PIphViJ/gFPbvidQ+veqSOHci/PxBcDabeUNCzpOODJZig== 681 | dependencies: 682 | agent-base "^7.1.0" 683 | debug "^4.3.4" 684 | 685 | https-proxy-agent@^5.0.0: 686 | version "5.0.1" 687 | resolved "https://registry.yarnpkg.com/https-proxy-agent/-/https-proxy-agent-5.0.1.tgz#c59ef224a04fe8b754f3db0063a25ea30d0005d6" 688 | integrity sha512-dFcAjpTQFgoLMzC2VwU+C/CbS7uRL0lWmxDITmqm7C+7F0Odmj6s9l6alZc6AELXhrnggM2CeWSXHGOdX2YtwA== 689 | dependencies: 690 | agent-base "6" 691 | debug "4" 692 | 693 | https-proxy-agent@^7.0.4: 694 | version "7.0.4" 695 | resolved "https://registry.yarnpkg.com/https-proxy-agent/-/https-proxy-agent-7.0.4.tgz#8e97b841a029ad8ddc8731f26595bad868cb4168" 696 | integrity sha512-wlwpilI7YdjSkWaQ/7omYBMTliDcmCN8OLihO6I9B86g06lMyAoqgoDpV0XqoaPOKj+0DIdAvnsWfyAAhmimcg== 697 | dependencies: 698 | agent-base "^7.0.2" 699 | debug "4" 700 | 701 | ieee754@^1.2.1: 702 | version "1.2.1" 703 | resolved "https://registry.yarnpkg.com/ieee754/-/ieee754-1.2.1.tgz#8eb7a10a63fff25d15a57b001586d177d1b0d352" 704 | integrity sha512-dcyqhDvX1C46lXZcVqCpK+FtMRQVdIMN6/Df5js2zouUsqG7I6sFxitIC+7KYK29KdXOLHdu9zL4sFnoVQnqaA== 705 | 706 | immediate@~3.0.5: 707 | version "3.0.6" 708 | resolved "https://registry.yarnpkg.com/immediate/-/immediate-3.0.6.tgz#9db1dbd0faf8de6fbe0f5dd5e56bb606280de69b" 709 | integrity sha512-XXOFtyqDjNDAQxVfYxuF7g9Il/IbWmmlQg2MYKOH8ExIT1qg6xc4zyS3HaEEATgs1btfzxq15ciUiY7gjSXRGQ== 710 | 711 | inflight@^1.0.4: 712 | version "1.0.6" 713 | resolved "https://registry.yarnpkg.com/inflight/-/inflight-1.0.6.tgz#49bd6331d7d02d0c09bc910a1075ba8165b56df9" 714 | integrity sha1-Sb1jMdfQLQwJvJEKEHW6gWW1bfk= 715 | dependencies: 716 | once "^1.3.0" 717 | wrappy "1" 718 | 719 | inherits@2, inherits@^2.0.3, inherits@^2.0.4, inherits@~2.0.0, inherits@~2.0.3: 720 | version "2.0.4" 721 | resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.4.tgz#0fa2c64f932917c3433a0ded55363aae37416b7c" 722 | integrity sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ== 723 | 724 | ini@^1.3.2, ini@^1.3.5: 725 | version "1.3.8" 726 | resolved "https://registry.yarnpkg.com/ini/-/ini-1.3.8.tgz#a29da425b48806f34767a4efce397269af28432c" 727 | integrity sha512-JV/yugV2uzW5iMRSiZAyDtQd+nxtUnjeLt0acNdw98kKLrvuRVyB80tsREOE7yvGVgalhZ6RNXCmEHkUKBKxew== 728 | 729 | is-binary-path@~2.1.0: 730 | version "2.1.0" 731 | resolved "https://registry.yarnpkg.com/is-binary-path/-/is-binary-path-2.1.0.tgz#ea1f7f3b80f064236e83470f86c09c254fb45b09" 732 | integrity sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw== 733 | dependencies: 734 | binary-extensions "^2.0.0" 735 | 736 | is-extglob@^2.1.1: 737 | version "2.1.1" 738 | resolved "https://registry.yarnpkg.com/is-extglob/-/is-extglob-2.1.1.tgz#a88c02535791f02ed37c76a1b9ea9773c833f8c2" 739 | integrity sha1-qIwCU1eR8C7TfHahueqXc8gz+MI= 740 | 741 | is-fullwidth-code-point@^3.0.0: 742 | version "3.0.0" 743 | resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz#f116f8064fe90b3f7844a38997c0b75051269f1d" 744 | integrity sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg== 745 | 746 | is-glob@^4.0.1, is-glob@~4.0.1: 747 | version "4.0.1" 748 | resolved "https://registry.yarnpkg.com/is-glob/-/is-glob-4.0.1.tgz#7567dbe9f2f5e2467bc77ab83c4a29482407a5dc" 749 | integrity sha512-5G0tKtBTFImOqDnLB2hG6Bp2qcKEFduo4tZu9MT/H6NQv/ghhy30o55ufafxJ/LdH79LLs2Kfrn85TLKyA7BUg== 750 | dependencies: 751 | is-extglob "^2.1.1" 752 | 753 | is-interactive@^2.0.0: 754 | version "2.0.0" 755 | resolved "https://registry.yarnpkg.com/is-interactive/-/is-interactive-2.0.0.tgz#40c57614593826da1100ade6059778d597f16e90" 756 | integrity sha512-qP1vozQRI+BMOPcjFzrjXuQvdak2pHNUMZoeG2eRbiSqyvbEf/wQtEOTOX1guk6E3t36RkaqiSt8A/6YElNxLQ== 757 | 758 | is-number@^7.0.0: 759 | version "7.0.0" 760 | resolved "https://registry.yarnpkg.com/is-number/-/is-number-7.0.0.tgz#7535345b896734d5f80c4d06c50955527a14f12b" 761 | integrity sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng== 762 | 763 | is-plain-obj@^2.1.0: 764 | version "2.1.0" 765 | resolved "https://registry.yarnpkg.com/is-plain-obj/-/is-plain-obj-2.1.0.tgz#45e42e37fccf1f40da8e5f76ee21515840c09287" 766 | integrity sha512-YWnfyRwxL/+SsrWYfOpUtz5b3YD+nyfkHvjbcanzk8zgyO4ASD67uVMRt8k5bM4lLMDnXfriRhOpemw+NfT1eA== 767 | 768 | is-ssh@^1.3.0: 769 | version "1.3.3" 770 | resolved "https://registry.yarnpkg.com/is-ssh/-/is-ssh-1.3.3.tgz#7f133285ccd7f2c2c7fc897b771b53d95a2b2c7e" 771 | integrity sha512-NKzJmQzJfEEma3w5cJNcUMxoXfDjz0Zj0eyCalHn2E6VOwlzjZo0yuO2fcBSf8zhFuVCL/82/r5gRcoi6aEPVQ== 772 | dependencies: 773 | protocols "^1.1.0" 774 | 775 | is-unicode-supported@^0.1.0: 776 | version "0.1.0" 777 | resolved "https://registry.yarnpkg.com/is-unicode-supported/-/is-unicode-supported-0.1.0.tgz#3f26c76a809593b52bfa2ecb5710ed2779b522a7" 778 | integrity sha512-knxG2q4UC3u8stRGyAVJCOdxFmv5DZiRcdlIaAQXAbSfJya+OhopNotLQrstBhququ4ZpuKbDc/8S6mgXgPFPw== 779 | 780 | is-unicode-supported@^1.1.0, is-unicode-supported@^1.3.0: 781 | version "1.3.0" 782 | resolved "https://registry.yarnpkg.com/is-unicode-supported/-/is-unicode-supported-1.3.0.tgz#d824984b616c292a2e198207d4a609983842f714" 783 | integrity sha512-43r2mRvz+8JRIKnWJ+3j8JtjRKZ6GmjzfaE/qiBJnikNnYv/6bagRJ1kUhNk8R5EX/GkobD+r+sfxCPJsiKBLQ== 784 | 785 | isarray@~1.0.0: 786 | version "1.0.0" 787 | resolved "https://registry.yarnpkg.com/isarray/-/isarray-1.0.0.tgz#bb935d48582cba168c06834957a54a3e07124f11" 788 | integrity sha1-u5NdSFgsuhaMBoNJV6VKPgcSTxE= 789 | 790 | isexe@^2.0.0: 791 | version "2.0.0" 792 | resolved "https://registry.yarnpkg.com/isexe/-/isexe-2.0.0.tgz#e8fbf374dc556ff8947a10dcb0572d633f2cfa10" 793 | integrity sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw== 794 | 795 | istanbul-lib-coverage@^3.0.0, istanbul-lib-coverage@^3.2.0: 796 | version "3.2.2" 797 | resolved "https://registry.yarnpkg.com/istanbul-lib-coverage/-/istanbul-lib-coverage-3.2.2.tgz#2d166c4b0644d43a39f04bf6c2edd1e585f31756" 798 | integrity sha512-O8dpsF+r0WV/8MNRKfnmrtCWhuKjxrq2w+jpzBL5UZKTi2LeVWnWOmWRxFlesJONmc+wLAGvKQZEOanko0LFTg== 799 | 800 | istanbul-lib-report@^3.0.0, istanbul-lib-report@^3.0.1: 801 | version "3.0.1" 802 | resolved "https://registry.yarnpkg.com/istanbul-lib-report/-/istanbul-lib-report-3.0.1.tgz#908305bac9a5bd175ac6a74489eafd0fc2445a7d" 803 | integrity sha512-GCfE1mtsHGOELCU8e/Z7YWzpmybrx/+dSTfLrvY8qRmaY6zXTKWn6WQIjaAFw069icm6GVMNkgu0NzI4iPZUNw== 804 | dependencies: 805 | istanbul-lib-coverage "^3.0.0" 806 | make-dir "^4.0.0" 807 | supports-color "^7.1.0" 808 | 809 | istanbul-reports@^3.1.6: 810 | version "3.1.7" 811 | resolved "https://registry.yarnpkg.com/istanbul-reports/-/istanbul-reports-3.1.7.tgz#daed12b9e1dca518e15c056e1e537e741280fa0b" 812 | integrity sha512-BewmUXImeuRk2YY0PVbxgKAysvhRPUQE0h5QRM++nVWyubKGV0l8qQ5op8+B2DOmwSe63Jivj0BjkPQVf8fP5g== 813 | dependencies: 814 | html-escaper "^2.0.0" 815 | istanbul-lib-report "^3.0.0" 816 | 817 | jackspeak@^3.1.2: 818 | version "3.1.2" 819 | resolved "https://registry.yarnpkg.com/jackspeak/-/jackspeak-3.1.2.tgz#eada67ea949c6b71de50f1b09c92a961897b90ab" 820 | integrity sha512-kWmLKn2tRtfYMF/BakihVVRzBKOxz4gJMiL2Rj91WnAB5TPZumSH99R/Yf1qE1u4uRimvCSJfm6hnxohXeEXjQ== 821 | dependencies: 822 | "@isaacs/cliui" "^8.0.2" 823 | optionalDependencies: 824 | "@pkgjs/parseargs" "^0.11.0" 825 | 826 | js-yaml@4.1.0: 827 | version "4.1.0" 828 | resolved "https://registry.yarnpkg.com/js-yaml/-/js-yaml-4.1.0.tgz#c1fb65f8f5017901cdd2c951864ba18458a10602" 829 | integrity sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA== 830 | dependencies: 831 | argparse "^2.0.1" 832 | 833 | jszip@^3.10.1: 834 | version "3.10.1" 835 | resolved "https://registry.yarnpkg.com/jszip/-/jszip-3.10.1.tgz#34aee70eb18ea1faec2f589208a157d1feb091c2" 836 | integrity sha512-xXDvecyTpGLrqFrvkrUSoxxfJI5AH7U8zxxtVclpsUtMCq4JQ290LY8AW5c7Ggnr/Y/oK+bQMbqK2qmtk3pN4g== 837 | dependencies: 838 | lie "~3.3.0" 839 | pako "~1.0.2" 840 | readable-stream "~2.3.6" 841 | setimmediate "^1.0.5" 842 | 843 | lie@~3.3.0: 844 | version "3.3.0" 845 | resolved "https://registry.yarnpkg.com/lie/-/lie-3.3.0.tgz#dcf82dee545f46074daf200c7c1c5a08e0f40f6a" 846 | integrity sha512-UaiMJzeWRlEujzAuw5LokY1L5ecNQYZKfmyZ9L7wDHb/p5etKaxXhohBcrw0EYby+G/NA52vRSN4N39dxHAIwQ== 847 | dependencies: 848 | immediate "~3.0.5" 849 | 850 | listenercount@~1.0.1: 851 | version "1.0.1" 852 | resolved "https://registry.yarnpkg.com/listenercount/-/listenercount-1.0.1.tgz#84c8a72ab59c4725321480c975e6508342e70937" 853 | integrity sha512-3mk/Zag0+IJxeDrxSgaDPy4zZ3w05PRZeJNnlWhzFz5OkX49J4krc+A8X2d2M69vGMBEX0uyl8M+W+8gH+kBqQ== 854 | 855 | locate-path@^6.0.0: 856 | version "6.0.0" 857 | resolved "https://registry.yarnpkg.com/locate-path/-/locate-path-6.0.0.tgz#55321eb309febbc59c4801d931a72452a681d286" 858 | integrity sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw== 859 | dependencies: 860 | p-locate "^5.0.0" 861 | 862 | lodash@^4.17.21: 863 | version "4.17.21" 864 | resolved "https://registry.yarnpkg.com/lodash/-/lodash-4.17.21.tgz#679591c564c3bffaae8454cf0b3df370c3d6911c" 865 | integrity sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg== 866 | 867 | log-symbols@4.1.0: 868 | version "4.1.0" 869 | resolved "https://registry.yarnpkg.com/log-symbols/-/log-symbols-4.1.0.tgz#3fbdbb95b4683ac9fc785111e792e558d4abd503" 870 | integrity sha512-8XPvpAA8uyhfteu8pIvQxpJZ7SYYdpUivZpGy6sFsBuKRY/7rQGavedeB8aK+Zkyq6upMFVL/9AW6vOYzfRyLg== 871 | dependencies: 872 | chalk "^4.1.0" 873 | is-unicode-supported "^0.1.0" 874 | 875 | log-symbols@^5.1.0: 876 | version "5.1.0" 877 | resolved "https://registry.yarnpkg.com/log-symbols/-/log-symbols-5.1.0.tgz#a20e3b9a5f53fac6aeb8e2bb22c07cf2c8f16d93" 878 | integrity sha512-l0x2DvrW294C9uDCoQe1VSU4gf529FkSZ6leBl4TiqZH/e+0R7hSfHQBNut2mNygDgHwvYHfFLn6Oxb3VWj2rA== 879 | dependencies: 880 | chalk "^5.0.0" 881 | is-unicode-supported "^1.1.0" 882 | 883 | lru-cache@^10.2.0: 884 | version "10.2.2" 885 | resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-10.2.2.tgz#48206bc114c1252940c41b25b41af5b545aca878" 886 | integrity sha512-9hp3Vp2/hFQUiIwKo8XCeFVnrg8Pk3TYNPIR7tJADKi5YfcF7vEaK7avFHTlSy3kOKYaJQaalfEo6YuXdceBOQ== 887 | 888 | make-dir@^4.0.0: 889 | version "4.0.0" 890 | resolved "https://registry.yarnpkg.com/make-dir/-/make-dir-4.0.0.tgz#c3c2307a771277cd9638305f915c29ae741b614e" 891 | integrity sha512-hXdUTZYIVOt1Ex//jAQi+wTZZpUpwBj/0QsOzqegb3rGMMeJiSEu5xLHnYfBrRV4RH2+OCSOO95Is/7x1WJ4bw== 892 | dependencies: 893 | semver "^7.5.3" 894 | 895 | mimic-fn@^2.1.0: 896 | version "2.1.0" 897 | resolved "https://registry.yarnpkg.com/mimic-fn/-/mimic-fn-2.1.0.tgz#7ed2c2ccccaf84d3ffcb7a69b57711fc2083401b" 898 | integrity sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg== 899 | 900 | minimatch@5.0.1: 901 | version "5.0.1" 902 | resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-5.0.1.tgz#fb9022f7528125187c92bd9e9b6366be1cf3415b" 903 | integrity sha512-nLDxIFRyhDblz3qMuq+SoRZED4+miJ/G+tdDrjkkkRnjAsBexeGpgjLEQ0blJy7rHhR2b93rhQY4SvyWu9v03g== 904 | dependencies: 905 | brace-expansion "^2.0.1" 906 | 907 | minimatch@^3.0.4: 908 | version "3.0.4" 909 | resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.0.4.tgz#5166e286457f03306064be5497e8dbb0c3d32083" 910 | integrity sha512-yJHVQEhyqPLUTgt9B83PXu6W3rx4MvvHvSUvToogpwoGDOUQ+yDrR0HRot+yOCdCO7u4hX3pWft6kWBBcqh0UA== 911 | dependencies: 912 | brace-expansion "^1.1.7" 913 | 914 | minimatch@^3.1.1: 915 | version "3.1.2" 916 | resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.1.2.tgz#19cd194bfd3e428f049a70817c038d89ab4be35b" 917 | integrity sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw== 918 | dependencies: 919 | brace-expansion "^1.1.7" 920 | 921 | minimatch@^5.0.1: 922 | version "5.1.6" 923 | resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-5.1.6.tgz#1cfcb8cf5522ea69952cd2af95ae09477f122a96" 924 | integrity sha512-lKwV/1brpG6mBUFHtb7NUmtABCb2WZZmm2wNiOA5hAb8VdCS4B3dtMWyvcoViccwAW/COERjXLt0zP1zXUN26g== 925 | dependencies: 926 | brace-expansion "^2.0.1" 927 | 928 | minimatch@^9.0.3, minimatch@^9.0.4: 929 | version "9.0.4" 930 | resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-9.0.4.tgz#8e49c731d1749cbec05050ee5145147b32496a51" 931 | integrity sha512-KqWh+VchfxcMNRAJjj2tnsSJdNbHsVgnkBhTNrW7AjVo6OvLtxw8zfT9oLw1JSohlFzJ8jCoTgaoXvJ+kHt6fw== 932 | dependencies: 933 | brace-expansion "^2.0.1" 934 | 935 | minimist@^1.2.6: 936 | version "1.2.8" 937 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.8.tgz#c1a464e7693302e082a075cee0c057741ac4772c" 938 | integrity sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA== 939 | 940 | "minipass@^5.0.0 || ^6.0.2 || ^7.0.0", minipass@^7.1.2: 941 | version "7.1.2" 942 | resolved "https://registry.yarnpkg.com/minipass/-/minipass-7.1.2.tgz#93a9626ce5e5e66bd4db86849e7515e92340a707" 943 | integrity sha512-qOOzS1cBTWYF4BH8fVePDBOO9iptMnGUEZwNc/cMWnTV2nVLZ7VoNWEPHkYczZA0pdoA7dl6e7FL659nX9S2aw== 944 | 945 | "mkdirp@>=0.5 0": 946 | version "0.5.6" 947 | resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-0.5.6.tgz#7def03d2432dcae4ba1d611445c48396062255f6" 948 | integrity sha512-FP+p8RB8OWpF3YZBCrP5gtADmtXApB5AMLn+vdyA+PyxCjrCs00mjyUozssO33cwDeT3wNGdLxJ5M//YqtHAJw== 949 | dependencies: 950 | minimist "^1.2.6" 951 | 952 | mocha@^10.2.0, mocha@^10.4.0: 953 | version "10.4.0" 954 | resolved "https://registry.yarnpkg.com/mocha/-/mocha-10.4.0.tgz#ed03db96ee9cfc6d20c56f8e2af07b961dbae261" 955 | integrity sha512-eqhGB8JKapEYcC4ytX/xrzKforgEc3j1pGlAXVy3eRwrtAy5/nIfT1SvgGzfN0XZZxeLq0aQWkOUAmqIJiv+bA== 956 | dependencies: 957 | ansi-colors "4.1.1" 958 | browser-stdout "1.3.1" 959 | chokidar "3.5.3" 960 | debug "4.3.4" 961 | diff "5.0.0" 962 | escape-string-regexp "4.0.0" 963 | find-up "5.0.0" 964 | glob "8.1.0" 965 | he "1.2.0" 966 | js-yaml "4.1.0" 967 | log-symbols "4.1.0" 968 | minimatch "5.0.1" 969 | ms "2.1.3" 970 | serialize-javascript "6.0.0" 971 | strip-json-comments "3.1.1" 972 | supports-color "8.1.1" 973 | workerpool "6.2.1" 974 | yargs "16.2.0" 975 | yargs-parser "20.2.4" 976 | yargs-unparser "2.0.0" 977 | 978 | ms@2.1.2: 979 | version "2.1.2" 980 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.2.tgz#d09d1f357b443f493382a8eb3ccd183872ae6009" 981 | integrity sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w== 982 | 983 | ms@2.1.3: 984 | version "2.1.3" 985 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.3.tgz#574c8138ce1d2b5861f0b44579dbadd60c6615b2" 986 | integrity sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA== 987 | 988 | mz@^2.7.0: 989 | version "2.7.0" 990 | resolved "https://registry.yarnpkg.com/mz/-/mz-2.7.0.tgz#95008057a56cafadc2bc63dde7f9ff6955948e32" 991 | integrity sha512-z81GNO7nnYMEhrGh9LeymoE4+Yr0Wn5McHIZMK5cfQCl+NDX08sCZgUc9/6MHni9IWuFLm1Z3HTCXu2z9fN62Q== 992 | dependencies: 993 | any-promise "^1.0.0" 994 | object-assign "^4.0.1" 995 | thenify-all "^1.0.0" 996 | 997 | normalize-path@^3.0.0, normalize-path@~3.0.0: 998 | version "3.0.0" 999 | resolved "https://registry.yarnpkg.com/normalize-path/-/normalize-path-3.0.0.tgz#0dcd69ff23a1c9b11fd0978316644a0388216a65" 1000 | integrity sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA== 1001 | 1002 | normalize-url@^6.1.0: 1003 | version "6.1.0" 1004 | resolved "https://registry.yarnpkg.com/normalize-url/-/normalize-url-6.1.0.tgz#40d0885b535deffe3f3147bec877d05fe4c5668a" 1005 | integrity sha512-DlL+XwOy3NxAQ8xuC0okPgK46iuVNAK01YN7RueYBqqFeGsBjV9XmCAzAdgt+667bCl5kPh9EqKKDwnaPG1I7A== 1006 | 1007 | object-assign@^4.0.1: 1008 | version "4.1.1" 1009 | resolved "https://registry.yarnpkg.com/object-assign/-/object-assign-4.1.1.tgz#2109adc7965887cfc05cbbd442cac8bfbb360863" 1010 | integrity sha1-IQmtx5ZYh8/AXLvUQsrIv7s2CGM= 1011 | 1012 | object-inspect@^1.9.0: 1013 | version "1.11.1" 1014 | resolved "https://registry.yarnpkg.com/object-inspect/-/object-inspect-1.11.1.tgz#d4bd7d7de54b9a75599f59a00bd698c1f1c6549b" 1015 | integrity sha512-If7BjFlpkzzBeV1cqgT3OSWT3azyoxDGajR+iGnFBfVV2EWyDyWaZZW2ERDjUaY2QM8i5jI3Sj7mhsM4DDAqWA== 1016 | 1017 | once@^1.3.0: 1018 | version "1.4.0" 1019 | resolved "https://registry.yarnpkg.com/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1" 1020 | integrity sha1-WDsap3WWHUsROsF9nFC6753Xa9E= 1021 | dependencies: 1022 | wrappy "1" 1023 | 1024 | onetime@^5.1.0: 1025 | version "5.1.2" 1026 | resolved "https://registry.yarnpkg.com/onetime/-/onetime-5.1.2.tgz#d0e96ebb56b07476df1dd9c4806e5237985ca45e" 1027 | integrity sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg== 1028 | dependencies: 1029 | mimic-fn "^2.1.0" 1030 | 1031 | ora@^7.0.1: 1032 | version "7.0.1" 1033 | resolved "https://registry.yarnpkg.com/ora/-/ora-7.0.1.tgz#cdd530ecd865fe39e451a0e7697865669cb11930" 1034 | integrity sha512-0TUxTiFJWv+JnjWm4o9yvuskpEJLXTcng8MJuKd+SzAzp2o+OP3HWqNhB4OdJRt1Vsd9/mR0oyaEYlOnL7XIRw== 1035 | dependencies: 1036 | chalk "^5.3.0" 1037 | cli-cursor "^4.0.0" 1038 | cli-spinners "^2.9.0" 1039 | is-interactive "^2.0.0" 1040 | is-unicode-supported "^1.3.0" 1041 | log-symbols "^5.1.0" 1042 | stdin-discarder "^0.1.0" 1043 | string-width "^6.1.0" 1044 | strip-ansi "^7.1.0" 1045 | 1046 | p-limit@^3.0.2: 1047 | version "3.1.0" 1048 | resolved "https://registry.yarnpkg.com/p-limit/-/p-limit-3.1.0.tgz#e1daccbe78d0d1388ca18c64fea38e3e57e3706b" 1049 | integrity sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ== 1050 | dependencies: 1051 | yocto-queue "^0.1.0" 1052 | 1053 | p-locate@^5.0.0: 1054 | version "5.0.0" 1055 | resolved "https://registry.yarnpkg.com/p-locate/-/p-locate-5.0.0.tgz#83c8315c6785005e3bd021839411c9e110e6d834" 1056 | integrity sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw== 1057 | dependencies: 1058 | p-limit "^3.0.2" 1059 | 1060 | pako@~1.0.2: 1061 | version "1.0.11" 1062 | resolved "https://registry.yarnpkg.com/pako/-/pako-1.0.11.tgz#6c9599d340d54dfd3946380252a35705a6b992bf" 1063 | integrity sha512-4hLB8Py4zZce5s4yd9XzopqwVv/yGNhV1Bl8NTmCq1763HeK2+EwVTv+leGeL13Dnh2wfbqowVPXCIO0z4taYw== 1064 | 1065 | parse-path@^4.0.0: 1066 | version "4.0.3" 1067 | resolved "https://registry.yarnpkg.com/parse-path/-/parse-path-4.0.3.tgz#82d81ec3e071dcc4ab49aa9f2c9c0b8966bb22bf" 1068 | integrity sha512-9Cepbp2asKnWTJ9x2kpw6Fe8y9JDbqwahGCTvklzd/cEq5C5JC59x2Xb0Kx+x0QZ8bvNquGO8/BWP0cwBHzSAA== 1069 | dependencies: 1070 | is-ssh "^1.3.0" 1071 | protocols "^1.4.0" 1072 | qs "^6.9.4" 1073 | query-string "^6.13.8" 1074 | 1075 | parse-url@^6.0.0: 1076 | version "6.0.0" 1077 | resolved "https://registry.yarnpkg.com/parse-url/-/parse-url-6.0.0.tgz#f5dd262a7de9ec00914939220410b66cff09107d" 1078 | integrity sha512-cYyojeX7yIIwuJzledIHeLUBVJ6COVLeT4eF+2P6aKVzwvgKQPndCBv3+yQ7pcWjqToYwaligxzSYNNmGoMAvw== 1079 | dependencies: 1080 | is-ssh "^1.3.0" 1081 | normalize-url "^6.1.0" 1082 | parse-path "^4.0.0" 1083 | protocols "^1.4.0" 1084 | 1085 | path-exists@^4.0.0: 1086 | version "4.0.0" 1087 | resolved "https://registry.yarnpkg.com/path-exists/-/path-exists-4.0.0.tgz#513bdbe2d3b95d7762e8c1137efa195c6c61b5b3" 1088 | integrity sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w== 1089 | 1090 | path-is-absolute@^1.0.0: 1091 | version "1.0.1" 1092 | resolved "https://registry.yarnpkg.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f" 1093 | integrity sha1-F0uSaHNVNP+8es5r9TpanhtcX18= 1094 | 1095 | path-key@^3.1.0: 1096 | version "3.1.1" 1097 | resolved "https://registry.yarnpkg.com/path-key/-/path-key-3.1.1.tgz#581f6ade658cbba65a0d3380de7753295054f375" 1098 | integrity sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q== 1099 | 1100 | path-scurry@^1.11.1: 1101 | version "1.11.1" 1102 | resolved "https://registry.yarnpkg.com/path-scurry/-/path-scurry-1.11.1.tgz#7960a668888594a0720b12a911d1a742ab9f11d2" 1103 | integrity sha512-Xa4Nw17FS9ApQFJ9umLiJS4orGjm7ZzwUrwamcGQuHSzDyth9boKDaycYdDcZDuqYATXw4HFXgaqWTctW/v1HA== 1104 | dependencies: 1105 | lru-cache "^10.2.0" 1106 | minipass "^5.0.0 || ^6.0.2 || ^7.0.0" 1107 | 1108 | picomatch@^2.0.4: 1109 | version "2.3.0" 1110 | resolved "https://registry.yarnpkg.com/picomatch/-/picomatch-2.3.0.tgz#f1f061de8f6a4bf022892e2d128234fb98302972" 1111 | integrity sha512-lY1Q/PiJGC2zOv/z391WOTD+Z02bCgsFfvxoXXf6h7kv9o+WmsmzYqrAwY63sNgOxE4xEdq0WyUnXfKeBrSvYw== 1112 | 1113 | picomatch@^2.2.1: 1114 | version "2.3.1" 1115 | resolved "https://registry.yarnpkg.com/picomatch/-/picomatch-2.3.1.tgz#3ba3833733646d9d3e4995946c1365a67fb07a42" 1116 | integrity sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA== 1117 | 1118 | prettier@^3.3.0: 1119 | version "3.3.0" 1120 | resolved "https://registry.yarnpkg.com/prettier/-/prettier-3.3.0.tgz#d173ea0524a691d4c0b1181752f2b46724328cdf" 1121 | integrity sha512-J9odKxERhCQ10OC2yb93583f6UnYutOeiV5i0zEDS7UGTdUt0u+y8erxl3lBKvwo/JHyyoEdXjwp4dke9oyZ/g== 1122 | 1123 | process-nextick-args@~2.0.0: 1124 | version "2.0.1" 1125 | resolved "https://registry.yarnpkg.com/process-nextick-args/-/process-nextick-args-2.0.1.tgz#7820d9b16120cc55ca9ae7792680ae7dba6d7fe2" 1126 | integrity sha512-3ouUOpQhtgrbOa17J7+uxOTpITYWaGP7/AhoR3+A+/1e9skrzelGi/dXzEYyvbxubEF6Wn2ypscTKiKJFFn1ag== 1127 | 1128 | protocols@^1.1.0, protocols@^1.4.0: 1129 | version "1.4.8" 1130 | resolved "https://registry.yarnpkg.com/protocols/-/protocols-1.4.8.tgz#48eea2d8f58d9644a4a32caae5d5db290a075ce8" 1131 | integrity sha512-IgjKyaUSjsROSO8/D49Ab7hP8mJgTYcqApOqdPhLoPxAplXmkp+zRvsrSQjFn5by0rhm4VH0GAUELIPpx7B1yg== 1132 | 1133 | qs@^6.9.4: 1134 | version "6.10.2" 1135 | resolved "https://registry.yarnpkg.com/qs/-/qs-6.10.2.tgz#c1431bea37fc5b24c5bdbafa20f16bdf2a4b9ffe" 1136 | integrity sha512-mSIdjzqznWgfd4pMii7sHtaYF8rx8861hBO80SraY5GT0XQibWZWJSid0avzHGkDIZLImux2S5mXO0Hfct2QCw== 1137 | dependencies: 1138 | side-channel "^1.0.4" 1139 | 1140 | query-string@^6.13.8: 1141 | version "6.14.1" 1142 | resolved "https://registry.yarnpkg.com/query-string/-/query-string-6.14.1.tgz#7ac2dca46da7f309449ba0f86b1fd28255b0c86a" 1143 | integrity sha512-XDxAeVmpfu1/6IjyT/gXHOl+S0vQ9owggJ30hhWKdHAsNPOcasn5o9BW0eejZqL2e4vMjhAxoW3jVHcD6mbcYw== 1144 | dependencies: 1145 | decode-uri-component "^0.2.0" 1146 | filter-obj "^1.1.0" 1147 | split-on-first "^1.0.0" 1148 | strict-uri-encode "^2.0.0" 1149 | 1150 | randombytes@^2.1.0: 1151 | version "2.1.0" 1152 | resolved "https://registry.yarnpkg.com/randombytes/-/randombytes-2.1.0.tgz#df6f84372f0270dc65cdf6291349ab7a473d4f2a" 1153 | integrity sha512-vYl3iOX+4CKUWuxGi9Ukhie6fsqXqS9FE2Zaic4tNFD2N2QQaXOMFbuKK4QmDHC0JO6B1Zp41J0LpT0oR68amQ== 1154 | dependencies: 1155 | safe-buffer "^5.1.0" 1156 | 1157 | readable-stream@^2.0.2: 1158 | version "2.3.8" 1159 | resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-2.3.8.tgz#91125e8042bba1b9887f49345f6277027ce8be9b" 1160 | integrity sha512-8p0AUk4XODgIewSi0l8Epjs+EVnWiK7NoDIEGU0HhE7+ZyY8D1IMY7odu5lRrFXGg71L15KG8QrPmum45RTtdA== 1161 | dependencies: 1162 | core-util-is "~1.0.0" 1163 | inherits "~2.0.3" 1164 | isarray "~1.0.0" 1165 | process-nextick-args "~2.0.0" 1166 | safe-buffer "~5.1.1" 1167 | string_decoder "~1.1.1" 1168 | util-deprecate "~1.0.1" 1169 | 1170 | readable-stream@^3.4.0: 1171 | version "3.6.2" 1172 | resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-3.6.2.tgz#56a9b36ea965c00c5a93ef31eb111a0f11056967" 1173 | integrity sha512-9u/sniCrY3D5WdsERHzHE4G2YCXqoG5FTHUiCC4SIbr6XcLZBY05ya9EKjYek9O5xOAwjGq+1JdGBAS7Q9ScoA== 1174 | dependencies: 1175 | inherits "^2.0.3" 1176 | string_decoder "^1.1.1" 1177 | util-deprecate "^1.0.1" 1178 | 1179 | readable-stream@~2.3.6: 1180 | version "2.3.7" 1181 | resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-2.3.7.tgz#1eca1cf711aef814c04f62252a36a62f6cb23b57" 1182 | integrity sha512-Ebho8K4jIbHAxnuxi7o42OrZgF/ZTNcsZj6nRKyUmkhLFq8CHItp/fy6hQZuZmP/n3yZ9VBUbp4zz/mX8hmYPw== 1183 | dependencies: 1184 | core-util-is "~1.0.0" 1185 | inherits "~2.0.3" 1186 | isarray "~1.0.0" 1187 | process-nextick-args "~2.0.0" 1188 | safe-buffer "~5.1.1" 1189 | string_decoder "~1.1.1" 1190 | util-deprecate "~1.0.1" 1191 | 1192 | readdirp@~3.6.0: 1193 | version "3.6.0" 1194 | resolved "https://registry.yarnpkg.com/readdirp/-/readdirp-3.6.0.tgz#74a370bd857116e245b29cc97340cd431a02a6c7" 1195 | integrity sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA== 1196 | dependencies: 1197 | picomatch "^2.2.1" 1198 | 1199 | require-directory@^2.1.1: 1200 | version "2.1.1" 1201 | resolved "https://registry.yarnpkg.com/require-directory/-/require-directory-2.1.1.tgz#8c64ad5fd30dab1c976e2344ffe7f792a6a6df42" 1202 | integrity sha1-jGStX9MNqxyXbiNE/+f3kqam30I= 1203 | 1204 | restore-cursor@^4.0.0: 1205 | version "4.0.0" 1206 | resolved "https://registry.yarnpkg.com/restore-cursor/-/restore-cursor-4.0.0.tgz#519560a4318975096def6e609d44100edaa4ccb9" 1207 | integrity sha512-I9fPXU9geO9bHOt9pHHOhOkYerIMsmVaWB0rA2AI9ERh/+x/i7MV5HKBNrg+ljO5eoPVgCcnFuRjJ9uH6I/3eg== 1208 | dependencies: 1209 | onetime "^5.1.0" 1210 | signal-exit "^3.0.2" 1211 | 1212 | rimraf@2: 1213 | version "2.7.1" 1214 | resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-2.7.1.tgz#35797f13a7fdadc566142c29d4f07ccad483e3ec" 1215 | integrity sha512-uWjbaKIK3T1OSVptzX7Nl6PvQ3qAGtKEtVRjRuazjfL3Bx5eI409VZSqgND+4UNnmzLVdPj9FqFJNPqBZFve4w== 1216 | dependencies: 1217 | glob "^7.1.3" 1218 | 1219 | rimraf@^3.0.2: 1220 | version "3.0.2" 1221 | resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-3.0.2.tgz#f1a5402ba6220ad52cc1282bac1ae3aa49fd061a" 1222 | integrity sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA== 1223 | dependencies: 1224 | glob "^7.1.3" 1225 | 1226 | safe-buffer@^5.1.0, safe-buffer@~5.2.0: 1227 | version "5.2.1" 1228 | resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.2.1.tgz#1eaf9fa9bdb1fdd4ec75f58f9cdb4e6b7827eec6" 1229 | integrity sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ== 1230 | 1231 | safe-buffer@~5.1.0, safe-buffer@~5.1.1: 1232 | version "5.1.2" 1233 | resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.1.2.tgz#991ec69d296e0313747d59bdfd2b745c35f8828d" 1234 | integrity sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g== 1235 | 1236 | semver@^7.5.3, semver@^7.6.2: 1237 | version "7.6.2" 1238 | resolved "https://registry.yarnpkg.com/semver/-/semver-7.6.2.tgz#1e3b34759f896e8f14d6134732ce798aeb0c6e13" 1239 | integrity sha512-FNAIBWCx9qcRhoHcgcJ0gvU7SN1lYU2ZXuSfl04bSC5OpvDHFyJCjdNHomPXxjQlCBU67YW64PzY7/VIEH7F2w== 1240 | 1241 | serialize-javascript@6.0.0: 1242 | version "6.0.0" 1243 | resolved "https://registry.yarnpkg.com/serialize-javascript/-/serialize-javascript-6.0.0.tgz#efae5d88f45d7924141da8b5c3a7a7e663fefeb8" 1244 | integrity sha512-Qr3TosvguFt8ePWqsvRfrKyQXIiW+nGbYpy8XK24NQHE83caxWt+mIymTT19DGFbNWNLfEwsrkSmN64lVWB9ag== 1245 | dependencies: 1246 | randombytes "^2.1.0" 1247 | 1248 | setimmediate@^1.0.5, setimmediate@~1.0.4: 1249 | version "1.0.5" 1250 | resolved "https://registry.yarnpkg.com/setimmediate/-/setimmediate-1.0.5.tgz#290cbb232e306942d7d7ea9b83732ab7856f8285" 1251 | integrity sha1-KQy7Iy4waULX1+qbg3Mqt4VvgoU= 1252 | 1253 | shebang-command@^2.0.0: 1254 | version "2.0.0" 1255 | resolved "https://registry.yarnpkg.com/shebang-command/-/shebang-command-2.0.0.tgz#ccd0af4f8835fbdc265b82461aaf0c36663f34ea" 1256 | integrity sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA== 1257 | dependencies: 1258 | shebang-regex "^3.0.0" 1259 | 1260 | shebang-regex@^3.0.0: 1261 | version "3.0.0" 1262 | resolved "https://registry.yarnpkg.com/shebang-regex/-/shebang-regex-3.0.0.tgz#ae16f1644d873ecad843b0307b143362d4c42172" 1263 | integrity sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A== 1264 | 1265 | side-channel@^1.0.4: 1266 | version "1.0.4" 1267 | resolved "https://registry.yarnpkg.com/side-channel/-/side-channel-1.0.4.tgz#efce5c8fdc104ee751b25c58d4290011fa5ea2cf" 1268 | integrity sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw== 1269 | dependencies: 1270 | call-bind "^1.0.0" 1271 | get-intrinsic "^1.0.2" 1272 | object-inspect "^1.9.0" 1273 | 1274 | signal-exit@^3.0.2: 1275 | version "3.0.7" 1276 | resolved "https://registry.yarnpkg.com/signal-exit/-/signal-exit-3.0.7.tgz#a9a1767f8af84155114eaabd73f99273c8f59ad9" 1277 | integrity sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ== 1278 | 1279 | signal-exit@^4.0.1: 1280 | version "4.1.0" 1281 | resolved "https://registry.yarnpkg.com/signal-exit/-/signal-exit-4.1.0.tgz#952188c1cbd546070e2dd20d0f41c0ae0530cb04" 1282 | integrity sha512-bzyZ1e88w9O1iNJbKnOlvYTrWPDl46O1bG0D3XInv+9tkPrxrN8jUUTiFlDkkmKWgn1M6CfIA13SuGqOa9Korw== 1283 | 1284 | split-on-first@^1.0.0: 1285 | version "1.1.0" 1286 | resolved "https://registry.yarnpkg.com/split-on-first/-/split-on-first-1.1.0.tgz#f610afeee3b12bce1d0c30425e76398b78249a5f" 1287 | integrity sha512-43ZssAJaMusuKWL8sKUBQXHWOpq8d6CfN/u1p4gUzfJkM05C8rxTmYrkIPTXapZpORA6LkkzcUulJ8FqA7Uudw== 1288 | 1289 | stdin-discarder@^0.1.0: 1290 | version "0.1.0" 1291 | resolved "https://registry.yarnpkg.com/stdin-discarder/-/stdin-discarder-0.1.0.tgz#22b3e400393a8e28ebf53f9958f3880622efde21" 1292 | integrity sha512-xhV7w8S+bUwlPTb4bAOUQhv8/cSS5offJuX8GQGq32ONF0ZtDWKfkdomM3HMRA+LhX6um/FZ0COqlwsjD53LeQ== 1293 | dependencies: 1294 | bl "^5.0.0" 1295 | 1296 | strict-uri-encode@^2.0.0: 1297 | version "2.0.0" 1298 | resolved "https://registry.yarnpkg.com/strict-uri-encode/-/strict-uri-encode-2.0.0.tgz#b9c7330c7042862f6b142dc274bbcc5866ce3546" 1299 | integrity sha1-ucczDHBChi9rFC3CdLvMWGbONUY= 1300 | 1301 | "string-width-cjs@npm:string-width@^4.2.0": 1302 | version "4.2.3" 1303 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-4.2.3.tgz#269c7117d27b05ad2e536830a8ec895ef9c6d010" 1304 | integrity sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g== 1305 | dependencies: 1306 | emoji-regex "^8.0.0" 1307 | is-fullwidth-code-point "^3.0.0" 1308 | strip-ansi "^6.0.1" 1309 | 1310 | string-width@^4.1.0, string-width@^4.2.0, string-width@^4.2.3: 1311 | version "4.2.3" 1312 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-4.2.3.tgz#269c7117d27b05ad2e536830a8ec895ef9c6d010" 1313 | integrity sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g== 1314 | dependencies: 1315 | emoji-regex "^8.0.0" 1316 | is-fullwidth-code-point "^3.0.0" 1317 | strip-ansi "^6.0.1" 1318 | 1319 | string-width@^5.0.1, string-width@^5.1.2: 1320 | version "5.1.2" 1321 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-5.1.2.tgz#14f8daec6d81e7221d2a357e668cab73bdbca794" 1322 | integrity sha512-HnLOCR3vjcY8beoNLtcjZ5/nxn2afmME6lhrDrebokqMap+XbeW8n9TXpPDOqdGK5qcI3oT0GKTW6wC7EMiVqA== 1323 | dependencies: 1324 | eastasianwidth "^0.2.0" 1325 | emoji-regex "^9.2.2" 1326 | strip-ansi "^7.0.1" 1327 | 1328 | string-width@^6.1.0: 1329 | version "6.1.0" 1330 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-6.1.0.tgz#96488d6ed23f9ad5d82d13522af9e4c4c3fd7518" 1331 | integrity sha512-k01swCJAgQmuADB0YIc+7TuatfNvTBVOoaUWJjTB9R4VJzR5vNWzf5t42ESVZFPS8xTySF7CAdV4t/aaIm3UnQ== 1332 | dependencies: 1333 | eastasianwidth "^0.2.0" 1334 | emoji-regex "^10.2.1" 1335 | strip-ansi "^7.0.1" 1336 | 1337 | string_decoder@^1.1.1: 1338 | version "1.3.0" 1339 | resolved "https://registry.yarnpkg.com/string_decoder/-/string_decoder-1.3.0.tgz#42f114594a46cf1a8e30b0a84f56c78c3edac21e" 1340 | integrity sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA== 1341 | dependencies: 1342 | safe-buffer "~5.2.0" 1343 | 1344 | string_decoder@~1.1.1: 1345 | version "1.1.1" 1346 | resolved "https://registry.yarnpkg.com/string_decoder/-/string_decoder-1.1.1.tgz#9cf1611ba62685d7030ae9e4ba34149c3af03fc8" 1347 | integrity sha512-n/ShnvDi6FHbbVfviro+WojiFzv+s8MPMHBczVePfUpDJLwoLT0ht1l4YwBCbi8pJAveEEdnkHyPyTP/mzRfwg== 1348 | dependencies: 1349 | safe-buffer "~5.1.0" 1350 | 1351 | "strip-ansi-cjs@npm:strip-ansi@^6.0.1": 1352 | version "6.0.1" 1353 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-6.0.1.tgz#9e26c63d30f53443e9489495b2105d37b67a85d9" 1354 | integrity sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A== 1355 | dependencies: 1356 | ansi-regex "^5.0.1" 1357 | 1358 | strip-ansi@^6.0.0, strip-ansi@^6.0.1: 1359 | version "6.0.1" 1360 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-6.0.1.tgz#9e26c63d30f53443e9489495b2105d37b67a85d9" 1361 | integrity sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A== 1362 | dependencies: 1363 | ansi-regex "^5.0.1" 1364 | 1365 | strip-ansi@^7.0.1, strip-ansi@^7.1.0: 1366 | version "7.1.0" 1367 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-7.1.0.tgz#d5b6568ca689d8561370b0707685d22434faff45" 1368 | integrity sha512-iq6eVVI64nQQTRYq2KtEg2d2uU7LElhTJwsH4YzIHZshxlgZms/wIc4VoDQTlG/IvVIrBKG06CrZnp0qv7hkcQ== 1369 | dependencies: 1370 | ansi-regex "^6.0.1" 1371 | 1372 | strip-json-comments@3.1.1: 1373 | version "3.1.1" 1374 | resolved "https://registry.yarnpkg.com/strip-json-comments/-/strip-json-comments-3.1.1.tgz#31f1281b3832630434831c310c01cccda8cbe006" 1375 | integrity sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig== 1376 | 1377 | supports-color@8.1.1: 1378 | version "8.1.1" 1379 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-8.1.1.tgz#cd6fc17e28500cff56c1b86c0a7fd4a54a73005c" 1380 | integrity sha512-MpUEN2OodtUzxvKQl72cUF7RQ5EiHsGvSsVG0ia9c5RbWGL2CI4C7EpPS8UTBIplnlzZiNuV56w+FuNxy3ty2Q== 1381 | dependencies: 1382 | has-flag "^4.0.0" 1383 | 1384 | supports-color@^7.1.0: 1385 | version "7.2.0" 1386 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-7.2.0.tgz#1b7dcdcb32b8138801b3e478ba6a51caa89648da" 1387 | integrity sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw== 1388 | dependencies: 1389 | has-flag "^4.0.0" 1390 | 1391 | supports-color@^9.4.0: 1392 | version "9.4.0" 1393 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-9.4.0.tgz#17bfcf686288f531db3dea3215510621ccb55954" 1394 | integrity sha512-VL+lNrEoIXww1coLPOmiEmK/0sGigko5COxI09KzHc2VJXJsQ37UaQ+8quuxjDeA7+KnLGTWRyOXSLLR2Wb4jw== 1395 | 1396 | tapable@^2.2.0: 1397 | version "2.2.1" 1398 | resolved "https://registry.yarnpkg.com/tapable/-/tapable-2.2.1.tgz#1967a73ef4060a82f12ab96af86d52fdb76eeca0" 1399 | integrity sha512-GNzQvQTOIP6RyTfE2Qxb8ZVlNmw0n88vp1szwWRimP02mnTsx3Wtn5qRdqY9w2XduFNUgvOwhNnQsjwCp+kqaQ== 1400 | 1401 | test-exclude@^6.0.0: 1402 | version "6.0.0" 1403 | resolved "https://registry.yarnpkg.com/test-exclude/-/test-exclude-6.0.0.tgz#04a8698661d805ea6fa293b6cb9e63ac044ef15e" 1404 | integrity sha512-cAGWPIyOHU6zlmg88jwm7VRyXnMN7iV68OGAbYDk/Mh/xC/pzVPlQtY6ngoIH/5/tciuhGfvESU8GrHrcxD56w== 1405 | dependencies: 1406 | "@istanbuljs/schema" "^0.1.2" 1407 | glob "^7.1.4" 1408 | minimatch "^3.0.4" 1409 | 1410 | thenify-all@^1.0.0: 1411 | version "1.6.0" 1412 | resolved "https://registry.yarnpkg.com/thenify-all/-/thenify-all-1.6.0.tgz#1a1918d402d8fc3f98fbf234db0bcc8cc10e9726" 1413 | integrity sha1-GhkY1ALY/D+Y+/I02wvMjMEOlyY= 1414 | dependencies: 1415 | thenify ">= 3.1.0 < 4" 1416 | 1417 | "thenify@>= 3.1.0 < 4": 1418 | version "3.3.1" 1419 | resolved "https://registry.yarnpkg.com/thenify/-/thenify-3.3.1.tgz#8932e686a4066038a016dd9e2ca46add9838a95f" 1420 | integrity sha512-RVZSIV5IG10Hk3enotrhvz0T9em6cyHBLkH/YAZuKqd8hRkKhSfCGIcP2KUY0EPxndzANBmNllzWPwak+bheSw== 1421 | dependencies: 1422 | any-promise "^1.0.0" 1423 | 1424 | to-regex-range@^5.0.1: 1425 | version "5.0.1" 1426 | resolved "https://registry.yarnpkg.com/to-regex-range/-/to-regex-range-5.0.1.tgz#1648c44aae7c8d988a326018ed72f5b4dd0392e4" 1427 | integrity sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ== 1428 | dependencies: 1429 | is-number "^7.0.0" 1430 | 1431 | "traverse@>=0.3.0 <0.4": 1432 | version "0.3.9" 1433 | resolved "https://registry.yarnpkg.com/traverse/-/traverse-0.3.9.tgz#717b8f220cc0bb7b44e40514c22b2e8bbc70d8b9" 1434 | integrity sha512-iawgk0hLP3SxGKDfnDJf8wTz4p2qImnyihM5Hh/sGvQ3K37dPi/w8sRhdNIxYA1TwFwc5mDhIJq+O0RsvXBKdQ== 1435 | 1436 | typescript@^4.2.2: 1437 | version "4.3.4" 1438 | resolved "https://registry.yarnpkg.com/typescript/-/typescript-4.3.4.tgz#3f85b986945bcf31071decdd96cf8bfa65f9dcbc" 1439 | integrity sha512-uauPG7XZn9F/mo+7MrsRjyvbxFpzemRjKEZXS4AK83oP2KKOJPvb+9cO/gmnv8arWZvhnjVOXz7B49m1l0e9Ew== 1440 | 1441 | unzipper@^0.10.11: 1442 | version "0.10.14" 1443 | resolved "https://registry.yarnpkg.com/unzipper/-/unzipper-0.10.14.tgz#d2b33c977714da0fbc0f82774ad35470a7c962b1" 1444 | integrity sha512-ti4wZj+0bQTiX2KmKWuwj7lhV+2n//uXEotUmGuQqrbVZSEGFMbI68+c6JCQ8aAmUWYvtHEz2A8K6wXvueR/6g== 1445 | dependencies: 1446 | big-integer "^1.6.17" 1447 | binary "~0.3.0" 1448 | bluebird "~3.4.1" 1449 | buffer-indexof-polyfill "~1.0.0" 1450 | duplexer2 "~0.1.4" 1451 | fstream "^1.0.12" 1452 | graceful-fs "^4.2.2" 1453 | listenercount "~1.0.1" 1454 | readable-stream "~2.3.6" 1455 | setimmediate "~1.0.4" 1456 | 1457 | util-deprecate@^1.0.1, util-deprecate@~1.0.1: 1458 | version "1.0.2" 1459 | resolved "https://registry.yarnpkg.com/util-deprecate/-/util-deprecate-1.0.2.tgz#450d4dc9fa70de732762fbd2d4a28981419a0ccf" 1460 | integrity sha1-RQ1Nyfpw3nMnYvvS1KKJgUGaDM8= 1461 | 1462 | v8-to-istanbul@^9.0.0: 1463 | version "9.2.0" 1464 | resolved "https://registry.yarnpkg.com/v8-to-istanbul/-/v8-to-istanbul-9.2.0.tgz#2ed7644a245cddd83d4e087b9b33b3e62dfd10ad" 1465 | integrity sha512-/EH/sDgxU2eGxajKdwLCDmQ4FWq+kpi3uCmBGpw1xJtnAxEjlD8j8PEiGWpCIMIs3ciNAgH0d3TTJiUkYzyZjA== 1466 | dependencies: 1467 | "@jridgewell/trace-mapping" "^0.3.12" 1468 | "@types/istanbul-lib-coverage" "^2.0.1" 1469 | convert-source-map "^2.0.0" 1470 | 1471 | vscode-test@^1.6.1: 1472 | version "1.6.1" 1473 | resolved "https://registry.yarnpkg.com/vscode-test/-/vscode-test-1.6.1.tgz#44254c67036de92b00fdd72f6ace5f1854e1a563" 1474 | integrity sha512-086q88T2ca1k95mUzffvbzb7esqQNvJgiwY4h29ukPhFo8u+vXOOmelUoU5EQUHs3Of8+JuQ3oGdbVCqaxuTXA== 1475 | dependencies: 1476 | http-proxy-agent "^4.0.1" 1477 | https-proxy-agent "^5.0.0" 1478 | rimraf "^3.0.2" 1479 | unzipper "^0.10.11" 1480 | 1481 | which@^2.0.1: 1482 | version "2.0.2" 1483 | resolved "https://registry.yarnpkg.com/which/-/which-2.0.2.tgz#7c6a8dd0a636a0327e10b59c9286eee93f3f51b1" 1484 | integrity sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA== 1485 | dependencies: 1486 | isexe "^2.0.0" 1487 | 1488 | workerpool@6.2.1: 1489 | version "6.2.1" 1490 | resolved "https://registry.yarnpkg.com/workerpool/-/workerpool-6.2.1.tgz#46fc150c17d826b86a008e5a4508656777e9c343" 1491 | integrity sha512-ILEIE97kDZvF9Wb9f6h5aXK4swSlKGUcOEGiIYb2OOu/IrDU9iwj0fD//SsA6E5ibwJxpEvhullJY4Sl4GcpAw== 1492 | 1493 | "wrap-ansi-cjs@npm:wrap-ansi@^7.0.0": 1494 | version "7.0.0" 1495 | resolved "https://registry.yarnpkg.com/wrap-ansi/-/wrap-ansi-7.0.0.tgz#67e145cff510a6a6984bdf1152911d69d2eb9e43" 1496 | integrity sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q== 1497 | dependencies: 1498 | ansi-styles "^4.0.0" 1499 | string-width "^4.1.0" 1500 | strip-ansi "^6.0.0" 1501 | 1502 | wrap-ansi@^7.0.0: 1503 | version "7.0.0" 1504 | resolved "https://registry.yarnpkg.com/wrap-ansi/-/wrap-ansi-7.0.0.tgz#67e145cff510a6a6984bdf1152911d69d2eb9e43" 1505 | integrity sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q== 1506 | dependencies: 1507 | ansi-styles "^4.0.0" 1508 | string-width "^4.1.0" 1509 | strip-ansi "^6.0.0" 1510 | 1511 | wrap-ansi@^8.1.0: 1512 | version "8.1.0" 1513 | resolved "https://registry.yarnpkg.com/wrap-ansi/-/wrap-ansi-8.1.0.tgz#56dc22368ee570face1b49819975d9b9a5ead214" 1514 | integrity sha512-si7QWI6zUMq56bESFvagtmzMdGOtoxfR+Sez11Mobfc7tm+VkUckk9bW2UeffTGVUbOksxmSw0AA2gs8g71NCQ== 1515 | dependencies: 1516 | ansi-styles "^6.1.0" 1517 | string-width "^5.0.1" 1518 | strip-ansi "^7.0.1" 1519 | 1520 | wrappy@1: 1521 | version "1.0.2" 1522 | resolved "https://registry.yarnpkg.com/wrappy/-/wrappy-1.0.2.tgz#b5243d8f3ec1aa35f1364605bc0d1036e30ab69f" 1523 | integrity sha1-tSQ9jz7BqjXxNkYFvA0QNuMKtp8= 1524 | 1525 | y18n@^5.0.5: 1526 | version "5.0.8" 1527 | resolved "https://registry.yarnpkg.com/y18n/-/y18n-5.0.8.tgz#7f4934d0f7ca8c56f95314939ddcd2dd91ce1d55" 1528 | integrity sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA== 1529 | 1530 | yargs-parser@20.2.4: 1531 | version "20.2.4" 1532 | resolved "https://registry.yarnpkg.com/yargs-parser/-/yargs-parser-20.2.4.tgz#b42890f14566796f85ae8e3a25290d205f154a54" 1533 | integrity sha512-WOkpgNhPTlE73h4VFAFsOnomJVaovO8VqLDzy5saChRBFQFBoMYirowyW+Q9HB4HFF4Z7VZTiG3iSzJJA29yRA== 1534 | 1535 | yargs-parser@^20.2.2: 1536 | version "20.2.9" 1537 | resolved "https://registry.yarnpkg.com/yargs-parser/-/yargs-parser-20.2.9.tgz#2eb7dc3b0289718fc295f362753845c41a0c94ee" 1538 | integrity sha512-y11nGElTIV+CT3Zv9t7VKl+Q3hTQoT9a1Qzezhhl6Rp21gJ/IVTW7Z3y9EWXhuUBC2Shnf+DX0antecpAwSP8w== 1539 | 1540 | yargs-parser@^21.1.1: 1541 | version "21.1.1" 1542 | resolved "https://registry.yarnpkg.com/yargs-parser/-/yargs-parser-21.1.1.tgz#9096bceebf990d21bb31fa9516e0ede294a77d35" 1543 | integrity sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw== 1544 | 1545 | yargs-unparser@2.0.0: 1546 | version "2.0.0" 1547 | resolved "https://registry.yarnpkg.com/yargs-unparser/-/yargs-unparser-2.0.0.tgz#f131f9226911ae5d9ad38c432fe809366c2325eb" 1548 | integrity sha512-7pRTIA9Qc1caZ0bZ6RYRGbHJthJWuakf+WmHK0rVeLkNrrGhfoabBNdue6kdINI6r4if7ocq9aD/n7xwKOdzOA== 1549 | dependencies: 1550 | camelcase "^6.0.0" 1551 | decamelize "^4.0.0" 1552 | flat "^5.0.2" 1553 | is-plain-obj "^2.1.0" 1554 | 1555 | yargs@16.2.0: 1556 | version "16.2.0" 1557 | resolved "https://registry.yarnpkg.com/yargs/-/yargs-16.2.0.tgz#1c82bf0f6b6a66eafce7ef30e376f49a12477f66" 1558 | integrity sha512-D1mvvtDG0L5ft/jGWkLpG1+m0eQxOfaBvTNELraWj22wSVUMWxZUvYgJYcKh6jGGIkJFhH4IZPQhR4TKpc8mBw== 1559 | dependencies: 1560 | cliui "^7.0.2" 1561 | escalade "^3.1.1" 1562 | get-caller-file "^2.0.5" 1563 | require-directory "^2.1.1" 1564 | string-width "^4.2.0" 1565 | y18n "^5.0.5" 1566 | yargs-parser "^20.2.2" 1567 | 1568 | yargs@^17.7.2: 1569 | version "17.7.2" 1570 | resolved "https://registry.yarnpkg.com/yargs/-/yargs-17.7.2.tgz#991df39aca675a192b816e1e0363f9d75d2aa269" 1571 | integrity sha512-7dSzzRQ++CKnNI/krKnYRV7JKKPUXMEh61soaHKg9mrWEhzFWhFnxPxGl+69cD1Ou63C13NUPCnmIcrvqCuM6w== 1572 | dependencies: 1573 | cliui "^8.0.1" 1574 | escalade "^3.1.1" 1575 | get-caller-file "^2.0.5" 1576 | require-directory "^2.1.1" 1577 | string-width "^4.2.3" 1578 | y18n "^5.0.5" 1579 | yargs-parser "^21.1.1" 1580 | 1581 | yocto-queue@^0.1.0: 1582 | version "0.1.0" 1583 | resolved "https://registry.yarnpkg.com/yocto-queue/-/yocto-queue-0.1.0.tgz#0294eb3dee05028d31ee1a5fa2c556a6aaf10a1b" 1584 | integrity sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q== 1585 | --------------------------------------------------------------------------------