├── .github
├── husky
│ ├── commit-msg
│ └── pre-commit
├── renovate.json
├── problemMatchers
│ └── tsc.json
└── workflows
│ └── continous-integration.yml
├── src
├── .env
├── lib
│ └── setup.ts
├── env.d.ts
├── config.ts
├── tsconfig.json
├── commands
│ └── General
│ │ └── hello.ts
└── Bot.ts
├── tsconfig.base.json
├── .yarnrc.yml
├── .gitignore
├── LICENSE
├── package.json
├── README.md
├── .yarn
└── plugins
│ └── @yarnpkg
│ ├── plugin-typescript.cjs
│ └── plugin-workspace-tools.cjs
└── yarn.lock
/.github/husky/commit-msg:
--------------------------------------------------------------------------------
1 | #!/usr/bin/env sh
2 | . "$(dirname -- "$0")/_/husky.sh"
3 |
4 | yarn commitlint --edit
5 |
--------------------------------------------------------------------------------
/.github/husky/pre-commit:
--------------------------------------------------------------------------------
1 | #!/usr/bin/env sh
2 | . "$(dirname -- "$0")/_/husky.sh"
3 |
4 | yarn pretty-quick --staged
5 |
--------------------------------------------------------------------------------
/src/.env:
--------------------------------------------------------------------------------
1 | DISCORD_TOKEN=
2 |
3 | OWNER=701008374883418113
4 |
5 | ADDRESS='127.0.0.1'
6 | HTTP_PORT='8080'
7 | DISCORD_PUBLIC_KEY=
8 | GUILD_ID=812154531461857301
--------------------------------------------------------------------------------
/.github/renovate.json:
--------------------------------------------------------------------------------
1 | {
2 | "$schema": "https://docs.renovatebot.com/renovate-schema.json",
3 | "extends": ["config:base", "group:allNonMajor"],
4 | "labels": ["dependencies"]
5 | }
6 |
--------------------------------------------------------------------------------
/tsconfig.base.json:
--------------------------------------------------------------------------------
1 | {
2 | "extends": "@sapphire/ts-config/extra-strict",
3 | "compilerOptions": {
4 | "lib": ["ESNext", "DOM"],
5 | "emitDecoratorMetadata": false,
6 | "target": "ESNext",
7 | "module": "NodeNext",
8 | "moduleResolution": "NodeNext",
9 | }
10 | }
11 |
--------------------------------------------------------------------------------
/src/lib/setup.ts:
--------------------------------------------------------------------------------
1 | import '#root/config';
2 | import { container } from '@skyra/http-framework';
3 |
4 | import { Logger } from '@skyra/logger';
5 |
6 | container.logger = new Logger();
7 |
8 | declare module '@sapphire/pieces' {
9 | export interface Container {
10 | logger: Logger;
11 | }
12 | }
13 |
--------------------------------------------------------------------------------
/src/env.d.ts:
--------------------------------------------------------------------------------
1 | import type { IntegerString } from '@skyra/env-utilities';
2 |
3 | declare module '@skyra/env-utilities' {
4 | interface Env {
5 | OWNER: string;
6 | ADDRESS: string;
7 | HTTP_PORT: IntegerString;
8 | DISCORD_TOKEN: string;
9 | GUILD_ID: string;
10 | }
11 | }
12 |
13 | export default undefined;
14 |
--------------------------------------------------------------------------------
/src/config.ts:
--------------------------------------------------------------------------------
1 | import { envParseString, setup } from '@skyra/env-utilities';
2 | import { getRootData } from '@sapphire/pieces';
3 | import { join } from 'node:path';
4 |
5 | export const mainFolder = getRootData().root;
6 | export const rootFolder = join(mainFolder, '..');
7 |
8 | setup(join(rootFolder, 'src', '.env'));
9 | export const OWNER = envParseString('OWNER');
10 |
--------------------------------------------------------------------------------
/src/tsconfig.json:
--------------------------------------------------------------------------------
1 | {
2 | "extends": "../tsconfig.base.json",
3 | "compilerOptions": {
4 | "outDir": "../dist",
5 | "rootDir": ".",
6 | "baseUrl": ".",
7 | "paths": {
8 | "#root/*": ["*"],
9 | "#lib/*": ["lib/*"]
10 | },
11 | "composite": true,
12 | "experimentalDecorators": true
13 | },
14 | "include": [".", "./**/*.json"],
15 | "exclude": ["./tsconfig.json"]
16 | }
17 |
--------------------------------------------------------------------------------
/.github/problemMatchers/tsc.json:
--------------------------------------------------------------------------------
1 | {
2 | "problemMatcher": [
3 | {
4 | "owner": "tsc",
5 | "pattern": [
6 | {
7 | "regexp": "^(?:\\s+\\d+\\>)?([^\\s].*)\\((\\d+|\\d+,\\d+|\\d+,\\d+,\\d+,\\d+)\\)\\s*:\\s+(error|warning|info)\\s+(\\w{1,2}\\d+)\\s*:\\s*(.*)$",
8 | "file": 1,
9 | "location": 2,
10 | "severity": 3,
11 | "code": 4,
12 | "message": 5
13 | }
14 | ]
15 | }
16 | ]
17 | }
18 |
--------------------------------------------------------------------------------
/.yarnrc.yml:
--------------------------------------------------------------------------------
1 | enableGlobalCache: true
2 |
3 | nodeLinker: node-modules
4 |
5 | plugins:
6 | - path: .yarn/plugins/@yarnpkg/plugin-typescript.cjs
7 | spec: '@yarnpkg/plugin-typescript'
8 | - path: .yarn/plugins/@yarnpkg/plugin-workspace-tools.cjs
9 | spec: '@yarnpkg/plugin-workspace-tools'
10 | - path: .yarn/plugins/@yarnpkg/plugin-interactive-tools.cjs
11 | spec: '@yarnpkg/plugin-interactive-tools'
12 |
13 | yarnPath: .yarn/releases/yarn-3.7.0.cjs
14 |
--------------------------------------------------------------------------------
/.gitignore:
--------------------------------------------------------------------------------
1 | # Ignore a blackhole and the folder for development
2 | node_modules/
3 | .vs/
4 | .idea/
5 | *.iml
6 |
7 | # Yarn files
8 | .yarn/install-state.gz
9 | .yarn/build-state.yml
10 | .yarn/*
11 | !.yarn/releases
12 | !.yarn/plugins
13 |
14 | # Output directories
15 | dist/
16 | dist-tsc/
17 |
18 | # Ignore heapsnapshot and log files
19 | *.heapsnapshot
20 | *.log
21 |
22 | # Ignore package locks
23 | package-lock.json
24 |
25 | # Environment variables
26 | .env.local
27 | .env.development.local
28 | .env.test.local
29 | .env.production.local
30 | /.env
--------------------------------------------------------------------------------
/.github/workflows/continous-integration.yml:
--------------------------------------------------------------------------------
1 | name: Continuous Integration
2 |
3 | on:
4 | push:
5 | branches:
6 | - main
7 | pull_request:
8 |
9 | jobs:
10 | Building:
11 | name: Compile source code
12 | runs-on: ubuntu-latest
13 | steps:
14 | - name: Checkout Project
15 | uses: actions/checkout@v4
16 | - name: Add problem matcher
17 | run: echo "::add-matcher::.github/problemMatchers/tsc.json"
18 | - name: Use Node.js v20
19 | uses: actions/setup-node@v4
20 | with:
21 | node-version: 20
22 | cache: yarn
23 | registry-url: https://registry.npmjs.org/
24 | - name: Install Dependencies
25 | run: yarn --immutable
26 | - name: Build Code
27 | run: yarn build
28 |
--------------------------------------------------------------------------------
/src/commands/General/hello.ts:
--------------------------------------------------------------------------------
1 | import { Command, RegisterCommand } from '@skyra/http-framework';
2 | import type { User } from 'discord.js';
3 |
4 | @RegisterCommand((builder) =>
5 | builder //
6 | .setName('hello')
7 | .setDescription('Say hello to people')
8 | .addMentionableOption((option) =>
9 | option //
10 | .setName('user')
11 | .setDescription('The user to say hello to')
12 | .setRequired(true)
13 | )
14 | )
15 | export class UserCommand extends Command {
16 | public override chatInputRun(interaction: Command.ChatInputInteraction, option: Option) {
17 | const { user } = option;
18 | return interaction.reply({ content: `Hello, <@${user.id}>! Greeting to you by <@${interaction.user.id}>!` });
19 | }
20 | }
21 |
22 | interface Option {
23 | user: User;
24 | }
25 |
--------------------------------------------------------------------------------
/LICENSE:
--------------------------------------------------------------------------------
1 | MIT License
2 |
3 | Copyright (c) 2022 Krish
4 |
5 | Permission is hereby granted, free of charge, to any person obtaining a copy
6 | of this software and associated documentation files (the "Software"), to deal
7 | in the Software without restriction, including without limitation the rights
8 | to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
9 | copies of the Software, and to permit persons to whom the Software is
10 | furnished to do so, subject to the following conditions:
11 |
12 | The above copyright notice and this permission notice shall be included in all
13 | copies or substantial portions of the Software.
14 |
15 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
16 | IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
17 | FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
18 | AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
19 | LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
20 | OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
21 | SOFTWARE.
22 |
--------------------------------------------------------------------------------
/package.json:
--------------------------------------------------------------------------------
1 | {
2 | "name": "sapphire-bot",
3 | "version": "2.0.0",
4 | "packageManager": "yarn@3.7.0",
5 | "private": true,
6 | "license": "MIT",
7 | "main": "dist/Bot.js",
8 | "imports": {
9 | "#root/*": "./dist/*.js",
10 | "#lib/*": "./dist/lib/*.js"
11 | },
12 | "type": "module",
13 | "scripts": {
14 | "start": "node dist/Bot.js --enable-source-maps",
15 | "build": "tsc -b src",
16 | "watch": "yarn tsc-watch -b src --onSuccess \"yarn start\"",
17 | "format": "prettier --write --loglevel=warn \"src/**/*.{js,ts,json}\"",
18 | "postinstall": "husky install .github/husky"
19 | },
20 | "dependencies": {
21 | "@skyra/env-utilities": "^1.3.0",
22 | "@skyra/http-framework": "1.2.2",
23 | "@skyra/logger": "^2.0.3",
24 | "colorette": "^2.0.20",
25 | "discord.js": "^14.15.3"
26 | },
27 | "devDependencies": {
28 | "@commitlint/cli": "^19.3.0",
29 | "@commitlint/config-conventional": "^19.2.2",
30 | "@sapphire/prettier-config": "^2.0.0",
31 | "@sapphire/ts-config": "^5.0.1",
32 | "@types/node": "^20.14.9",
33 | "discord-api-types": "0.37.91",
34 | "husky": "^9.0.11",
35 | "prettier": "^3.3.2",
36 | "pretty-quick": "^4.0.0",
37 | "tsc-watch": "^6.2.0",
38 | "typescript": "~5.4.5"
39 | },
40 | "engines": {
41 | "node": ">=18.x.x"
42 | },
43 | "prettier": "@sapphire/prettier-config",
44 | "commitlint": {
45 | "extends": [
46 | "@commitlint/config-conventional"
47 | ]
48 | }
49 | }
50 |
--------------------------------------------------------------------------------
/README.md:
--------------------------------------------------------------------------------
1 |
2 |
3 | # Discord HTTP Bot 🤖
4 |
5 | **A discord bot template to make http connection with discord.**
6 |
7 | 
8 | 
9 | 
10 | 
11 |
12 |
13 |
14 | # Steps after using this template
15 |
16 | 1. Install [Node.js](https://nodejs.org) in your machine.
17 | 1. Install [Yarn](https://yarnpkg.com) in your machine. (`npm install -g yarn`)
18 | 1. Run `yarn install` in the project directory.
19 | 1. Copy `src/.env` to `src/.env.local` and populate in the details.
20 | 1. Run `yarn watch` to start the bot.
21 | 1. Remove this part from README
22 |
23 | ## ⚡ Features
24 |
25 | - Uses [`@skyra/http-framework`](https://github.com/https://github.com/skyra-project/archid-components/tree/main/packages/http-framework) as the base library
26 | - Uses [`@skyra/env-utilities`](https://github.com/skyra-project/archid-components/tree/main/packages/env-utilities) for better env management
27 | - Typescript support
28 | - Prettier support
29 | - Automated git hooks with husky
30 | - Integrated with commit lint to watch your commit messages
31 | - Uses [renovate](https://renovatebot.com) to keep up with latest dependency updates
32 |
33 | ## 📝 Authors
34 |
35 | - [@ikrishagarwal](https://www.github.com/ikrishagarwal)
36 |
--------------------------------------------------------------------------------
/src/Bot.ts:
--------------------------------------------------------------------------------
1 | import '#lib/setup';
2 | import { envIsDefined, envParseInteger, envParseString } from '@skyra/env-utilities';
3 | import { Client, container, Registry } from '@skyra/http-framework';
4 | import { green, magentaBright, magenta, cyanBright } from 'colorette';
5 |
6 | async function main() {
7 | const client = new Client();
8 | const registry = new Registry({
9 | token: envParseString('DISCORD_TOKEN')
10 | });
11 |
12 | await registry.load();
13 |
14 | if (envIsDefined('GUILD_ID')) {
15 | await registry.registerGlobalCommandsInGuild(envParseString('GUILD_ID'));
16 | } else {
17 | await registry.registerGlobalCommands();
18 | }
19 |
20 | await client.load();
21 |
22 | client.on('error', (error) => container.logger.error(error));
23 |
24 | const address = envParseString('ADDRESS');
25 | const port = envParseInteger('HTTP_PORT', 3000);
26 |
27 | void client.listen({ address, port });
28 |
29 | printBanner();
30 | }
31 |
32 | function printBanner() {
33 | const success = green('+');
34 |
35 | const llc = magentaBright;
36 | const blc = magenta;
37 |
38 | const blankLine = llc('');
39 |
40 | // Offset Pad
41 | const pad = ' '.repeat(7);
42 |
43 | console.log(
44 | cyanBright(
45 | String.raw`
46 | ${blankLine}
47 | ${blankLine} ___________ _______ ________ ___________ _______ ______ ___________
48 | ${blankLine}(" _ ")/" "| /" )(" _ ") | _ "\ / " \(" _ ")
49 | ${blankLine} )__/ \\__/(: ______)(: \___/ )__/ \\__/ (. |_) :) // ____ \)__/ \\__/
50 | ${blankLine} \\_ / \/ | \___ \ \\_ / |: \/ / / ) :) \\_ /
51 | ${blankLine} |. | // ___)_ __/ \\ |. | (| _ \\(: (____/ // |. |
52 | ${blankLine} \: | (: "| /" \ :) \: | |: |_) :)\ / \: |
53 | ${blankLine} \__| \_______)(_______/ \__| (_______/ \"_____/ \__|
54 | ${blankLine}
55 | ${blankLine} ${pad}[${success}] Gateway
56 | ${blankLine}${process.env.NODE_ENV === 'production' ? '' : ` ${pad}${blc('<')}${llc('/')}${blc('>')} ${llc('DEVELOPMENT MODE')}`}
57 | `.trim()
58 | )
59 | );
60 | }
61 |
62 | void main();
63 |
--------------------------------------------------------------------------------
/.yarn/plugins/@yarnpkg/plugin-typescript.cjs:
--------------------------------------------------------------------------------
1 | /* eslint-disable */
2 | //prettier-ignore
3 | module.exports = {
4 | name: "@yarnpkg/plugin-typescript",
5 | factory: function (require) {
6 | var plugin=(()=>{var Ft=Object.create,H=Object.defineProperty,Bt=Object.defineProperties,Kt=Object.getOwnPropertyDescriptor,zt=Object.getOwnPropertyDescriptors,Gt=Object.getOwnPropertyNames,Q=Object.getOwnPropertySymbols,$t=Object.getPrototypeOf,ne=Object.prototype.hasOwnProperty,De=Object.prototype.propertyIsEnumerable;var Re=(e,t,r)=>t in e?H(e,t,{enumerable:!0,configurable:!0,writable:!0,value:r}):e[t]=r,u=(e,t)=>{for(var r in t||(t={}))ne.call(t,r)&&Re(e,r,t[r]);if(Q)for(var r of Q(t))De.call(t,r)&&Re(e,r,t[r]);return e},g=(e,t)=>Bt(e,zt(t)),Lt=e=>H(e,"__esModule",{value:!0});var R=(e,t)=>{var r={};for(var s in e)ne.call(e,s)&&t.indexOf(s)<0&&(r[s]=e[s]);if(e!=null&&Q)for(var s of Q(e))t.indexOf(s)<0&&De.call(e,s)&&(r[s]=e[s]);return r};var I=(e,t)=>()=>(t||e((t={exports:{}}).exports,t),t.exports),Vt=(e,t)=>{for(var r in t)H(e,r,{get:t[r],enumerable:!0})},Qt=(e,t,r)=>{if(t&&typeof t=="object"||typeof t=="function")for(let s of Gt(t))!ne.call(e,s)&&s!=="default"&&H(e,s,{get:()=>t[s],enumerable:!(r=Kt(t,s))||r.enumerable});return e},C=e=>Qt(Lt(H(e!=null?Ft($t(e)):{},"default",e&&e.__esModule&&"default"in e?{get:()=>e.default,enumerable:!0}:{value:e,enumerable:!0})),e);var xe=I(J=>{"use strict";Object.defineProperty(J,"__esModule",{value:!0});function _(e){let t=[...e.caches],r=t.shift();return r===void 0?ve():{get(s,n,a={miss:()=>Promise.resolve()}){return r.get(s,n,a).catch(()=>_({caches:t}).get(s,n,a))},set(s,n){return r.set(s,n).catch(()=>_({caches:t}).set(s,n))},delete(s){return r.delete(s).catch(()=>_({caches:t}).delete(s))},clear(){return r.clear().catch(()=>_({caches:t}).clear())}}}function ve(){return{get(e,t,r={miss:()=>Promise.resolve()}){return t().then(n=>Promise.all([n,r.miss(n)])).then(([n])=>n)},set(e,t){return Promise.resolve(t)},delete(e){return Promise.resolve()},clear(){return Promise.resolve()}}}J.createFallbackableCache=_;J.createNullCache=ve});var Ee=I(($s,qe)=>{qe.exports=xe()});var Te=I(ae=>{"use strict";Object.defineProperty(ae,"__esModule",{value:!0});function Jt(e={serializable:!0}){let t={};return{get(r,s,n={miss:()=>Promise.resolve()}){let a=JSON.stringify(r);if(a in t)return Promise.resolve(e.serializable?JSON.parse(t[a]):t[a]);let o=s(),d=n&&n.miss||(()=>Promise.resolve());return o.then(y=>d(y)).then(()=>o)},set(r,s){return t[JSON.stringify(r)]=e.serializable?JSON.stringify(s):s,Promise.resolve(s)},delete(r){return delete t[JSON.stringify(r)],Promise.resolve()},clear(){return t={},Promise.resolve()}}}ae.createInMemoryCache=Jt});var we=I((Vs,Me)=>{Me.exports=Te()});var Ce=I(M=>{"use strict";Object.defineProperty(M,"__esModule",{value:!0});function Xt(e,t,r){let s={"x-algolia-api-key":r,"x-algolia-application-id":t};return{headers(){return e===oe.WithinHeaders?s:{}},queryParameters(){return e===oe.WithinQueryParameters?s:{}}}}function Yt(e){let t=0,r=()=>(t++,new Promise(s=>{setTimeout(()=>{s(e(r))},Math.min(100*t,1e3))}));return e(r)}function ke(e,t=(r,s)=>Promise.resolve()){return Object.assign(e,{wait(r){return ke(e.then(s=>Promise.all([t(s,r),s])).then(s=>s[1]))}})}function Zt(e){let t=e.length-1;for(t;t>0;t--){let r=Math.floor(Math.random()*(t+1)),s=e[t];e[t]=e[r],e[r]=s}return e}function er(e,t){return Object.keys(t!==void 0?t:{}).forEach(r=>{e[r]=t[r](e)}),e}function tr(e,...t){let r=0;return e.replace(/%s/g,()=>encodeURIComponent(t[r++]))}var rr="4.2.0",sr=e=>()=>e.transporter.requester.destroy(),oe={WithinQueryParameters:0,WithinHeaders:1};M.AuthMode=oe;M.addMethods=er;M.createAuth=Xt;M.createRetryablePromise=Yt;M.createWaitablePromise=ke;M.destroy=sr;M.encode=tr;M.shuffle=Zt;M.version=rr});var F=I((Js,Ue)=>{Ue.exports=Ce()});var Ne=I(ie=>{"use strict";Object.defineProperty(ie,"__esModule",{value:!0});var nr={Delete:"DELETE",Get:"GET",Post:"POST",Put:"PUT"};ie.MethodEnum=nr});var B=I((Ys,We)=>{We.exports=Ne()});var Ze=I(A=>{"use strict";Object.defineProperty(A,"__esModule",{value:!0});var He=B();function ce(e,t){let r=e||{},s=r.data||{};return Object.keys(r).forEach(n=>{["timeout","headers","queryParameters","data","cacheable"].indexOf(n)===-1&&(s[n]=r[n])}),{data:Object.entries(s).length>0?s:void 0,timeout:r.timeout||t,headers:r.headers||{},queryParameters:r.queryParameters||{},cacheable:r.cacheable}}var X={Read:1,Write:2,Any:3},U={Up:1,Down:2,Timeouted:3},_e=2*60*1e3;function ue(e,t=U.Up){return g(u({},e),{status:t,lastUpdate:Date.now()})}function Fe(e){return e.status===U.Up||Date.now()-e.lastUpdate>_e}function Be(e){return e.status===U.Timeouted&&Date.now()-e.lastUpdate<=_e}function le(e){return{protocol:e.protocol||"https",url:e.url,accept:e.accept||X.Any}}function ar(e,t){return Promise.all(t.map(r=>e.get(r,()=>Promise.resolve(ue(r))))).then(r=>{let s=r.filter(d=>Fe(d)),n=r.filter(d=>Be(d)),a=[...s,...n],o=a.length>0?a.map(d=>le(d)):t;return{getTimeout(d,y){return(n.length===0&&d===0?1:n.length+3+d)*y},statelessHosts:o}})}var or=({isTimedOut:e,status:t})=>!e&&~~t==0,ir=e=>{let t=e.status;return e.isTimedOut||or(e)||~~(t/100)!=2&&~~(t/100)!=4},cr=({status:e})=>~~(e/100)==2,ur=(e,t)=>ir(e)?t.onRetry(e):cr(e)?t.onSucess(e):t.onFail(e);function Qe(e,t,r,s){let n=[],a=$e(r,s),o=Le(e,s),d=r.method,y=r.method!==He.MethodEnum.Get?{}:u(u({},r.data),s.data),b=u(u(u({"x-algolia-agent":e.userAgent.value},e.queryParameters),y),s.queryParameters),f=0,p=(h,S)=>{let O=h.pop();if(O===void 0)throw Ve(de(n));let P={data:a,headers:o,method:d,url:Ge(O,r.path,b),connectTimeout:S(f,e.timeouts.connect),responseTimeout:S(f,s.timeout)},x=j=>{let T={request:P,response:j,host:O,triesLeft:h.length};return n.push(T),T},v={onSucess:j=>Ke(j),onRetry(j){let T=x(j);return j.isTimedOut&&f++,Promise.all([e.logger.info("Retryable failure",pe(T)),e.hostsCache.set(O,ue(O,j.isTimedOut?U.Timeouted:U.Down))]).then(()=>p(h,S))},onFail(j){throw x(j),ze(j,de(n))}};return e.requester.send(P).then(j=>ur(j,v))};return ar(e.hostsCache,t).then(h=>p([...h.statelessHosts].reverse(),h.getTimeout))}function lr(e){let{hostsCache:t,logger:r,requester:s,requestsCache:n,responsesCache:a,timeouts:o,userAgent:d,hosts:y,queryParameters:b,headers:f}=e,p={hostsCache:t,logger:r,requester:s,requestsCache:n,responsesCache:a,timeouts:o,userAgent:d,headers:f,queryParameters:b,hosts:y.map(h=>le(h)),read(h,S){let O=ce(S,p.timeouts.read),P=()=>Qe(p,p.hosts.filter(j=>(j.accept&X.Read)!=0),h,O);if((O.cacheable!==void 0?O.cacheable:h.cacheable)!==!0)return P();let v={request:h,mappedRequestOptions:O,transporter:{queryParameters:p.queryParameters,headers:p.headers}};return p.responsesCache.get(v,()=>p.requestsCache.get(v,()=>p.requestsCache.set(v,P()).then(j=>Promise.all([p.requestsCache.delete(v),j]),j=>Promise.all([p.requestsCache.delete(v),Promise.reject(j)])).then(([j,T])=>T)),{miss:j=>p.responsesCache.set(v,j)})},write(h,S){return Qe(p,p.hosts.filter(O=>(O.accept&X.Write)!=0),h,ce(S,p.timeouts.write))}};return p}function dr(e){let t={value:`Algolia for JavaScript (${e})`,add(r){let s=`; ${r.segment}${r.version!==void 0?` (${r.version})`:""}`;return t.value.indexOf(s)===-1&&(t.value=`${t.value}${s}`),t}};return t}function Ke(e){try{return JSON.parse(e.content)}catch(t){throw Je(t.message,e)}}function ze({content:e,status:t},r){let s=e;try{s=JSON.parse(e).message}catch(n){}return Xe(s,t,r)}function pr(e,...t){let r=0;return e.replace(/%s/g,()=>encodeURIComponent(t[r++]))}function Ge(e,t,r){let s=Ye(r),n=`${e.protocol}://${e.url}/${t.charAt(0)==="/"?t.substr(1):t}`;return s.length&&(n+=`?${s}`),n}function Ye(e){let t=r=>Object.prototype.toString.call(r)==="[object Object]"||Object.prototype.toString.call(r)==="[object Array]";return Object.keys(e).map(r=>pr("%s=%s",r,t(e[r])?JSON.stringify(e[r]):e[r])).join("&")}function $e(e,t){if(e.method===He.MethodEnum.Get||e.data===void 0&&t.data===void 0)return;let r=Array.isArray(e.data)?e.data:u(u({},e.data),t.data);return JSON.stringify(r)}function Le(e,t){let r=u(u({},e.headers),t.headers),s={};return Object.keys(r).forEach(n=>{let a=r[n];s[n.toLowerCase()]=a}),s}function de(e){return e.map(t=>pe(t))}function pe(e){let t=e.request.headers["x-algolia-api-key"]?{"x-algolia-api-key":"*****"}:{};return g(u({},e),{request:g(u({},e.request),{headers:u(u({},e.request.headers),t)})})}function Xe(e,t,r){return{name:"ApiError",message:e,status:t,transporterStackTrace:r}}function Je(e,t){return{name:"DeserializationError",message:e,response:t}}function Ve(e){return{name:"RetryError",message:"Unreachable hosts - your application id may be incorrect. If the error persists, contact support@algolia.com.",transporterStackTrace:e}}A.CallEnum=X;A.HostStatusEnum=U;A.createApiError=Xe;A.createDeserializationError=Je;A.createMappedRequestOptions=ce;A.createRetryError=Ve;A.createStatefulHost=ue;A.createStatelessHost=le;A.createTransporter=lr;A.createUserAgent=dr;A.deserializeFailure=ze;A.deserializeSuccess=Ke;A.isStatefulHostTimeouted=Be;A.isStatefulHostUp=Fe;A.serializeData=$e;A.serializeHeaders=Le;A.serializeQueryParameters=Ye;A.serializeUrl=Ge;A.stackFrameWithoutCredentials=pe;A.stackTraceWithoutCredentials=de});var K=I((en,et)=>{et.exports=Ze()});var tt=I(w=>{"use strict";Object.defineProperty(w,"__esModule",{value:!0});var N=F(),mr=K(),z=B(),hr=e=>{let t=e.region||"us",r=N.createAuth(N.AuthMode.WithinHeaders,e.appId,e.apiKey),s=mr.createTransporter(g(u({hosts:[{url:`analytics.${t}.algolia.com`}]},e),{headers:u(g(u({},r.headers()),{"content-type":"application/json"}),e.headers),queryParameters:u(u({},r.queryParameters()),e.queryParameters)})),n=e.appId;return N.addMethods({appId:n,transporter:s},e.methods)},yr=e=>(t,r)=>e.transporter.write({method:z.MethodEnum.Post,path:"2/abtests",data:t},r),gr=e=>(t,r)=>e.transporter.write({method:z.MethodEnum.Delete,path:N.encode("2/abtests/%s",t)},r),fr=e=>(t,r)=>e.transporter.read({method:z.MethodEnum.Get,path:N.encode("2/abtests/%s",t)},r),br=e=>t=>e.transporter.read({method:z.MethodEnum.Get,path:"2/abtests"},t),Pr=e=>(t,r)=>e.transporter.write({method:z.MethodEnum.Post,path:N.encode("2/abtests/%s/stop",t)},r);w.addABTest=yr;w.createAnalyticsClient=hr;w.deleteABTest=gr;w.getABTest=fr;w.getABTests=br;w.stopABTest=Pr});var st=I((rn,rt)=>{rt.exports=tt()});var at=I(G=>{"use strict";Object.defineProperty(G,"__esModule",{value:!0});var me=F(),jr=K(),nt=B(),Or=e=>{let t=e.region||"us",r=me.createAuth(me.AuthMode.WithinHeaders,e.appId,e.apiKey),s=jr.createTransporter(g(u({hosts:[{url:`recommendation.${t}.algolia.com`}]},e),{headers:u(g(u({},r.headers()),{"content-type":"application/json"}),e.headers),queryParameters:u(u({},r.queryParameters()),e.queryParameters)}));return me.addMethods({appId:e.appId,transporter:s},e.methods)},Ir=e=>t=>e.transporter.read({method:nt.MethodEnum.Get,path:"1/strategies/personalization"},t),Ar=e=>(t,r)=>e.transporter.write({method:nt.MethodEnum.Post,path:"1/strategies/personalization",data:t},r);G.createRecommendationClient=Or;G.getPersonalizationStrategy=Ir;G.setPersonalizationStrategy=Ar});var it=I((nn,ot)=>{ot.exports=at()});var jt=I(i=>{"use strict";Object.defineProperty(i,"__esModule",{value:!0});var l=F(),q=K(),m=B(),Sr=require("crypto");function Y(e){let t=r=>e.request(r).then(s=>{if(e.batch!==void 0&&e.batch(s.hits),!e.shouldStop(s))return s.cursor?t({cursor:s.cursor}):t({page:(r.page||0)+1})});return t({})}var Dr=e=>{let t=e.appId,r=l.createAuth(e.authMode!==void 0?e.authMode:l.AuthMode.WithinHeaders,t,e.apiKey),s=q.createTransporter(g(u({hosts:[{url:`${t}-dsn.algolia.net`,accept:q.CallEnum.Read},{url:`${t}.algolia.net`,accept:q.CallEnum.Write}].concat(l.shuffle([{url:`${t}-1.algolianet.com`},{url:`${t}-2.algolianet.com`},{url:`${t}-3.algolianet.com`}]))},e),{headers:u(g(u({},r.headers()),{"content-type":"application/x-www-form-urlencoded"}),e.headers),queryParameters:u(u({},r.queryParameters()),e.queryParameters)})),n={transporter:s,appId:t,addAlgoliaAgent(a,o){s.userAgent.add({segment:a,version:o})},clearCache(){return Promise.all([s.requestsCache.clear(),s.responsesCache.clear()]).then(()=>{})}};return l.addMethods(n,e.methods)};function ct(){return{name:"MissingObjectIDError",message:"All objects must have an unique objectID (like a primary key) to be valid. Algolia is also able to generate objectIDs automatically but *it's not recommended*. To do it, use the `{'autoGenerateObjectIDIfNotExist': true}` option."}}function ut(){return{name:"ObjectNotFoundError",message:"Object not found."}}function lt(){return{name:"ValidUntilNotFoundError",message:"ValidUntil not found in given secured api key."}}var Rr=e=>(t,r)=>{let d=r||{},{queryParameters:s}=d,n=R(d,["queryParameters"]),a=u({acl:t},s!==void 0?{queryParameters:s}:{}),o=(y,b)=>l.createRetryablePromise(f=>$(e)(y.key,b).catch(p=>{if(p.status!==404)throw p;return f()}));return l.createWaitablePromise(e.transporter.write({method:m.MethodEnum.Post,path:"1/keys",data:a},n),o)},vr=e=>(t,r,s)=>{let n=q.createMappedRequestOptions(s);return n.queryParameters["X-Algolia-User-ID"]=t,e.transporter.write({method:m.MethodEnum.Post,path:"1/clusters/mapping",data:{cluster:r}},n)},xr=e=>(t,r,s)=>e.transporter.write({method:m.MethodEnum.Post,path:"1/clusters/mapping/batch",data:{users:t,cluster:r}},s),Z=e=>(t,r,s)=>{let n=(a,o)=>L(e)(t,{methods:{waitTask:D}}).waitTask(a.taskID,o);return l.createWaitablePromise(e.transporter.write({method:m.MethodEnum.Post,path:l.encode("1/indexes/%s/operation",t),data:{operation:"copy",destination:r}},s),n)},qr=e=>(t,r,s)=>Z(e)(t,r,g(u({},s),{scope:[ee.Rules]})),Er=e=>(t,r,s)=>Z(e)(t,r,g(u({},s),{scope:[ee.Settings]})),Tr=e=>(t,r,s)=>Z(e)(t,r,g(u({},s),{scope:[ee.Synonyms]})),Mr=e=>(t,r)=>{let s=(n,a)=>l.createRetryablePromise(o=>$(e)(t,a).then(o).catch(d=>{if(d.status!==404)throw d}));return l.createWaitablePromise(e.transporter.write({method:m.MethodEnum.Delete,path:l.encode("1/keys/%s",t)},r),s)},wr=()=>(e,t)=>{let r=q.serializeQueryParameters(t),s=Sr.createHmac("sha256",e).update(r).digest("hex");return Buffer.from(s+r).toString("base64")},$=e=>(t,r)=>e.transporter.read({method:m.MethodEnum.Get,path:l.encode("1/keys/%s",t)},r),kr=e=>t=>e.transporter.read({method:m.MethodEnum.Get,path:"1/logs"},t),Cr=()=>e=>{let t=Buffer.from(e,"base64").toString("ascii"),r=/validUntil=(\d+)/,s=t.match(r);if(s===null)throw lt();return parseInt(s[1],10)-Math.round(new Date().getTime()/1e3)},Ur=e=>t=>e.transporter.read({method:m.MethodEnum.Get,path:"1/clusters/mapping/top"},t),Nr=e=>(t,r)=>e.transporter.read({method:m.MethodEnum.Get,path:l.encode("1/clusters/mapping/%s",t)},r),Wr=e=>t=>{let n=t||{},{retrieveMappings:r}=n,s=R(n,["retrieveMappings"]);return r===!0&&(s.getClusters=!0),e.transporter.read({method:m.MethodEnum.Get,path:"1/clusters/mapping/pending"},s)},L=e=>(t,r={})=>{let s={transporter:e.transporter,appId:e.appId,indexName:t};return l.addMethods(s,r.methods)},Hr=e=>t=>e.transporter.read({method:m.MethodEnum.Get,path:"1/keys"},t),_r=e=>t=>e.transporter.read({method:m.MethodEnum.Get,path:"1/clusters"},t),Fr=e=>t=>e.transporter.read({method:m.MethodEnum.Get,path:"1/indexes"},t),Br=e=>t=>e.transporter.read({method:m.MethodEnum.Get,path:"1/clusters/mapping"},t),Kr=e=>(t,r,s)=>{let n=(a,o)=>L(e)(t,{methods:{waitTask:D}}).waitTask(a.taskID,o);return l.createWaitablePromise(e.transporter.write({method:m.MethodEnum.Post,path:l.encode("1/indexes/%s/operation",t),data:{operation:"move",destination:r}},s),n)},zr=e=>(t,r)=>{let s=(n,a)=>Promise.all(Object.keys(n.taskID).map(o=>L(e)(o,{methods:{waitTask:D}}).waitTask(n.taskID[o],a)));return l.createWaitablePromise(e.transporter.write({method:m.MethodEnum.Post,path:"1/indexes/*/batch",data:{requests:t}},r),s)},Gr=e=>(t,r)=>e.transporter.read({method:m.MethodEnum.Post,path:"1/indexes/*/objects",data:{requests:t}},r),$r=e=>(t,r)=>{let s=t.map(n=>g(u({},n),{params:q.serializeQueryParameters(n.params||{})}));return e.transporter.read({method:m.MethodEnum.Post,path:"1/indexes/*/queries",data:{requests:s},cacheable:!0},r)},Lr=e=>(t,r)=>Promise.all(t.map(s=>{let d=s.params,{facetName:n,facetQuery:a}=d,o=R(d,["facetName","facetQuery"]);return L(e)(s.indexName,{methods:{searchForFacetValues:dt}}).searchForFacetValues(n,a,u(u({},r),o))})),Vr=e=>(t,r)=>{let s=q.createMappedRequestOptions(r);return s.queryParameters["X-Algolia-User-ID"]=t,e.transporter.write({method:m.MethodEnum.Delete,path:"1/clusters/mapping"},s)},Qr=e=>(t,r)=>{let s=(n,a)=>l.createRetryablePromise(o=>$(e)(t,a).catch(d=>{if(d.status!==404)throw d;return o()}));return l.createWaitablePromise(e.transporter.write({method:m.MethodEnum.Post,path:l.encode("1/keys/%s/restore",t)},r),s)},Jr=e=>(t,r)=>e.transporter.read({method:m.MethodEnum.Post,path:"1/clusters/mapping/search",data:{query:t}},r),Xr=e=>(t,r)=>{let s=Object.assign({},r),f=r||{},{queryParameters:n}=f,a=R(f,["queryParameters"]),o=n?{queryParameters:n}:{},d=["acl","indexes","referers","restrictSources","queryParameters","description","maxQueriesPerIPPerHour","maxHitsPerQuery"],y=p=>Object.keys(s).filter(h=>d.indexOf(h)!==-1).every(h=>p[h]===s[h]),b=(p,h)=>l.createRetryablePromise(S=>$(e)(t,h).then(O=>y(O)?Promise.resolve():S()));return l.createWaitablePromise(e.transporter.write({method:m.MethodEnum.Put,path:l.encode("1/keys/%s",t),data:o},a),b)},pt=e=>(t,r)=>{let s=(n,a)=>D(e)(n.taskID,a);return l.createWaitablePromise(e.transporter.write({method:m.MethodEnum.Post,path:l.encode("1/indexes/%s/batch",e.indexName),data:{requests:t}},r),s)},Yr=e=>t=>Y(g(u({},t),{shouldStop:r=>r.cursor===void 0,request:r=>e.transporter.read({method:m.MethodEnum.Post,path:l.encode("1/indexes/%s/browse",e.indexName),data:r},t)})),Zr=e=>t=>{let r=u({hitsPerPage:1e3},t);return Y(g(u({},r),{shouldStop:s=>s.hits.lengthg(u({},n),{hits:n.hits.map(a=>(delete a._highlightResult,a))}))}}))},es=e=>t=>{let r=u({hitsPerPage:1e3},t);return Y(g(u({},r),{shouldStop:s=>s.hits.lengthg(u({},n),{hits:n.hits.map(a=>(delete a._highlightResult,a))}))}}))},te=e=>(t,r,s)=>{let y=s||{},{batchSize:n}=y,a=R(y,["batchSize"]),o={taskIDs:[],objectIDs:[]},d=(b=0)=>{let f=[],p;for(p=b;p({action:r,body:h})),a).then(h=>(o.objectIDs=o.objectIDs.concat(h.objectIDs),o.taskIDs.push(h.taskID),p++,d(p)))};return l.createWaitablePromise(d(),(b,f)=>Promise.all(b.taskIDs.map(p=>D(e)(p,f))))},ts=e=>t=>l.createWaitablePromise(e.transporter.write({method:m.MethodEnum.Post,path:l.encode("1/indexes/%s/clear",e.indexName)},t),(r,s)=>D(e)(r.taskID,s)),rs=e=>t=>{let a=t||{},{forwardToReplicas:r}=a,s=R(a,["forwardToReplicas"]),n=q.createMappedRequestOptions(s);return r&&(n.queryParameters.forwardToReplicas=1),l.createWaitablePromise(e.transporter.write({method:m.MethodEnum.Post,path:l.encode("1/indexes/%s/rules/clear",e.indexName)},n),(o,d)=>D(e)(o.taskID,d))},ss=e=>t=>{let a=t||{},{forwardToReplicas:r}=a,s=R(a,["forwardToReplicas"]),n=q.createMappedRequestOptions(s);return r&&(n.queryParameters.forwardToReplicas=1),l.createWaitablePromise(e.transporter.write({method:m.MethodEnum.Post,path:l.encode("1/indexes/%s/synonyms/clear",e.indexName)},n),(o,d)=>D(e)(o.taskID,d))},ns=e=>(t,r)=>l.createWaitablePromise(e.transporter.write({method:m.MethodEnum.Post,path:l.encode("1/indexes/%s/deleteByQuery",e.indexName),data:t},r),(s,n)=>D(e)(s.taskID,n)),as=e=>t=>l.createWaitablePromise(e.transporter.write({method:m.MethodEnum.Delete,path:l.encode("1/indexes/%s",e.indexName)},t),(r,s)=>D(e)(r.taskID,s)),os=e=>(t,r)=>l.createWaitablePromise(yt(e)([t],r).then(s=>({taskID:s.taskIDs[0]})),(s,n)=>D(e)(s.taskID,n)),yt=e=>(t,r)=>{let s=t.map(n=>({objectID:n}));return te(e)(s,k.DeleteObject,r)},is=e=>(t,r)=>{let o=r||{},{forwardToReplicas:s}=o,n=R(o,["forwardToReplicas"]),a=q.createMappedRequestOptions(n);return s&&(a.queryParameters.forwardToReplicas=1),l.createWaitablePromise(e.transporter.write({method:m.MethodEnum.Delete,path:l.encode("1/indexes/%s/rules/%s",e.indexName,t)},a),(d,y)=>D(e)(d.taskID,y))},cs=e=>(t,r)=>{let o=r||{},{forwardToReplicas:s}=o,n=R(o,["forwardToReplicas"]),a=q.createMappedRequestOptions(n);return s&&(a.queryParameters.forwardToReplicas=1),l.createWaitablePromise(e.transporter.write({method:m.MethodEnum.Delete,path:l.encode("1/indexes/%s/synonyms/%s",e.indexName,t)},a),(d,y)=>D(e)(d.taskID,y))},us=e=>t=>gt(e)(t).then(()=>!0).catch(r=>{if(r.status!==404)throw r;return!1}),ls=e=>(t,r)=>{let y=r||{},{query:s,paginate:n}=y,a=R(y,["query","paginate"]),o=0,d=()=>ft(e)(s||"",g(u({},a),{page:o})).then(b=>{for(let[f,p]of Object.entries(b.hits))if(t(p))return{object:p,position:parseInt(f,10),page:o};if(o++,n===!1||o>=b.nbPages)throw ut();return d()});return d()},ds=e=>(t,r)=>e.transporter.read({method:m.MethodEnum.Get,path:l.encode("1/indexes/%s/%s",e.indexName,t)},r),ps=()=>(e,t)=>{for(let[r,s]of Object.entries(e.hits))if(s.objectID===t)return parseInt(r,10);return-1},ms=e=>(t,r)=>{let o=r||{},{attributesToRetrieve:s}=o,n=R(o,["attributesToRetrieve"]),a=t.map(d=>u({indexName:e.indexName,objectID:d},s?{attributesToRetrieve:s}:{}));return e.transporter.read({method:m.MethodEnum.Post,path:"1/indexes/*/objects",data:{requests:a}},n)},hs=e=>(t,r)=>e.transporter.read({method:m.MethodEnum.Get,path:l.encode("1/indexes/%s/rules/%s",e.indexName,t)},r),gt=e=>t=>e.transporter.read({method:m.MethodEnum.Get,path:l.encode("1/indexes/%s/settings",e.indexName),data:{getVersion:2}},t),ys=e=>(t,r)=>e.transporter.read({method:m.MethodEnum.Get,path:l.encode("1/indexes/%s/synonyms/%s",e.indexName,t)},r),bt=e=>(t,r)=>e.transporter.read({method:m.MethodEnum.Get,path:l.encode("1/indexes/%s/task/%s",e.indexName,t.toString())},r),gs=e=>(t,r)=>l.createWaitablePromise(Pt(e)([t],r).then(s=>({objectID:s.objectIDs[0],taskID:s.taskIDs[0]})),(s,n)=>D(e)(s.taskID,n)),Pt=e=>(t,r)=>{let o=r||{},{createIfNotExists:s}=o,n=R(o,["createIfNotExists"]),a=s?k.PartialUpdateObject:k.PartialUpdateObjectNoCreate;return te(e)(t,a,n)},fs=e=>(t,r)=>{let O=r||{},{safe:s,autoGenerateObjectIDIfNotExist:n,batchSize:a}=O,o=R(O,["safe","autoGenerateObjectIDIfNotExist","batchSize"]),d=(P,x,v,j)=>l.createWaitablePromise(e.transporter.write({method:m.MethodEnum.Post,path:l.encode("1/indexes/%s/operation",P),data:{operation:v,destination:x}},j),(T,V)=>D(e)(T.taskID,V)),y=Math.random().toString(36).substring(7),b=`${e.indexName}_tmp_${y}`,f=he({appId:e.appId,transporter:e.transporter,indexName:b}),p=[],h=d(e.indexName,b,"copy",g(u({},o),{scope:["settings","synonyms","rules"]}));p.push(h);let S=(s?h.wait(o):h).then(()=>{let P=f(t,g(u({},o),{autoGenerateObjectIDIfNotExist:n,batchSize:a}));return p.push(P),s?P.wait(o):P}).then(()=>{let P=d(b,e.indexName,"move",o);return p.push(P),s?P.wait(o):P}).then(()=>Promise.all(p)).then(([P,x,v])=>({objectIDs:x.objectIDs,taskIDs:[P.taskID,...x.taskIDs,v.taskID]}));return l.createWaitablePromise(S,(P,x)=>Promise.all(p.map(v=>v.wait(x))))},bs=e=>(t,r)=>ye(e)(t,g(u({},r),{clearExistingRules:!0})),Ps=e=>(t,r)=>ge(e)(t,g(u({},r),{replaceExistingSynonyms:!0})),js=e=>(t,r)=>l.createWaitablePromise(he(e)([t],r).then(s=>({objectID:s.objectIDs[0],taskID:s.taskIDs[0]})),(s,n)=>D(e)(s.taskID,n)),he=e=>(t,r)=>{let o=r||{},{autoGenerateObjectIDIfNotExist:s}=o,n=R(o,["autoGenerateObjectIDIfNotExist"]),a=s?k.AddObject:k.UpdateObject;if(a===k.UpdateObject){for(let d of t)if(d.objectID===void 0)return l.createWaitablePromise(Promise.reject(ct()))}return te(e)(t,a,n)},Os=e=>(t,r)=>ye(e)([t],r),ye=e=>(t,r)=>{let d=r||{},{forwardToReplicas:s,clearExistingRules:n}=d,a=R(d,["forwardToReplicas","clearExistingRules"]),o=q.createMappedRequestOptions(a);return s&&(o.queryParameters.forwardToReplicas=1),n&&(o.queryParameters.clearExistingRules=1),l.createWaitablePromise(e.transporter.write({method:m.MethodEnum.Post,path:l.encode("1/indexes/%s/rules/batch",e.indexName),data:t},o),(y,b)=>D(e)(y.taskID,b))},Is=e=>(t,r)=>ge(e)([t],r),ge=e=>(t,r)=>{let d=r||{},{forwardToReplicas:s,replaceExistingSynonyms:n}=d,a=R(d,["forwardToReplicas","replaceExistingSynonyms"]),o=q.createMappedRequestOptions(a);return s&&(o.queryParameters.forwardToReplicas=1),n&&(o.queryParameters.replaceExistingSynonyms=1),l.createWaitablePromise(e.transporter.write({method:m.MethodEnum.Post,path:l.encode("1/indexes/%s/synonyms/batch",e.indexName),data:t},o),(y,b)=>D(e)(y.taskID,b))},ft=e=>(t,r)=>e.transporter.read({method:m.MethodEnum.Post,path:l.encode("1/indexes/%s/query",e.indexName),data:{query:t},cacheable:!0},r),dt=e=>(t,r,s)=>e.transporter.read({method:m.MethodEnum.Post,path:l.encode("1/indexes/%s/facets/%s/query",e.indexName,t),data:{facetQuery:r},cacheable:!0},s),mt=e=>(t,r)=>e.transporter.read({method:m.MethodEnum.Post,path:l.encode("1/indexes/%s/rules/search",e.indexName),data:{query:t}},r),ht=e=>(t,r)=>e.transporter.read({method:m.MethodEnum.Post,path:l.encode("1/indexes/%s/synonyms/search",e.indexName),data:{query:t}},r),As=e=>(t,r)=>{let o=r||{},{forwardToReplicas:s}=o,n=R(o,["forwardToReplicas"]),a=q.createMappedRequestOptions(n);return s&&(a.queryParameters.forwardToReplicas=1),l.createWaitablePromise(e.transporter.write({method:m.MethodEnum.Put,path:l.encode("1/indexes/%s/settings",e.indexName),data:t},a),(d,y)=>D(e)(d.taskID,y))},D=e=>(t,r)=>l.createRetryablePromise(s=>bt(e)(t,r).then(n=>n.status!=="published"?s():void 0)),Ss={AddObject:"addObject",Analytics:"analytics",Browser:"browse",DeleteIndex:"deleteIndex",DeleteObject:"deleteObject",EditSettings:"editSettings",ListIndexes:"listIndexes",Logs:"logs",Recommendation:"recommendation",Search:"search",SeeUnretrievableAttributes:"seeUnretrievableAttributes",Settings:"settings",Usage:"usage"},k={AddObject:"addObject",UpdateObject:"updateObject",PartialUpdateObject:"partialUpdateObject",PartialUpdateObjectNoCreate:"partialUpdateObjectNoCreate",DeleteObject:"deleteObject"},ee={Settings:"settings",Synonyms:"synonyms",Rules:"rules"},Ds={None:"none",StopIfEnoughMatches:"stopIfEnoughMatches"},Rs={Synonym:"synonym",OneWaySynonym:"oneWaySynonym",AltCorrection1:"altCorrection1",AltCorrection2:"altCorrection2",Placeholder:"placeholder"};i.ApiKeyACLEnum=Ss;i.BatchActionEnum=k;i.ScopeEnum=ee;i.StrategyEnum=Ds;i.SynonymEnum=Rs;i.addApiKey=Rr;i.assignUserID=vr;i.assignUserIDs=xr;i.batch=pt;i.browseObjects=Yr;i.browseRules=Zr;i.browseSynonyms=es;i.chunkedBatch=te;i.clearObjects=ts;i.clearRules=rs;i.clearSynonyms=ss;i.copyIndex=Z;i.copyRules=qr;i.copySettings=Er;i.copySynonyms=Tr;i.createBrowsablePromise=Y;i.createMissingObjectIDError=ct;i.createObjectNotFoundError=ut;i.createSearchClient=Dr;i.createValidUntilNotFoundError=lt;i.deleteApiKey=Mr;i.deleteBy=ns;i.deleteIndex=as;i.deleteObject=os;i.deleteObjects=yt;i.deleteRule=is;i.deleteSynonym=cs;i.exists=us;i.findObject=ls;i.generateSecuredApiKey=wr;i.getApiKey=$;i.getLogs=kr;i.getObject=ds;i.getObjectPosition=ps;i.getObjects=ms;i.getRule=hs;i.getSecuredApiKeyRemainingValidity=Cr;i.getSettings=gt;i.getSynonym=ys;i.getTask=bt;i.getTopUserIDs=Ur;i.getUserID=Nr;i.hasPendingMappings=Wr;i.initIndex=L;i.listApiKeys=Hr;i.listClusters=_r;i.listIndices=Fr;i.listUserIDs=Br;i.moveIndex=Kr;i.multipleBatch=zr;i.multipleGetObjects=Gr;i.multipleQueries=$r;i.multipleSearchForFacetValues=Lr;i.partialUpdateObject=gs;i.partialUpdateObjects=Pt;i.removeUserID=Vr;i.replaceAllObjects=fs;i.replaceAllRules=bs;i.replaceAllSynonyms=Ps;i.restoreApiKey=Qr;i.saveObject=js;i.saveObjects=he;i.saveRule=Os;i.saveRules=ye;i.saveSynonym=Is;i.saveSynonyms=ge;i.search=ft;i.searchForFacetValues=dt;i.searchRules=mt;i.searchSynonyms=ht;i.searchUserIDs=Jr;i.setSettings=As;i.updateApiKey=Xr;i.waitTask=D});var It=I((on,Ot)=>{Ot.exports=jt()});var At=I(re=>{"use strict";Object.defineProperty(re,"__esModule",{value:!0});function vs(){return{debug(e,t){return Promise.resolve()},info(e,t){return Promise.resolve()},error(e,t){return Promise.resolve()}}}var xs={Debug:1,Info:2,Error:3};re.LogLevelEnum=xs;re.createNullLogger=vs});var Dt=I((un,St)=>{St.exports=At()});var xt=I(fe=>{"use strict";Object.defineProperty(fe,"__esModule",{value:!0});var Rt=require("http"),vt=require("https"),qs=require("url");function Es(){let e={keepAlive:!0},t=new Rt.Agent(e),r=new vt.Agent(e);return{send(s){return new Promise(n=>{let a=qs.parse(s.url),o=a.query===null?a.pathname:`${a.pathname}?${a.query}`,d=u({agent:a.protocol==="https:"?r:t,hostname:a.hostname,path:o,method:s.method,headers:s.headers},a.port!==void 0?{port:a.port||""}:{}),y=(a.protocol==="https:"?vt:Rt).request(d,h=>{let S="";h.on("data",O=>S+=O),h.on("end",()=>{clearTimeout(f),clearTimeout(p),n({status:h.statusCode||0,content:S,isTimedOut:!1})})}),b=(h,S)=>setTimeout(()=>{y.abort(),n({status:0,content:S,isTimedOut:!0})},h*1e3),f=b(s.connectTimeout,"Connection timeout"),p;y.on("error",h=>{clearTimeout(f),clearTimeout(p),n({status:0,content:h.message,isTimedOut:!1})}),y.once("response",()=>{clearTimeout(f),p=b(s.responseTimeout,"Socket timeout")}),s.data!==void 0&&y.write(s.data),y.end()})},destroy(){return t.destroy(),r.destroy(),Promise.resolve()}}}fe.createNodeHttpRequester=Es});var Et=I((dn,qt)=>{qt.exports=xt()});var kt=I((pn,Tt)=>{"use strict";var Mt=Ee(),Ts=we(),W=st(),be=F(),Pe=it(),c=It(),Ms=Dt(),ws=Et(),ks=K();function wt(e,t,r){let s={appId:e,apiKey:t,timeouts:{connect:2,read:5,write:30},requester:ws.createNodeHttpRequester(),logger:Ms.createNullLogger(),responsesCache:Mt.createNullCache(),requestsCache:Mt.createNullCache(),hostsCache:Ts.createInMemoryCache(),userAgent:ks.createUserAgent(be.version).add({segment:"Node.js",version:process.versions.node})};return c.createSearchClient(g(u(u({},s),r),{methods:{search:c.multipleQueries,searchForFacetValues:c.multipleSearchForFacetValues,multipleBatch:c.multipleBatch,multipleGetObjects:c.multipleGetObjects,multipleQueries:c.multipleQueries,copyIndex:c.copyIndex,copySettings:c.copySettings,copyRules:c.copyRules,copySynonyms:c.copySynonyms,moveIndex:c.moveIndex,listIndices:c.listIndices,getLogs:c.getLogs,listClusters:c.listClusters,multipleSearchForFacetValues:c.multipleSearchForFacetValues,getApiKey:c.getApiKey,addApiKey:c.addApiKey,listApiKeys:c.listApiKeys,updateApiKey:c.updateApiKey,deleteApiKey:c.deleteApiKey,restoreApiKey:c.restoreApiKey,assignUserID:c.assignUserID,assignUserIDs:c.assignUserIDs,getUserID:c.getUserID,searchUserIDs:c.searchUserIDs,listUserIDs:c.listUserIDs,getTopUserIDs:c.getTopUserIDs,removeUserID:c.removeUserID,hasPendingMappings:c.hasPendingMappings,generateSecuredApiKey:c.generateSecuredApiKey,getSecuredApiKeyRemainingValidity:c.getSecuredApiKeyRemainingValidity,destroy:be.destroy,initIndex:n=>a=>c.initIndex(n)(a,{methods:{batch:c.batch,delete:c.deleteIndex,getObject:c.getObject,getObjects:c.getObjects,saveObject:c.saveObject,saveObjects:c.saveObjects,search:c.search,searchForFacetValues:c.searchForFacetValues,waitTask:c.waitTask,setSettings:c.setSettings,getSettings:c.getSettings,partialUpdateObject:c.partialUpdateObject,partialUpdateObjects:c.partialUpdateObjects,deleteObject:c.deleteObject,deleteObjects:c.deleteObjects,deleteBy:c.deleteBy,clearObjects:c.clearObjects,browseObjects:c.browseObjects,getObjectPosition:c.getObjectPosition,findObject:c.findObject,exists:c.exists,saveSynonym:c.saveSynonym,saveSynonyms:c.saveSynonyms,getSynonym:c.getSynonym,searchSynonyms:c.searchSynonyms,browseSynonyms:c.browseSynonyms,deleteSynonym:c.deleteSynonym,clearSynonyms:c.clearSynonyms,replaceAllObjects:c.replaceAllObjects,replaceAllSynonyms:c.replaceAllSynonyms,searchRules:c.searchRules,getRule:c.getRule,deleteRule:c.deleteRule,saveRule:c.saveRule,saveRules:c.saveRules,replaceAllRules:c.replaceAllRules,browseRules:c.browseRules,clearRules:c.clearRules}}),initAnalytics:()=>n=>W.createAnalyticsClient(g(u(u({},s),n),{methods:{addABTest:W.addABTest,getABTest:W.getABTest,getABTests:W.getABTests,stopABTest:W.stopABTest,deleteABTest:W.deleteABTest}})),initRecommendation:()=>n=>Pe.createRecommendationClient(g(u(u({},s),n),{methods:{getPersonalizationStrategy:Pe.getPersonalizationStrategy,setPersonalizationStrategy:Pe.setPersonalizationStrategy}}))}}))}wt.version=be.version;Tt.exports=wt});var Ut=I((mn,je)=>{var Ct=kt();je.exports=Ct;je.exports.default=Ct});var Ws={};Vt(Ws,{default:()=>Ks});var Oe=C(require("@yarnpkg/core")),E=C(require("@yarnpkg/core")),Ie=C(require("@yarnpkg/plugin-essentials")),Ht=C(require("semver"));var se=C(require("@yarnpkg/core")),Nt=C(Ut()),Cs="e8e1bd300d860104bb8c58453ffa1eb4",Us="OFCNCOG2CU",Wt=async(e,t)=>{var a;let r=se.structUtils.stringifyIdent(e),n=Ns(t).initIndex("npm-search");try{return((a=(await n.getObject(r,{attributesToRetrieve:["types"]})).types)==null?void 0:a.ts)==="definitely-typed"}catch(o){return!1}},Ns=e=>(0,Nt.default)(Us,Cs,{requester:{async send(r){try{let s=await se.httpUtils.request(r.url,r.data||null,{configuration:e,headers:r.headers});return{content:s.body,isTimedOut:!1,status:s.statusCode}}catch(s){return{content:s.response.body,isTimedOut:!1,status:s.response.statusCode}}}}});var _t=e=>e.scope?`${e.scope}__${e.name}`:`${e.name}`,Hs=async(e,t,r,s)=>{if(r.scope==="types")return;let{project:n}=e,{configuration:a}=n,o=a.makeResolver(),d={project:n,resolver:o,report:new E.ThrowReport};if(!await Wt(r,a))return;let b=_t(r),f=E.structUtils.parseRange(r.range).selector;if(!E.semverUtils.validRange(f)){let P=await o.getCandidates(r,new Map,d);f=E.structUtils.parseRange(P[0].reference).selector}let p=Ht.default.coerce(f);if(p===null)return;let h=`${Ie.suggestUtils.Modifier.CARET}${p.major}`,S=E.structUtils.makeDescriptor(E.structUtils.makeIdent("types",b),h),O=E.miscUtils.mapAndFind(n.workspaces,P=>{var T,V;let x=(T=P.manifest.dependencies.get(r.identHash))==null?void 0:T.descriptorHash,v=(V=P.manifest.devDependencies.get(r.identHash))==null?void 0:V.descriptorHash;if(x!==r.descriptorHash&&v!==r.descriptorHash)return E.miscUtils.mapAndFind.skip;let j=[];for(let Ae of Oe.Manifest.allDependencies){let Se=P.manifest[Ae].get(S.identHash);typeof Se!="undefined"&&j.push([Ae,Se])}return j.length===0?E.miscUtils.mapAndFind.skip:j});if(typeof O!="undefined")for(let[P,x]of O)e.manifest[P].set(x.identHash,x);else{try{if((await o.getCandidates(S,new Map,d)).length===0)return}catch{return}e.manifest[Ie.suggestUtils.Target.DEVELOPMENT].set(S.identHash,S)}},_s=async(e,t,r)=>{if(r.scope==="types")return;let s=_t(r),n=E.structUtils.makeIdent("types",s);for(let a of Oe.Manifest.allDependencies)typeof e.manifest[a].get(n.identHash)!="undefined"&&e.manifest[a].delete(n.identHash)},Fs=(e,t)=>{t.publishConfig&&t.publishConfig.typings&&(t.typings=t.publishConfig.typings),t.publishConfig&&t.publishConfig.types&&(t.types=t.publishConfig.types)},Bs={hooks:{afterWorkspaceDependencyAddition:Hs,afterWorkspaceDependencyRemoval:_s,beforeWorkspacePacking:Fs}},Ks=Bs;return Ws;})();
7 | return plugin;
8 | }
9 | };
10 |
--------------------------------------------------------------------------------
/.yarn/plugins/@yarnpkg/plugin-workspace-tools.cjs:
--------------------------------------------------------------------------------
1 | /* eslint-disable */
2 | //prettier-ignore
3 | module.exports = {
4 | name: "@yarnpkg/plugin-workspace-tools",
5 | factory: function (require) {
6 | var plugin=(()=>{var _r=Object.create;var we=Object.defineProperty;var Er=Object.getOwnPropertyDescriptor;var br=Object.getOwnPropertyNames;var xr=Object.getPrototypeOf,Cr=Object.prototype.hasOwnProperty;var W=(e=>typeof require<"u"?require:typeof Proxy<"u"?new Proxy(e,{get:(r,t)=>(typeof require<"u"?require:r)[t]}):e)(function(e){if(typeof require<"u")return require.apply(this,arguments);throw new Error('Dynamic require of "'+e+'" is not supported')});var q=(e,r)=>()=>(r||e((r={exports:{}}).exports,r),r.exports),wr=(e,r)=>{for(var t in r)we(e,t,{get:r[t],enumerable:!0})},Je=(e,r,t,n)=>{if(r&&typeof r=="object"||typeof r=="function")for(let s of br(r))!Cr.call(e,s)&&s!==t&&we(e,s,{get:()=>r[s],enumerable:!(n=Er(r,s))||n.enumerable});return e};var Be=(e,r,t)=>(t=e!=null?_r(xr(e)):{},Je(r||!e||!e.__esModule?we(t,"default",{value:e,enumerable:!0}):t,e)),Sr=e=>Je(we({},"__esModule",{value:!0}),e);var ve=q(ee=>{"use strict";ee.isInteger=e=>typeof e=="number"?Number.isInteger(e):typeof e=="string"&&e.trim()!==""?Number.isInteger(Number(e)):!1;ee.find=(e,r)=>e.nodes.find(t=>t.type===r);ee.exceedsLimit=(e,r,t=1,n)=>n===!1||!ee.isInteger(e)||!ee.isInteger(r)?!1:(Number(r)-Number(e))/Number(t)>=n;ee.escapeNode=(e,r=0,t)=>{let n=e.nodes[r];!n||(t&&n.type===t||n.type==="open"||n.type==="close")&&n.escaped!==!0&&(n.value="\\"+n.value,n.escaped=!0)};ee.encloseBrace=e=>e.type!=="brace"?!1:e.commas>>0+e.ranges>>0===0?(e.invalid=!0,!0):!1;ee.isInvalidBrace=e=>e.type!=="brace"?!1:e.invalid===!0||e.dollar?!0:e.commas>>0+e.ranges>>0===0||e.open!==!0||e.close!==!0?(e.invalid=!0,!0):!1;ee.isOpenOrClose=e=>e.type==="open"||e.type==="close"?!0:e.open===!0||e.close===!0;ee.reduce=e=>e.reduce((r,t)=>(t.type==="text"&&r.push(t.value),t.type==="range"&&(t.type="text"),r),[]);ee.flatten=(...e)=>{let r=[],t=n=>{for(let s=0;s{"use strict";var tt=ve();rt.exports=(e,r={})=>{let t=(n,s={})=>{let i=r.escapeInvalid&&tt.isInvalidBrace(s),a=n.invalid===!0&&r.escapeInvalid===!0,c="";if(n.value)return(i||a)&&tt.isOpenOrClose(n)?"\\"+n.value:n.value;if(n.value)return n.value;if(n.nodes)for(let p of n.nodes)c+=t(p);return c};return t(e)}});var st=q((Jn,nt)=>{"use strict";nt.exports=function(e){return typeof e=="number"?e-e===0:typeof e=="string"&&e.trim()!==""?Number.isFinite?Number.isFinite(+e):isFinite(+e):!1}});var ht=q((es,pt)=>{"use strict";var at=st(),le=(e,r,t)=>{if(at(e)===!1)throw new TypeError("toRegexRange: expected the first argument to be a number");if(r===void 0||e===r)return String(e);if(at(r)===!1)throw new TypeError("toRegexRange: expected the second argument to be a number.");let n={relaxZeros:!0,...t};typeof n.strictZeros=="boolean"&&(n.relaxZeros=n.strictZeros===!1);let s=String(n.relaxZeros),i=String(n.shorthand),a=String(n.capture),c=String(n.wrap),p=e+":"+r+"="+s+i+a+c;if(le.cache.hasOwnProperty(p))return le.cache[p].result;let m=Math.min(e,r),h=Math.max(e,r);if(Math.abs(m-h)===1){let y=e+"|"+r;return n.capture?`(${y})`:n.wrap===!1?y:`(?:${y})`}let R=ft(e)||ft(r),f={min:e,max:r,a:m,b:h},$=[],_=[];if(R&&(f.isPadded=R,f.maxLen=String(f.max).length),m<0){let y=h<0?Math.abs(h):1;_=it(y,Math.abs(m),f,n),m=f.a=0}return h>=0&&($=it(m,h,f,n)),f.negatives=_,f.positives=$,f.result=vr(_,$,n),n.capture===!0?f.result=`(${f.result})`:n.wrap!==!1&&$.length+_.length>1&&(f.result=`(?:${f.result})`),le.cache[p]=f,f.result};function vr(e,r,t){let n=Me(e,r,"-",!1,t)||[],s=Me(r,e,"",!1,t)||[],i=Me(e,r,"-?",!0,t)||[];return n.concat(i).concat(s).join("|")}function Hr(e,r){let t=1,n=1,s=ut(e,t),i=new Set([r]);for(;e<=s&&s<=r;)i.add(s),t+=1,s=ut(e,t);for(s=ct(r+1,n)-1;e1&&c.count.pop(),c.count.push(h.count[0]),c.string=c.pattern+lt(c.count),a=m+1;continue}t.isPadded&&(R=Or(m,t,n)),h.string=R+h.pattern+lt(h.count),i.push(h),a=m+1,c=h}return i}function Me(e,r,t,n,s){let i=[];for(let a of e){let{string:c}=a;!n&&!ot(r,"string",c)&&i.push(t+c),n&&ot(r,"string",c)&&i.push(t+c)}return i}function Tr(e,r){let t=[];for(let n=0;nr?1:r>e?-1:0}function ot(e,r,t){return e.some(n=>n[r]===t)}function ut(e,r){return Number(String(e).slice(0,-r)+"9".repeat(r))}function ct(e,r){return e-e%Math.pow(10,r)}function lt(e){let[r=0,t=""]=e;return t||r>1?`{${r+(t?","+t:"")}}`:""}function Lr(e,r,t){return`[${e}${r-e===1?"":"-"}${r}]`}function ft(e){return/^-?(0+)\d/.test(e)}function Or(e,r,t){if(!r.isPadded)return e;let n=Math.abs(r.maxLen-String(e).length),s=t.relaxZeros!==!1;switch(n){case 0:return"";case 1:return s?"0?":"0";case 2:return s?"0{0,2}":"00";default:return s?`0{0,${n}}`:`0{${n}}`}}le.cache={};le.clearCache=()=>le.cache={};pt.exports=le});var Ue=q((ts,Et)=>{"use strict";var Nr=W("util"),At=ht(),dt=e=>e!==null&&typeof e=="object"&&!Array.isArray(e),Ir=e=>r=>e===!0?Number(r):String(r),Pe=e=>typeof e=="number"||typeof e=="string"&&e!=="",Ae=e=>Number.isInteger(+e),De=e=>{let r=`${e}`,t=-1;if(r[0]==="-"&&(r=r.slice(1)),r==="0")return!1;for(;r[++t]==="0";);return t>0},Br=(e,r,t)=>typeof e=="string"||typeof r=="string"?!0:t.stringify===!0,Mr=(e,r,t)=>{if(r>0){let n=e[0]==="-"?"-":"";n&&(e=e.slice(1)),e=n+e.padStart(n?r-1:r,"0")}return t===!1?String(e):e},gt=(e,r)=>{let t=e[0]==="-"?"-":"";for(t&&(e=e.slice(1),r--);e.length{e.negatives.sort((a,c)=>ac?1:0),e.positives.sort((a,c)=>ac?1:0);let t=r.capture?"":"?:",n="",s="",i;return e.positives.length&&(n=e.positives.join("|")),e.negatives.length&&(s=`-(${t}${e.negatives.join("|")})`),n&&s?i=`${n}|${s}`:i=n||s,r.wrap?`(${t}${i})`:i},mt=(e,r,t,n)=>{if(t)return At(e,r,{wrap:!1,...n});let s=String.fromCharCode(e);if(e===r)return s;let i=String.fromCharCode(r);return`[${s}-${i}]`},Rt=(e,r,t)=>{if(Array.isArray(e)){let n=t.wrap===!0,s=t.capture?"":"?:";return n?`(${s}${e.join("|")})`:e.join("|")}return At(e,r,t)},yt=(...e)=>new RangeError("Invalid range arguments: "+Nr.inspect(...e)),_t=(e,r,t)=>{if(t.strictRanges===!0)throw yt([e,r]);return[]},Dr=(e,r)=>{if(r.strictRanges===!0)throw new TypeError(`Expected step "${e}" to be a number`);return[]},Ur=(e,r,t=1,n={})=>{let s=Number(e),i=Number(r);if(!Number.isInteger(s)||!Number.isInteger(i)){if(n.strictRanges===!0)throw yt([e,r]);return[]}s===0&&(s=0),i===0&&(i=0);let a=s>i,c=String(e),p=String(r),m=String(t);t=Math.max(Math.abs(t),1);let h=De(c)||De(p)||De(m),R=h?Math.max(c.length,p.length,m.length):0,f=h===!1&&Br(e,r,n)===!1,$=n.transform||Ir(f);if(n.toRegex&&t===1)return mt(gt(e,R),gt(r,R),!0,n);let _={negatives:[],positives:[]},y=T=>_[T<0?"negatives":"positives"].push(Math.abs(T)),E=[],S=0;for(;a?s>=i:s<=i;)n.toRegex===!0&&t>1?y(s):E.push(Mr($(s,S),R,f)),s=a?s-t:s+t,S++;return n.toRegex===!0?t>1?Pr(_,n):Rt(E,null,{wrap:!1,...n}):E},Gr=(e,r,t=1,n={})=>{if(!Ae(e)&&e.length>1||!Ae(r)&&r.length>1)return _t(e,r,n);let s=n.transform||(f=>String.fromCharCode(f)),i=`${e}`.charCodeAt(0),a=`${r}`.charCodeAt(0),c=i>a,p=Math.min(i,a),m=Math.max(i,a);if(n.toRegex&&t===1)return mt(p,m,!1,n);let h=[],R=0;for(;c?i>=a:i<=a;)h.push(s(i,R)),i=c?i-t:i+t,R++;return n.toRegex===!0?Rt(h,null,{wrap:!1,options:n}):h},$e=(e,r,t,n={})=>{if(r==null&&Pe(e))return[e];if(!Pe(e)||!Pe(r))return _t(e,r,n);if(typeof t=="function")return $e(e,r,1,{transform:t});if(dt(t))return $e(e,r,0,t);let s={...n};return s.capture===!0&&(s.wrap=!0),t=t||s.step||1,Ae(t)?Ae(e)&&Ae(r)?Ur(e,r,t,s):Gr(e,r,Math.max(Math.abs(t),1),s):t!=null&&!dt(t)?Dr(t,s):$e(e,r,1,t)};Et.exports=$e});var Ct=q((rs,xt)=>{"use strict";var qr=Ue(),bt=ve(),Kr=(e,r={})=>{let t=(n,s={})=>{let i=bt.isInvalidBrace(s),a=n.invalid===!0&&r.escapeInvalid===!0,c=i===!0||a===!0,p=r.escapeInvalid===!0?"\\":"",m="";if(n.isOpen===!0||n.isClose===!0)return p+n.value;if(n.type==="open")return c?p+n.value:"(";if(n.type==="close")return c?p+n.value:")";if(n.type==="comma")return n.prev.type==="comma"?"":c?n.value:"|";if(n.value)return n.value;if(n.nodes&&n.ranges>0){let h=bt.reduce(n.nodes),R=qr(...h,{...r,wrap:!1,toRegex:!0});if(R.length!==0)return h.length>1&&R.length>1?`(${R})`:R}if(n.nodes)for(let h of n.nodes)m+=t(h,n);return m};return t(e)};xt.exports=Kr});var vt=q((ns,St)=>{"use strict";var Wr=Ue(),wt=He(),he=ve(),fe=(e="",r="",t=!1)=>{let n=[];if(e=[].concat(e),r=[].concat(r),!r.length)return e;if(!e.length)return t?he.flatten(r).map(s=>`{${s}}`):r;for(let s of e)if(Array.isArray(s))for(let i of s)n.push(fe(i,r,t));else for(let i of r)t===!0&&typeof i=="string"&&(i=`{${i}}`),n.push(Array.isArray(i)?fe(s,i,t):s+i);return he.flatten(n)},jr=(e,r={})=>{let t=r.rangeLimit===void 0?1e3:r.rangeLimit,n=(s,i={})=>{s.queue=[];let a=i,c=i.queue;for(;a.type!=="brace"&&a.type!=="root"&&a.parent;)a=a.parent,c=a.queue;if(s.invalid||s.dollar){c.push(fe(c.pop(),wt(s,r)));return}if(s.type==="brace"&&s.invalid!==!0&&s.nodes.length===2){c.push(fe(c.pop(),["{}"]));return}if(s.nodes&&s.ranges>0){let R=he.reduce(s.nodes);if(he.exceedsLimit(...R,r.step,t))throw new RangeError("expanded array length exceeds range limit. Use options.rangeLimit to increase or disable the limit.");let f=Wr(...R,r);f.length===0&&(f=wt(s,r)),c.push(fe(c.pop(),f)),s.nodes=[];return}let p=he.encloseBrace(s),m=s.queue,h=s;for(;h.type!=="brace"&&h.type!=="root"&&h.parent;)h=h.parent,m=h.queue;for(let R=0;R{"use strict";Ht.exports={MAX_LENGTH:1024*64,CHAR_0:"0",CHAR_9:"9",CHAR_UPPERCASE_A:"A",CHAR_LOWERCASE_A:"a",CHAR_UPPERCASE_Z:"Z",CHAR_LOWERCASE_Z:"z",CHAR_LEFT_PARENTHESES:"(",CHAR_RIGHT_PARENTHESES:")",CHAR_ASTERISK:"*",CHAR_AMPERSAND:"&",CHAR_AT:"@",CHAR_BACKSLASH:"\\",CHAR_BACKTICK:"`",CHAR_CARRIAGE_RETURN:"\r",CHAR_CIRCUMFLEX_ACCENT:"^",CHAR_COLON:":",CHAR_COMMA:",",CHAR_DOLLAR:"$",CHAR_DOT:".",CHAR_DOUBLE_QUOTE:'"',CHAR_EQUAL:"=",CHAR_EXCLAMATION_MARK:"!",CHAR_FORM_FEED:"\f",CHAR_FORWARD_SLASH:"/",CHAR_HASH:"#",CHAR_HYPHEN_MINUS:"-",CHAR_LEFT_ANGLE_BRACKET:"<",CHAR_LEFT_CURLY_BRACE:"{",CHAR_LEFT_SQUARE_BRACKET:"[",CHAR_LINE_FEED:`
7 | `,CHAR_NO_BREAK_SPACE:"\xA0",CHAR_PERCENT:"%",CHAR_PLUS:"+",CHAR_QUESTION_MARK:"?",CHAR_RIGHT_ANGLE_BRACKET:">",CHAR_RIGHT_CURLY_BRACE:"}",CHAR_RIGHT_SQUARE_BRACKET:"]",CHAR_SEMICOLON:";",CHAR_SINGLE_QUOTE:"'",CHAR_SPACE:" ",CHAR_TAB:" ",CHAR_UNDERSCORE:"_",CHAR_VERTICAL_LINE:"|",CHAR_ZERO_WIDTH_NOBREAK_SPACE:"\uFEFF"}});var Nt=q((as,Ot)=>{"use strict";var Fr=He(),{MAX_LENGTH:Tt,CHAR_BACKSLASH:Ge,CHAR_BACKTICK:Qr,CHAR_COMMA:Xr,CHAR_DOT:Zr,CHAR_LEFT_PARENTHESES:Yr,CHAR_RIGHT_PARENTHESES:zr,CHAR_LEFT_CURLY_BRACE:Vr,CHAR_RIGHT_CURLY_BRACE:Jr,CHAR_LEFT_SQUARE_BRACKET:kt,CHAR_RIGHT_SQUARE_BRACKET:Lt,CHAR_DOUBLE_QUOTE:en,CHAR_SINGLE_QUOTE:tn,CHAR_NO_BREAK_SPACE:rn,CHAR_ZERO_WIDTH_NOBREAK_SPACE:nn}=$t(),sn=(e,r={})=>{if(typeof e!="string")throw new TypeError("Expected a string");let t=r||{},n=typeof t.maxLength=="number"?Math.min(Tt,t.maxLength):Tt;if(e.length>n)throw new SyntaxError(`Input length (${e.length}), exceeds max characters (${n})`);let s={type:"root",input:e,nodes:[]},i=[s],a=s,c=s,p=0,m=e.length,h=0,R=0,f,$={},_=()=>e[h++],y=E=>{if(E.type==="text"&&c.type==="dot"&&(c.type="text"),c&&c.type==="text"&&E.type==="text"){c.value+=E.value;return}return a.nodes.push(E),E.parent=a,E.prev=c,c=E,E};for(y({type:"bos"});h0){if(a.ranges>0){a.ranges=0;let E=a.nodes.shift();a.nodes=[E,{type:"text",value:Fr(a)}]}y({type:"comma",value:f}),a.commas++;continue}if(f===Zr&&R>0&&a.commas===0){let E=a.nodes;if(R===0||E.length===0){y({type:"text",value:f});continue}if(c.type==="dot"){if(a.range=[],c.value+=f,c.type="range",a.nodes.length!==3&&a.nodes.length!==5){a.invalid=!0,a.ranges=0,c.type="text";continue}a.ranges++,a.args=[];continue}if(c.type==="range"){E.pop();let S=E[E.length-1];S.value+=c.value+f,c=S,a.ranges--;continue}y({type:"dot",value:f});continue}y({type:"text",value:f})}do if(a=i.pop(),a.type!=="root"){a.nodes.forEach(T=>{T.nodes||(T.type==="open"&&(T.isOpen=!0),T.type==="close"&&(T.isClose=!0),T.nodes||(T.type="text"),T.invalid=!0)});let E=i[i.length-1],S=E.nodes.indexOf(a);E.nodes.splice(S,1,...a.nodes)}while(i.length>0);return y({type:"eos"}),s};Ot.exports=sn});var Mt=q((is,Bt)=>{"use strict";var It=He(),an=Ct(),on=vt(),un=Nt(),X=(e,r={})=>{let t=[];if(Array.isArray(e))for(let n of e){let s=X.create(n,r);Array.isArray(s)?t.push(...s):t.push(s)}else t=[].concat(X.create(e,r));return r&&r.expand===!0&&r.nodupes===!0&&(t=[...new Set(t)]),t};X.parse=(e,r={})=>un(e,r);X.stringify=(e,r={})=>It(typeof e=="string"?X.parse(e,r):e,r);X.compile=(e,r={})=>(typeof e=="string"&&(e=X.parse(e,r)),an(e,r));X.expand=(e,r={})=>{typeof e=="string"&&(e=X.parse(e,r));let t=on(e,r);return r.noempty===!0&&(t=t.filter(Boolean)),r.nodupes===!0&&(t=[...new Set(t)]),t};X.create=(e,r={})=>e===""||e.length<3?[e]:r.expand!==!0?X.compile(e,r):X.expand(e,r);Bt.exports=X});var me=q((os,qt)=>{"use strict";var cn=W("path"),se="\\\\/",Pt=`[^${se}]`,ie="\\.",ln="\\+",fn="\\?",Te="\\/",pn="(?=.)",Dt="[^/]",qe=`(?:${Te}|$)`,Ut=`(?:^|${Te})`,Ke=`${ie}{1,2}${qe}`,hn=`(?!${ie})`,dn=`(?!${Ut}${Ke})`,gn=`(?!${ie}{0,1}${qe})`,An=`(?!${Ke})`,mn=`[^.${Te}]`,Rn=`${Dt}*?`,Gt={DOT_LITERAL:ie,PLUS_LITERAL:ln,QMARK_LITERAL:fn,SLASH_LITERAL:Te,ONE_CHAR:pn,QMARK:Dt,END_ANCHOR:qe,DOTS_SLASH:Ke,NO_DOT:hn,NO_DOTS:dn,NO_DOT_SLASH:gn,NO_DOTS_SLASH:An,QMARK_NO_DOT:mn,STAR:Rn,START_ANCHOR:Ut},yn={...Gt,SLASH_LITERAL:`[${se}]`,QMARK:Pt,STAR:`${Pt}*?`,DOTS_SLASH:`${ie}{1,2}(?:[${se}]|$)`,NO_DOT:`(?!${ie})`,NO_DOTS:`(?!(?:^|[${se}])${ie}{1,2}(?:[${se}]|$))`,NO_DOT_SLASH:`(?!${ie}{0,1}(?:[${se}]|$))`,NO_DOTS_SLASH:`(?!${ie}{1,2}(?:[${se}]|$))`,QMARK_NO_DOT:`[^.${se}]`,START_ANCHOR:`(?:^|[${se}])`,END_ANCHOR:`(?:[${se}]|$)`},_n={alnum:"a-zA-Z0-9",alpha:"a-zA-Z",ascii:"\\x00-\\x7F",blank:" \\t",cntrl:"\\x00-\\x1F\\x7F",digit:"0-9",graph:"\\x21-\\x7E",lower:"a-z",print:"\\x20-\\x7E ",punct:"\\-!\"#$%&'()\\*+,./:;<=>?@[\\]^_`{|}~",space:" \\t\\r\\n\\v\\f",upper:"A-Z",word:"A-Za-z0-9_",xdigit:"A-Fa-f0-9"};qt.exports={MAX_LENGTH:1024*64,POSIX_REGEX_SOURCE:_n,REGEX_BACKSLASH:/\\(?![*+?^${}(|)[\]])/g,REGEX_NON_SPECIAL_CHARS:/^[^@![\].,$*+?^{}()|\\/]+/,REGEX_SPECIAL_CHARS:/[-*+?.^${}(|)[\]]/,REGEX_SPECIAL_CHARS_BACKREF:/(\\?)((\W)(\3*))/g,REGEX_SPECIAL_CHARS_GLOBAL:/([-*+?.^${}(|)[\]])/g,REGEX_REMOVE_BACKSLASH:/(?:\[.*?[^\\]\]|\\(?=.))/g,REPLACEMENTS:{"***":"*","**/**":"**","**/**/**":"**"},CHAR_0:48,CHAR_9:57,CHAR_UPPERCASE_A:65,CHAR_LOWERCASE_A:97,CHAR_UPPERCASE_Z:90,CHAR_LOWERCASE_Z:122,CHAR_LEFT_PARENTHESES:40,CHAR_RIGHT_PARENTHESES:41,CHAR_ASTERISK:42,CHAR_AMPERSAND:38,CHAR_AT:64,CHAR_BACKWARD_SLASH:92,CHAR_CARRIAGE_RETURN:13,CHAR_CIRCUMFLEX_ACCENT:94,CHAR_COLON:58,CHAR_COMMA:44,CHAR_DOT:46,CHAR_DOUBLE_QUOTE:34,CHAR_EQUAL:61,CHAR_EXCLAMATION_MARK:33,CHAR_FORM_FEED:12,CHAR_FORWARD_SLASH:47,CHAR_GRAVE_ACCENT:96,CHAR_HASH:35,CHAR_HYPHEN_MINUS:45,CHAR_LEFT_ANGLE_BRACKET:60,CHAR_LEFT_CURLY_BRACE:123,CHAR_LEFT_SQUARE_BRACKET:91,CHAR_LINE_FEED:10,CHAR_NO_BREAK_SPACE:160,CHAR_PERCENT:37,CHAR_PLUS:43,CHAR_QUESTION_MARK:63,CHAR_RIGHT_ANGLE_BRACKET:62,CHAR_RIGHT_CURLY_BRACE:125,CHAR_RIGHT_SQUARE_BRACKET:93,CHAR_SEMICOLON:59,CHAR_SINGLE_QUOTE:39,CHAR_SPACE:32,CHAR_TAB:9,CHAR_UNDERSCORE:95,CHAR_VERTICAL_LINE:124,CHAR_ZERO_WIDTH_NOBREAK_SPACE:65279,SEP:cn.sep,extglobChars(e){return{"!":{type:"negate",open:"(?:(?!(?:",close:`))${e.STAR})`},"?":{type:"qmark",open:"(?:",close:")?"},"+":{type:"plus",open:"(?:",close:")+"},"*":{type:"star",open:"(?:",close:")*"},"@":{type:"at",open:"(?:",close:")"}}},globChars(e){return e===!0?yn:Gt}}});var Re=q(F=>{"use strict";var En=W("path"),bn=process.platform==="win32",{REGEX_BACKSLASH:xn,REGEX_REMOVE_BACKSLASH:Cn,REGEX_SPECIAL_CHARS:wn,REGEX_SPECIAL_CHARS_GLOBAL:Sn}=me();F.isObject=e=>e!==null&&typeof e=="object"&&!Array.isArray(e);F.hasRegexChars=e=>wn.test(e);F.isRegexChar=e=>e.length===1&&F.hasRegexChars(e);F.escapeRegex=e=>e.replace(Sn,"\\$1");F.toPosixSlashes=e=>e.replace(xn,"/");F.removeBackslashes=e=>e.replace(Cn,r=>r==="\\"?"":r);F.supportsLookbehinds=()=>{let e=process.version.slice(1).split(".").map(Number);return e.length===3&&e[0]>=9||e[0]===8&&e[1]>=10};F.isWindows=e=>e&&typeof e.windows=="boolean"?e.windows:bn===!0||En.sep==="\\";F.escapeLast=(e,r,t)=>{let n=e.lastIndexOf(r,t);return n===-1?e:e[n-1]==="\\"?F.escapeLast(e,r,n-1):`${e.slice(0,n)}\\${e.slice(n)}`};F.removePrefix=(e,r={})=>{let t=e;return t.startsWith("./")&&(t=t.slice(2),r.prefix="./"),t};F.wrapOutput=(e,r={},t={})=>{let n=t.contains?"":"^",s=t.contains?"":"$",i=`${n}(?:${e})${s}`;return r.negated===!0&&(i=`(?:^(?!${i}).*$)`),i}});var Yt=q((cs,Zt)=>{"use strict";var Kt=Re(),{CHAR_ASTERISK:We,CHAR_AT:vn,CHAR_BACKWARD_SLASH:ye,CHAR_COMMA:Hn,CHAR_DOT:je,CHAR_EXCLAMATION_MARK:Fe,CHAR_FORWARD_SLASH:Xt,CHAR_LEFT_CURLY_BRACE:Qe,CHAR_LEFT_PARENTHESES:Xe,CHAR_LEFT_SQUARE_BRACKET:$n,CHAR_PLUS:Tn,CHAR_QUESTION_MARK:Wt,CHAR_RIGHT_CURLY_BRACE:kn,CHAR_RIGHT_PARENTHESES:jt,CHAR_RIGHT_SQUARE_BRACKET:Ln}=me(),Ft=e=>e===Xt||e===ye,Qt=e=>{e.isPrefix!==!0&&(e.depth=e.isGlobstar?1/0:1)},On=(e,r)=>{let t=r||{},n=e.length-1,s=t.parts===!0||t.scanToEnd===!0,i=[],a=[],c=[],p=e,m=-1,h=0,R=0,f=!1,$=!1,_=!1,y=!1,E=!1,S=!1,T=!1,L=!1,z=!1,I=!1,re=0,K,g,v={value:"",depth:0,isGlob:!1},k=()=>m>=n,l=()=>p.charCodeAt(m+1),H=()=>(K=g,p.charCodeAt(++m));for(;m0&&(B=p.slice(0,h),p=p.slice(h),R-=h),w&&_===!0&&R>0?(w=p.slice(0,R),o=p.slice(R)):_===!0?(w="",o=p):w=p,w&&w!==""&&w!=="/"&&w!==p&&Ft(w.charCodeAt(w.length-1))&&(w=w.slice(0,-1)),t.unescape===!0&&(o&&(o=Kt.removeBackslashes(o)),w&&T===!0&&(w=Kt.removeBackslashes(w)));let u={prefix:B,input:e,start:h,base:w,glob:o,isBrace:f,isBracket:$,isGlob:_,isExtglob:y,isGlobstar:E,negated:L,negatedExtglob:z};if(t.tokens===!0&&(u.maxDepth=0,Ft(g)||a.push(v),u.tokens=a),t.parts===!0||t.tokens===!0){let M;for(let b=0;b{"use strict";var ke=me(),Z=Re(),{MAX_LENGTH:Le,POSIX_REGEX_SOURCE:Nn,REGEX_NON_SPECIAL_CHARS:In,REGEX_SPECIAL_CHARS_BACKREF:Bn,REPLACEMENTS:zt}=ke,Mn=(e,r)=>{if(typeof r.expandRange=="function")return r.expandRange(...e,r);e.sort();let t=`[${e.join("-")}]`;try{new RegExp(t)}catch{return e.map(s=>Z.escapeRegex(s)).join("..")}return t},de=(e,r)=>`Missing ${e}: "${r}" - use "\\\\${r}" to match literal characters`,Vt=(e,r)=>{if(typeof e!="string")throw new TypeError("Expected a string");e=zt[e]||e;let t={...r},n=typeof t.maxLength=="number"?Math.min(Le,t.maxLength):Le,s=e.length;if(s>n)throw new SyntaxError(`Input length: ${s}, exceeds maximum allowed length: ${n}`);let i={type:"bos",value:"",output:t.prepend||""},a=[i],c=t.capture?"":"?:",p=Z.isWindows(r),m=ke.globChars(p),h=ke.extglobChars(m),{DOT_LITERAL:R,PLUS_LITERAL:f,SLASH_LITERAL:$,ONE_CHAR:_,DOTS_SLASH:y,NO_DOT:E,NO_DOT_SLASH:S,NO_DOTS_SLASH:T,QMARK:L,QMARK_NO_DOT:z,STAR:I,START_ANCHOR:re}=m,K=A=>`(${c}(?:(?!${re}${A.dot?y:R}).)*?)`,g=t.dot?"":E,v=t.dot?L:z,k=t.bash===!0?K(t):I;t.capture&&(k=`(${k})`),typeof t.noext=="boolean"&&(t.noextglob=t.noext);let l={input:e,index:-1,start:0,dot:t.dot===!0,consumed:"",output:"",prefix:"",backtrack:!1,negated:!1,brackets:0,braces:0,parens:0,quotes:0,globstar:!1,tokens:a};e=Z.removePrefix(e,l),s=e.length;let H=[],w=[],B=[],o=i,u,M=()=>l.index===s-1,b=l.peek=(A=1)=>e[l.index+A],V=l.advance=()=>e[++l.index]||"",J=()=>e.slice(l.index+1),Q=(A="",O=0)=>{l.consumed+=A,l.index+=O},Ee=A=>{l.output+=A.output!=null?A.output:A.value,Q(A.value)},Rr=()=>{let A=1;for(;b()==="!"&&(b(2)!=="("||b(3)==="?");)V(),l.start++,A++;return A%2===0?!1:(l.negated=!0,l.start++,!0)},be=A=>{l[A]++,B.push(A)},oe=A=>{l[A]--,B.pop()},C=A=>{if(o.type==="globstar"){let O=l.braces>0&&(A.type==="comma"||A.type==="brace"),d=A.extglob===!0||H.length&&(A.type==="pipe"||A.type==="paren");A.type!=="slash"&&A.type!=="paren"&&!O&&!d&&(l.output=l.output.slice(0,-o.output.length),o.type="star",o.value="*",o.output=k,l.output+=o.output)}if(H.length&&A.type!=="paren"&&(H[H.length-1].inner+=A.value),(A.value||A.output)&&Ee(A),o&&o.type==="text"&&A.type==="text"){o.value+=A.value,o.output=(o.output||"")+A.value;return}A.prev=o,a.push(A),o=A},xe=(A,O)=>{let d={...h[O],conditions:1,inner:""};d.prev=o,d.parens=l.parens,d.output=l.output;let x=(t.capture?"(":"")+d.open;be("parens"),C({type:A,value:O,output:l.output?"":_}),C({type:"paren",extglob:!0,value:V(),output:x}),H.push(d)},yr=A=>{let O=A.close+(t.capture?")":""),d;if(A.type==="negate"){let x=k;A.inner&&A.inner.length>1&&A.inner.includes("/")&&(x=K(t)),(x!==k||M()||/^\)+$/.test(J()))&&(O=A.close=`)$))${x}`),A.inner.includes("*")&&(d=J())&&/^\.[^\\/.]+$/.test(d)&&(O=A.close=`)${d})${x})`),A.prev.type==="bos"&&(l.negatedExtglob=!0)}C({type:"paren",extglob:!0,value:u,output:O}),oe("parens")};if(t.fastpaths!==!1&&!/(^[*!]|[/()[\]{}"])/.test(e)){let A=!1,O=e.replace(Bn,(d,x,P,j,G,Ie)=>j==="\\"?(A=!0,d):j==="?"?x?x+j+(G?L.repeat(G.length):""):Ie===0?v+(G?L.repeat(G.length):""):L.repeat(P.length):j==="."?R.repeat(P.length):j==="*"?x?x+j+(G?k:""):k:x?d:`\\${d}`);return A===!0&&(t.unescape===!0?O=O.replace(/\\/g,""):O=O.replace(/\\+/g,d=>d.length%2===0?"\\\\":d?"\\":"")),O===e&&t.contains===!0?(l.output=e,l):(l.output=Z.wrapOutput(O,l,r),l)}for(;!M();){if(u=V(),u==="\0")continue;if(u==="\\"){let d=b();if(d==="/"&&t.bash!==!0||d==="."||d===";")continue;if(!d){u+="\\",C({type:"text",value:u});continue}let x=/^\\+/.exec(J()),P=0;if(x&&x[0].length>2&&(P=x[0].length,l.index+=P,P%2!==0&&(u+="\\")),t.unescape===!0?u=V():u+=V(),l.brackets===0){C({type:"text",value:u});continue}}if(l.brackets>0&&(u!=="]"||o.value==="["||o.value==="[^")){if(t.posix!==!1&&u===":"){let d=o.value.slice(1);if(d.includes("[")&&(o.posix=!0,d.includes(":"))){let x=o.value.lastIndexOf("["),P=o.value.slice(0,x),j=o.value.slice(x+2),G=Nn[j];if(G){o.value=P+G,l.backtrack=!0,V(),!i.output&&a.indexOf(o)===1&&(i.output=_);continue}}}(u==="["&&b()!==":"||u==="-"&&b()==="]")&&(u=`\\${u}`),u==="]"&&(o.value==="["||o.value==="[^")&&(u=`\\${u}`),t.posix===!0&&u==="!"&&o.value==="["&&(u="^"),o.value+=u,Ee({value:u});continue}if(l.quotes===1&&u!=='"'){u=Z.escapeRegex(u),o.value+=u,Ee({value:u});continue}if(u==='"'){l.quotes=l.quotes===1?0:1,t.keepQuotes===!0&&C({type:"text",value:u});continue}if(u==="("){be("parens"),C({type:"paren",value:u});continue}if(u===")"){if(l.parens===0&&t.strictBrackets===!0)throw new SyntaxError(de("opening","("));let d=H[H.length-1];if(d&&l.parens===d.parens+1){yr(H.pop());continue}C({type:"paren",value:u,output:l.parens?")":"\\)"}),oe("parens");continue}if(u==="["){if(t.nobracket===!0||!J().includes("]")){if(t.nobracket!==!0&&t.strictBrackets===!0)throw new SyntaxError(de("closing","]"));u=`\\${u}`}else be("brackets");C({type:"bracket",value:u});continue}if(u==="]"){if(t.nobracket===!0||o&&o.type==="bracket"&&o.value.length===1){C({type:"text",value:u,output:`\\${u}`});continue}if(l.brackets===0){if(t.strictBrackets===!0)throw new SyntaxError(de("opening","["));C({type:"text",value:u,output:`\\${u}`});continue}oe("brackets");let d=o.value.slice(1);if(o.posix!==!0&&d[0]==="^"&&!d.includes("/")&&(u=`/${u}`),o.value+=u,Ee({value:u}),t.literalBrackets===!1||Z.hasRegexChars(d))continue;let x=Z.escapeRegex(o.value);if(l.output=l.output.slice(0,-o.value.length),t.literalBrackets===!0){l.output+=x,o.value=x;continue}o.value=`(${c}${x}|${o.value})`,l.output+=o.value;continue}if(u==="{"&&t.nobrace!==!0){be("braces");let d={type:"brace",value:u,output:"(",outputIndex:l.output.length,tokensIndex:l.tokens.length};w.push(d),C(d);continue}if(u==="}"){let d=w[w.length-1];if(t.nobrace===!0||!d){C({type:"text",value:u,output:u});continue}let x=")";if(d.dots===!0){let P=a.slice(),j=[];for(let G=P.length-1;G>=0&&(a.pop(),P[G].type!=="brace");G--)P[G].type!=="dots"&&j.unshift(P[G].value);x=Mn(j,t),l.backtrack=!0}if(d.comma!==!0&&d.dots!==!0){let P=l.output.slice(0,d.outputIndex),j=l.tokens.slice(d.tokensIndex);d.value=d.output="\\{",u=x="\\}",l.output=P;for(let G of j)l.output+=G.output||G.value}C({type:"brace",value:u,output:x}),oe("braces"),w.pop();continue}if(u==="|"){H.length>0&&H[H.length-1].conditions++,C({type:"text",value:u});continue}if(u===","){let d=u,x=w[w.length-1];x&&B[B.length-1]==="braces"&&(x.comma=!0,d="|"),C({type:"comma",value:u,output:d});continue}if(u==="/"){if(o.type==="dot"&&l.index===l.start+1){l.start=l.index+1,l.consumed="",l.output="",a.pop(),o=i;continue}C({type:"slash",value:u,output:$});continue}if(u==="."){if(l.braces>0&&o.type==="dot"){o.value==="."&&(o.output=R);let d=w[w.length-1];o.type="dots",o.output+=u,o.value+=u,d.dots=!0;continue}if(l.braces+l.parens===0&&o.type!=="bos"&&o.type!=="slash"){C({type:"text",value:u,output:R});continue}C({type:"dot",value:u,output:R});continue}if(u==="?"){if(!(o&&o.value==="(")&&t.noextglob!==!0&&b()==="("&&b(2)!=="?"){xe("qmark",u);continue}if(o&&o.type==="paren"){let x=b(),P=u;if(x==="<"&&!Z.supportsLookbehinds())throw new Error("Node.js v10 or higher is required for regex lookbehinds");(o.value==="("&&!/[!=<:]/.test(x)||x==="<"&&!/<([!=]|\w+>)/.test(J()))&&(P=`\\${u}`),C({type:"text",value:u,output:P});continue}if(t.dot!==!0&&(o.type==="slash"||o.type==="bos")){C({type:"qmark",value:u,output:z});continue}C({type:"qmark",value:u,output:L});continue}if(u==="!"){if(t.noextglob!==!0&&b()==="("&&(b(2)!=="?"||!/[!=<:]/.test(b(3)))){xe("negate",u);continue}if(t.nonegate!==!0&&l.index===0){Rr();continue}}if(u==="+"){if(t.noextglob!==!0&&b()==="("&&b(2)!=="?"){xe("plus",u);continue}if(o&&o.value==="("||t.regex===!1){C({type:"plus",value:u,output:f});continue}if(o&&(o.type==="bracket"||o.type==="paren"||o.type==="brace")||l.parens>0){C({type:"plus",value:u});continue}C({type:"plus",value:f});continue}if(u==="@"){if(t.noextglob!==!0&&b()==="("&&b(2)!=="?"){C({type:"at",extglob:!0,value:u,output:""});continue}C({type:"text",value:u});continue}if(u!=="*"){(u==="$"||u==="^")&&(u=`\\${u}`);let d=In.exec(J());d&&(u+=d[0],l.index+=d[0].length),C({type:"text",value:u});continue}if(o&&(o.type==="globstar"||o.star===!0)){o.type="star",o.star=!0,o.value+=u,o.output=k,l.backtrack=!0,l.globstar=!0,Q(u);continue}let A=J();if(t.noextglob!==!0&&/^\([^?]/.test(A)){xe("star",u);continue}if(o.type==="star"){if(t.noglobstar===!0){Q(u);continue}let d=o.prev,x=d.prev,P=d.type==="slash"||d.type==="bos",j=x&&(x.type==="star"||x.type==="globstar");if(t.bash===!0&&(!P||A[0]&&A[0]!=="/")){C({type:"star",value:u,output:""});continue}let G=l.braces>0&&(d.type==="comma"||d.type==="brace"),Ie=H.length&&(d.type==="pipe"||d.type==="paren");if(!P&&d.type!=="paren"&&!G&&!Ie){C({type:"star",value:u,output:""});continue}for(;A.slice(0,3)==="/**";){let Ce=e[l.index+4];if(Ce&&Ce!=="/")break;A=A.slice(3),Q("/**",3)}if(d.type==="bos"&&M()){o.type="globstar",o.value+=u,o.output=K(t),l.output=o.output,l.globstar=!0,Q(u);continue}if(d.type==="slash"&&d.prev.type!=="bos"&&!j&&M()){l.output=l.output.slice(0,-(d.output+o.output).length),d.output=`(?:${d.output}`,o.type="globstar",o.output=K(t)+(t.strictSlashes?")":"|$)"),o.value+=u,l.globstar=!0,l.output+=d.output+o.output,Q(u);continue}if(d.type==="slash"&&d.prev.type!=="bos"&&A[0]==="/"){let Ce=A[1]!==void 0?"|$":"";l.output=l.output.slice(0,-(d.output+o.output).length),d.output=`(?:${d.output}`,o.type="globstar",o.output=`${K(t)}${$}|${$}${Ce})`,o.value+=u,l.output+=d.output+o.output,l.globstar=!0,Q(u+V()),C({type:"slash",value:"/",output:""});continue}if(d.type==="bos"&&A[0]==="/"){o.type="globstar",o.value+=u,o.output=`(?:^|${$}|${K(t)}${$})`,l.output=o.output,l.globstar=!0,Q(u+V()),C({type:"slash",value:"/",output:""});continue}l.output=l.output.slice(0,-o.output.length),o.type="globstar",o.output=K(t),o.value+=u,l.output+=o.output,l.globstar=!0,Q(u);continue}let O={type:"star",value:u,output:k};if(t.bash===!0){O.output=".*?",(o.type==="bos"||o.type==="slash")&&(O.output=g+O.output),C(O);continue}if(o&&(o.type==="bracket"||o.type==="paren")&&t.regex===!0){O.output=u,C(O);continue}(l.index===l.start||o.type==="slash"||o.type==="dot")&&(o.type==="dot"?(l.output+=S,o.output+=S):t.dot===!0?(l.output+=T,o.output+=T):(l.output+=g,o.output+=g),b()!=="*"&&(l.output+=_,o.output+=_)),C(O)}for(;l.brackets>0;){if(t.strictBrackets===!0)throw new SyntaxError(de("closing","]"));l.output=Z.escapeLast(l.output,"["),oe("brackets")}for(;l.parens>0;){if(t.strictBrackets===!0)throw new SyntaxError(de("closing",")"));l.output=Z.escapeLast(l.output,"("),oe("parens")}for(;l.braces>0;){if(t.strictBrackets===!0)throw new SyntaxError(de("closing","}"));l.output=Z.escapeLast(l.output,"{"),oe("braces")}if(t.strictSlashes!==!0&&(o.type==="star"||o.type==="bracket")&&C({type:"maybe_slash",value:"",output:`${$}?`}),l.backtrack===!0){l.output="";for(let A of l.tokens)l.output+=A.output!=null?A.output:A.value,A.suffix&&(l.output+=A.suffix)}return l};Vt.fastpaths=(e,r)=>{let t={...r},n=typeof t.maxLength=="number"?Math.min(Le,t.maxLength):Le,s=e.length;if(s>n)throw new SyntaxError(`Input length: ${s}, exceeds maximum allowed length: ${n}`);e=zt[e]||e;let i=Z.isWindows(r),{DOT_LITERAL:a,SLASH_LITERAL:c,ONE_CHAR:p,DOTS_SLASH:m,NO_DOT:h,NO_DOTS:R,NO_DOTS_SLASH:f,STAR:$,START_ANCHOR:_}=ke.globChars(i),y=t.dot?R:h,E=t.dot?f:h,S=t.capture?"":"?:",T={negated:!1,prefix:""},L=t.bash===!0?".*?":$;t.capture&&(L=`(${L})`);let z=g=>g.noglobstar===!0?L:`(${S}(?:(?!${_}${g.dot?m:a}).)*?)`,I=g=>{switch(g){case"*":return`${y}${p}${L}`;case".*":return`${a}${p}${L}`;case"*.*":return`${y}${L}${a}${p}${L}`;case"*/*":return`${y}${L}${c}${p}${E}${L}`;case"**":return y+z(t);case"**/*":return`(?:${y}${z(t)}${c})?${E}${p}${L}`;case"**/*.*":return`(?:${y}${z(t)}${c})?${E}${L}${a}${p}${L}`;case"**/.*":return`(?:${y}${z(t)}${c})?${a}${p}${L}`;default:{let v=/^(.*?)\.(\w+)$/.exec(g);if(!v)return;let k=I(v[1]);return k?k+a+v[2]:void 0}}},re=Z.removePrefix(e,T),K=I(re);return K&&t.strictSlashes!==!0&&(K+=`${c}?`),K};Jt.exports=Vt});var rr=q((fs,tr)=>{"use strict";var Pn=W("path"),Dn=Yt(),Ze=er(),Ye=Re(),Un=me(),Gn=e=>e&&typeof e=="object"&&!Array.isArray(e),D=(e,r,t=!1)=>{if(Array.isArray(e)){let h=e.map(f=>D(f,r,t));return f=>{for(let $ of h){let _=$(f);if(_)return _}return!1}}let n=Gn(e)&&e.tokens&&e.input;if(e===""||typeof e!="string"&&!n)throw new TypeError("Expected pattern to be a non-empty string");let s=r||{},i=Ye.isWindows(r),a=n?D.compileRe(e,r):D.makeRe(e,r,!1,!0),c=a.state;delete a.state;let p=()=>!1;if(s.ignore){let h={...r,ignore:null,onMatch:null,onResult:null};p=D(s.ignore,h,t)}let m=(h,R=!1)=>{let{isMatch:f,match:$,output:_}=D.test(h,a,r,{glob:e,posix:i}),y={glob:e,state:c,regex:a,posix:i,input:h,output:_,match:$,isMatch:f};return typeof s.onResult=="function"&&s.onResult(y),f===!1?(y.isMatch=!1,R?y:!1):p(h)?(typeof s.onIgnore=="function"&&s.onIgnore(y),y.isMatch=!1,R?y:!1):(typeof s.onMatch=="function"&&s.onMatch(y),R?y:!0)};return t&&(m.state=c),m};D.test=(e,r,t,{glob:n,posix:s}={})=>{if(typeof e!="string")throw new TypeError("Expected input to be a string");if(e==="")return{isMatch:!1,output:""};let i=t||{},a=i.format||(s?Ye.toPosixSlashes:null),c=e===n,p=c&&a?a(e):e;return c===!1&&(p=a?a(e):e,c=p===n),(c===!1||i.capture===!0)&&(i.matchBase===!0||i.basename===!0?c=D.matchBase(e,r,t,s):c=r.exec(p)),{isMatch:Boolean(c),match:c,output:p}};D.matchBase=(e,r,t,n=Ye.isWindows(t))=>(r instanceof RegExp?r:D.makeRe(r,t)).test(Pn.basename(e));D.isMatch=(e,r,t)=>D(r,t)(e);D.parse=(e,r)=>Array.isArray(e)?e.map(t=>D.parse(t,r)):Ze(e,{...r,fastpaths:!1});D.scan=(e,r)=>Dn(e,r);D.compileRe=(e,r,t=!1,n=!1)=>{if(t===!0)return e.output;let s=r||{},i=s.contains?"":"^",a=s.contains?"":"$",c=`${i}(?:${e.output})${a}`;e&&e.negated===!0&&(c=`^(?!${c}).*$`);let p=D.toRegex(c,r);return n===!0&&(p.state=e),p};D.makeRe=(e,r={},t=!1,n=!1)=>{if(!e||typeof e!="string")throw new TypeError("Expected a non-empty string");let s={negated:!1,fastpaths:!0};return r.fastpaths!==!1&&(e[0]==="."||e[0]==="*")&&(s.output=Ze.fastpaths(e,r)),s.output||(s=Ze(e,r)),D.compileRe(s,r,t,n)};D.toRegex=(e,r)=>{try{let t=r||{};return new RegExp(e,t.flags||(t.nocase?"i":""))}catch(t){if(r&&r.debug===!0)throw t;return/$^/}};D.constants=Un;tr.exports=D});var sr=q((ps,nr)=>{"use strict";nr.exports=rr()});var cr=q((hs,ur)=>{"use strict";var ir=W("util"),or=Mt(),ae=sr(),ze=Re(),ar=e=>e===""||e==="./",N=(e,r,t)=>{r=[].concat(r),e=[].concat(e);let n=new Set,s=new Set,i=new Set,a=0,c=h=>{i.add(h.output),t&&t.onResult&&t.onResult(h)};for(let h=0;h!n.has(h));if(t&&m.length===0){if(t.failglob===!0)throw new Error(`No matches found for "${r.join(", ")}"`);if(t.nonull===!0||t.nullglob===!0)return t.unescape?r.map(h=>h.replace(/\\/g,"")):r}return m};N.match=N;N.matcher=(e,r)=>ae(e,r);N.isMatch=(e,r,t)=>ae(r,t)(e);N.any=N.isMatch;N.not=(e,r,t={})=>{r=[].concat(r).map(String);let n=new Set,s=[],a=N(e,r,{...t,onResult:c=>{t.onResult&&t.onResult(c),s.push(c.output)}});for(let c of s)a.includes(c)||n.add(c);return[...n]};N.contains=(e,r,t)=>{if(typeof e!="string")throw new TypeError(`Expected a string: "${ir.inspect(e)}"`);if(Array.isArray(r))return r.some(n=>N.contains(e,n,t));if(typeof r=="string"){if(ar(e)||ar(r))return!1;if(e.includes(r)||e.startsWith("./")&&e.slice(2).includes(r))return!0}return N.isMatch(e,r,{...t,contains:!0})};N.matchKeys=(e,r,t)=>{if(!ze.isObject(e))throw new TypeError("Expected the first argument to be an object");let n=N(Object.keys(e),r,t),s={};for(let i of n)s[i]=e[i];return s};N.some=(e,r,t)=>{let n=[].concat(e);for(let s of[].concat(r)){let i=ae(String(s),t);if(n.some(a=>i(a)))return!0}return!1};N.every=(e,r,t)=>{let n=[].concat(e);for(let s of[].concat(r)){let i=ae(String(s),t);if(!n.every(a=>i(a)))return!1}return!0};N.all=(e,r,t)=>{if(typeof e!="string")throw new TypeError(`Expected a string: "${ir.inspect(e)}"`);return[].concat(r).every(n=>ae(n,t)(e))};N.capture=(e,r,t)=>{let n=ze.isWindows(t),i=ae.makeRe(String(e),{...t,capture:!0}).exec(n?ze.toPosixSlashes(r):r);if(i)return i.slice(1).map(a=>a===void 0?"":a)};N.makeRe=(...e)=>ae.makeRe(...e);N.scan=(...e)=>ae.scan(...e);N.parse=(e,r)=>{let t=[];for(let n of[].concat(e||[]))for(let s of or(String(n),r))t.push(ae.parse(s,r));return t};N.braces=(e,r)=>{if(typeof e!="string")throw new TypeError("Expected a string");return r&&r.nobrace===!0||!/\{.*\}/.test(e)?[e]:or(e,r)};N.braceExpand=(e,r)=>{if(typeof e!="string")throw new TypeError("Expected a string");return N.braces(e,{...r,expand:!0})};ur.exports=N});var fr=q((ds,lr)=>{"use strict";lr.exports=(e,...r)=>new Promise(t=>{t(e(...r))})});var hr=q((gs,Ve)=>{"use strict";var qn=fr(),pr=e=>{if(e<1)throw new TypeError("Expected `concurrency` to be a number from 1 and up");let r=[],t=0,n=()=>{t--,r.length>0&&r.shift()()},s=(c,p,...m)=>{t++;let h=qn(c,...m);p(h),h.then(n,n)},i=(c,p,...m)=>{tnew Promise(m=>i(c,m,...p));return Object.defineProperties(a,{activeCount:{get:()=>t},pendingCount:{get:()=>r.length}}),a};Ve.exports=pr;Ve.exports.default=pr});var Fn={};wr(Fn,{default:()=>jn});var Se=W("@yarnpkg/cli"),ne=W("@yarnpkg/core"),et=W("@yarnpkg/core"),ue=W("clipanion"),ce=class extends Se.BaseCommand{constructor(){super(...arguments);this.json=ue.Option.Boolean("--json",!1,{description:"Format the output as an NDJSON stream"});this.production=ue.Option.Boolean("--production",!1,{description:"Only install regular dependencies by omitting dev dependencies"});this.all=ue.Option.Boolean("-A,--all",!1,{description:"Install the entire project"});this.workspaces=ue.Option.Rest()}async execute(){let t=await ne.Configuration.find(this.context.cwd,this.context.plugins),{project:n,workspace:s}=await ne.Project.find(t,this.context.cwd),i=await ne.Cache.find(t);await n.restoreInstallState({restoreResolutions:!1});let a;if(this.all)a=new Set(n.workspaces);else if(this.workspaces.length===0){if(!s)throw new Se.WorkspaceRequiredError(n.cwd,this.context.cwd);a=new Set([s])}else a=new Set(this.workspaces.map(p=>n.getWorkspaceByIdent(et.structUtils.parseIdent(p))));for(let p of a)for(let m of this.production?["dependencies"]:ne.Manifest.hardDependencies)for(let h of p.manifest.getForScope(m).values()){let R=n.tryWorkspaceByDescriptor(h);R!==null&&a.add(R)}for(let p of n.workspaces)a.has(p)?this.production&&p.manifest.devDependencies.clear():(p.manifest.installConfig=p.manifest.installConfig||{},p.manifest.installConfig.selfReferences=!1,p.manifest.dependencies.clear(),p.manifest.devDependencies.clear(),p.manifest.peerDependencies.clear(),p.manifest.scripts.clear());return(await ne.StreamReport.start({configuration:t,json:this.json,stdout:this.context.stdout,includeLogs:!0},async p=>{await n.install({cache:i,report:p,persistProject:!1})})).exitCode()}};ce.paths=[["workspaces","focus"]],ce.usage=ue.Command.Usage({category:"Workspace-related commands",description:"install a single workspace and its dependencies",details:"\n This command will run an install as if the specified workspaces (and all other workspaces they depend on) were the only ones in the project. If no workspaces are explicitly listed, the active one will be assumed.\n\n Note that this command is only very moderately useful when using zero-installs, since the cache will contain all the packages anyway - meaning that the only difference between a full install and a focused install would just be a few extra lines in the `.pnp.cjs` file, at the cost of introducing an extra complexity.\n\n If the `-A,--all` flag is set, the entire project will be installed. Combine with `--production` to replicate the old `yarn install --production`.\n "});var Ne=W("@yarnpkg/cli"),ge=W("@yarnpkg/core"),_e=W("@yarnpkg/core"),Y=W("@yarnpkg/core"),gr=W("@yarnpkg/plugin-git"),U=W("clipanion"),Oe=Be(cr()),Ar=W("os"),mr=Be(hr()),te=Be(W("typanion")),pe=class extends Ne.BaseCommand{constructor(){super(...arguments);this.recursive=U.Option.Boolean("-R,--recursive",!1,{description:"Find packages via dependencies/devDependencies instead of using the workspaces field"});this.from=U.Option.Array("--from",[],{description:"An array of glob pattern idents from which to base any recursion"});this.all=U.Option.Boolean("-A,--all",!1,{description:"Run the command on all workspaces of a project"});this.verbose=U.Option.Boolean("-v,--verbose",!1,{description:"Prefix each output line with the name of the originating workspace"});this.parallel=U.Option.Boolean("-p,--parallel",!1,{description:"Run the commands in parallel"});this.interlaced=U.Option.Boolean("-i,--interlaced",!1,{description:"Print the output of commands in real-time instead of buffering it"});this.jobs=U.Option.String("-j,--jobs",{description:"The maximum number of parallel tasks that the execution will be limited to; or `unlimited`",validator:te.isOneOf([te.isEnum(["unlimited"]),te.applyCascade(te.isNumber(),[te.isInteger(),te.isAtLeast(1)])])});this.topological=U.Option.Boolean("-t,--topological",!1,{description:"Run the command after all workspaces it depends on (regular) have finished"});this.topologicalDev=U.Option.Boolean("--topological-dev",!1,{description:"Run the command after all workspaces it depends on (regular + dev) have finished"});this.include=U.Option.Array("--include",[],{description:"An array of glob pattern idents; only matching workspaces will be traversed"});this.exclude=U.Option.Array("--exclude",[],{description:"An array of glob pattern idents; matching workspaces won't be traversed"});this.publicOnly=U.Option.Boolean("--no-private",{description:"Avoid running the command on private workspaces"});this.since=U.Option.String("--since",{description:"Only include workspaces that have been changed since the specified ref.",tolerateBoolean:!0});this.commandName=U.Option.String();this.args=U.Option.Proxy()}async execute(){let t=await ge.Configuration.find(this.context.cwd,this.context.plugins),{project:n,workspace:s}=await ge.Project.find(t,this.context.cwd);if(!this.all&&!s)throw new Ne.WorkspaceRequiredError(n.cwd,this.context.cwd);await n.restoreInstallState();let i=this.cli.process([this.commandName,...this.args]),a=i.path.length===1&&i.path[0]==="run"&&typeof i.scriptName<"u"?i.scriptName:null;if(i.path.length===0)throw new U.UsageError("Invalid subcommand name for iteration - use the 'run' keyword if you wish to execute a script");let c=this.all?n.topLevelWorkspace:s,p=this.since?Array.from(await gr.gitUtils.fetchChangedWorkspaces({ref:this.since,project:n})):[c,...this.from.length>0?c.getRecursiveWorkspaceChildren():[]],m=g=>Oe.default.isMatch(Y.structUtils.stringifyIdent(g.locator),this.from),h=this.from.length>0?p.filter(m):p,R=new Set([...h,...h.map(g=>[...this.recursive?this.since?g.getRecursiveWorkspaceDependents():g.getRecursiveWorkspaceDependencies():g.getRecursiveWorkspaceChildren()]).flat()]),f=[],$=!1;if(a!=null&&a.includes(":")){for(let g of n.workspaces)if(g.manifest.scripts.has(a)&&($=!$,$===!1))break}for(let g of R)a&&!g.manifest.scripts.has(a)&&!$&&!(await ge.scriptUtils.getWorkspaceAccessibleBinaries(g)).has(a)||a===process.env.npm_lifecycle_event&&g.cwd===s.cwd||this.include.length>0&&!Oe.default.isMatch(Y.structUtils.stringifyIdent(g.locator),this.include)||this.exclude.length>0&&Oe.default.isMatch(Y.structUtils.stringifyIdent(g.locator),this.exclude)||this.publicOnly&&g.manifest.private===!0||f.push(g);let _=this.parallel?this.jobs==="unlimited"?1/0:Number(this.jobs)||Math.max(1,(0,Ar.cpus)().length/2):1,y=_===1?!1:this.parallel,E=y?this.interlaced:!0,S=(0,mr.default)(_),T=new Map,L=new Set,z=0,I=null,re=!1,K=await _e.StreamReport.start({configuration:t,stdout:this.context.stdout},async g=>{let v=async(k,{commandIndex:l})=>{if(re)return-1;!y&&this.verbose&&l>1&&g.reportSeparator();let H=Kn(k,{configuration:t,verbose:this.verbose,commandIndex:l}),[w,B]=dr(g,{prefix:H,interlaced:E}),[o,u]=dr(g,{prefix:H,interlaced:E});try{this.verbose&&g.reportInfo(null,`${H} Process started`);let M=Date.now(),b=await this.cli.run([this.commandName,...this.args],{cwd:k.cwd,stdout:w,stderr:o})||0;w.end(),o.end(),await B,await u;let V=Date.now();if(this.verbose){let J=t.get("enableTimers")?`, completed in ${Y.formatUtils.pretty(t,V-M,Y.formatUtils.Type.DURATION)}`:"";g.reportInfo(null,`${H} Process exited (exit code ${b})${J}`)}return b===130&&(re=!0,I=b),b}catch(M){throw w.end(),o.end(),await B,await u,M}};for(let k of f)T.set(k.anchoredLocator.locatorHash,k);for(;T.size>0&&!g.hasErrors();){let k=[];for(let[w,B]of T){if(L.has(B.anchoredDescriptor.descriptorHash))continue;let o=!0;if(this.topological||this.topologicalDev){let u=this.topologicalDev?new Map([...B.manifest.dependencies,...B.manifest.devDependencies]):B.manifest.dependencies;for(let M of u.values()){let b=n.tryWorkspaceByDescriptor(M);if(o=b===null||!T.has(b.anchoredLocator.locatorHash),!o)break}}if(!!o&&(L.add(B.anchoredDescriptor.descriptorHash),k.push(S(async()=>{let u=await v(B,{commandIndex:++z});return T.delete(w),L.delete(B.anchoredDescriptor.descriptorHash),u})),!y))break}if(k.length===0){let w=Array.from(T.values()).map(B=>Y.structUtils.prettyLocator(t,B.anchoredLocator)).join(", ");g.reportError(_e.MessageName.CYCLIC_DEPENDENCIES,`Dependency cycle detected (${w})`);return}let H=(await Promise.all(k)).find(w=>w!==0);I===null&&(I=typeof H<"u"?1:I),(this.topological||this.topologicalDev)&&typeof H<"u"&&g.reportError(_e.MessageName.UNNAMED,"The command failed for workspaces that are depended upon by other workspaces; can't satisfy the dependency graph")}});return I!==null?I:K.exitCode()}};pe.paths=[["workspaces","foreach"]],pe.usage=U.Command.Usage({category:"Workspace-related commands",description:"run a command on all workspaces",details:"\n This command will run a given sub-command on current and all its descendant workspaces. Various flags can alter the exact behavior of the command:\n\n - If `-p,--parallel` is set, the commands will be ran in parallel; they'll by default be limited to a number of parallel tasks roughly equal to half your core number, but that can be overridden via `-j,--jobs`, or disabled by setting `-j unlimited`.\n\n - If `-p,--parallel` and `-i,--interlaced` are both set, Yarn will print the lines from the output as it receives them. If `-i,--interlaced` wasn't set, it would instead buffer the output from each process and print the resulting buffers only after their source processes have exited.\n\n - If `-t,--topological` is set, Yarn will only run the command after all workspaces that it depends on through the `dependencies` field have successfully finished executing. If `--topological-dev` is set, both the `dependencies` and `devDependencies` fields will be considered when figuring out the wait points.\n\n - If `-A,--all` is set, Yarn will run the command on all the workspaces of a project. By default yarn runs the command only on current and all its descendant workspaces.\n\n - If `-R,--recursive` is set, Yarn will find workspaces to run the command on by recursively evaluating `dependencies` and `devDependencies` fields, instead of looking at the `workspaces` fields.\n\n - If `--from` is set, Yarn will use the packages matching the 'from' glob as the starting point for any recursive search.\n\n - If `--since` is set, Yarn will only run the command on workspaces that have been modified since the specified ref. By default Yarn will use the refs specified by the `changesetBaseRefs` configuration option.\n\n - The command may apply to only some workspaces through the use of `--include` which acts as a whitelist. The `--exclude` flag will do the opposite and will be a list of packages that mustn't execute the script. Both flags accept glob patterns (if valid Idents and supported by [micromatch](https://github.com/micromatch/micromatch)). Make sure to escape the patterns, to prevent your own shell from trying to expand them.\n\n Adding the `-v,--verbose` flag will cause Yarn to print more information; in particular the name of the workspace that generated the output will be printed at the front of each line.\n\n If the command is `run` and the script being run does not exist the child workspace will be skipped without error.\n ",examples:[["Publish current and all descendant packages","yarn workspaces foreach npm publish --tolerate-republish"],["Run build script on current and all descendant packages","yarn workspaces foreach run build"],["Run build script on current and all descendant packages in parallel, building package dependencies first","yarn workspaces foreach -pt run build"],["Run build script on several packages and all their dependencies, building dependencies first","yarn workspaces foreach -ptR --from '{workspace-a,workspace-b}' run build"]]});function dr(e,{prefix:r,interlaced:t}){let n=e.createStreamReporter(r),s=new Y.miscUtils.DefaultStream;s.pipe(n,{end:!1}),s.on("finish",()=>{n.end()});let i=new Promise(c=>{n.on("finish",()=>{c(s.active)})});if(t)return[s,i];let a=new Y.miscUtils.BufferStream;return a.pipe(s,{end:!1}),a.on("finish",()=>{s.end()}),[a,i]}function Kn(e,{configuration:r,commandIndex:t,verbose:n}){if(!n)return null;let i=`[${Y.structUtils.stringifyIdent(e.locator)}]:`,a=["#2E86AB","#A23B72","#F18F01","#C73E1D","#CCE2A3"],c=a[t%a.length];return Y.formatUtils.pretty(r,i,c)}var Wn={commands:[ce,pe]},jn=Wn;return Sr(Fn);})();
8 | /*!
9 | * fill-range
10 | *
11 | * Copyright (c) 2014-present, Jon Schlinkert.
12 | * Licensed under the MIT License.
13 | */
14 | /*!
15 | * is-number
16 | *
17 | * Copyright (c) 2014-present, Jon Schlinkert.
18 | * Released under the MIT License.
19 | */
20 | /*!
21 | * to-regex-range
22 | *
23 | * Copyright (c) 2015-present, Jon Schlinkert.
24 | * Released under the MIT License.
25 | */
26 | return plugin;
27 | }
28 | };
29 |
--------------------------------------------------------------------------------
/yarn.lock:
--------------------------------------------------------------------------------
1 | # This file is generated by running "yarn install" inside your project.
2 | # Manual changes might be lost - proceed with caution!
3 |
4 | __metadata:
5 | version: 6
6 | cacheKey: 8
7 |
8 | "@babel/code-frame@npm:^7.0.0":
9 | version: 7.18.6
10 | resolution: "@babel/code-frame@npm:7.18.6"
11 | dependencies:
12 | "@babel/highlight": ^7.18.6
13 | checksum: 195e2be3172d7684bf95cff69ae3b7a15a9841ea9d27d3c843662d50cdd7d6470fd9c8e64be84d031117e4a4083486effba39f9aef6bbb2c89f7f21bcfba33ba
14 | languageName: node
15 | linkType: hard
16 |
17 | "@babel/helper-validator-identifier@npm:^7.18.6":
18 | version: 7.19.1
19 | resolution: "@babel/helper-validator-identifier@npm:7.19.1"
20 | checksum: 0eca5e86a729162af569b46c6c41a63e18b43dbe09fda1d2a3c8924f7d617116af39cac5e4cd5d431bb760b4dca3c0970e0c444789b1db42bcf1fa41fbad0a3a
21 | languageName: node
22 | linkType: hard
23 |
24 | "@babel/highlight@npm:^7.18.6":
25 | version: 7.18.6
26 | resolution: "@babel/highlight@npm:7.18.6"
27 | dependencies:
28 | "@babel/helper-validator-identifier": ^7.18.6
29 | chalk: ^2.0.0
30 | js-tokens: ^4.0.0
31 | checksum: 92d8ee61549de5ff5120e945e774728e5ccd57fd3b2ed6eace020ec744823d4a98e242be1453d21764a30a14769ecd62170fba28539b211799bbaf232bbb2789
32 | languageName: node
33 | linkType: hard
34 |
35 | "@commitlint/cli@npm:^19.3.0":
36 | version: 19.3.0
37 | resolution: "@commitlint/cli@npm:19.3.0"
38 | dependencies:
39 | "@commitlint/format": ^19.3.0
40 | "@commitlint/lint": ^19.2.2
41 | "@commitlint/load": ^19.2.0
42 | "@commitlint/read": ^19.2.1
43 | "@commitlint/types": ^19.0.3
44 | execa: ^8.0.1
45 | yargs: ^17.0.0
46 | bin:
47 | commitlint: cli.js
48 | checksum: 2329756f6e3313948aafac378b2cf2fe3b436c8dd0260e517b68dd7e7c52e944d280e562f93c91308c13d60461af469641c031bae09131aa34a953e2f7074c29
49 | languageName: node
50 | linkType: hard
51 |
52 | "@commitlint/config-conventional@npm:^19.2.2":
53 | version: 19.2.2
54 | resolution: "@commitlint/config-conventional@npm:19.2.2"
55 | dependencies:
56 | "@commitlint/types": ^19.0.3
57 | conventional-changelog-conventionalcommits: ^7.0.2
58 | checksum: fa6b5f763ff1e6c118e4d8434db81058a88afb622a76e6df13956d6b14b9462fd02b81160db5325895165ef0dd18641f6d762a2f1858f0b4fc70fae9720b5b15
59 | languageName: node
60 | linkType: hard
61 |
62 | "@commitlint/config-validator@npm:^19.0.3":
63 | version: 19.0.3
64 | resolution: "@commitlint/config-validator@npm:19.0.3"
65 | dependencies:
66 | "@commitlint/types": ^19.0.3
67 | ajv: ^8.11.0
68 | checksum: a1a9678e0994d87fa98f0aee1a877dfaf60640b657589260ec958898d51affabba73d6684edafa1cc979e4e94b51f14fbd9b605eae77c2838ee52bcbcc110bef
69 | languageName: node
70 | linkType: hard
71 |
72 | "@commitlint/ensure@npm:^19.0.3":
73 | version: 19.0.3
74 | resolution: "@commitlint/ensure@npm:19.0.3"
75 | dependencies:
76 | "@commitlint/types": ^19.0.3
77 | lodash.camelcase: ^4.3.0
78 | lodash.kebabcase: ^4.1.1
79 | lodash.snakecase: ^4.1.1
80 | lodash.startcase: ^4.4.0
81 | lodash.upperfirst: ^4.3.1
82 | checksum: d8fdc4712985f9ccdbd871c9eabb9d2bdde22296b882b42bd32ab52b6679c5d799ff557d20a99cebb0008831fd31a540d771331e6e5e26bbafbb6b88f47148b6
83 | languageName: node
84 | linkType: hard
85 |
86 | "@commitlint/execute-rule@npm:^19.0.0":
87 | version: 19.0.0
88 | resolution: "@commitlint/execute-rule@npm:19.0.0"
89 | checksum: 4c5cbf9ab0e2b85b00ceea84e5598b1b3cceaa20a655ee954c45259cca9efc80cf5cf7d9eec04715a100c2da282cbcf6aba960ad53a47178090c0513426ac236
90 | languageName: node
91 | linkType: hard
92 |
93 | "@commitlint/format@npm:^19.3.0":
94 | version: 19.3.0
95 | resolution: "@commitlint/format@npm:19.3.0"
96 | dependencies:
97 | "@commitlint/types": ^19.0.3
98 | chalk: ^5.3.0
99 | checksum: cc0e1e0e6d5eea76b856ad1be879de166c3d1385e1ae0e1bb78c575f9b78b53d92a56cd4719427cdba9cbb9a10235768da29144da9892596525c923d126951dd
100 | languageName: node
101 | linkType: hard
102 |
103 | "@commitlint/is-ignored@npm:^19.2.2":
104 | version: 19.2.2
105 | resolution: "@commitlint/is-ignored@npm:19.2.2"
106 | dependencies:
107 | "@commitlint/types": ^19.0.3
108 | semver: ^7.6.0
109 | checksum: f412734496aba808c8bcbddd59c615600d62447ad2b62049805a044b1f299ff6628e2c9ce5022e55848099edc2591f62a7780842d9dffcd60ab3889bc93fea62
110 | languageName: node
111 | linkType: hard
112 |
113 | "@commitlint/lint@npm:^19.2.2":
114 | version: 19.2.2
115 | resolution: "@commitlint/lint@npm:19.2.2"
116 | dependencies:
117 | "@commitlint/is-ignored": ^19.2.2
118 | "@commitlint/parse": ^19.0.3
119 | "@commitlint/rules": ^19.0.3
120 | "@commitlint/types": ^19.0.3
121 | checksum: 45563692499ca0ca6d0c11f57402ada53de0008524435b1ef097f11d149c8d58ba9081b35b91cbd46788b4b0564faca132daa16c71b025a39af0542b30ee587a
122 | languageName: node
123 | linkType: hard
124 |
125 | "@commitlint/load@npm:^19.2.0":
126 | version: 19.2.0
127 | resolution: "@commitlint/load@npm:19.2.0"
128 | dependencies:
129 | "@commitlint/config-validator": ^19.0.3
130 | "@commitlint/execute-rule": ^19.0.0
131 | "@commitlint/resolve-extends": ^19.1.0
132 | "@commitlint/types": ^19.0.3
133 | chalk: ^5.3.0
134 | cosmiconfig: ^9.0.0
135 | cosmiconfig-typescript-loader: ^5.0.0
136 | lodash.isplainobject: ^4.0.6
137 | lodash.merge: ^4.6.2
138 | lodash.uniq: ^4.5.0
139 | checksum: 5cd35a0a60064c70c06ab6bd8b1ae02cf6ecc1d0520b76c68cdc7c12094338f04c19e2df5d7ae30d681e858871c4f1963ae39e4969ed61139959cf4b300030fc
140 | languageName: node
141 | linkType: hard
142 |
143 | "@commitlint/message@npm:^19.0.0":
144 | version: 19.0.0
145 | resolution: "@commitlint/message@npm:19.0.0"
146 | checksum: 446ee97c12a4175a8b7a4cbf3754c01d54cd911973c7af9a2eac69277fb891e638ddc3db132f57588883b68eadf59074d388ec1808a205957042f71027244167
147 | languageName: node
148 | linkType: hard
149 |
150 | "@commitlint/parse@npm:^19.0.3":
151 | version: 19.0.3
152 | resolution: "@commitlint/parse@npm:19.0.3"
153 | dependencies:
154 | "@commitlint/types": ^19.0.3
155 | conventional-changelog-angular: ^7.0.0
156 | conventional-commits-parser: ^5.0.0
157 | checksum: ddd7a6007d37d7154f6b18bfa06dc26beb109cd4bcabe7e9ca2ff24088325ab2c7b09cc01cceb9d62e6e60affffe3d19e9685fab06d3506d047166d888d25487
158 | languageName: node
159 | linkType: hard
160 |
161 | "@commitlint/read@npm:^19.2.1":
162 | version: 19.2.1
163 | resolution: "@commitlint/read@npm:19.2.1"
164 | dependencies:
165 | "@commitlint/top-level": ^19.0.0
166 | "@commitlint/types": ^19.0.3
167 | execa: ^8.0.1
168 | git-raw-commits: ^4.0.0
169 | minimist: ^1.2.8
170 | checksum: 840ebd183b2fe36dea03701552d825a9a1770d300b9416ab2a731fdeed66cf8c9dd8be133d92ac017cb9bf29e2ef5aee91a641f2b643bb5b33005f7b392ec953
171 | languageName: node
172 | linkType: hard
173 |
174 | "@commitlint/resolve-extends@npm:^19.1.0":
175 | version: 19.1.0
176 | resolution: "@commitlint/resolve-extends@npm:19.1.0"
177 | dependencies:
178 | "@commitlint/config-validator": ^19.0.3
179 | "@commitlint/types": ^19.0.3
180 | global-directory: ^4.0.1
181 | import-meta-resolve: ^4.0.0
182 | lodash.mergewith: ^4.6.2
183 | resolve-from: ^5.0.0
184 | checksum: 87df82cfad1e157e600d3bef486c84ab0706e6b21411c97770104f7d1f824524606d8d6493418f98a529ab6c10d3691b50d6a779b07ef6dca5c5fd69848f4951
185 | languageName: node
186 | linkType: hard
187 |
188 | "@commitlint/rules@npm:^19.0.3":
189 | version: 19.0.3
190 | resolution: "@commitlint/rules@npm:19.0.3"
191 | dependencies:
192 | "@commitlint/ensure": ^19.0.3
193 | "@commitlint/message": ^19.0.0
194 | "@commitlint/to-lines": ^19.0.0
195 | "@commitlint/types": ^19.0.3
196 | execa: ^8.0.1
197 | checksum: 218033d96b0bae7dbea0e46483f8af823c17b492e4b0c4dca93a6312876d051cc88f4272d009e7eb06ff05585ec511aedd703132be17c7248698a4eac909986b
198 | languageName: node
199 | linkType: hard
200 |
201 | "@commitlint/to-lines@npm:^19.0.0":
202 | version: 19.0.0
203 | resolution: "@commitlint/to-lines@npm:19.0.0"
204 | checksum: 5e7d5679aa242cd21be2076a8c8715aa3c9f4c3133f588df08c6b02f56a8a5b1a5d9e402076bd926dd2b61883e4b2c53fd6c9aa3554e3f54cd2296b2566eb1c2
205 | languageName: node
206 | linkType: hard
207 |
208 | "@commitlint/top-level@npm:^19.0.0":
209 | version: 19.0.0
210 | resolution: "@commitlint/top-level@npm:19.0.0"
211 | dependencies:
212 | find-up: ^7.0.0
213 | checksum: 47b0994d03f26caf2812110ead535bd10157beed6b3dff9cbb4eea165de9245673ba7d31829cd54af5855f7b075ebbf812b1f79586248be3932797888efeadf5
214 | languageName: node
215 | linkType: hard
216 |
217 | "@commitlint/types@npm:^19.0.3":
218 | version: 19.0.3
219 | resolution: "@commitlint/types@npm:19.0.3"
220 | dependencies:
221 | "@types/conventional-commits-parser": ^5.0.0
222 | chalk: ^5.3.0
223 | checksum: 44e67f4861f9b137f43a441f8ab255676b7a276c82ca46ba7846ca1057d170af92a87d3e2a1378713dc4e33a68c8af513683cb96dcd29544e48e2c825109ea6f
224 | languageName: node
225 | linkType: hard
226 |
227 | "@discordjs/builders@npm:^1.7.0, @discordjs/builders@npm:^1.8.2":
228 | version: 1.8.2
229 | resolution: "@discordjs/builders@npm:1.8.2"
230 | dependencies:
231 | "@discordjs/formatters": ^0.4.0
232 | "@discordjs/util": ^1.1.0
233 | "@sapphire/shapeshift": ^3.9.7
234 | discord-api-types: 0.37.83
235 | fast-deep-equal: ^3.1.3
236 | ts-mixer: ^6.0.4
237 | tslib: ^2.6.2
238 | checksum: 65c707f28fb40b2875ebc08d580b6902eaf988c0e70ad674e33893abfdde74b52fc491476336a312c4f18de2fc599e1299341af152265d84864c907a12749a8e
239 | languageName: node
240 | linkType: hard
241 |
242 | "@discordjs/collection@npm:1.5.3, @discordjs/collection@npm:^1.5.3":
243 | version: 1.5.3
244 | resolution: "@discordjs/collection@npm:1.5.3"
245 | checksum: fefed19bea0f69053d195f9d9dc8af07ca5d8c9b1064581e0aa14bda2b70e632b93c164d5ef3e4910f5442369612ff4eec8d52a700aec562510c19b223f67023
246 | languageName: node
247 | linkType: hard
248 |
249 | "@discordjs/collection@npm:^2.1.0":
250 | version: 2.1.0
251 | resolution: "@discordjs/collection@npm:2.1.0"
252 | checksum: ebe1a32769296f14a38b2c718c7e0d00830e37e68e59a3683aa0f7c25adf9487ebaca3ac3f78fd60e2c89cf314b7891312cac36e3b0885cceb4d2a677ae7d19b
253 | languageName: node
254 | linkType: hard
255 |
256 | "@discordjs/formatters@npm:^0.4.0":
257 | version: 0.4.0
258 | resolution: "@discordjs/formatters@npm:0.4.0"
259 | dependencies:
260 | discord-api-types: 0.37.83
261 | checksum: 130ab7ba104635d7d0f92f4c3de67dbc60cdab004e9db605e0f2c7f410a9808df8776e4d5d45632597dc7257713dc77bb616ee25bb0827117247b6bebfe35921
262 | languageName: node
263 | linkType: hard
264 |
265 | "@discordjs/rest@npm:^2.2.0, @discordjs/rest@npm:^2.3.0":
266 | version: 2.3.0
267 | resolution: "@discordjs/rest@npm:2.3.0"
268 | dependencies:
269 | "@discordjs/collection": ^2.1.0
270 | "@discordjs/util": ^1.1.0
271 | "@sapphire/async-queue": ^1.5.2
272 | "@sapphire/snowflake": ^3.5.3
273 | "@vladfrangu/async_event_emitter": ^2.2.4
274 | discord-api-types: 0.37.83
275 | magic-bytes.js: ^1.10.0
276 | tslib: ^2.6.2
277 | undici: 6.13.0
278 | checksum: 01564bf108c359f5650318ccadc51bf762c99df56de865192b25adef4331c0729886e84b4ebd10dfc57818b97ff891f1857873811e7a2326d24fd0bf892a0201
279 | languageName: node
280 | linkType: hard
281 |
282 | "@discordjs/util@npm:^1.0.2, @discordjs/util@npm:^1.1.0":
283 | version: 1.1.0
284 | resolution: "@discordjs/util@npm:1.1.0"
285 | checksum: b4db3fc6017986cd0e7fd6aa50e890e1259e79c6e0ff9c07685a86b2c22409a42f146f282d907885444f37ca596220c166d8be11851fab7f9e2c1ee932fd524e
286 | languageName: node
287 | linkType: hard
288 |
289 | "@discordjs/ws@npm:^1.1.1":
290 | version: 1.1.1
291 | resolution: "@discordjs/ws@npm:1.1.1"
292 | dependencies:
293 | "@discordjs/collection": ^2.1.0
294 | "@discordjs/rest": ^2.3.0
295 | "@discordjs/util": ^1.1.0
296 | "@sapphire/async-queue": ^1.5.2
297 | "@types/ws": ^8.5.10
298 | "@vladfrangu/async_event_emitter": ^2.2.4
299 | discord-api-types: 0.37.83
300 | tslib: ^2.6.2
301 | ws: ^8.16.0
302 | checksum: 42ba6dad56d6d340b34e400144cb6cd0433c963b16c51e24496b43a1a23cc01c663cb24c492b9fc8c1f7dd528ce32f7d34e2ed379dbc57352468f5505fe21486
303 | languageName: node
304 | linkType: hard
305 |
306 | "@sapphire/async-queue@npm:^1.5.2":
307 | version: 1.5.2
308 | resolution: "@sapphire/async-queue@npm:1.5.2"
309 | checksum: 6252e72254f33c91da4887e324f17b59708b12c603216cc45f001460fd33265844301de47ab67c8caf8383ee280b39c8427ede242bd3b50b6ccdf13a386a5f1b
310 | languageName: node
311 | linkType: hard
312 |
313 | "@sapphire/pieces@npm:^3.10.0":
314 | version: 3.10.0
315 | resolution: "@sapphire/pieces@npm:3.10.0"
316 | dependencies:
317 | "@discordjs/collection": ^1.5.3
318 | "@sapphire/utilities": ^3.13.0
319 | tslib: ^2.6.2
320 | checksum: 7ac85e56f935b11072b3c520fb07aad3193d2f391654e24ea8b164a94578ef24ae49d2310e7d629db549e4379a2875de3247323f32e6e617e30e291d51724d57
321 | languageName: node
322 | linkType: hard
323 |
324 | "@sapphire/prettier-config@npm:^2.0.0":
325 | version: 2.0.0
326 | resolution: "@sapphire/prettier-config@npm:2.0.0"
327 | dependencies:
328 | prettier: ^3.0.0
329 | checksum: 5e7aa2f3c29587d8bd409d66e75ffa5ff6d6b98df6bdfb82dedb6d43b6134a5ba764d95dfc6b252b92bb4a56f125b22b83737449ee8dbf1d2ff41b0f1b6e87f7
330 | languageName: node
331 | linkType: hard
332 |
333 | "@sapphire/result@npm:^2.6.4":
334 | version: 2.6.6
335 | resolution: "@sapphire/result@npm:2.6.6"
336 | checksum: e58aa40df942dac42320385745def7060edb95186d8e128a7d3b65aee23187771adbd7d05f447be11f1398cc52637f3ce2306491ec06b494b49f7570a59a94b3
337 | languageName: node
338 | linkType: hard
339 |
340 | "@sapphire/shapeshift@npm:^3.9.7":
341 | version: 3.9.7
342 | resolution: "@sapphire/shapeshift@npm:3.9.7"
343 | dependencies:
344 | fast-deep-equal: ^3.1.3
345 | lodash: ^4.17.21
346 | checksum: a36032ff8fc54056ea21e0cdbbea84c3d80c0c0fb19b2685e14e29111ab9c1172c9273e1e54d49e2a62ba5a393f18b3dab9330d34b97d3519d572e32dd64913d
347 | languageName: node
348 | linkType: hard
349 |
350 | "@sapphire/snowflake@npm:3.5.3, @sapphire/snowflake@npm:^3.5.3":
351 | version: 3.5.3
352 | resolution: "@sapphire/snowflake@npm:3.5.3"
353 | checksum: 821add76877e2786ddb1b5cd3ee5de130610b82014972d91a99b4b7ce5475839b9a26f94de322f48a66f9ba2e2c578ffe46a60d06cbb9a36fd8fb96ef78be248
354 | languageName: node
355 | linkType: hard
356 |
357 | "@sapphire/ts-config@npm:^5.0.1":
358 | version: 5.0.1
359 | resolution: "@sapphire/ts-config@npm:5.0.1"
360 | dependencies:
361 | tslib: ^2.6.2
362 | typescript: ^5.4.2
363 | checksum: f29adf9e76bb2bcedde97ec36f9a1811487c70daaf2c0b5d4c33d2f648872df960c324f14c3313b73289176d12e0cd16e75db7e797461353db82212890a30811
364 | languageName: node
365 | linkType: hard
366 |
367 | "@sapphire/utilities@npm:^3.13.0":
368 | version: 3.16.2
369 | resolution: "@sapphire/utilities@npm:3.16.2"
370 | checksum: d07c2ebfea7d44ca4c3a4c2d85772d1d7c0de7f43543a290a4279f10c89edcc3e252b5ebb60b28967f1ddef09b90a7f46f34ac521a5f6c2c443b14ad58af7cbf
371 | languageName: node
372 | linkType: hard
373 |
374 | "@skyra/env-utilities@npm:^1.3.0":
375 | version: 1.3.0
376 | resolution: "@skyra/env-utilities@npm:1.3.0"
377 | dependencies:
378 | dotenv: ^16.3.1
379 | dotenv-expand: ^10.0.0
380 | checksum: c7d0c909acded258aaf9ea2ad3bba237849fe37bc3836e1823915d043864bd0b44df0ca8a905429a6be3feacd4156cb7370bdd8146d07475401a19a221ecd095
381 | languageName: node
382 | linkType: hard
383 |
384 | "@skyra/http-framework@npm:1.2.2":
385 | version: 1.2.2
386 | resolution: "@skyra/http-framework@npm:1.2.2"
387 | dependencies:
388 | "@discordjs/builders": ^1.7.0
389 | "@discordjs/collection": ^1.5.3
390 | "@discordjs/rest": ^2.2.0
391 | "@discordjs/util": ^1.0.2
392 | "@sapphire/pieces": ^3.10.0
393 | "@sapphire/result": ^2.6.4
394 | "@sapphire/utilities": ^3.13.0
395 | "@vladfrangu/async_event_emitter": ^2.2.2
396 | discord-api-types: ^0.37.63
397 | checksum: 0000f9192786d218439937ac41756cc1faf2084417d73846748257cb4cc13369a20050c5023ac6706ce7943c8af2d72b195035a915f74260065d802ac4ab79ed
398 | languageName: node
399 | linkType: hard
400 |
401 | "@skyra/logger@npm:^2.0.3":
402 | version: 2.0.3
403 | resolution: "@skyra/logger@npm:2.0.3"
404 | dependencies:
405 | colorette: ^2.0.20
406 | checksum: 64904e9ffd45d54e186ed78e32baac88d835facade77d7275aea0888189ebebcedb8c2edd56b240f74d803316a88e07972d981a79a20e07361268a8798ba9beb
407 | languageName: node
408 | linkType: hard
409 |
410 | "@types/conventional-commits-parser@npm:^5.0.0":
411 | version: 5.0.0
412 | resolution: "@types/conventional-commits-parser@npm:5.0.0"
413 | dependencies:
414 | "@types/node": "*"
415 | checksum: 88013c53adccaf359a429412c5d835990a88be33218f01f85eb04cf839a7d5bef51dd52b83a3032b00153e9f3ce4a7e84ff10b0a1f833c022c5e999b00eef24c
416 | languageName: node
417 | linkType: hard
418 |
419 | "@types/node@npm:*, @types/node@npm:^20.14.9":
420 | version: 20.14.9
421 | resolution: "@types/node@npm:20.14.9"
422 | dependencies:
423 | undici-types: ~5.26.4
424 | checksum: 5e9eda1ac8c6cc6bcd1063903ae195eaede9aad1bdad00408a919409cfbcdd2d6535aa3d50346f0d385528f9e03dafc7d1b3bad25aedb1dcd79a6ad39d06c35d
425 | languageName: node
426 | linkType: hard
427 |
428 | "@types/ws@npm:^8.5.10":
429 | version: 8.5.10
430 | resolution: "@types/ws@npm:8.5.10"
431 | dependencies:
432 | "@types/node": "*"
433 | checksum: 3ec416ea2be24042ebd677932a462cf16d2080393d8d7d0b1b3f5d6eaa4a7387aaf0eefb99193c0bfd29444857cf2e0c3ac89899e130550dc6c14ada8a46d25e
434 | languageName: node
435 | linkType: hard
436 |
437 | "@vladfrangu/async_event_emitter@npm:^2.2.2, @vladfrangu/async_event_emitter@npm:^2.2.4":
438 | version: 2.4.1
439 | resolution: "@vladfrangu/async_event_emitter@npm:2.4.1"
440 | checksum: 9409f7581a7c46cd31ddfc516b12045a8489649a1f5c4e213090c497585fcff1c0e2c1e125f9fd580ee7f6628e03869aff5ed4f1dbf2dc85c2c67af938fcb9b2
441 | languageName: node
442 | linkType: hard
443 |
444 | "JSONStream@npm:^1.3.5":
445 | version: 1.3.5
446 | resolution: "JSONStream@npm:1.3.5"
447 | dependencies:
448 | jsonparse: ^1.2.0
449 | through: ">=2.2.7 <3"
450 | bin:
451 | JSONStream: ./bin.js
452 | checksum: 2605fa124260c61bad38bb65eba30d2f72216a78e94d0ab19b11b4e0327d572b8d530c0c9cc3b0764f727ad26d39e00bf7ebad57781ca6368394d73169c59e46
453 | languageName: node
454 | linkType: hard
455 |
456 | "ajv@npm:^8.11.0":
457 | version: 8.11.2
458 | resolution: "ajv@npm:8.11.2"
459 | dependencies:
460 | fast-deep-equal: ^3.1.1
461 | json-schema-traverse: ^1.0.0
462 | require-from-string: ^2.0.2
463 | uri-js: ^4.2.2
464 | checksum: 53435bf79ee7d1eabba8085962dba4c08d08593334b304db7772887f0b7beebc1b3d957432f7437ed4b60e53b5d966a57b439869890209c50fed610459999e3e
465 | languageName: node
466 | linkType: hard
467 |
468 | "ansi-regex@npm:^5.0.1":
469 | version: 5.0.1
470 | resolution: "ansi-regex@npm:5.0.1"
471 | checksum: 2aa4bb54caf2d622f1afdad09441695af2a83aa3fe8b8afa581d205e57ed4261c183c4d3877cee25794443fde5876417d859c108078ab788d6af7e4fe52eb66b
472 | languageName: node
473 | linkType: hard
474 |
475 | "ansi-styles@npm:^3.2.1":
476 | version: 3.2.1
477 | resolution: "ansi-styles@npm:3.2.1"
478 | dependencies:
479 | color-convert: ^1.9.0
480 | checksum: d85ade01c10e5dd77b6c89f34ed7531da5830d2cb5882c645f330079975b716438cd7ebb81d0d6e6b4f9c577f19ae41ab55f07f19786b02f9dfd9e0377395665
481 | languageName: node
482 | linkType: hard
483 |
484 | "ansi-styles@npm:^4.0.0":
485 | version: 4.3.0
486 | resolution: "ansi-styles@npm:4.3.0"
487 | dependencies:
488 | color-convert: ^2.0.1
489 | checksum: 513b44c3b2105dd14cc42a19271e80f386466c4be574bccf60b627432f9198571ebf4ab1e4c3ba17347658f4ee1711c163d574248c0c1cdc2d5917a0ad582ec4
490 | languageName: node
491 | linkType: hard
492 |
493 | "argparse@npm:^2.0.1":
494 | version: 2.0.1
495 | resolution: "argparse@npm:2.0.1"
496 | checksum: 83644b56493e89a254bae05702abf3a1101b4fa4d0ca31df1c9985275a5a5bd47b3c27b7fa0b71098d41114d8ca000e6ed90cad764b306f8a503665e4d517ced
497 | languageName: node
498 | linkType: hard
499 |
500 | "array-ify@npm:^1.0.0":
501 | version: 1.0.0
502 | resolution: "array-ify@npm:1.0.0"
503 | checksum: c0502015b319c93dd4484f18036bcc4b654eb76a4aa1f04afbcef11ac918859bb1f5d71ba1f0f1141770db9eef1a4f40f1761753650873068010bbf7bcdae4a4
504 | languageName: node
505 | linkType: hard
506 |
507 | "callsites@npm:^3.0.0":
508 | version: 3.1.0
509 | resolution: "callsites@npm:3.1.0"
510 | checksum: 072d17b6abb459c2ba96598918b55868af677154bec7e73d222ef95a8fdb9bbf7dae96a8421085cdad8cd190d86653b5b6dc55a4484f2e5b2e27d5e0c3fc15b3
511 | languageName: node
512 | linkType: hard
513 |
514 | "chalk@npm:^2.0.0":
515 | version: 2.4.2
516 | resolution: "chalk@npm:2.4.2"
517 | dependencies:
518 | ansi-styles: ^3.2.1
519 | escape-string-regexp: ^1.0.5
520 | supports-color: ^5.3.0
521 | checksum: ec3661d38fe77f681200f878edbd9448821924e0f93a9cefc0e26a33b145f1027a2084bf19967160d11e1f03bfe4eaffcabf5493b89098b2782c3fe0b03d80c2
522 | languageName: node
523 | linkType: hard
524 |
525 | "chalk@npm:^5.3.0":
526 | version: 5.3.0
527 | resolution: "chalk@npm:5.3.0"
528 | checksum: 623922e077b7d1e9dedaea6f8b9e9352921f8ae3afe739132e0e00c275971bdd331268183b2628cf4ab1727c45ea1f28d7e24ac23ce1db1eb653c414ca8a5a80
529 | languageName: node
530 | linkType: hard
531 |
532 | "cliui@npm:^8.0.1":
533 | version: 8.0.1
534 | resolution: "cliui@npm:8.0.1"
535 | dependencies:
536 | string-width: ^4.2.0
537 | strip-ansi: ^6.0.1
538 | wrap-ansi: ^7.0.0
539 | checksum: 79648b3b0045f2e285b76fb2e24e207c6db44323581e421c3acbd0e86454cba1b37aea976ab50195a49e7384b871e6dfb2247ad7dec53c02454ac6497394cb56
540 | languageName: node
541 | linkType: hard
542 |
543 | "color-convert@npm:^1.9.0":
544 | version: 1.9.3
545 | resolution: "color-convert@npm:1.9.3"
546 | dependencies:
547 | color-name: 1.1.3
548 | checksum: fd7a64a17cde98fb923b1dd05c5f2e6f7aefda1b60d67e8d449f9328b4e53b228a428fd38bfeaeb2db2ff6b6503a776a996150b80cdf224062af08a5c8a3a203
549 | languageName: node
550 | linkType: hard
551 |
552 | "color-convert@npm:^2.0.1":
553 | version: 2.0.1
554 | resolution: "color-convert@npm:2.0.1"
555 | dependencies:
556 | color-name: ~1.1.4
557 | checksum: 79e6bdb9fd479a205c71d89574fccfb22bd9053bd98c6c4d870d65c132e5e904e6034978e55b43d69fcaa7433af2016ee203ce76eeba9cfa554b373e7f7db336
558 | languageName: node
559 | linkType: hard
560 |
561 | "color-name@npm:1.1.3":
562 | version: 1.1.3
563 | resolution: "color-name@npm:1.1.3"
564 | checksum: 09c5d3e33d2105850153b14466501f2bfb30324a2f76568a408763a3b7433b0e50e5b4ab1947868e65cb101bb7cb75029553f2c333b6d4b8138a73fcc133d69d
565 | languageName: node
566 | linkType: hard
567 |
568 | "color-name@npm:~1.1.4":
569 | version: 1.1.4
570 | resolution: "color-name@npm:1.1.4"
571 | checksum: b0445859521eb4021cd0fb0cc1a75cecf67fceecae89b63f62b201cca8d345baf8b952c966862a9d9a2632987d4f6581f0ec8d957dfacece86f0a7919316f610
572 | languageName: node
573 | linkType: hard
574 |
575 | "colorette@npm:^2.0.20":
576 | version: 2.0.20
577 | resolution: "colorette@npm:2.0.20"
578 | checksum: 0c016fea2b91b733eb9f4bcdb580018f52c0bc0979443dad930e5037a968237ac53d9beb98e218d2e9235834f8eebce7f8e080422d6194e957454255bde71d3d
579 | languageName: node
580 | linkType: hard
581 |
582 | "compare-func@npm:^2.0.0":
583 | version: 2.0.0
584 | resolution: "compare-func@npm:2.0.0"
585 | dependencies:
586 | array-ify: ^1.0.0
587 | dot-prop: ^5.1.0
588 | checksum: fb71d70632baa1e93283cf9d80f30ac97f003aabee026e0b4426c9716678079ef5fea7519b84d012cbed938c476493866a38a79760564a9e21ae9433e40e6f0d
589 | languageName: node
590 | linkType: hard
591 |
592 | "conventional-changelog-angular@npm:^7.0.0":
593 | version: 7.0.0
594 | resolution: "conventional-changelog-angular@npm:7.0.0"
595 | dependencies:
596 | compare-func: ^2.0.0
597 | checksum: 2478962ad7ce42878449ba3568347d704f22c5c9af1cd36916b5600734bd7f82c09712a338c649195c44e907f1b0372ce52d6cb51df643f495c89af05ad4bc48
598 | languageName: node
599 | linkType: hard
600 |
601 | "conventional-changelog-conventionalcommits@npm:^7.0.2":
602 | version: 7.0.2
603 | resolution: "conventional-changelog-conventionalcommits@npm:7.0.2"
604 | dependencies:
605 | compare-func: ^2.0.0
606 | checksum: e17ac5970ae09d6e9b0c3a7edaed075b836c0c09c34c514589cbe06554f46ed525067fa8150a8467cc03b1cf9af2073e7ecf48790d4f5ea399921b1cbe313711
607 | languageName: node
608 | linkType: hard
609 |
610 | "conventional-commits-parser@npm:^5.0.0":
611 | version: 5.0.0
612 | resolution: "conventional-commits-parser@npm:5.0.0"
613 | dependencies:
614 | JSONStream: ^1.3.5
615 | is-text-path: ^2.0.0
616 | meow: ^12.0.1
617 | split2: ^4.0.0
618 | bin:
619 | conventional-commits-parser: cli.mjs
620 | checksum: bb92a0bfe41802330d2d14ddb0f912fd65dd355f1aa294e708f4891aac95c580919a70580b9f26563c24c3335baaed2ce003104394a8fa5ba61eeb3889e45df0
621 | languageName: node
622 | linkType: hard
623 |
624 | "cosmiconfig-typescript-loader@npm:^5.0.0":
625 | version: 5.0.0
626 | resolution: "cosmiconfig-typescript-loader@npm:5.0.0"
627 | dependencies:
628 | jiti: ^1.19.1
629 | peerDependencies:
630 | "@types/node": "*"
631 | cosmiconfig: ">=8.2"
632 | typescript: ">=4"
633 | checksum: 7b614313f2cc2ecbe17270de570a511aa7c974bf14a749d7ed4f4d0f4a9ed02ee7ae87d710e294204abb00bb6bb0cca53795208bb1435815d143b43c6626ec74
634 | languageName: node
635 | linkType: hard
636 |
637 | "cosmiconfig@npm:^9.0.0":
638 | version: 9.0.0
639 | resolution: "cosmiconfig@npm:9.0.0"
640 | dependencies:
641 | env-paths: ^2.2.1
642 | import-fresh: ^3.3.0
643 | js-yaml: ^4.1.0
644 | parse-json: ^5.2.0
645 | peerDependencies:
646 | typescript: ">=4.9.5"
647 | peerDependenciesMeta:
648 | typescript:
649 | optional: true
650 | checksum: a30c424b53d442ea0bdd24cb1b3d0d8687c8dda4a17ab6afcdc439f8964438801619cdb66e8e79f63b9caa3e6586b60d8bab9ce203e72df6c5e80179b971fe8f
651 | languageName: node
652 | linkType: hard
653 |
654 | "cross-spawn@npm:^7.0.3":
655 | version: 7.0.3
656 | resolution: "cross-spawn@npm:7.0.3"
657 | dependencies:
658 | path-key: ^3.1.0
659 | shebang-command: ^2.0.0
660 | which: ^2.0.1
661 | checksum: 671cc7c7288c3a8406f3c69a3ae2fc85555c04169e9d611def9a675635472614f1c0ed0ef80955d5b6d4e724f6ced67f0ad1bb006c2ea643488fcfef994d7f52
662 | languageName: node
663 | linkType: hard
664 |
665 | "dargs@npm:^8.0.0":
666 | version: 8.1.0
667 | resolution: "dargs@npm:8.1.0"
668 | checksum: 33f1b8f5f08e72c8a28355a87c0e1a9b6a0fec99252ecd9cf4735e65dd5f2e19747c860251ed5747b38e7204c7915fd7a7146aee5aaef5882c69169aae8b1d09
669 | languageName: node
670 | linkType: hard
671 |
672 | "discord-api-types@npm:0.37.83":
673 | version: 0.37.83
674 | resolution: "discord-api-types@npm:0.37.83"
675 | checksum: ab2a31188352d9c742f09a114a95322e7f7de90199cb9f5571f7f5ac25765e7abc9b83c15c14d513ffc5e1d63d9e3ea5ff088fa8a1c5d9c1e1f395b27027cef0
676 | languageName: node
677 | linkType: hard
678 |
679 | "discord-api-types@npm:0.37.91, discord-api-types@npm:^0.37.63":
680 | version: 0.37.91
681 | resolution: "discord-api-types@npm:0.37.91"
682 | checksum: b661e5566c50ae7c01f9a29f435eed4c8307176212b70f668facce9d83c7d39cfe24b15a2bd770a6ec84cf4fb6c1a43791a11ad34b8a99c711fb3ad42546eef8
683 | languageName: node
684 | linkType: hard
685 |
686 | "discord.js@npm:^14.15.3":
687 | version: 14.15.3
688 | resolution: "discord.js@npm:14.15.3"
689 | dependencies:
690 | "@discordjs/builders": ^1.8.2
691 | "@discordjs/collection": 1.5.3
692 | "@discordjs/formatters": ^0.4.0
693 | "@discordjs/rest": ^2.3.0
694 | "@discordjs/util": ^1.1.0
695 | "@discordjs/ws": ^1.1.1
696 | "@sapphire/snowflake": 3.5.3
697 | discord-api-types: 0.37.83
698 | fast-deep-equal: 3.1.3
699 | lodash.snakecase: 4.1.1
700 | tslib: 2.6.2
701 | undici: 6.13.0
702 | checksum: 0b521caee9040c3a39200e6bf01b60230e9abd89b13e632054be2a2e08b74708b0776dd61ccf5e737968c33907e824c7fca9aeb62a293700cd5d517ce82f795d
703 | languageName: node
704 | linkType: hard
705 |
706 | "dot-prop@npm:^5.1.0":
707 | version: 5.3.0
708 | resolution: "dot-prop@npm:5.3.0"
709 | dependencies:
710 | is-obj: ^2.0.0
711 | checksum: d5775790093c234ef4bfd5fbe40884ff7e6c87573e5339432870616331189f7f5d86575c5b5af2dcf0f61172990f4f734d07844b1f23482fff09e3c4bead05ea
712 | languageName: node
713 | linkType: hard
714 |
715 | "dotenv-expand@npm:^10.0.0":
716 | version: 10.0.0
717 | resolution: "dotenv-expand@npm:10.0.0"
718 | checksum: 2a38b470efe0abcb1ac8490421a55e1d764dc9440fd220942bce40965074f3fb00b585f4346020cb0f0f219966ee6b4ee5023458b3e2953fe5b3214de1b314ee
719 | languageName: node
720 | linkType: hard
721 |
722 | "dotenv@npm:^16.3.1":
723 | version: 16.4.5
724 | resolution: "dotenv@npm:16.4.5"
725 | checksum: 301a12c3d44fd49888b74eb9ccf9f07a1f5df43f489e7fcb89647a2edcd84c42d6bc349dc8df099cd18f07c35c7b04685c1a4f3e6a6a9e6b30f8d48c15b7f49c
726 | languageName: node
727 | linkType: hard
728 |
729 | "duplexer@npm:~0.1.1":
730 | version: 0.1.2
731 | resolution: "duplexer@npm:0.1.2"
732 | checksum: 62ba61a830c56801db28ff6305c7d289b6dc9f859054e8c982abd8ee0b0a14d2e9a8e7d086ffee12e868d43e2bbe8a964be55ddbd8c8957714c87373c7a4f9b0
733 | languageName: node
734 | linkType: hard
735 |
736 | "emoji-regex@npm:^8.0.0":
737 | version: 8.0.0
738 | resolution: "emoji-regex@npm:8.0.0"
739 | checksum: d4c5c39d5a9868b5fa152f00cada8a936868fd3367f33f71be515ecee4c803132d11b31a6222b2571b1e5f7e13890156a94880345594d0ce7e3c9895f560f192
740 | languageName: node
741 | linkType: hard
742 |
743 | "env-paths@npm:^2.2.1":
744 | version: 2.2.1
745 | resolution: "env-paths@npm:2.2.1"
746 | checksum: 65b5df55a8bab92229ab2b40dad3b387fad24613263d103a97f91c9fe43ceb21965cd3392b1ccb5d77088021e525c4e0481adb309625d0cb94ade1d1fb8dc17e
747 | languageName: node
748 | linkType: hard
749 |
750 | "error-ex@npm:^1.3.1":
751 | version: 1.3.2
752 | resolution: "error-ex@npm:1.3.2"
753 | dependencies:
754 | is-arrayish: ^0.2.1
755 | checksum: c1c2b8b65f9c91b0f9d75f0debaa7ec5b35c266c2cac5de412c1a6de86d4cbae04ae44e510378cb14d032d0645a36925d0186f8bb7367bcc629db256b743a001
756 | languageName: node
757 | linkType: hard
758 |
759 | "escalade@npm:^3.1.1":
760 | version: 3.1.1
761 | resolution: "escalade@npm:3.1.1"
762 | checksum: a3e2a99f07acb74b3ad4989c48ca0c3140f69f923e56d0cba0526240ee470b91010f9d39001f2a4a313841d237ede70a729e92125191ba5d21e74b106800b133
763 | languageName: node
764 | linkType: hard
765 |
766 | "escape-string-regexp@npm:^1.0.5":
767 | version: 1.0.5
768 | resolution: "escape-string-regexp@npm:1.0.5"
769 | checksum: 6092fda75c63b110c706b6a9bfde8a612ad595b628f0bd2147eea1d3406723020810e591effc7db1da91d80a71a737a313567c5abb3813e8d9c71f4aa595b410
770 | languageName: node
771 | linkType: hard
772 |
773 | "event-stream@npm:=3.3.4":
774 | version: 3.3.4
775 | resolution: "event-stream@npm:3.3.4"
776 | dependencies:
777 | duplexer: ~0.1.1
778 | from: ~0
779 | map-stream: ~0.1.0
780 | pause-stream: 0.0.11
781 | split: 0.3
782 | stream-combiner: ~0.0.4
783 | through: ~2.3.1
784 | checksum: 80b467820b6daf824d9fb4345d2daf115a056e5c104463f2e98534e92d196a27f2df5ea2aa085624db26f4c45698905499e881d13bc7c01f7a13eac85be72a22
785 | languageName: node
786 | linkType: hard
787 |
788 | "execa@npm:^5.1.1":
789 | version: 5.1.1
790 | resolution: "execa@npm:5.1.1"
791 | dependencies:
792 | cross-spawn: ^7.0.3
793 | get-stream: ^6.0.0
794 | human-signals: ^2.1.0
795 | is-stream: ^2.0.0
796 | merge-stream: ^2.0.0
797 | npm-run-path: ^4.0.1
798 | onetime: ^5.1.2
799 | signal-exit: ^3.0.3
800 | strip-final-newline: ^2.0.0
801 | checksum: fba9022c8c8c15ed862847e94c252b3d946036d7547af310e344a527e59021fd8b6bb0723883ea87044dc4f0201f949046993124a42ccb0855cae5bf8c786343
802 | languageName: node
803 | linkType: hard
804 |
805 | "execa@npm:^8.0.1":
806 | version: 8.0.1
807 | resolution: "execa@npm:8.0.1"
808 | dependencies:
809 | cross-spawn: ^7.0.3
810 | get-stream: ^8.0.1
811 | human-signals: ^5.0.0
812 | is-stream: ^3.0.0
813 | merge-stream: ^2.0.0
814 | npm-run-path: ^5.1.0
815 | onetime: ^6.0.0
816 | signal-exit: ^4.1.0
817 | strip-final-newline: ^3.0.0
818 | checksum: cac1bf86589d1d9b73bdc5dda65c52012d1a9619c44c526891956745f7b366ca2603d29fe3f7460bacc2b48c6eab5d6a4f7afe0534b31473d3708d1265545e1f
819 | languageName: node
820 | linkType: hard
821 |
822 | "fast-deep-equal@npm:3.1.3, fast-deep-equal@npm:^3.1.1, fast-deep-equal@npm:^3.1.3":
823 | version: 3.1.3
824 | resolution: "fast-deep-equal@npm:3.1.3"
825 | checksum: e21a9d8d84f53493b6aa15efc9cfd53dd5b714a1f23f67fb5dc8f574af80df889b3bce25dc081887c6d25457cce704e636395333abad896ccdec03abaf1f3f9d
826 | languageName: node
827 | linkType: hard
828 |
829 | "find-up@npm:^5.0.0":
830 | version: 5.0.0
831 | resolution: "find-up@npm:5.0.0"
832 | dependencies:
833 | locate-path: ^6.0.0
834 | path-exists: ^4.0.0
835 | checksum: 07955e357348f34660bde7920783204ff5a26ac2cafcaa28bace494027158a97b9f56faaf2d89a6106211a8174db650dd9f503f9c0d526b1202d5554a00b9095
836 | languageName: node
837 | linkType: hard
838 |
839 | "find-up@npm:^7.0.0":
840 | version: 7.0.0
841 | resolution: "find-up@npm:7.0.0"
842 | dependencies:
843 | locate-path: ^7.2.0
844 | path-exists: ^5.0.0
845 | unicorn-magic: ^0.1.0
846 | checksum: e1c63860f9c04355ab2aa19f4be51c1a6e14a7d8cfbd8090e2be6da2a36a76995907cb45337a4b582b19b164388f71d6ab118869dc7bffb2093f2c089ecb95ee
847 | languageName: node
848 | linkType: hard
849 |
850 | "from@npm:~0":
851 | version: 0.1.7
852 | resolution: "from@npm:0.1.7"
853 | checksum: b85125b7890489656eb2e4f208f7654a93ec26e3aefaf3bbbcc0d496fc1941e4405834fcc9fe7333192aa2187905510ace70417bbf9ac6f6f4784a731d986939
854 | languageName: node
855 | linkType: hard
856 |
857 | "get-caller-file@npm:^2.0.5":
858 | version: 2.0.5
859 | resolution: "get-caller-file@npm:2.0.5"
860 | checksum: b9769a836d2a98c3ee734a88ba712e62703f1df31b94b784762c433c27a386dd6029ff55c2a920c392e33657d80191edbf18c61487e198844844516f843496b9
861 | languageName: node
862 | linkType: hard
863 |
864 | "get-stream@npm:^6.0.0":
865 | version: 6.0.1
866 | resolution: "get-stream@npm:6.0.1"
867 | checksum: e04ecece32c92eebf5b8c940f51468cd53554dcbb0ea725b2748be583c9523d00128137966afce410b9b051eb2ef16d657cd2b120ca8edafcf5a65e81af63cad
868 | languageName: node
869 | linkType: hard
870 |
871 | "get-stream@npm:^8.0.1":
872 | version: 8.0.1
873 | resolution: "get-stream@npm:8.0.1"
874 | checksum: 01e3d3cf29e1393f05f44d2f00445c5f9ec3d1c49e8179b31795484b9c117f4c695e5e07b88b50785d5c8248a788c85d9913a79266fc77e3ef11f78f10f1b974
875 | languageName: node
876 | linkType: hard
877 |
878 | "git-raw-commits@npm:^4.0.0":
879 | version: 4.0.0
880 | resolution: "git-raw-commits@npm:4.0.0"
881 | dependencies:
882 | dargs: ^8.0.0
883 | meow: ^12.0.1
884 | split2: ^4.0.0
885 | bin:
886 | git-raw-commits: cli.mjs
887 | checksum: 95546f4afcb33cf00ff638f7fec55ad61d4d927447737900e1f6fcbbdbb341b3f150908424cc62acb6d9faaea6f1e8f55d0697b899f0589af9d2733afb20abfb
888 | languageName: node
889 | linkType: hard
890 |
891 | "global-directory@npm:^4.0.1":
892 | version: 4.0.1
893 | resolution: "global-directory@npm:4.0.1"
894 | dependencies:
895 | ini: 4.1.1
896 | checksum: 5b4df24438a4e5f21e43fbdd9e54f5e12bb48dce01a0a83b415d8052ce91be2d3a97e0c8f98a535e69649b2190036155e9f0f7d3c62f9318f31bdc3fd4f235f5
897 | languageName: node
898 | linkType: hard
899 |
900 | "has-flag@npm:^3.0.0":
901 | version: 3.0.0
902 | resolution: "has-flag@npm:3.0.0"
903 | checksum: 4a15638b454bf086c8148979aae044dd6e39d63904cd452d970374fa6a87623423da485dfb814e7be882e05c096a7ccf1ebd48e7e7501d0208d8384ff4dea73b
904 | languageName: node
905 | linkType: hard
906 |
907 | "human-signals@npm:^2.1.0":
908 | version: 2.1.0
909 | resolution: "human-signals@npm:2.1.0"
910 | checksum: b87fd89fce72391625271454e70f67fe405277415b48bcc0117ca73d31fa23a4241787afdc8d67f5a116cf37258c052f59ea82daffa72364d61351423848e3b8
911 | languageName: node
912 | linkType: hard
913 |
914 | "human-signals@npm:^5.0.0":
915 | version: 5.0.0
916 | resolution: "human-signals@npm:5.0.0"
917 | checksum: 6504560d5ed91444f16bea3bd9dfc66110a339442084e56c3e7fa7bbdf3f406426d6563d662bdce67064b165eac31eeabfc0857ed170aaa612cf14ec9f9a464c
918 | languageName: node
919 | linkType: hard
920 |
921 | "husky@npm:^9.0.11":
922 | version: 9.0.11
923 | resolution: "husky@npm:9.0.11"
924 | bin:
925 | husky: bin.mjs
926 | checksum: 1aebc3334dc7ac6288ff5e1fb72cfb447cfa474e72cf7ba692e8c5698c573ab725c28c6a5088c9f8e6aca5f47d40fa7261beffbc07a4d307ca21656dc4571f07
927 | languageName: node
928 | linkType: hard
929 |
930 | "ignore@npm:^5.3.0":
931 | version: 5.3.1
932 | resolution: "ignore@npm:5.3.1"
933 | checksum: 71d7bb4c1dbe020f915fd881108cbe85a0db3d636a0ea3ba911393c53946711d13a9b1143c7e70db06d571a5822c0a324a6bcde5c9904e7ca5047f01f1bf8cd3
934 | languageName: node
935 | linkType: hard
936 |
937 | "import-fresh@npm:^3.3.0":
938 | version: 3.3.0
939 | resolution: "import-fresh@npm:3.3.0"
940 | dependencies:
941 | parent-module: ^1.0.0
942 | resolve-from: ^4.0.0
943 | checksum: 2cacfad06e652b1edc50be650f7ec3be08c5e5a6f6d12d035c440a42a8cc028e60a5b99ca08a77ab4d6b1346da7d971915828f33cdab730d3d42f08242d09baa
944 | languageName: node
945 | linkType: hard
946 |
947 | "import-meta-resolve@npm:^4.0.0":
948 | version: 4.1.0
949 | resolution: "import-meta-resolve@npm:4.1.0"
950 | checksum: 6497af27bf3ee384ad4efd4e0ec3facf9a114863f35a7b35f248659f32faa5e1ae07baa74d603069f35734ae3718a78b3f66926f98dc9a62e261e7df37854a62
951 | languageName: node
952 | linkType: hard
953 |
954 | "ini@npm:4.1.1":
955 | version: 4.1.1
956 | resolution: "ini@npm:4.1.1"
957 | checksum: 0e5909554074fbc31824fa5415b0f604de4a665514c96a897a77bf77353a7ad4743927321270e9d0610a9d510ccd1f3cd77422f7cc80d8f4542dbce75476fb6d
958 | languageName: node
959 | linkType: hard
960 |
961 | "is-arrayish@npm:^0.2.1":
962 | version: 0.2.1
963 | resolution: "is-arrayish@npm:0.2.1"
964 | checksum: eef4417e3c10e60e2c810b6084942b3ead455af16c4509959a27e490e7aee87cfb3f38e01bbde92220b528a0ee1a18d52b787e1458ee86174d8c7f0e58cd488f
965 | languageName: node
966 | linkType: hard
967 |
968 | "is-fullwidth-code-point@npm:^3.0.0":
969 | version: 3.0.0
970 | resolution: "is-fullwidth-code-point@npm:3.0.0"
971 | checksum: 44a30c29457c7fb8f00297bce733f0a64cd22eca270f83e58c105e0d015e45c019491a4ab2faef91ab51d4738c670daff901c799f6a700e27f7314029e99e348
972 | languageName: node
973 | linkType: hard
974 |
975 | "is-obj@npm:^2.0.0":
976 | version: 2.0.0
977 | resolution: "is-obj@npm:2.0.0"
978 | checksum: c9916ac8f4621962a42f5e80e7ffdb1d79a3fab7456ceaeea394cd9e0858d04f985a9ace45be44433bf605673c8be8810540fe4cc7f4266fc7526ced95af5a08
979 | languageName: node
980 | linkType: hard
981 |
982 | "is-stream@npm:^2.0.0":
983 | version: 2.0.1
984 | resolution: "is-stream@npm:2.0.1"
985 | checksum: b8e05ccdf96ac330ea83c12450304d4a591f9958c11fd17bed240af8d5ffe08aedafa4c0f4cfccd4d28dc9d4d129daca1023633d5c11601a6cbc77521f6fae66
986 | languageName: node
987 | linkType: hard
988 |
989 | "is-stream@npm:^3.0.0":
990 | version: 3.0.0
991 | resolution: "is-stream@npm:3.0.0"
992 | checksum: 172093fe99119ffd07611ab6d1bcccfe8bc4aa80d864b15f43e63e54b7abc71e779acd69afdb854c4e2a67fdc16ae710e370eda40088d1cfc956a50ed82d8f16
993 | languageName: node
994 | linkType: hard
995 |
996 | "is-text-path@npm:^2.0.0":
997 | version: 2.0.0
998 | resolution: "is-text-path@npm:2.0.0"
999 | dependencies:
1000 | text-extensions: ^2.0.0
1001 | checksum: 3a8725fc7c0d4c7741a97993bc2fecc09a0963660394d3ee76145274366c98ad57c6791d20d4ef829835f573b1137265051c05ecd65fbe72f69bb9ab9e3babbd
1002 | languageName: node
1003 | linkType: hard
1004 |
1005 | "isexe@npm:^2.0.0":
1006 | version: 2.0.0
1007 | resolution: "isexe@npm:2.0.0"
1008 | checksum: 26bf6c5480dda5161c820c5b5c751ae1e766c587b1f951ea3fcfc973bafb7831ae5b54a31a69bd670220e42e99ec154475025a468eae58ea262f813fdc8d1c62
1009 | languageName: node
1010 | linkType: hard
1011 |
1012 | "jiti@npm:^1.19.1":
1013 | version: 1.21.6
1014 | resolution: "jiti@npm:1.21.6"
1015 | bin:
1016 | jiti: bin/jiti.js
1017 | checksum: 9ea4a70a7bb950794824683ed1c632e2ede26949fbd348e2ba5ec8dc5efa54dc42022d85ae229cadaa60d4b95012e80ea07d625797199b688cc22ab0e8891d32
1018 | languageName: node
1019 | linkType: hard
1020 |
1021 | "js-tokens@npm:^4.0.0":
1022 | version: 4.0.0
1023 | resolution: "js-tokens@npm:4.0.0"
1024 | checksum: 8a95213a5a77deb6cbe94d86340e8d9ace2b93bc367790b260101d2f36a2eaf4e4e22d9fa9cf459b38af3a32fb4190e638024cf82ec95ef708680e405ea7cc78
1025 | languageName: node
1026 | linkType: hard
1027 |
1028 | "js-yaml@npm:^4.1.0":
1029 | version: 4.1.0
1030 | resolution: "js-yaml@npm:4.1.0"
1031 | dependencies:
1032 | argparse: ^2.0.1
1033 | bin:
1034 | js-yaml: bin/js-yaml.js
1035 | checksum: c7830dfd456c3ef2c6e355cc5a92e6700ceafa1d14bba54497b34a99f0376cecbb3e9ac14d3e5849b426d5a5140709a66237a8c991c675431271c4ce5504151a
1036 | languageName: node
1037 | linkType: hard
1038 |
1039 | "json-parse-even-better-errors@npm:^2.3.0":
1040 | version: 2.3.1
1041 | resolution: "json-parse-even-better-errors@npm:2.3.1"
1042 | checksum: 798ed4cf3354a2d9ccd78e86d2169515a0097a5c133337807cdf7f1fc32e1391d207ccfc276518cc1d7d8d4db93288b8a50ba4293d212ad1336e52a8ec0a941f
1043 | languageName: node
1044 | linkType: hard
1045 |
1046 | "json-schema-traverse@npm:^1.0.0":
1047 | version: 1.0.0
1048 | resolution: "json-schema-traverse@npm:1.0.0"
1049 | checksum: 02f2f466cdb0362558b2f1fd5e15cce82ef55d60cd7f8fa828cf35ba74330f8d767fcae5c5c2adb7851fa811766c694b9405810879bc4e1ddd78a7c0e03658ad
1050 | languageName: node
1051 | linkType: hard
1052 |
1053 | "jsonparse@npm:^1.2.0":
1054 | version: 1.3.1
1055 | resolution: "jsonparse@npm:1.3.1"
1056 | checksum: 6514a7be4674ebf407afca0eda3ba284b69b07f9958a8d3113ef1005f7ec610860c312be067e450c569aab8b89635e332cee3696789c750692bb60daba627f4d
1057 | languageName: node
1058 | linkType: hard
1059 |
1060 | "lines-and-columns@npm:^1.1.6":
1061 | version: 1.2.4
1062 | resolution: "lines-and-columns@npm:1.2.4"
1063 | checksum: 0c37f9f7fa212b38912b7145e1cd16a5f3cd34d782441c3e6ca653485d326f58b3caccda66efce1c5812bde4961bbde3374fae4b0d11bf1226152337f3894aa5
1064 | languageName: node
1065 | linkType: hard
1066 |
1067 | "locate-path@npm:^6.0.0":
1068 | version: 6.0.0
1069 | resolution: "locate-path@npm:6.0.0"
1070 | dependencies:
1071 | p-locate: ^5.0.0
1072 | checksum: 72eb661788a0368c099a184c59d2fee760b3831c9c1c33955e8a19ae4a21b4116e53fa736dc086cdeb9fce9f7cc508f2f92d2d3aae516f133e16a2bb59a39f5a
1073 | languageName: node
1074 | linkType: hard
1075 |
1076 | "locate-path@npm:^7.2.0":
1077 | version: 7.2.0
1078 | resolution: "locate-path@npm:7.2.0"
1079 | dependencies:
1080 | p-locate: ^6.0.0
1081 | checksum: c1b653bdf29beaecb3d307dfb7c44d98a2a98a02ebe353c9ad055d1ac45d6ed4e1142563d222df9b9efebc2bcb7d4c792b507fad9e7150a04c29530b7db570f8
1082 | languageName: node
1083 | linkType: hard
1084 |
1085 | "lodash.camelcase@npm:^4.3.0":
1086 | version: 4.3.0
1087 | resolution: "lodash.camelcase@npm:4.3.0"
1088 | checksum: cb9227612f71b83e42de93eccf1232feeb25e705bdb19ba26c04f91e885bfd3dd5c517c4a97137658190581d3493ea3973072ca010aab7e301046d90740393d1
1089 | languageName: node
1090 | linkType: hard
1091 |
1092 | "lodash.isplainobject@npm:^4.0.6":
1093 | version: 4.0.6
1094 | resolution: "lodash.isplainobject@npm:4.0.6"
1095 | checksum: 29c6351f281e0d9a1d58f1a4c8f4400924b4c79f18dfc4613624d7d54784df07efaff97c1ff2659f3e085ecf4fff493300adc4837553104cef2634110b0d5337
1096 | languageName: node
1097 | linkType: hard
1098 |
1099 | "lodash.kebabcase@npm:^4.1.1":
1100 | version: 4.1.1
1101 | resolution: "lodash.kebabcase@npm:4.1.1"
1102 | checksum: 5a6c59161914e1bae23438a298c7433e83d935e0f59853fa862e691164696bc07f6dfa4c313d499fbf41ba8d53314e9850416502376705a357d24ee6ca33af78
1103 | languageName: node
1104 | linkType: hard
1105 |
1106 | "lodash.merge@npm:^4.6.2":
1107 | version: 4.6.2
1108 | resolution: "lodash.merge@npm:4.6.2"
1109 | checksum: ad580b4bdbb7ca1f7abf7e1bce63a9a0b98e370cf40194b03380a46b4ed799c9573029599caebc1b14e3f24b111aef72b96674a56cfa105e0f5ac70546cdc005
1110 | languageName: node
1111 | linkType: hard
1112 |
1113 | "lodash.mergewith@npm:^4.6.2":
1114 | version: 4.6.2
1115 | resolution: "lodash.mergewith@npm:4.6.2"
1116 | checksum: a6db2a9339752411f21b956908c404ec1e088e783a65c8b29e30ae5b3b6384f82517662d6f425cc97c2070b546cc2c7daaa8d33f78db7b6e9be06cd834abdeb8
1117 | languageName: node
1118 | linkType: hard
1119 |
1120 | "lodash.snakecase@npm:4.1.1, lodash.snakecase@npm:^4.1.1":
1121 | version: 4.1.1
1122 | resolution: "lodash.snakecase@npm:4.1.1"
1123 | checksum: 1685ed3e83dda6eae5a4dcaee161a51cd210aabb3e1c09c57150e7dd8feda19e4ca0d27d0631eabe8d0f4eaa51e376da64e8c018ae5415417c5890d42feb72a8
1124 | languageName: node
1125 | linkType: hard
1126 |
1127 | "lodash.startcase@npm:^4.4.0":
1128 | version: 4.4.0
1129 | resolution: "lodash.startcase@npm:4.4.0"
1130 | checksum: c03a4a784aca653845fe09d0ef67c902b6e49288dc45f542a4ab345a9c406a6dc194c774423fa313ee7b06283950301c1221dd2a1d8ecb2dac8dfbb9ed5606b5
1131 | languageName: node
1132 | linkType: hard
1133 |
1134 | "lodash.uniq@npm:^4.5.0":
1135 | version: 4.5.0
1136 | resolution: "lodash.uniq@npm:4.5.0"
1137 | checksum: a4779b57a8d0f3c441af13d9afe7ecff22dd1b8ce1129849f71d9bbc8e8ee4e46dfb4b7c28f7ad3d67481edd6e51126e4e2a6ee276e25906d10f7140187c392d
1138 | languageName: node
1139 | linkType: hard
1140 |
1141 | "lodash.upperfirst@npm:^4.3.1":
1142 | version: 4.3.1
1143 | resolution: "lodash.upperfirst@npm:4.3.1"
1144 | checksum: cadec6955900afe1928cc60cdc4923a79c2ef991e42665419cc81630ed9b4f952a1093b222e0141ab31cbc4dba549f97ec28ff67929d71e01861c97188a5fa83
1145 | languageName: node
1146 | linkType: hard
1147 |
1148 | "lodash@npm:^4.17.21":
1149 | version: 4.17.21
1150 | resolution: "lodash@npm:4.17.21"
1151 | checksum: eb835a2e51d381e561e508ce932ea50a8e5a68f4ebdd771ea240d3048244a8d13658acbd502cd4829768c56f2e16bdd4340b9ea141297d472517b83868e677f7
1152 | languageName: node
1153 | linkType: hard
1154 |
1155 | "magic-bytes.js@npm:^1.10.0":
1156 | version: 1.10.0
1157 | resolution: "magic-bytes.js@npm:1.10.0"
1158 | checksum: c10e7fc3fe584e4b0767554fb6a12dfc4a9db0782d5005cbdd46bc9b36a8bb420f5266a4b02e089ea4db587937fde289ea467a7a379ad969fb906bf4a0ec3f38
1159 | languageName: node
1160 | linkType: hard
1161 |
1162 | "map-stream@npm:~0.1.0":
1163 | version: 0.1.0
1164 | resolution: "map-stream@npm:0.1.0"
1165 | checksum: 38abbe4eb883888031e6b2fc0630bc583c99396be16b8ace5794b937b682a8a081f03e8b15bfd4914d1bc88318f0e9ac73ba3512ae65955cd449f63256ddb31d
1166 | languageName: node
1167 | linkType: hard
1168 |
1169 | "meow@npm:^12.0.1":
1170 | version: 12.1.1
1171 | resolution: "meow@npm:12.1.1"
1172 | checksum: a6f3be85fbe53430ef53ab933dd790c39216eb4dbaabdbef593aa59efb40ecaa417897000175476bc33eed09e4cbce01df7ba53ba91e9a4bd84ec07024cb8914
1173 | languageName: node
1174 | linkType: hard
1175 |
1176 | "merge-stream@npm:^2.0.0":
1177 | version: 2.0.0
1178 | resolution: "merge-stream@npm:2.0.0"
1179 | checksum: 6fa4dcc8d86629705cea944a4b88ef4cb0e07656ebf223fa287443256414283dd25d91c1cd84c77987f2aec5927af1a9db6085757cb43d90eb170ebf4b47f4f4
1180 | languageName: node
1181 | linkType: hard
1182 |
1183 | "mimic-fn@npm:^2.1.0":
1184 | version: 2.1.0
1185 | resolution: "mimic-fn@npm:2.1.0"
1186 | checksum: d2421a3444848ce7f84bd49115ddacff29c15745db73f54041edc906c14b131a38d05298dae3081667627a59b2eb1ca4b436ff2e1b80f69679522410418b478a
1187 | languageName: node
1188 | linkType: hard
1189 |
1190 | "mimic-fn@npm:^4.0.0":
1191 | version: 4.0.0
1192 | resolution: "mimic-fn@npm:4.0.0"
1193 | checksum: 995dcece15ee29aa16e188de6633d43a3db4611bcf93620e7e62109ec41c79c0f34277165b8ce5e361205049766e371851264c21ac64ca35499acb5421c2ba56
1194 | languageName: node
1195 | linkType: hard
1196 |
1197 | "minimist@npm:^1.2.8":
1198 | version: 1.2.8
1199 | resolution: "minimist@npm:1.2.8"
1200 | checksum: 75a6d645fb122dad29c06a7597bddea977258957ed88d7a6df59b5cd3fe4a527e253e9bbf2e783e4b73657f9098b96a5fe96ab8a113655d4109108577ecf85b0
1201 | languageName: node
1202 | linkType: hard
1203 |
1204 | "mri@npm:^1.2.0":
1205 | version: 1.2.0
1206 | resolution: "mri@npm:1.2.0"
1207 | checksum: 83f515abbcff60150873e424894a2f65d68037e5a7fcde8a9e2b285ee9c13ac581b63cfc1e6826c4732de3aeb84902f7c1e16b7aff46cd3f897a0f757a894e85
1208 | languageName: node
1209 | linkType: hard
1210 |
1211 | "node-cleanup@npm:^2.1.2":
1212 | version: 2.1.2
1213 | resolution: "node-cleanup@npm:2.1.2"
1214 | checksum: 584cdc3e42560a998b4579f91ed8f936b27011628f3102e5a1093205f0691cdf8d899287d1f2e4d2071ea4ab1d615810bad6dbe2b988ef173a1cbaa76d8165b3
1215 | languageName: node
1216 | linkType: hard
1217 |
1218 | "npm-run-path@npm:^4.0.1":
1219 | version: 4.0.1
1220 | resolution: "npm-run-path@npm:4.0.1"
1221 | dependencies:
1222 | path-key: ^3.0.0
1223 | checksum: 5374c0cea4b0bbfdfae62da7bbdf1e1558d338335f4cacf2515c282ff358ff27b2ecb91ffa5330a8b14390ac66a1e146e10700440c1ab868208430f56b5f4d23
1224 | languageName: node
1225 | linkType: hard
1226 |
1227 | "npm-run-path@npm:^5.1.0":
1228 | version: 5.3.0
1229 | resolution: "npm-run-path@npm:5.3.0"
1230 | dependencies:
1231 | path-key: ^4.0.0
1232 | checksum: ae8e7a89da9594fb9c308f6555c73f618152340dcaae423e5fb3620026fefbec463618a8b761920382d666fa7a2d8d240b6fe320e8a6cdd54dc3687e2b659d25
1233 | languageName: node
1234 | linkType: hard
1235 |
1236 | "onetime@npm:^5.1.2":
1237 | version: 5.1.2
1238 | resolution: "onetime@npm:5.1.2"
1239 | dependencies:
1240 | mimic-fn: ^2.1.0
1241 | checksum: 2478859ef817fc5d4e9c2f9e5728512ddd1dbc9fb7829ad263765bb6d3b91ce699d6e2332eef6b7dff183c2f490bd3349f1666427eaba4469fba0ac38dfd0d34
1242 | languageName: node
1243 | linkType: hard
1244 |
1245 | "onetime@npm:^6.0.0":
1246 | version: 6.0.0
1247 | resolution: "onetime@npm:6.0.0"
1248 | dependencies:
1249 | mimic-fn: ^4.0.0
1250 | checksum: 0846ce78e440841335d4e9182ef69d5762e9f38aa7499b19f42ea1c4cd40f0b4446094c455c713f9adac3f4ae86f613bb5e30c99e52652764d06a89f709b3788
1251 | languageName: node
1252 | linkType: hard
1253 |
1254 | "p-limit@npm:^3.0.2":
1255 | version: 3.1.0
1256 | resolution: "p-limit@npm:3.1.0"
1257 | dependencies:
1258 | yocto-queue: ^0.1.0
1259 | checksum: 7c3690c4dbf62ef625671e20b7bdf1cbc9534e83352a2780f165b0d3ceba21907e77ad63401708145ca4e25bfc51636588d89a8c0aeb715e6c37d1c066430360
1260 | languageName: node
1261 | linkType: hard
1262 |
1263 | "p-limit@npm:^4.0.0":
1264 | version: 4.0.0
1265 | resolution: "p-limit@npm:4.0.0"
1266 | dependencies:
1267 | yocto-queue: ^1.0.0
1268 | checksum: 01d9d70695187788f984226e16c903475ec6a947ee7b21948d6f597bed788e3112cc7ec2e171c1d37125057a5f45f3da21d8653e04a3a793589e12e9e80e756b
1269 | languageName: node
1270 | linkType: hard
1271 |
1272 | "p-locate@npm:^5.0.0":
1273 | version: 5.0.0
1274 | resolution: "p-locate@npm:5.0.0"
1275 | dependencies:
1276 | p-limit: ^3.0.2
1277 | checksum: 1623088f36cf1cbca58e9b61c4e62bf0c60a07af5ae1ca99a720837356b5b6c5ba3eb1b2127e47a06865fee59dd0453cad7cc844cda9d5a62ac1a5a51b7c86d3
1278 | languageName: node
1279 | linkType: hard
1280 |
1281 | "p-locate@npm:^6.0.0":
1282 | version: 6.0.0
1283 | resolution: "p-locate@npm:6.0.0"
1284 | dependencies:
1285 | p-limit: ^4.0.0
1286 | checksum: 2bfe5234efa5e7a4e74b30a5479a193fdd9236f8f6b4d2f3f69e3d286d9a7d7ab0c118a2a50142efcf4e41625def635bd9332d6cbf9cc65d85eb0718c579ab38
1287 | languageName: node
1288 | linkType: hard
1289 |
1290 | "parent-module@npm:^1.0.0":
1291 | version: 1.0.1
1292 | resolution: "parent-module@npm:1.0.1"
1293 | dependencies:
1294 | callsites: ^3.0.0
1295 | checksum: 6ba8b255145cae9470cf5551eb74be2d22281587af787a2626683a6c20fbb464978784661478dd2a3f1dad74d1e802d403e1b03c1a31fab310259eec8ac560ff
1296 | languageName: node
1297 | linkType: hard
1298 |
1299 | "parse-json@npm:^5.2.0":
1300 | version: 5.2.0
1301 | resolution: "parse-json@npm:5.2.0"
1302 | dependencies:
1303 | "@babel/code-frame": ^7.0.0
1304 | error-ex: ^1.3.1
1305 | json-parse-even-better-errors: ^2.3.0
1306 | lines-and-columns: ^1.1.6
1307 | checksum: 62085b17d64da57f40f6afc2ac1f4d95def18c4323577e1eced571db75d9ab59b297d1d10582920f84b15985cbfc6b6d450ccbf317644cfa176f3ed982ad87e2
1308 | languageName: node
1309 | linkType: hard
1310 |
1311 | "path-exists@npm:^4.0.0":
1312 | version: 4.0.0
1313 | resolution: "path-exists@npm:4.0.0"
1314 | checksum: 505807199dfb7c50737b057dd8d351b82c033029ab94cb10a657609e00c1bc53b951cfdbccab8de04c5584d5eff31128ce6afd3db79281874a5ef2adbba55ed1
1315 | languageName: node
1316 | linkType: hard
1317 |
1318 | "path-exists@npm:^5.0.0":
1319 | version: 5.0.0
1320 | resolution: "path-exists@npm:5.0.0"
1321 | checksum: 8ca842868cab09423994596eb2c5ec2a971c17d1a3cb36dbf060592c730c725cd524b9067d7d2a1e031fef9ba7bd2ac6dc5ec9fb92aa693265f7be3987045254
1322 | languageName: node
1323 | linkType: hard
1324 |
1325 | "path-key@npm:^3.0.0, path-key@npm:^3.1.0":
1326 | version: 3.1.1
1327 | resolution: "path-key@npm:3.1.1"
1328 | checksum: 55cd7a9dd4b343412a8386a743f9c746ef196e57c823d90ca3ab917f90ab9f13dd0ded27252ba49dbdfcab2b091d998bc446f6220cd3cea65db407502a740020
1329 | languageName: node
1330 | linkType: hard
1331 |
1332 | "path-key@npm:^4.0.0":
1333 | version: 4.0.0
1334 | resolution: "path-key@npm:4.0.0"
1335 | checksum: 8e6c314ae6d16b83e93032c61020129f6f4484590a777eed709c4a01b50e498822b00f76ceaf94bc64dbd90b327df56ceadce27da3d83393790f1219e07721d7
1336 | languageName: node
1337 | linkType: hard
1338 |
1339 | "pause-stream@npm:0.0.11":
1340 | version: 0.0.11
1341 | resolution: "pause-stream@npm:0.0.11"
1342 | dependencies:
1343 | through: ~2.3
1344 | checksum: 3c4a14052a638b92e0c96eb00c0d7977df7f79ea28395250c525d197f1fc02d34ce1165d5362e2e6ebbb251524b94a76f3f0d4abc39ab8b016d97449fe15583c
1345 | languageName: node
1346 | linkType: hard
1347 |
1348 | "picocolors@npm:^1.0.0":
1349 | version: 1.0.1
1350 | resolution: "picocolors@npm:1.0.1"
1351 | checksum: fa68166d1f56009fc02a34cdfd112b0dd3cf1ef57667ac57281f714065558c01828cdf4f18600ad6851cbe0093952ed0660b1e0156bddf2184b6aaf5817553a5
1352 | languageName: node
1353 | linkType: hard
1354 |
1355 | "picomatch@npm:^3.0.1":
1356 | version: 3.0.1
1357 | resolution: "picomatch@npm:3.0.1"
1358 | checksum: b7fe18174bcc05bbf0ea09cc85623ae395676b3e6bc25636d4c20db79a948586237e429905453bf1ba385bc7a7aa5b56f1b351680e650d2b5c305ceb98dfc914
1359 | languageName: node
1360 | linkType: hard
1361 |
1362 | "prettier@npm:^3.0.0, prettier@npm:^3.3.2":
1363 | version: 3.3.2
1364 | resolution: "prettier@npm:3.3.2"
1365 | bin:
1366 | prettier: bin/prettier.cjs
1367 | checksum: 5557d8caed0b182f68123c2e1e370ef105251d1dd75800fadaece3d061daf96b1389141634febf776050f9d732c7ae8fd444ff0b4a61b20535e7610552f32c69
1368 | languageName: node
1369 | linkType: hard
1370 |
1371 | "pretty-quick@npm:^4.0.0":
1372 | version: 4.0.0
1373 | resolution: "pretty-quick@npm:4.0.0"
1374 | dependencies:
1375 | execa: ^5.1.1
1376 | find-up: ^5.0.0
1377 | ignore: ^5.3.0
1378 | mri: ^1.2.0
1379 | picocolors: ^1.0.0
1380 | picomatch: ^3.0.1
1381 | tslib: ^2.6.2
1382 | peerDependencies:
1383 | prettier: ^3.0.0
1384 | bin:
1385 | pretty-quick: lib/cli.mjs
1386 | checksum: 5825513f71feb8d2fb19601e2fc73841ea65c558ebb3cbb05fa30f6e4394efddf796921a57f28b7f3acb12230291853466176c03b25465e48723615963fd5003
1387 | languageName: node
1388 | linkType: hard
1389 |
1390 | "ps-tree@npm:^1.2.0":
1391 | version: 1.2.0
1392 | resolution: "ps-tree@npm:1.2.0"
1393 | dependencies:
1394 | event-stream: =3.3.4
1395 | bin:
1396 | ps-tree: ./bin/ps-tree.js
1397 | checksum: e635dd00f53d30d31696cf5f95b3a8dbdf9b1aeb36d4391578ce8e8cd22949b7c5536c73b0dc18c78615ea3ddd4be96101166be59ca2e3e3cb1e2f79ba3c7f98
1398 | languageName: node
1399 | linkType: hard
1400 |
1401 | "punycode@npm:^2.1.0":
1402 | version: 2.1.1
1403 | resolution: "punycode@npm:2.1.1"
1404 | checksum: 823bf443c6dd14f669984dea25757b37993f67e8d94698996064035edd43bed8a5a17a9f12e439c2b35df1078c6bec05a6c86e336209eb1061e8025c481168e8
1405 | languageName: node
1406 | linkType: hard
1407 |
1408 | "require-directory@npm:^2.1.1":
1409 | version: 2.1.1
1410 | resolution: "require-directory@npm:2.1.1"
1411 | checksum: fb47e70bf0001fdeabdc0429d431863e9475e7e43ea5f94ad86503d918423c1543361cc5166d713eaa7029dd7a3d34775af04764bebff99ef413111a5af18c80
1412 | languageName: node
1413 | linkType: hard
1414 |
1415 | "require-from-string@npm:^2.0.2":
1416 | version: 2.0.2
1417 | resolution: "require-from-string@npm:2.0.2"
1418 | checksum: a03ef6895445f33a4015300c426699bc66b2b044ba7b670aa238610381b56d3f07c686251740d575e22f4c87531ba662d06937508f0f3c0f1ddc04db3130560b
1419 | languageName: node
1420 | linkType: hard
1421 |
1422 | "resolve-from@npm:^4.0.0":
1423 | version: 4.0.0
1424 | resolution: "resolve-from@npm:4.0.0"
1425 | checksum: f4ba0b8494846a5066328ad33ef8ac173801a51739eb4d63408c847da9a2e1c1de1e6cbbf72699211f3d13f8fc1325648b169bd15eb7da35688e30a5fb0e4a7f
1426 | languageName: node
1427 | linkType: hard
1428 |
1429 | "resolve-from@npm:^5.0.0":
1430 | version: 5.0.0
1431 | resolution: "resolve-from@npm:5.0.0"
1432 | checksum: 4ceeb9113e1b1372d0cd969f3468fa042daa1dd9527b1b6bb88acb6ab55d8b9cd65dbf18819f9f9ddf0db804990901dcdaade80a215e7b2c23daae38e64f5bdf
1433 | languageName: node
1434 | linkType: hard
1435 |
1436 | "sapphire-bot@workspace:.":
1437 | version: 0.0.0-use.local
1438 | resolution: "sapphire-bot@workspace:."
1439 | dependencies:
1440 | "@commitlint/cli": ^19.3.0
1441 | "@commitlint/config-conventional": ^19.2.2
1442 | "@sapphire/prettier-config": ^2.0.0
1443 | "@sapphire/ts-config": ^5.0.1
1444 | "@skyra/env-utilities": ^1.3.0
1445 | "@skyra/http-framework": 1.2.2
1446 | "@skyra/logger": ^2.0.3
1447 | "@types/node": ^20.14.9
1448 | colorette: ^2.0.20
1449 | discord-api-types: 0.37.91
1450 | discord.js: ^14.15.3
1451 | husky: ^9.0.11
1452 | prettier: ^3.3.2
1453 | pretty-quick: ^4.0.0
1454 | tsc-watch: ^6.2.0
1455 | typescript: ~5.4.5
1456 | languageName: unknown
1457 | linkType: soft
1458 |
1459 | "semver@npm:^7.6.0":
1460 | version: 7.6.2
1461 | resolution: "semver@npm:7.6.2"
1462 | bin:
1463 | semver: bin/semver.js
1464 | checksum: 40f6a95101e8d854357a644da1b8dd9d93ce786d5c6a77227bc69dbb17bea83d0d1d1d7c4cd5920a6df909f48e8bd8a5909869535007f90278289f2451d0292d
1465 | languageName: node
1466 | linkType: hard
1467 |
1468 | "shebang-command@npm:^2.0.0":
1469 | version: 2.0.0
1470 | resolution: "shebang-command@npm:2.0.0"
1471 | dependencies:
1472 | shebang-regex: ^3.0.0
1473 | checksum: 6b52fe87271c12968f6a054e60f6bde5f0f3d2db483a1e5c3e12d657c488a15474121a1d55cd958f6df026a54374ec38a4a963988c213b7570e1d51575cea7fa
1474 | languageName: node
1475 | linkType: hard
1476 |
1477 | "shebang-regex@npm:^3.0.0":
1478 | version: 3.0.0
1479 | resolution: "shebang-regex@npm:3.0.0"
1480 | checksum: 1a2bcae50de99034fcd92ad4212d8e01eedf52c7ec7830eedcf886622804fe36884278f2be8be0ea5fde3fd1c23911643a4e0f726c8685b61871c8908af01222
1481 | languageName: node
1482 | linkType: hard
1483 |
1484 | "signal-exit@npm:^3.0.3":
1485 | version: 3.0.7
1486 | resolution: "signal-exit@npm:3.0.7"
1487 | checksum: a2f098f247adc367dffc27845853e9959b9e88b01cb301658cfe4194352d8d2bb32e18467c786a7fe15f1d44b233ea35633d076d5e737870b7139949d1ab6318
1488 | languageName: node
1489 | linkType: hard
1490 |
1491 | "signal-exit@npm:^4.1.0":
1492 | version: 4.1.0
1493 | resolution: "signal-exit@npm:4.1.0"
1494 | checksum: 64c757b498cb8629ffa5f75485340594d2f8189e9b08700e69199069c8e3070fb3e255f7ab873c05dc0b3cec412aea7402e10a5990cb6a050bd33ba062a6c549
1495 | languageName: node
1496 | linkType: hard
1497 |
1498 | "split2@npm:^4.0.0":
1499 | version: 4.2.0
1500 | resolution: "split2@npm:4.2.0"
1501 | checksum: 05d54102546549fe4d2455900699056580cca006c0275c334611420f854da30ac999230857a85fdd9914dc2109ae50f80fda43d2a445f2aa86eccdc1dfce779d
1502 | languageName: node
1503 | linkType: hard
1504 |
1505 | "split@npm:0.3":
1506 | version: 0.3.3
1507 | resolution: "split@npm:0.3.3"
1508 | dependencies:
1509 | through: 2
1510 | checksum: 2e076634c9637cfdc54ab4387b6a243b8c33b360874a25adf6f327a5647f07cb3bf1c755d515248eb3afee4e382278d01f62c62d87263c118f28065b86f74f02
1511 | languageName: node
1512 | linkType: hard
1513 |
1514 | "stream-combiner@npm:~0.0.4":
1515 | version: 0.0.4
1516 | resolution: "stream-combiner@npm:0.0.4"
1517 | dependencies:
1518 | duplexer: ~0.1.1
1519 | checksum: 844b622cfe8b9de45a6007404f613b60aaf85200ab9862299066204242f89a7c8033b1c356c998aa6cfc630f6cd9eba119ec1c6dc1f93e245982be4a847aee7d
1520 | languageName: node
1521 | linkType: hard
1522 |
1523 | "string-argv@npm:^0.3.1":
1524 | version: 0.3.1
1525 | resolution: "string-argv@npm:0.3.1"
1526 | checksum: efbd0289b599bee808ce80820dfe49c9635610715429c6b7cc50750f0437e3c2f697c81e5c390208c13b5d5d12d904a1546172a88579f6ee5cbaaaa4dc9ec5cf
1527 | languageName: node
1528 | linkType: hard
1529 |
1530 | "string-width@npm:^4.1.0, string-width@npm:^4.2.0, string-width@npm:^4.2.3":
1531 | version: 4.2.3
1532 | resolution: "string-width@npm:4.2.3"
1533 | dependencies:
1534 | emoji-regex: ^8.0.0
1535 | is-fullwidth-code-point: ^3.0.0
1536 | strip-ansi: ^6.0.1
1537 | checksum: e52c10dc3fbfcd6c3a15f159f54a90024241d0f149cf8aed2982a2d801d2e64df0bf1dc351cf8e95c3319323f9f220c16e740b06faecd53e2462df1d2b5443fb
1538 | languageName: node
1539 | linkType: hard
1540 |
1541 | "strip-ansi@npm:^6.0.0, strip-ansi@npm:^6.0.1":
1542 | version: 6.0.1
1543 | resolution: "strip-ansi@npm:6.0.1"
1544 | dependencies:
1545 | ansi-regex: ^5.0.1
1546 | checksum: f3cd25890aef3ba6e1a74e20896c21a46f482e93df4a06567cebf2b57edabb15133f1f94e57434e0a958d61186087b1008e89c94875d019910a213181a14fc8c
1547 | languageName: node
1548 | linkType: hard
1549 |
1550 | "strip-final-newline@npm:^2.0.0":
1551 | version: 2.0.0
1552 | resolution: "strip-final-newline@npm:2.0.0"
1553 | checksum: 69412b5e25731e1938184b5d489c32e340605bb611d6140344abc3421b7f3c6f9984b21dff296dfcf056681b82caa3bb4cc996a965ce37bcfad663e92eae9c64
1554 | languageName: node
1555 | linkType: hard
1556 |
1557 | "strip-final-newline@npm:^3.0.0":
1558 | version: 3.0.0
1559 | resolution: "strip-final-newline@npm:3.0.0"
1560 | checksum: 23ee263adfa2070cd0f23d1ac14e2ed2f000c9b44229aec9c799f1367ec001478469560abefd00c5c99ee6f0b31c137d53ec6029c53e9f32a93804e18c201050
1561 | languageName: node
1562 | linkType: hard
1563 |
1564 | "supports-color@npm:^5.3.0":
1565 | version: 5.5.0
1566 | resolution: "supports-color@npm:5.5.0"
1567 | dependencies:
1568 | has-flag: ^3.0.0
1569 | checksum: 95f6f4ba5afdf92f495b5a912d4abee8dcba766ae719b975c56c084f5004845f6f5a5f7769f52d53f40e21952a6d87411bafe34af4a01e65f9926002e38e1dac
1570 | languageName: node
1571 | linkType: hard
1572 |
1573 | "text-extensions@npm:^2.0.0":
1574 | version: 2.4.0
1575 | resolution: "text-extensions@npm:2.4.0"
1576 | checksum: 9bdbc9959e004ccc86a6ec076d6c5bb6765978263e9d0d5febb640d7675c09919ea912f3fe9d50b68c3c7c43cc865610a7cb24954343abb31f74c205fbae4e45
1577 | languageName: node
1578 | linkType: hard
1579 |
1580 | "through@npm:2, through@npm:>=2.2.7 <3, through@npm:~2.3, through@npm:~2.3.1":
1581 | version: 2.3.8
1582 | resolution: "through@npm:2.3.8"
1583 | checksum: a38c3e059853c494af95d50c072b83f8b676a9ba2818dcc5b108ef252230735c54e0185437618596c790bbba8fcdaef5b290405981ffa09dce67b1f1bf190cbd
1584 | languageName: node
1585 | linkType: hard
1586 |
1587 | "ts-mixer@npm:^6.0.4":
1588 | version: 6.0.4
1589 | resolution: "ts-mixer@npm:6.0.4"
1590 | checksum: 36b1af526befd74345e736e9aa16f5c28876ebcea07784da14d929149fd7e6028cfd2fe9304c8efe8cb91b588443a9cc9e991df58e4c6e602326edbaae2af3ab
1591 | languageName: node
1592 | linkType: hard
1593 |
1594 | "tsc-watch@npm:^6.2.0":
1595 | version: 6.2.0
1596 | resolution: "tsc-watch@npm:6.2.0"
1597 | dependencies:
1598 | cross-spawn: ^7.0.3
1599 | node-cleanup: ^2.1.2
1600 | ps-tree: ^1.2.0
1601 | string-argv: ^0.3.1
1602 | peerDependencies:
1603 | typescript: "*"
1604 | bin:
1605 | tsc-watch: dist/lib/tsc-watch.js
1606 | checksum: e1028c45a4e47ae28e0ad68370f95d7410de2e0feaa8cf0ed4a701488a538eccef99b3d6bb2d11b995fbdc4f5a9e938c78037e345c6b3ee46b58d7cef781efb9
1607 | languageName: node
1608 | linkType: hard
1609 |
1610 | "tslib@npm:2.6.2":
1611 | version: 2.6.2
1612 | resolution: "tslib@npm:2.6.2"
1613 | checksum: 329ea56123005922f39642318e3d1f0f8265d1e7fcb92c633e0809521da75eeaca28d2cf96d7248229deb40e5c19adf408259f4b9640afd20d13aecc1430f3ad
1614 | languageName: node
1615 | linkType: hard
1616 |
1617 | "tslib@npm:^2.6.2":
1618 | version: 2.6.3
1619 | resolution: "tslib@npm:2.6.3"
1620 | checksum: 74fce0e100f1ebd95b8995fbbd0e6c91bdd8f4c35c00d4da62e285a3363aaa534de40a80db30ecfd388ed7c313c42d930ee0eaf108e8114214b180eec3dbe6f5
1621 | languageName: node
1622 | linkType: hard
1623 |
1624 | "typescript@npm:^5.4.2":
1625 | version: 5.5.3
1626 | resolution: "typescript@npm:5.5.3"
1627 | bin:
1628 | tsc: bin/tsc
1629 | tsserver: bin/tsserver
1630 | checksum: 4b4f14313484d5c86064d04ba892544801fa551f5cf72719b540b498056fec7fc192d0bbdb2ba1448e759b1548769956da9e43e7c16781e8d8856787b0575004
1631 | languageName: node
1632 | linkType: hard
1633 |
1634 | "typescript@npm:~5.4.5":
1635 | version: 5.4.5
1636 | resolution: "typescript@npm:5.4.5"
1637 | bin:
1638 | tsc: bin/tsc
1639 | tsserver: bin/tsserver
1640 | checksum: 53c879c6fa1e3bcb194b274d4501ba1985894b2c2692fa079db03c5a5a7140587a1e04e1ba03184605d35f439b40192d9e138eb3279ca8eee313c081c8bcd9b0
1641 | languageName: node
1642 | linkType: hard
1643 |
1644 | "typescript@patch:typescript@^5.4.2#~builtin":
1645 | version: 5.5.3
1646 | resolution: "typescript@patch:typescript@npm%3A5.5.3#~builtin::version=5.5.3&hash=e012d7"
1647 | bin:
1648 | tsc: bin/tsc
1649 | tsserver: bin/tsserver
1650 | checksum: 6853be4607706cc1ad2f16047cf1cd72d39f79acd5f9716e1d23bc0e462c7f59be7458fe58a21665e7657a05433d7ab8419d093a5a4bd5f3a33f879b35d2769b
1651 | languageName: node
1652 | linkType: hard
1653 |
1654 | "typescript@patch:typescript@~5.4.5#~builtin":
1655 | version: 5.4.5
1656 | resolution: "typescript@patch:typescript@npm%3A5.4.5#~builtin::version=5.4.5&hash=e012d7"
1657 | bin:
1658 | tsc: bin/tsc
1659 | tsserver: bin/tsserver
1660 | checksum: 2373c693f3b328f3b2387c3efafe6d257b057a142f9a79291854b14ff4d5367d3d730810aee981726b677ae0fd8329b23309da3b6aaab8263dbdccf1da07a3ba
1661 | languageName: node
1662 | linkType: hard
1663 |
1664 | "undici-types@npm:~5.26.4":
1665 | version: 5.26.5
1666 | resolution: "undici-types@npm:5.26.5"
1667 | checksum: 3192ef6f3fd5df652f2dc1cd782b49d6ff14dc98e5dced492aa8a8c65425227da5da6aafe22523c67f035a272c599bb89cfe803c1db6311e44bed3042fc25487
1668 | languageName: node
1669 | linkType: hard
1670 |
1671 | "undici@npm:6.13.0":
1672 | version: 6.13.0
1673 | resolution: "undici@npm:6.13.0"
1674 | checksum: 47495e93aceeab18664678b6fb0ea2395b7c13a33d2ed4f7f36eb9be9ec5cd6f8e3a4ddaec18127da5e2012e5d7666ca824c7dc70af606dcfe6fdb8441ee3a7a
1675 | languageName: node
1676 | linkType: hard
1677 |
1678 | "unicorn-magic@npm:^0.1.0":
1679 | version: 0.1.0
1680 | resolution: "unicorn-magic@npm:0.1.0"
1681 | checksum: 48c5882ca3378f380318c0b4eb1d73b7e3c5b728859b060276e0a490051d4180966beeb48962d850fd0c6816543bcdfc28629dcd030bb62a286a2ae2acb5acb6
1682 | languageName: node
1683 | linkType: hard
1684 |
1685 | "uri-js@npm:^4.2.2":
1686 | version: 4.4.1
1687 | resolution: "uri-js@npm:4.4.1"
1688 | dependencies:
1689 | punycode: ^2.1.0
1690 | checksum: 7167432de6817fe8e9e0c9684f1d2de2bb688c94388f7569f7dbdb1587c9f4ca2a77962f134ec90be0cc4d004c939ff0d05acc9f34a0db39a3c797dada262633
1691 | languageName: node
1692 | linkType: hard
1693 |
1694 | "which@npm:^2.0.1":
1695 | version: 2.0.2
1696 | resolution: "which@npm:2.0.2"
1697 | dependencies:
1698 | isexe: ^2.0.0
1699 | bin:
1700 | node-which: ./bin/node-which
1701 | checksum: 1a5c563d3c1b52d5f893c8b61afe11abc3bab4afac492e8da5bde69d550de701cf9806235f20a47b5c8fa8a1d6a9135841de2596535e998027a54589000e66d1
1702 | languageName: node
1703 | linkType: hard
1704 |
1705 | "wrap-ansi@npm:^7.0.0":
1706 | version: 7.0.0
1707 | resolution: "wrap-ansi@npm:7.0.0"
1708 | dependencies:
1709 | ansi-styles: ^4.0.0
1710 | string-width: ^4.1.0
1711 | strip-ansi: ^6.0.0
1712 | checksum: a790b846fd4505de962ba728a21aaeda189b8ee1c7568ca5e817d85930e06ef8d1689d49dbf0e881e8ef84436af3a88bc49115c2e2788d841ff1b8b5b51a608b
1713 | languageName: node
1714 | linkType: hard
1715 |
1716 | "ws@npm:^8.16.0":
1717 | version: 8.17.1
1718 | resolution: "ws@npm:8.17.1"
1719 | peerDependencies:
1720 | bufferutil: ^4.0.1
1721 | utf-8-validate: ">=5.0.2"
1722 | peerDependenciesMeta:
1723 | bufferutil:
1724 | optional: true
1725 | utf-8-validate:
1726 | optional: true
1727 | checksum: 442badcce1f1178ec87a0b5372ae2e9771e07c4929a3180321901f226127f252441e8689d765aa5cfba5f50ac60dd830954afc5aeae81609aefa11d3ddf5cecf
1728 | languageName: node
1729 | linkType: hard
1730 |
1731 | "y18n@npm:^5.0.5":
1732 | version: 5.0.8
1733 | resolution: "y18n@npm:5.0.8"
1734 | checksum: 54f0fb95621ee60898a38c572c515659e51cc9d9f787fb109cef6fde4befbe1c4602dc999d30110feee37456ad0f1660fa2edcfde6a9a740f86a290999550d30
1735 | languageName: node
1736 | linkType: hard
1737 |
1738 | "yargs-parser@npm:^21.1.1":
1739 | version: 21.1.1
1740 | resolution: "yargs-parser@npm:21.1.1"
1741 | checksum: ed2d96a616a9e3e1cc7d204c62ecc61f7aaab633dcbfab2c6df50f7f87b393993fe6640d017759fe112d0cb1e0119f2b4150a87305cc873fd90831c6a58ccf1c
1742 | languageName: node
1743 | linkType: hard
1744 |
1745 | "yargs@npm:^17.0.0":
1746 | version: 17.6.2
1747 | resolution: "yargs@npm:17.6.2"
1748 | dependencies:
1749 | cliui: ^8.0.1
1750 | escalade: ^3.1.1
1751 | get-caller-file: ^2.0.5
1752 | require-directory: ^2.1.1
1753 | string-width: ^4.2.3
1754 | y18n: ^5.0.5
1755 | yargs-parser: ^21.1.1
1756 | checksum: 47da1b0d854fa16d45a3ded57b716b013b2179022352a5f7467409da5a04a1eef5b3b3d97a2dfc13e8bbe5f2ffc0afe3bc6a4a72f8254e60f5a4bd7947138643
1757 | languageName: node
1758 | linkType: hard
1759 |
1760 | "yocto-queue@npm:^0.1.0":
1761 | version: 0.1.0
1762 | resolution: "yocto-queue@npm:0.1.0"
1763 | checksum: f77b3d8d00310def622123df93d4ee654fc6a0096182af8bd60679ddcdfb3474c56c6c7190817c84a2785648cdee9d721c0154eb45698c62176c322fb46fc700
1764 | languageName: node
1765 | linkType: hard
1766 |
1767 | "yocto-queue@npm:^1.0.0":
1768 | version: 1.1.1
1769 | resolution: "yocto-queue@npm:1.1.1"
1770 | checksum: f2e05b767ed3141e6372a80af9caa4715d60969227f38b1a4370d60bffe153c9c5b33a862905609afc9b375ec57cd40999810d20e5e10229a204e8bde7ef255c
1771 | languageName: node
1772 | linkType: hard
1773 |
--------------------------------------------------------------------------------