├── .gitignore ├── .npmignore ├── src ├── dev.d.ts ├── utils │ ├── getAppCommands.ts │ ├── areCommandsDifferent.ts │ ├── buildCommandTree.ts │ ├── getPaths.ts │ └── registerCommands.ts └── index.ts ├── index.d.ts ├── package.json ├── CHANGELOG.md ├── README.md ├── tsconfig.json └── yarn.lock /.gitignore: -------------------------------------------------------------------------------- 1 | /node_modules 2 | /dist 3 | .DS_Store 4 | .vscode -------------------------------------------------------------------------------- /.npmignore: -------------------------------------------------------------------------------- 1 | /node_modules 2 | /src 3 | .DS_Store 4 | .vscode 5 | CHANGELOG.md -------------------------------------------------------------------------------- /src/dev.d.ts: -------------------------------------------------------------------------------- 1 | import { Client, APIApplicationCommand, SlashCommandBuilder } from 'discord.js'; 2 | 3 | interface LocalCommand extends APIApplicationCommand { 4 | deleted?: boolean; 5 | [key: string]: any; 6 | } 7 | -------------------------------------------------------------------------------- /src/utils/getAppCommands.ts: -------------------------------------------------------------------------------- 1 | export async function getAppCommands(client: any, guildId?: string) { 2 | let applicationCommands; 3 | 4 | if (guildId) { 5 | const guild = await client.guilds.fetch(guildId); 6 | applicationCommands = guild.commands; 7 | } else { 8 | applicationCommands = await client.application.commands; 9 | } 10 | 11 | await applicationCommands.fetch(); 12 | return applicationCommands; 13 | } 14 | -------------------------------------------------------------------------------- /src/utils/areCommandsDifferent.ts: -------------------------------------------------------------------------------- 1 | interface Command { 2 | description: string; 3 | options?: Array; 4 | } 5 | 6 | export function areCommandsDifferent(existingCommand: Command, localCommand: Command) { 7 | if ( 8 | localCommand.description !== existingCommand.description || 9 | (localCommand.options?.length || 0) !== existingCommand.options?.length 10 | ) { 11 | return true; 12 | } else { 13 | return false; 14 | } 15 | } 16 | -------------------------------------------------------------------------------- /index.d.ts: -------------------------------------------------------------------------------- 1 | import { Client, APIApplicationCommand } from 'discord.js'; 2 | import { Logger } from 'winston'; 3 | 4 | class CommandHandler { 5 | constructor(options: CommandHandlerOptions); 6 | public get commands(): LocalCommand[]; 7 | } 8 | 9 | interface CommandHandlerOptions { 10 | client: Client; 11 | commandsPath?: string; 12 | eventsPath?: string; 13 | validationsPath?: string; 14 | testServer?: string; 15 | logger?: Logger; 16 | } 17 | 18 | interface LocalCommand extends APIApplicationCommand { 19 | deleted?: boolean; 20 | [key: string]: any; 21 | } 22 | 23 | export { CommandHandler, LocalCommand }; 24 | -------------------------------------------------------------------------------- /package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "djs-commander", 3 | "version": "0.0.50", 4 | "description": "A command and event handler that works seamlessly with Discord.js", 5 | "types": "./index.d.ts", 6 | "exports": { 7 | ".": { 8 | "require": "./dist/index.js", 9 | "import": "./dist/index.mjs" 10 | } 11 | }, 12 | "scripts": { 13 | "build": "rm -rf dist && tsup src/index.ts --format cjs,esm --clean", 14 | "watch": "yarn build --watch src", 15 | "prepublishOnly": "yarn build" 16 | }, 17 | "repository": { 18 | "type": "git", 19 | "url": "https://github.com/notunderctrl/djs-commander" 20 | }, 21 | "homepage": "https://djs-commander.underctrl.io", 22 | "keywords": [ 23 | "discord.js", 24 | "command", 25 | "handler", 26 | "events", 27 | "validations" 28 | ], 29 | "devDependencies": { 30 | "discord.js": "^14.7.1", 31 | "tsup": "^6.6.0", 32 | "typescript": "^4.9.5", 33 | "winston": "^3.8.2" 34 | } 35 | } 36 | -------------------------------------------------------------------------------- /src/utils/buildCommandTree.ts: -------------------------------------------------------------------------------- 1 | const { getFilePaths } = require('./getPaths'); 2 | 3 | export function buildCommandTree(commandsDir?: string) { 4 | const commandTree = []; 5 | 6 | if (!commandsDir) return []; 7 | 8 | const commandFilePaths = getFilePaths(commandsDir, true); 9 | 10 | for (const commandFilePath of commandFilePaths) { 11 | let { data, run, deleted, ...rest } = require(commandFilePath); 12 | if (!data) throw new Error(`File ${commandFilePath} must export "data".`); 13 | if (!run) throw new Error(`File ${commandFilePath} must export a "run" function.`); 14 | if (!data.name) throw new Error(`File ${commandFilePath} must have a command name.`); 15 | if (!data.description) throw new Error(`File ${commandFilePath} must have a command description.`); 16 | 17 | try { 18 | data = data.toJSON(); 19 | } catch (error) {} 20 | 21 | commandTree.push({ 22 | ...data, 23 | ...rest, 24 | deleted, 25 | run, 26 | }); 27 | } 28 | 29 | return commandTree; 30 | } 31 | -------------------------------------------------------------------------------- /src/utils/getPaths.ts: -------------------------------------------------------------------------------- 1 | const fs = require('fs'); 2 | const path = require('path'); 3 | 4 | export function getFilePaths(directory?: string, nesting?: boolean): string[] { 5 | let filePaths: string[] = []; 6 | if (!directory) return filePaths; 7 | 8 | const files = fs.readdirSync(directory, { withFileTypes: true }); 9 | 10 | for (const file of files) { 11 | const filePath = path.join(directory, file.name); 12 | 13 | if (file.isFile()) { 14 | filePaths.push(filePath); 15 | } 16 | 17 | if (nesting && file.isDirectory()) { 18 | filePaths = [...filePaths, ...getFilePaths(filePath, true)]; 19 | } 20 | } 21 | 22 | return filePaths; 23 | } 24 | 25 | export function getFolderPaths(directory?: string, nesting?: boolean): string[] { 26 | let folderPaths: string[] = []; 27 | if (!directory) return folderPaths; 28 | 29 | const folders = fs.readdirSync(directory, { withFileTypes: true }); 30 | 31 | for (const folder of folders) { 32 | const folderPath = path.join(directory, folder.name); 33 | 34 | if (folder.isDirectory()) { 35 | folderPaths.push(folderPath); 36 | 37 | if (nesting) { 38 | folderPaths = [...folderPaths, ...getFolderPaths(folderPath, true)]; 39 | } 40 | } 41 | } 42 | 43 | return folderPaths; 44 | } 45 | -------------------------------------------------------------------------------- /src/utils/registerCommands.ts: -------------------------------------------------------------------------------- 1 | import { Client } from 'discord.js'; 2 | import { Logger } from 'winston'; 3 | import { LocalCommand } from '../dev'; 4 | import { getAppCommands } from './getAppCommands'; 5 | import { areCommandsDifferent } from './areCommandsDifferent'; 6 | 7 | export async function registerCommands({ 8 | client, 9 | commands: localCommands, 10 | testServer, 11 | logger, 12 | }: { 13 | client: Client; 14 | commands: LocalCommand[]; 15 | testServer?: string; 16 | logger?: Logger; 17 | }) { 18 | const applicationCommands = (await getAppCommands(client, testServer)) as any; 19 | 20 | for (const localCommand of localCommands) { 21 | const { 22 | name, 23 | name_localizations, 24 | description, 25 | description_localizations, 26 | default_member_permissions, 27 | dm_permission, 28 | options, 29 | } = localCommand; 30 | 31 | const existingCommand = applicationCommands.cache.find((cmd: any) => cmd.name === name); 32 | 33 | if (existingCommand) { 34 | if (localCommand.deleted) { 35 | await applicationCommands.delete(existingCommand.id); 36 | 37 | let message = `🗑 Deleted command "${name}".`; 38 | 39 | if (logger) { 40 | logger.info(message); 41 | } else { 42 | console.log(message); 43 | } 44 | 45 | continue; 46 | } 47 | 48 | if (areCommandsDifferent(existingCommand, localCommand)) { 49 | await applicationCommands.edit(existingCommand.id, { 50 | description, 51 | options, 52 | }); 53 | 54 | let message = `🔁 Edited command "${name}".`; 55 | 56 | if (logger) { 57 | logger.info(message); 58 | } else { 59 | console.log(message); 60 | } 61 | } 62 | } else { 63 | if (localCommand.deleted) { 64 | let message = `⏩ Skipping registering command "${name}" as it's set to delete.`; 65 | if (logger) { 66 | logger.info(message); 67 | } else { 68 | console.log(message); 69 | } 70 | 71 | continue; 72 | } 73 | 74 | await applicationCommands.create({ 75 | name, 76 | name_localizations, 77 | description, 78 | description_localizations, 79 | default_member_permissions, 80 | dm_permission, 81 | options, 82 | }); 83 | 84 | let message = `✅ Registered command "${name}".`; 85 | 86 | if (logger) { 87 | logger.info(message); 88 | } else { 89 | console.log(message); 90 | } 91 | } 92 | } 93 | } 94 | -------------------------------------------------------------------------------- /CHANGELOG.md: -------------------------------------------------------------------------------- 1 | # Change Log 2 | 3 | All notable changes to this project will be documented in this file. 4 | 5 | The format is based on [Keep a Changelog](http://keepachangelog.com/) 6 | 7 | ## [0.0.50] - 2023-06-11 8 | 9 | ### Changed 10 | 11 | - Revert to 0.0.47 state due to unstable ESM imports in Windows 12 | - Temporarily drop support for ESM 13 | 14 | ## [0.0.48] - 2023-06-08 15 | 16 | ### Fixed 17 | 18 | - Fixed a bug where djs-commander couldn't be imported in ESM projects 19 | 20 | ## [0.0.47] - 2023-05-23 21 | 22 | ### Changed 23 | 24 | - Remove automatic reply to commands when a command doesn't exist locally 25 | 26 | ## [0.0.46] - 2023-05-23 27 | 28 | ### Added 29 | 30 | - Add winston logger | Feature credit: (Lenme-exe)[https://github.com/Lenme-exe] [#6](https://github.com/notunderctrl/djs-commander/pull/6) 31 | 32 | ### Changed 33 | 34 | - Update "registered command" message emoji from "👍" to "✅" 35 | 36 | ## [0.0.45] - 2023-04-6 37 | 38 | ### Fixed 39 | 40 | - Property "type" not being set on option objects which are a result of the `SlashCommandBuilder` class. 41 | 42 | ## [0.0.44] - 2023-03-21 43 | 44 | ### Added 45 | 46 | - Support for stopping event functions. 47 | - TypeScript support for development. 48 | 49 | ## [0.0.43] - 2023-03-16 50 | 51 | ### Added 52 | 53 | - Support for the following slash command properties: 54 | - `name_localizations` 55 | - `description_localizations` 56 | - `default_permission`, 57 | - `default_member_permissions`, 58 | - `dm_permission`, 59 | 60 | ### Fixed 61 | 62 | - Options length not defaulting to 0 when commands are created using regular objects 63 | 64 | ## [0.0.42] - 2023-03-07 65 | 66 | ### Added 67 | 68 | - Multiple arguments support for events 69 | 70 | ## [0.0.41] - 2023-03-07 71 | 72 | ### Fixed 73 | 74 | - "deleted" property not working for commands. 75 | 76 | ## [0.0.40] - 2023-03-05 77 | 78 | ### Fixed 79 | 80 | - Typings for TypeScript projects. 81 | 82 | ## [0.0.39] - 2023-02-24 83 | 84 | ### Fixed 85 | 86 | - Incomplete `commandObj` in validation files 87 | 88 | ## [0.0.38] - 2023-02-20 89 | 90 | ### Fixed 91 | 92 | - Undefined client object inside validation functions 93 | 94 | ## [0.0.37] - 2023-02-20 95 | 96 | ### Added 97 | 98 | - Reflect v0.0.36 changes to README.md 99 | 100 | ## [0.0.36] - 2023-02-20 101 | 102 | No breaking changes 103 | 104 | ### Added 105 | 106 | - Client parameter to validation functions 107 | 108 | ### Changed 109 | 110 | - Internal function naming 111 | 112 | ## [0.0.35] - 2023-02-20 113 | 114 | ### Added 115 | 116 | - Link to documentation 117 | 118 | ## [0.0.34] - 2023-02-19 119 | 120 | ### Fixed 121 | 122 | - Fix README.md validation return message. 123 | 124 | ## [0.0.33] - 2023-02-19 125 | 126 | ### Added 127 | 128 | - Add a commands property for the CommandHandler instance 129 | - Allow commands to have access to the CommandHandler instance 130 | 131 | ### Changed 132 | 133 | - Opt for object destructuring in command parameters 134 | - README.md examples. 135 | 136 | ### Fixed 137 | 138 | - README.md examples. 139 | -------------------------------------------------------------------------------- /src/index.ts: -------------------------------------------------------------------------------- 1 | import { Client } from 'discord.js'; 2 | import { Logger } from 'winston'; 3 | import { LocalCommand } from './dev'; 4 | import { getFolderPaths, getFilePaths } from './utils/getPaths'; 5 | import { buildCommandTree } from './utils/buildCommandTree'; 6 | import { registerCommands } from './utils/registerCommands'; 7 | 8 | export class CommandHandler { 9 | private readonly _client: Client; 10 | private readonly _commandsPath: string | undefined; 11 | private readonly _eventsPath: string | undefined; 12 | private readonly _validationsPath: string | undefined; 13 | private readonly _testServer: string | undefined; 14 | private readonly _validationFuncs: Array; 15 | private readonly _logger: Logger | undefined; 16 | private _commands: Array; 17 | 18 | constructor({ 19 | client, 20 | commandsPath, 21 | eventsPath, 22 | validationsPath, 23 | testServer, 24 | logger, 25 | }: { 26 | client: Client; 27 | commandsPath?: string; 28 | eventsPath?: string; 29 | validationsPath?: string; 30 | testServer?: string; 31 | logger?: Logger; 32 | }) { 33 | if (!client) 34 | throw new Error('Property "client" is required when instantiating CommandHandler.'); 35 | 36 | this._client = client; 37 | this._commandsPath = commandsPath; 38 | this._eventsPath = eventsPath; 39 | this._validationsPath = validationsPath; 40 | this._testServer = testServer; 41 | this._commands = []; 42 | this._validationFuncs = []; 43 | this._logger = logger; 44 | 45 | if (this._validationsPath && !commandsPath) { 46 | throw new Error( 47 | 'Command validations are only available in the presence of a commands path. Either add "commandsPath" or remove "validationsPath"' 48 | ); 49 | } 50 | 51 | if (this._commandsPath) { 52 | this._commandsInit(); 53 | this._client.once('ready', () => { 54 | this._registerSlashCommands(); 55 | this._validationsPath && this._validationsInit(); 56 | this._handleCommands(); 57 | }); 58 | } 59 | 60 | if (this._eventsPath) { 61 | this._eventsInit(); 62 | } 63 | } 64 | 65 | _commandsInit() { 66 | let commands = buildCommandTree(this._commandsPath); 67 | this._commands = commands; 68 | } 69 | 70 | _registerSlashCommands() { 71 | registerCommands({ 72 | client: this._client, 73 | commands: this._commands, 74 | testServer: this._testServer, 75 | logger: this._logger, 76 | }); 77 | } 78 | 79 | _eventsInit() { 80 | const eventPaths = getFolderPaths(this._eventsPath); 81 | 82 | for (const eventPath of eventPaths) { 83 | const eventName = eventPath.replace(/\\/g, '/').split('/').pop(); 84 | const eventFuncPaths = getFilePaths(eventPath, true); 85 | eventFuncPaths.sort(); 86 | 87 | if (!eventName) continue; 88 | 89 | this._client.on(eventName, async (...arg) => { 90 | for (const eventFuncPath of eventFuncPaths) { 91 | const eventFunc = require(eventFuncPath); 92 | const cantRunEvent = await eventFunc(...arg, this._client, this); 93 | if (cantRunEvent) break; 94 | } 95 | }); 96 | } 97 | } 98 | 99 | _validationsInit() { 100 | const validationFilePaths = getFilePaths(this._validationsPath); 101 | validationFilePaths.sort(); 102 | 103 | for (const validationFilePath of validationFilePaths) { 104 | const validationFunc = require(validationFilePath); 105 | if (typeof validationFunc !== 'function') { 106 | throw new Error(`Validation file ${validationFilePath} must export a function by default.`); 107 | } 108 | 109 | this._validationFuncs.push(validationFunc); 110 | } 111 | } 112 | 113 | _handleCommands() { 114 | this._client.on('interactionCreate', async (interaction) => { 115 | if (!interaction.isChatInputCommand()) return; 116 | 117 | const command = this._commands.find((cmd) => cmd.name === interaction.commandName); 118 | if (command) { 119 | // Run validation functions 120 | if (this._validationFuncs.length) { 121 | let canRun = true; 122 | 123 | for (const validationFunc of this._validationFuncs) { 124 | const cantRunCommand = await validationFunc(interaction, command, this, this._client); 125 | if (cantRunCommand) { 126 | canRun = false; 127 | break; 128 | } 129 | } 130 | 131 | if (canRun) { 132 | await command.run({ 133 | interaction, 134 | client: this._client, 135 | handler: this, 136 | }); 137 | } 138 | } else { 139 | await command.run({ 140 | interaction, 141 | client: this._client, 142 | handler: this, 143 | }); 144 | } 145 | } 146 | }); 147 | } 148 | 149 | get commands() { 150 | return this._commands; 151 | } 152 | } 153 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | **This library is no longer maintained. Use [CommandKit](https://github.com/notunderctrl/commandkit) instead** 2 | 3 | # DJS-Commander: A Library for Discord.js Projects 4 | 5 | DJS-Commander is an easy-to-use JavaScript library that simplifies the process of handling commands, events, and validations in your Discord.js projects. 6 | 7 | Discord.js version supported: `v14` 8 | 9 | ## Documentation 10 | 11 | You can find the full documentation [here](https://djs-commander.underctrl.io) 12 | 13 | ## Installation 14 | 15 | To install DJS-Commander, simply run the following command: 16 | 17 | For npm: 18 | 19 | ```bash 20 | npm install djs-commander 21 | ``` 22 | 23 | For yarn: 24 | 25 | ```yarn 26 | yarn add djs-commander 27 | ``` 28 | 29 | ## Usage 30 | 31 | ```js 32 | // index.js 33 | const { Client, IntentsBitField } = require('discord.js'); 34 | const { CommandHandler } = require('djs-commander'); 35 | const winston = require('winston'); 36 | const path = require('path'); 37 | 38 | const client = new Client({ 39 | intents: [IntentsBitField.Flags.Guilds], // Your bot's intents 40 | }); 41 | 42 | const logger = winston.createLogger({ 43 | // Optional highly customizable winston logger 44 | level: 'info', 45 | format: winston.format.json(), 46 | transports: [new winston.transports.Console()], 47 | }); 48 | 49 | new CommandHandler({ 50 | client, // Discord.js client object 51 | commandsPath: path.join(__dirname, 'commands'), // The commands folder 52 | eventsPath: path.join(__dirname, 'events'), // The events folder 53 | validationsPath: path.join(__dirname, 'validations'), // Only works if commandsPath is provided 54 | testServer: 'TEST_SERVER_ID', // To register guild-based commands (if not provided commands will be registered globally) 55 | logger: logger, // Changes the console output to match the specified logger configuration (if not provided logging will go through console.log) 56 | }); 57 | 58 | client.login('YOUR_TOKEN_HERE'); 59 | ``` 60 | 61 | ## File Structure 62 | 63 | ### Commands 64 | 65 | DJS-Commander allows a very flexible file structure for your commands directory. Here's an example of what your file structure could look like: 66 | 67 | ```shell 68 | commands/ 69 | ├── command1.js 70 | ├── command2.js 71 | └── category/ 72 | ├── command3.js 73 | └── commands4.js 74 | ``` 75 | 76 | Any file inside the commands directory will be considered a command file, so make sure it properly exports an object. Like this: 77 | 78 | ```js 79 | // commands/misc/ping.js 80 | const { SlashCommandBuilder } = require('discord.js'); 81 | 82 | module.exports = { 83 | data: new SlashCommandBuilder().setName('ping').setDescription('Pong!'), 84 | 85 | run: ({ interaction, client, handler }) => { 86 | interaction.reply(`Pong! ${client.ws.ping}ms`); 87 | }, 88 | 89 | // deleted: true, // Deletes the command from Discord (if you passed in a "testServer" property it'll delete from the guild and not globally) 90 | }; 91 | ``` 92 | 93 | - `interaction` 94 | - `client` is the discord.js Client instance. 95 | - `handler` is the CommandHandler instance. You can use this to get access to properties such as `commands`. 96 | 97 | --- 98 | 99 | ### Events 100 | 101 | DJS-Commander assumes a specific file structure for your events. Here's an example of what your file structure could look like: 102 | 103 | ```shell 104 | events/ 105 | ├── ready/ 106 | | ├── console-log.js 107 | | └── webhook.js 108 | | 109 | └── messageCreate/ 110 | ├── auto-mod/ 111 | | ├── delete-swear-words.js 112 | | └── anti-raid.js 113 | | 114 | └── chat-bot.js 115 | ``` 116 | 117 | Make sure each file exports a default function. Like this: 118 | 119 | ```js 120 | // events/ready/console-log.js 121 | module.exports = (argument, client, handler) => { 122 | console.log(`${client.user.tag} is online.`); 123 | }; 124 | ``` 125 | 126 | - `argument` is the argument you receive from the event being triggered (you can name this whatever you want). For example, the `messageCreate` event will give you an argument of the message object. 127 | - `client` is the discord.js Client instance. 128 | - `handler` is the CommandHandler instance. You can use this to get access to properties such as `commands`. 129 | 130 | --- 131 | 132 | ### Validations 133 | 134 | DJS-Commander allows you to organize your validation files however you want to. Functions inside these files are executed in ascending order so you can prioritize your validations however you see fit. Here’s an example of what your file structure could look like: 135 | 136 | ```shell 137 | validations/ 138 | └── dev-only.js 139 | ``` 140 | 141 | Make sure each file exports a default function. Like this: 142 | 143 | ```js 144 | // validations/dev-only.js 145 | module.exports = (interaction, commandObj, handler, client) => { 146 | if (commandObj.devOnly) { 147 | if (interaction.member.id !== 'DEVELOPER_ID') { 148 | interaction.reply('This command is for the developer only'); 149 | return true; // This must be added to stop the command from being executed. 150 | } 151 | } 152 | }; 153 | ``` 154 | 155 | - `interaction` is the interaction object. 156 | - `commandObj` is the command object exported from the command file itself. Properties such as `name`, `description` and `options` are all available within. 157 | - `handler` is the CommandHandler instance. You can use this to get access to properties such as `commands`. 158 | - `client` is the Client instance. (defined in your main entry point) 159 | 160 | It's important to return `true` (or any truthy value) if you don't want the command to be executed (this also ensures the next validation that was queued up is not executed). 161 | -------------------------------------------------------------------------------- /tsconfig.json: -------------------------------------------------------------------------------- 1 | { 2 | "compilerOptions": { 3 | /* Visit https://aka.ms/tsconfig to read more about this file */ 4 | 5 | /* Projects */ 6 | // "incremental": true, /* Save .tsbuildinfo files to allow for incremental compilation of projects. */ 7 | // "composite": true, /* Enable constraints that allow a TypeScript project to be used with project references. */ 8 | // "tsBuildInfoFile": "./.tsbuildinfo", /* Specify the path to .tsbuildinfo incremental compilation file. */ 9 | // "disableSourceOfProjectReferenceRedirect": true, /* Disable preferring source files instead of declaration files when referencing composite projects. */ 10 | // "disableSolutionSearching": true, /* Opt a project out of multi-project reference checking when editing. */ 11 | // "disableReferencedProjectLoad": true, /* Reduce the number of projects loaded automatically by TypeScript. */ 12 | 13 | /* Language and Environment */ 14 | "target": "es2016", /* Set the JavaScript language version for emitted JavaScript and include compatible library declarations. */ 15 | // "lib": [], /* Specify a set of bundled library declaration files that describe the target runtime environment. */ 16 | // "jsx": "preserve", /* Specify what JSX code is generated. */ 17 | // "experimentalDecorators": true, /* Enable experimental support for TC39 stage 2 draft decorators. */ 18 | // "emitDecoratorMetadata": true, /* Emit design-type metadata for decorated declarations in source files. */ 19 | // "jsxFactory": "", /* Specify the JSX factory function used when targeting React JSX emit, e.g. 'React.createElement' or 'h'. */ 20 | // "jsxFragmentFactory": "", /* Specify the JSX Fragment reference used for fragments when targeting React JSX emit e.g. 'React.Fragment' or 'Fragment'. */ 21 | // "jsxImportSource": "", /* Specify module specifier used to import the JSX factory functions when using 'jsx: react-jsx*'. */ 22 | // "reactNamespace": "", /* Specify the object invoked for 'createElement'. This only applies when targeting 'react' JSX emit. */ 23 | // "noLib": true, /* Disable including any library files, including the default lib.d.ts. */ 24 | // "useDefineForClassFields": true, /* Emit ECMAScript-standard-compliant class fields. */ 25 | // "moduleDetection": "auto", /* Control what method is used to detect module-format JS files. */ 26 | 27 | /* Modules */ 28 | "module": "commonjs", /* Specify what module code is generated. */ 29 | // "rootDir": "./", /* Specify the root folder within your source files. */ 30 | // "moduleResolution": "node", /* Specify how TypeScript looks up a file from a given module specifier. */ 31 | // "baseUrl": "./", /* Specify the base directory to resolve non-relative module names. */ 32 | // "paths": {}, /* Specify a set of entries that re-map imports to additional lookup locations. */ 33 | // "rootDirs": [], /* Allow multiple folders to be treated as one when resolving modules. */ 34 | // "typeRoots": [], /* Specify multiple folders that act like './node_modules/@types'. */ 35 | // "types": [], /* Specify type package names to be included without being referenced in a source file. */ 36 | // "allowUmdGlobalAccess": true, /* Allow accessing UMD globals from modules. */ 37 | // "moduleSuffixes": [], /* List of file name suffixes to search when resolving a module. */ 38 | // "resolveJsonModule": true, /* Enable importing .json files. */ 39 | // "noResolve": true, /* Disallow 'import's, 'require's or ''s from expanding the number of files TypeScript should add to a project. */ 40 | 41 | /* JavaScript Support */ 42 | // "allowJs": true, /* Allow JavaScript files to be a part of your program. Use the 'checkJS' option to get errors from these files. */ 43 | // "checkJs": true, /* Enable error reporting in type-checked JavaScript files. */ 44 | // "maxNodeModuleJsDepth": 1, /* Specify the maximum folder depth used for checking JavaScript files from 'node_modules'. Only applicable with 'allowJs'. */ 45 | 46 | /* Emit */ 47 | // "declaration": true, /* Generate .d.ts files from TypeScript and JavaScript files in your project. */ 48 | // "declarationMap": true, /* Create sourcemaps for d.ts files. */ 49 | // "emitDeclarationOnly": true, /* Only output d.ts files and not JavaScript files. */ 50 | // "sourceMap": true, /* Create source map files for emitted JavaScript files. */ 51 | // "outFile": "./", /* Specify a file that bundles all outputs into one JavaScript file. If 'declaration' is true, also designates a file that bundles all .d.ts output. */ 52 | // "outDir": "./", /* Specify an output folder for all emitted files. */ 53 | // "removeComments": true, /* Disable emitting comments. */ 54 | // "noEmit": true, /* Disable emitting files from a compilation. */ 55 | // "importHelpers": true, /* Allow importing helper functions from tslib once per project, instead of including them per-file. */ 56 | // "importsNotUsedAsValues": "remove", /* Specify emit/checking behavior for imports that are only used for types. */ 57 | // "downlevelIteration": true, /* Emit more compliant, but verbose and less performant JavaScript for iteration. */ 58 | // "sourceRoot": "", /* Specify the root path for debuggers to find the reference source code. */ 59 | // "mapRoot": "", /* Specify the location where debugger should locate map files instead of generated locations. */ 60 | // "inlineSourceMap": true, /* Include sourcemap files inside the emitted JavaScript. */ 61 | // "inlineSources": true, /* Include source code in the sourcemaps inside the emitted JavaScript. */ 62 | // "emitBOM": true, /* Emit a UTF-8 Byte Order Mark (BOM) in the beginning of output files. */ 63 | // "newLine": "crlf", /* Set the newline character for emitting files. */ 64 | // "stripInternal": true, /* Disable emitting declarations that have '@internal' in their JSDoc comments. */ 65 | // "noEmitHelpers": true, /* Disable generating custom helper functions like '__extends' in compiled output. */ 66 | // "noEmitOnError": true, /* Disable emitting files if any type checking errors are reported. */ 67 | // "preserveConstEnums": true, /* Disable erasing 'const enum' declarations in generated code. */ 68 | // "declarationDir": "./", /* Specify the output directory for generated declaration files. */ 69 | // "preserveValueImports": true, /* Preserve unused imported values in the JavaScript output that would otherwise be removed. */ 70 | 71 | /* Interop Constraints */ 72 | // "isolatedModules": true, /* Ensure that each file can be safely transpiled without relying on other imports. */ 73 | // "allowSyntheticDefaultImports": true, /* Allow 'import x from y' when a module doesn't have a default export. */ 74 | "esModuleInterop": true, /* Emit additional JavaScript to ease support for importing CommonJS modules. This enables 'allowSyntheticDefaultImports' for type compatibility. */ 75 | // "preserveSymlinks": true, /* Disable resolving symlinks to their realpath. This correlates to the same flag in node. */ 76 | "forceConsistentCasingInFileNames": true, /* Ensure that casing is correct in imports. */ 77 | 78 | /* Type Checking */ 79 | "strict": true, /* Enable all strict type-checking options. */ 80 | // "noImplicitAny": true, /* Enable error reporting for expressions and declarations with an implied 'any' type. */ 81 | // "strictNullChecks": true, /* When type checking, take into account 'null' and 'undefined'. */ 82 | // "strictFunctionTypes": true, /* When assigning functions, check to ensure parameters and the return values are subtype-compatible. */ 83 | // "strictBindCallApply": true, /* Check that the arguments for 'bind', 'call', and 'apply' methods match the original function. */ 84 | // "strictPropertyInitialization": true, /* Check for class properties that are declared but not set in the constructor. */ 85 | // "noImplicitThis": true, /* Enable error reporting when 'this' is given the type 'any'. */ 86 | // "useUnknownInCatchVariables": true, /* Default catch clause variables as 'unknown' instead of 'any'. */ 87 | // "alwaysStrict": true, /* Ensure 'use strict' is always emitted. */ 88 | // "noUnusedLocals": true, /* Enable error reporting when local variables aren't read. */ 89 | // "noUnusedParameters": true, /* Raise an error when a function parameter isn't read. */ 90 | // "exactOptionalPropertyTypes": true, /* Interpret optional property types as written, rather than adding 'undefined'. */ 91 | // "noImplicitReturns": true, /* Enable error reporting for codepaths that do not explicitly return in a function. */ 92 | // "noFallthroughCasesInSwitch": true, /* Enable error reporting for fallthrough cases in switch statements. */ 93 | // "noUncheckedIndexedAccess": true, /* Add 'undefined' to a type when accessed using an index. */ 94 | // "noImplicitOverride": true, /* Ensure overriding members in derived classes are marked with an override modifier. */ 95 | // "noPropertyAccessFromIndexSignature": true, /* Enforces using indexed accessors for keys declared using an indexed type. */ 96 | // "allowUnusedLabels": true, /* Disable error reporting for unused labels. */ 97 | // "allowUnreachableCode": true, /* Disable error reporting for unreachable code. */ 98 | 99 | /* Completeness */ 100 | // "skipDefaultLibCheck": true, /* Skip type checking .d.ts files that are included with TypeScript. */ 101 | "skipLibCheck": true /* Skip type checking all .d.ts files. */ 102 | } 103 | } 104 | -------------------------------------------------------------------------------- /yarn.lock: -------------------------------------------------------------------------------- 1 | # THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY. 2 | # yarn lockfile v1 3 | 4 | 5 | "@colors/colors@1.5.0": 6 | version "1.5.0" 7 | resolved "https://registry.npmjs.org/@colors/colors/-/colors-1.5.0.tgz" 8 | integrity sha512-ooWCrlZP11i8GImSjTHYHLkvFDP48nS4+204nGb1RiX/WXYHmJA2III9/e2DWVabCESdW7hBAEzHRqUn9OUVvQ== 9 | 10 | "@dabh/diagnostics@^2.0.2": 11 | version "2.0.3" 12 | resolved "https://registry.npmjs.org/@dabh/diagnostics/-/diagnostics-2.0.3.tgz" 13 | integrity sha512-hrlQOIi7hAfzsMqlGSFyVucrx38O+j6wiGOf//H2ecvIEqYN4ADBSS2iLMh5UFyDunCNniUIPk/q3riFv45xRA== 14 | dependencies: 15 | colorspace "1.1.x" 16 | enabled "2.0.x" 17 | kuler "^2.0.0" 18 | 19 | "@discordjs/builders@^1.4.0": 20 | version "1.4.0" 21 | resolved "https://registry.npmjs.org/@discordjs/builders/-/builders-1.4.0.tgz" 22 | integrity sha512-nEeTCheTTDw5kO93faM1j8ZJPonAX86qpq/QVoznnSa8WWcCgJpjlu6GylfINTDW6o7zZY0my2SYdxx2mfNwGA== 23 | dependencies: 24 | "@discordjs/util" "^0.1.0" 25 | "@sapphire/shapeshift" "^3.7.1" 26 | discord-api-types "^0.37.20" 27 | fast-deep-equal "^3.1.3" 28 | ts-mixer "^6.0.2" 29 | tslib "^2.4.1" 30 | 31 | "@discordjs/collection@^1.3.0": 32 | version "1.3.0" 33 | resolved "https://registry.npmjs.org/@discordjs/collection/-/collection-1.3.0.tgz" 34 | integrity sha512-ylt2NyZ77bJbRij4h9u/wVy7qYw/aDqQLWnadjvDqW/WoWCxrsX6M3CIw9GVP5xcGCDxsrKj5e0r5evuFYwrKg== 35 | 36 | "@discordjs/rest@^1.4.0": 37 | version "1.5.0" 38 | resolved "https://registry.npmjs.org/@discordjs/rest/-/rest-1.5.0.tgz" 39 | integrity sha512-lXgNFqHnbmzp5u81W0+frdXN6Etf4EUi8FAPcWpSykKd8hmlWh1xy6BmE0bsJypU1pxohaA8lQCgp70NUI3uzA== 40 | dependencies: 41 | "@discordjs/collection" "^1.3.0" 42 | "@discordjs/util" "^0.1.0" 43 | "@sapphire/async-queue" "^1.5.0" 44 | "@sapphire/snowflake" "^3.2.2" 45 | discord-api-types "^0.37.23" 46 | file-type "^18.0.0" 47 | tslib "^2.4.1" 48 | undici "^5.13.0" 49 | 50 | "@discordjs/util@^0.1.0": 51 | version "0.1.0" 52 | resolved "https://registry.npmjs.org/@discordjs/util/-/util-0.1.0.tgz" 53 | integrity sha512-e7d+PaTLVQav6rOc2tojh2y6FE8S7REkqLldq1XF4soCx74XB/DIjbVbVLtBemf0nLW77ntz0v+o5DytKwFNLQ== 54 | 55 | "@esbuild/android-arm64@0.17.6": 56 | version "0.17.6" 57 | resolved "https://registry.yarnpkg.com/@esbuild/android-arm64/-/android-arm64-0.17.6.tgz#b11bd4e4d031bb320c93c83c137797b2be5b403b" 58 | integrity sha512-YnYSCceN/dUzUr5kdtUzB+wZprCafuD89Hs0Aqv9QSdwhYQybhXTaSTcrl6X/aWThn1a/j0eEpUBGOE7269REg== 59 | 60 | "@esbuild/android-arm@0.17.6": 61 | version "0.17.6" 62 | resolved "https://registry.yarnpkg.com/@esbuild/android-arm/-/android-arm-0.17.6.tgz#ac6b5674da2149997f6306b3314dae59bbe0ac26" 63 | integrity sha512-bSC9YVUjADDy1gae8RrioINU6e1lCkg3VGVwm0QQ2E1CWcC4gnMce9+B6RpxuSsrsXsk1yojn7sp1fnG8erE2g== 64 | 65 | "@esbuild/android-x64@0.17.6": 66 | version "0.17.6" 67 | resolved "https://registry.yarnpkg.com/@esbuild/android-x64/-/android-x64-0.17.6.tgz#18c48bf949046638fc209409ff684c6bb35a5462" 68 | integrity sha512-MVcYcgSO7pfu/x34uX9u2QIZHmXAB7dEiLQC5bBl5Ryqtpj9lT2sg3gNDEsrPEmimSJW2FXIaxqSQ501YLDsZQ== 69 | 70 | "@esbuild/darwin-arm64@0.17.6": 71 | version "0.17.6" 72 | resolved "https://registry.yarnpkg.com/@esbuild/darwin-arm64/-/darwin-arm64-0.17.6.tgz#b3fe19af1e4afc849a07c06318124e9c041e0646" 73 | integrity sha512-bsDRvlbKMQMt6Wl08nHtFz++yoZHsyTOxnjfB2Q95gato+Yi4WnRl13oC2/PJJA9yLCoRv9gqT/EYX0/zDsyMA== 74 | 75 | "@esbuild/darwin-x64@0.17.6": 76 | version "0.17.6" 77 | resolved "https://registry.yarnpkg.com/@esbuild/darwin-x64/-/darwin-x64-0.17.6.tgz#f4dacd1ab21e17b355635c2bba6a31eba26ba569" 78 | integrity sha512-xh2A5oPrYRfMFz74QXIQTQo8uA+hYzGWJFoeTE8EvoZGHb+idyV4ATaukaUvnnxJiauhs/fPx3vYhU4wiGfosg== 79 | 80 | "@esbuild/freebsd-arm64@0.17.6": 81 | version "0.17.6" 82 | resolved "https://registry.yarnpkg.com/@esbuild/freebsd-arm64/-/freebsd-arm64-0.17.6.tgz#ea4531aeda70b17cbe0e77b0c5c36298053855b4" 83 | integrity sha512-EnUwjRc1inT4ccZh4pB3v1cIhohE2S4YXlt1OvI7sw/+pD+dIE4smwekZlEPIwY6PhU6oDWwITrQQm5S2/iZgg== 84 | 85 | "@esbuild/freebsd-x64@0.17.6": 86 | version "0.17.6" 87 | resolved "https://registry.yarnpkg.com/@esbuild/freebsd-x64/-/freebsd-x64-0.17.6.tgz#1896170b3c9f63c5e08efdc1f8abc8b1ed7af29f" 88 | integrity sha512-Uh3HLWGzH6FwpviUcLMKPCbZUAFzv67Wj5MTwK6jn89b576SR2IbEp+tqUHTr8DIl0iDmBAf51MVaP7pw6PY5Q== 89 | 90 | "@esbuild/linux-arm64@0.17.6": 91 | version "0.17.6" 92 | resolved "https://registry.yarnpkg.com/@esbuild/linux-arm64/-/linux-arm64-0.17.6.tgz#967dfb951c6b2de6f2af82e96e25d63747f75079" 93 | integrity sha512-bUR58IFOMJX523aDVozswnlp5yry7+0cRLCXDsxnUeQYJik1DukMY+apBsLOZJblpH+K7ox7YrKrHmJoWqVR9w== 94 | 95 | "@esbuild/linux-arm@0.17.6": 96 | version "0.17.6" 97 | resolved "https://registry.yarnpkg.com/@esbuild/linux-arm/-/linux-arm-0.17.6.tgz#097a0ee2be39fed3f37ea0e587052961e3bcc110" 98 | integrity sha512-7YdGiurNt7lqO0Bf/U9/arrPWPqdPqcV6JCZda4LZgEn+PTQ5SMEI4MGR52Bfn3+d6bNEGcWFzlIxiQdS48YUw== 99 | 100 | "@esbuild/linux-ia32@0.17.6": 101 | version "0.17.6" 102 | resolved "https://registry.yarnpkg.com/@esbuild/linux-ia32/-/linux-ia32-0.17.6.tgz#a38a789d0ed157495a6b5b4469ec7868b59e5278" 103 | integrity sha512-ujp8uoQCM9FRcbDfkqECoARsLnLfCUhKARTP56TFPog8ie9JG83D5GVKjQ6yVrEVdMie1djH86fm98eY3quQkQ== 104 | 105 | "@esbuild/linux-loong64@0.17.6": 106 | version "0.17.6" 107 | resolved "https://registry.yarnpkg.com/@esbuild/linux-loong64/-/linux-loong64-0.17.6.tgz#ae3983d0fb4057883c8246f57d2518c2af7cf2ad" 108 | integrity sha512-y2NX1+X/Nt+izj9bLoiaYB9YXT/LoaQFYvCkVD77G/4F+/yuVXYCWz4SE9yr5CBMbOxOfBcy/xFL4LlOeNlzYQ== 109 | 110 | "@esbuild/linux-mips64el@0.17.6": 111 | version "0.17.6" 112 | resolved "https://registry.yarnpkg.com/@esbuild/linux-mips64el/-/linux-mips64el-0.17.6.tgz#15fbbe04648d944ec660ee5797febdf09a9bd6af" 113 | integrity sha512-09AXKB1HDOzXD+j3FdXCiL/MWmZP0Ex9eR8DLMBVcHorrWJxWmY8Nms2Nm41iRM64WVx7bA/JVHMv081iP2kUA== 114 | 115 | "@esbuild/linux-ppc64@0.17.6": 116 | version "0.17.6" 117 | resolved "https://registry.yarnpkg.com/@esbuild/linux-ppc64/-/linux-ppc64-0.17.6.tgz#38210094e8e1a971f2d1fd8e48462cc65f15ef19" 118 | integrity sha512-AmLhMzkM8JuqTIOhxnX4ubh0XWJIznEynRnZAVdA2mMKE6FAfwT2TWKTwdqMG+qEaeyDPtfNoZRpJbD4ZBv0Tg== 119 | 120 | "@esbuild/linux-riscv64@0.17.6": 121 | version "0.17.6" 122 | resolved "https://registry.yarnpkg.com/@esbuild/linux-riscv64/-/linux-riscv64-0.17.6.tgz#bc3c66d5578c3b9951a6ed68763f2a6856827e4a" 123 | integrity sha512-Y4Ri62PfavhLQhFbqucysHOmRamlTVK10zPWlqjNbj2XMea+BOs4w6ASKwQwAiqf9ZqcY9Ab7NOU4wIgpxwoSQ== 124 | 125 | "@esbuild/linux-s390x@0.17.6": 126 | version "0.17.6" 127 | resolved "https://registry.yarnpkg.com/@esbuild/linux-s390x/-/linux-s390x-0.17.6.tgz#d7ba7af59285f63cfce6e5b7f82a946f3e6d67fc" 128 | integrity sha512-SPUiz4fDbnNEm3JSdUW8pBJ/vkop3M1YwZAVwvdwlFLoJwKEZ9L98l3tzeyMzq27CyepDQ3Qgoba44StgbiN5Q== 129 | 130 | "@esbuild/linux-x64@0.17.6": 131 | version "0.17.6" 132 | resolved "https://registry.yarnpkg.com/@esbuild/linux-x64/-/linux-x64-0.17.6.tgz#ba51f8760a9b9370a2530f98964be5f09d90fed0" 133 | integrity sha512-a3yHLmOodHrzuNgdpB7peFGPx1iJ2x6m+uDvhP2CKdr2CwOaqEFMeSqYAHU7hG+RjCq8r2NFujcd/YsEsFgTGw== 134 | 135 | "@esbuild/netbsd-x64@0.17.6": 136 | version "0.17.6" 137 | resolved "https://registry.yarnpkg.com/@esbuild/netbsd-x64/-/netbsd-x64-0.17.6.tgz#e84d6b6fdde0261602c1e56edbb9e2cb07c211b9" 138 | integrity sha512-EanJqcU/4uZIBreTrnbnre2DXgXSa+Gjap7ifRfllpmyAU7YMvaXmljdArptTHmjrkkKm9BK6GH5D5Yo+p6y5A== 139 | 140 | "@esbuild/openbsd-x64@0.17.6": 141 | version "0.17.6" 142 | resolved "https://registry.yarnpkg.com/@esbuild/openbsd-x64/-/openbsd-x64-0.17.6.tgz#cf4b9fb80ce6d280a673d54a731d9c661f88b083" 143 | integrity sha512-xaxeSunhQRsTNGFanoOkkLtnmMn5QbA0qBhNet/XLVsc+OVkpIWPHcr3zTW2gxVU5YOHFbIHR9ODuaUdNza2Vw== 144 | 145 | "@esbuild/sunos-x64@0.17.6": 146 | version "0.17.6" 147 | resolved "https://registry.yarnpkg.com/@esbuild/sunos-x64/-/sunos-x64-0.17.6.tgz#a6838e246079b24d962b9dcb8d208a3785210a73" 148 | integrity sha512-gnMnMPg5pfMkZvhHee21KbKdc6W3GR8/JuE0Da1kjwpK6oiFU3nqfHuVPgUX2rsOx9N2SadSQTIYV1CIjYG+xw== 149 | 150 | "@esbuild/win32-arm64@0.17.6": 151 | version "0.17.6" 152 | resolved "https://registry.yarnpkg.com/@esbuild/win32-arm64/-/win32-arm64-0.17.6.tgz#ace0186e904d109ea4123317a3ba35befe83ac21" 153 | integrity sha512-G95n7vP1UnGJPsVdKXllAJPtqjMvFYbN20e8RK8LVLhlTiSOH1sd7+Gt7rm70xiG+I5tM58nYgwWrLs6I1jHqg== 154 | 155 | "@esbuild/win32-ia32@0.17.6": 156 | version "0.17.6" 157 | resolved "https://registry.yarnpkg.com/@esbuild/win32-ia32/-/win32-ia32-0.17.6.tgz#7fb3f6d4143e283a7f7dffc98a6baf31bb365c7e" 158 | integrity sha512-96yEFzLhq5bv9jJo5JhTs1gI+1cKQ83cUpyxHuGqXVwQtY5Eq54ZEsKs8veKtiKwlrNimtckHEkj4mRh4pPjsg== 159 | 160 | "@esbuild/win32-x64@0.17.6": 161 | version "0.17.6" 162 | resolved "https://registry.npmjs.org/@esbuild/win32-x64/-/win32-x64-0.17.6.tgz" 163 | integrity sha512-n6d8MOyUrNp6G4VSpRcgjs5xj4A91svJSaiwLIDWVWEsZtpN5FA9NlBbZHDmAJc2e8e6SF4tkBD3HAvPF+7igA== 164 | 165 | "@nodelib/fs.scandir@2.1.5": 166 | version "2.1.5" 167 | resolved "https://registry.npmjs.org/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz" 168 | integrity sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g== 169 | dependencies: 170 | "@nodelib/fs.stat" "2.0.5" 171 | run-parallel "^1.1.9" 172 | 173 | "@nodelib/fs.stat@2.0.5", "@nodelib/fs.stat@^2.0.2": 174 | version "2.0.5" 175 | resolved "https://registry.npmjs.org/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz" 176 | integrity sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A== 177 | 178 | "@nodelib/fs.walk@^1.2.3": 179 | version "1.2.8" 180 | resolved "https://registry.npmjs.org/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz" 181 | integrity sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg== 182 | dependencies: 183 | "@nodelib/fs.scandir" "2.1.5" 184 | fastq "^1.6.0" 185 | 186 | "@sapphire/async-queue@^1.5.0": 187 | version "1.5.0" 188 | resolved "https://registry.npmjs.org/@sapphire/async-queue/-/async-queue-1.5.0.tgz" 189 | integrity sha512-JkLdIsP8fPAdh9ZZjrbHWR/+mZj0wvKS5ICibcLrRI1j84UmLMshx5n9QmL8b95d4onJ2xxiyugTgSAX7AalmA== 190 | 191 | "@sapphire/shapeshift@^3.7.1": 192 | version "3.8.1" 193 | resolved "https://registry.npmjs.org/@sapphire/shapeshift/-/shapeshift-3.8.1.tgz" 194 | integrity sha512-xG1oXXBhCjPKbxrRTlox9ddaZTvVpOhYLmKmApD/vIWOV1xEYXnpoFs68zHIZBGbqztq6FrUPNPerIrO1Hqeaw== 195 | dependencies: 196 | fast-deep-equal "^3.1.3" 197 | lodash "^4.17.21" 198 | 199 | "@sapphire/snowflake@^3.2.2": 200 | version "3.4.0" 201 | resolved "https://registry.npmjs.org/@sapphire/snowflake/-/snowflake-3.4.0.tgz" 202 | integrity sha512-zZxymtVO6zeXVMPds+6d7gv/OfnCc25M1Z+7ZLB0oPmeMTPeRWVPQSS16oDJy5ZsyCOLj7M6mbZml5gWXcVRNw== 203 | 204 | "@tokenizer/token@^0.3.0": 205 | version "0.3.0" 206 | resolved "https://registry.npmjs.org/@tokenizer/token/-/token-0.3.0.tgz" 207 | integrity sha512-OvjF+z51L3ov0OyAU0duzsYuvO01PH7x4t6DJx+guahgTnBHkhJdG7soQeTSFLWN3efnHyibZ4Z8l2EuWwJN3A== 208 | 209 | "@types/node@*": 210 | version "18.14.6" 211 | resolved "https://registry.npmjs.org/@types/node/-/node-18.14.6.tgz" 212 | integrity sha512-93+VvleD3mXwlLI/xASjw0FzKcwzl3OdTCzm1LaRfqgS21gfFtK3zDXM5Op9TeeMsJVOaJ2VRDpT9q4Y3d0AvA== 213 | 214 | "@types/triple-beam@^1.3.2": 215 | version "1.3.2" 216 | resolved "https://registry.npmjs.org/@types/triple-beam/-/triple-beam-1.3.2.tgz" 217 | integrity sha512-txGIh+0eDFzKGC25zORnswy+br1Ha7hj5cMVwKIU7+s0U2AxxJru/jZSMU6OC9MJWP6+pc/hc6ZjyZShpsyY2g== 218 | 219 | "@types/ws@^8.5.3": 220 | version "8.5.4" 221 | resolved "https://registry.npmjs.org/@types/ws/-/ws-8.5.4.tgz" 222 | integrity sha512-zdQDHKUgcX/zBc4GrwsE/7dVdAD8JR4EuiAXiiUhhfyIJXXb2+PrGshFyeXWQPMmmZ2XxgaqclgpIC7eTXc1mg== 223 | dependencies: 224 | "@types/node" "*" 225 | 226 | any-promise@^1.0.0: 227 | version "1.3.0" 228 | resolved "https://registry.npmjs.org/any-promise/-/any-promise-1.3.0.tgz" 229 | integrity sha512-7UvmKalWRt1wgjL1RrGxoSJW/0QZFIegpeGvZG9kjp8vrRu55XTHbwnqq2GpXm9uLbcuhxm3IqX9OB4MZR1b2A== 230 | 231 | anymatch@~3.1.2: 232 | version "3.1.3" 233 | resolved "https://registry.npmjs.org/anymatch/-/anymatch-3.1.3.tgz" 234 | integrity sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw== 235 | dependencies: 236 | normalize-path "^3.0.0" 237 | picomatch "^2.0.4" 238 | 239 | array-union@^2.1.0: 240 | version "2.1.0" 241 | resolved "https://registry.npmjs.org/array-union/-/array-union-2.1.0.tgz" 242 | integrity sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw== 243 | 244 | async@^3.2.3: 245 | version "3.2.4" 246 | resolved "https://registry.npmjs.org/async/-/async-3.2.4.tgz" 247 | integrity sha512-iAB+JbDEGXhyIUavoDl9WP/Jj106Kz9DEn1DPgYw5ruDn0e3Wgi3sKFm55sASdGBNOQB8F59d9qQ7deqrHA8wQ== 248 | 249 | balanced-match@^1.0.0: 250 | version "1.0.2" 251 | resolved "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz" 252 | integrity sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw== 253 | 254 | binary-extensions@^2.0.0: 255 | version "2.2.0" 256 | resolved "https://registry.npmjs.org/binary-extensions/-/binary-extensions-2.2.0.tgz" 257 | integrity sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA== 258 | 259 | brace-expansion@^1.1.7: 260 | version "1.1.11" 261 | resolved "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz" 262 | integrity sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA== 263 | dependencies: 264 | balanced-match "^1.0.0" 265 | concat-map "0.0.1" 266 | 267 | braces@^3.0.2, braces@~3.0.2: 268 | version "3.0.2" 269 | resolved "https://registry.npmjs.org/braces/-/braces-3.0.2.tgz" 270 | integrity sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A== 271 | dependencies: 272 | fill-range "^7.0.1" 273 | 274 | bundle-require@^4.0.0: 275 | version "4.0.0" 276 | resolved "https://registry.npmjs.org/bundle-require/-/bundle-require-4.0.0.tgz" 277 | integrity sha512-5xjxGtR06579D7UcTBhcQO7Zg3A7ji5xuIUl7kNHSvVJ7/CmAs3bCosfYWNuD/Xm5k0jS9VFuPipSpm5S+ZlKw== 278 | dependencies: 279 | load-tsconfig "^0.2.3" 280 | 281 | busboy@^1.6.0: 282 | version "1.6.0" 283 | resolved "https://registry.npmjs.org/busboy/-/busboy-1.6.0.tgz" 284 | integrity sha512-8SFQbg/0hQ9xy3UNTB0YEnsNBbWfhf7RtnzpL7TkBiTBRfrQ9Fxcnz7VJsleJpyp6rVLvXiuORqjlHi5q+PYuA== 285 | dependencies: 286 | streamsearch "^1.1.0" 287 | 288 | cac@^6.7.12: 289 | version "6.7.14" 290 | resolved "https://registry.npmjs.org/cac/-/cac-6.7.14.tgz" 291 | integrity sha512-b6Ilus+c3RrdDk+JhLKUAQfzzgLEPy6wcXqS7f/xe1EETvsDP6GORG7SFuOs6cID5YkqchW/LXZbX5bc8j7ZcQ== 292 | 293 | chokidar@^3.5.1: 294 | version "3.5.3" 295 | resolved "https://registry.npmjs.org/chokidar/-/chokidar-3.5.3.tgz" 296 | integrity sha512-Dr3sfKRP6oTcjf2JmUmFJfeVMvXBdegxB0iVQ5eb2V10uFJUCAS8OByZdVAyVb8xXNz3GjjTgj9kLWsZTqE6kw== 297 | dependencies: 298 | anymatch "~3.1.2" 299 | braces "~3.0.2" 300 | glob-parent "~5.1.2" 301 | is-binary-path "~2.1.0" 302 | is-glob "~4.0.1" 303 | normalize-path "~3.0.0" 304 | readdirp "~3.6.0" 305 | optionalDependencies: 306 | fsevents "~2.3.2" 307 | 308 | color-convert@^1.9.3: 309 | version "1.9.3" 310 | resolved "https://registry.npmjs.org/color-convert/-/color-convert-1.9.3.tgz" 311 | integrity sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg== 312 | dependencies: 313 | color-name "1.1.3" 314 | 315 | color-name@1.1.3, color-name@^1.0.0: 316 | version "1.1.3" 317 | resolved "https://registry.npmjs.org/color-name/-/color-name-1.1.3.tgz" 318 | integrity sha512-72fSenhMw2HZMTVHeCA9KCmpEIbzWiQsjN+BHcBbS9vr1mtt+vJjPdksIBNUmKAW8TFUDPJK5SUU3QhE9NEXDw== 319 | 320 | color-string@^1.6.0: 321 | version "1.9.1" 322 | resolved "https://registry.npmjs.org/color-string/-/color-string-1.9.1.tgz" 323 | integrity sha512-shrVawQFojnZv6xM40anx4CkoDP+fZsw/ZerEMsW/pyzsRbElpsL/DBVW7q3ExxwusdNXI3lXpuhEZkzs8p5Eg== 324 | dependencies: 325 | color-name "^1.0.0" 326 | simple-swizzle "^0.2.2" 327 | 328 | color@^3.1.3: 329 | version "3.2.1" 330 | resolved "https://registry.npmjs.org/color/-/color-3.2.1.tgz" 331 | integrity sha512-aBl7dZI9ENN6fUGC7mWpMTPNHmWUSNan9tuWN6ahh5ZLNk9baLJOnSMlrQkHcrfFgz2/RigjUVAjdx36VcemKA== 332 | dependencies: 333 | color-convert "^1.9.3" 334 | color-string "^1.6.0" 335 | 336 | colorspace@1.1.x: 337 | version "1.1.4" 338 | resolved "https://registry.npmjs.org/colorspace/-/colorspace-1.1.4.tgz" 339 | integrity sha512-BgvKJiuVu1igBUF2kEjRCZXol6wiiGbY5ipL/oVPwm0BL9sIpMIzM8IK7vwuxIIzOXMV3Ey5w+vxhm0rR/TN8w== 340 | dependencies: 341 | color "^3.1.3" 342 | text-hex "1.0.x" 343 | 344 | commander@^4.0.0: 345 | version "4.1.1" 346 | resolved "https://registry.npmjs.org/commander/-/commander-4.1.1.tgz" 347 | integrity sha512-NOKm8xhkzAjzFx8B2v5OAHT+u5pRQc2UCa2Vq9jYL/31o2wi9mxBA7LIFs3sV5VSC49z6pEhfbMULvShKj26WA== 348 | 349 | concat-map@0.0.1: 350 | version "0.0.1" 351 | resolved "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz" 352 | integrity sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg== 353 | 354 | cross-spawn@^7.0.3: 355 | version "7.0.3" 356 | resolved "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.3.tgz" 357 | integrity sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w== 358 | dependencies: 359 | path-key "^3.1.0" 360 | shebang-command "^2.0.0" 361 | which "^2.0.1" 362 | 363 | debug@^4.3.1: 364 | version "4.3.4" 365 | resolved "https://registry.npmjs.org/debug/-/debug-4.3.4.tgz" 366 | integrity sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ== 367 | dependencies: 368 | ms "2.1.2" 369 | 370 | dir-glob@^3.0.1: 371 | version "3.0.1" 372 | resolved "https://registry.npmjs.org/dir-glob/-/dir-glob-3.0.1.tgz" 373 | integrity sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA== 374 | dependencies: 375 | path-type "^4.0.0" 376 | 377 | discord-api-types@^0.37.20, discord-api-types@^0.37.23: 378 | version "0.37.35" 379 | resolved "https://registry.npmjs.org/discord-api-types/-/discord-api-types-0.37.35.tgz" 380 | integrity sha512-iyKZ/82k7FX3lcmHiAvvWu5TmyfVo78RtghBV/YsehK6CID83k5SI03DKKopBcln+TiEIYw5MGgq7SJXSpNzMg== 381 | 382 | discord.js@^14.7.1: 383 | version "14.7.1" 384 | resolved "https://registry.npmjs.org/discord.js/-/discord.js-14.7.1.tgz" 385 | integrity sha512-1FECvqJJjjeYcjSm0IGMnPxLqja/pmG1B0W2l3lUY2Gi4KXiyTeQmU1IxWcbXHn2k+ytP587mMWqva2IA87EbA== 386 | dependencies: 387 | "@discordjs/builders" "^1.4.0" 388 | "@discordjs/collection" "^1.3.0" 389 | "@discordjs/rest" "^1.4.0" 390 | "@discordjs/util" "^0.1.0" 391 | "@sapphire/snowflake" "^3.2.2" 392 | "@types/ws" "^8.5.3" 393 | discord-api-types "^0.37.20" 394 | fast-deep-equal "^3.1.3" 395 | lodash.snakecase "^4.1.1" 396 | tslib "^2.4.1" 397 | undici "^5.13.0" 398 | ws "^8.11.0" 399 | 400 | enabled@2.0.x: 401 | version "2.0.0" 402 | resolved "https://registry.npmjs.org/enabled/-/enabled-2.0.0.tgz" 403 | integrity sha512-AKrN98kuwOzMIdAizXGI86UFBoo26CL21UM763y1h/GMSJ4/OHU9k2YlsmBpyScFo/wbLzWQJBMCW4+IO3/+OQ== 404 | 405 | esbuild@^0.17.6: 406 | version "0.17.6" 407 | resolved "https://registry.npmjs.org/esbuild/-/esbuild-0.17.6.tgz" 408 | integrity sha512-TKFRp9TxrJDdRWfSsSERKEovm6v30iHnrjlcGhLBOtReE28Yp1VSBRfO3GTaOFMoxsNerx4TjrhzSuma9ha83Q== 409 | optionalDependencies: 410 | "@esbuild/android-arm" "0.17.6" 411 | "@esbuild/android-arm64" "0.17.6" 412 | "@esbuild/android-x64" "0.17.6" 413 | "@esbuild/darwin-arm64" "0.17.6" 414 | "@esbuild/darwin-x64" "0.17.6" 415 | "@esbuild/freebsd-arm64" "0.17.6" 416 | "@esbuild/freebsd-x64" "0.17.6" 417 | "@esbuild/linux-arm" "0.17.6" 418 | "@esbuild/linux-arm64" "0.17.6" 419 | "@esbuild/linux-ia32" "0.17.6" 420 | "@esbuild/linux-loong64" "0.17.6" 421 | "@esbuild/linux-mips64el" "0.17.6" 422 | "@esbuild/linux-ppc64" "0.17.6" 423 | "@esbuild/linux-riscv64" "0.17.6" 424 | "@esbuild/linux-s390x" "0.17.6" 425 | "@esbuild/linux-x64" "0.17.6" 426 | "@esbuild/netbsd-x64" "0.17.6" 427 | "@esbuild/openbsd-x64" "0.17.6" 428 | "@esbuild/sunos-x64" "0.17.6" 429 | "@esbuild/win32-arm64" "0.17.6" 430 | "@esbuild/win32-ia32" "0.17.6" 431 | "@esbuild/win32-x64" "0.17.6" 432 | 433 | execa@^5.0.0: 434 | version "5.1.1" 435 | resolved "https://registry.npmjs.org/execa/-/execa-5.1.1.tgz" 436 | integrity sha512-8uSpZZocAZRBAPIEINJj3Lo9HyGitllczc27Eh5YYojjMFMn8yHMDMaUHE2Jqfq05D/wucwI4JGURyXt1vchyg== 437 | dependencies: 438 | cross-spawn "^7.0.3" 439 | get-stream "^6.0.0" 440 | human-signals "^2.1.0" 441 | is-stream "^2.0.0" 442 | merge-stream "^2.0.0" 443 | npm-run-path "^4.0.1" 444 | onetime "^5.1.2" 445 | signal-exit "^3.0.3" 446 | strip-final-newline "^2.0.0" 447 | 448 | fast-deep-equal@^3.1.3: 449 | version "3.1.3" 450 | resolved "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz" 451 | integrity sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q== 452 | 453 | fast-glob@^3.2.9: 454 | version "3.2.12" 455 | resolved "https://registry.npmjs.org/fast-glob/-/fast-glob-3.2.12.tgz" 456 | integrity sha512-DVj4CQIYYow0BlaelwK1pHl5n5cRSJfM60UA0zK891sVInoPri2Ekj7+e1CT3/3qxXenpI+nBBmQAcJPJgaj4w== 457 | dependencies: 458 | "@nodelib/fs.stat" "^2.0.2" 459 | "@nodelib/fs.walk" "^1.2.3" 460 | glob-parent "^5.1.2" 461 | merge2 "^1.3.0" 462 | micromatch "^4.0.4" 463 | 464 | fastq@^1.6.0: 465 | version "1.15.0" 466 | resolved "https://registry.npmjs.org/fastq/-/fastq-1.15.0.tgz" 467 | integrity sha512-wBrocU2LCXXa+lWBt8RoIRD89Fi8OdABODa/kEnyeyjS5aZO5/GNvI5sEINADqP/h8M29UHTHUb53sUu5Ihqdw== 468 | dependencies: 469 | reusify "^1.0.4" 470 | 471 | fecha@^4.2.0: 472 | version "4.2.3" 473 | resolved "https://registry.npmjs.org/fecha/-/fecha-4.2.3.tgz" 474 | integrity sha512-OP2IUU6HeYKJi3i0z4A19kHMQoLVs4Hc+DPqqxI2h/DPZHTm/vjsfC6P0b4jCMy14XizLBqvndQ+UilD7707Jw== 475 | 476 | file-type@^18.0.0: 477 | version "18.2.1" 478 | resolved "https://registry.npmjs.org/file-type/-/file-type-18.2.1.tgz" 479 | integrity sha512-Yw5MtnMv7vgD2/6Bjmmuegc8bQEVA9GmAyaR18bMYWKqsWDG9wgYZ1j4I6gNMF5Y5JBDcUcjRQqNQx7Y8uotcg== 480 | dependencies: 481 | readable-web-to-node-stream "^3.0.2" 482 | strtok3 "^7.0.0" 483 | token-types "^5.0.1" 484 | 485 | fill-range@^7.0.1: 486 | version "7.0.1" 487 | resolved "https://registry.npmjs.org/fill-range/-/fill-range-7.0.1.tgz" 488 | integrity sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ== 489 | dependencies: 490 | to-regex-range "^5.0.1" 491 | 492 | fn.name@1.x.x: 493 | version "1.1.0" 494 | resolved "https://registry.npmjs.org/fn.name/-/fn.name-1.1.0.tgz" 495 | integrity sha512-GRnmB5gPyJpAhTQdSZTSp9uaPSvl09KoYcMQtsB9rQoOmzs9dH6ffeccH+Z+cv6P68Hu5bC6JjRh4Ah/mHSNRw== 496 | 497 | fs.realpath@^1.0.0: 498 | version "1.0.0" 499 | resolved "https://registry.npmjs.org/fs.realpath/-/fs.realpath-1.0.0.tgz" 500 | integrity sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw== 501 | 502 | fsevents@~2.3.2: 503 | version "2.3.2" 504 | resolved "https://registry.yarnpkg.com/fsevents/-/fsevents-2.3.2.tgz#8a526f78b8fdf4623b709e0b975c52c24c02fd1a" 505 | integrity sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA== 506 | 507 | get-stream@^6.0.0: 508 | version "6.0.1" 509 | resolved "https://registry.npmjs.org/get-stream/-/get-stream-6.0.1.tgz" 510 | integrity sha512-ts6Wi+2j3jQjqi70w5AlN8DFnkSwC+MqmxEzdEALB2qXZYV3X/b1CTfgPLGJNMeAWxdPfU8FO1ms3NUfaHCPYg== 511 | 512 | glob-parent@^5.1.2, glob-parent@~5.1.2: 513 | version "5.1.2" 514 | resolved "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz" 515 | integrity sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow== 516 | dependencies: 517 | is-glob "^4.0.1" 518 | 519 | glob@7.1.6: 520 | version "7.1.6" 521 | resolved "https://registry.npmjs.org/glob/-/glob-7.1.6.tgz" 522 | integrity sha512-LwaxwyZ72Lk7vZINtNNrywX0ZuLyStrdDtabefZKAY5ZGJhVtgdznluResxNmPitE0SAO+O26sWTHeKSI2wMBA== 523 | dependencies: 524 | fs.realpath "^1.0.0" 525 | inflight "^1.0.4" 526 | inherits "2" 527 | minimatch "^3.0.4" 528 | once "^1.3.0" 529 | path-is-absolute "^1.0.0" 530 | 531 | globby@^11.0.3: 532 | version "11.1.0" 533 | resolved "https://registry.npmjs.org/globby/-/globby-11.1.0.tgz" 534 | integrity sha512-jhIXaOzy1sb8IyocaruWSn1TjmnBVs8Ayhcy83rmxNJ8q2uWKCAj3CnJY+KpGSXCueAPc0i05kVvVKtP1t9S3g== 535 | dependencies: 536 | array-union "^2.1.0" 537 | dir-glob "^3.0.1" 538 | fast-glob "^3.2.9" 539 | ignore "^5.2.0" 540 | merge2 "^1.4.1" 541 | slash "^3.0.0" 542 | 543 | human-signals@^2.1.0: 544 | version "2.1.0" 545 | resolved "https://registry.npmjs.org/human-signals/-/human-signals-2.1.0.tgz" 546 | integrity sha512-B4FFZ6q/T2jhhksgkbEW3HBvWIfDW85snkQgawt07S7J5QXTk6BkNV+0yAeZrM5QpMAdYlocGoljn0sJ/WQkFw== 547 | 548 | ieee754@^1.2.1: 549 | version "1.2.1" 550 | resolved "https://registry.npmjs.org/ieee754/-/ieee754-1.2.1.tgz" 551 | integrity sha512-dcyqhDvX1C46lXZcVqCpK+FtMRQVdIMN6/Df5js2zouUsqG7I6sFxitIC+7KYK29KdXOLHdu9zL4sFnoVQnqaA== 552 | 553 | ignore@^5.2.0: 554 | version "5.2.4" 555 | resolved "https://registry.npmjs.org/ignore/-/ignore-5.2.4.tgz" 556 | integrity sha512-MAb38BcSbH0eHNBxn7ql2NH/kX33OkB3lZ1BNdh7ENeRChHTYsTvWrMubiIAMNS2llXEEgZ1MUOBtXChP3kaFQ== 557 | 558 | inflight@^1.0.4: 559 | version "1.0.6" 560 | resolved "https://registry.npmjs.org/inflight/-/inflight-1.0.6.tgz" 561 | integrity sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA== 562 | dependencies: 563 | once "^1.3.0" 564 | wrappy "1" 565 | 566 | inherits@2, inherits@^2.0.3: 567 | version "2.0.4" 568 | resolved "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz" 569 | integrity sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ== 570 | 571 | is-arrayish@^0.3.1: 572 | version "0.3.2" 573 | resolved "https://registry.npmjs.org/is-arrayish/-/is-arrayish-0.3.2.tgz" 574 | integrity sha512-eVRqCvVlZbuw3GrM63ovNSNAeA1K16kaR/LRY/92w0zxQ5/1YzwblUX652i4Xs9RwAGjW9d9y6X88t8OaAJfWQ== 575 | 576 | is-binary-path@~2.1.0: 577 | version "2.1.0" 578 | resolved "https://registry.npmjs.org/is-binary-path/-/is-binary-path-2.1.0.tgz" 579 | integrity sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw== 580 | dependencies: 581 | binary-extensions "^2.0.0" 582 | 583 | is-extglob@^2.1.1: 584 | version "2.1.1" 585 | resolved "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz" 586 | integrity sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ== 587 | 588 | is-glob@^4.0.1, is-glob@~4.0.1: 589 | version "4.0.3" 590 | resolved "https://registry.npmjs.org/is-glob/-/is-glob-4.0.3.tgz" 591 | integrity sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg== 592 | dependencies: 593 | is-extglob "^2.1.1" 594 | 595 | is-number@^7.0.0: 596 | version "7.0.0" 597 | resolved "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz" 598 | integrity sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng== 599 | 600 | is-stream@^2.0.0: 601 | version "2.0.1" 602 | resolved "https://registry.npmjs.org/is-stream/-/is-stream-2.0.1.tgz" 603 | integrity sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg== 604 | 605 | isexe@^2.0.0: 606 | version "2.0.0" 607 | resolved "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz" 608 | integrity sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw== 609 | 610 | joycon@^3.0.1: 611 | version "3.1.1" 612 | resolved "https://registry.npmjs.org/joycon/-/joycon-3.1.1.tgz" 613 | integrity sha512-34wB/Y7MW7bzjKRjUKTa46I2Z7eV62Rkhva+KkopW7Qvv/OSWBqvkSY7vusOPrNuZcUG3tApvdVgNB8POj3SPw== 614 | 615 | kuler@^2.0.0: 616 | version "2.0.0" 617 | resolved "https://registry.npmjs.org/kuler/-/kuler-2.0.0.tgz" 618 | integrity sha512-Xq9nH7KlWZmXAtodXDDRE7vs6DU1gTU8zYDHDiWLSip45Egwq3plLHzPn27NgvzL2r1LMPC1vdqh98sQxtqj4A== 619 | 620 | lilconfig@^2.0.5: 621 | version "2.0.6" 622 | resolved "https://registry.npmjs.org/lilconfig/-/lilconfig-2.0.6.tgz" 623 | integrity sha512-9JROoBW7pobfsx+Sq2JsASvCo6Pfo6WWoUW79HuB1BCoBXD4PLWJPqDF6fNj67pqBYTbAHkE57M1kS/+L1neOg== 624 | 625 | lines-and-columns@^1.1.6: 626 | version "1.2.4" 627 | resolved "https://registry.npmjs.org/lines-and-columns/-/lines-and-columns-1.2.4.tgz" 628 | integrity sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg== 629 | 630 | load-tsconfig@^0.2.3: 631 | version "0.2.3" 632 | resolved "https://registry.npmjs.org/load-tsconfig/-/load-tsconfig-0.2.3.tgz" 633 | integrity sha512-iyT2MXws+dc2Wi6o3grCFtGXpeMvHmJqS27sMPGtV2eUu4PeFnG+33I8BlFK1t1NWMjOpcx9bridn5yxLDX2gQ== 634 | 635 | lodash.snakecase@^4.1.1: 636 | version "4.1.1" 637 | resolved "https://registry.npmjs.org/lodash.snakecase/-/lodash.snakecase-4.1.1.tgz" 638 | integrity sha512-QZ1d4xoBHYUeuouhEq3lk3Uq7ldgyFXGBhg04+oRLnIz8o9T65Eh+8YdroUwn846zchkA9yDsDl5CVVaV2nqYw== 639 | 640 | lodash.sortby@^4.7.0: 641 | version "4.7.0" 642 | resolved "https://registry.npmjs.org/lodash.sortby/-/lodash.sortby-4.7.0.tgz" 643 | integrity sha512-HDWXG8isMntAyRF5vZ7xKuEvOhT4AhlRt/3czTSjvGUxjYCBVRQY48ViDHyfYz9VIoBkW4TMGQNapx+l3RUwdA== 644 | 645 | lodash@^4.17.21: 646 | version "4.17.21" 647 | resolved "https://registry.npmjs.org/lodash/-/lodash-4.17.21.tgz" 648 | integrity sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg== 649 | 650 | logform@^2.3.2, logform@^2.4.0: 651 | version "2.5.1" 652 | resolved "https://registry.npmjs.org/logform/-/logform-2.5.1.tgz" 653 | integrity sha512-9FyqAm9o9NKKfiAKfZoYo9bGXXuwMkxQiQttkT4YjjVtQVIQtK6LmVtlxmCaFswo6N4AfEkHqZTV0taDtPotNg== 654 | dependencies: 655 | "@colors/colors" "1.5.0" 656 | "@types/triple-beam" "^1.3.2" 657 | fecha "^4.2.0" 658 | ms "^2.1.1" 659 | safe-stable-stringify "^2.3.1" 660 | triple-beam "^1.3.0" 661 | 662 | merge-stream@^2.0.0: 663 | version "2.0.0" 664 | resolved "https://registry.npmjs.org/merge-stream/-/merge-stream-2.0.0.tgz" 665 | integrity sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w== 666 | 667 | merge2@^1.3.0, merge2@^1.4.1: 668 | version "1.4.1" 669 | resolved "https://registry.npmjs.org/merge2/-/merge2-1.4.1.tgz" 670 | integrity sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg== 671 | 672 | micromatch@^4.0.4: 673 | version "4.0.5" 674 | resolved "https://registry.npmjs.org/micromatch/-/micromatch-4.0.5.tgz" 675 | integrity sha512-DMy+ERcEW2q8Z2Po+WNXuw3c5YaUSFjAO5GsJqfEl7UjvtIuFKO6ZrKvcItdy98dwFI2N1tg3zNIdKaQT+aNdA== 676 | dependencies: 677 | braces "^3.0.2" 678 | picomatch "^2.3.1" 679 | 680 | mimic-fn@^2.1.0: 681 | version "2.1.0" 682 | resolved "https://registry.npmjs.org/mimic-fn/-/mimic-fn-2.1.0.tgz" 683 | integrity sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg== 684 | 685 | minimatch@^3.0.4: 686 | version "3.1.2" 687 | resolved "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz" 688 | integrity sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw== 689 | dependencies: 690 | brace-expansion "^1.1.7" 691 | 692 | ms@2.1.2, ms@^2.1.1: 693 | version "2.1.2" 694 | resolved "https://registry.npmjs.org/ms/-/ms-2.1.2.tgz" 695 | integrity sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w== 696 | 697 | mz@^2.7.0: 698 | version "2.7.0" 699 | resolved "https://registry.npmjs.org/mz/-/mz-2.7.0.tgz" 700 | integrity sha512-z81GNO7nnYMEhrGh9LeymoE4+Yr0Wn5McHIZMK5cfQCl+NDX08sCZgUc9/6MHni9IWuFLm1Z3HTCXu2z9fN62Q== 701 | dependencies: 702 | any-promise "^1.0.0" 703 | object-assign "^4.0.1" 704 | thenify-all "^1.0.0" 705 | 706 | normalize-path@^3.0.0, normalize-path@~3.0.0: 707 | version "3.0.0" 708 | resolved "https://registry.npmjs.org/normalize-path/-/normalize-path-3.0.0.tgz" 709 | integrity sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA== 710 | 711 | npm-run-path@^4.0.1: 712 | version "4.0.1" 713 | resolved "https://registry.npmjs.org/npm-run-path/-/npm-run-path-4.0.1.tgz" 714 | integrity sha512-S48WzZW777zhNIrn7gxOlISNAqi9ZC/uQFnRdbeIHhZhCA6UqpkOT8T1G7BvfdgP4Er8gF4sUbaS0i7QvIfCWw== 715 | dependencies: 716 | path-key "^3.0.0" 717 | 718 | object-assign@^4.0.1: 719 | version "4.1.1" 720 | resolved "https://registry.npmjs.org/object-assign/-/object-assign-4.1.1.tgz" 721 | integrity sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg== 722 | 723 | once@^1.3.0: 724 | version "1.4.0" 725 | resolved "https://registry.npmjs.org/once/-/once-1.4.0.tgz" 726 | integrity sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w== 727 | dependencies: 728 | wrappy "1" 729 | 730 | one-time@^1.0.0: 731 | version "1.0.0" 732 | resolved "https://registry.npmjs.org/one-time/-/one-time-1.0.0.tgz" 733 | integrity sha512-5DXOiRKwuSEcQ/l0kGCF6Q3jcADFv5tSmRaJck/OqkVFcOzutB134KRSfF0xDrL39MNnqxbHBbUUcjZIhTgb2g== 734 | dependencies: 735 | fn.name "1.x.x" 736 | 737 | onetime@^5.1.2: 738 | version "5.1.2" 739 | resolved "https://registry.npmjs.org/onetime/-/onetime-5.1.2.tgz" 740 | integrity sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg== 741 | dependencies: 742 | mimic-fn "^2.1.0" 743 | 744 | path-is-absolute@^1.0.0: 745 | version "1.0.1" 746 | resolved "https://registry.npmjs.org/path-is-absolute/-/path-is-absolute-1.0.1.tgz" 747 | integrity sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg== 748 | 749 | path-key@^3.0.0, path-key@^3.1.0: 750 | version "3.1.1" 751 | resolved "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz" 752 | integrity sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q== 753 | 754 | path-type@^4.0.0: 755 | version "4.0.0" 756 | resolved "https://registry.npmjs.org/path-type/-/path-type-4.0.0.tgz" 757 | integrity sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw== 758 | 759 | peek-readable@^5.0.0: 760 | version "5.0.0" 761 | resolved "https://registry.npmjs.org/peek-readable/-/peek-readable-5.0.0.tgz" 762 | integrity sha512-YtCKvLUOvwtMGmrniQPdO7MwPjgkFBtFIrmfSbYmYuq3tKDV/mcfAhBth1+C3ru7uXIZasc/pHnb+YDYNkkj4A== 763 | 764 | picomatch@^2.0.4, picomatch@^2.2.1, picomatch@^2.3.1: 765 | version "2.3.1" 766 | resolved "https://registry.npmjs.org/picomatch/-/picomatch-2.3.1.tgz" 767 | integrity sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA== 768 | 769 | pirates@^4.0.1: 770 | version "4.0.5" 771 | resolved "https://registry.npmjs.org/pirates/-/pirates-4.0.5.tgz" 772 | integrity sha512-8V9+HQPupnaXMA23c5hvl69zXvTwTzyAYasnkb0Tts4XvO4CliqONMOnvlq26rkhLC3nWDFBJf73LU1e1VZLaQ== 773 | 774 | postcss-load-config@^3.0.1: 775 | version "3.1.4" 776 | resolved "https://registry.npmjs.org/postcss-load-config/-/postcss-load-config-3.1.4.tgz" 777 | integrity sha512-6DiM4E7v4coTE4uzA8U//WhtPwyhiim3eyjEMFCnUpzbrkK9wJHgKDT2mR+HbtSrd/NubVaYTOpSpjUl8NQeRg== 778 | dependencies: 779 | lilconfig "^2.0.5" 780 | yaml "^1.10.2" 781 | 782 | punycode@^2.1.0: 783 | version "2.3.0" 784 | resolved "https://registry.npmjs.org/punycode/-/punycode-2.3.0.tgz" 785 | integrity sha512-rRV+zQD8tVFys26lAGR9WUuS4iUAngJScM+ZRSKtvl5tKeZ2t5bvdNFdNHBW9FWR4guGHlgmsZ1G7BSm2wTbuA== 786 | 787 | queue-microtask@^1.2.2: 788 | version "1.2.3" 789 | resolved "https://registry.npmjs.org/queue-microtask/-/queue-microtask-1.2.3.tgz" 790 | integrity sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A== 791 | 792 | readable-stream@^3.4.0, readable-stream@^3.6.0: 793 | version "3.6.1" 794 | resolved "https://registry.npmjs.org/readable-stream/-/readable-stream-3.6.1.tgz" 795 | integrity sha512-+rQmrWMYGA90yenhTYsLWAsLsqVC8osOw6PKE1HDYiO0gdPeKe/xDHNzIAIn4C91YQ6oenEhfYqqc1883qHbjQ== 796 | dependencies: 797 | inherits "^2.0.3" 798 | string_decoder "^1.1.1" 799 | util-deprecate "^1.0.1" 800 | 801 | readable-web-to-node-stream@^3.0.2: 802 | version "3.0.2" 803 | resolved "https://registry.npmjs.org/readable-web-to-node-stream/-/readable-web-to-node-stream-3.0.2.tgz" 804 | integrity sha512-ePeK6cc1EcKLEhJFt/AebMCLL+GgSKhuygrZ/GLaKZYEecIgIECf4UaUuaByiGtzckwR4ain9VzUh95T1exYGw== 805 | dependencies: 806 | readable-stream "^3.6.0" 807 | 808 | readdirp@~3.6.0: 809 | version "3.6.0" 810 | resolved "https://registry.npmjs.org/readdirp/-/readdirp-3.6.0.tgz" 811 | integrity sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA== 812 | dependencies: 813 | picomatch "^2.2.1" 814 | 815 | resolve-from@^5.0.0: 816 | version "5.0.0" 817 | resolved "https://registry.npmjs.org/resolve-from/-/resolve-from-5.0.0.tgz" 818 | integrity sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw== 819 | 820 | reusify@^1.0.4: 821 | version "1.0.4" 822 | resolved "https://registry.npmjs.org/reusify/-/reusify-1.0.4.tgz" 823 | integrity sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw== 824 | 825 | rollup@^3.2.5: 826 | version "3.14.0" 827 | resolved "https://registry.npmjs.org/rollup/-/rollup-3.14.0.tgz" 828 | integrity sha512-o23sdgCLcLSe3zIplT9nQ1+r97okuaiR+vmAPZPTDYB7/f3tgWIYNyiQveMsZwshBT0is4eGax/HH83Q7CG+/Q== 829 | optionalDependencies: 830 | fsevents "~2.3.2" 831 | 832 | run-parallel@^1.1.9: 833 | version "1.2.0" 834 | resolved "https://registry.npmjs.org/run-parallel/-/run-parallel-1.2.0.tgz" 835 | integrity sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA== 836 | dependencies: 837 | queue-microtask "^1.2.2" 838 | 839 | safe-buffer@~5.2.0: 840 | version "5.2.1" 841 | resolved "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.2.1.tgz" 842 | integrity sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ== 843 | 844 | safe-stable-stringify@^2.3.1: 845 | version "2.4.3" 846 | resolved "https://registry.npmjs.org/safe-stable-stringify/-/safe-stable-stringify-2.4.3.tgz" 847 | integrity sha512-e2bDA2WJT0wxseVd4lsDP4+3ONX6HpMXQa1ZhFQ7SU+GjvORCmShbCMltrtIDfkYhVHrOcPtj+KhmDBdPdZD1g== 848 | 849 | shebang-command@^2.0.0: 850 | version "2.0.0" 851 | resolved "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz" 852 | integrity sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA== 853 | dependencies: 854 | shebang-regex "^3.0.0" 855 | 856 | shebang-regex@^3.0.0: 857 | version "3.0.0" 858 | resolved "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz" 859 | integrity sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A== 860 | 861 | signal-exit@^3.0.3: 862 | version "3.0.7" 863 | resolved "https://registry.npmjs.org/signal-exit/-/signal-exit-3.0.7.tgz" 864 | integrity sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ== 865 | 866 | simple-swizzle@^0.2.2: 867 | version "0.2.2" 868 | resolved "https://registry.npmjs.org/simple-swizzle/-/simple-swizzle-0.2.2.tgz" 869 | integrity sha512-JA//kQgZtbuY83m+xT+tXJkmJncGMTFT+C+g2h2R9uxkYIrE2yy9sgmcLhCnw57/WSD+Eh3J97FPEDFnbXnDUg== 870 | dependencies: 871 | is-arrayish "^0.3.1" 872 | 873 | slash@^3.0.0: 874 | version "3.0.0" 875 | resolved "https://registry.npmjs.org/slash/-/slash-3.0.0.tgz" 876 | integrity sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q== 877 | 878 | source-map@0.8.0-beta.0: 879 | version "0.8.0-beta.0" 880 | resolved "https://registry.npmjs.org/source-map/-/source-map-0.8.0-beta.0.tgz" 881 | integrity sha512-2ymg6oRBpebeZi9UUNsgQ89bhx01TcTkmNTGnNO88imTmbSgy4nfujrgVEFKWpMTEGA11EDkTt7mqObTPdigIA== 882 | dependencies: 883 | whatwg-url "^7.0.0" 884 | 885 | stack-trace@0.0.x: 886 | version "0.0.10" 887 | resolved "https://registry.npmjs.org/stack-trace/-/stack-trace-0.0.10.tgz" 888 | integrity sha512-KGzahc7puUKkzyMt+IqAep+TVNbKP+k2Lmwhub39m1AsTSkaDutx56aDCo+HLDzf/D26BIHTJWNiTG1KAJiQCg== 889 | 890 | streamsearch@^1.1.0: 891 | version "1.1.0" 892 | resolved "https://registry.npmjs.org/streamsearch/-/streamsearch-1.1.0.tgz" 893 | integrity sha512-Mcc5wHehp9aXz1ax6bZUyY5afg9u2rv5cqQI3mRrYkGC8rW2hM02jWuwjtL++LS5qinSyhj2QfLyNsuc+VsExg== 894 | 895 | string_decoder@^1.1.1: 896 | version "1.3.0" 897 | resolved "https://registry.npmjs.org/string_decoder/-/string_decoder-1.3.0.tgz" 898 | integrity sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA== 899 | dependencies: 900 | safe-buffer "~5.2.0" 901 | 902 | strip-final-newline@^2.0.0: 903 | version "2.0.0" 904 | resolved "https://registry.npmjs.org/strip-final-newline/-/strip-final-newline-2.0.0.tgz" 905 | integrity sha512-BrpvfNAE3dcvq7ll3xVumzjKjZQ5tI1sEUIKr3Uoks0XUl45St3FlatVqef9prk4jRDzhW6WZg+3bk93y6pLjA== 906 | 907 | strtok3@^7.0.0: 908 | version "7.0.0" 909 | resolved "https://registry.npmjs.org/strtok3/-/strtok3-7.0.0.tgz" 910 | integrity sha512-pQ+V+nYQdC5H3Q7qBZAz/MO6lwGhoC2gOAjuouGf/VO0m7vQRh8QNMl2Uf6SwAtzZ9bOw3UIeBukEGNJl5dtXQ== 911 | dependencies: 912 | "@tokenizer/token" "^0.3.0" 913 | peek-readable "^5.0.0" 914 | 915 | sucrase@^3.20.3: 916 | version "3.29.0" 917 | resolved "https://registry.npmjs.org/sucrase/-/sucrase-3.29.0.tgz" 918 | integrity sha512-bZPAuGA5SdFHuzqIhTAqt9fvNEo9rESqXIG3oiKdF8K4UmkQxC4KlNL3lVyAErXp+mPvUqZ5l13qx6TrDIGf3A== 919 | dependencies: 920 | commander "^4.0.0" 921 | glob "7.1.6" 922 | lines-and-columns "^1.1.6" 923 | mz "^2.7.0" 924 | pirates "^4.0.1" 925 | ts-interface-checker "^0.1.9" 926 | 927 | text-hex@1.0.x: 928 | version "1.0.0" 929 | resolved "https://registry.npmjs.org/text-hex/-/text-hex-1.0.0.tgz" 930 | integrity sha512-uuVGNWzgJ4yhRaNSiubPY7OjISw4sw4E5Uv0wbjp+OzcbmVU/rsT8ujgcXJhn9ypzsgr5vlzpPqP+MBBKcGvbg== 931 | 932 | thenify-all@^1.0.0: 933 | version "1.6.0" 934 | resolved "https://registry.npmjs.org/thenify-all/-/thenify-all-1.6.0.tgz" 935 | integrity sha512-RNxQH/qI8/t3thXJDwcstUO4zeqo64+Uy/+sNVRBx4Xn2OX+OZ9oP+iJnNFqplFra2ZUVeKCSa2oVWi3T4uVmA== 936 | dependencies: 937 | thenify ">= 3.1.0 < 4" 938 | 939 | "thenify@>= 3.1.0 < 4": 940 | version "3.3.1" 941 | resolved "https://registry.npmjs.org/thenify/-/thenify-3.3.1.tgz" 942 | integrity sha512-RVZSIV5IG10Hk3enotrhvz0T9em6cyHBLkH/YAZuKqd8hRkKhSfCGIcP2KUY0EPxndzANBmNllzWPwak+bheSw== 943 | dependencies: 944 | any-promise "^1.0.0" 945 | 946 | to-regex-range@^5.0.1: 947 | version "5.0.1" 948 | resolved "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz" 949 | integrity sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ== 950 | dependencies: 951 | is-number "^7.0.0" 952 | 953 | token-types@^5.0.1: 954 | version "5.0.1" 955 | resolved "https://registry.npmjs.org/token-types/-/token-types-5.0.1.tgz" 956 | integrity sha512-Y2fmSnZjQdDb9W4w4r1tswlMHylzWIeOKpx0aZH9BgGtACHhrk3OkT52AzwcuqTRBZtvvnTjDBh8eynMulu8Vg== 957 | dependencies: 958 | "@tokenizer/token" "^0.3.0" 959 | ieee754 "^1.2.1" 960 | 961 | tr46@^1.0.1: 962 | version "1.0.1" 963 | resolved "https://registry.npmjs.org/tr46/-/tr46-1.0.1.tgz" 964 | integrity sha512-dTpowEjclQ7Kgx5SdBkqRzVhERQXov8/l9Ft9dVM9fmg0W0KQSVaXX9T4i6twCPNtYiZM53lpSSUAwJbFPOHxA== 965 | dependencies: 966 | punycode "^2.1.0" 967 | 968 | tree-kill@^1.2.2: 969 | version "1.2.2" 970 | resolved "https://registry.npmjs.org/tree-kill/-/tree-kill-1.2.2.tgz" 971 | integrity sha512-L0Orpi8qGpRG//Nd+H90vFB+3iHnue1zSSGmNOOCh1GLJ7rUKVwV2HvijphGQS2UmhUZewS9VgvxYIdgr+fG1A== 972 | 973 | triple-beam@^1.3.0: 974 | version "1.3.0" 975 | resolved "https://registry.npmjs.org/triple-beam/-/triple-beam-1.3.0.tgz" 976 | integrity sha512-XrHUvV5HpdLmIj4uVMxHggLbFSZYIn7HEWsqePZcI50pco+MPqJ50wMGY794X7AOOhxOBAjbkqfAbEe/QMp2Lw== 977 | 978 | ts-interface-checker@^0.1.9: 979 | version "0.1.13" 980 | resolved "https://registry.npmjs.org/ts-interface-checker/-/ts-interface-checker-0.1.13.tgz" 981 | integrity sha512-Y/arvbn+rrz3JCKl9C4kVNfTfSm2/mEp5FSz5EsZSANGPSlQrpRI5M4PKF+mJnE52jOO90PnPSc3Ur3bTQw0gA== 982 | 983 | ts-mixer@^6.0.2: 984 | version "6.0.3" 985 | resolved "https://registry.npmjs.org/ts-mixer/-/ts-mixer-6.0.3.tgz" 986 | integrity sha512-k43M7uCG1AkTyxgnmI5MPwKoUvS/bRvLvUb7+Pgpdlmok8AoqmUaZxUUw8zKM5B1lqZrt41GjYgnvAi0fppqgQ== 987 | 988 | tslib@^2.4.1: 989 | version "2.5.0" 990 | resolved "https://registry.npmjs.org/tslib/-/tslib-2.5.0.tgz" 991 | integrity sha512-336iVw3rtn2BUK7ORdIAHTyxHGRIHVReokCR3XjbckJMK7ms8FysBfhLR8IXnAgy7T0PTPNBWKiH514FOW/WSg== 992 | 993 | tsup@^6.6.0: 994 | version "6.6.0" 995 | resolved "https://registry.npmjs.org/tsup/-/tsup-6.6.0.tgz" 996 | integrity sha512-HxZE7Hj5yNxLFftCXdcJ+Jsax8dI4oKb0bt8fIvd1g/W0FZ46sU1pFBVo15WpOERFcEMH7Hykey/Q+hKO4s9RQ== 997 | dependencies: 998 | bundle-require "^4.0.0" 999 | cac "^6.7.12" 1000 | chokidar "^3.5.1" 1001 | debug "^4.3.1" 1002 | esbuild "^0.17.6" 1003 | execa "^5.0.0" 1004 | globby "^11.0.3" 1005 | joycon "^3.0.1" 1006 | postcss-load-config "^3.0.1" 1007 | resolve-from "^5.0.0" 1008 | rollup "^3.2.5" 1009 | source-map "0.8.0-beta.0" 1010 | sucrase "^3.20.3" 1011 | tree-kill "^1.2.2" 1012 | 1013 | typescript@^4.9.5: 1014 | version "4.9.5" 1015 | resolved "https://registry.npmjs.org/typescript/-/typescript-4.9.5.tgz" 1016 | integrity sha512-1FXk9E2Hm+QzZQ7z+McJiHL4NW1F2EzMu9Nq9i3zAaGqibafqYwCVU6WyWAuyQRRzOlxou8xZSyXLEN8oKj24g== 1017 | 1018 | undici@^5.13.0: 1019 | version "5.20.0" 1020 | resolved "https://registry.npmjs.org/undici/-/undici-5.20.0.tgz" 1021 | integrity sha512-J3j60dYzuo6Eevbawwp1sdg16k5Tf768bxYK4TUJRH7cBM4kFCbf3mOnM/0E3vQYXvpxITbbWmBafaDbxLDz3g== 1022 | dependencies: 1023 | busboy "^1.6.0" 1024 | 1025 | util-deprecate@^1.0.1: 1026 | version "1.0.2" 1027 | resolved "https://registry.npmjs.org/util-deprecate/-/util-deprecate-1.0.2.tgz" 1028 | integrity sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw== 1029 | 1030 | webidl-conversions@^4.0.2: 1031 | version "4.0.2" 1032 | resolved "https://registry.npmjs.org/webidl-conversions/-/webidl-conversions-4.0.2.tgz" 1033 | integrity sha512-YQ+BmxuTgd6UXZW3+ICGfyqRyHXVlD5GtQr5+qjiNW7bF0cqrzX500HVXPBOvgXb5YnzDd+h0zqyv61KUD7+Sg== 1034 | 1035 | whatwg-url@^7.0.0: 1036 | version "7.1.0" 1037 | resolved "https://registry.npmjs.org/whatwg-url/-/whatwg-url-7.1.0.tgz" 1038 | integrity sha512-WUu7Rg1DroM7oQvGWfOiAK21n74Gg+T4elXEQYkOhtyLeWiJFoOGLXPKI/9gzIie9CtwVLm8wtw6YJdKyxSjeg== 1039 | dependencies: 1040 | lodash.sortby "^4.7.0" 1041 | tr46 "^1.0.1" 1042 | webidl-conversions "^4.0.2" 1043 | 1044 | which@^2.0.1: 1045 | version "2.0.2" 1046 | resolved "https://registry.npmjs.org/which/-/which-2.0.2.tgz" 1047 | integrity sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA== 1048 | dependencies: 1049 | isexe "^2.0.0" 1050 | 1051 | winston-transport@^4.5.0: 1052 | version "4.5.0" 1053 | resolved "https://registry.npmjs.org/winston-transport/-/winston-transport-4.5.0.tgz" 1054 | integrity sha512-YpZzcUzBedhlTAfJg6vJDlyEai/IFMIVcaEZZyl3UXIl4gmqRpU7AE89AHLkbzLUsv0NVmw7ts+iztqKxxPW1Q== 1055 | dependencies: 1056 | logform "^2.3.2" 1057 | readable-stream "^3.6.0" 1058 | triple-beam "^1.3.0" 1059 | 1060 | winston@^3.8.2: 1061 | version "3.8.2" 1062 | resolved "https://registry.npmjs.org/winston/-/winston-3.8.2.tgz" 1063 | integrity sha512-MsE1gRx1m5jdTTO9Ld/vND4krP2To+lgDoMEHGGa4HIlAUyXJtfc7CxQcGXVyz2IBpw5hbFkj2b/AtUdQwyRew== 1064 | dependencies: 1065 | "@colors/colors" "1.5.0" 1066 | "@dabh/diagnostics" "^2.0.2" 1067 | async "^3.2.3" 1068 | is-stream "^2.0.0" 1069 | logform "^2.4.0" 1070 | one-time "^1.0.0" 1071 | readable-stream "^3.4.0" 1072 | safe-stable-stringify "^2.3.1" 1073 | stack-trace "0.0.x" 1074 | triple-beam "^1.3.0" 1075 | winston-transport "^4.5.0" 1076 | 1077 | wrappy@1: 1078 | version "1.0.2" 1079 | resolved "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz" 1080 | integrity sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ== 1081 | 1082 | ws@^8.11.0: 1083 | version "8.12.1" 1084 | resolved "https://registry.npmjs.org/ws/-/ws-8.12.1.tgz" 1085 | integrity sha512-1qo+M9Ba+xNhPB+YTWUlK6M17brTut5EXbcBaMRN5pH5dFrXz7lzz1ChFSUq3bOUl8yEvSenhHmYUNJxFzdJew== 1086 | 1087 | yaml@^1.10.2: 1088 | version "1.10.2" 1089 | resolved "https://registry.npmjs.org/yaml/-/yaml-1.10.2.tgz" 1090 | integrity sha512-r3vXyErRCYJ7wg28yvBY5VSoAF8ZvlcW9/BwUzEtUsjvX/DKs24dIkuwjtuprwJJHsbyUbLApepYTR1BN4uHrg== 1091 | --------------------------------------------------------------------------------