From 6097de097da13b4830bf555f28d84ec6e6673d31 Mon Sep 17 00:00:00 2001
From: =?UTF-8?q?Jonny=5FBro=20=28=D0=96=D0=BE=D0=BD=D1=8F=29?=
 <48434875+JonnyBro@users.noreply.github.com>
Date: Sat, 10 Sep 2022 23:38:11 +0500
Subject: [PATCH 01/47] =?UTF-8?q?=D0=AF=20=D0=BC=D1=83=D0=B7=D1=8B=D0=BA?=
 =?UTF-8?q?=D1=83=20=D0=BF=D0=B5=D1=80=D0=B5=D0=BF=D0=B8=D1=81=D0=B0=D0=BB?=
 =?UTF-8?q?=20=3D)=20(#9)?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 base/JaBa.js                                  |   52 +-
 commands/Music/loop.js                        |    2 +-
 commands/Music/nowplaying.js                  |   19 +-
 commands/Music/play.js                        |   25 +-
 commands/Music/queue.js                       |    4 +-
 helpers/Music/.eslintignore                   |    4 +
 helpers/Music/.eslintrc.json                  |   22 +
 helpers/Music/dist/Player.d.ts                |   96 +
 helpers/Music/dist/Player.js                  |  579 +++
 .../Music/dist/Structures/ExtractorModel.d.ts |   29 +
 .../Music/dist/Structures/ExtractorModel.js   |   65 +
 .../Music/dist/Structures/PlayerError.d.ts    |   31 +
 helpers/Music/dist/Structures/PlayerError.js  |   48 +
 helpers/Music/dist/Structures/Playlist.d.ts   |   33 +
 helpers/Music/dist/Structures/Playlist.js     |  108 +
 helpers/Music/dist/Structures/Queue.d.ts      |  241 +
 helpers/Music/dist/Structures/Queue.js        |  761 +++
 helpers/Music/dist/Structures/Track.d.ts      |   53 +
 helpers/Music/dist/Structures/Track.js        |  156 +
 .../dist/VoiceInterface/StreamDispatcher.d.ts |   88 +
 .../dist/VoiceInterface/StreamDispatcher.js   |  225 +
 .../Music/dist/VoiceInterface/VoiceUtils.d.ts |   44 +
 .../Music/dist/VoiceInterface/VoiceUtils.js   |   65 +
 .../VoiceInterface/VolumeTransformer.d.ts     |   34 +
 .../dist/VoiceInterface/VolumeTransformer.js  |  120 +
 helpers/Music/dist/index.d.ts                 |   15 +
 helpers/Music/dist/index.js                   |   33 +
 helpers/Music/dist/index.mjs                  |   21 +
 helpers/Music/dist/smoothVolume.d.ts          |    1 +
 helpers/Music/dist/smoothVolume.js            |   13 +
 helpers/Music/dist/types/types.d.ts           |  453 ++
 helpers/Music/dist/types/types.js             |   58 +
 helpers/Music/dist/utils/AudioFilters.d.ts    |   36 +
 helpers/Music/dist/utils/AudioFilters.js      |   97 +
 helpers/Music/dist/utils/FFmpegStream.d.ts    |   16 +
 helpers/Music/dist/utils/FFmpegStream.js      |   53 +
 helpers/Music/dist/utils/QueryResolver.d.ts   |   20 +
 helpers/Music/dist/utils/QueryResolver.js     |   66 +
 helpers/Music/dist/utils/Util.d.ts            |   53 +
 helpers/Music/dist/utils/Util.js              |  133 +
 helpers/Music/package-lock.json               | 4577 +++++++++++++++++
 helpers/Music/package.json                    |   61 +
 helpers/Music/src/Player.ts                   |  607 +++
 .../Music/src/Structures/ExtractorModel.ts    |   73 +
 helpers/Music/src/Structures/PlayerError.ts   |   53 +
 helpers/Music/src/Structures/Playlist.ts      |  138 +
 helpers/Music/src/Structures/Queue.ts         |  776 +++
 helpers/Music/src/Structures/Track.ts         |  191 +
 .../src/VoiceInterface/StreamDispatcher.ts    |  253 +
 .../Music/src/VoiceInterface/VoiceUtils.ts    |   82 +
 .../src/VoiceInterface/VolumeTransformer.ts   |  144 +
 helpers/Music/src/index.ts                    |   19 +
 helpers/Music/src/smoothVolume.ts             |   12 +
 helpers/Music/src/types/types.ts              |  485 ++
 helpers/Music/src/utils/AudioFilters.ts       |  107 +
 helpers/Music/src/utils/FFmpegStream.ts       |   59 +
 helpers/Music/src/utils/QueryResolver.ts      |   58 +
 helpers/Music/src/utils/Util.ts               |  117 +
 helpers/Music/tsconfig.json                   |   18 +
 helpers/extractor.js                          |  274 -
 package-lock.json                             |  194 +-
 package.json                                  |    4 +-
 62 files changed, 11756 insertions(+), 518 deletions(-)
 create mode 100644 helpers/Music/.eslintignore
 create mode 100644 helpers/Music/.eslintrc.json
 create mode 100644 helpers/Music/dist/Player.d.ts
 create mode 100644 helpers/Music/dist/Player.js
 create mode 100644 helpers/Music/dist/Structures/ExtractorModel.d.ts
 create mode 100644 helpers/Music/dist/Structures/ExtractorModel.js
 create mode 100644 helpers/Music/dist/Structures/PlayerError.d.ts
 create mode 100644 helpers/Music/dist/Structures/PlayerError.js
 create mode 100644 helpers/Music/dist/Structures/Playlist.d.ts
 create mode 100644 helpers/Music/dist/Structures/Playlist.js
 create mode 100644 helpers/Music/dist/Structures/Queue.d.ts
 create mode 100644 helpers/Music/dist/Structures/Queue.js
 create mode 100644 helpers/Music/dist/Structures/Track.d.ts
 create mode 100644 helpers/Music/dist/Structures/Track.js
 create mode 100644 helpers/Music/dist/VoiceInterface/StreamDispatcher.d.ts
 create mode 100644 helpers/Music/dist/VoiceInterface/StreamDispatcher.js
 create mode 100644 helpers/Music/dist/VoiceInterface/VoiceUtils.d.ts
 create mode 100644 helpers/Music/dist/VoiceInterface/VoiceUtils.js
 create mode 100644 helpers/Music/dist/VoiceInterface/VolumeTransformer.d.ts
 create mode 100644 helpers/Music/dist/VoiceInterface/VolumeTransformer.js
 create mode 100644 helpers/Music/dist/index.d.ts
 create mode 100644 helpers/Music/dist/index.js
 create mode 100644 helpers/Music/dist/index.mjs
 create mode 100644 helpers/Music/dist/smoothVolume.d.ts
 create mode 100644 helpers/Music/dist/smoothVolume.js
 create mode 100644 helpers/Music/dist/types/types.d.ts
 create mode 100644 helpers/Music/dist/types/types.js
 create mode 100644 helpers/Music/dist/utils/AudioFilters.d.ts
 create mode 100644 helpers/Music/dist/utils/AudioFilters.js
 create mode 100644 helpers/Music/dist/utils/FFmpegStream.d.ts
 create mode 100644 helpers/Music/dist/utils/FFmpegStream.js
 create mode 100644 helpers/Music/dist/utils/QueryResolver.d.ts
 create mode 100644 helpers/Music/dist/utils/QueryResolver.js
 create mode 100644 helpers/Music/dist/utils/Util.d.ts
 create mode 100644 helpers/Music/dist/utils/Util.js
 create mode 100644 helpers/Music/package-lock.json
 create mode 100644 helpers/Music/package.json
 create mode 100644 helpers/Music/src/Player.ts
 create mode 100644 helpers/Music/src/Structures/ExtractorModel.ts
 create mode 100644 helpers/Music/src/Structures/PlayerError.ts
 create mode 100644 helpers/Music/src/Structures/Playlist.ts
 create mode 100644 helpers/Music/src/Structures/Queue.ts
 create mode 100644 helpers/Music/src/Structures/Track.ts
 create mode 100644 helpers/Music/src/VoiceInterface/StreamDispatcher.ts
 create mode 100644 helpers/Music/src/VoiceInterface/VoiceUtils.ts
 create mode 100644 helpers/Music/src/VoiceInterface/VolumeTransformer.ts
 create mode 100644 helpers/Music/src/index.ts
 create mode 100644 helpers/Music/src/smoothVolume.ts
 create mode 100644 helpers/Music/src/types/types.ts
 create mode 100644 helpers/Music/src/utils/AudioFilters.ts
 create mode 100644 helpers/Music/src/utils/FFmpegStream.ts
 create mode 100644 helpers/Music/src/utils/QueryResolver.ts
 create mode 100644 helpers/Music/src/utils/Util.ts
 create mode 100644 helpers/Music/tsconfig.json
 delete mode 100644 helpers/extractor.js

diff --git a/base/JaBa.js b/base/JaBa.js
index 11c37ae6..fbcca650 100644
--- a/base/JaBa.js
+++ b/base/JaBa.js
@@ -1,9 +1,9 @@
 const { Client, Collection, SlashCommandBuilder, ContextMenuCommandBuilder } = require("discord.js"),
+	{ Player } = require("../helpers/Music/dist/index"),
+	{ DiscordTogether } = require("../helpers/discordTogether"),
 	{ GiveawaysManager } = require("discord-giveaways"),
-	{ Player } = require("discord-player"),
 	{ REST } = require("@discordjs/rest"),
-	{ Routes } = require("discord-api-types/v10"),
-	{ DiscordTogether } = require("../helpers/discordTogether");
+	{ Routes } = require("discord-api-types/v10");
 
 const BaseEvent = require("./BaseEvent.js"),
 	BaseCommand = require("./BaseCommand.js"),
@@ -20,7 +20,6 @@ moment.relativeTimeThreshold("h", 60);
 moment.relativeTimeThreshold("d", 24);
 moment.relativeTimeThreshold("M", 12);
 
-// Creates JaBa class
 class JaBa extends Client {
 	constructor(options) {
 		super(options);
@@ -57,29 +56,28 @@ class JaBa extends Client {
 
 		this.player = new Player(this);
 
-		this.player
-			.on("trackStart", async (queue, track) => {
-				const m = await queue.metadata.channel.send({ content: this.translate("music/play:NOW_PLAYING", { songName: track.title }, queue.metadata.channel.guild.data.language) });
-				if (track.durationMS > 1) {
-					setTimeout(() => {
-						if (m.deletable) m.delete();
-					}, track.durationMS);
-				} else {
-					setTimeout(() => {
-						if (m.deletable) m.delete();
-					}, (10 * 60 * 1000)); // m * s * ms
-				}
-			})
-			.on("queueEnd", queue => queue.metadata.channel.send(this.translate("music/play:QUEUE_ENDED", null, queue.metadata.channel.guild.data.language)))
-			.on("channelEmpty", queue => queue.metadata.channel.send(this.translate("music/play:STOP_EMPTY", null, queue.metadata.channel.guild.data.language)))
-			.on("connectionError", (queue, e) => {
-				console.error(e);
-				queue.metadata.channel.send({ content: this.translate("music/play:ERR_OCCURRED", { error: e.message }, queue.metadata.channel.guild.data.language) });
-			})
-			.on("error", (queue, e) => {
-				console.error(e);
-				queue.metadata.channel.send({ content: this.translate("music/play:ERR_OCCURRED", { error: e.message }, queue.metadata.channel.guild.data.language) });
-			});
+		this.player.on("trackStart", async (queue, track) => {
+			const m = await queue.metadata.channel.send({ content: this.translate("music/play:NOW_PLAYING", { songName: track.title }, queue.metadata.channel.guild.data.language) });
+			if (track.durationMS > 1) {
+				setTimeout(() => {
+					if (m.deletable) m.delete();
+				}, track.durationMS);
+			} else {
+				setTimeout(() => {
+					if (m.deletable) m.delete();
+				}, (10 * 60 * 1000)); // m * s * ms
+			}
+		});
+		this.player.on("queueEnd", queue => queue.metadata.channel.send(this.translate("music/play:QUEUE_ENDED", null, queue.metadata.channel.guild.data.language)));
+		this.player.on("channelEmpty", queue => queue.metadata.channel.send(this.translate("music/play:STOP_EMPTY", null, queue.metadata.channel.guild.data.language)));
+		this.player.on("connectionError", (queue, e) => {
+			console.error(e);
+			queue.metadata.channel.send({ content: this.translate("music/play:ERR_OCCURRED", { error: e.message }, queue.metadata.channel.guild.data.language) });
+		});
+		this.player.on("error", (queue, e) => {
+			console.error(e);
+			queue.metadata.channel.send({ content: this.translate("music/play:ERR_OCCURRED", { error: e.message }, queue.metadata.channel.guild.data.language) });
+		});
 
 		this.giveawaysManager = new GiveawaysManager(this, {
 			storage: "./giveaways.json",
diff --git a/commands/Music/loop.js b/commands/Music/loop.js
index a84b55a6..94cb7a33 100644
--- a/commands/Music/loop.js
+++ b/commands/Music/loop.js
@@ -1,5 +1,5 @@
 const { SlashCommandBuilder, ActionRowBuilder, SelectMenuBuilder } = require("discord.js"),
-	{ QueueRepeatMode } = require("discord-player");
+	{ QueueRepeatMode } = require("../../helpers/Music/dist/index");
 const BaseCommand = require("../../base/BaseCommand");
 
 class Loop extends BaseCommand {
diff --git a/commands/Music/nowplaying.js b/commands/Music/nowplaying.js
index 25855dc9..0456a8e1 100644
--- a/commands/Music/nowplaying.js
+++ b/commands/Music/nowplaying.js
@@ -1,5 +1,5 @@
 const { SlashCommandBuilder, EmbedBuilder } = require("discord.js"),
-	{ QueueRepeatMode } = require("discord-player");
+	{ QueueRepeatMode } = require("../../helpers/Music/dist/index");
 const BaseCommand = require("../../base/BaseCommand");
 
 class Nowplaying extends BaseCommand {
@@ -46,11 +46,24 @@ class Nowplaying extends BaseCommand {
 			.addFields([
 				{
 					name: interaction.translate("music/nowplaying:T_TITLE"),
-					value: `[${track.title}](${track.url})`
+					value: `[${track.title}](${track.url})`,
+					inline: true
 				},
 				{
 					name: interaction.translate("music/nowplaying:T_AUTHOR"),
-					value: track.author || interaction.translate("common:UNKNOWN")
+					value: track.author || interaction.translate("common:UNKNOWN"),
+					inline: true
+				},
+				{ name: "\u200B", value: "\u200B", inline: true },
+				{
+					name: interaction.translate("common:VIEWS"),
+					value: new Intl.NumberFormat(interaction.client.languages.find(language => language.name === interaction.guild.data.language).moment, { notation: "standard" }).format(track.views),
+					inline: true
+				},
+				{
+					name: interaction.translate("music/queue:ADDED"),
+					value: track.requestedBy.toString(),
+					inline: true
 				},
 				{
 					name: interaction.translate("music/nowplaying:T_DURATION"),
diff --git a/commands/Music/play.js b/commands/Music/play.js
index 6d5c31f9..761be1b7 100644
--- a/commands/Music/play.js
+++ b/commands/Music/play.js
@@ -1,7 +1,6 @@
 const { SlashCommandBuilder, EmbedBuilder, ActionRowBuilder, ButtonBuilder, ButtonStyle, PermissionsBitField } = require("discord.js"),
-	{ Track, Util } = require("discord-player");
-const BaseCommand = require("../../base/BaseCommand"),
-	playdl = require("play-dl");
+	{ QueryType } = require("../../helpers/Music/dist/index");
+const BaseCommand = require("../../base/BaseCommand");
 
 class Play extends BaseCommand {
 	/**
@@ -74,6 +73,7 @@ class Play extends BaseCommand {
 					return interaction.editReply({ content: interaction.translate("music/play:NO_RESULT", { query, error: "Unknown Error" }) });
 			}
 		} catch (error) {
+			console.log(error);
 			return interaction.editReply({
 				content: interaction.translate("music/play:NO_RESULT", {
 					query,
@@ -82,23 +82,12 @@ class Play extends BaseCommand {
 			});
 		}
 
-		const queue = client.player.getQueue(interaction.guildId) || client.player.createQueue(interaction.guild, {
+		const queue = await client.player.getQueue(interaction.guildId) || client.player.createQueue(interaction.guild, {
 			metadata: { channel: interaction.channel },
+			autoSelfDeaf: true,
 			leaveOnEnd: true,
 			leaveOnStop: true,
 			bufferingTimeout: 1000,
-			disableVolume: false,
-			spotifyBridge: false,
-			/**
-			 *
-			 * @param {import("discord-player").Track} track
-			 * @param {import("discord-player").TrackSource} source
-			 * @param {import("discord-player").Queue} queue
-			 */
-			async onBeforeCreateStream(track, source) {
-				if (source === "youtube" || source === "soundcloud")
-					return (await playdl.stream(track.url, { discordPlayerCompatibility: true })).stream;
-			}
 		});
 
 		if (searchResult.searched) {
@@ -163,7 +152,9 @@ class Play extends BaseCommand {
 				}))
 				.setColor(client.config.embed.color)
 				.setDescription(searchResult.tracks.map(track => {
-					const views = new Intl.NumberFormat(interaction.client.languages.find(language => language.name === interaction.guild.data.language).moment, {
+					var views;
+					if (track.raw.live) views = "🔴 LIVE";
+					else views = new Intl.NumberFormat(interaction.client.languages.find(language => language.name === interaction.guild.data.language).moment, {
 						notation: "compact", compactDisplay: "short"
 					}).format(track.views);
 
diff --git a/commands/Music/queue.js b/commands/Music/queue.js
index 8277340c..4dae6a2b 100644
--- a/commands/Music/queue.js
+++ b/commands/Music/queue.js
@@ -1,5 +1,5 @@
 const { SlashCommandBuilder, EmbedBuilder, ActionRowBuilder, ButtonBuilder, ButtonStyle } = require("discord.js"),
-	{ QueueRepeatMode } = require("discord-player");
+	{ QueueRepeatMode } = require("../../helpers/Music/dist/index");
 const BaseCommand = require("../../base/BaseCommand");
 
 class Queue extends BaseCommand {
@@ -151,7 +151,7 @@ class Queue extends BaseCommand {
 /**
  *
  * @param {import("discord.js").ChatInputCommandInteraction} interaction
- * @param {import("discord-player").Queue} queue
+ * @param {import("../../helpers/Music/dist/index").Queue} queue
  * @returns
  */
 function generateQueueEmbeds(interaction, queue) {
diff --git a/helpers/Music/.eslintignore b/helpers/Music/.eslintignore
new file mode 100644
index 00000000..cc4c338f
--- /dev/null
+++ b/helpers/Music/.eslintignore
@@ -0,0 +1,4 @@
+node_modules/
+dist/
+
+*.d.ts
\ No newline at end of file
diff --git a/helpers/Music/.eslintrc.json b/helpers/Music/.eslintrc.json
new file mode 100644
index 00000000..d7521756
--- /dev/null
+++ b/helpers/Music/.eslintrc.json
@@ -0,0 +1,22 @@
+{
+    "root": true,
+    "parser": "@typescript-eslint/parser",
+    "env": {
+        "node": true
+    },
+    "plugins": [
+        "@typescript-eslint"
+    ],
+    "extends": [
+        "eslint:recommended",
+        "plugin:@typescript-eslint/recommended"
+    ],
+    "rules": {
+        "@typescript-eslint/explicit-module-boundary-types": "off",
+        "@typescript-eslint/no-unused-vars": "error",
+        "@typescript-eslint/no-explicit-any": "error",
+        "@typescript-eslint/ban-ts-comment": "error",
+        "semi": "error",
+        "no-console": "error"
+    }
+}
\ No newline at end of file
diff --git a/helpers/Music/dist/Player.d.ts b/helpers/Music/dist/Player.d.ts
new file mode 100644
index 00000000..02a4fa73
--- /dev/null
+++ b/helpers/Music/dist/Player.d.ts
@@ -0,0 +1,96 @@
+import { Client, Collection, GuildResolvable } from "discord.js";
+import { TypedEmitter as EventEmitter } from "tiny-typed-emitter";
+import { Queue } from "./Structures/Queue";
+import { VoiceUtils } from "./VoiceInterface/VoiceUtils";
+import { PlayerEvents, PlayerOptions, SearchOptions, PlayerInitOptions, PlayerSearchResult, PlaylistInitData } from "./types/types";
+import Track from "./Structures/Track";
+import { Playlist } from "./Structures/Playlist";
+import { ExtractorModel } from "./Structures/ExtractorModel";
+declare class Player extends EventEmitter<PlayerEvents> {
+    readonly client: Client;
+    readonly options: PlayerInitOptions;
+    readonly queues: Collection<string, Queue<unknown>>;
+    readonly voiceUtils: VoiceUtils;
+    readonly extractors: Collection<string, ExtractorModel>;
+    requiredEvents: string[];
+    /**
+     * Creates new Discord Player
+     * @param {Client} client The Discord Client
+     * @param {PlayerInitOptions} [options] The player init options
+     */
+    constructor(client: Client, options?: PlayerInitOptions);
+    /**
+     * Handles voice state update
+     * @param {VoiceState} oldState The old voice state
+     * @param {VoiceState} newState The new voice state
+     * @returns {void}
+     * @private
+     */
+    private _handleVoiceState;
+    /**
+     * Creates a queue for a guild if not available, else returns existing queue
+     * @param {GuildResolvable} guild The guild
+     * @param {PlayerOptions} queueInitOptions Queue init options
+     * @returns {Queue}
+     */
+    createQueue<T = unknown>(guild: GuildResolvable, queueInitOptions?: PlayerOptions & {
+        metadata?: T;
+    }): Queue<T>;
+    /**
+     * Returns the queue if available
+     * @param {GuildResolvable} guild The guild id
+     * @returns {Queue}
+     */
+    getQueue<T = unknown>(guild: GuildResolvable): Queue<T>;
+    /**
+     * Deletes a queue and returns deleted queue object
+     * @param {GuildResolvable} guild The guild id to remove
+     * @returns {Queue}
+     */
+    deleteQueue<T = unknown>(guild: GuildResolvable): Queue<T>;
+    /**
+     * @typedef {object} PlayerSearchResult
+     * @property {Playlist} [playlist] The playlist (if any)
+     * @property {Track[]} tracks The tracks
+     */
+    /**
+     * Search tracks
+     * @param {string|Track} query The search query
+     * @param {SearchOptions} options The search options
+     * @returns {Promise<PlayerSearchResult>}
+     */
+    search(query: string | Track, options: SearchOptions): Promise<PlayerSearchResult>;
+    /**
+     * Registers extractor
+     * @param {string} extractorName The extractor name
+     * @param {ExtractorModel|any} extractor The extractor object
+     * @param {boolean} [force=false] Overwrite existing extractor with this name (if available)
+     * @returns {ExtractorModel}
+     */
+    use(extractorName: string, extractor: ExtractorModel | any, force?: boolean): ExtractorModel;
+    /**
+     * Removes registered extractor
+     * @param {string} extractorName The extractor name
+     * @returns {ExtractorModel}
+     */
+    unuse(extractorName: string): ExtractorModel;
+    /**
+     * Generates a report of the dependencies used by the `@discordjs/voice` module. Useful for debugging.
+     * @returns {string}
+     */
+    scanDeps(): string;
+    emit<U extends keyof PlayerEvents>(eventName: U, ...args: Parameters<PlayerEvents[U]>): boolean;
+    /**
+     * Resolves queue
+     * @param {GuildResolvable|Queue} queueLike Queue like object
+     * @returns {Queue}
+     */
+    resolveQueue<T>(queueLike: GuildResolvable | Queue): Queue<T>;
+    [Symbol.iterator](): Generator<Queue<unknown>, void, undefined>;
+    /**
+     * Creates `Playlist` instance
+     * @param data The data to initialize a playlist
+     */
+    createPlaylist(data: PlaylistInitData): Playlist;
+}
+export { Player };
diff --git a/helpers/Music/dist/Player.js b/helpers/Music/dist/Player.js
new file mode 100644
index 00000000..4cde7d71
--- /dev/null
+++ b/helpers/Music/dist/Player.js
@@ -0,0 +1,579 @@
+"use strict";
+Object.defineProperty(exports, "__esModule", { value: true });
+exports.Player = void 0;
+const tslib_1 = require("tslib");
+const discord_js_1 = require("discord.js");
+const tiny_typed_emitter_1 = require("tiny-typed-emitter");
+const Queue_1 = require("./Structures/Queue");
+const VoiceUtils_1 = require("./VoiceInterface/VoiceUtils");
+const types_1 = require("./types/types");
+const Track_1 = tslib_1.__importDefault(require("./Structures/Track"));
+const play_dl_1 = tslib_1.__importDefault(require("play-dl"));
+const spotify_url_info_1 = tslib_1.__importDefault(require("spotify-url-info"));
+const QueryResolver_1 = require("./utils/QueryResolver");
+const Util_1 = require("./utils/Util");
+const PlayerError_1 = require("./Structures/PlayerError");
+const Playlist_1 = require("./Structures/Playlist");
+const ExtractorModel_1 = require("./Structures/ExtractorModel");
+const voice_1 = require("@discordjs/voice");
+class Player extends tiny_typed_emitter_1.TypedEmitter {
+    /**
+     * Creates new Discord Player
+     * @param {Client} client The Discord Client
+     * @param {PlayerInitOptions} [options] The player init options
+     */
+    constructor(client, options = {}) {
+        super();
+        this.options = {
+            autoRegisterExtractor: true,
+            connectionTimeout: 20000
+        };
+        this.queues = new discord_js_1.Collection();
+        this.voiceUtils = new VoiceUtils_1.VoiceUtils();
+        this.extractors = new discord_js_1.Collection();
+        this.requiredEvents = ["error", "connectionError"];
+        /**
+         * The discord.js client
+         * @type {Client}
+         */
+        this.client = client;
+        if (this.client?.options?.intents && !new discord_js_1.IntentsBitField(this.client?.options?.intents).has(discord_js_1.IntentsBitField.Flags.GuildVoiceStates)) {
+            throw new PlayerError_1.PlayerError('client is missing "GuildVoiceStates" intent');
+        }
+        /**
+         * The extractors collection
+         * @type {ExtractorModel}
+         */
+        this.options = Object.assign(this.options, options);
+        this.client.on("voiceStateUpdate", this._handleVoiceState.bind(this));
+        if (this.options?.autoRegisterExtractor) {
+            let nv; // eslint-disable-line @typescript-eslint/no-explicit-any
+            if ((nv = Util_1.Util.require("@discord-player/extractor"))) {
+                ["Attachment", "Facebook", "Reverbnation", "Vimeo"].forEach((ext) => void this.use(ext, nv[ext]));
+            }
+        }
+    }
+    /**
+     * Handles voice state update
+     * @param {VoiceState} oldState The old voice state
+     * @param {VoiceState} newState The new voice state
+     * @returns {void}
+     * @private
+     */
+    _handleVoiceState(oldState, newState) {
+        const queue = this.getQueue(oldState.guild.id);
+        if (!queue || !queue.connection)
+            return;
+        if (oldState.channelId && !newState.channelId && newState.member.id === newState.guild.members.me.id) {
+            try {
+                queue.destroy();
+            }
+            catch {
+                /* noop */
+            }
+            return void this.emit("botDisconnect", queue);
+        }
+        if (!oldState.channelId && newState.channelId && newState.member.id === newState.guild.members.me.id) {
+            if (!oldState.serverMute && newState.serverMute) {
+                // state.serverMute can be null
+                queue.setPaused(!!newState.serverMute);
+            }
+            else if (!oldState.suppress && newState.suppress) {
+                // state.suppress can be null
+                queue.setPaused(!!newState.suppress);
+                if (newState.suppress) {
+                    newState.guild.members.me.voice.setRequestToSpeak(true).catch(Util_1.Util.noop);
+                }
+            }
+        }
+        if (oldState.channelId === newState.channelId && newState.member.id === newState.guild.members.me.id) {
+            if (!oldState.serverMute && newState.serverMute) {
+                // state.serverMute can be null
+                queue.setPaused(!!newState.serverMute);
+            }
+            else if (!oldState.suppress && newState.suppress) {
+                // state.suppress can be null
+                queue.setPaused(!!newState.suppress);
+                if (newState.suppress) {
+                    newState.guild.members.me.voice.setRequestToSpeak(true).catch(Util_1.Util.noop);
+                }
+            }
+        }
+        if (queue.connection && !newState.channelId && oldState.channelId === queue.connection.channel.id) {
+            if (!Util_1.Util.isVoiceEmpty(queue.connection.channel))
+                return;
+            const timeout = setTimeout(() => {
+                if (!Util_1.Util.isVoiceEmpty(queue.connection.channel))
+                    return;
+                if (!this.queues.has(queue.guild.id))
+                    return;
+                if (queue.options.leaveOnEmpty)
+                    queue.destroy(true);
+                this.emit("channelEmpty", queue);
+            }, queue.options.leaveOnEmptyCooldown || 0).unref();
+            queue._cooldownsTimeout.set(`empty_${oldState.guild.id}`, timeout);
+        }
+        if (queue.connection && newState.channelId && newState.channelId === queue.connection.channel.id) {
+            const emptyTimeout = queue._cooldownsTimeout.get(`empty_${oldState.guild.id}`);
+            const channelEmpty = Util_1.Util.isVoiceEmpty(queue.connection.channel);
+            if (!channelEmpty && emptyTimeout) {
+                clearTimeout(emptyTimeout);
+                queue._cooldownsTimeout.delete(`empty_${oldState.guild.id}`);
+            }
+        }
+        if (oldState.channelId && newState.channelId && oldState.channelId !== newState.channelId && newState.member.id === newState.guild.members.me.id) {
+            if (queue.connection && newState.member.id === newState.guild.members.me.id)
+                queue.connection.channel = newState.channel;
+            const emptyTimeout = queue._cooldownsTimeout.get(`empty_${oldState.guild.id}`);
+            const channelEmpty = Util_1.Util.isVoiceEmpty(queue.connection.channel);
+            if (!channelEmpty && emptyTimeout) {
+                clearTimeout(emptyTimeout);
+                queue._cooldownsTimeout.delete(`empty_${oldState.guild.id}`);
+            }
+            else {
+                const timeout = setTimeout(() => {
+                    if (queue.connection && !Util_1.Util.isVoiceEmpty(queue.connection.channel))
+                        return;
+                    if (!this.queues.has(queue.guild.id))
+                        return;
+                    if (queue.options.leaveOnEmpty)
+                        queue.destroy(true);
+                    this.emit("channelEmpty", queue);
+                }, queue.options.leaveOnEmptyCooldown || 0).unref();
+                queue._cooldownsTimeout.set(`empty_${oldState.guild.id}`, timeout);
+            }
+        }
+    }
+    /**
+     * Creates a queue for a guild if not available, else returns existing queue
+     * @param {GuildResolvable} guild The guild
+     * @param {PlayerOptions} queueInitOptions Queue init options
+     * @returns {Queue}
+     */
+    createQueue(guild, queueInitOptions = {}) {
+        guild = this.client.guilds.resolve(guild);
+        if (!guild)
+            throw new PlayerError_1.PlayerError("Unknown Guild", PlayerError_1.ErrorStatusCode.UNKNOWN_GUILD);
+        if (this.queues.has(guild.id))
+            return this.queues.get(guild.id);
+        const _meta = queueInitOptions.metadata;
+        delete queueInitOptions["metadata"];
+        queueInitOptions.volumeSmoothness ?? (queueInitOptions.volumeSmoothness = 0.08);
+        const queue = new Queue_1.Queue(this, guild, queueInitOptions);
+        queue.metadata = _meta;
+        this.queues.set(guild.id, queue);
+        return queue;
+    }
+    /**
+     * Returns the queue if available
+     * @param {GuildResolvable} guild The guild id
+     * @returns {Queue}
+     */
+    getQueue(guild) {
+        guild = this.client.guilds.resolve(guild);
+        if (!guild)
+            throw new PlayerError_1.PlayerError("Unknown Guild", PlayerError_1.ErrorStatusCode.UNKNOWN_GUILD);
+        return this.queues.get(guild.id);
+    }
+    /**
+     * Deletes a queue and returns deleted queue object
+     * @param {GuildResolvable} guild The guild id to remove
+     * @returns {Queue}
+     */
+    deleteQueue(guild) {
+        guild = this.client.guilds.resolve(guild);
+        if (!guild)
+            throw new PlayerError_1.PlayerError("Unknown Guild", PlayerError_1.ErrorStatusCode.UNKNOWN_GUILD);
+        const prev = this.getQueue(guild);
+        try {
+            prev.destroy();
+        }
+        catch { } // eslint-disable-line no-empty
+        this.queues.delete(guild.id);
+        return prev;
+    }
+    /**
+     * @typedef {object} PlayerSearchResult
+     * @property {Playlist} [playlist] The playlist (if any)
+     * @property {Track[]} tracks The tracks
+     */
+    /**
+     * Search tracks
+     * @param {string|Track} query The search query
+     * @param {SearchOptions} options The search options
+     * @returns {Promise<PlayerSearchResult>}
+     */
+    async search(query, options) {
+        if (query instanceof Track_1.default)
+            return { playlist: query.playlist || null, tracks: [query] };
+        if (!options)
+            throw new PlayerError_1.PlayerError("DiscordPlayer#search needs search options!", PlayerError_1.ErrorStatusCode.INVALID_ARG_TYPE);
+        options.requestedBy = this.client.users.resolve(options.requestedBy);
+        if (!("searchEngine" in options))
+            options.searchEngine = types_1.QueryType.AUTO;
+        if (typeof options.searchEngine === "string" && this.extractors.has(options.searchEngine)) {
+            const extractor = this.extractors.get(options.searchEngine);
+            if (!extractor.validate(query))
+                return { playlist: null, tracks: [] };
+            const data = await extractor.handle(query);
+            if (data && data.data.length) {
+                const playlist = !data.playlist
+                    ? null
+                    : new Playlist_1.Playlist(this, {
+                        ...data.playlist,
+                        tracks: []
+                    });
+                const tracks = data.data.map((m) => new Track_1.default(this, {
+                    ...m,
+                    requestedBy: options.requestedBy,
+                    duration: Util_1.Util.buildTimeCode(Util_1.Util.parseMS(m.duration)),
+                    playlist: playlist
+                }));
+                if (playlist)
+                    playlist.tracks = tracks;
+                return { playlist: playlist, tracks: tracks };
+            }
+        }
+        // eslint-disable-next-line @typescript-eslint/no-unused-vars
+        for (const [_, extractor] of this.extractors) {
+            if (options.blockExtractor)
+                break;
+            if (!extractor.validate(query))
+                continue;
+            const data = await extractor.handle(query);
+            if (data && data.data.length) {
+                const playlist = !data.playlist
+                    ? null
+                    : new Playlist_1.Playlist(this, {
+                        ...data.playlist,
+                        tracks: []
+                    });
+                const tracks = data.data.map((m) => new Track_1.default(this, {
+                    ...m,
+                    requestedBy: options.requestedBy,
+                    duration: Util_1.Util.buildTimeCode(Util_1.Util.parseMS(m.duration)),
+                    playlist: playlist
+                }));
+                if (playlist)
+                    playlist.tracks = tracks;
+                return { playlist: playlist, tracks: tracks };
+            }
+        }
+        const qt = options.searchEngine === types_1.QueryType.AUTO ? await QueryResolver_1.QueryResolver.resolve(query) : options.searchEngine;
+        switch (qt) {
+            case types_1.QueryType.YOUTUBE_VIDEO: {
+                const info = await play_dl_1.default.video_info(query).catch(Util_1.Util.noop);
+                if (!info)
+                    return { playlist: null, tracks: [] };
+                const track = new Track_1.default(this, {
+                    title: info.video_details.title,
+                    description: info.video_details.description,
+                    author: info.video_details.channel?.name,
+                    url: info.video_details.url,
+                    requestedBy: options.requestedBy,
+                    thumbnail: Util_1.Util.last(info.video_details.thumbnails)?.url,
+                    views: info.video_details.views || 0,
+                    duration: Util_1.Util.buildTimeCode(Util_1.Util.parseMS(info.video_details.durationInSec * 1000)),
+                    source: "youtube",
+                    raw: info
+                });
+                return { playlist: null, tracks: [track] };
+            }
+            case types_1.QueryType.YOUTUBE_SEARCH: {
+                const videos = await play_dl_1.default.search(query, {
+                    limit: 10,
+                    source: { youtube: "video" }
+                }).catch(Util_1.Util.noop);
+                if (!videos)
+                    return { playlist: null, tracks: [] };
+                const tracks = videos.map(m => {
+                    m.source = "youtube"; // eslint-disable-line @typescript-eslint/no-explicit-any
+                    return new Track_1.default(this, {
+                        title: m.title,
+                        description: m.description,
+                        author: m.channel?.name,
+                        url: m.url,
+                        requestedBy: options.requestedBy,
+                        thumbnail: Util_1.Util.last(m.thumbnails).url,
+                        views: m.views,
+                        duration: m.durationRaw,
+                        source: "youtube",
+                        raw: m
+                    });
+                });
+                return { playlist: null, tracks, searched: true };
+            }
+            case types_1.QueryType.SOUNDCLOUD_TRACK:
+            case types_1.QueryType.SOUNDCLOUD_SEARCH: {
+                const result = await QueryResolver_1.QueryResolver.resolve(query) === types_1.QueryType.SOUNDCLOUD_TRACK ? [{ url: query }] : await play_dl_1.default.search(query, {
+                    limit: 5,
+                    source: { soundcloud: "tracks" }
+                }).catch(() => []);
+                if (!result || !result.length)
+                    return { playlist: null, tracks: [] };
+                const res = [];
+                for (const r of result) {
+                    const trackInfo = await play_dl_1.default.soundcloud(r.url).catch(Util_1.Util.noop);
+                    if (!trackInfo)
+                        continue;
+                    const track = new Track_1.default(this, {
+                        title: trackInfo.name,
+                        url: trackInfo.url,
+                        duration: Util_1.Util.buildTimeCode(Util_1.Util.parseMS(trackInfo.durationInMs)),
+                        description: "",
+                        thumbnail: trackInfo.user.thumbnail,
+                        views: 0,
+                        author: trackInfo.user.name,
+                        requestedBy: options.requestedBy,
+                        source: "soundcloud",
+                        engine: trackInfo
+                    });
+                    res.push(track);
+                }
+                return { playlist: null, tracks: res };
+            }
+            case types_1.QueryType.SPOTIFY_SONG: {
+                const spotifyData = await (0, spotify_url_info_1.default)(await Util_1.Util.getFetch())
+                    .getData(query)
+                    .catch(Util_1.Util.noop);
+                if (!spotifyData)
+                    return { playlist: null, tracks: [] };
+                const spotifyTrack = new Track_1.default(this, {
+                    title: spotifyData.name,
+                    description: spotifyData.description ?? "",
+                    author: spotifyData.artists[0]?.name ?? "Unknown Artist",
+                    url: spotifyData.external_urls?.spotify ?? query,
+                    thumbnail: spotifyData.album?.images[0]?.url ?? spotifyData.preview_url?.length
+                        ? `https://i.scdn.co/image/${spotifyData.preview_url?.split("?cid=")[1]}`
+                        : "https://www.scdn.co/i/_global/twitter_card-default.jpg",
+                    duration: Util_1.Util.buildTimeCode(Util_1.Util.parseMS(spotifyData.duration_ms)),
+                    views: 0,
+                    requestedBy: options.requestedBy,
+                    source: "spotify"
+                });
+                return { playlist: null, tracks: [spotifyTrack] };
+            }
+            case types_1.QueryType.SPOTIFY_PLAYLIST:
+            case types_1.QueryType.SPOTIFY_ALBUM: {
+                const spotifyPlaylist = await (0, spotify_url_info_1.default)(await Util_1.Util.getFetch())
+                    .getData(query)
+                    .catch(Util_1.Util.noop);
+                if (!spotifyPlaylist)
+                    return { playlist: null, tracks: [] };
+                const playlist = new Playlist_1.Playlist(this, {
+                    title: spotifyPlaylist.name ?? spotifyPlaylist.title,
+                    description: spotifyPlaylist.description ?? "",
+                    thumbnail: spotifyPlaylist.images[0]?.url ?? "https://www.scdn.co/i/_global/twitter_card-default.jpg",
+                    type: spotifyPlaylist.type,
+                    source: "spotify",
+                    author: spotifyPlaylist.type !== "playlist"
+                        ? {
+                            name: spotifyPlaylist.artists[0]?.name ?? "Unknown Artist",
+                            url: spotifyPlaylist.artists[0]?.external_urls?.spotify ?? null
+                        }
+                        : {
+                            name: spotifyPlaylist.owner?.display_name ?? spotifyPlaylist.owner?.id ?? "Unknown Artist",
+                            url: spotifyPlaylist.owner?.external_urls?.spotify ?? null
+                        },
+                    tracks: [],
+                    id: spotifyPlaylist.id,
+                    url: spotifyPlaylist.external_urls?.spotify ?? query,
+                    rawPlaylist: spotifyPlaylist
+                });
+                if (spotifyPlaylist.type !== "playlist") {
+                    // eslint-disable-next-line @typescript-eslint/no-explicit-any
+                    playlist.tracks = spotifyPlaylist.tracks.items.map((m) => {
+                        const data = new Track_1.default(this, {
+                            title: m.name ?? "",
+                            description: m.description ?? "",
+                            author: m.artists[0]?.name ?? "Unknown Artist",
+                            url: m.external_urls?.spotify ?? query,
+                            thumbnail: spotifyPlaylist.images[0]?.url ?? "https://www.scdn.co/i/_global/twitter_card-default.jpg",
+                            duration: Util_1.Util.buildTimeCode(Util_1.Util.parseMS(m.duration_ms)),
+                            views: 0,
+                            requestedBy: options.requestedBy,
+                            playlist,
+                            source: "spotify"
+                        });
+                        return data;
+                    });
+                }
+                else {
+                    // eslint-disable-next-line @typescript-eslint/no-explicit-any
+                    playlist.tracks = spotifyPlaylist.tracks.items.map((m) => {
+                        const data = new Track_1.default(this, {
+                            title: m.track.name ?? "",
+                            description: m.track.description ?? "",
+                            author: m.track.artists?.[0]?.name ?? "Unknown Artist",
+                            url: m.track.external_urls?.spotify ?? query,
+                            thumbnail: m.track.album?.images?.[0]?.url ?? "https://www.scdn.co/i/_global/twitter_card-default.jpg",
+                            duration: Util_1.Util.buildTimeCode(Util_1.Util.parseMS(m.track.duration_ms)),
+                            views: 0,
+                            requestedBy: options.requestedBy,
+                            playlist,
+                            source: "spotify"
+                        });
+                        return data;
+                    });
+                }
+                return { playlist: playlist, tracks: playlist.tracks };
+            }
+            case types_1.QueryType.SOUNDCLOUD_PLAYLIST: {
+                const data = await play_dl_1.default.soundcloud(query).catch(Util_1.Util.noop);
+                if (!data)
+                    return { playlist: null, tracks: [] };
+                const res = new Playlist_1.Playlist(this, {
+                    title: data.name,
+                    description: "",
+                    thumbnail: "https://soundcloud.com/pwa-icon-192.png",
+                    type: "playlist",
+                    source: "soundcloud",
+                    author: {
+                        name: data.user.name ?? "Unknown Owner",
+                        url: data.user.url
+                    },
+                    tracks: [],
+                    id: `${data.id}`,
+                    url: data.url,
+                    rawPlaylist: data
+                });
+                const songs = await data.all_tracks();
+                for (const song of songs) {
+                    const track = new Track_1.default(this, {
+                        title: song.name,
+                        description: "",
+                        author: song.publisher.name ?? "Unknown Publisher",
+                        url: song.url,
+                        thumbnail: song.thumbnail,
+                        duration: Util_1.Util.buildTimeCode(Util_1.Util.parseMS(song.durationInMs)),
+                        views: 0,
+                        requestedBy: options.requestedBy,
+                        playlist: res,
+                        source: "soundcloud",
+                        engine: song
+                    });
+                    res.tracks.push(track);
+                }
+                return { playlist: res, tracks: res.tracks };
+            }
+            case types_1.QueryType.YOUTUBE_PLAYLIST: {
+                const ytpl = await play_dl_1.default.playlist_info(query, { incomplete: true }).catch(Util_1.Util.noop);
+                if (!ytpl)
+                    return { playlist: null, tracks: [] };
+                const playlist = new Playlist_1.Playlist(this, {
+                    title: ytpl.title,
+                    thumbnail: ytpl.thumbnail,
+                    description: "",
+                    type: "playlist",
+                    source: "youtube",
+                    author: {
+                        name: ytpl.channel.name,
+                        url: ytpl.channel.url
+                    },
+                    tracks: [],
+                    id: ytpl.id,
+                    url: ytpl.url,
+                    rawPlaylist: ytpl
+                });
+                const videos = await ytpl.all_videos();
+                playlist.tracks = videos.map(video => new Track_1.default(this, {
+                    title: video.title,
+                    description: video.description,
+                    author: video.channel?.name,
+                    url: video.url,
+                    requestedBy: options.requestedBy,
+                    thumbnail: Util_1.Util.last(video.thumbnails).url,
+                    views: video.views,
+                    duration: video.durationRaw,
+                    raw: video,
+                    playlist: playlist,
+                    source: "youtube"
+                }));
+                return { playlist: playlist, tracks: playlist.tracks };
+            }
+            default:
+                return { playlist: null, tracks: [] };
+        }
+    }
+    /**
+     * Registers extractor
+     * @param {string} extractorName The extractor name
+     * @param {ExtractorModel|any} extractor The extractor object
+     * @param {boolean} [force=false] Overwrite existing extractor with this name (if available)
+     * @returns {ExtractorModel}
+     */
+    // eslint-disable-next-line @typescript-eslint/no-explicit-any
+    use(extractorName, extractor, force = false) {
+        if (!extractorName)
+            throw new PlayerError_1.PlayerError("Cannot use unknown extractor!", PlayerError_1.ErrorStatusCode.UNKNOWN_EXTRACTOR);
+        if (this.extractors.has(extractorName) && !force)
+            return this.extractors.get(extractorName);
+        if (extractor instanceof ExtractorModel_1.ExtractorModel) {
+            this.extractors.set(extractorName, extractor);
+            return extractor;
+        }
+        for (const method of ["validate", "getInfo"]) {
+            if (typeof extractor[method] !== "function")
+                throw new PlayerError_1.PlayerError("Invalid extractor data!", PlayerError_1.ErrorStatusCode.INVALID_EXTRACTOR);
+        }
+        const model = new ExtractorModel_1.ExtractorModel(extractorName, extractor);
+        this.extractors.set(model.name, model);
+        return model;
+    }
+    /**
+     * Removes registered extractor
+     * @param {string} extractorName The extractor name
+     * @returns {ExtractorModel}
+     */
+    unuse(extractorName) {
+        if (!this.extractors.has(extractorName))
+            throw new PlayerError_1.PlayerError(`Cannot find extractor "${extractorName}"`, PlayerError_1.ErrorStatusCode.UNKNOWN_EXTRACTOR);
+        const prev = this.extractors.get(extractorName);
+        this.extractors.delete(extractorName);
+        return prev;
+    }
+    /**
+     * Generates a report of the dependencies used by the `@discordjs/voice` module. Useful for debugging.
+     * @returns {string}
+     */
+    scanDeps() {
+        const line = "-".repeat(50);
+        const depsReport = (0, voice_1.generateDependencyReport)();
+        const extractorReport = this.extractors
+            .map((m) => {
+            return `${m.name} :: ${m.version || "0.1.0"}`;
+        })
+            .join("\n");
+        return `${depsReport}\n${line}\nLoaded Extractors:\n${extractorReport || "None"}`;
+    }
+    emit(eventName, ...args) {
+        if (this.requiredEvents.includes(eventName) && !super.eventNames().includes(eventName)) {
+            // eslint-disable-next-line no-console
+            console.error(...args);
+            process.emitWarning(`[DiscordPlayerWarning] Unhandled "${eventName}" event! Events ${this.requiredEvents.map((m) => `"${m}"`).join(", ")} must have event listeners!`);
+            return false;
+        }
+        else {
+            return super.emit(eventName, ...args);
+        }
+    }
+    /**
+     * Resolves queue
+     * @param {GuildResolvable|Queue} queueLike Queue like object
+     * @returns {Queue}
+     */
+    resolveQueue(queueLike) {
+        return this.getQueue(queueLike instanceof Queue_1.Queue ? queueLike.guild : queueLike);
+    }
+    *[Symbol.iterator]() {
+        yield* Array.from(this.queues.values());
+    }
+    /**
+     * Creates `Playlist` instance
+     * @param data The data to initialize a playlist
+     */
+    createPlaylist(data) {
+        return new Playlist_1.Playlist(this, data);
+    }
+}
+exports.Player = Player;
diff --git a/helpers/Music/dist/Structures/ExtractorModel.d.ts b/helpers/Music/dist/Structures/ExtractorModel.d.ts
new file mode 100644
index 00000000..27938306
--- /dev/null
+++ b/helpers/Music/dist/Structures/ExtractorModel.d.ts
@@ -0,0 +1,29 @@
+import { ExtractorModelData } from "../types/types";
+declare class ExtractorModel {
+    name: string;
+    private _raw;
+    /**
+     * Model for raw Discord Player extractors
+     * @param {string} extractorName Name of the extractor
+     * @param {object} data Extractor object
+     */
+    constructor(extractorName: string, data: any);
+    /**
+     * Method to handle requests from `Player.play()`
+     * @param {string} query Query to handle
+     * @returns {Promise<ExtractorModelData>}
+     */
+    handle(query: string): Promise<ExtractorModelData>;
+    /**
+     * Method used by Discord Player to validate query with this extractor
+     * @param {string} query The query to validate
+     * @returns {boolean}
+     */
+    validate(query: string): boolean;
+    /**
+     * The extractor version
+     * @type {string}
+     */
+    get version(): string;
+}
+export { ExtractorModel };
diff --git a/helpers/Music/dist/Structures/ExtractorModel.js b/helpers/Music/dist/Structures/ExtractorModel.js
new file mode 100644
index 00000000..253ddc8d
--- /dev/null
+++ b/helpers/Music/dist/Structures/ExtractorModel.js
@@ -0,0 +1,65 @@
+"use strict";
+Object.defineProperty(exports, "__esModule", { value: true });
+exports.ExtractorModel = void 0;
+class ExtractorModel {
+    /**
+     * Model for raw Discord Player extractors
+     * @param {string} extractorName Name of the extractor
+     * @param {object} data Extractor object
+     */
+    // eslint-disable-next-line @typescript-eslint/no-explicit-any
+    constructor(extractorName, data) {
+        /**
+         * The extractor name
+         * @type {string}
+         */
+        this.name = extractorName;
+        /**
+         * The raw model
+         * @name ExtractorModel#_raw
+         * @type {any}
+         * @private
+         */
+        Object.defineProperty(this, "_raw", { value: data, configurable: false, writable: false, enumerable: false });
+    }
+    /**
+     * Method to handle requests from `Player.play()`
+     * @param {string} query Query to handle
+     * @returns {Promise<ExtractorModelData>}
+     */
+    async handle(query) {
+        const data = await this._raw.getInfo(query);
+        if (!data)
+            return null;
+        return {
+            playlist: data.playlist ?? null,
+            data: data.info?.map((m) => ({
+                title: m.title,
+                duration: m.duration,
+                thumbnail: m.thumbnail,
+                engine: m.engine,
+                views: m.views,
+                author: m.author,
+                description: m.description,
+                url: m.url,
+                source: m.source || "arbitrary"
+            })) ?? []
+        };
+    }
+    /**
+     * Method used by Discord Player to validate query with this extractor
+     * @param {string} query The query to validate
+     * @returns {boolean}
+     */
+    validate(query) {
+        return Boolean(this._raw.validate(query));
+    }
+    /**
+     * The extractor version
+     * @type {string}
+     */
+    get version() {
+        return this._raw.version ?? "0.0.0";
+    }
+}
+exports.ExtractorModel = ExtractorModel;
diff --git a/helpers/Music/dist/Structures/PlayerError.d.ts b/helpers/Music/dist/Structures/PlayerError.d.ts
new file mode 100644
index 00000000..fcd61a5e
--- /dev/null
+++ b/helpers/Music/dist/Structures/PlayerError.d.ts
@@ -0,0 +1,31 @@
+export declare enum ErrorStatusCode {
+    STREAM_ERROR = "StreamError",
+    AUDIO_PLAYER_ERROR = "AudioPlayerError",
+    PLAYER_ERROR = "PlayerError",
+    NO_AUDIO_RESOURCE = "NoAudioResource",
+    UNKNOWN_GUILD = "UnknownGuild",
+    INVALID_ARG_TYPE = "InvalidArgType",
+    UNKNOWN_EXTRACTOR = "UnknownExtractor",
+    INVALID_EXTRACTOR = "InvalidExtractor",
+    INVALID_CHANNEL_TYPE = "InvalidChannelType",
+    INVALID_TRACK = "InvalidTrack",
+    UNKNOWN_REPEAT_MODE = "UnknownRepeatMode",
+    TRACK_NOT_FOUND = "TrackNotFound",
+    NO_CONNECTION = "NoConnection",
+    DESTROYED_QUEUE = "DestroyedQueue"
+}
+export declare class PlayerError extends Error {
+    message: string;
+    statusCode: ErrorStatusCode;
+    createdAt: Date;
+    constructor(message: string, code?: ErrorStatusCode);
+    get createdTimestamp(): number;
+    valueOf(): ErrorStatusCode;
+    toJSON(): {
+        stack: string;
+        code: ErrorStatusCode;
+        message: string;
+        created: number;
+    };
+    toString(): string;
+}
diff --git a/helpers/Music/dist/Structures/PlayerError.js b/helpers/Music/dist/Structures/PlayerError.js
new file mode 100644
index 00000000..e65aeb65
--- /dev/null
+++ b/helpers/Music/dist/Structures/PlayerError.js
@@ -0,0 +1,48 @@
+"use strict";
+Object.defineProperty(exports, "__esModule", { value: true });
+exports.PlayerError = exports.ErrorStatusCode = void 0;
+var ErrorStatusCode;
+(function (ErrorStatusCode) {
+    ErrorStatusCode["STREAM_ERROR"] = "StreamError";
+    ErrorStatusCode["AUDIO_PLAYER_ERROR"] = "AudioPlayerError";
+    ErrorStatusCode["PLAYER_ERROR"] = "PlayerError";
+    ErrorStatusCode["NO_AUDIO_RESOURCE"] = "NoAudioResource";
+    ErrorStatusCode["UNKNOWN_GUILD"] = "UnknownGuild";
+    ErrorStatusCode["INVALID_ARG_TYPE"] = "InvalidArgType";
+    ErrorStatusCode["UNKNOWN_EXTRACTOR"] = "UnknownExtractor";
+    ErrorStatusCode["INVALID_EXTRACTOR"] = "InvalidExtractor";
+    ErrorStatusCode["INVALID_CHANNEL_TYPE"] = "InvalidChannelType";
+    ErrorStatusCode["INVALID_TRACK"] = "InvalidTrack";
+    ErrorStatusCode["UNKNOWN_REPEAT_MODE"] = "UnknownRepeatMode";
+    ErrorStatusCode["TRACK_NOT_FOUND"] = "TrackNotFound";
+    ErrorStatusCode["NO_CONNECTION"] = "NoConnection";
+    ErrorStatusCode["DESTROYED_QUEUE"] = "DestroyedQueue";
+})(ErrorStatusCode = exports.ErrorStatusCode || (exports.ErrorStatusCode = {}));
+class PlayerError extends Error {
+    constructor(message, code = ErrorStatusCode.PLAYER_ERROR) {
+        super();
+        this.createdAt = new Date();
+        this.message = `[${code}] ${message}`;
+        this.statusCode = code;
+        this.name = code;
+        Error.captureStackTrace(this);
+    }
+    get createdTimestamp() {
+        return this.createdAt.getTime();
+    }
+    valueOf() {
+        return this.statusCode;
+    }
+    toJSON() {
+        return {
+            stack: this.stack,
+            code: this.statusCode,
+            message: this.message,
+            created: this.createdTimestamp
+        };
+    }
+    toString() {
+        return this.stack;
+    }
+}
+exports.PlayerError = PlayerError;
diff --git a/helpers/Music/dist/Structures/Playlist.d.ts b/helpers/Music/dist/Structures/Playlist.d.ts
new file mode 100644
index 00000000..ff144b80
--- /dev/null
+++ b/helpers/Music/dist/Structures/Playlist.d.ts
@@ -0,0 +1,33 @@
+import { Player } from "../Player";
+import { Track } from "./Track";
+import { PlaylistInitData, PlaylistJSON, TrackSource } from "../types/types";
+declare class Playlist {
+    readonly player: Player;
+    tracks: Track[];
+    title: string;
+    description: string;
+    thumbnail: string;
+    type: "album" | "playlist";
+    source: TrackSource;
+    author: {
+        name: string;
+        url: string;
+    };
+    id: string;
+    url: string;
+    readonly rawPlaylist?: any;
+    /**
+     * Playlist constructor
+     * @param {Player} player The player
+     * @param {PlaylistInitData} data The data
+     */
+    constructor(player: Player, data: PlaylistInitData);
+    [Symbol.iterator](): Generator<Track, void, undefined>;
+    /**
+     * JSON representation of this playlist
+     * @param {boolean} [withTracks=true] If it should build json with tracks
+     * @returns {PlaylistJSON}
+     */
+    toJSON(withTracks?: boolean): PlaylistJSON;
+}
+export { Playlist };
diff --git a/helpers/Music/dist/Structures/Playlist.js b/helpers/Music/dist/Structures/Playlist.js
new file mode 100644
index 00000000..f86629a6
--- /dev/null
+++ b/helpers/Music/dist/Structures/Playlist.js
@@ -0,0 +1,108 @@
+"use strict";
+Object.defineProperty(exports, "__esModule", { value: true });
+exports.Playlist = void 0;
+class Playlist {
+    /**
+     * Playlist constructor
+     * @param {Player} player The player
+     * @param {PlaylistInitData} data The data
+     */
+    constructor(player, data) {
+        /**
+         * The player
+         * @name Playlist#player
+         * @type {Player}
+         * @readonly
+         */
+        this.player = player;
+        /**
+         * The tracks in this playlist
+         * @name Playlist#tracks
+         * @type {Track[]}
+         */
+        this.tracks = data.tracks ?? [];
+        /**
+         * The author of this playlist
+         * @name Playlist#author
+         * @type {object}
+         */
+        this.author = data.author;
+        /**
+         * The description
+         * @name Playlist#description
+         * @type {string}
+         */
+        this.description = data.description;
+        /**
+         * The thumbnail of this playlist
+         * @name Playlist#thumbnail
+         * @type {string}
+         */
+        this.thumbnail = data.thumbnail;
+        /**
+         * The playlist type:
+         * - `album`
+         * - `playlist`
+         * @name Playlist#type
+         * @type {string}
+         */
+        this.type = data.type;
+        /**
+         * The source of this playlist:
+         * - `youtube`
+         * - `soundcloud`
+         * - `spotify`
+         * - `arbitrary`
+         * @name Playlist#source
+         * @type {string}
+         */
+        this.source = data.source;
+        /**
+         * The playlist id
+         * @name Playlist#id
+         * @type {string}
+         */
+        this.id = data.id;
+        /**
+         * The playlist url
+         * @name Playlist#url
+         * @type {string}
+         */
+        this.url = data.url;
+        /**
+         * The playlist title
+         * @type {string}
+         */
+        this.title = data.title;
+        /**
+         * @name Playlist#rawPlaylist
+         * @type {any}
+         * @readonly
+         */
+    }
+    *[Symbol.iterator]() {
+        yield* this.tracks;
+    }
+    /**
+     * JSON representation of this playlist
+     * @param {boolean} [withTracks=true] If it should build json with tracks
+     * @returns {PlaylistJSON}
+     */
+    toJSON(withTracks = true) {
+        const payload = {
+            id: this.id,
+            url: this.url,
+            title: this.title,
+            description: this.description,
+            thumbnail: this.thumbnail,
+            type: this.type,
+            source: this.source,
+            author: this.author,
+            tracks: []
+        };
+        if (withTracks)
+            payload.tracks = this.tracks.map((m) => m.toJSON(true));
+        return payload;
+    }
+}
+exports.Playlist = Playlist;
diff --git a/helpers/Music/dist/Structures/Queue.d.ts b/helpers/Music/dist/Structures/Queue.d.ts
new file mode 100644
index 00000000..fa21c4c8
--- /dev/null
+++ b/helpers/Music/dist/Structures/Queue.d.ts
@@ -0,0 +1,241 @@
+/// <reference types="node" />
+/// <reference types="node" />
+import { Collection, Guild, GuildChannelResolvable } from "discord.js";
+import { Player } from "../Player";
+import { StreamDispatcher } from "../VoiceInterface/StreamDispatcher";
+import Track from "./Track";
+import { PlayerOptions, PlayerProgressbarOptions, PlayOptions, QueueFilters, QueueRepeatMode, TrackSource } from "../types/types";
+import type { Readable } from "stream";
+declare class Queue<T = unknown> {
+    #private;
+    readonly guild: Guild;
+    readonly player: Player;
+    connection: StreamDispatcher;
+    tracks: Track[];
+    previousTracks: Track[];
+    options: PlayerOptions;
+    playing: boolean;
+    metadata?: T;
+    repeatMode: QueueRepeatMode;
+    readonly id: string;
+    private _streamTime;
+    _cooldownsTimeout: Collection<string, NodeJS.Timeout>;
+    private _activeFilters;
+    private _filtersUpdate;
+    onBeforeCreateStream: (track: Track, source: TrackSource, queue: Queue) => Promise<Readable | undefined>;
+    /**
+     * Queue constructor
+     * @param {Player} player The player that instantiated this queue
+     * @param {Guild} guild The guild that instantiated this queue
+     * @param {PlayerOptions} [options] Player options for the queue
+     */
+    constructor(player: Player, guild: Guild, options?: PlayerOptions);
+    /**
+     * Returns current track
+     * @type {Track}
+     */
+    get current(): Track;
+    /**
+     * If this queue is destroyed
+     * @type {boolean}
+     */
+    get destroyed(): boolean;
+    /**
+     * Returns current track
+     * @returns {Track}
+     */
+    nowPlaying(): Track;
+    /**
+     * Connects to a voice channel
+     * @param {GuildChannelResolvable} channel The voice/stage channel
+     * @returns {Promise<Queue>}
+     */
+    connect(channel: GuildChannelResolvable): Promise<this>;
+    /**
+     * Destroys this queue
+     * @param {boolean} [disconnect=this.options.leaveOnStop] If it should leave on destroy
+     * @returns {void}
+     */
+    destroy(disconnect?: boolean): void;
+    /**
+     * Skips current track
+     * @returns {boolean}
+     */
+    skip(): boolean;
+    /**
+     * Adds single track to the queue
+     * @param {Track} track The track to add
+     * @returns {void}
+     */
+    addTrack(track: Track): void;
+    /**
+     * Adds multiple tracks to the queue
+     * @param {Track[]} tracks Array of tracks to add
+     */
+    addTracks(tracks: Track[]): void;
+    /**
+     * Sets paused state
+     * @param {boolean} paused The paused state
+     * @returns {boolean}
+     */
+    setPaused(paused?: boolean): boolean;
+    /**
+     * Sets bitrate
+     * @param  {number|auto} bitrate bitrate to set
+     * @returns {void}
+     */
+    setBitrate(bitrate: number | "auto"): void;
+    /**
+     * Sets volume
+     * @param {number} amount The volume amount
+     * @returns {boolean}
+     */
+    setVolume(amount: number): boolean;
+    /**
+     * Sets repeat mode
+     * @param  {QueueRepeatMode} mode The repeat mode
+     * @returns {boolean}
+     */
+    setRepeatMode(mode: QueueRepeatMode): boolean;
+    /**
+     * The current volume amount
+     * @type {number}
+     */
+    get volume(): number;
+    set volume(amount: number);
+    /**
+     * The stream time of this queue
+     * @type {number}
+     */
+    get streamTime(): number;
+    set streamTime(time: number);
+    /**
+     * Returns enabled filters
+     * @returns {AudioFilters}
+     */
+    getFiltersEnabled(): (keyof QueueFilters)[];
+    /**
+     * Returns disabled filters
+     * @returns {AudioFilters}
+     */
+    getFiltersDisabled(): (keyof QueueFilters)[];
+    /**
+     * Sets filters
+     * @param {QueueFilters} filters Queue filters
+     * @returns {Promise<void>}
+     */
+    setFilters(filters?: QueueFilters): Promise<void>;
+    /**
+     * Seeks to the given time
+     * @param {number} position The position
+     * @returns {boolean}
+     */
+    seek(position: number): Promise<boolean>;
+    /**
+     * Plays previous track
+     * @returns {Promise<void>}
+     */
+    back(): Promise<void>;
+    /**
+     * Clear this queue
+     */
+    clear(): void;
+    /**
+     * Stops the player
+     * @returns {void}
+     */
+    stop(): void;
+    /**
+     * Shuffles this queue
+     * @returns {boolean}
+     */
+    shuffle(): boolean;
+    /**
+     * Removes a track from the queue
+     * @param {Track|string|number} track The track to remove
+     * @returns {Track}
+     */
+    remove(track: Track | string | number): Track;
+    /**
+     * Returns the index of the specified track. If found, returns the track index else returns -1.
+     * @param {number|Track|string} track The track
+     * @returns {number}
+     */
+    getTrackPosition(track: number | Track | string): number;
+    /**
+     * Jumps to particular track
+     * @param {Track|number} track The track
+     * @returns {void}
+     */
+    jump(track: Track | number): void;
+    /**
+     * Jumps to particular track, removing other tracks on the way
+     * @param {Track|number} track The track
+     * @returns {void}
+     */
+    skipTo(track: Track | number): void;
+    /**
+     * Inserts the given track to specified index
+     * @param {Track} track The track to insert
+     * @param {number} [index=0] The index where this track should be
+     */
+    insert(track: Track, index?: number): void;
+    /**
+     * @typedef {object} PlayerTimestamp
+     * @property {string} current The current progress
+     * @property {string} end The total time
+     * @property {number} progress Progress in %
+     */
+    /**
+     * Returns player stream timestamp
+     * @returns {PlayerTimestamp}
+     */
+    getPlayerTimestamp(): {
+        current: string;
+        end: string;
+        progress: number;
+    };
+    /**
+     * Creates progress bar string
+     * @param {PlayerProgressbarOptions} options The progress bar options
+     * @returns {string}
+     */
+    createProgressBar(options?: PlayerProgressbarOptions): string;
+    /**
+     * Total duration
+     * @type {Number}
+     */
+    get totalTime(): number;
+    /**
+     * Play stream in a voice/stage channel
+     * @param {Track} [src] The track to play (if empty, uses first track from the queue)
+     * @param {PlayOptions} [options] The options
+     * @returns {Promise<void>}
+     */
+    play(src?: Track, options?: PlayOptions): Promise<void>;
+    /**
+     * Private method to handle autoplay
+     * @param {Track} track The source track to find its similar track for autoplay
+     * @returns {Promise<void>}
+     * @private
+     */
+    private _handleAutoplay;
+    [Symbol.iterator](): Generator<Track, void, undefined>;
+    /**
+     * JSON representation of this queue
+     * @returns {object}
+     */
+    toJSON(): {
+        id: string;
+        guild: string;
+        voiceChannel: string;
+        options: PlayerOptions;
+        tracks: import("../types/types").TrackJSON[];
+    };
+    /**
+     * String representation of this queue
+     * @returns {string}
+     */
+    toString(): string;
+}
+export { Queue };
diff --git a/helpers/Music/dist/Structures/Queue.js b/helpers/Music/dist/Structures/Queue.js
new file mode 100644
index 00000000..f4f342ac
--- /dev/null
+++ b/helpers/Music/dist/Structures/Queue.js
@@ -0,0 +1,761 @@
+"use strict";
+var _Queue_instances, _Queue_lastVolume, _Queue_destroyed, _Queue_watchDestroyed, _Queue_getBufferingTimeout;
+Object.defineProperty(exports, "__esModule", { value: true });
+exports.Queue = void 0;
+const tslib_1 = require("tslib");
+const discord_js_1 = require("discord.js");
+const Track_1 = tslib_1.__importDefault(require("./Track"));
+const types_1 = require("../types/types");
+const voice_1 = require("@discordjs/voice");
+const play_dl_1 = tslib_1.__importDefault(require("play-dl"));
+const Util_1 = require("../utils/Util");
+const AudioFilters_1 = tslib_1.__importDefault(require("../utils/AudioFilters"));
+const PlayerError_1 = require("./PlayerError");
+const FFmpegStream_1 = require("../utils/FFmpegStream");
+class Queue {
+    /**
+     * Queue constructor
+     * @param {Player} player The player that instantiated this queue
+     * @param {Guild} guild The guild that instantiated this queue
+     * @param {PlayerOptions} [options] Player options for the queue
+     */
+    constructor(player, guild, options = {}) {
+        _Queue_instances.add(this);
+        this.tracks = [];
+        this.previousTracks = [];
+        this.playing = false;
+        this.metadata = null;
+        this.repeatMode = 0;
+        this.id = discord_js_1.SnowflakeUtil.generate().toString();
+        this._streamTime = 0;
+        this._cooldownsTimeout = new discord_js_1.Collection();
+        this._activeFilters = []; // eslint-disable-line @typescript-eslint/no-explicit-any
+        this._filtersUpdate = false;
+        _Queue_lastVolume.set(this, 0);
+        _Queue_destroyed.set(this, false);
+        this.onBeforeCreateStream = null;
+        /**
+         * The player that instantiated this queue
+         * @type {Player}
+         * @readonly
+         */
+        this.player = player;
+        /**
+         * The guild that instantiated this queue
+         * @type {Guild}
+         * @readonly
+         */
+        this.guild = guild;
+        /**
+         * The player options for this queue
+         * @type {PlayerOptions}
+         */
+        this.options = {};
+        /**
+         * Queue repeat mode
+         * @type {QueueRepeatMode}
+         * @name Queue#repeatMode
+         */
+        /**
+         * Queue metadata
+         * @type {any}
+         * @name Queue#metadata
+         */
+        /**
+         * Previous tracks
+         * @type {Track[]}
+         * @name Queue#previousTracks
+         */
+        /**
+         * Regular tracks
+         * @type {Track[]}
+         * @name Queue#tracks
+         */
+        /**
+         * The connection
+         * @type {StreamDispatcher}
+         * @name Queue#connection
+         */
+        /**
+         * The ID of this queue
+         * @type {Snowflake}
+         * @name Queue#id
+         */
+        Object.assign(this.options, {
+            leaveOnEnd: true,
+            leaveOnStop: true,
+            leaveOnEmpty: true,
+            leaveOnEmptyCooldown: 1000,
+            autoSelfDeaf: true,
+            ytdlOptions: {
+                highWaterMark: 1 << 25
+            },
+            initialVolume: 100,
+            bufferingTimeout: 3000,
+            spotifyBridge: true,
+            disableVolume: false
+        }, options);
+        if ("onBeforeCreateStream" in this.options)
+            this.onBeforeCreateStream = this.options.onBeforeCreateStream;
+        this.player.emit("debug", this, `Queue initialized:\n\n${this.player.scanDeps()}`);
+    }
+    /**
+     * Returns current track
+     * @type {Track}
+     */
+    get current() {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        return this.connection.audioResource?.metadata ?? this.tracks[0];
+    }
+    /**
+     * If this queue is destroyed
+     * @type {boolean}
+     */
+    get destroyed() {
+        return tslib_1.__classPrivateFieldGet(this, _Queue_destroyed, "f");
+    }
+    /**
+     * Returns current track
+     * @returns {Track}
+     */
+    nowPlaying() {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        return this.current;
+    }
+    /**
+     * Connects to a voice channel
+     * @param {GuildChannelResolvable} channel The voice/stage channel
+     * @returns {Promise<Queue>}
+     */
+    async connect(channel) {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        const _channel = this.guild.channels.resolve(channel);
+        if (![discord_js_1.ChannelType.GuildStageVoice, discord_js_1.ChannelType.GuildVoice].includes(_channel?.type))
+            throw new PlayerError_1.PlayerError(`Channel type must be GuildVoice or GuildStageVoice, got ${_channel?.type}!`, PlayerError_1.ErrorStatusCode.INVALID_ARG_TYPE);
+        const connection = await this.player.voiceUtils.connect(_channel, {
+            deaf: this.options.autoSelfDeaf
+        });
+        this.connection = connection;
+        if (_channel.type === discord_js_1.ChannelType.GuildStageVoice) {
+            await _channel.guild.members.me.voice.setSuppressed(false).catch(async () => {
+                return await _channel.guild.members.me.voice.setRequestToSpeak(true).catch(Util_1.Util.noop);
+            });
+        }
+        this.connection.on("error", (err) => {
+            if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this, false))
+                return;
+            this.player.emit("connectionError", this, err);
+        });
+        this.connection.on("debug", (msg) => {
+            if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this, false))
+                return;
+            this.player.emit("debug", this, msg);
+        });
+        this.player.emit("connectionCreate", this, this.connection);
+        this.connection.on("start", (resource) => {
+            if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this, false))
+                return;
+            this.playing = true;
+            if (!this._filtersUpdate)
+                this.player.emit("trackStart", this, resource?.metadata ?? this.current);
+            this._filtersUpdate = false;
+        });
+        this.connection.on("finish", async (resource) => {
+            if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this, false))
+                return;
+            this.playing = false;
+            if (this._filtersUpdate)
+                return;
+            this._streamTime = 0;
+            if (resource?.metadata)
+                this.previousTracks.push(resource.metadata);
+            this.player.emit("trackEnd", this, resource.metadata);
+            if (!this.tracks.length && this.repeatMode === types_1.QueueRepeatMode.OFF) {
+                if (this.options.leaveOnEnd)
+                    this.destroy();
+                this.player.emit("queueEnd", this);
+            }
+            else if (!this.tracks.length && this.repeatMode === types_1.QueueRepeatMode.AUTOPLAY) {
+                this._handleAutoplay(Util_1.Util.last(this.previousTracks));
+            }
+            else {
+                if (this.repeatMode === types_1.QueueRepeatMode.TRACK)
+                    return void this.play(Util_1.Util.last(this.previousTracks), { immediate: true });
+                if (this.repeatMode === types_1.QueueRepeatMode.QUEUE)
+                    this.tracks.push(Util_1.Util.last(this.previousTracks));
+                const nextTrack = this.tracks.shift();
+                this.play(nextTrack, { immediate: true });
+                return;
+            }
+        });
+        return this;
+    }
+    /**
+     * Destroys this queue
+     * @param {boolean} [disconnect=this.options.leaveOnStop] If it should leave on destroy
+     * @returns {void}
+     */
+    destroy(disconnect = this.options.leaveOnStop) {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        if (this.connection)
+            this.connection.end();
+        if (disconnect)
+            this.connection?.disconnect();
+        this.player.queues.delete(this.guild.id);
+        this.player.voiceUtils.cache.delete(this.guild.id);
+        tslib_1.__classPrivateFieldSet(this, _Queue_destroyed, true, "f");
+    }
+    /**
+     * Skips current track
+     * @returns {boolean}
+     */
+    skip() {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        if (!this.connection)
+            return false;
+        this._filtersUpdate = false;
+        this.connection.end();
+        return true;
+    }
+    /**
+     * Adds single track to the queue
+     * @param {Track} track The track to add
+     * @returns {void}
+     */
+    addTrack(track) {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        if (!(track instanceof Track_1.default))
+            throw new PlayerError_1.PlayerError("invalid track", PlayerError_1.ErrorStatusCode.INVALID_TRACK);
+        this.tracks.push(track);
+        this.player.emit("trackAdd", this, track);
+    }
+    /**
+     * Adds multiple tracks to the queue
+     * @param {Track[]} tracks Array of tracks to add
+     */
+    addTracks(tracks) {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        if (!tracks.every((y) => y instanceof Track_1.default))
+            throw new PlayerError_1.PlayerError("invalid track", PlayerError_1.ErrorStatusCode.INVALID_TRACK);
+        this.tracks.push(...tracks);
+        this.player.emit("tracksAdd", this, tracks);
+    }
+    /**
+     * Sets paused state
+     * @param {boolean} paused The paused state
+     * @returns {boolean}
+     */
+    setPaused(paused) {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        if (!this.connection)
+            return false;
+        return paused ? this.connection.pause(true) : this.connection.resume();
+    }
+    /**
+     * Sets bitrate
+     * @param  {number|auto} bitrate bitrate to set
+     * @returns {void}
+     */
+    setBitrate(bitrate) {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        if (!this.connection?.audioResource?.encoder)
+            return;
+        if (bitrate === "auto")
+            bitrate = this.connection.channel?.bitrate ?? 64000;
+        this.connection.audioResource.encoder.setBitrate(bitrate);
+    }
+    /**
+     * Sets volume
+     * @param {number} amount The volume amount
+     * @returns {boolean}
+     */
+    setVolume(amount) {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        if (!this.connection)
+            return false;
+        tslib_1.__classPrivateFieldSet(this, _Queue_lastVolume, amount, "f");
+        this.options.initialVolume = amount;
+        return this.connection.setVolume(amount);
+    }
+    /**
+     * Sets repeat mode
+     * @param  {QueueRepeatMode} mode The repeat mode
+     * @returns {boolean}
+     */
+    setRepeatMode(mode) {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        if (![types_1.QueueRepeatMode.OFF, types_1.QueueRepeatMode.QUEUE, types_1.QueueRepeatMode.TRACK, types_1.QueueRepeatMode.AUTOPLAY].includes(mode))
+            throw new PlayerError_1.PlayerError(`Unknown repeat mode "${mode}"!`, PlayerError_1.ErrorStatusCode.UNKNOWN_REPEAT_MODE);
+        if (mode === this.repeatMode)
+            return false;
+        this.repeatMode = mode;
+        return true;
+    }
+    /**
+     * The current volume amount
+     * @type {number}
+     */
+    get volume() {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        if (!this.connection)
+            return 100;
+        return this.connection.volume;
+    }
+    set volume(amount) {
+        this.setVolume(amount);
+    }
+    /**
+     * The stream time of this queue
+     * @type {number}
+     */
+    get streamTime() {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        if (!this.connection)
+            return 0;
+        const playbackTime = this._streamTime + this.connection.streamTime;
+        const NC = this._activeFilters.includes("nightcore") ? 1.25 : null;
+        const VW = this._activeFilters.includes("vaporwave") ? 0.8 : null;
+        if (NC && VW)
+            return playbackTime * (NC + VW);
+        return NC ? playbackTime * NC : VW ? playbackTime * VW : playbackTime;
+    }
+    set streamTime(time) {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        this.seek(time);
+    }
+    /**
+     * Returns enabled filters
+     * @returns {AudioFilters}
+     */
+    getFiltersEnabled() {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        return AudioFilters_1.default.names.filter((x) => this._activeFilters.includes(x));
+    }
+    /**
+     * Returns disabled filters
+     * @returns {AudioFilters}
+     */
+    getFiltersDisabled() {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        return AudioFilters_1.default.names.filter((x) => !this._activeFilters.includes(x));
+    }
+    /**
+     * Sets filters
+     * @param {QueueFilters} filters Queue filters
+     * @returns {Promise<void>}
+     */
+    async setFilters(filters) {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        if (!filters || !Object.keys(filters).length) {
+            // reset filters
+            const streamTime = this.streamTime;
+            this._activeFilters = [];
+            return await this.play(this.current, {
+                immediate: true,
+                filtersUpdate: true,
+                seek: streamTime,
+                encoderArgs: []
+            });
+        }
+        const _filters = []; // eslint-disable-line @typescript-eslint/no-explicit-any
+        for (const filter in filters) {
+            if (filters[filter] === true)
+                _filters.push(filter);
+        }
+        if (this._activeFilters.join("") === _filters.join(""))
+            return;
+        const newFilters = AudioFilters_1.default.create(_filters).trim();
+        const streamTime = this.streamTime;
+        this._activeFilters = _filters;
+        return await this.play(this.current, {
+            immediate: true,
+            filtersUpdate: true,
+            seek: streamTime,
+            encoderArgs: !_filters.length ? undefined : ["-af", newFilters]
+        });
+    }
+    /**
+     * Seeks to the given time
+     * @param {number} position The position
+     * @returns {boolean}
+     */
+    async seek(position) {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        if (!this.playing || !this.current)
+            return false;
+        if (position < 1)
+            position = 0;
+        if (position >= this.current.durationMS)
+            return this.skip();
+        await this.play(this.current, {
+            immediate: true,
+            filtersUpdate: true,
+            seek: position
+        });
+        return true;
+    }
+    /**
+     * Plays previous track
+     * @returns {Promise<void>}
+     */
+    async back() {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        const prev = this.previousTracks[this.previousTracks.length - 2]; // because last item is the current track
+        if (!prev)
+            throw new PlayerError_1.PlayerError("Could not find previous track", PlayerError_1.ErrorStatusCode.TRACK_NOT_FOUND);
+        return await this.play(prev, { immediate: true });
+    }
+    /**
+     * Clear this queue
+     */
+    clear() {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        this.tracks = [];
+        this.previousTracks = [];
+    }
+    /**
+     * Stops the player
+     * @returns {void}
+     */
+    stop() {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        return this.destroy();
+    }
+    /**
+     * Shuffles this queue
+     * @returns {boolean}
+     */
+    shuffle() {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        if (!this.tracks.length || this.tracks.length < 2)
+            return false;
+        for (let i = this.tracks.length - 1; i > 0; i--) {
+            const j = Math.floor(Math.random() * (i + 1));
+            [this.tracks[i], this.tracks[j]] = [this.tracks[j], this.tracks[i]];
+        }
+        return true;
+    }
+    /**
+     * Removes a track from the queue
+     * @param {Track|string|number} track The track to remove
+     * @returns {Track}
+     */
+    remove(track) {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        let trackFound = null;
+        if (typeof track === "number") {
+            trackFound = this.tracks[track];
+            if (trackFound) {
+                this.tracks = this.tracks.filter((t) => t.id !== trackFound.id);
+            }
+        }
+        else {
+            trackFound = this.tracks.find((s) => s.id === (track instanceof Track_1.default ? track.id : track));
+            if (trackFound) {
+                this.tracks = this.tracks.filter((s) => s.id !== trackFound.id);
+            }
+        }
+        return trackFound;
+    }
+    /**
+     * Returns the index of the specified track. If found, returns the track index else returns -1.
+     * @param {number|Track|string} track The track
+     * @returns {number}
+     */
+    getTrackPosition(track) {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        if (typeof track === "number")
+            return this.tracks[track] != null ? track : -1;
+        return this.tracks.findIndex((pred) => pred.id === (track instanceof Track_1.default ? track.id : track));
+    }
+    /**
+     * Jumps to particular track
+     * @param {Track|number} track The track
+     * @returns {void}
+     */
+    jump(track) {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        const foundTrack = this.remove(track);
+        if (!foundTrack)
+            throw new PlayerError_1.PlayerError("Track not found", PlayerError_1.ErrorStatusCode.TRACK_NOT_FOUND);
+        this.tracks.splice(0, 0, foundTrack);
+        return void this.skip();
+    }
+    /**
+     * Jumps to particular track, removing other tracks on the way
+     * @param {Track|number} track The track
+     * @returns {void}
+     */
+    skipTo(track) {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        const trackIndex = this.getTrackPosition(track);
+        const removedTrack = this.remove(track);
+        if (!removedTrack)
+            throw new PlayerError_1.PlayerError("Track not found", PlayerError_1.ErrorStatusCode.TRACK_NOT_FOUND);
+        this.tracks.splice(0, trackIndex, removedTrack);
+        return void this.skip();
+    }
+    /**
+     * Inserts the given track to specified index
+     * @param {Track} track The track to insert
+     * @param {number} [index=0] The index where this track should be
+     */
+    insert(track, index = 0) {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        if (!track || !(track instanceof Track_1.default))
+            throw new PlayerError_1.PlayerError("track must be the instance of Track", PlayerError_1.ErrorStatusCode.INVALID_TRACK);
+        if (typeof index !== "number" || index < 0 || !Number.isFinite(index))
+            throw new PlayerError_1.PlayerError(`Invalid index "${index}"`, PlayerError_1.ErrorStatusCode.INVALID_ARG_TYPE);
+        this.tracks.splice(index, 0, track);
+        this.player.emit("trackAdd", this, track);
+    }
+    /**
+     * @typedef {object} PlayerTimestamp
+     * @property {string} current The current progress
+     * @property {string} end The total time
+     * @property {number} progress Progress in %
+     */
+    /**
+     * Returns player stream timestamp
+     * @returns {PlayerTimestamp}
+     */
+    getPlayerTimestamp() {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        const currentStreamTime = this.streamTime;
+        const totalTime = this.current.durationMS;
+        const currentTimecode = Util_1.Util.buildTimeCode(Util_1.Util.parseMS(currentStreamTime));
+        const endTimecode = Util_1.Util.buildTimeCode(Util_1.Util.parseMS(totalTime));
+        return {
+            current: currentTimecode,
+            end: endTimecode,
+            progress: Math.round((currentStreamTime / totalTime) * 100)
+        };
+    }
+    /**
+     * Creates progress bar string
+     * @param {PlayerProgressbarOptions} options The progress bar options
+     * @returns {string}
+     */
+    createProgressBar(options = { timecodes: true }) {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        const length = typeof options.length === "number" ? (options.length <= 0 || options.length === Infinity ? 15 : options.length) : 15;
+        const index = Math.round((this.streamTime / this.current.durationMS) * length);
+        const indicator = typeof options.indicator === "string" && options.indicator.length > 0 ? options.indicator : "🔘";
+        const line = typeof options.line === "string" && options.line.length > 0 ? options.line : "▬";
+        if (index >= 1 && index <= length) {
+            const bar = line.repeat(length - 1).split("");
+            bar.splice(index, 0, indicator);
+            if (options.timecodes) {
+                const timestamp = this.getPlayerTimestamp();
+                return `${timestamp.current} ┃ ${bar.join("")} ┃ ${timestamp.end}`;
+            }
+            else {
+                return `${bar.join("")}`;
+            }
+        }
+        else {
+            if (options.timecodes) {
+                const timestamp = this.getPlayerTimestamp();
+                return `${timestamp.current} ┃ ${indicator}${line.repeat(length - 1)} ┃ ${timestamp.end}`;
+            }
+            else {
+                return `${indicator}${line.repeat(length - 1)}`;
+            }
+        }
+    }
+    /**
+     * Total duration
+     * @type {Number}
+     */
+    get totalTime() {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        return this.tracks.length > 0 ? this.tracks.map((t) => t.durationMS).reduce((p, c) => p + c) : 0;
+    }
+    /**
+     * Play stream in a voice/stage channel
+     * @param {Track} [src] The track to play (if empty, uses first track from the queue)
+     * @param {PlayOptions} [options] The options
+     * @returns {Promise<void>}
+     */
+    async play(src, options = {}) {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this, false))
+            return;
+        if (!this.connection || !this.connection.voiceConnection)
+            throw new PlayerError_1.PlayerError("Voice connection is not available, use <Queue>.connect()!", PlayerError_1.ErrorStatusCode.NO_CONNECTION);
+        if (src && (this.playing || this.tracks.length) && !options.immediate)
+            return this.addTrack(src);
+        const track = options.filtersUpdate && !options.immediate ? src || this.current : src ?? this.tracks.shift();
+        if (!track)
+            return;
+        this.player.emit("debug", this, "Received play request");
+        if (!options.filtersUpdate) {
+            this.previousTracks = this.previousTracks.filter((x) => x.id !== track.id);
+            this.previousTracks.push(track);
+        }
+        let stream = null;
+        const hasCustomDownloader = typeof this.onBeforeCreateStream === "function";
+        if (["youtube", "spotify"].includes(track.raw.source)) {
+            let spotifyResolved = false;
+            if (this.options.spotifyBridge && track.raw.source === "spotify" && !track.raw.engine) {
+                track.raw.engine = await play_dl_1.default.search(`${track.author} ${track.title}`, { source: { youtube: "video" } })
+                    .then(res => res[0].url)
+                    .catch(() => null);
+                spotifyResolved = true;
+            }
+            const url = track.raw.source === "spotify" ? track.raw.engine : track.url;
+            if (!url)
+                return void this.play(this.tracks.shift(), { immediate: true });
+            if (hasCustomDownloader) {
+                stream = (await this.onBeforeCreateStream(track, spotifyResolved ? "youtube" : track.raw.source, this)) || null;
+            }
+            if (!stream) {
+                stream = (await play_dl_1.default.stream(url, { discordPlayerCompatibility: true })).stream;
+            }
+        }
+        else {
+            const arbitraryStream = (hasCustomDownloader && (await this.onBeforeCreateStream(track, track.raw.source || track.raw.engine, this))) || null;
+            stream =
+                arbitraryStream || (track.raw.source === "soundcloud" && typeof track.raw.engine?.downloadProgressive === "function")
+                    ? await track.raw.engine.downloadProgressive()
+                    : typeof track.raw.engine === "function"
+                        ? await track.raw.engine()
+                        : track.raw.engine;
+        }
+        const ffmpegStream = (0, FFmpegStream_1.createFFmpegStream)(stream, {
+            encoderArgs: options.encoderArgs || [],
+            seek: options.seek ? options.seek / 1000 : 0,
+            fmt: "s16le"
+        }).on("error", (err) => {
+            if (!`${err}`.toLowerCase().includes("premature close"))
+                this.player.emit("error", this, err);
+        });
+        const resource = this.connection.createStream(ffmpegStream, {
+            type: voice_1.StreamType.Raw,
+            data: track,
+            disableVolume: Boolean(this.options.disableVolume)
+        });
+        if (options.seek)
+            this._streamTime = options.seek;
+        this._filtersUpdate = options.filtersUpdate;
+        const volumeTransformer = resource.volume;
+        if (volumeTransformer && typeof this.options.initialVolume === "number")
+            Reflect.set(volumeTransformer, "volume", Math.pow(this.options.initialVolume / 100, 1.660964));
+        if (volumeTransformer?.hasSmoothness && typeof this.options.volumeSmoothness === "number") {
+            if (typeof volumeTransformer.setSmoothness === "function")
+                volumeTransformer.setSmoothness(this.options.volumeSmoothness || 0);
+        }
+        setTimeout(() => {
+            this.connection.playStream(resource);
+        }, tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_getBufferingTimeout).call(this)).unref();
+    }
+    /**
+     * Private method to handle autoplay
+     * @param {Track} track The source track to find its similar track for autoplay
+     * @returns {Promise<void>}
+     * @private
+     */
+    async _handleAutoplay(track) {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        if (!track || ![track.source, track.raw?.source].includes("youtube")) {
+            if (this.options.leaveOnEnd)
+                this.destroy();
+            return void this.player.emit("queueEnd", this);
+        }
+        const info = await play_dl_1.default.video_info(track.url)
+            .catch(Util_1.Util.noop);
+        if (!info) {
+            if (this.options.leaveOnEnd)
+                this.destroy();
+            return void this.player.emit("queueEnd", this);
+        }
+        const randomRelated = await play_dl_1.default.video_info(info.related_videos[0]);
+        const nextTrack = new Track_1.default(this.player, {
+            title: randomRelated.video_details.title,
+            url: randomRelated.video_details.url,
+            duration: randomRelated.video_details.durationRaw ? Util_1.Util.buildTimeCode(Util_1.Util.parseMS(randomRelated.video_details.durationInSec * 1000)) : "0:00",
+            description: "",
+            thumbnail: Util_1.Util.last(randomRelated.video_details.thumbnails).url,
+            views: randomRelated.video_details.views,
+            author: randomRelated.video_details.channel.name,
+            requestedBy: track.requestedBy,
+            source: "youtube"
+        });
+        this.play(nextTrack, { immediate: true });
+    }
+    *[(_Queue_lastVolume = new WeakMap(), _Queue_destroyed = new WeakMap(), _Queue_instances = new WeakSet(), Symbol.iterator)]() {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        yield* this.tracks;
+    }
+    /**
+     * JSON representation of this queue
+     * @returns {object}
+     */
+    toJSON() {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        return {
+            id: this.id,
+            guild: this.guild.id,
+            voiceChannel: this.connection?.channel?.id,
+            options: this.options,
+            tracks: this.tracks.map((m) => m.toJSON())
+        };
+    }
+    /**
+     * String representation of this queue
+     * @returns {string}
+     */
+    toString() {
+        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
+            return;
+        if (!this.tracks.length)
+            return "No songs available to display!";
+        return `**Upcoming Songs:**\n${this.tracks.map((m, i) => `${i + 1}. **${m.title}**`).join("\n")}`;
+    }
+}
+exports.Queue = Queue;
+_Queue_watchDestroyed = function _Queue_watchDestroyed(emit = true) {
+    if (tslib_1.__classPrivateFieldGet(this, _Queue_destroyed, "f")) {
+        if (emit)
+            this.player.emit("error", this, new PlayerError_1.PlayerError("Cannot use destroyed queue", PlayerError_1.ErrorStatusCode.DESTROYED_QUEUE));
+        return true;
+    }
+    return false;
+}, _Queue_getBufferingTimeout = function _Queue_getBufferingTimeout() {
+    const timeout = this.options.bufferingTimeout;
+    if (isNaN(timeout) || timeout < 0 || !Number.isFinite(timeout))
+        return 1000;
+    return timeout;
+};
diff --git a/helpers/Music/dist/Structures/Track.d.ts b/helpers/Music/dist/Structures/Track.d.ts
new file mode 100644
index 00000000..077b7ac9
--- /dev/null
+++ b/helpers/Music/dist/Structures/Track.d.ts
@@ -0,0 +1,53 @@
+import { User } from "discord.js";
+import { Player } from "../Player";
+import { RawTrackData, TrackJSON } from "../types/types";
+import { Playlist } from "./Playlist";
+import { Queue } from "./Queue";
+declare class Track {
+    player: Player;
+    title: string;
+    description: string;
+    author: string;
+    url: string;
+    thumbnail: string;
+    duration: string;
+    views: number;
+    requestedBy: User;
+    playlist?: Playlist;
+    readonly raw: RawTrackData;
+    readonly id: string;
+    /**
+     * Track constructor
+     * @param {Player} player The player that instantiated this Track
+     * @param {RawTrackData} data Track data
+     */
+    constructor(player: Player, data: RawTrackData);
+    private _patch;
+    /**
+     * The queue in which this track is located
+     * @type {Queue}
+     */
+    get queue(): Queue;
+    /**
+     * The track duration in millisecond
+     * @type {number}
+     */
+    get durationMS(): number;
+    /**
+     * Returns source of this track
+     * @type {TrackSource}
+     */
+    get source(): import("../types/types").TrackSource;
+    /**
+     * String representation of this track
+     * @returns {string}
+     */
+    toString(): string;
+    /**
+     * Raw JSON representation of this track
+     * @returns {TrackJSON}
+     */
+    toJSON(hidePlaylist?: boolean): TrackJSON;
+}
+export default Track;
+export { Track };
diff --git a/helpers/Music/dist/Structures/Track.js b/helpers/Music/dist/Structures/Track.js
new file mode 100644
index 00000000..843179de
--- /dev/null
+++ b/helpers/Music/dist/Structures/Track.js
@@ -0,0 +1,156 @@
+"use strict";
+Object.defineProperty(exports, "__esModule", { value: true });
+exports.Track = void 0;
+const discord_js_1 = require("discord.js");
+class Track {
+    /**
+     * Track constructor
+     * @param {Player} player The player that instantiated this Track
+     * @param {RawTrackData} data Track data
+     */
+    constructor(player, data) {
+        this.raw = {};
+        this.id = discord_js_1.SnowflakeUtil.generate().toString();
+        /**
+         * The player that instantiated this Track
+         * @name Track#player
+         * @type {Player}
+         * @readonly
+         */
+        Object.defineProperty(this, "player", { value: player, enumerable: false });
+        /**
+         * Title of this track
+         * @name Track#title
+         * @type {string}
+         */
+        /**
+         * Description of this track
+         * @name Track#description
+         * @type {string}
+         */
+        /**
+         * Author of this track
+         * @name Track#author
+         * @type {string}
+         */
+        /**
+         * URL of this track
+         * @name Track#url
+         * @type {string}
+         */
+        /**
+         * Thumbnail of this track
+         * @name Track#thumbnail
+         * @type {string}
+         */
+        /**
+         * Duration of this track
+         * @name Track#duration
+         * @type {string}
+         */
+        /**
+         * Views count of this track
+         * @name Track#views
+         * @type {number}
+         */
+        /**
+         * Person who requested this track
+         * @name Track#requestedBy
+         * @type {User}
+         */
+        /**
+         * If this track belongs to playlist
+         * @name Track#fromPlaylist
+         * @type {boolean}
+         */
+        /**
+         * Raw track data
+         * @name Track#raw
+         * @type {RawTrackData}
+         */
+        /**
+         * The track id
+         * @name Track#id
+         * @type {Snowflake}
+         * @readonly
+         */
+        /**
+         * The playlist which track belongs
+         * @name Track#playlist
+         * @type {Playlist}
+         */
+        void this._patch(data);
+    }
+    _patch(data) {
+        this.title = (0, discord_js_1.escapeMarkdown)(data.title ?? "");
+        this.description = data.description ?? "";
+        this.author = data.author ?? "";
+        this.url = data.url ?? "";
+        this.thumbnail = data.thumbnail ?? "";
+        this.duration = data.duration ?? "";
+        this.views = data.views ?? 0;
+        this.requestedBy = data.requestedBy;
+        this.playlist = data.playlist;
+        // raw
+        Object.defineProperty(this, "raw", { value: Object.assign({}, { source: data.raw?.source ?? data.source }, data.raw ?? data), enumerable: false });
+    }
+    /**
+     * The queue in which this track is located
+     * @type {Queue}
+     */
+    get queue() {
+        return this.player.queues.find((q) => q.tracks.some((ab) => ab.id === this.id));
+    }
+    /**
+     * The track duration in millisecond
+     * @type {number}
+     */
+    get durationMS() {
+        const times = (n, t) => {
+            let tn = 1;
+            for (let i = 0; i < t; i++)
+                tn *= n;
+            return t <= 0 ? 1000 : tn * 1000;
+        };
+        return this.duration
+            .split(":")
+            .reverse()
+            .map((m, i) => parseInt(m) * times(60, i))
+            .reduce((a, c) => a + c, 0);
+    }
+    /**
+     * Returns source of this track
+     * @type {TrackSource}
+     */
+    get source() {
+        return this.raw.source ?? "arbitrary";
+    }
+    /**
+     * String representation of this track
+     * @returns {string}
+     */
+    toString() {
+        return `${this.title} by ${this.author}`;
+    }
+    /**
+     * Raw JSON representation of this track
+     * @returns {TrackJSON}
+     */
+    toJSON(hidePlaylist) {
+        return {
+            id: this.id,
+            title: this.title,
+            description: this.description,
+            author: this.author,
+            url: this.url,
+            thumbnail: this.thumbnail,
+            duration: this.duration,
+            durationMS: this.durationMS,
+            views: this.views,
+            requestedBy: this.requestedBy?.id,
+            playlist: hidePlaylist ? null : this.playlist?.toJSON() ?? null
+        };
+    }
+}
+exports.Track = Track;
+exports.default = Track;
diff --git a/helpers/Music/dist/VoiceInterface/StreamDispatcher.d.ts b/helpers/Music/dist/VoiceInterface/StreamDispatcher.d.ts
new file mode 100644
index 00000000..5f08a09a
--- /dev/null
+++ b/helpers/Music/dist/VoiceInterface/StreamDispatcher.d.ts
@@ -0,0 +1,88 @@
+/// <reference types="node" />
+import { AudioPlayer, AudioPlayerError, AudioPlayerStatus, AudioResource, StreamType, VoiceConnection } from "@discordjs/voice";
+import { StageChannel, VoiceChannel } from "discord.js";
+import { Duplex, Readable } from "stream";
+import { TypedEmitter as EventEmitter } from "tiny-typed-emitter";
+import Track from "../Structures/Track";
+export interface VoiceEvents {
+    error: (error: AudioPlayerError) => any;
+    debug: (message: string) => any;
+    start: (resource: AudioResource<Track>) => any;
+    finish: (resource: AudioResource<Track>) => any;
+}
+declare class StreamDispatcher extends EventEmitter<VoiceEvents> {
+    readonly connectionTimeout: number;
+    readonly voiceConnection: VoiceConnection;
+    readonly audioPlayer: AudioPlayer;
+    channel: VoiceChannel | StageChannel;
+    audioResource?: AudioResource<Track>;
+    private readyLock;
+    paused: boolean;
+    /**
+     * Creates new connection object
+     * @param {VoiceConnection} connection The connection
+     * @param {VoiceChannel|StageChannel} channel The connected channel
+     * @private
+     */
+    constructor(connection: VoiceConnection, channel: VoiceChannel | StageChannel, connectionTimeout?: number);
+    /**
+     * Creates stream
+     * @param {Readable|Duplex|string} src The stream source
+     * @param {object} [ops] Options
+     * @returns {AudioResource}
+     */
+    createStream(src: Readable | Duplex | string, ops?: {
+        type?: StreamType;
+        data?: any;
+        disableVolume?: boolean;
+    }): AudioResource<Track>;
+    /**
+     * The player status
+     * @type {AudioPlayerStatus}
+     */
+    get status(): AudioPlayerStatus;
+    /**
+     * Disconnects from voice
+     * @returns {void}
+     */
+    disconnect(): void;
+    /**
+     * Stops the player
+     * @returns {void}
+     */
+    end(): void;
+    /**
+     * Pauses the stream playback
+     * @param {boolean} [interpolateSilence=false] If true, the player will play 5 packets of silence after pausing to prevent audio glitches.
+     * @returns {boolean}
+     */
+    pause(interpolateSilence?: boolean): boolean;
+    /**
+     * Resumes the stream playback
+     * @returns {boolean}
+     */
+    resume(): boolean;
+    /**
+     * Play stream
+     * @param {AudioResource<Track>} [resource=this.audioResource] The audio resource to play
+     * @returns {Promise<StreamDispatcher>}
+     */
+    playStream(resource?: AudioResource<Track>): Promise<this>;
+    /**
+     * Sets playback volume
+     * @param {number} value The volume amount
+     * @returns {boolean}
+     */
+    setVolume(value: number): boolean;
+    /**
+     * The current volume
+     * @type {number}
+     */
+    get volume(): number;
+    /**
+     * The playback time
+     * @type {number}
+     */
+    get streamTime(): number;
+}
+export { StreamDispatcher as StreamDispatcher };
diff --git a/helpers/Music/dist/VoiceInterface/StreamDispatcher.js b/helpers/Music/dist/VoiceInterface/StreamDispatcher.js
new file mode 100644
index 00000000..24d72599
--- /dev/null
+++ b/helpers/Music/dist/VoiceInterface/StreamDispatcher.js
@@ -0,0 +1,225 @@
+"use strict";
+Object.defineProperty(exports, "__esModule", { value: true });
+exports.StreamDispatcher = void 0;
+const voice_1 = require("@discordjs/voice");
+const tiny_typed_emitter_1 = require("tiny-typed-emitter");
+const Util_1 = require("../utils/Util");
+const PlayerError_1 = require("../Structures/PlayerError");
+class StreamDispatcher extends tiny_typed_emitter_1.TypedEmitter {
+    /**
+     * Creates new connection object
+     * @param {VoiceConnection} connection The connection
+     * @param {VoiceChannel|StageChannel} channel The connected channel
+     * @private
+     */
+    constructor(connection, channel, connectionTimeout = 20000) {
+        super();
+        this.connectionTimeout = connectionTimeout;
+        this.readyLock = false;
+        /**
+         * The voice connection
+         * @type {VoiceConnection}
+         */
+        this.voiceConnection = connection;
+        /**
+         * The audio player
+         * @type {AudioPlayer}
+         */
+        this.audioPlayer = (0, voice_1.createAudioPlayer)();
+        /**
+         * The voice channel
+         * @type {VoiceChannel|StageChannel}
+         */
+        this.channel = channel;
+        /**
+         * The paused state
+         * @type {boolean}
+         */
+        this.paused = false;
+        this.voiceConnection.on("stateChange", async (_, newState) => {
+            if (newState.status === voice_1.VoiceConnectionStatus.Disconnected) {
+                if (newState.reason === voice_1.VoiceConnectionDisconnectReason.WebSocketClose && newState.closeCode === 4014) {
+                    try {
+                        await (0, voice_1.entersState)(this.voiceConnection, voice_1.VoiceConnectionStatus.Connecting, this.connectionTimeout);
+                    }
+                    catch {
+                        try {
+                            this.voiceConnection.destroy();
+                        }
+                        catch (err) {
+                            this.emit("error", err);
+                        }
+                    }
+                }
+                else if (this.voiceConnection.rejoinAttempts < 5) {
+                    await Util_1.Util.wait((this.voiceConnection.rejoinAttempts + 1) * 5000);
+                    this.voiceConnection.rejoin();
+                }
+                else {
+                    try {
+                        this.voiceConnection.destroy();
+                    }
+                    catch (err) {
+                        this.emit("error", err);
+                    }
+                }
+            }
+            else if (newState.status === voice_1.VoiceConnectionStatus.Destroyed) {
+                this.end();
+            }
+            else if (!this.readyLock && (newState.status === voice_1.VoiceConnectionStatus.Connecting || newState.status === voice_1.VoiceConnectionStatus.Signalling)) {
+                this.readyLock = true;
+                try {
+                    await (0, voice_1.entersState)(this.voiceConnection, voice_1.VoiceConnectionStatus.Ready, this.connectionTimeout);
+                }
+                catch {
+                    if (this.voiceConnection.state.status !== voice_1.VoiceConnectionStatus.Destroyed) {
+                        try {
+                            this.voiceConnection.destroy();
+                        }
+                        catch (err) {
+                            this.emit("error", err);
+                        }
+                    }
+                }
+                finally {
+                    this.readyLock = false;
+                }
+            }
+        });
+        this.audioPlayer.on("stateChange", (oldState, newState) => {
+            if (newState.status === voice_1.AudioPlayerStatus.Playing) {
+                if (!this.paused)
+                    return void this.emit("start", this.audioResource);
+            }
+            else if (newState.status === voice_1.AudioPlayerStatus.Idle && oldState.status !== voice_1.AudioPlayerStatus.Idle) {
+                if (!this.paused) {
+                    void this.emit("finish", this.audioResource);
+                    this.audioResource = null;
+                }
+            }
+        });
+        this.audioPlayer.on("debug", (m) => void this.emit("debug", m));
+        this.audioPlayer.on("error", (error) => void this.emit("error", error));
+        this.voiceConnection.subscribe(this.audioPlayer);
+    }
+    /**
+     * Creates stream
+     * @param {Readable|Duplex|string} src The stream source
+     * @param {object} [ops] Options
+     * @returns {AudioResource}
+     */
+    // eslint-disable-next-line @typescript-eslint/no-explicit-any
+    createStream(src, ops) {
+        this.audioResource = (0, voice_1.createAudioResource)(src, {
+            inputType: ops?.type ?? voice_1.StreamType.Arbitrary,
+            metadata: ops?.data,
+            // eslint-disable-next-line no-extra-boolean-cast
+            inlineVolume: !Boolean(ops?.disableVolume)
+        });
+        return this.audioResource;
+    }
+    /**
+     * The player status
+     * @type {AudioPlayerStatus}
+     */
+    get status() {
+        return this.audioPlayer.state.status;
+    }
+    /**
+     * Disconnects from voice
+     * @returns {void}
+     */
+    disconnect() {
+        try {
+            this.audioPlayer.stop(true);
+            this.voiceConnection.destroy();
+        }
+        catch { } // eslint-disable-line no-empty
+    }
+    /**
+     * Stops the player
+     * @returns {void}
+     */
+    end() {
+        this.audioPlayer.stop();
+    }
+    /**
+     * Pauses the stream playback
+     * @param {boolean} [interpolateSilence=false] If true, the player will play 5 packets of silence after pausing to prevent audio glitches.
+     * @returns {boolean}
+     */
+    pause(interpolateSilence) {
+        const success = this.audioPlayer.pause(interpolateSilence);
+        this.paused = success;
+        return success;
+    }
+    /**
+     * Resumes the stream playback
+     * @returns {boolean}
+     */
+    resume() {
+        const success = this.audioPlayer.unpause();
+        this.paused = !success;
+        return success;
+    }
+    /**
+     * Play stream
+     * @param {AudioResource<Track>} [resource=this.audioResource] The audio resource to play
+     * @returns {Promise<StreamDispatcher>}
+     */
+    async playStream(resource = this.audioResource) {
+        if (!resource)
+            throw new PlayerError_1.PlayerError("Audio resource is not available!", PlayerError_1.ErrorStatusCode.NO_AUDIO_RESOURCE);
+        if (resource.ended)
+            return void this.emit("error", new PlayerError_1.PlayerError("Cannot play a resource that has already ended."));
+        if (!this.audioResource)
+            this.audioResource = resource;
+        if (this.voiceConnection.state.status !== voice_1.VoiceConnectionStatus.Ready) {
+            try {
+                await (0, voice_1.entersState)(this.voiceConnection, voice_1.VoiceConnectionStatus.Ready, this.connectionTimeout);
+            }
+            catch (err) {
+                return void this.emit("error", err);
+            }
+        }
+        try {
+            this.audioPlayer.play(resource);
+        }
+        catch (e) {
+            this.emit("error", e);
+        }
+        return this;
+    }
+    /**
+     * Sets playback volume
+     * @param {number} value The volume amount
+     * @returns {boolean}
+     */
+    setVolume(value) {
+        if (!this.audioResource?.volume || isNaN(value) || value < 0 || value > Infinity)
+            return false;
+        this.audioResource.volume.setVolumeLogarithmic(value / 100);
+        return true;
+    }
+    /**
+     * The current volume
+     * @type {number}
+     */
+    get volume() {
+        if (!this.audioResource?.volume)
+            return 100;
+        const currentVol = this.audioResource.volume.volume;
+        return Math.round(Math.pow(currentVol, 1 / 1.660964) * 100);
+    }
+    /**
+     * The playback time
+     * @type {number}
+     */
+    get streamTime() {
+        if (!this.audioResource)
+            return 0;
+        return this.audioResource.playbackDuration;
+    }
+}
+exports.StreamDispatcher = StreamDispatcher;
diff --git a/helpers/Music/dist/VoiceInterface/VoiceUtils.d.ts b/helpers/Music/dist/VoiceInterface/VoiceUtils.d.ts
new file mode 100644
index 00000000..6f6cc57e
--- /dev/null
+++ b/helpers/Music/dist/VoiceInterface/VoiceUtils.d.ts
@@ -0,0 +1,44 @@
+import { VoiceChannel, StageChannel, Collection, Snowflake } from "discord.js";
+import { VoiceConnection } from "@discordjs/voice";
+import { StreamDispatcher } from "./StreamDispatcher";
+declare class VoiceUtils {
+    cache: Collection<Snowflake, StreamDispatcher>;
+    /**
+     * The voice utils
+     * @private
+     */
+    constructor();
+    /**
+     * Joins a voice channel, creating basic stream dispatch manager
+     * @param {StageChannel|VoiceChannel} channel The voice channel
+     * @param {object} [options] Join options
+     * @returns {Promise<StreamDispatcher>}
+     */
+    connect(channel: VoiceChannel | StageChannel, options?: {
+        deaf?: boolean;
+        maxTime?: number;
+    }): Promise<StreamDispatcher>;
+    /**
+     * Joins a voice channel
+     * @param {StageChannel|VoiceChannel} [channel] The voice/stage channel to join
+     * @param {object} [options] Join options
+     * @returns {VoiceConnection}
+     */
+    join(channel: VoiceChannel | StageChannel, options?: {
+        deaf?: boolean;
+        maxTime?: number;
+    }): Promise<VoiceConnection>;
+    /**
+     * Disconnects voice connection
+     * @param {VoiceConnection} connection The voice connection
+     * @returns {void}
+     */
+    disconnect(connection: VoiceConnection | StreamDispatcher): void;
+    /**
+     * Returns Discord Player voice connection
+     * @param {Snowflake} guild The guild id
+     * @returns {StreamDispatcher}
+     */
+    getConnection(guild: Snowflake): StreamDispatcher;
+}
+export { VoiceUtils };
diff --git a/helpers/Music/dist/VoiceInterface/VoiceUtils.js b/helpers/Music/dist/VoiceInterface/VoiceUtils.js
new file mode 100644
index 00000000..365b74ab
--- /dev/null
+++ b/helpers/Music/dist/VoiceInterface/VoiceUtils.js
@@ -0,0 +1,65 @@
+"use strict";
+Object.defineProperty(exports, "__esModule", { value: true });
+exports.VoiceUtils = void 0;
+const discord_js_1 = require("discord.js");
+const voice_1 = require("@discordjs/voice");
+const StreamDispatcher_1 = require("./StreamDispatcher");
+class VoiceUtils {
+    /**
+     * The voice utils
+     * @private
+     */
+    constructor() {
+        /**
+         * The cache where voice utils stores stream managers
+         * @type {Collection<Snowflake, StreamDispatcher>}
+         */
+        this.cache = new discord_js_1.Collection();
+    }
+    /**
+     * Joins a voice channel, creating basic stream dispatch manager
+     * @param {StageChannel|VoiceChannel} channel The voice channel
+     * @param {object} [options] Join options
+     * @returns {Promise<StreamDispatcher>}
+     */
+    async connect(channel, options) {
+        const conn = await this.join(channel, options);
+        const sub = new StreamDispatcher_1.StreamDispatcher(conn, channel, options.maxTime);
+        this.cache.set(channel.guild.id, sub);
+        return sub;
+    }
+    /**
+     * Joins a voice channel
+     * @param {StageChannel|VoiceChannel} [channel] The voice/stage channel to join
+     * @param {object} [options] Join options
+     * @returns {VoiceConnection}
+     */
+    async join(channel, options) {
+        const conn = (0, voice_1.joinVoiceChannel)({
+            guildId: channel.guild.id,
+            channelId: channel.id,
+            adapterCreator: channel.guild.voiceAdapterCreator,
+            selfDeaf: Boolean(options.deaf)
+        });
+        return conn;
+    }
+    /**
+     * Disconnects voice connection
+     * @param {VoiceConnection} connection The voice connection
+     * @returns {void}
+     */
+    disconnect(connection) {
+        if (connection instanceof StreamDispatcher_1.StreamDispatcher)
+            return connection.voiceConnection.destroy();
+        return connection.destroy();
+    }
+    /**
+     * Returns Discord Player voice connection
+     * @param {Snowflake} guild The guild id
+     * @returns {StreamDispatcher}
+     */
+    getConnection(guild) {
+        return this.cache.get(guild);
+    }
+}
+exports.VoiceUtils = VoiceUtils;
diff --git a/helpers/Music/dist/VoiceInterface/VolumeTransformer.d.ts b/helpers/Music/dist/VoiceInterface/VolumeTransformer.d.ts
new file mode 100644
index 00000000..8b648df0
--- /dev/null
+++ b/helpers/Music/dist/VoiceInterface/VolumeTransformer.d.ts
@@ -0,0 +1,34 @@
+/// <reference types="node" />
+/// <reference types="node" />
+import { Transform, TransformOptions } from "stream";
+export interface VolumeTransformerOptions extends TransformOptions {
+    type?: "s16le" | "s16be" | "s32le" | "s32be";
+    smoothness?: number;
+    volume?: number;
+}
+export declare class VolumeTransformer extends Transform {
+    private _bits;
+    private _smoothing;
+    private _bytes;
+    private _extremum;
+    private _chunk;
+    volume: number;
+    private _targetVolume;
+    type: "s16le" | "s32le" | "s16be" | "s32be";
+    constructor(options?: VolumeTransformerOptions);
+    _readInt(buffer: Buffer, index: number): number;
+    _writeInt(buffer: Buffer, int: number, index: number): number;
+    _applySmoothness(): void;
+    _transform(chunk: Buffer, encoding: BufferEncoding, done: () => unknown): unknown;
+    _destroy(err: Error, cb: (error: Error) => void): void;
+    setVolume(volume: number): void;
+    setVolumeDecibels(db: number): void;
+    setVolumeLogarithmic(value: number): void;
+    get volumeDecibels(): number;
+    get volumeLogarithmic(): number;
+    get smoothness(): number;
+    setSmoothness(smoothness: number): void;
+    smoothingEnabled(): boolean;
+    get hasSmoothness(): boolean;
+    static get hasSmoothing(): boolean;
+}
diff --git a/helpers/Music/dist/VoiceInterface/VolumeTransformer.js b/helpers/Music/dist/VoiceInterface/VolumeTransformer.js
new file mode 100644
index 00000000..13365da8
--- /dev/null
+++ b/helpers/Music/dist/VoiceInterface/VolumeTransformer.js
@@ -0,0 +1,120 @@
+"use strict";
+// prism's volume transformer with smooth volume support
+Object.defineProperty(exports, "__esModule", { value: true });
+exports.VolumeTransformer = void 0;
+const stream_1 = require("stream");
+class VolumeTransformer extends stream_1.Transform {
+    constructor(options = {}) {
+        super(options);
+        switch (options.type) {
+            case "s16le":
+                this._readInt = (buffer, index) => buffer.readInt16LE(index);
+                this._writeInt = (buffer, int, index) => buffer.writeInt16LE(int, index);
+                this._bits = 16;
+                break;
+            case "s16be":
+                this._readInt = (buffer, index) => buffer.readInt16BE(index);
+                this._writeInt = (buffer, int, index) => buffer.writeInt16BE(int, index);
+                this._bits = 16;
+                break;
+            case "s32le":
+                this._readInt = (buffer, index) => buffer.readInt32LE(index);
+                this._writeInt = (buffer, int, index) => buffer.writeInt32LE(int, index);
+                this._bits = 32;
+                break;
+            case "s32be":
+                this._readInt = (buffer, index) => buffer.readInt32BE(index);
+                this._writeInt = (buffer, int, index) => buffer.writeInt32BE(int, index);
+                this._bits = 32;
+                break;
+            default:
+                throw new Error("VolumeTransformer type should be one of s16le, s16be, s32le, s32be");
+        }
+        this.type = options.type;
+        this._bytes = this._bits / 8;
+        this._extremum = Math.pow(2, this._bits - 1);
+        this.volume = Number.isNaN(options.volume) ? 1 : Number(options.volume);
+        if (!Number.isFinite(this.volume))
+            this.volume = 1;
+        this._targetVolume = this.volume;
+        this._chunk = Buffer.alloc(0);
+        this._smoothing = options.smoothness || 0;
+    }
+    _readInt(buffer, index) {
+        return index;
+    }
+    _writeInt(buffer, int, index) {
+        return index;
+    }
+    _applySmoothness() {
+        if (this.volume < this._targetVolume) {
+            this.volume = this.volume + this._smoothing >= this._targetVolume ? this._targetVolume : this.volume + this._smoothing;
+        }
+        else if (this.volume > this._targetVolume) {
+            this.volume = this.volume - this._smoothing <= this._targetVolume ? this._targetVolume : this.volume - this._smoothing;
+        }
+    }
+    _transform(chunk, encoding, done) {
+        if (this.smoothingEnabled() && this.volume !== this._targetVolume)
+            this._applySmoothness();
+        if (this.volume === 1) {
+            this.push(chunk);
+            return done();
+        }
+        const { _bytes, _extremum } = this;
+        chunk = this._chunk = Buffer.concat([this._chunk, chunk]);
+        if (chunk.length < _bytes)
+            return done();
+        const complete = Math.floor(chunk.length / _bytes) * _bytes;
+        for (let i = 0; i < complete; i += _bytes) {
+            const int = Math.min(_extremum - 1, Math.max(-_extremum, Math.floor(this.volume * this._readInt(chunk, i))));
+            this._writeInt(chunk, int, i);
+        }
+        this._chunk = chunk.slice(complete);
+        this.push(chunk.slice(0, complete));
+        return done();
+    }
+    _destroy(err, cb) {
+        super._destroy(err, cb);
+        this._chunk = null;
+    }
+    setVolume(volume) {
+        if (Number.isNaN(volume))
+            volume = 1;
+        if (typeof volume !== "number")
+            volume = Number(volume);
+        if (!Number.isFinite(volume))
+            volume = volume < 0 ? 0 : 1;
+        this._targetVolume = volume;
+        if (this._smoothing <= 0)
+            this.volume = volume;
+    }
+    setVolumeDecibels(db) {
+        this.setVolume(Math.pow(10, db / 20));
+    }
+    setVolumeLogarithmic(value) {
+        this.setVolume(Math.pow(value, 1.660964));
+    }
+    get volumeDecibels() {
+        return Math.log10(this.volume) * 20;
+    }
+    get volumeLogarithmic() {
+        return Math.pow(this.volume, 1 / 1.660964);
+    }
+    get smoothness() {
+        return this._smoothing;
+    }
+    setSmoothness(smoothness) {
+        this._smoothing = smoothness;
+    }
+    smoothingEnabled() {
+        return Number.isFinite(this._smoothing) && this._smoothing > 0;
+    }
+    get hasSmoothness() {
+        return true;
+    }
+    static get hasSmoothing() {
+        return true;
+    }
+}
+exports.VolumeTransformer = VolumeTransformer;
diff --git a/helpers/Music/dist/index.d.ts b/helpers/Music/dist/index.d.ts
new file mode 100644
index 00000000..e7a7ed5c
--- /dev/null
+++ b/helpers/Music/dist/index.d.ts
@@ -0,0 +1,15 @@
+import "./smoothVolume";
+export { AudioFilters } from "./utils/AudioFilters";
+export { ExtractorModel } from "./Structures/ExtractorModel";
+export { Playlist } from "./Structures/Playlist";
+export { Player } from "./Player";
+export { PlayerError, ErrorStatusCode } from "./Structures/PlayerError";
+export { QueryResolver } from "./utils/QueryResolver";
+export { Queue } from "./Structures/Queue";
+export { Track } from "./Structures/Track";
+export { VoiceUtils } from "./VoiceInterface/VoiceUtils";
+export { VoiceEvents, StreamDispatcher } from "./VoiceInterface/StreamDispatcher";
+export { Util } from "./utils/Util";
+export * from "./types/types";
+export * from "./utils/FFmpegStream";
+export declare const version: string;
diff --git a/helpers/Music/dist/index.js b/helpers/Music/dist/index.js
new file mode 100644
index 00000000..e6be0d88
--- /dev/null
+++ b/helpers/Music/dist/index.js
@@ -0,0 +1,33 @@
+"use strict";
+Object.defineProperty(exports, "__esModule", { value: true });
+exports.version = exports.Util = exports.StreamDispatcher = exports.VoiceUtils = exports.Track = exports.Queue = exports.QueryResolver = exports.ErrorStatusCode = exports.PlayerError = exports.Player = exports.Playlist = exports.ExtractorModel = exports.AudioFilters = void 0;
+const tslib_1 = require("tslib");
+// try applying smooth volume patch on load
+require("./smoothVolume");
+var AudioFilters_1 = require("./utils/AudioFilters");
+Object.defineProperty(exports, "AudioFilters", { enumerable: true, get: function () { return AudioFilters_1.AudioFilters; } });
+var ExtractorModel_1 = require("./Structures/ExtractorModel");
+Object.defineProperty(exports, "ExtractorModel", { enumerable: true, get: function () { return ExtractorModel_1.ExtractorModel; } });
+var Playlist_1 = require("./Structures/Playlist");
+Object.defineProperty(exports, "Playlist", { enumerable: true, get: function () { return Playlist_1.Playlist; } });
+var Player_1 = require("./Player");
+Object.defineProperty(exports, "Player", { enumerable: true, get: function () { return Player_1.Player; } });
+var PlayerError_1 = require("./Structures/PlayerError");
+Object.defineProperty(exports, "PlayerError", { enumerable: true, get: function () { return PlayerError_1.PlayerError; } });
+Object.defineProperty(exports, "ErrorStatusCode", { enumerable: true, get: function () { return PlayerError_1.ErrorStatusCode; } });
+var QueryResolver_1 = require("./utils/QueryResolver");
+Object.defineProperty(exports, "QueryResolver", { enumerable: true, get: function () { return QueryResolver_1.QueryResolver; } });
+var Queue_1 = require("./Structures/Queue");
+Object.defineProperty(exports, "Queue", { enumerable: true, get: function () { return Queue_1.Queue; } });
+var Track_1 = require("./Structures/Track");
+Object.defineProperty(exports, "Track", { enumerable: true, get: function () { return Track_1.Track; } });
+var VoiceUtils_1 = require("./VoiceInterface/VoiceUtils");
+Object.defineProperty(exports, "VoiceUtils", { enumerable: true, get: function () { return VoiceUtils_1.VoiceUtils; } });
+var StreamDispatcher_1 = require("./VoiceInterface/StreamDispatcher");
+Object.defineProperty(exports, "StreamDispatcher", { enumerable: true, get: function () { return StreamDispatcher_1.StreamDispatcher; } });
+var Util_1 = require("./utils/Util");
+Object.defineProperty(exports, "Util", { enumerable: true, get: function () { return Util_1.Util; } });
+tslib_1.__exportStar(require("./types/types"), exports);
+tslib_1.__exportStar(require("./utils/FFmpegStream"), exports);
+// eslint-disable-next-line @typescript-eslint/no-var-requires
+exports.version = require(`${__dirname}/../package.json`).version;
diff --git a/helpers/Music/dist/index.mjs b/helpers/Music/dist/index.mjs
new file mode 100644
index 00000000..ddc052d1
--- /dev/null
+++ b/helpers/Music/dist/index.mjs
@@ -0,0 +1,21 @@
+import mod from "./index.js";
+
+export default mod;
+export const AudioFilters = mod.AudioFilters;
+export const ErrorStatusCode = mod.ErrorStatusCode;
+export const ExtractorModel = mod.ExtractorModel;
+export const FFMPEG_ARGS_PIPED = mod.FFMPEG_ARGS_PIPED;
+export const FFMPEG_ARGS_STRING = mod.FFMPEG_ARGS_STRING;
+export const Player = mod.Player;
+export const PlayerError = mod.PlayerError;
+export const Playlist = mod.Playlist;
+export const QueryResolver = mod.QueryResolver;
+export const QueryType = mod.QueryType;
+export const Queue = mod.Queue;
+export const QueueRepeatMode = mod.QueueRepeatMode;
+export const StreamDispatcher = mod.StreamDispatcher;
+export const Track = mod.Track;
+export const Util = mod.Util;
+export const VoiceUtils = mod.VoiceUtils;
+export const createFFmpegStream = mod.createFFmpegStream;
+export const version = mod.version;
diff --git a/helpers/Music/dist/smoothVolume.d.ts b/helpers/Music/dist/smoothVolume.d.ts
new file mode 100644
index 00000000..cb0ff5c3
--- /dev/null
+++ b/helpers/Music/dist/smoothVolume.d.ts
@@ -0,0 +1 @@
+export {};
diff --git a/helpers/Music/dist/smoothVolume.js b/helpers/Music/dist/smoothVolume.js
new file mode 100644
index 00000000..b92ea29d
--- /dev/null
+++ b/helpers/Music/dist/smoothVolume.js
@@ -0,0 +1,13 @@
+"use strict";
+Object.defineProperty(exports, "__esModule", { value: true });
+const VolumeTransformer_1 = require("./VoiceInterface/VolumeTransformer");
+try {
+    // eslint-disable-next-line
+    const mod = require("prism-media");
+    if (typeof mod.VolumeTransformer.hasSmoothing !== "boolean") {
+        Reflect.set(mod, "VolumeTransformer", VolumeTransformer_1.VolumeTransformer);
+    }
+}
+catch {
+    /* do nothing */
+}
diff --git a/helpers/Music/dist/types/types.d.ts b/helpers/Music/dist/types/types.d.ts
new file mode 100644
index 00000000..dcb985cb
--- /dev/null
+++ b/helpers/Music/dist/types/types.d.ts
@@ -0,0 +1,453 @@
+/// <reference types="node" />
+import { Snowflake, User, UserResolvable } from "discord.js";
+import { Readable, Duplex } from "stream";
+import { Queue } from "../Structures/Queue";
+import Track from "../Structures/Track";
+import { Playlist } from "../Structures/Playlist";
+import { StreamDispatcher } from "../VoiceInterface/StreamDispatcher";
+export declare type FiltersName = keyof QueueFilters;
+export interface PlayerSearchResult {
+    playlist: Playlist | null;
+    tracks: Track[];
+    searched?: boolean;
+}
+/**
+ * @typedef {AudioFilters} QueueFilters
+ */
+export interface QueueFilters {
+    bassboost_low?: boolean;
+    bassboost?: boolean;
+    bassboost_high?: boolean;
+    "8D"?: boolean;
+    vaporwave?: boolean;
+    nightcore?: boolean;
+    phaser?: boolean;
+    tremolo?: boolean;
+    vibrato?: boolean;
+    reverse?: boolean;
+    treble?: boolean;
+    normalizer?: boolean;
+    normalizer2?: boolean;
+    surrounding?: boolean;
+    pulsator?: boolean;
+    subboost?: boolean;
+    karaoke?: boolean;
+    flanger?: boolean;
+    gate?: boolean;
+    haas?: boolean;
+    mcompand?: boolean;
+    mono?: boolean;
+    mstlr?: boolean;
+    mstrr?: boolean;
+    compressor?: boolean;
+    expander?: boolean;
+    softlimiter?: boolean;
+    chorus?: boolean;
+    chorus2d?: boolean;
+    chorus3d?: boolean;
+    fadein?: boolean;
+    dim?: boolean;
+    earrape?: boolean;
+}
+/**
+ * The track source:
+ * - soundcloud
+ * - youtube
+ * - spotify
+ * - arbitrary
+ * @typedef {string} TrackSource
+ */
+export declare type TrackSource = "soundcloud" | "youtube" | "spotify" | "arbitrary";
+/**
+ * @typedef {object} RawTrackData
+ * @property {string} title The title
+ * @property {string} description The description
+ * @property {string} author The author
+ * @property {string} url The url
+ * @property {string} thumbnail The thumbnail
+ * @property {string} duration The duration
+ * @property {number | boolean} views The views
+ * @property {User} requestedBy The user who requested this track
+ * @property {Playlist} [playlist] The playlist
+ * @property {TrackSource} [source="arbitrary"] The source
+ * @property {any} [engine] The engine
+ * @property {boolean} [live] If this track is live
+ * @property {any} [raw] The raw data
+ */
+export interface RawTrackData {
+    title: string;
+    description: string;
+    author: string;
+    url: string;
+    thumbnail: string;
+    duration: string;
+    views: number;
+    requestedBy: User;
+    playlist?: Playlist;
+    source?: TrackSource;
+    engine?: any;
+    live?: boolean;
+    raw?: any;
+}
+/**
+ * @typedef {object} TimeData
+ * @property {number} days Time in days
+ * @property {number} hours Time in hours
+ * @property {number} minutes Time in minutes
+ * @property {number} seconds Time in seconds
+ */
+export interface TimeData {
+    days: number;
+    hours: number;
+    minutes: number;
+    seconds: number;
+}
+/**
+ * @typedef {object} PlayerProgressbarOptions
+ * @property {boolean} [timecodes] If it should render time codes
+ * @property {boolean} [queue] If it should create progress bar for the whole queue
+ * @property {number} [length] The bar length
+ * @property {string} [line] The bar track
+ * @property {string} [indicator] The indicator
+ */
+export interface PlayerProgressbarOptions {
+    timecodes?: boolean;
+    length?: number;
+    line?: string;
+    indicator?: string;
+    queue?: boolean;
+}
+/**
+ * @typedef {object} PlayerOptions
+ * @property {boolean} [leaveOnEnd=true] If it should leave on end
+ * @property {boolean} [leaveOnStop=true] If it should leave on stop
+ * @property {boolean} [leaveOnEmpty=true] If it should leave on empty
+ * @property {number} [leaveOnEmptyCooldown=1000] The cooldown in ms
+ * @property {boolean} [autoSelfDeaf=true] If it should set the bot in deaf mode
+ * @property {YTDLDownloadOptions} [ytdlOptions] The youtube download options
+ * @property {number} [initialVolume=100] The initial player volume
+ * @property {number} [bufferingTimeout=3000] Buffering timeout for the stream
+ * @property {boolean} [spotifyBridge=true] If player should bridge spotify source to youtube
+ * @property {boolean} [disableVolume=false] If player should disable inline volume
+ * @property {number} [volumeSmoothness=0] The volume transition smoothness between volume changes (lower the value to get better result)
+ * Setting this or leaving this empty will disable this effect. Example: `volumeSmoothness: 0.1`
+ * @property {Function} [onBeforeCreateStream] Runs before creating stream
+ */
+export interface PlayerOptions {
+    leaveOnEnd?: boolean;
+    leaveOnStop?: boolean;
+    leaveOnEmpty?: boolean;
+    leaveOnEmptyCooldown?: number;
+    autoSelfDeaf?: boolean;
+    initialVolume?: number;
+    bufferingTimeout?: number;
+    spotifyBridge?: boolean;
+    disableVolume?: boolean;
+    volumeSmoothness?: number;
+    onBeforeCreateStream?: (track: Track, source: TrackSource, queue: Queue) => Promise<Readable>;
+}
+/**
+ * @typedef {object} ExtractorModelData
+ * @property {object} [playlist] The playlist info (if any)
+ * @property {string} [playlist.title] The playlist title
+ * @property {string} [playlist.description] The playlist description
+ * @property {string} [playlist.thumbnail] The playlist thumbnail
+ * @property {album|playlist} [playlist.type] The playlist type: `album` | `playlist`
+ * @property {TrackSource} [playlist.source] The playlist source
+ * @property {object} [playlist.author] The playlist author
+ * @property {string} [playlist.author.name] The author name
+ * @property {string} [playlist.author.url] The author url
+ * @property {string} [playlist.id] The playlist id
+ * @property {string} [playlist.url] The playlist url
+ * @property {any} [playlist.rawPlaylist] The raw data
+ * @property {ExtractorData[]} data The data
+ */
+/**
+ * @typedef {object} ExtractorData
+ * @property {string} title The title
+ * @property {number} duration The duration
+ * @property {string} thumbnail The thumbnail
+ * @property {string|Readable|Duplex} engine The stream engine
+ * @property {number} views The views count
+ * @property {string} author The author
+ * @property {string} description The description
+ * @property {string} url The url
+ * @property {string} [version] The extractor version
+ * @property {TrackSource} [source="arbitrary"] The source
+ */
+export interface ExtractorModelData {
+    playlist?: {
+        title: string;
+        description: string;
+        thumbnail: string;
+        type: "album" | "playlist";
+        source: TrackSource;
+        author: {
+            name: string;
+            url: string;
+        };
+        id: string;
+        url: string;
+        rawPlaylist?: any;
+    };
+    data: {
+        title: string;
+        duration: number;
+        thumbnail: string;
+        engine: string | Readable | Duplex;
+        views: number;
+        author: string;
+        description: string;
+        url: string;
+        version?: string;
+        source?: TrackSource;
+    }[];
+}
+/**
+ * The search query type
+ * This can be one of:
+ * - AUTO
+ * - YOUTUBE
+ * - YOUTUBE_PLAYLIST
+ * - SOUNDCLOUD_TRACK
+ * - SOUNDCLOUD_PLAYLIST
+ * - SOUNDCLOUD
+ * - SPOTIFY_SONG
+ * - SPOTIFY_ALBUM
+ * - SPOTIFY_PLAYLIST
+ * - FACEBOOK
+ * - VIMEO
+ * - ARBITRARY
+ * - REVERBNATION
+ * - YOUTUBE_SEARCH
+ * - YOUTUBE_VIDEO
+ * - SOUNDCLOUD_SEARCH
+ * @typedef {number} QueryType
+ */
+export declare enum QueryType {
+    AUTO = 0,
+    YOUTUBE = 1,
+    YOUTUBE_PLAYLIST = 2,
+    SOUNDCLOUD_TRACK = 3,
+    SOUNDCLOUD_PLAYLIST = 4,
+    SOUNDCLOUD = 5,
+    SPOTIFY_SONG = 6,
+    SPOTIFY_ALBUM = 7,
+    SPOTIFY_PLAYLIST = 8,
+    FACEBOOK = 9,
+    VIMEO = 10,
+    ARBITRARY = 11,
+    REVERBNATION = 12,
+    YOUTUBE_SEARCH = 13,
+    YOUTUBE_VIDEO = 14,
+    SOUNDCLOUD_SEARCH = 15
+}
+/**
+ * Emitted when bot gets disconnected from a voice channel
+ * @event Player#botDisconnect
+ * @param {Queue} queue The queue
+ */
+/**
+ * Emitted when the voice channel is empty
+ * @event Player#channelEmpty
+ * @param {Queue} queue The queue
+ */
+/**
+ * Emitted when bot connects to a voice channel
+ * @event Player#connectionCreate
+ * @param {Queue} queue The queue
+ * @param {StreamDispatcher} connection The discord player connection object
+ */
+/**
+ * Debug information
+ * @event Player#debug
+ * @param {Queue} queue The queue
+ * @param {string} message The message
+ */
+/**
+ * Emitted on error
+ * <warn>This event should handled properly otherwise it may crash your process!</warn>
+ * @event Player#error
+ * @param {Queue} queue The queue
+ * @param {Error} error The error
+ */
+/**
+ * Emitted on connection error. Sometimes stream errors are emitted here as well.
+ * @event Player#connectionError
+ * @param {Queue} queue The queue
+ * @param {Error} error The error
+ */
+/**
+ * Emitted when queue ends
+ * @event Player#queueEnd
+ * @param {Queue} queue The queue
+ */
+/**
+ * Emitted when a single track is added
+ * @event Player#trackAdd
+ * @param {Queue} queue The queue
+ * @param {Track} track The track
+ */
+/**
+ * Emitted when multiple tracks are added
+ * @event Player#tracksAdd
+ * @param {Queue} queue The queue
+ * @param {Track[]} tracks The tracks
+ */
+/**
+ * Emitted when a track starts playing
+ * @event Player#trackStart
+ * @param {Queue} queue The queue
+ * @param {Track} track The track
+ */
+/**
+ * Emitted when a track ends
+ * @event Player#trackEnd
+ * @param {Queue} queue The queue
+ * @param {Track} track The track
+ */
+export interface PlayerEvents {
+    botDisconnect: (queue: Queue) => any;
+    channelEmpty: (queue: Queue) => any;
+    connectionCreate: (queue: Queue, connection: StreamDispatcher) => any;
+    debug: (queue: Queue, message: string) => any;
+    error: (queue: Queue, error: Error) => any;
+    connectionError: (queue: Queue, error: Error) => any;
+    queueEnd: (queue: Queue) => any;
+    trackAdd: (queue: Queue, track: Track) => any;
+    tracksAdd: (queue: Queue, track: Track[]) => any;
+    trackStart: (queue: Queue, track: Track) => any;
+    trackEnd: (queue: Queue, track: Track) => any;
+}
+/**
+ * @typedef {object} PlayOptions
+ * @property {boolean} [filtersUpdate=false] If this play was triggered for filters update
+ * @property {string[]} [encoderArgs=[]] FFmpeg args passed to encoder
+ * @property {number} [seek] Time to seek to before playing
+ * @property {boolean} [immediate=false] If it should start playing the provided track immediately
+ */
+export interface PlayOptions {
+    filtersUpdate?: boolean;
+    encoderArgs?: string[];
+    seek?: number;
+    immediate?: boolean;
+}
+/**
+ * @typedef {object} SearchOptions
+ * @property {UserResolvable} requestedBy The user who requested this search
+ * @property {QueryType|string} [searchEngine=QueryType.AUTO] The query search engine, can be extractor name to target specific one (custom)
+ * @property {boolean} [blockExtractor=false] If it should block custom extractors
+ */
+export interface SearchOptions {
+    requestedBy: UserResolvable;
+    searchEngine?: QueryType | string;
+    blockExtractor?: boolean;
+}
+/**
+ * The queue repeat mode. This can be one of:
+ * - OFF
+ * - TRACK
+ * - QUEUE
+ * - AUTOPLAY
+ * @typedef {number} QueueRepeatMode
+ */
+export declare enum QueueRepeatMode {
+    OFF = 0,
+    TRACK = 1,
+    QUEUE = 2,
+    AUTOPLAY = 3
+}
+/**
+ * @typedef {object} PlaylistInitData
+ * @property {Track[]} tracks The tracks of this playlist
+ * @property {string} title The playlist title
+ * @property {string} description The description
+ * @property {string} thumbnail The thumbnail
+ * @property {album|playlist} type The playlist type: `album` | `playlist`
+ * @property {TrackSource} source The playlist source
+ * @property {object} author The playlist author
+ * @property {string} [author.name] The author name
+ * @property {string} [author.url] The author url
+ * @property {string} id The playlist id
+ * @property {string} url The playlist url
+ * @property {any} [rawPlaylist] The raw playlist data
+ */
+export interface PlaylistInitData {
+    tracks: Track[];
+    title: string;
+    description: string;
+    thumbnail: string;
+    type: "album" | "playlist";
+    source: TrackSource;
+    author: {
+        name: string;
+        url: string;
+    };
+    id: string;
+    url: string;
+    rawPlaylist?: any;
+}
+/**
+ * @typedef {object} TrackJSON
+ * @property {string} title The track title
+ * @property {string} description The track description
+ * @property {string} author The author
+ * @property {string} url The url
+ * @property {string} thumbnail The thumbnail
+ * @property {string} duration The duration
+ * @property {number} durationMS The duration in ms
+ * @property {number} views The views count
+ * @property {Snowflake} requestedBy The id of the user who requested this track
+ * @property {PlaylistJSON} [playlist] The playlist info (if any)
+ */
+export interface TrackJSON {
+    id: Snowflake;
+    title: string;
+    description: string;
+    author: string;
+    url: string;
+    thumbnail: string;
+    duration: string;
+    durationMS: number;
+    views: number;
+    requestedBy: Snowflake;
+    playlist?: PlaylistJSON;
+}
+/**
+ * @typedef {object} PlaylistJSON
+ * @property {string} id The playlist id
+ * @property {string} url The playlist url
+ * @property {string} title The playlist title
+ * @property {string} description The playlist description
+ * @property {string} thumbnail The thumbnail
+ * @property {album|playlist} type The playlist type: `album` | `playlist`
+ * @property {TrackSource} source The track source
+ * @property {object} author The playlist author
+ * @property {string} [author.name] The author name
+ * @property {string} [author.url] The author url
+ * @property {TrackJSON[]} tracks The tracks data (if any)
+ */
+export interface PlaylistJSON {
+    id: string;
+    url: string;
+    title: string;
+    description: string;
+    thumbnail: string;
+    type: "album" | "playlist";
+    source: TrackSource;
+    author: {
+        name: string;
+        url: string;
+    };
+    tracks: TrackJSON[];
+}
+/**
+ * @typedef {object} PlayerInitOptions
+ * @property {boolean} [autoRegisterExtractor=true] If it should automatically register `@discord-player/extractor`
+ * @property {YTDLDownloadOptions} [ytdlOptions] The options passed to `ytdl-core`
+ * @property {number} [connectionTimeout=20000] The voice connection timeout
+ */
+export interface PlayerInitOptions {
+    autoRegisterExtractor?: boolean;
+    connectionTimeout?: number;
+}
diff --git a/helpers/Music/dist/types/types.js b/helpers/Music/dist/types/types.js
new file mode 100644
index 00000000..726bb99f
--- /dev/null
+++ b/helpers/Music/dist/types/types.js
@@ -0,0 +1,58 @@
+"use strict";
+Object.defineProperty(exports, "__esModule", { value: true });
+exports.QueueRepeatMode = exports.QueryType = void 0;
+/**
+ * The search query type
+ * This can be one of:
+ * - AUTO
+ * - YOUTUBE
+ * - YOUTUBE_PLAYLIST
+ * - SOUNDCLOUD_TRACK
+ * - SOUNDCLOUD_PLAYLIST
+ * - SOUNDCLOUD
+ * - SPOTIFY_SONG
+ * - SPOTIFY_ALBUM
+ * - SPOTIFY_PLAYLIST
+ * - FACEBOOK
+ * - VIMEO
+ * - ARBITRARY
+ * - REVERBNATION
+ * - YOUTUBE_SEARCH
+ * - YOUTUBE_VIDEO
+ * - SOUNDCLOUD_SEARCH
+ * @typedef {number} QueryType
+ */
+var QueryType;
+(function (QueryType) {
+    QueryType[QueryType["AUTO"] = 0] = "AUTO";
+    QueryType[QueryType["YOUTUBE"] = 1] = "YOUTUBE";
+    QueryType[QueryType["YOUTUBE_PLAYLIST"] = 2] = "YOUTUBE_PLAYLIST";
+    QueryType[QueryType["SOUNDCLOUD_TRACK"] = 3] = "SOUNDCLOUD_TRACK";
+    QueryType[QueryType["SOUNDCLOUD_PLAYLIST"] = 4] = "SOUNDCLOUD_PLAYLIST";
+    QueryType[QueryType["SOUNDCLOUD"] = 5] = "SOUNDCLOUD";
+    QueryType[QueryType["SPOTIFY_SONG"] = 6] = "SPOTIFY_SONG";
+    QueryType[QueryType["SPOTIFY_ALBUM"] = 7] = "SPOTIFY_ALBUM";
+    QueryType[QueryType["SPOTIFY_PLAYLIST"] = 8] = "SPOTIFY_PLAYLIST";
+    QueryType[QueryType["FACEBOOK"] = 9] = "FACEBOOK";
+    QueryType[QueryType["VIMEO"] = 10] = "VIMEO";
+    QueryType[QueryType["ARBITRARY"] = 11] = "ARBITRARY";
+    QueryType[QueryType["REVERBNATION"] = 12] = "REVERBNATION";
+    QueryType[QueryType["YOUTUBE_SEARCH"] = 13] = "YOUTUBE_SEARCH";
+    QueryType[QueryType["YOUTUBE_VIDEO"] = 14] = "YOUTUBE_VIDEO";
+    QueryType[QueryType["SOUNDCLOUD_SEARCH"] = 15] = "SOUNDCLOUD_SEARCH";
+})(QueryType = exports.QueryType || (exports.QueryType = {}));
+/**
+ * The queue repeat mode. This can be one of:
+ * - OFF
+ * - TRACK
+ * - QUEUE
+ * - AUTOPLAY
+ * @typedef {number} QueueRepeatMode
+ */
+var QueueRepeatMode;
+(function (QueueRepeatMode) {
+    QueueRepeatMode[QueueRepeatMode["OFF"] = 0] = "OFF";
+    QueueRepeatMode[QueueRepeatMode["TRACK"] = 1] = "TRACK";
+    QueueRepeatMode[QueueRepeatMode["QUEUE"] = 2] = "QUEUE";
+    QueueRepeatMode[QueueRepeatMode["AUTOPLAY"] = 3] = "AUTOPLAY";
+})(QueueRepeatMode = exports.QueueRepeatMode || (exports.QueueRepeatMode = {}));
diff --git a/helpers/Music/dist/utils/AudioFilters.d.ts b/helpers/Music/dist/utils/AudioFilters.d.ts
new file mode 100644
index 00000000..471e9108
--- /dev/null
+++ b/helpers/Music/dist/utils/AudioFilters.d.ts
@@ -0,0 +1,36 @@
+import { FiltersName } from "../types/types";
+declare class AudioFilters {
+    constructor();
+    static get filters(): Record<FiltersName, string>;
+    static get<K extends FiltersName>(name: K): Record<keyof import("../types/types").QueueFilters, string>[K];
+    static has<K extends FiltersName>(name: K): boolean;
+    static [Symbol.iterator](): IterableIterator<{
+        name: FiltersName;
+        value: string;
+    }>;
+    static get names(): (keyof import("../types/types").QueueFilters)[];
+    static get length(): number;
+    static toString(): string;
+    /**
+     * Create ffmpeg args from the specified filters name
+     * @param filter The filter name
+     * @returns
+     */
+    static create<K extends FiltersName>(filters?: K[]): string;
+    /**
+     * Defines audio filter
+     * @param filterName The name of the filter
+     * @param value The ffmpeg args
+     */
+    static define(filterName: string, value: string): void;
+    /**
+     * Defines multiple audio filters
+     * @param filtersArray Array of filters containing the filter name and ffmpeg args
+     */
+    static defineBulk(filtersArray: {
+        name: string;
+        value: string;
+    }[]): void;
+}
+export default AudioFilters;
+export { AudioFilters };
diff --git a/helpers/Music/dist/utils/AudioFilters.js b/helpers/Music/dist/utils/AudioFilters.js
new file mode 100644
index 00000000..8eac6b1d
--- /dev/null
+++ b/helpers/Music/dist/utils/AudioFilters.js
@@ -0,0 +1,97 @@
+"use strict";
+Object.defineProperty(exports, "__esModule", { value: true });
+exports.AudioFilters = void 0;
+const bass = (g) => `bass=g=${g}:f=110:w=0.3`;
+class AudioFilters {
+    constructor() {
+        return AudioFilters;
+    }
+    static get filters() {
+        return {
+            bassboost_low: bass(15),
+            bassboost: bass(20),
+            bassboost_high: bass(30),
+            "8D": "apulsator=hz=0.09",
+            vaporwave: "aresample=48000,asetrate=48000*0.8",
+            nightcore: "aresample=48000,asetrate=48000*1.25",
+            phaser: "aphaser=in_gain=0.4",
+            tremolo: "tremolo",
+            vibrato: "vibrato=f=6.5",
+            reverse: "areverse",
+            treble: "treble=g=5",
+            normalizer2: "dynaudnorm=g=101",
+            normalizer: "acompressor",
+            surrounding: "surround",
+            pulsator: "apulsator=hz=1",
+            subboost: "asubboost",
+            karaoke: "stereotools=mlev=0.03",
+            flanger: "flanger",
+            gate: "agate",
+            haas: "haas",
+            mcompand: "mcompand",
+            mono: "pan=mono|c0=.5*c0+.5*c1",
+            mstlr: "stereotools=mode=ms>lr",
+            mstrr: "stereotools=mode=ms>rr",
+            compressor: "compand=points=-80/-105|-62/-80|-15.4/-15.4|0/-12|20/-7.6",
+            expander: "compand=attacks=0:points=-80/-169|-54/-80|-49.5/-64.6|-41.1/-41.1|-25.8/-15|-10.8/-4.5|0/0|20/8.3",
+            softlimiter: "compand=attacks=0:points=-80/-80|-12.4/-12.4|-6/-8|0/-6.8|20/-2.8",
+            chorus: "chorus=0.7:0.9:55:0.4:0.25:2",
+            chorus2d: "chorus=0.6:0.9:50|60:0.4|0.32:0.25|0.4:2|1.3",
+            chorus3d: "chorus=0.5:0.9:50|60|40:0.4|0.32|0.3:0.25|0.4|0.3:2|2.3|1.3",
+            fadein: "afade=t=in:ss=0:d=10",
+            dim: `afftfilt="'real=re * (1-clip((b/nb)*b,0,1))':imag='im * (1-clip((b/nb)*b,0,1))'"`,
+            earrape: "channelsplit,sidechaingate=level_in=64"
+        };
+    }
+    static get(name) {
+        return this.filters[name];
+    }
+    static has(name) {
+        return name in this.filters;
+    }
+    static *[Symbol.iterator]() {
+        for (const [k, v] of Object.entries(this.filters)) {
+            yield { name: k, value: v };
+        }
+    }
+    static get names() {
+        return Object.keys(this.filters);
+    }
+    // @ts-expect-error AudioFilters.length
+    static get length() {
+        return this.names.length;
+    }
+    static toString() {
+        return this.names.map((m) => this[m]).join(","); // eslint-disable-line @typescript-eslint/no-explicit-any
+    }
+    /**
+     * Create ffmpeg args from the specified filters name
+     * @param filter The filter name
+     * @returns
+     */
+    static create(filters) {
+        if (!filters || !Array.isArray(filters))
+            return this.toString();
+        return filters
+            .filter((predicate) => typeof predicate === "string")
+            .map((m) => this.get(m))
+            .join(",");
+    }
+    /**
+     * Defines audio filter
+     * @param filterName The name of the filter
+     * @param value The ffmpeg args
+     */
+    static define(filterName, value) {
+        this.filters[filterName] = value;
+    }
+    /**
+     * Defines multiple audio filters
+     * @param filtersArray Array of filters containing the filter name and ffmpeg args
+     */
+    static defineBulk(filtersArray) {
+        filtersArray.forEach((arr) => this.define(arr.name, arr.value));
+    }
+}
+exports.AudioFilters = AudioFilters;
+exports.default = AudioFilters;
diff --git a/helpers/Music/dist/utils/FFmpegStream.d.ts b/helpers/Music/dist/utils/FFmpegStream.d.ts
new file mode 100644
index 00000000..18d19e14
--- /dev/null
+++ b/helpers/Music/dist/utils/FFmpegStream.d.ts
@@ -0,0 +1,16 @@
+/// <reference types="node" />
+import type { Duplex, Readable } from "stream";
+export interface FFmpegStreamOptions {
+    fmt?: string;
+    encoderArgs?: string[];
+    seek?: number;
+    skip?: boolean;
+}
+export declare function FFMPEG_ARGS_STRING(stream: string, fmt?: string): string[];
+export declare function FFMPEG_ARGS_PIPED(fmt?: string): string[];
+/**
+ * Creates FFmpeg stream
+ * @param stream The source stream
+ * @param options FFmpeg stream options
+ */
+export declare function createFFmpegStream(stream: Readable | Duplex | string, options?: FFmpegStreamOptions): Readable | Duplex;
diff --git a/helpers/Music/dist/utils/FFmpegStream.js b/helpers/Music/dist/utils/FFmpegStream.js
new file mode 100644
index 00000000..0a9325ae
--- /dev/null
+++ b/helpers/Music/dist/utils/FFmpegStream.js
@@ -0,0 +1,53 @@
+"use strict";
+Object.defineProperty(exports, "__esModule", { value: true });
+exports.createFFmpegStream = exports.FFMPEG_ARGS_PIPED = exports.FFMPEG_ARGS_STRING = void 0;
+const prism_media_1 = require("prism-media");
+function FFMPEG_ARGS_STRING(stream, fmt) {
+    // prettier-ignore
+    return [
+        "-reconnect", "1",
+        "-reconnect_streamed", "1",
+        "-reconnect_delay_max", "5",
+        "-i", stream,
+        "-analyzeduration", "0",
+        "-loglevel", "0",
+        "-f", `${typeof fmt === "string" ? fmt : "s16le"}`,
+        "-ar", "48000",
+        "-ac", "2"
+    ];
+}
+exports.FFMPEG_ARGS_STRING = FFMPEG_ARGS_STRING;
+function FFMPEG_ARGS_PIPED(fmt) {
+    // prettier-ignore
+    return [
+        "-analyzeduration", "0",
+        "-loglevel", "0",
+        "-f", `${typeof fmt === "string" ? fmt : "s16le"}`,
+        "-ar", "48000",
+        "-ac", "2"
+    ];
+}
+exports.FFMPEG_ARGS_PIPED = FFMPEG_ARGS_PIPED;
+/**
+ * Creates FFmpeg stream
+ * @param stream The source stream
+ * @param options FFmpeg stream options
+ */
+function createFFmpegStream(stream, options) {
+    if (options.skip && typeof stream !== "string")
+        return stream;
+    options ?? (options = {});
+    const args = typeof stream === "string" ? FFMPEG_ARGS_STRING(stream, options.fmt) : FFMPEG_ARGS_PIPED(options.fmt);
+    if (!Number.isNaN(options.seek))
+        args.unshift("-ss", String(options.seek));
+    if (Array.isArray(options.encoderArgs))
+        args.push(...options.encoderArgs);
+    const transcoder = new prism_media_1.FFmpeg({ shell: false, args });
+    transcoder.on("close", () => transcoder.destroy());
+    if (typeof stream !== "string") {
+        stream.on("error", () => transcoder.destroy());
+        stream.pipe(transcoder);
+    }
+    return transcoder;
+}
+exports.createFFmpegStream = createFFmpegStream;
diff --git a/helpers/Music/dist/utils/QueryResolver.d.ts b/helpers/Music/dist/utils/QueryResolver.d.ts
new file mode 100644
index 00000000..759c80c9
--- /dev/null
+++ b/helpers/Music/dist/utils/QueryResolver.d.ts
@@ -0,0 +1,20 @@
+import { QueryType } from "../types/types";
+declare class QueryResolver {
+    /**
+     * Query resolver
+     */
+    private constructor();
+    /**
+     * Resolves the given search query
+     * @param {string} query The query
+     * @returns {QueryType}
+     */
+    static resolve(query: string): Promise<QueryType>;
+    /**
+     * Parses vimeo id from url
+     * @param {string} query The query
+     * @returns {string}
+     */
+    static getVimeoID(query: string): Promise<string>;
+}
+export { QueryResolver };
diff --git a/helpers/Music/dist/utils/QueryResolver.js b/helpers/Music/dist/utils/QueryResolver.js
new file mode 100644
index 00000000..d1618820
--- /dev/null
+++ b/helpers/Music/dist/utils/QueryResolver.js
@@ -0,0 +1,66 @@
+"use strict";
+Object.defineProperty(exports, "__esModule", { value: true });
+exports.QueryResolver = void 0;
+const tslib_1 = require("tslib");
+const types_1 = require("../types/types");
+const play_dl_1 = tslib_1.__importDefault(require("play-dl"));
+// eslint-disable-next-line @typescript-eslint/ban-ts-comment
+// scary things below *sigh*
+const spotifySongRegex = /https?:\/\/(?:embed\.|open\.)(?:spotify\.com\/)(?:track\/|\?uri=spotify:track:)((\w|-){22})/;
+const spotifyPlaylistRegex = /https?:\/\/(?:embed\.|open\.)(?:spotify\.com\/)(?:playlist\/|\?uri=spotify:playlist:)((\w|-){22})/;
+const spotifyAlbumRegex = /https?:\/\/(?:embed\.|open\.)(?:spotify\.com\/)(?:album\/|\?uri=spotify:album:)((\w|-){22})/;
+const vimeoRegex = /(http|https)?:\/\/(www\.|player\.)?vimeo\.com\/(?:channels\/(?:\w+\/)?|groups\/([^/]*)\/videos\/|video\/|)(\d+)(?:|\/\?)/;
+const facebookRegex = /(https?:\/\/)(www\.|m\.)?(facebook|fb).com\/.*\/videos\/.*/;
+const reverbnationRegex = /https:\/\/(www.)?reverbnation.com\/(.+)\/song\/(.+)/;
+const attachmentRegex = /^(?:(?:https?|ftp):\/\/)?(?:(?!(?:10|127)(?:\.\d{1,3}){3})(?!(?:169\.254|192\.168)(?:\.\d{1,3}){2})(?!172\.(?:1[6-9]|2\d|3[0-1])(?:\.\d{1,3}){2})(?:[1-9]\d?|1\d\d|2[01]\d|22[0-3])(?:\.(?:1?\d{1,2}|2[0-4]\d|25[0-5])){2}(?:\.(?:[1-9]\d?|1\d\d|2[0-4]\d|25[0-4]))|(?:(?:[a-z\u00a1-\uffff0-9]-*)*[a-z\u00a1-\uffff0-9]+)(?:\.(?:[a-z\u00a1-\uffff0-9]-*)*[a-z\u00a1-\uffff0-9]+)*(?:\.(?:[a-z\u00a1-\uffff]{2,})))(?::\d{2,5})?(?:\/\S*)?$/;
+// scary things above *sigh*
+class QueryResolver {
+    /**
+     * Query resolver
+     */
+    constructor() { } // eslint-disable-line @typescript-eslint/no-empty-function
+    /**
+     * Resolves the given search query
+     * @param {string} query The query
+     * @returns {QueryType}
+     */
+    static async resolve(query) {
+        if (await play_dl_1.default.so_validate(query) === "track")
+            return types_1.QueryType.SOUNDCLOUD_TRACK;
+        if (await play_dl_1.default.so_validate(query) === "playlist" || query.includes("/sets/"))
+            return types_1.QueryType.SOUNDCLOUD_PLAYLIST;
+        if (play_dl_1.default.yt_validate(query) === "playlist")
+            return types_1.QueryType.YOUTUBE_PLAYLIST;
+        if (play_dl_1.default.yt_validate(query) === "video")
+            return types_1.QueryType.YOUTUBE_VIDEO;
+        if (spotifySongRegex.test(query))
+            return types_1.QueryType.SPOTIFY_SONG;
+        if (spotifyPlaylistRegex.test(query))
+            return types_1.QueryType.SPOTIFY_PLAYLIST;
+        if (spotifyAlbumRegex.test(query))
+            return types_1.QueryType.SPOTIFY_ALBUM;
+        if (vimeoRegex.test(query))
+            return types_1.QueryType.VIMEO;
+        if (facebookRegex.test(query))
+            return types_1.QueryType.FACEBOOK;
+        if (reverbnationRegex.test(query))
+            return types_1.QueryType.REVERBNATION;
+        if (attachmentRegex.test(query))
+            return types_1.QueryType.ARBITRARY;
+        return types_1.QueryType.YOUTUBE_SEARCH;
+    }
+    /**
+     * Parses vimeo id from url
+     * @param {string} query The query
+     * @returns {string}
+     */
+    static async getVimeoID(query) {
+        return await QueryResolver.resolve(query) === types_1.QueryType.VIMEO
+            ? query
+                .split("/")
+                .filter((x) => !!x)
+                .pop()
+            : null;
+    }
+}
+exports.QueryResolver = QueryResolver;
diff --git a/helpers/Music/dist/utils/Util.d.ts b/helpers/Music/dist/utils/Util.d.ts
new file mode 100644
index 00000000..3973e675
--- /dev/null
+++ b/helpers/Music/dist/utils/Util.d.ts
@@ -0,0 +1,53 @@
+import { StageChannel, VoiceChannel } from "discord.js";
+import { TimeData } from "../types/types";
+declare class Util {
+    /**
+     * Utils
+     */
+    private constructor();
+    /**
+     * Creates duration string
+     * @param {object} durObj The duration object
+     * @returns {string}
+     */
+    static durationString(durObj: Record<string, number>): string;
+    /**
+     * Parses milliseconds to consumable time object
+     * @param {number} milliseconds The time in ms
+     * @returns {TimeData}
+     */
+    static parseMS(milliseconds: number): TimeData;
+    /**
+     * Builds time code
+     * @param {TimeData} duration The duration object
+     * @returns {string}
+     */
+    static buildTimeCode(duration: TimeData): string;
+    /**
+     * Picks last item of the given array
+     * @param {any[]} arr The array
+     * @returns {any}
+     */
+    static last<T = any>(arr: T[]): T;
+    /**
+     * Checks if the voice channel is empty
+     * @param {VoiceChannel|StageChannel} channel The voice channel
+     * @returns {boolean}
+     */
+    static isVoiceEmpty(channel: VoiceChannel | StageChannel): boolean;
+    /**
+     * Safer require
+     * @param {string} id Node require id
+     * @returns {any}
+     */
+    static require(id: string): any;
+    /**
+     * Asynchronous timeout
+     * @param {number} time The time in ms to wait
+     * @returns {Promise<unknown>}
+     */
+    static wait(time: number): Promise<unknown>;
+    static noop(): void;
+    static getFetch(): Promise<any>;
+}
+export { Util };
diff --git a/helpers/Music/dist/utils/Util.js b/helpers/Music/dist/utils/Util.js
new file mode 100644
index 00000000..d4758474
--- /dev/null
+++ b/helpers/Music/dist/utils/Util.js
@@ -0,0 +1,133 @@
+"use strict";
+var __createBinding = (this && this.__createBinding) || (Object.create ? (function(o, m, k, k2) {
+    if (k2 === undefined) k2 = k;
+    var desc = Object.getOwnPropertyDescriptor(m, k);
+    if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
+      desc = { enumerable: true, get: function() { return m[k]; } };
+    }
+    Object.defineProperty(o, k2, desc);
+}) : (function(o, m, k, k2) {
+    if (k2 === undefined) k2 = k;
+    o[k2] = m[k];
+}));
+var __setModuleDefault = (this && this.__setModuleDefault) || (Object.create ? (function(o, v) {
+    Object.defineProperty(o, "default", { enumerable: true, value: v });
+}) : function(o, v) {
+    o["default"] = v;
+});
+var __importStar = (this && this.__importStar) || function (mod) {
+    if (mod && mod.__esModule) return mod;
+    var result = {};
+    if (mod != null) for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);
+    __setModuleDefault(result, mod);
+    return result;
+};
+Object.defineProperty(exports, "__esModule", { value: true });
+exports.Util = void 0;
+class Util {
+    /**
+     * Utils
+     */
+    constructor() { } // eslint-disable-line @typescript-eslint/no-empty-function
+    /**
+     * Creates duration string
+     * @param {object} durObj The duration object
+     * @returns {string}
+     */
+    static durationString(durObj) {
+        return Object.values(durObj)
+            .map((m) => (isNaN(m) ? 0 : m))
+            .join(":");
+    }
+    /**
+     * Parses milliseconds to consumable time object
+     * @param {number} milliseconds The time in ms
+     * @returns {TimeData}
+     */
+    static parseMS(milliseconds) {
+        const round = milliseconds > 0 ? Math.floor : Math.ceil;
+        return {
+            days: round(milliseconds / 86400000),
+            hours: round(milliseconds / 3600000) % 24,
+            minutes: round(milliseconds / 60000) % 60,
+            seconds: round(milliseconds / 1000) % 60
+        };
+    }
+    /**
+     * Builds time code
+     * @param {TimeData} duration The duration object
+     * @returns {string}
+     */
+    static buildTimeCode(duration) {
+        const items = Object.keys(duration);
+        const required = ["days", "hours", "minutes", "seconds"];
+        const parsed = items.filter((x) => required.includes(x)).map((m) => duration[m]);
+        const final = parsed
+            .slice(parsed.findIndex((x) => x !== 0))
+            .map((x) => x.toString().padStart(2, "0"))
+            .join(":");
+        return final.length <= 3 ? `0:${final.padStart(2, "0") || 0}` : final;
+    }
+    /**
+     * Picks last item of the given array
+     * @param {any[]} arr The array
+     * @returns {any}
+     */
+    // eslint-disable-next-line @typescript-eslint/no-explicit-any
+    static last(arr) {
+        if (!Array.isArray(arr))
+            return;
+        return arr[arr.length - 1];
+    }
+    /**
+     * Checks if the voice channel is empty
+     * @param {VoiceChannel|StageChannel} channel The voice channel
+     * @returns {boolean}
+     */
+    static isVoiceEmpty(channel) {
+        return channel.members.filter((member) => !member.user.bot).size === 0;
+    }
+    /**
+     * Safer require
+     * @param {string} id Node require id
+     * @returns {any}
+     */
+    static require(id) {
+        try {
+            return require(id);
+        }
+        catch {
+            return null;
+        }
+    }
+    /**
+     * Asynchronous timeout
+     * @param {number} time The time in ms to wait
+     * @returns {Promise<unknown>}
+     */
+    static wait(time) {
+        return new Promise((r) => setTimeout(r, time).unref());
+    }
+    static noop() { } // eslint-disable-line @typescript-eslint/no-empty-function
+    static async getFetch() {
+        if ("fetch" in globalThis)
+            return globalThis.fetch;
+        for (const lib of ["undici", "node-fetch"]) {
+            try {
+                return await Promise.resolve().then(() => __importStar(require(lib))).then((res) => res.fetch || res.default?.fetch || res.default);
+            }
+            catch {
+                try {
+                    // eslint-disable-next-line
+                    const res = require(lib);
+                    if (res)
+                        return res.fetch || res.default?.fetch || res.default;
+                }
+                catch {
+                    // no?
+                }
+            }
+        }
+    }
+}
+exports.Util = Util;
diff --git a/helpers/Music/package-lock.json b/helpers/Music/package-lock.json
new file mode 100644
index 00000000..d552eecd
--- /dev/null
+++ b/helpers/Music/package-lock.json
@@ -0,0 +1,4577 @@
+{
+  "name": "music-player",
+  "version": "1.0.0",
+  "lockfileVersion": 2,
+  "requires": true,
+  "packages": {
+    "": {
+      "name": "music-player",
+      "version": "1.0.0",
+      "license": "NO LICENSE",
+      "dependencies": {
+        "@discordjs/voice": "^0.11.0",
+        "libsodium-wrappers": "^0.7.10",
+        "spotify-url-info": "^3.1.2",
+        "tiny-typed-emitter": "^2.1.0",
+        "tslib": "^2.4.0"
+      },
+      "devDependencies": {
+        "@discordjs/ts-docgen": "^0.4.1",
+        "@favware/rollup-type-bundler": "^1.0.10",
+        "@types/node": "^18.6.3",
+        "@types/ws": "^8.5.3",
+        "@typescript-eslint/eslint-plugin": "^5.32.0",
+        "@typescript-eslint/parser": "^5.32.0",
+        "discord-api-types": "^0.37.0",
+        "discord.js": "^14.1.2",
+        "eslint": "^8.21.0",
+        "gen-esm-wrapper": "^1.1.3",
+        "husky": "^8.0.1",
+        "opusscript": "^0.0.8",
+        "prettier": "^2.7.1",
+        "rimraf": "^3.0.2",
+        "ts-node": "^10.9.1",
+        "typedoc": "^0.23.10",
+        "typescript": "^4.7.4"
+      }
+    },
+    "node_modules/@babel/code-frame": {
+      "version": "7.18.6",
+      "resolved": "https://registry.npmjs.org/@babel/code-frame/-/code-frame-7.18.6.tgz",
+      "integrity": "sha512-TDCmlK5eOvH+eH7cdAFlNXeVJqWIQ7gW9tY1GJIpUtFb6CmjVyq2VM3u71bOyR8CRihcCgMUYoDNyLXao3+70Q==",
+      "dev": true,
+      "optional": true,
+      "dependencies": {
+        "@babel/highlight": "^7.18.6"
+      },
+      "engines": {
+        "node": ">=6.9.0"
+      }
+    },
+    "node_modules/@babel/helper-validator-identifier": {
+      "version": "7.18.6",
+      "resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.18.6.tgz",
+      "integrity": "sha512-MmetCkz9ej86nJQV+sFCxoGGrUbU3q02kgLciwkrt9QqEB7cP39oKEY0PakknEO0Gu20SskMRi+AYZ3b1TpN9g==",
+      "dev": true,
+      "optional": true,
+      "engines": {
+        "node": ">=6.9.0"
+      }
+    },
+    "node_modules/@babel/highlight": {
+      "version": "7.18.6",
+      "resolved": "https://registry.npmjs.org/@babel/highlight/-/highlight-7.18.6.tgz",
+      "integrity": "sha512-u7stbOuYjaPezCuLj29hNW1v64M2Md2qupEKP1fHc7WdOA3DgLh37suiSrZYY7haUB7iBeQZ9P1uiRF359do3g==",
+      "dev": true,
+      "optional": true,
+      "dependencies": {
+        "@babel/helper-validator-identifier": "^7.18.6",
+        "chalk": "^2.0.0",
+        "js-tokens": "^4.0.0"
+      },
+      "engines": {
+        "node": ">=6.9.0"
+      }
+    },
+    "node_modules/@babel/highlight/node_modules/ansi-styles": {
+      "version": "3.2.1",
+      "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-3.2.1.tgz",
+      "integrity": "sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==",
+      "dev": true,
+      "optional": true,
+      "dependencies": {
+        "color-convert": "^1.9.0"
+      },
+      "engines": {
+        "node": ">=4"
+      }
+    },
+    "node_modules/@babel/highlight/node_modules/chalk": {
+      "version": "2.4.2",
+      "resolved": "https://registry.npmjs.org/chalk/-/chalk-2.4.2.tgz",
+      "integrity": "sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==",
+      "dev": true,
+      "optional": true,
+      "dependencies": {
+        "ansi-styles": "^3.2.1",
+        "escape-string-regexp": "^1.0.5",
+        "supports-color": "^5.3.0"
+      },
+      "engines": {
+        "node": ">=4"
+      }
+    },
+    "node_modules/@babel/highlight/node_modules/color-convert": {
+      "version": "1.9.3",
+      "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-1.9.3.tgz",
+      "integrity": "sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==",
+      "dev": true,
+      "optional": true,
+      "dependencies": {
+        "color-name": "1.1.3"
+      }
+    },
+    "node_modules/@babel/highlight/node_modules/color-name": {
+      "version": "1.1.3",
+      "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.3.tgz",
+      "integrity": "sha512-72fSenhMw2HZMTVHeCA9KCmpEIbzWiQsjN+BHcBbS9vr1mtt+vJjPdksIBNUmKAW8TFUDPJK5SUU3QhE9NEXDw==",
+      "dev": true,
+      "optional": true
+    },
+    "node_modules/@babel/highlight/node_modules/escape-string-regexp": {
+      "version": "1.0.5",
+      "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz",
+      "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==",
+      "dev": true,
+      "optional": true,
+      "engines": {
+        "node": ">=0.8.0"
+      }
+    },
+    "node_modules/@babel/highlight/node_modules/has-flag": {
+      "version": "3.0.0",
+      "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-3.0.0.tgz",
+      "integrity": "sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw==",
+      "dev": true,
+      "optional": true,
+      "engines": {
+        "node": ">=4"
+      }
+    },
+    "node_modules/@babel/highlight/node_modules/supports-color": {
+      "version": "5.5.0",
+      "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-5.5.0.tgz",
+      "integrity": "sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==",
+      "dev": true,
+      "optional": true,
+      "dependencies": {
+        "has-flag": "^3.0.0"
+      },
+      "engines": {
+        "node": ">=4"
+      }
+    },
+    "node_modules/@cspotcode/source-map-support": {
+      "version": "0.8.1",
+      "resolved": "https://registry.npmjs.org/@cspotcode/source-map-support/-/source-map-support-0.8.1.tgz",
+      "integrity": "sha512-IchNf6dN4tHoMFIn/7OE8LWZ19Y6q/67Bmf6vnGREv8RSbBVb9LPJxEcnwrcwX6ixSvaiGoomAUvu4YSxXrVgw==",
+      "dev": true,
+      "dependencies": {
+        "@jridgewell/trace-mapping": "0.3.9"
+      },
+      "engines": {
+        "node": ">=12"
+      }
+    },
+    "node_modules/@discordjs/builders": {
+      "version": "1.2.0",
+      "resolved": "https://registry.npmjs.org/@discordjs/builders/-/builders-1.2.0.tgz",
+      "integrity": "sha512-ARy4BUTMU+S0ZI6605NDqfWO+qZqV2d/xfY32z3hVSsd9IaAKJBZ1ILTZLy87oIjW8+gUpQmk9Kt0ZP9bmmd8Q==",
+      "dev": true,
+      "dependencies": {
+        "@sapphire/shapeshift": "^3.5.1",
+        "discord-api-types": "^0.37.3",
+        "fast-deep-equal": "^3.1.3",
+        "ts-mixer": "^6.0.1",
+        "tslib": "^2.4.0"
+      },
+      "engines": {
+        "node": ">=16.9.0"
+      }
+    },
+    "node_modules/@discordjs/collection": {
+      "version": "1.1.0",
+      "resolved": "https://registry.npmjs.org/@discordjs/collection/-/collection-1.1.0.tgz",
+      "integrity": "sha512-PQ2Bv6pnT7aGPCKWbvvNRww5tYCGpggIQVgpuF9TdDPeR6n6vQYxezXiLVOS9z2B62Dp4c+qepQ15SgJbLYtCQ==",
+      "dev": true,
+      "engines": {
+        "node": ">=16.9.0"
+      }
+    },
+    "node_modules/@discordjs/rest": {
+      "version": "1.1.0",
+      "resolved": "https://registry.npmjs.org/@discordjs/rest/-/rest-1.1.0.tgz",
+      "integrity": "sha512-yCrthRTQeUyNThQEpCk7bvQJlwQmz6kU0tf3dcWBv2WX3Bncl41x7Wc+v5b5OsIxfNYq38PvVtWircu9jtYZug==",
+      "dev": true,
+      "dependencies": {
+        "@discordjs/collection": "^1.0.1",
+        "@sapphire/async-queue": "^1.5.0",
+        "@sapphire/snowflake": "^3.2.2",
+        "discord-api-types": "^0.37.3",
+        "file-type": "^17.1.6",
+        "tslib": "^2.4.0",
+        "undici": "^5.9.1"
+      },
+      "engines": {
+        "node": ">=16.9.0"
+      }
+    },
+    "node_modules/@discordjs/ts-docgen": {
+      "version": "0.4.1",
+      "resolved": "https://registry.npmjs.org/@discordjs/ts-docgen/-/ts-docgen-0.4.1.tgz",
+      "integrity": "sha512-T+GMJaWvISrEi3Rjg2Tfn1EZeido+SEBv3+393uFLK71koJvwlexAwjzOc0yKz6uanK4mUQyCp35vOIvWsQ1IQ==",
+      "dev": true,
+      "dependencies": {
+        "js-yaml": "^4.1.0",
+        "typedoc": "^0.22.15"
+      },
+      "engines": {
+        "node": ">=16.0.0",
+        "npm": ">=7.0.0"
+      }
+    },
+    "node_modules/@discordjs/ts-docgen/node_modules/brace-expansion": {
+      "version": "2.0.1",
+      "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-2.0.1.tgz",
+      "integrity": "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==",
+      "dev": true,
+      "dependencies": {
+        "balanced-match": "^1.0.0"
+      }
+    },
+    "node_modules/@discordjs/ts-docgen/node_modules/glob": {
+      "version": "8.0.3",
+      "resolved": "https://registry.npmjs.org/glob/-/glob-8.0.3.tgz",
+      "integrity": "sha512-ull455NHSHI/Y1FqGaaYFaLGkNMMJbavMrEGFXG/PGrg6y7sutWHUHrz6gy6WEBH6akM1M414dWKCNs+IhKdiQ==",
+      "dev": true,
+      "dependencies": {
+        "fs.realpath": "^1.0.0",
+        "inflight": "^1.0.4",
+        "inherits": "2",
+        "minimatch": "^5.0.1",
+        "once": "^1.3.0"
+      },
+      "engines": {
+        "node": ">=12"
+      },
+      "funding": {
+        "url": "https://github.com/sponsors/isaacs"
+      }
+    },
+    "node_modules/@discordjs/ts-docgen/node_modules/minimatch": {
+      "version": "5.1.0",
+      "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-5.1.0.tgz",
+      "integrity": "sha512-9TPBGGak4nHfGZsPBohm9AWg6NoT7QTCehS3BIJABslyZbzxfV78QM2Y6+i741OPZIafFAaiiEMh5OyIrJPgtg==",
+      "dev": true,
+      "dependencies": {
+        "brace-expansion": "^2.0.1"
+      },
+      "engines": {
+        "node": ">=10"
+      }
+    },
+    "node_modules/@discordjs/ts-docgen/node_modules/shiki": {
+      "version": "0.10.1",
+      "resolved": "https://registry.npmjs.org/shiki/-/shiki-0.10.1.tgz",
+      "integrity": "sha512-VsY7QJVzU51j5o1+DguUd+6vmCmZ5v/6gYu4vyYAhzjuNQU6P/vmSy4uQaOhvje031qQMiW0d2BwgMH52vqMng==",
+      "dev": true,
+      "dependencies": {
+        "jsonc-parser": "^3.0.0",
+        "vscode-oniguruma": "^1.6.1",
+        "vscode-textmate": "5.2.0"
+      }
+    },
+    "node_modules/@discordjs/ts-docgen/node_modules/typedoc": {
+      "version": "0.22.18",
+      "resolved": "https://registry.npmjs.org/typedoc/-/typedoc-0.22.18.tgz",
+      "integrity": "sha512-NK9RlLhRUGMvc6Rw5USEYgT4DVAUFk7IF7Q6MYfpJ88KnTZP7EneEa4RcP+tX1auAcz7QT1Iy0bUSZBYYHdoyA==",
+      "dev": true,
+      "dependencies": {
+        "glob": "^8.0.3",
+        "lunr": "^2.3.9",
+        "marked": "^4.0.16",
+        "minimatch": "^5.1.0",
+        "shiki": "^0.10.1"
+      },
+      "bin": {
+        "typedoc": "bin/typedoc"
+      },
+      "engines": {
+        "node": ">= 12.10.0"
+      },
+      "peerDependencies": {
+        "typescript": "4.0.x || 4.1.x || 4.2.x || 4.3.x || 4.4.x || 4.5.x || 4.6.x || 4.7.x"
+      }
+    },
+    "node_modules/@discordjs/ts-docgen/node_modules/vscode-textmate": {
+      "version": "5.2.0",
+      "resolved": "https://registry.npmjs.org/vscode-textmate/-/vscode-textmate-5.2.0.tgz",
+      "integrity": "sha512-Uw5ooOQxRASHgu6C7GVvUxisKXfSgW4oFlO+aa+PAkgmH89O3CXxEEzNRNtHSqtXFTl0nAC1uYj0GMSH27uwtQ==",
+      "dev": true
+    },
+    "node_modules/@discordjs/voice": {
+      "version": "0.11.0",
+      "resolved": "https://registry.npmjs.org/@discordjs/voice/-/voice-0.11.0.tgz",
+      "integrity": "sha512-6+9cj1dxzBJm7WJ9qyG2XZZQ8rcLl6x2caW0C0OxuTtMLAaEDntpb6lqMTFiBg/rDc4Rd59g1w0gJmib33CuHw==",
+      "dependencies": {
+        "@types/ws": "^8.5.3",
+        "discord-api-types": "^0.36.2",
+        "prism-media": "^1.3.4",
+        "tslib": "^2.4.0",
+        "ws": "^8.8.1"
+      },
+      "engines": {
+        "node": ">=16.9.0"
+      }
+    },
+    "node_modules/@discordjs/voice/node_modules/discord-api-types": {
+      "version": "0.36.3",
+      "resolved": "https://registry.npmjs.org/discord-api-types/-/discord-api-types-0.36.3.tgz",
+      "integrity": "sha512-bz/NDyG0KBo/tY14vSkrwQ/n3HKPf87a0WFW/1M9+tXYK+vp5Z5EksawfCWo2zkAc6o7CClc0eff1Pjrqznlwg=="
+    },
+    "node_modules/@eslint/eslintrc": {
+      "version": "1.3.1",
+      "resolved": "https://registry.npmjs.org/@eslint/eslintrc/-/eslintrc-1.3.1.tgz",
+      "integrity": "sha512-OhSY22oQQdw3zgPOOwdoj01l/Dzl1Z+xyUP33tkSN+aqyEhymJCcPHyXt+ylW8FSe0TfRC2VG+ROQOapD0aZSQ==",
+      "dev": true,
+      "dependencies": {
+        "ajv": "^6.12.4",
+        "debug": "^4.3.2",
+        "espree": "^9.4.0",
+        "globals": "^13.15.0",
+        "ignore": "^5.2.0",
+        "import-fresh": "^3.2.1",
+        "js-yaml": "^4.1.0",
+        "minimatch": "^3.1.2",
+        "strip-json-comments": "^3.1.1"
+      },
+      "engines": {
+        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
+      },
+      "funding": {
+        "url": "https://opencollective.com/eslint"
+      }
+    },
+    "node_modules/@favware/rollup-type-bundler": {
+      "version": "1.0.11",
+      "resolved": "https://registry.npmjs.org/@favware/rollup-type-bundler/-/rollup-type-bundler-1.0.11.tgz",
+      "integrity": "sha512-QhP2vLE2j1yR1iWz+ltyR3sEFHsXmgTq0X4lsBM6KEibLbfVFPGrP77kNPo3ZLzkmVprFrZOFLRLbqhQiGs0+Q==",
+      "dev": true,
+      "dependencies": {
+        "@sapphire/utilities": "^3.9.2",
+        "colorette": "^2.0.19",
+        "commander": "^9.4.0",
+        "js-yaml": "^4.1.0",
+        "rollup": "^2.78.1",
+        "rollup-plugin-dts": "^4.2.2",
+        "typescript": "^4.7.4"
+      },
+      "bin": {
+        "rollup-type-bundler": "dist/cli.js",
+        "rtb": "dist/cli.js"
+      },
+      "engines": {
+        "node": ">=v14"
+      }
+    },
+    "node_modules/@humanwhocodes/config-array": {
+      "version": "0.10.4",
+      "resolved": "https://registry.npmjs.org/@humanwhocodes/config-array/-/config-array-0.10.4.tgz",
+      "integrity": "sha512-mXAIHxZT3Vcpg83opl1wGlVZ9xydbfZO3r5YfRSH6Gpp2J/PfdBP0wbDa2sO6/qRbcalpoevVyW6A/fI6LfeMw==",
+      "dev": true,
+      "dependencies": {
+        "@humanwhocodes/object-schema": "^1.2.1",
+        "debug": "^4.1.1",
+        "minimatch": "^3.0.4"
+      },
+      "engines": {
+        "node": ">=10.10.0"
+      }
+    },
+    "node_modules/@humanwhocodes/gitignore-to-minimatch": {
+      "version": "1.0.2",
+      "resolved": "https://registry.npmjs.org/@humanwhocodes/gitignore-to-minimatch/-/gitignore-to-minimatch-1.0.2.tgz",
+      "integrity": "sha512-rSqmMJDdLFUsyxR6FMtD00nfQKKLFb1kv+qBbOVKqErvloEIJLo5bDTJTQNTYgeyp78JsA7u/NPi5jT1GR/MuA==",
+      "dev": true,
+      "funding": {
+        "type": "github",
+        "url": "https://github.com/sponsors/nzakas"
+      }
+    },
+    "node_modules/@humanwhocodes/module-importer": {
+      "version": "1.0.1",
+      "resolved": "https://registry.npmjs.org/@humanwhocodes/module-importer/-/module-importer-1.0.1.tgz",
+      "integrity": "sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==",
+      "dev": true,
+      "engines": {
+        "node": ">=12.22"
+      },
+      "funding": {
+        "type": "github",
+        "url": "https://github.com/sponsors/nzakas"
+      }
+    },
+    "node_modules/@humanwhocodes/object-schema": {
+      "version": "1.2.1",
+      "resolved": "https://registry.npmjs.org/@humanwhocodes/object-schema/-/object-schema-1.2.1.tgz",
+      "integrity": "sha512-ZnQMnLV4e7hDlUvw8H+U8ASL02SS2Gn6+9Ac3wGGLIe7+je2AeAOxPY+izIPJDfFDb7eDjev0Us8MO1iFRN8hA==",
+      "dev": true
+    },
+    "node_modules/@jridgewell/resolve-uri": {
+      "version": "3.1.0",
+      "resolved": "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.1.0.tgz",
+      "integrity": "sha512-F2msla3tad+Mfht5cJq7LSXcdudKTWCVYUgw6pLFOOHSTtZlj6SWNYAp+AhuqLmWdBO2X5hPrLcu8cVP8fy28w==",
+      "dev": true,
+      "engines": {
+        "node": ">=6.0.0"
+      }
+    },
+    "node_modules/@jridgewell/sourcemap-codec": {
+      "version": "1.4.14",
+      "resolved": "https://registry.npmjs.org/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.14.tgz",
+      "integrity": "sha512-XPSJHWmi394fuUuzDnGz1wiKqWfo1yXecHQMRf2l6hztTO+nPru658AyDngaBe7isIxEkRsPR3FZh+s7iVa4Uw==",
+      "dev": true
+    },
+    "node_modules/@jridgewell/trace-mapping": {
+      "version": "0.3.9",
+      "resolved": "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.9.tgz",
+      "integrity": "sha512-3Belt6tdc8bPgAtbcmdtNJlirVoTmEb5e2gC94PnkwEW9jI6CAHUeoG85tjWP5WquqfavoMtMwiG4P926ZKKuQ==",
+      "dev": true,
+      "dependencies": {
+        "@jridgewell/resolve-uri": "^3.0.3",
+        "@jridgewell/sourcemap-codec": "^1.4.10"
+      }
+    },
+    "node_modules/@nodelib/fs.scandir": {
+      "version": "2.1.5",
+      "resolved": "https://registry.npmjs.org/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz",
+      "integrity": "sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==",
+      "dev": true,
+      "dependencies": {
+        "@nodelib/fs.stat": "2.0.5",
+        "run-parallel": "^1.1.9"
+      },
+      "engines": {
+        "node": ">= 8"
+      }
+    },
+    "node_modules/@nodelib/fs.stat": {
+      "version": "2.0.5",
+      "resolved": "https://registry.npmjs.org/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz",
+      "integrity": "sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==",
+      "dev": true,
+      "engines": {
+        "node": ">= 8"
+      }
+    },
+    "node_modules/@nodelib/fs.walk": {
+      "version": "1.2.8",
+      "resolved": "https://registry.npmjs.org/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz",
+      "integrity": "sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==",
+      "dev": true,
+      "dependencies": {
+        "@nodelib/fs.scandir": "2.1.5",
+        "fastq": "^1.6.0"
+      },
+      "engines": {
+        "node": ">= 8"
+      }
+    },
+    "node_modules/@sapphire/async-queue": {
+      "version": "1.5.0",
+      "resolved": "https://registry.npmjs.org/@sapphire/async-queue/-/async-queue-1.5.0.tgz",
+      "integrity": "sha512-JkLdIsP8fPAdh9ZZjrbHWR/+mZj0wvKS5ICibcLrRI1j84UmLMshx5n9QmL8b95d4onJ2xxiyugTgSAX7AalmA==",
+      "dev": true,
+      "engines": {
+        "node": ">=v14.0.0",
+        "npm": ">=7.0.0"
+      }
+    },
+    "node_modules/@sapphire/shapeshift": {
+      "version": "3.6.0",
+      "resolved": "https://registry.npmjs.org/@sapphire/shapeshift/-/shapeshift-3.6.0.tgz",
+      "integrity": "sha512-tu2WLRdo5wotHRvsCkspg3qMiP6ETC3Q1dns1Q5V6zKUki+1itq6AbhMwohF9ZcLoYqg+Y8LkgRRtVxxTQVTBQ==",
+      "dev": true,
+      "dependencies": {
+        "fast-deep-equal": "^3.1.3",
+        "lodash.uniqwith": "^4.5.0"
+      },
+      "engines": {
+        "node": ">=v14.0.0",
+        "npm": ">=7.0.0"
+      }
+    },
+    "node_modules/@sapphire/snowflake": {
+      "version": "3.2.2",
+      "resolved": "https://registry.npmjs.org/@sapphire/snowflake/-/snowflake-3.2.2.tgz",
+      "integrity": "sha512-ula2O0kpSZtX9rKXNeQMrHwNd7E4jPDJYUXmEGTFdMRfyfMw+FPyh04oKMjAiDuOi64bYgVkOV3MjK+loImFhQ==",
+      "dev": true,
+      "engines": {
+        "node": ">=v14.0.0",
+        "npm": ">=7.0.0"
+      }
+    },
+    "node_modules/@sapphire/utilities": {
+      "version": "3.9.3",
+      "resolved": "https://registry.npmjs.org/@sapphire/utilities/-/utilities-3.9.3.tgz",
+      "integrity": "sha512-7+ZjfbmRHqewmH32jpZfzrEuHpvTttTG7WjDl1GUtc4pkOMr0kYybrZmIEZYsUvF7PWzO0GrmOK2zWs3GuJo7g==",
+      "dev": true,
+      "engines": {
+        "node": ">=v14.0.0",
+        "npm": ">=7.0.0"
+      }
+    },
+    "node_modules/@tokenizer/token": {
+      "version": "0.3.0",
+      "resolved": "https://registry.npmjs.org/@tokenizer/token/-/token-0.3.0.tgz",
+      "integrity": "sha512-OvjF+z51L3ov0OyAU0duzsYuvO01PH7x4t6DJx+guahgTnBHkhJdG7soQeTSFLWN3efnHyibZ4Z8l2EuWwJN3A==",
+      "dev": true
+    },
+    "node_modules/@tsconfig/node10": {
+      "version": "1.0.9",
+      "resolved": "https://registry.npmjs.org/@tsconfig/node10/-/node10-1.0.9.tgz",
+      "integrity": "sha512-jNsYVVxU8v5g43Erja32laIDHXeoNvFEpX33OK4d6hljo3jDhCBDhx5dhCCTMWUojscpAagGiRkBKxpdl9fxqA==",
+      "dev": true
+    },
+    "node_modules/@tsconfig/node12": {
+      "version": "1.0.11",
+      "resolved": "https://registry.npmjs.org/@tsconfig/node12/-/node12-1.0.11.tgz",
+      "integrity": "sha512-cqefuRsh12pWyGsIoBKJA9luFu3mRxCA+ORZvA4ktLSzIuCUtWVxGIuXigEwO5/ywWFMZ2QEGKWvkZG1zDMTag==",
+      "dev": true
+    },
+    "node_modules/@tsconfig/node14": {
+      "version": "1.0.3",
+      "resolved": "https://registry.npmjs.org/@tsconfig/node14/-/node14-1.0.3.tgz",
+      "integrity": "sha512-ysT8mhdixWK6Hw3i1V2AeRqZ5WfXg1G43mqoYlM2nc6388Fq5jcXyr5mRsqViLx/GJYdoL0bfXD8nmF+Zn/Iow==",
+      "dev": true
+    },
+    "node_modules/@tsconfig/node16": {
+      "version": "1.0.3",
+      "resolved": "https://registry.npmjs.org/@tsconfig/node16/-/node16-1.0.3.tgz",
+      "integrity": "sha512-yOlFc+7UtL/89t2ZhjPvvB/DeAr3r+Dq58IgzsFkOAvVC6NMJXmCGjbptdXdR9qsX7pKcTL+s87FtYREi2dEEQ==",
+      "dev": true
+    },
+    "node_modules/@types/json-schema": {
+      "version": "7.0.11",
+      "resolved": "https://registry.npmjs.org/@types/json-schema/-/json-schema-7.0.11.tgz",
+      "integrity": "sha512-wOuvG1SN4Us4rez+tylwwwCV1psiNVOkJeM3AUWUNWg/jDQY2+HE/444y5gc+jBmRqASOm2Oeh5c1axHobwRKQ==",
+      "dev": true
+    },
+    "node_modules/@types/node": {
+      "version": "18.7.16",
+      "resolved": "https://registry.npmjs.org/@types/node/-/node-18.7.16.tgz",
+      "integrity": "sha512-EQHhixfu+mkqHMZl1R2Ovuvn47PUw18azMJOTwSZr9/fhzHNGXAJ0ma0dayRVchprpCj0Kc1K1xKoWaATWF1qg=="
+    },
+    "node_modules/@types/ws": {
+      "version": "8.5.3",
+      "resolved": "https://registry.npmjs.org/@types/ws/-/ws-8.5.3.tgz",
+      "integrity": "sha512-6YOoWjruKj1uLf3INHH7D3qTXwFfEsg1kf3c0uDdSBJwfa/llkwIjrAGV7j7mVgGNbzTQ3HiHKKDXl6bJPD97w==",
+      "dependencies": {
+        "@types/node": "*"
+      }
+    },
+    "node_modules/@typescript-eslint/eslint-plugin": {
+      "version": "5.36.2",
+      "resolved": "https://registry.npmjs.org/@typescript-eslint/eslint-plugin/-/eslint-plugin-5.36.2.tgz",
+      "integrity": "sha512-OwwR8LRwSnI98tdc2z7mJYgY60gf7I9ZfGjN5EjCwwns9bdTuQfAXcsjSB2wSQ/TVNYSGKf4kzVXbNGaZvwiXw==",
+      "dev": true,
+      "dependencies": {
+        "@typescript-eslint/scope-manager": "5.36.2",
+        "@typescript-eslint/type-utils": "5.36.2",
+        "@typescript-eslint/utils": "5.36.2",
+        "debug": "^4.3.4",
+        "functional-red-black-tree": "^1.0.1",
+        "ignore": "^5.2.0",
+        "regexpp": "^3.2.0",
+        "semver": "^7.3.7",
+        "tsutils": "^3.21.0"
+      },
+      "engines": {
+        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
+      },
+      "funding": {
+        "type": "opencollective",
+        "url": "https://opencollective.com/typescript-eslint"
+      },
+      "peerDependencies": {
+        "@typescript-eslint/parser": "^5.0.0",
+        "eslint": "^6.0.0 || ^7.0.0 || ^8.0.0"
+      },
+      "peerDependenciesMeta": {
+        "typescript": {
+          "optional": true
+        }
+      }
+    },
+    "node_modules/@typescript-eslint/parser": {
+      "version": "5.36.2",
+      "resolved": "https://registry.npmjs.org/@typescript-eslint/parser/-/parser-5.36.2.tgz",
+      "integrity": "sha512-qS/Kb0yzy8sR0idFspI9Z6+t7mqk/oRjnAYfewG+VN73opAUvmYL3oPIMmgOX6CnQS6gmVIXGshlb5RY/R22pA==",
+      "dev": true,
+      "dependencies": {
+        "@typescript-eslint/scope-manager": "5.36.2",
+        "@typescript-eslint/types": "5.36.2",
+        "@typescript-eslint/typescript-estree": "5.36.2",
+        "debug": "^4.3.4"
+      },
+      "engines": {
+        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
+      },
+      "funding": {
+        "type": "opencollective",
+        "url": "https://opencollective.com/typescript-eslint"
+      },
+      "peerDependencies": {
+        "eslint": "^6.0.0 || ^7.0.0 || ^8.0.0"
+      },
+      "peerDependenciesMeta": {
+        "typescript": {
+          "optional": true
+        }
+      }
+    },
+    "node_modules/@typescript-eslint/scope-manager": {
+      "version": "5.36.2",
+      "resolved": "https://registry.npmjs.org/@typescript-eslint/scope-manager/-/scope-manager-5.36.2.tgz",
+      "integrity": "sha512-cNNP51L8SkIFSfce8B1NSUBTJTu2Ts4nWeWbFrdaqjmn9yKrAaJUBHkyTZc0cL06OFHpb+JZq5AUHROS398Orw==",
+      "dev": true,
+      "dependencies": {
+        "@typescript-eslint/types": "5.36.2",
+        "@typescript-eslint/visitor-keys": "5.36.2"
+      },
+      "engines": {
+        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
+      },
+      "funding": {
+        "type": "opencollective",
+        "url": "https://opencollective.com/typescript-eslint"
+      }
+    },
+    "node_modules/@typescript-eslint/type-utils": {
+      "version": "5.36.2",
+      "resolved": "https://registry.npmjs.org/@typescript-eslint/type-utils/-/type-utils-5.36.2.tgz",
+      "integrity": "sha512-rPQtS5rfijUWLouhy6UmyNquKDPhQjKsaKH0WnY6hl/07lasj8gPaH2UD8xWkePn6SC+jW2i9c2DZVDnL+Dokw==",
+      "dev": true,
+      "dependencies": {
+        "@typescript-eslint/typescript-estree": "5.36.2",
+        "@typescript-eslint/utils": "5.36.2",
+        "debug": "^4.3.4",
+        "tsutils": "^3.21.0"
+      },
+      "engines": {
+        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
+      },
+      "funding": {
+        "type": "opencollective",
+        "url": "https://opencollective.com/typescript-eslint"
+      },
+      "peerDependencies": {
+        "eslint": "*"
+      },
+      "peerDependenciesMeta": {
+        "typescript": {
+          "optional": true
+        }
+      }
+    },
+    "node_modules/@typescript-eslint/types": {
+      "version": "5.36.2",
+      "resolved": "https://registry.npmjs.org/@typescript-eslint/types/-/types-5.36.2.tgz",
+      "integrity": "sha512-9OJSvvwuF1L5eS2EQgFUbECb99F0mwq501w0H0EkYULkhFa19Qq7WFbycdw1PexAc929asupbZcgjVIe6OK/XQ==",
+      "dev": true,
+      "engines": {
+        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
+      },
+      "funding": {
+        "type": "opencollective",
+        "url": "https://opencollective.com/typescript-eslint"
+      }
+    },
+    "node_modules/@typescript-eslint/typescript-estree": {
+      "version": "5.36.2",
+      "resolved": "https://registry.npmjs.org/@typescript-eslint/typescript-estree/-/typescript-estree-5.36.2.tgz",
+      "integrity": "sha512-8fyH+RfbKc0mTspfuEjlfqA4YywcwQK2Amcf6TDOwaRLg7Vwdu4bZzyvBZp4bjt1RRjQ5MDnOZahxMrt2l5v9w==",
+      "dev": true,
+      "dependencies": {
+        "@typescript-eslint/types": "5.36.2",
+        "@typescript-eslint/visitor-keys": "5.36.2",
+        "debug": "^4.3.4",
+        "globby": "^11.1.0",
+        "is-glob": "^4.0.3",
+        "semver": "^7.3.7",
+        "tsutils": "^3.21.0"
+      },
+      "engines": {
+        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
+      },
+      "funding": {
+        "type": "opencollective",
+        "url": "https://opencollective.com/typescript-eslint"
+      },
+      "peerDependenciesMeta": {
+        "typescript": {
+          "optional": true
+        }
+      }
+    },
+    "node_modules/@typescript-eslint/utils": {
+      "version": "5.36.2",
+      "resolved": "https://registry.npmjs.org/@typescript-eslint/utils/-/utils-5.36.2.tgz",
+      "integrity": "sha512-uNcopWonEITX96v9pefk9DC1bWMdkweeSsewJ6GeC7L6j2t0SJywisgkr9wUTtXk90fi2Eljj90HSHm3OGdGRg==",
+      "dev": true,
+      "dependencies": {
+        "@types/json-schema": "^7.0.9",
+        "@typescript-eslint/scope-manager": "5.36.2",
+        "@typescript-eslint/types": "5.36.2",
+        "@typescript-eslint/typescript-estree": "5.36.2",
+        "eslint-scope": "^5.1.1",
+        "eslint-utils": "^3.0.0"
+      },
+      "engines": {
+        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
+      },
+      "funding": {
+        "type": "opencollective",
+        "url": "https://opencollective.com/typescript-eslint"
+      },
+      "peerDependencies": {
+        "eslint": "^6.0.0 || ^7.0.0 || ^8.0.0"
+      }
+    },
+    "node_modules/@typescript-eslint/visitor-keys": {
+      "version": "5.36.2",
+      "resolved": "https://registry.npmjs.org/@typescript-eslint/visitor-keys/-/visitor-keys-5.36.2.tgz",
+      "integrity": "sha512-BtRvSR6dEdrNt7Net2/XDjbYKU5Ml6GqJgVfXT0CxTCJlnIqK7rAGreuWKMT2t8cFUT2Msv5oxw0GMRD7T5J7A==",
+      "dev": true,
+      "dependencies": {
+        "@typescript-eslint/types": "5.36.2",
+        "eslint-visitor-keys": "^3.3.0"
+      },
+      "engines": {
+        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
+      },
+      "funding": {
+        "type": "opencollective",
+        "url": "https://opencollective.com/typescript-eslint"
+      }
+    },
+    "node_modules/acorn": {
+      "version": "8.8.0",
+      "resolved": "https://registry.npmjs.org/acorn/-/acorn-8.8.0.tgz",
+      "integrity": "sha512-QOxyigPVrpZ2GXT+PFyZTl6TtOFc5egxHIP9IlQ+RbupQuX4RkT/Bee4/kQuC02Xkzg84JcT7oLYtDIQxp+v7w==",
+      "dev": true,
+      "bin": {
+        "acorn": "bin/acorn"
+      },
+      "engines": {
+        "node": ">=0.4.0"
+      }
+    },
+    "node_modules/acorn-jsx": {
+      "version": "5.3.2",
+      "resolved": "https://registry.npmjs.org/acorn-jsx/-/acorn-jsx-5.3.2.tgz",
+      "integrity": "sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==",
+      "dev": true,
+      "peerDependencies": {
+        "acorn": "^6.0.0 || ^7.0.0 || ^8.0.0"
+      }
+    },
+    "node_modules/acorn-walk": {
+      "version": "8.2.0",
+      "resolved": "https://registry.npmjs.org/acorn-walk/-/acorn-walk-8.2.0.tgz",
+      "integrity": "sha512-k+iyHEuPgSw6SbuDpGQM+06HQUa04DZ3o+F6CSzXMvvI5KMvnaEqXe+YVe555R9nn6GPt404fos4wcgpw12SDA==",
+      "dev": true,
+      "engines": {
+        "node": ">=0.4.0"
+      }
+    },
+    "node_modules/ajv": {
+      "version": "6.12.6",
+      "resolved": "https://registry.npmjs.org/ajv/-/ajv-6.12.6.tgz",
+      "integrity": "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==",
+      "dev": true,
+      "dependencies": {
+        "fast-deep-equal": "^3.1.1",
+        "fast-json-stable-stringify": "^2.0.0",
+        "json-schema-traverse": "^0.4.1",
+        "uri-js": "^4.2.2"
+      },
+      "funding": {
+        "type": "github",
+        "url": "https://github.com/sponsors/epoberezkin"
+      }
+    },
+    "node_modules/ansi-regex": {
+      "version": "5.0.1",
+      "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz",
+      "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==",
+      "dev": true,
+      "engines": {
+        "node": ">=8"
+      }
+    },
+    "node_modules/ansi-styles": {
+      "version": "4.3.0",
+      "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz",
+      "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==",
+      "dev": true,
+      "dependencies": {
+        "color-convert": "^2.0.1"
+      },
+      "engines": {
+        "node": ">=8"
+      },
+      "funding": {
+        "url": "https://github.com/chalk/ansi-styles?sponsor=1"
+      }
+    },
+    "node_modules/arg": {
+      "version": "4.1.3",
+      "resolved": "https://registry.npmjs.org/arg/-/arg-4.1.3.tgz",
+      "integrity": "sha512-58S9QDqG0Xx27YwPSt9fJxivjYl432YCwfDMfZ+71RAqUrZef7LrKQZ3LHLOwCS4FLNBplP533Zx895SeOCHvA==",
+      "dev": true
+    },
+    "node_modules/argparse": {
+      "version": "2.0.1",
+      "resolved": "https://registry.npmjs.org/argparse/-/argparse-2.0.1.tgz",
+      "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==",
+      "dev": true
+    },
+    "node_modules/array-union": {
+      "version": "2.1.0",
+      "resolved": "https://registry.npmjs.org/array-union/-/array-union-2.1.0.tgz",
+      "integrity": "sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw==",
+      "dev": true,
+      "engines": {
+        "node": ">=8"
+      }
+    },
+    "node_modules/assert": {
+      "version": "1.5.0",
+      "resolved": "https://registry.npmjs.org/assert/-/assert-1.5.0.tgz",
+      "integrity": "sha512-EDsgawzwoun2CZkCgtxJbv392v4nbk9XDD06zI+kQYoBM/3RBWLlEyJARDOmhAAosBjWACEkKL6S+lIZtcAubA==",
+      "dev": true,
+      "dependencies": {
+        "object-assign": "^4.1.1",
+        "util": "0.10.3"
+      }
+    },
+    "node_modules/balanced-match": {
+      "version": "1.0.2",
+      "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz",
+      "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==",
+      "dev": true
+    },
+    "node_modules/brace-expansion": {
+      "version": "1.1.11",
+      "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz",
+      "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==",
+      "dev": true,
+      "dependencies": {
+        "balanced-match": "^1.0.0",
+        "concat-map": "0.0.1"
+      }
+    },
+    "node_modules/braces": {
+      "version": "3.0.2",
+      "resolved": "https://registry.npmjs.org/braces/-/braces-3.0.2.tgz",
+      "integrity": "sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==",
+      "dev": true,
+      "dependencies": {
+        "fill-range": "^7.0.1"
+      },
+      "engines": {
+        "node": ">=8"
+      }
+    },
+    "node_modules/callsites": {
+      "version": "3.1.0",
+      "resolved": "https://registry.npmjs.org/callsites/-/callsites-3.1.0.tgz",
+      "integrity": "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==",
+      "dev": true,
+      "engines": {
+        "node": ">=6"
+      }
+    },
+    "node_modules/chalk": {
+      "version": "4.1.2",
+      "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.2.tgz",
+      "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==",
+      "dev": true,
+      "dependencies": {
+        "ansi-styles": "^4.1.0",
+        "supports-color": "^7.1.0"
+      },
+      "engines": {
+        "node": ">=10"
+      },
+      "funding": {
+        "url": "https://github.com/chalk/chalk?sponsor=1"
+      }
+    },
+    "node_modules/color-convert": {
+      "version": "2.0.1",
+      "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz",
+      "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==",
+      "dev": true,
+      "dependencies": {
+        "color-name": "~1.1.4"
+      },
+      "engines": {
+        "node": ">=7.0.0"
+      }
+    },
+    "node_modules/color-name": {
+      "version": "1.1.4",
+      "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz",
+      "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==",
+      "dev": true
+    },
+    "node_modules/colorette": {
+      "version": "2.0.19",
+      "resolved": "https://registry.npmjs.org/colorette/-/colorette-2.0.19.tgz",
+      "integrity": "sha512-3tlv/dIP7FWvj3BsbHrGLJ6l/oKh1O3TcgBqMn+yyCagOxc23fyzDS6HypQbgxWbkpDnf52p1LuR4eWDQ/K9WQ==",
+      "dev": true
+    },
+    "node_modules/commander": {
+      "version": "9.4.0",
+      "resolved": "https://registry.npmjs.org/commander/-/commander-9.4.0.tgz",
+      "integrity": "sha512-sRPT+umqkz90UA8M1yqYfnHlZA7fF6nSphDtxeywPZ49ysjxDQybzk13CL+mXekDRG92skbcqCLVovuCusNmFw==",
+      "dev": true,
+      "engines": {
+        "node": "^12.20.0 || >=14"
+      }
+    },
+    "node_modules/concat-map": {
+      "version": "0.0.1",
+      "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz",
+      "integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==",
+      "dev": true
+    },
+    "node_modules/create-require": {
+      "version": "1.1.1",
+      "resolved": "https://registry.npmjs.org/create-require/-/create-require-1.1.1.tgz",
+      "integrity": "sha512-dcKFX3jn0MpIaXjisoRvexIJVEKzaq7z2rZKxf+MSr9TkdmHmsU4m2lcLojrj/FHl8mk5VxMmYA+ftRkP/3oKQ==",
+      "dev": true
+    },
+    "node_modules/cross-spawn": {
+      "version": "7.0.3",
+      "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.3.tgz",
+      "integrity": "sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==",
+      "dev": true,
+      "dependencies": {
+        "path-key": "^3.1.0",
+        "shebang-command": "^2.0.0",
+        "which": "^2.0.1"
+      },
+      "engines": {
+        "node": ">= 8"
+      }
+    },
+    "node_modules/debug": {
+      "version": "4.3.4",
+      "resolved": "https://registry.npmjs.org/debug/-/debug-4.3.4.tgz",
+      "integrity": "sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==",
+      "dev": true,
+      "dependencies": {
+        "ms": "2.1.2"
+      },
+      "engines": {
+        "node": ">=6.0"
+      },
+      "peerDependenciesMeta": {
+        "supports-color": {
+          "optional": true
+        }
+      }
+    },
+    "node_modules/deep-is": {
+      "version": "0.1.4",
+      "resolved": "https://registry.npmjs.org/deep-is/-/deep-is-0.1.4.tgz",
+      "integrity": "sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==",
+      "dev": true
+    },
+    "node_modules/diff": {
+      "version": "4.0.2",
+      "resolved": "https://registry.npmjs.org/diff/-/diff-4.0.2.tgz",
+      "integrity": "sha512-58lmxKSA4BNyLz+HHMUzlOEpg09FV+ev6ZMe3vJihgdxzgcwZ8VoEEPmALCZG9LmqfVoNMMKpttIYTVG6uDY7A==",
+      "dev": true,
+      "engines": {
+        "node": ">=0.3.1"
+      }
+    },
+    "node_modules/dir-glob": {
+      "version": "3.0.1",
+      "resolved": "https://registry.npmjs.org/dir-glob/-/dir-glob-3.0.1.tgz",
+      "integrity": "sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA==",
+      "dev": true,
+      "dependencies": {
+        "path-type": "^4.0.0"
+      },
+      "engines": {
+        "node": ">=8"
+      }
+    },
+    "node_modules/discord-api-types": {
+      "version": "0.37.8",
+      "resolved": "https://registry.npmjs.org/discord-api-types/-/discord-api-types-0.37.8.tgz",
+      "integrity": "sha512-uhol9KQ2moExZItMpuDMkf0R7sqqNHqcJBFN7S5iSdXBVCMRO7sC0GoyuRrv6ZDBYxoFU6nDy4dv0nld/aysqA==",
+      "dev": true
+    },
+    "node_modules/discord.js": {
+      "version": "14.3.0",
+      "resolved": "https://registry.npmjs.org/discord.js/-/discord.js-14.3.0.tgz",
+      "integrity": "sha512-CpIwoAAuELiHSgVKRMzsCADS6ZlJwAZ9RlvcJYdEgS00aW36dSvXyBgE+S3pigkc7G+jU6BEalMUWIJFveqrBQ==",
+      "dev": true,
+      "dependencies": {
+        "@discordjs/builders": "^1.2.0",
+        "@discordjs/collection": "^1.1.0",
+        "@discordjs/rest": "^1.1.0",
+        "@sapphire/snowflake": "^3.2.2",
+        "@types/ws": "^8.5.3",
+        "discord-api-types": "^0.37.3",
+        "fast-deep-equal": "^3.1.3",
+        "lodash.snakecase": "^4.1.1",
+        "tslib": "^2.4.0",
+        "undici": "^5.9.1",
+        "ws": "^8.8.1"
+      },
+      "engines": {
+        "node": ">=16.9.0"
+      }
+    },
+    "node_modules/doctrine": {
+      "version": "3.0.0",
+      "resolved": "https://registry.npmjs.org/doctrine/-/doctrine-3.0.0.tgz",
+      "integrity": "sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==",
+      "dev": true,
+      "dependencies": {
+        "esutils": "^2.0.2"
+      },
+      "engines": {
+        "node": ">=6.0.0"
+      }
+    },
+    "node_modules/escape-string-regexp": {
+      "version": "4.0.0",
+      "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz",
+      "integrity": "sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==",
+      "dev": true,
+      "engines": {
+        "node": ">=10"
+      },
+      "funding": {
+        "url": "https://github.com/sponsors/sindresorhus"
+      }
+    },
+    "node_modules/eslint": {
+      "version": "8.23.0",
+      "resolved": "https://registry.npmjs.org/eslint/-/eslint-8.23.0.tgz",
+      "integrity": "sha512-pBG/XOn0MsJcKcTRLr27S5HpzQo4kLr+HjLQIyK4EiCsijDl/TB+h5uEuJU6bQ8Edvwz1XWOjpaP2qgnXGpTcA==",
+      "dev": true,
+      "dependencies": {
+        "@eslint/eslintrc": "^1.3.1",
+        "@humanwhocodes/config-array": "^0.10.4",
+        "@humanwhocodes/gitignore-to-minimatch": "^1.0.2",
+        "@humanwhocodes/module-importer": "^1.0.1",
+        "ajv": "^6.10.0",
+        "chalk": "^4.0.0",
+        "cross-spawn": "^7.0.2",
+        "debug": "^4.3.2",
+        "doctrine": "^3.0.0",
+        "escape-string-regexp": "^4.0.0",
+        "eslint-scope": "^7.1.1",
+        "eslint-utils": "^3.0.0",
+        "eslint-visitor-keys": "^3.3.0",
+        "espree": "^9.4.0",
+        "esquery": "^1.4.0",
+        "esutils": "^2.0.2",
+        "fast-deep-equal": "^3.1.3",
+        "file-entry-cache": "^6.0.1",
+        "find-up": "^5.0.0",
+        "functional-red-black-tree": "^1.0.1",
+        "glob-parent": "^6.0.1",
+        "globals": "^13.15.0",
+        "globby": "^11.1.0",
+        "grapheme-splitter": "^1.0.4",
+        "ignore": "^5.2.0",
+        "import-fresh": "^3.0.0",
+        "imurmurhash": "^0.1.4",
+        "is-glob": "^4.0.0",
+        "js-yaml": "^4.1.0",
+        "json-stable-stringify-without-jsonify": "^1.0.1",
+        "levn": "^0.4.1",
+        "lodash.merge": "^4.6.2",
+        "minimatch": "^3.1.2",
+        "natural-compare": "^1.4.0",
+        "optionator": "^0.9.1",
+        "regexpp": "^3.2.0",
+        "strip-ansi": "^6.0.1",
+        "strip-json-comments": "^3.1.0",
+        "text-table": "^0.2.0"
+      },
+      "bin": {
+        "eslint": "bin/eslint.js"
+      },
+      "engines": {
+        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
+      },
+      "funding": {
+        "url": "https://opencollective.com/eslint"
+      }
+    },
+    "node_modules/eslint-scope": {
+      "version": "5.1.1",
+      "resolved": "https://registry.npmjs.org/eslint-scope/-/eslint-scope-5.1.1.tgz",
+      "integrity": "sha512-2NxwbF/hZ0KpepYN0cNbo+FN6XoK7GaHlQhgx/hIZl6Va0bF45RQOOwhLIy8lQDbuCiadSLCBnH2CFYquit5bw==",
+      "dev": true,
+      "dependencies": {
+        "esrecurse": "^4.3.0",
+        "estraverse": "^4.1.1"
+      },
+      "engines": {
+        "node": ">=8.0.0"
+      }
+    },
+    "node_modules/eslint-utils": {
+      "version": "3.0.0",
+      "resolved": "https://registry.npmjs.org/eslint-utils/-/eslint-utils-3.0.0.tgz",
+      "integrity": "sha512-uuQC43IGctw68pJA1RgbQS8/NP7rch6Cwd4j3ZBtgo4/8Flj4eGE7ZYSZRN3iq5pVUv6GPdW5Z1RFleo84uLDA==",
+      "dev": true,
+      "dependencies": {
+        "eslint-visitor-keys": "^2.0.0"
+      },
+      "engines": {
+        "node": "^10.0.0 || ^12.0.0 || >= 14.0.0"
+      },
+      "funding": {
+        "url": "https://github.com/sponsors/mysticatea"
+      },
+      "peerDependencies": {
+        "eslint": ">=5"
+      }
+    },
+    "node_modules/eslint-utils/node_modules/eslint-visitor-keys": {
+      "version": "2.1.0",
+      "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-2.1.0.tgz",
+      "integrity": "sha512-0rSmRBzXgDzIsD6mGdJgevzgezI534Cer5L/vyMX0kHzT/jiB43jRhd9YUlMGYLQy2zprNmoT8qasCGtY+QaKw==",
+      "dev": true,
+      "engines": {
+        "node": ">=10"
+      }
+    },
+    "node_modules/eslint-visitor-keys": {
+      "version": "3.3.0",
+      "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-3.3.0.tgz",
+      "integrity": "sha512-mQ+suqKJVyeuwGYHAdjMFqjCyfl8+Ldnxuyp3ldiMBFKkvytrXUZWaiPCEav8qDHKty44bD+qV1IP4T+w+xXRA==",
+      "dev": true,
+      "engines": {
+        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
+      }
+    },
+    "node_modules/eslint/node_modules/eslint-scope": {
+      "version": "7.1.1",
+      "resolved": "https://registry.npmjs.org/eslint-scope/-/eslint-scope-7.1.1.tgz",
+      "integrity": "sha512-QKQM/UXpIiHcLqJ5AOyIW7XZmzjkzQXYE54n1++wb0u9V/abW3l9uQnxX8Z5Xd18xyKIMTUAyQ0k1e8pz6LUrw==",
+      "dev": true,
+      "dependencies": {
+        "esrecurse": "^4.3.0",
+        "estraverse": "^5.2.0"
+      },
+      "engines": {
+        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
+      }
+    },
+    "node_modules/eslint/node_modules/estraverse": {
+      "version": "5.3.0",
+      "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz",
+      "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==",
+      "dev": true,
+      "engines": {
+        "node": ">=4.0"
+      }
+    },
+    "node_modules/espree": {
+      "version": "9.4.0",
+      "resolved": "https://registry.npmjs.org/espree/-/espree-9.4.0.tgz",
+      "integrity": "sha512-DQmnRpLj7f6TgN/NYb0MTzJXL+vJF9h3pHy4JhCIs3zwcgez8xmGg3sXHcEO97BrmO2OSvCwMdfdlyl+E9KjOw==",
+      "dev": true,
+      "dependencies": {
+        "acorn": "^8.8.0",
+        "acorn-jsx": "^5.3.2",
+        "eslint-visitor-keys": "^3.3.0"
+      },
+      "engines": {
+        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
+      },
+      "funding": {
+        "url": "https://opencollective.com/eslint"
+      }
+    },
+    "node_modules/esquery": {
+      "version": "1.4.0",
+      "resolved": "https://registry.npmjs.org/esquery/-/esquery-1.4.0.tgz",
+      "integrity": "sha512-cCDispWt5vHHtwMY2YrAQ4ibFkAL8RbH5YGBnZBc90MolvvfkkQcJro/aZiAQUlQ3qgrYS6D6v8Gc5G5CQsc9w==",
+      "dev": true,
+      "dependencies": {
+        "estraverse": "^5.1.0"
+      },
+      "engines": {
+        "node": ">=0.10"
+      }
+    },
+    "node_modules/esquery/node_modules/estraverse": {
+      "version": "5.3.0",
+      "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz",
+      "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==",
+      "dev": true,
+      "engines": {
+        "node": ">=4.0"
+      }
+    },
+    "node_modules/esrecurse": {
+      "version": "4.3.0",
+      "resolved": "https://registry.npmjs.org/esrecurse/-/esrecurse-4.3.0.tgz",
+      "integrity": "sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==",
+      "dev": true,
+      "dependencies": {
+        "estraverse": "^5.2.0"
+      },
+      "engines": {
+        "node": ">=4.0"
+      }
+    },
+    "node_modules/esrecurse/node_modules/estraverse": {
+      "version": "5.3.0",
+      "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz",
+      "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==",
+      "dev": true,
+      "engines": {
+        "node": ">=4.0"
+      }
+    },
+    "node_modules/estraverse": {
+      "version": "4.3.0",
+      "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-4.3.0.tgz",
+      "integrity": "sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==",
+      "dev": true,
+      "engines": {
+        "node": ">=4.0"
+      }
+    },
+    "node_modules/esutils": {
+      "version": "2.0.3",
+      "resolved": "https://registry.npmjs.org/esutils/-/esutils-2.0.3.tgz",
+      "integrity": "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==",
+      "dev": true,
+      "engines": {
+        "node": ">=0.10.0"
+      }
+    },
+    "node_modules/fast-deep-equal": {
+      "version": "3.1.3",
+      "resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz",
+      "integrity": "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==",
+      "dev": true
+    },
+    "node_modules/fast-glob": {
+      "version": "3.2.12",
+      "resolved": "https://registry.npmjs.org/fast-glob/-/fast-glob-3.2.12.tgz",
+      "integrity": "sha512-DVj4CQIYYow0BlaelwK1pHl5n5cRSJfM60UA0zK891sVInoPri2Ekj7+e1CT3/3qxXenpI+nBBmQAcJPJgaj4w==",
+      "dev": true,
+      "dependencies": {
+        "@nodelib/fs.stat": "^2.0.2",
+        "@nodelib/fs.walk": "^1.2.3",
+        "glob-parent": "^5.1.2",
+        "merge2": "^1.3.0",
+        "micromatch": "^4.0.4"
+      },
+      "engines": {
+        "node": ">=8.6.0"
+      }
+    },
+    "node_modules/fast-glob/node_modules/glob-parent": {
+      "version": "5.1.2",
+      "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz",
+      "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==",
+      "dev": true,
+      "dependencies": {
+        "is-glob": "^4.0.1"
+      },
+      "engines": {
+        "node": ">= 6"
+      }
+    },
+    "node_modules/fast-json-stable-stringify": {
+      "version": "2.1.0",
+      "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz",
+      "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==",
+      "dev": true
+    },
+    "node_modules/fast-levenshtein": {
+      "version": "2.0.6",
+      "resolved": "https://registry.npmjs.org/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz",
+      "integrity": "sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==",
+      "dev": true
+    },
+    "node_modules/fastq": {
+      "version": "1.13.0",
+      "resolved": "https://registry.npmjs.org/fastq/-/fastq-1.13.0.tgz",
+      "integrity": "sha512-YpkpUnK8od0o1hmeSc7UUs/eB/vIPWJYjKck2QKIzAf71Vm1AAQ3EbuZB3g2JIy+pg+ERD0vqI79KyZiB2e2Nw==",
+      "dev": true,
+      "dependencies": {
+        "reusify": "^1.0.4"
+      }
+    },
+    "node_modules/file-entry-cache": {
+      "version": "6.0.1",
+      "resolved": "https://registry.npmjs.org/file-entry-cache/-/file-entry-cache-6.0.1.tgz",
+      "integrity": "sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==",
+      "dev": true,
+      "dependencies": {
+        "flat-cache": "^3.0.4"
+      },
+      "engines": {
+        "node": "^10.12.0 || >=12.0.0"
+      }
+    },
+    "node_modules/file-type": {
+      "version": "17.1.6",
+      "resolved": "https://registry.npmjs.org/file-type/-/file-type-17.1.6.tgz",
+      "integrity": "sha512-hlDw5Ev+9e883s0pwUsuuYNu4tD7GgpUnOvykjv1Gya0ZIjuKumthDRua90VUn6/nlRKAjcxLUnHNTIUWwWIiw==",
+      "dev": true,
+      "dependencies": {
+        "readable-web-to-node-stream": "^3.0.2",
+        "strtok3": "^7.0.0-alpha.9",
+        "token-types": "^5.0.0-alpha.2"
+      },
+      "engines": {
+        "node": "^12.20.0 || ^14.13.1 || >=16.0.0"
+      },
+      "funding": {
+        "url": "https://github.com/sindresorhus/file-type?sponsor=1"
+      }
+    },
+    "node_modules/fill-range": {
+      "version": "7.0.1",
+      "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.0.1.tgz",
+      "integrity": "sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==",
+      "dev": true,
+      "dependencies": {
+        "to-regex-range": "^5.0.1"
+      },
+      "engines": {
+        "node": ">=8"
+      }
+    },
+    "node_modules/find-up": {
+      "version": "5.0.0",
+      "resolved": "https://registry.npmjs.org/find-up/-/find-up-5.0.0.tgz",
+      "integrity": "sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==",
+      "dev": true,
+      "dependencies": {
+        "locate-path": "^6.0.0",
+        "path-exists": "^4.0.0"
+      },
+      "engines": {
+        "node": ">=10"
+      },
+      "funding": {
+        "url": "https://github.com/sponsors/sindresorhus"
+      }
+    },
+    "node_modules/flat-cache": {
+      "version": "3.0.4",
+      "resolved": "https://registry.npmjs.org/flat-cache/-/flat-cache-3.0.4.tgz",
+      "integrity": "sha512-dm9s5Pw7Jc0GvMYbshN6zchCA9RgQlzzEZX3vylR9IqFfS8XciblUXOKfW6SiuJ0e13eDYZoZV5wdrev7P3Nwg==",
+      "dev": true,
+      "dependencies": {
+        "flatted": "^3.1.0",
+        "rimraf": "^3.0.2"
+      },
+      "engines": {
+        "node": "^10.12.0 || >=12.0.0"
+      }
+    },
+    "node_modules/flatted": {
+      "version": "3.2.7",
+      "resolved": "https://registry.npmjs.org/flatted/-/flatted-3.2.7.tgz",
+      "integrity": "sha512-5nqDSxl8nn5BSNxyR3n4I6eDmbolI6WT+QqR547RwxQapgjQBmtktdP+HTBb/a/zLsbzERTONyUB5pefh5TtjQ==",
+      "dev": true
+    },
+    "node_modules/fs.realpath": {
+      "version": "1.0.0",
+      "resolved": "https://registry.npmjs.org/fs.realpath/-/fs.realpath-1.0.0.tgz",
+      "integrity": "sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==",
+      "dev": true
+    },
+    "node_modules/fsevents": {
+      "version": "2.3.2",
+      "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.2.tgz",
+      "integrity": "sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA==",
+      "dev": true,
+      "hasInstallScript": true,
+      "optional": true,
+      "os": [
+        "darwin"
+      ],
+      "engines": {
+        "node": "^8.16.0 || ^10.6.0 || >=11.0.0"
+      }
+    },
+    "node_modules/functional-red-black-tree": {
+      "version": "1.0.1",
+      "resolved": "https://registry.npmjs.org/functional-red-black-tree/-/functional-red-black-tree-1.0.1.tgz",
+      "integrity": "sha512-dsKNQNdj6xA3T+QlADDA7mOSlX0qiMINjn0cgr+eGHGsbSHzTabcIogz2+p/iqP1Xs6EP/sS2SbqH+brGTbq0g==",
+      "dev": true
+    },
+    "node_modules/gen-esm-wrapper": {
+      "version": "1.1.3",
+      "resolved": "https://registry.npmjs.org/gen-esm-wrapper/-/gen-esm-wrapper-1.1.3.tgz",
+      "integrity": "sha512-LNHZ+QpaCW/0VhABIbXn45V+P8kFvjjwuue9hbV23eOjuFVz6c0FE3z1XpLX9pSjLW7UmtCkXo5F9vhZWVs8oQ==",
+      "dev": true,
+      "dependencies": {
+        "is-valid-identifier": "^2.0.2"
+      },
+      "bin": {
+        "gen-esm-wrapper": "gen-esm-wrapper.js"
+      }
+    },
+    "node_modules/glob": {
+      "version": "7.2.3",
+      "resolved": "https://registry.npmjs.org/glob/-/glob-7.2.3.tgz",
+      "integrity": "sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==",
+      "dev": true,
+      "dependencies": {
+        "fs.realpath": "^1.0.0",
+        "inflight": "^1.0.4",
+        "inherits": "2",
+        "minimatch": "^3.1.1",
+        "once": "^1.3.0",
+        "path-is-absolute": "^1.0.0"
+      },
+      "engines": {
+        "node": "*"
+      },
+      "funding": {
+        "url": "https://github.com/sponsors/isaacs"
+      }
+    },
+    "node_modules/glob-parent": {
+      "version": "6.0.2",
+      "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-6.0.2.tgz",
+      "integrity": "sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==",
+      "dev": true,
+      "dependencies": {
+        "is-glob": "^4.0.3"
+      },
+      "engines": {
+        "node": ">=10.13.0"
+      }
+    },
+    "node_modules/globals": {
+      "version": "13.17.0",
+      "resolved": "https://registry.npmjs.org/globals/-/globals-13.17.0.tgz",
+      "integrity": "sha512-1C+6nQRb1GwGMKm2dH/E7enFAMxGTmGI7/dEdhy/DNelv85w9B72t3uc5frtMNXIbzrarJJ/lTCjcaZwbLJmyw==",
+      "dev": true,
+      "dependencies": {
+        "type-fest": "^0.20.2"
+      },
+      "engines": {
+        "node": ">=8"
+      },
+      "funding": {
+        "url": "https://github.com/sponsors/sindresorhus"
+      }
+    },
+    "node_modules/globby": {
+      "version": "11.1.0",
+      "resolved": "https://registry.npmjs.org/globby/-/globby-11.1.0.tgz",
+      "integrity": "sha512-jhIXaOzy1sb8IyocaruWSn1TjmnBVs8Ayhcy83rmxNJ8q2uWKCAj3CnJY+KpGSXCueAPc0i05kVvVKtP1t9S3g==",
+      "dev": true,
+      "dependencies": {
+        "array-union": "^2.1.0",
+        "dir-glob": "^3.0.1",
+        "fast-glob": "^3.2.9",
+        "ignore": "^5.2.0",
+        "merge2": "^1.4.1",
+        "slash": "^3.0.0"
+      },
+      "engines": {
+        "node": ">=10"
+      },
+      "funding": {
+        "url": "https://github.com/sponsors/sindresorhus"
+      }
+    },
+    "node_modules/grapheme-splitter": {
+      "version": "1.0.4",
+      "resolved": "https://registry.npmjs.org/grapheme-splitter/-/grapheme-splitter-1.0.4.tgz",
+      "integrity": "sha512-bzh50DW9kTPM00T8y4o8vQg89Di9oLJVLW/KaOGIXJWP/iqCN6WKYkbNOF04vFLJhwcpYUh9ydh/+5vpOqV4YQ==",
+      "dev": true
+    },
+    "node_modules/has-flag": {
+      "version": "4.0.0",
+      "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz",
+      "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==",
+      "dev": true,
+      "engines": {
+        "node": ">=8"
+      }
+    },
+    "node_modules/himalaya": {
+      "version": "1.1.0",
+      "resolved": "https://registry.npmjs.org/himalaya/-/himalaya-1.1.0.tgz",
+      "integrity": "sha512-LLase1dHCRMel68/HZTFft0N0wti0epHr3nNY7ynpLbyZpmrKMQ8YIpiOV77TM97cNpC8Wb2n6f66IRggwdWPw=="
+    },
+    "node_modules/husky": {
+      "version": "8.0.1",
+      "resolved": "https://registry.npmjs.org/husky/-/husky-8.0.1.tgz",
+      "integrity": "sha512-xs7/chUH/CKdOCs7Zy0Aev9e/dKOMZf3K1Az1nar3tzlv0jfqnYtu235bstsWTmXOR0EfINrPa97yy4Lz6RiKw==",
+      "dev": true,
+      "bin": {
+        "husky": "lib/bin.js"
+      },
+      "engines": {
+        "node": ">=14"
+      },
+      "funding": {
+        "url": "https://github.com/sponsors/typicode"
+      }
+    },
+    "node_modules/ieee754": {
+      "version": "1.2.1",
+      "resolved": "https://registry.npmjs.org/ieee754/-/ieee754-1.2.1.tgz",
+      "integrity": "sha512-dcyqhDvX1C46lXZcVqCpK+FtMRQVdIMN6/Df5js2zouUsqG7I6sFxitIC+7KYK29KdXOLHdu9zL4sFnoVQnqaA==",
+      "dev": true,
+      "funding": [
+        {
+          "type": "github",
+          "url": "https://github.com/sponsors/feross"
+        },
+        {
+          "type": "patreon",
+          "url": "https://www.patreon.com/feross"
+        },
+        {
+          "type": "consulting",
+          "url": "https://feross.org/support"
+        }
+      ]
+    },
+    "node_modules/ignore": {
+      "version": "5.2.0",
+      "resolved": "https://registry.npmjs.org/ignore/-/ignore-5.2.0.tgz",
+      "integrity": "sha512-CmxgYGiEPCLhfLnpPp1MoRmifwEIOgjcHXxOBjv7mY96c+eWScsOP9c112ZyLdWHi0FxHjI+4uVhKYp/gcdRmQ==",
+      "dev": true,
+      "engines": {
+        "node": ">= 4"
+      }
+    },
+    "node_modules/import-fresh": {
+      "version": "3.3.0",
+      "resolved": "https://registry.npmjs.org/import-fresh/-/import-fresh-3.3.0.tgz",
+      "integrity": "sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==",
+      "dev": true,
+      "dependencies": {
+        "parent-module": "^1.0.0",
+        "resolve-from": "^4.0.0"
+      },
+      "engines": {
+        "node": ">=6"
+      },
+      "funding": {
+        "url": "https://github.com/sponsors/sindresorhus"
+      }
+    },
+    "node_modules/imurmurhash": {
+      "version": "0.1.4",
+      "resolved": "https://registry.npmjs.org/imurmurhash/-/imurmurhash-0.1.4.tgz",
+      "integrity": "sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==",
+      "dev": true,
+      "engines": {
+        "node": ">=0.8.19"
+      }
+    },
+    "node_modules/inflight": {
+      "version": "1.0.6",
+      "resolved": "https://registry.npmjs.org/inflight/-/inflight-1.0.6.tgz",
+      "integrity": "sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==",
+      "dev": true,
+      "dependencies": {
+        "once": "^1.3.0",
+        "wrappy": "1"
+      }
+    },
+    "node_modules/inherits": {
+      "version": "2.0.4",
+      "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz",
+      "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==",
+      "dev": true
+    },
+    "node_modules/is-extglob": {
+      "version": "2.1.1",
+      "resolved": "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz",
+      "integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==",
+      "dev": true,
+      "engines": {
+        "node": ">=0.10.0"
+      }
+    },
+    "node_modules/is-glob": {
+      "version": "4.0.3",
+      "resolved": "https://registry.npmjs.org/is-glob/-/is-glob-4.0.3.tgz",
+      "integrity": "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==",
+      "dev": true,
+      "dependencies": {
+        "is-extglob": "^2.1.1"
+      },
+      "engines": {
+        "node": ">=0.10.0"
+      }
+    },
+    "node_modules/is-number": {
+      "version": "7.0.0",
+      "resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz",
+      "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==",
+      "dev": true,
+      "engines": {
+        "node": ">=0.12.0"
+      }
+    },
+    "node_modules/is-valid-identifier": {
+      "version": "2.0.2",
+      "resolved": "https://registry.npmjs.org/is-valid-identifier/-/is-valid-identifier-2.0.2.tgz",
+      "integrity": "sha512-mpS5EGqXOwzXtKAg6I44jIAqeBfntFLxpAth1rrKbxtKyI6LPktyDYpHBI+tHlduhhX/SF26mFXmxQu995QVqg==",
+      "dev": true,
+      "dependencies": {
+        "assert": "^1.4.1"
+      }
+    },
+    "node_modules/isexe": {
+      "version": "2.0.0",
+      "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz",
+      "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==",
+      "dev": true
+    },
+    "node_modules/js-tokens": {
+      "version": "4.0.0",
+      "resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz",
+      "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==",
+      "dev": true,
+      "optional": true
+    },
+    "node_modules/js-yaml": {
+      "version": "4.1.0",
+      "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-4.1.0.tgz",
+      "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==",
+      "dev": true,
+      "dependencies": {
+        "argparse": "^2.0.1"
+      },
+      "bin": {
+        "js-yaml": "bin/js-yaml.js"
+      }
+    },
+    "node_modules/json-schema-traverse": {
+      "version": "0.4.1",
+      "resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz",
+      "integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==",
+      "dev": true
+    },
+    "node_modules/json-stable-stringify-without-jsonify": {
+      "version": "1.0.1",
+      "resolved": "https://registry.npmjs.org/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz",
+      "integrity": "sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==",
+      "dev": true
+    },
+    "node_modules/jsonc-parser": {
+      "version": "3.2.0",
+      "resolved": "https://registry.npmjs.org/jsonc-parser/-/jsonc-parser-3.2.0.tgz",
+      "integrity": "sha512-gfFQZrcTc8CnKXp6Y4/CBT3fTc0OVuDofpre4aEeEpSBPV5X5v4+Vmx+8snU7RLPrNHPKSgLxGo9YuQzz20o+w==",
+      "dev": true
+    },
+    "node_modules/levn": {
+      "version": "0.4.1",
+      "resolved": "https://registry.npmjs.org/levn/-/levn-0.4.1.tgz",
+      "integrity": "sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==",
+      "dev": true,
+      "dependencies": {
+        "prelude-ls": "^1.2.1",
+        "type-check": "~0.4.0"
+      },
+      "engines": {
+        "node": ">= 0.8.0"
+      }
+    },
+    "node_modules/libsodium": {
+      "version": "0.7.10",
+      "resolved": "https://registry.npmjs.org/libsodium/-/libsodium-0.7.10.tgz",
+      "integrity": "sha512-eY+z7hDrDKxkAK+QKZVNv92A5KYkxfvIshtBJkmg5TSiCnYqZP3i9OO9whE79Pwgm4jGaoHgkM4ao/b9Cyu4zQ=="
+    },
+    "node_modules/libsodium-wrappers": {
+      "version": "0.7.10",
+      "resolved": "https://registry.npmjs.org/libsodium-wrappers/-/libsodium-wrappers-0.7.10.tgz",
+      "integrity": "sha512-pO3F1Q9NPLB/MWIhehim42b/Fwb30JNScCNh8TcQ/kIc+qGLQch8ag8wb0keK3EP5kbGakk1H8Wwo7v+36rNQg==",
+      "dependencies": {
+        "libsodium": "^0.7.0"
+      }
+    },
+    "node_modules/locate-path": {
+      "version": "6.0.0",
+      "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-6.0.0.tgz",
+      "integrity": "sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==",
+      "dev": true,
+      "dependencies": {
+        "p-locate": "^5.0.0"
+      },
+      "engines": {
+        "node": ">=10"
+      },
+      "funding": {
+        "url": "https://github.com/sponsors/sindresorhus"
+      }
+    },
+    "node_modules/lodash.merge": {
+      "version": "4.6.2",
+      "resolved": "https://registry.npmjs.org/lodash.merge/-/lodash.merge-4.6.2.tgz",
+      "integrity": "sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==",
+      "dev": true
+    },
+    "node_modules/lodash.snakecase": {
+      "version": "4.1.1",
+      "resolved": "https://registry.npmjs.org/lodash.snakecase/-/lodash.snakecase-4.1.1.tgz",
+      "integrity": "sha512-QZ1d4xoBHYUeuouhEq3lk3Uq7ldgyFXGBhg04+oRLnIz8o9T65Eh+8YdroUwn846zchkA9yDsDl5CVVaV2nqYw==",
+      "dev": true
+    },
+    "node_modules/lodash.uniqwith": {
+      "version": "4.5.0",
+      "resolved": "https://registry.npmjs.org/lodash.uniqwith/-/lodash.uniqwith-4.5.0.tgz",
+      "integrity": "sha512-7lYL8bLopMoy4CTICbxygAUq6CdRJ36vFc80DucPueUee+d5NBRxz3FdT9Pes/HEx5mPoT9jwnsEJWz1N7uq7Q==",
+      "dev": true
+    },
+    "node_modules/lru-cache": {
+      "version": "6.0.0",
+      "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-6.0.0.tgz",
+      "integrity": "sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==",
+      "dev": true,
+      "dependencies": {
+        "yallist": "^4.0.0"
+      },
+      "engines": {
+        "node": ">=10"
+      }
+    },
+    "node_modules/lunr": {
+      "version": "2.3.9",
+      "resolved": "https://registry.npmjs.org/lunr/-/lunr-2.3.9.tgz",
+      "integrity": "sha512-zTU3DaZaF3Rt9rhN3uBMGQD3dD2/vFQqnvZCDv4dl5iOzq2IZQqTxu90r4E5J+nP70J3ilqVCrbho2eWaeW8Ow==",
+      "dev": true
+    },
+    "node_modules/magic-string": {
+      "version": "0.26.3",
+      "resolved": "https://registry.npmjs.org/magic-string/-/magic-string-0.26.3.tgz",
+      "integrity": "sha512-u1Po0NDyFcwdg2nzHT88wSK0+Rih0N1M+Ph1Sp08k8yvFFU3KR72wryS7e1qMPJypt99WB7fIFVCA92mQrMjrg==",
+      "dev": true,
+      "dependencies": {
+        "sourcemap-codec": "^1.4.8"
+      },
+      "engines": {
+        "node": ">=12"
+      }
+    },
+    "node_modules/make-error": {
+      "version": "1.3.6",
+      "resolved": "https://registry.npmjs.org/make-error/-/make-error-1.3.6.tgz",
+      "integrity": "sha512-s8UhlNe7vPKomQhC1qFelMokr/Sc3AgNbso3n74mVPA5LTZwkB9NlXf4XPamLxJE8h0gh73rM94xvwRT2CVInw==",
+      "dev": true
+    },
+    "node_modules/marked": {
+      "version": "4.1.0",
+      "resolved": "https://registry.npmjs.org/marked/-/marked-4.1.0.tgz",
+      "integrity": "sha512-+Z6KDjSPa6/723PQYyc1axYZpYYpDnECDaU6hkaf5gqBieBkMKYReL5hteF2QizhlMbgbo8umXl/clZ67+GlsA==",
+      "dev": true,
+      "bin": {
+        "marked": "bin/marked.js"
+      },
+      "engines": {
+        "node": ">= 12"
+      }
+    },
+    "node_modules/merge2": {
+      "version": "1.4.1",
+      "resolved": "https://registry.npmjs.org/merge2/-/merge2-1.4.1.tgz",
+      "integrity": "sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==",
+      "dev": true,
+      "engines": {
+        "node": ">= 8"
+      }
+    },
+    "node_modules/micromatch": {
+      "version": "4.0.5",
+      "resolved": "https://registry.npmjs.org/micromatch/-/micromatch-4.0.5.tgz",
+      "integrity": "sha512-DMy+ERcEW2q8Z2Po+WNXuw3c5YaUSFjAO5GsJqfEl7UjvtIuFKO6ZrKvcItdy98dwFI2N1tg3zNIdKaQT+aNdA==",
+      "dev": true,
+      "dependencies": {
+        "braces": "^3.0.2",
+        "picomatch": "^2.3.1"
+      },
+      "engines": {
+        "node": ">=8.6"
+      }
+    },
+    "node_modules/minimatch": {
+      "version": "3.1.2",
+      "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz",
+      "integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==",
+      "dev": true,
+      "dependencies": {
+        "brace-expansion": "^1.1.7"
+      },
+      "engines": {
+        "node": "*"
+      }
+    },
+    "node_modules/ms": {
+      "version": "2.1.2",
+      "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.2.tgz",
+      "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==",
+      "dev": true
+    },
+    "node_modules/natural-compare": {
+      "version": "1.4.0",
+      "resolved": "https://registry.npmjs.org/natural-compare/-/natural-compare-1.4.0.tgz",
+      "integrity": "sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==",
+      "dev": true
+    },
+    "node_modules/object-assign": {
+      "version": "4.1.1",
+      "resolved": "https://registry.npmjs.org/object-assign/-/object-assign-4.1.1.tgz",
+      "integrity": "sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==",
+      "dev": true,
+      "engines": {
+        "node": ">=0.10.0"
+      }
+    },
+    "node_modules/once": {
+      "version": "1.4.0",
+      "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz",
+      "integrity": "sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==",
+      "dev": true,
+      "dependencies": {
+        "wrappy": "1"
+      }
+    },
+    "node_modules/optionator": {
+      "version": "0.9.1",
+      "resolved": "https://registry.npmjs.org/optionator/-/optionator-0.9.1.tgz",
+      "integrity": "sha512-74RlY5FCnhq4jRxVUPKDaRwrVNXMqsGsiW6AJw4XK8hmtm10wC0ypZBLw5IIp85NZMr91+qd1RvvENwg7jjRFw==",
+      "dev": true,
+      "dependencies": {
+        "deep-is": "^0.1.3",
+        "fast-levenshtein": "^2.0.6",
+        "levn": "^0.4.1",
+        "prelude-ls": "^1.2.1",
+        "type-check": "^0.4.0",
+        "word-wrap": "^1.2.3"
+      },
+      "engines": {
+        "node": ">= 0.8.0"
+      }
+    },
+    "node_modules/opusscript": {
+      "version": "0.0.8",
+      "resolved": "https://registry.npmjs.org/opusscript/-/opusscript-0.0.8.tgz",
+      "integrity": "sha512-VSTi1aWFuCkRCVq+tx/BQ5q9fMnQ9pVZ3JU4UHKqTkf0ED3fKEPdr+gKAAl3IA2hj9rrP6iyq3hlcJq3HELtNQ==",
+      "devOptional": true
+    },
+    "node_modules/p-limit": {
+      "version": "3.1.0",
+      "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-3.1.0.tgz",
+      "integrity": "sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==",
+      "dev": true,
+      "dependencies": {
+        "yocto-queue": "^0.1.0"
+      },
+      "engines": {
+        "node": ">=10"
+      },
+      "funding": {
+        "url": "https://github.com/sponsors/sindresorhus"
+      }
+    },
+    "node_modules/p-locate": {
+      "version": "5.0.0",
+      "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-5.0.0.tgz",
+      "integrity": "sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==",
+      "dev": true,
+      "dependencies": {
+        "p-limit": "^3.0.2"
+      },
+      "engines": {
+        "node": ">=10"
+      },
+      "funding": {
+        "url": "https://github.com/sponsors/sindresorhus"
+      }
+    },
+    "node_modules/parent-module": {
+      "version": "1.0.1",
+      "resolved": "https://registry.npmjs.org/parent-module/-/parent-module-1.0.1.tgz",
+      "integrity": "sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==",
+      "dev": true,
+      "dependencies": {
+        "callsites": "^3.0.0"
+      },
+      "engines": {
+        "node": ">=6"
+      }
+    },
+    "node_modules/path-exists": {
+      "version": "4.0.0",
+      "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz",
+      "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==",
+      "dev": true,
+      "engines": {
+        "node": ">=8"
+      }
+    },
+    "node_modules/path-is-absolute": {
+      "version": "1.0.1",
+      "resolved": "https://registry.npmjs.org/path-is-absolute/-/path-is-absolute-1.0.1.tgz",
+      "integrity": "sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==",
+      "dev": true,
+      "engines": {
+        "node": ">=0.10.0"
+      }
+    },
+    "node_modules/path-key": {
+      "version": "3.1.1",
+      "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz",
+      "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==",
+      "dev": true,
+      "engines": {
+        "node": ">=8"
+      }
+    },
+    "node_modules/path-type": {
+      "version": "4.0.0",
+      "resolved": "https://registry.npmjs.org/path-type/-/path-type-4.0.0.tgz",
+      "integrity": "sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==",
+      "dev": true,
+      "engines": {
+        "node": ">=8"
+      }
+    },
+    "node_modules/peek-readable": {
+      "version": "5.0.0",
+      "resolved": "https://registry.npmjs.org/peek-readable/-/peek-readable-5.0.0.tgz",
+      "integrity": "sha512-YtCKvLUOvwtMGmrniQPdO7MwPjgkFBtFIrmfSbYmYuq3tKDV/mcfAhBth1+C3ru7uXIZasc/pHnb+YDYNkkj4A==",
+      "dev": true,
+      "engines": {
+        "node": ">=14.16"
+      },
+      "funding": {
+        "type": "github",
+        "url": "https://github.com/sponsors/Borewit"
+      }
+    },
+    "node_modules/picomatch": {
+      "version": "2.3.1",
+      "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.3.1.tgz",
+      "integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==",
+      "dev": true,
+      "engines": {
+        "node": ">=8.6"
+      },
+      "funding": {
+        "url": "https://github.com/sponsors/jonschlinkert"
+      }
+    },
+    "node_modules/prelude-ls": {
+      "version": "1.2.1",
+      "resolved": "https://registry.npmjs.org/prelude-ls/-/prelude-ls-1.2.1.tgz",
+      "integrity": "sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==",
+      "dev": true,
+      "engines": {
+        "node": ">= 0.8.0"
+      }
+    },
+    "node_modules/prettier": {
+      "version": "2.7.1",
+      "resolved": "https://registry.npmjs.org/prettier/-/prettier-2.7.1.tgz",
+      "integrity": "sha512-ujppO+MkdPqoVINuDFDRLClm7D78qbDt0/NR+wp5FqEZOoTNAjPHWj17QRhu7geIHJfcNhRk1XVQmF8Bp3ye+g==",
+      "dev": true,
+      "bin": {
+        "prettier": "bin-prettier.js"
+      },
+      "engines": {
+        "node": ">=10.13.0"
+      },
+      "funding": {
+        "url": "https://github.com/prettier/prettier?sponsor=1"
+      }
+    },
+    "node_modules/prism-media": {
+      "version": "1.3.4",
+      "resolved": "https://registry.npmjs.org/prism-media/-/prism-media-1.3.4.tgz",
+      "integrity": "sha512-eW7LXORkTCQznZs+eqe9VjGOrLBxcBPXgNyHXMTSRVhphvd/RrxgIR7WaWt4fkLuhshcdT5KHL88LAfcvS3f5g==",
+      "peerDependencies": {
+        "@discordjs/opus": "^0.8.0",
+        "ffmpeg-static": "^5.0.2 || ^4.2.7 || ^3.0.0 || ^2.4.0",
+        "node-opus": "^0.3.3",
+        "opusscript": "^0.0.8"
+      },
+      "peerDependenciesMeta": {
+        "@discordjs/opus": {
+          "optional": true
+        },
+        "ffmpeg-static": {
+          "optional": true
+        },
+        "node-opus": {
+          "optional": true
+        },
+        "opusscript": {
+          "optional": true
+        }
+      }
+    },
+    "node_modules/punycode": {
+      "version": "2.1.1",
+      "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.1.1.tgz",
+      "integrity": "sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==",
+      "dev": true,
+      "engines": {
+        "node": ">=6"
+      }
+    },
+    "node_modules/queue-microtask": {
+      "version": "1.2.3",
+      "resolved": "https://registry.npmjs.org/queue-microtask/-/queue-microtask-1.2.3.tgz",
+      "integrity": "sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==",
+      "dev": true,
+      "funding": [
+        {
+          "type": "github",
+          "url": "https://github.com/sponsors/feross"
+        },
+        {
+          "type": "patreon",
+          "url": "https://www.patreon.com/feross"
+        },
+        {
+          "type": "consulting",
+          "url": "https://feross.org/support"
+        }
+      ]
+    },
+    "node_modules/readable-stream": {
+      "version": "3.6.0",
+      "resolved": "https://registry.npmjs.org/readable-stream/-/readable-stream-3.6.0.tgz",
+      "integrity": "sha512-BViHy7LKeTz4oNnkcLJ+lVSL6vpiFeX6/d3oSH8zCW7UxP2onchk+vTGB143xuFjHS3deTgkKoXXymXqymiIdA==",
+      "dev": true,
+      "dependencies": {
+        "inherits": "^2.0.3",
+        "string_decoder": "^1.1.1",
+        "util-deprecate": "^1.0.1"
+      },
+      "engines": {
+        "node": ">= 6"
+      }
+    },
+    "node_modules/readable-web-to-node-stream": {
+      "version": "3.0.2",
+      "resolved": "https://registry.npmjs.org/readable-web-to-node-stream/-/readable-web-to-node-stream-3.0.2.tgz",
+      "integrity": "sha512-ePeK6cc1EcKLEhJFt/AebMCLL+GgSKhuygrZ/GLaKZYEecIgIECf4UaUuaByiGtzckwR4ain9VzUh95T1exYGw==",
+      "dev": true,
+      "dependencies": {
+        "readable-stream": "^3.6.0"
+      },
+      "engines": {
+        "node": ">=8"
+      },
+      "funding": {
+        "type": "github",
+        "url": "https://github.com/sponsors/Borewit"
+      }
+    },
+    "node_modules/regexpp": {
+      "version": "3.2.0",
+      "resolved": "https://registry.npmjs.org/regexpp/-/regexpp-3.2.0.tgz",
+      "integrity": "sha512-pq2bWo9mVD43nbts2wGv17XLiNLya+GklZ8kaDLV2Z08gDCsGpnKn9BFMepvWuHCbyVvY7J5o5+BVvoQbmlJLg==",
+      "dev": true,
+      "engines": {
+        "node": ">=8"
+      },
+      "funding": {
+        "url": "https://github.com/sponsors/mysticatea"
+      }
+    },
+    "node_modules/resolve-from": {
+      "version": "4.0.0",
+      "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-4.0.0.tgz",
+      "integrity": "sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==",
+      "dev": true,
+      "engines": {
+        "node": ">=4"
+      }
+    },
+    "node_modules/reusify": {
+      "version": "1.0.4",
+      "resolved": "https://registry.npmjs.org/reusify/-/reusify-1.0.4.tgz",
+      "integrity": "sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==",
+      "dev": true,
+      "engines": {
+        "iojs": ">=1.0.0",
+        "node": ">=0.10.0"
+      }
+    },
+    "node_modules/rimraf": {
+      "version": "3.0.2",
+      "resolved": "https://registry.npmjs.org/rimraf/-/rimraf-3.0.2.tgz",
+      "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==",
+      "dev": true,
+      "dependencies": {
+        "glob": "^7.1.3"
+      },
+      "bin": {
+        "rimraf": "bin.js"
+      },
+      "funding": {
+        "url": "https://github.com/sponsors/isaacs"
+      }
+    },
+    "node_modules/rollup": {
+      "version": "2.79.0",
+      "resolved": "https://registry.npmjs.org/rollup/-/rollup-2.79.0.tgz",
+      "integrity": "sha512-x4KsrCgwQ7ZJPcFA/SUu6QVcYlO7uRLfLAy0DSA4NS2eG8japdbpM50ToH7z4iObodRYOJ0soneF0iaQRJ6zhA==",
+      "dev": true,
+      "bin": {
+        "rollup": "dist/bin/rollup"
+      },
+      "engines": {
+        "node": ">=10.0.0"
+      },
+      "optionalDependencies": {
+        "fsevents": "~2.3.2"
+      }
+    },
+    "node_modules/rollup-plugin-dts": {
+      "version": "4.2.2",
+      "resolved": "https://registry.npmjs.org/rollup-plugin-dts/-/rollup-plugin-dts-4.2.2.tgz",
+      "integrity": "sha512-A3g6Rogyko/PXeKoUlkjxkP++8UDVpgA7C+Tdl77Xj4fgEaIjPSnxRmR53EzvoYy97VMVwLAOcWJudaVAuxneQ==",
+      "dev": true,
+      "dependencies": {
+        "magic-string": "^0.26.1"
+      },
+      "engines": {
+        "node": ">=v12.22.11"
+      },
+      "funding": {
+        "url": "https://github.com/sponsors/Swatinem"
+      },
+      "optionalDependencies": {
+        "@babel/code-frame": "^7.16.7"
+      },
+      "peerDependencies": {
+        "rollup": "^2.55",
+        "typescript": "^4.1"
+      }
+    },
+    "node_modules/run-parallel": {
+      "version": "1.2.0",
+      "resolved": "https://registry.npmjs.org/run-parallel/-/run-parallel-1.2.0.tgz",
+      "integrity": "sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==",
+      "dev": true,
+      "funding": [
+        {
+          "type": "github",
+          "url": "https://github.com/sponsors/feross"
+        },
+        {
+          "type": "patreon",
+          "url": "https://www.patreon.com/feross"
+        },
+        {
+          "type": "consulting",
+          "url": "https://feross.org/support"
+        }
+      ],
+      "dependencies": {
+        "queue-microtask": "^1.2.2"
+      }
+    },
+    "node_modules/safe-buffer": {
+      "version": "5.2.1",
+      "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.2.1.tgz",
+      "integrity": "sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==",
+      "dev": true,
+      "funding": [
+        {
+          "type": "github",
+          "url": "https://github.com/sponsors/feross"
+        },
+        {
+          "type": "patreon",
+          "url": "https://www.patreon.com/feross"
+        },
+        {
+          "type": "consulting",
+          "url": "https://feross.org/support"
+        }
+      ]
+    },
+    "node_modules/semver": {
+      "version": "7.3.7",
+      "resolved": "https://registry.npmjs.org/semver/-/semver-7.3.7.tgz",
+      "integrity": "sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g==",
+      "dev": true,
+      "dependencies": {
+        "lru-cache": "^6.0.0"
+      },
+      "bin": {
+        "semver": "bin/semver.js"
+      },
+      "engines": {
+        "node": ">=10"
+      }
+    },
+    "node_modules/shebang-command": {
+      "version": "2.0.0",
+      "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz",
+      "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==",
+      "dev": true,
+      "dependencies": {
+        "shebang-regex": "^3.0.0"
+      },
+      "engines": {
+        "node": ">=8"
+      }
+    },
+    "node_modules/shebang-regex": {
+      "version": "3.0.0",
+      "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz",
+      "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==",
+      "dev": true,
+      "engines": {
+        "node": ">=8"
+      }
+    },
+    "node_modules/shiki": {
+      "version": "0.11.1",
+      "resolved": "https://registry.npmjs.org/shiki/-/shiki-0.11.1.tgz",
+      "integrity": "sha512-EugY9VASFuDqOexOgXR18ZV+TbFrQHeCpEYaXamO+SZlsnT/2LxuLBX25GGtIrwaEVFXUAbUQ601SWE2rMwWHA==",
+      "dev": true,
+      "dependencies": {
+        "jsonc-parser": "^3.0.0",
+        "vscode-oniguruma": "^1.6.1",
+        "vscode-textmate": "^6.0.0"
+      }
+    },
+    "node_modules/slash": {
+      "version": "3.0.0",
+      "resolved": "https://registry.npmjs.org/slash/-/slash-3.0.0.tgz",
+      "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==",
+      "dev": true,
+      "engines": {
+        "node": ">=8"
+      }
+    },
+    "node_modules/sourcemap-codec": {
+      "version": "1.4.8",
+      "resolved": "https://registry.npmjs.org/sourcemap-codec/-/sourcemap-codec-1.4.8.tgz",
+      "integrity": "sha512-9NykojV5Uih4lgo5So5dtw+f0JgJX30KCNI8gwhz2J9A15wD0Ml6tjHKwf6fTSa6fAdVBdZeNOs9eJ71qCk8vA==",
+      "dev": true
+    },
+    "node_modules/spotify-uri": {
+      "version": "3.0.3",
+      "resolved": "https://registry.npmjs.org/spotify-uri/-/spotify-uri-3.0.3.tgz",
+      "integrity": "sha512-mMstJ4dAMki6GbUjg94kp/h9ZH+7T7+ro/KUC00WVh+WKoLgMRrTKLkWMIwCZNO53Xa8DRHQw/6jwYtRZrVI3g==",
+      "engines": {
+        "node": ">= 12"
+      }
+    },
+    "node_modules/spotify-url-info": {
+      "version": "3.1.8",
+      "resolved": "https://registry.npmjs.org/spotify-url-info/-/spotify-url-info-3.1.8.tgz",
+      "integrity": "sha512-XxDRxDtTd9p1X22+dWweqB2bf41UVRZgyvq8VmLyY4iuClR/4/LGWOqcqG/zh9BwLUtony4818QrJ2bp2tbUkg==",
+      "dependencies": {
+        "himalaya": "~1.1.0",
+        "spotify-uri": "~3.0.3"
+      },
+      "engines": {
+        "node": ">= 12"
+      }
+    },
+    "node_modules/string_decoder": {
+      "version": "1.3.0",
+      "resolved": "https://registry.npmjs.org/string_decoder/-/string_decoder-1.3.0.tgz",
+      "integrity": "sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA==",
+      "dev": true,
+      "dependencies": {
+        "safe-buffer": "~5.2.0"
+      }
+    },
+    "node_modules/strip-ansi": {
+      "version": "6.0.1",
+      "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz",
+      "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==",
+      "dev": true,
+      "dependencies": {
+        "ansi-regex": "^5.0.1"
+      },
+      "engines": {
+        "node": ">=8"
+      }
+    },
+    "node_modules/strip-json-comments": {
+      "version": "3.1.1",
+      "resolved": "https://registry.npmjs.org/strip-json-comments/-/strip-json-comments-3.1.1.tgz",
+      "integrity": "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==",
+      "dev": true,
+      "engines": {
+        "node": ">=8"
+      },
+      "funding": {
+        "url": "https://github.com/sponsors/sindresorhus"
+      }
+    },
+    "node_modules/strtok3": {
+      "version": "7.0.0",
+      "resolved": "https://registry.npmjs.org/strtok3/-/strtok3-7.0.0.tgz",
+      "integrity": "sha512-pQ+V+nYQdC5H3Q7qBZAz/MO6lwGhoC2gOAjuouGf/VO0m7vQRh8QNMl2Uf6SwAtzZ9bOw3UIeBukEGNJl5dtXQ==",
+      "dev": true,
+      "dependencies": {
+        "@tokenizer/token": "^0.3.0",
+        "peek-readable": "^5.0.0"
+      },
+      "engines": {
+        "node": ">=14.16"
+      },
+      "funding": {
+        "type": "github",
+        "url": "https://github.com/sponsors/Borewit"
+      }
+    },
+    "node_modules/supports-color": {
+      "version": "7.2.0",
+      "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz",
+      "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==",
+      "dev": true,
+      "dependencies": {
+        "has-flag": "^4.0.0"
+      },
+      "engines": {
+        "node": ">=8"
+      }
+    },
+    "node_modules/text-table": {
+      "version": "0.2.0",
+      "resolved": "https://registry.npmjs.org/text-table/-/text-table-0.2.0.tgz",
+      "integrity": "sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==",
+      "dev": true
+    },
+    "node_modules/tiny-typed-emitter": {
+      "version": "2.1.0",
+      "resolved": "https://registry.npmjs.org/tiny-typed-emitter/-/tiny-typed-emitter-2.1.0.tgz",
+      "integrity": "sha512-qVtvMxeXbVej0cQWKqVSSAHmKZEHAvxdF8HEUBFWts8h+xEo5m/lEiPakuyZ3BnCBjOD8i24kzNOiOLLgsSxhA=="
+    },
+    "node_modules/to-regex-range": {
+      "version": "5.0.1",
+      "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz",
+      "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==",
+      "dev": true,
+      "dependencies": {
+        "is-number": "^7.0.0"
+      },
+      "engines": {
+        "node": ">=8.0"
+      }
+    },
+    "node_modules/token-types": {
+      "version": "5.0.1",
+      "resolved": "https://registry.npmjs.org/token-types/-/token-types-5.0.1.tgz",
+      "integrity": "sha512-Y2fmSnZjQdDb9W4w4r1tswlMHylzWIeOKpx0aZH9BgGtACHhrk3OkT52AzwcuqTRBZtvvnTjDBh8eynMulu8Vg==",
+      "dev": true,
+      "dependencies": {
+        "@tokenizer/token": "^0.3.0",
+        "ieee754": "^1.2.1"
+      },
+      "engines": {
+        "node": ">=14.16"
+      },
+      "funding": {
+        "type": "github",
+        "url": "https://github.com/sponsors/Borewit"
+      }
+    },
+    "node_modules/ts-mixer": {
+      "version": "6.0.1",
+      "resolved": "https://registry.npmjs.org/ts-mixer/-/ts-mixer-6.0.1.tgz",
+      "integrity": "sha512-hvE+ZYXuINrx6Ei6D6hz+PTim0Uf++dYbK9FFifLNwQj+RwKquhQpn868yZsCtJYiclZF1u8l6WZxxKi+vv7Rg==",
+      "dev": true
+    },
+    "node_modules/ts-node": {
+      "version": "10.9.1",
+      "resolved": "https://registry.npmjs.org/ts-node/-/ts-node-10.9.1.tgz",
+      "integrity": "sha512-NtVysVPkxxrwFGUUxGYhfux8k78pQB3JqYBXlLRZgdGUqTO5wU/UyHop5p70iEbGhB7q5KmiZiU0Y3KlJrScEw==",
+      "dev": true,
+      "dependencies": {
+        "@cspotcode/source-map-support": "^0.8.0",
+        "@tsconfig/node10": "^1.0.7",
+        "@tsconfig/node12": "^1.0.7",
+        "@tsconfig/node14": "^1.0.0",
+        "@tsconfig/node16": "^1.0.2",
+        "acorn": "^8.4.1",
+        "acorn-walk": "^8.1.1",
+        "arg": "^4.1.0",
+        "create-require": "^1.1.0",
+        "diff": "^4.0.1",
+        "make-error": "^1.1.1",
+        "v8-compile-cache-lib": "^3.0.1",
+        "yn": "3.1.1"
+      },
+      "bin": {
+        "ts-node": "dist/bin.js",
+        "ts-node-cwd": "dist/bin-cwd.js",
+        "ts-node-esm": "dist/bin-esm.js",
+        "ts-node-script": "dist/bin-script.js",
+        "ts-node-transpile-only": "dist/bin-transpile.js",
+        "ts-script": "dist/bin-script-deprecated.js"
+      },
+      "peerDependencies": {
+        "@swc/core": ">=1.2.50",
+        "@swc/wasm": ">=1.2.50",
+        "@types/node": "*",
+        "typescript": ">=2.7"
+      },
+      "peerDependenciesMeta": {
+        "@swc/core": {
+          "optional": true
+        },
+        "@swc/wasm": {
+          "optional": true
+        }
+      }
+    },
+    "node_modules/tslib": {
+      "version": "2.4.0",
+      "resolved": "https://registry.npmjs.org/tslib/-/tslib-2.4.0.tgz",
+      "integrity": "sha512-d6xOpEDfsi2CZVlPQzGeux8XMwLT9hssAsaPYExaQMuYskwb+x1x7J371tWlbBdWHroy99KnVB6qIkUbs5X3UQ=="
+    },
+    "node_modules/tsutils": {
+      "version": "3.21.0",
+      "resolved": "https://registry.npmjs.org/tsutils/-/tsutils-3.21.0.tgz",
+      "integrity": "sha512-mHKK3iUXL+3UF6xL5k0PEhKRUBKPBCv/+RkEOpjRWxxx27KKRBmmA60A9pgOUvMi8GKhRMPEmjBRPzs2W7O1OA==",
+      "dev": true,
+      "dependencies": {
+        "tslib": "^1.8.1"
+      },
+      "engines": {
+        "node": ">= 6"
+      },
+      "peerDependencies": {
+        "typescript": ">=2.8.0 || >= 3.2.0-dev || >= 3.3.0-dev || >= 3.4.0-dev || >= 3.5.0-dev || >= 3.6.0-dev || >= 3.6.0-beta || >= 3.7.0-dev || >= 3.7.0-beta"
+      }
+    },
+    "node_modules/tsutils/node_modules/tslib": {
+      "version": "1.14.1",
+      "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz",
+      "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==",
+      "dev": true
+    },
+    "node_modules/type-check": {
+      "version": "0.4.0",
+      "resolved": "https://registry.npmjs.org/type-check/-/type-check-0.4.0.tgz",
+      "integrity": "sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==",
+      "dev": true,
+      "dependencies": {
+        "prelude-ls": "^1.2.1"
+      },
+      "engines": {
+        "node": ">= 0.8.0"
+      }
+    },
+    "node_modules/type-fest": {
+      "version": "0.20.2",
+      "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.20.2.tgz",
+      "integrity": "sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==",
+      "dev": true,
+      "engines": {
+        "node": ">=10"
+      },
+      "funding": {
+        "url": "https://github.com/sponsors/sindresorhus"
+      }
+    },
+    "node_modules/typedoc": {
+      "version": "0.23.14",
+      "resolved": "https://registry.npmjs.org/typedoc/-/typedoc-0.23.14.tgz",
+      "integrity": "sha512-s2I+ZKBET38EctZvbXp2GooHrNaKjWZkrwGEK/sttnOGiKJqU0vHrsdcwLgKZGuo2aedNL3RRPj1LnAAeYscig==",
+      "dev": true,
+      "dependencies": {
+        "lunr": "^2.3.9",
+        "marked": "^4.0.19",
+        "minimatch": "^5.1.0",
+        "shiki": "^0.11.1"
+      },
+      "bin": {
+        "typedoc": "bin/typedoc"
+      },
+      "engines": {
+        "node": ">= 14.14"
+      },
+      "peerDependencies": {
+        "typescript": "4.6.x || 4.7.x || 4.8.x"
+      }
+    },
+    "node_modules/typedoc/node_modules/brace-expansion": {
+      "version": "2.0.1",
+      "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-2.0.1.tgz",
+      "integrity": "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==",
+      "dev": true,
+      "dependencies": {
+        "balanced-match": "^1.0.0"
+      }
+    },
+    "node_modules/typedoc/node_modules/minimatch": {
+      "version": "5.1.0",
+      "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-5.1.0.tgz",
+      "integrity": "sha512-9TPBGGak4nHfGZsPBohm9AWg6NoT7QTCehS3BIJABslyZbzxfV78QM2Y6+i741OPZIafFAaiiEMh5OyIrJPgtg==",
+      "dev": true,
+      "dependencies": {
+        "brace-expansion": "^2.0.1"
+      },
+      "engines": {
+        "node": ">=10"
+      }
+    },
+    "node_modules/typescript": {
+      "version": "4.7.4",
+      "resolved": "https://registry.npmjs.org/typescript/-/typescript-4.7.4.tgz",
+      "integrity": "sha512-C0WQT0gezHuw6AdY1M2jxUO83Rjf0HP7Sk1DtXj6j1EwkQNZrHAg2XPWlq62oqEhYvONq5pkC2Y9oPljWToLmQ==",
+      "dev": true,
+      "bin": {
+        "tsc": "bin/tsc",
+        "tsserver": "bin/tsserver"
+      },
+      "engines": {
+        "node": ">=4.2.0"
+      }
+    },
+    "node_modules/undici": {
+      "version": "5.10.0",
+      "resolved": "https://registry.npmjs.org/undici/-/undici-5.10.0.tgz",
+      "integrity": "sha512-c8HsD3IbwmjjbLvoZuRI26TZic+TSEe8FPMLLOkN1AfYRhdjnKBU6yL+IwcSCbdZiX4e5t0lfMDLDCqj4Sq70g==",
+      "dev": true,
+      "engines": {
+        "node": ">=12.18"
+      }
+    },
+    "node_modules/uri-js": {
+      "version": "4.4.1",
+      "resolved": "https://registry.npmjs.org/uri-js/-/uri-js-4.4.1.tgz",
+      "integrity": "sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==",
+      "dev": true,
+      "dependencies": {
+        "punycode": "^2.1.0"
+      }
+    },
+    "node_modules/util": {
+      "version": "0.10.3",
+      "resolved": "https://registry.npmjs.org/util/-/util-0.10.3.tgz",
+      "integrity": "sha512-5KiHfsmkqacuKjkRkdV7SsfDJ2EGiPsK92s2MhNSY0craxjTdKTtqKsJaCWp4LW33ZZ0OPUv1WO/TFvNQRiQxQ==",
+      "dev": true,
+      "dependencies": {
+        "inherits": "2.0.1"
+      }
+    },
+    "node_modules/util-deprecate": {
+      "version": "1.0.2",
+      "resolved": "https://registry.npmjs.org/util-deprecate/-/util-deprecate-1.0.2.tgz",
+      "integrity": "sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==",
+      "dev": true
+    },
+    "node_modules/util/node_modules/inherits": {
+      "version": "2.0.1",
+      "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.1.tgz",
+      "integrity": "sha512-8nWq2nLTAwd02jTqJExUYFSD/fKq6VH9Y/oG2accc/kdI0V98Bag8d5a4gi3XHz73rDWa2PvTtvcWYquKqSENA==",
+      "dev": true
+    },
+    "node_modules/v8-compile-cache-lib": {
+      "version": "3.0.1",
+      "resolved": "https://registry.npmjs.org/v8-compile-cache-lib/-/v8-compile-cache-lib-3.0.1.tgz",
+      "integrity": "sha512-wa7YjyUGfNZngI/vtK0UHAN+lgDCxBPCylVXGp0zu59Fz5aiGtNXaq3DhIov063MorB+VfufLh3JlF2KdTK3xg==",
+      "dev": true
+    },
+    "node_modules/vscode-oniguruma": {
+      "version": "1.6.2",
+      "resolved": "https://registry.npmjs.org/vscode-oniguruma/-/vscode-oniguruma-1.6.2.tgz",
+      "integrity": "sha512-KH8+KKov5eS/9WhofZR8M8dMHWN2gTxjMsG4jd04YhpbPR91fUj7rYQ2/XjeHCJWbg7X++ApRIU9NUwM2vTvLA==",
+      "dev": true
+    },
+    "node_modules/vscode-textmate": {
+      "version": "6.0.0",
+      "resolved": "https://registry.npmjs.org/vscode-textmate/-/vscode-textmate-6.0.0.tgz",
+      "integrity": "sha512-gu73tuZfJgu+mvCSy4UZwd2JXykjK9zAZsfmDeut5dx/1a7FeTk0XwJsSuqQn+cuMCGVbIBfl+s53X4T19DnzQ==",
+      "dev": true
+    },
+    "node_modules/which": {
+      "version": "2.0.2",
+      "resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz",
+      "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==",
+      "dev": true,
+      "dependencies": {
+        "isexe": "^2.0.0"
+      },
+      "bin": {
+        "node-which": "bin/node-which"
+      },
+      "engines": {
+        "node": ">= 8"
+      }
+    },
+    "node_modules/word-wrap": {
+      "version": "1.2.3",
+      "resolved": "https://registry.npmjs.org/word-wrap/-/word-wrap-1.2.3.tgz",
+      "integrity": "sha512-Hz/mrNwitNRh/HUAtM/VT/5VH+ygD6DV7mYKZAtHOrbs8U7lvPS6xf7EJKMF0uW1KJCl0H701g3ZGus+muE5vQ==",
+      "dev": true,
+      "engines": {
+        "node": ">=0.10.0"
+      }
+    },
+    "node_modules/wrappy": {
+      "version": "1.0.2",
+      "resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz",
+      "integrity": "sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==",
+      "dev": true
+    },
+    "node_modules/ws": {
+      "version": "8.8.1",
+      "resolved": "https://registry.npmjs.org/ws/-/ws-8.8.1.tgz",
+      "integrity": "sha512-bGy2JzvzkPowEJV++hF07hAD6niYSr0JzBNo/J29WsB57A2r7Wlc1UFcTR9IzrPvuNVO4B8LGqF8qcpsVOhJCA==",
+      "engines": {
+        "node": ">=10.0.0"
+      },
+      "peerDependencies": {
+        "bufferutil": "^4.0.1",
+        "utf-8-validate": "^5.0.2"
+      },
+      "peerDependenciesMeta": {
+        "bufferutil": {
+          "optional": true
+        },
+        "utf-8-validate": {
+          "optional": true
+        }
+      }
+    },
+    "node_modules/yallist": {
+      "version": "4.0.0",
+      "resolved": "https://registry.npmjs.org/yallist/-/yallist-4.0.0.tgz",
+      "integrity": "sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==",
+      "dev": true
+    },
+    "node_modules/yn": {
+      "version": "3.1.1",
+      "resolved": "https://registry.npmjs.org/yn/-/yn-3.1.1.tgz",
+      "integrity": "sha512-Ux4ygGWsu2c7isFWe8Yu1YluJmqVhxqK2cLXNQA5AcC3QfbGNpM7fu0Y8b/z16pXLnFxZYvWhd3fhBY9DLmC6Q==",
+      "dev": true,
+      "engines": {
+        "node": ">=6"
+      }
+    },
+    "node_modules/yocto-queue": {
+      "version": "0.1.0",
+      "resolved": "https://registry.npmjs.org/yocto-queue/-/yocto-queue-0.1.0.tgz",
+      "integrity": "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==",
+      "dev": true,
+      "engines": {
+        "node": ">=10"
+      },
+      "funding": {
+        "url": "https://github.com/sponsors/sindresorhus"
+      }
+    }
+  },
+  "dependencies": {
+    "@babel/code-frame": {
+      "version": "7.18.6",
+      "resolved": "https://registry.npmjs.org/@babel/code-frame/-/code-frame-7.18.6.tgz",
+      "integrity": "sha512-TDCmlK5eOvH+eH7cdAFlNXeVJqWIQ7gW9tY1GJIpUtFb6CmjVyq2VM3u71bOyR8CRihcCgMUYoDNyLXao3+70Q==",
+      "dev": true,
+      "optional": true,
+      "requires": {
+        "@babel/highlight": "^7.18.6"
+      }
+    },
+    "@babel/helper-validator-identifier": {
+      "version": "7.18.6",
+      "resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.18.6.tgz",
+      "integrity": "sha512-MmetCkz9ej86nJQV+sFCxoGGrUbU3q02kgLciwkrt9QqEB7cP39oKEY0PakknEO0Gu20SskMRi+AYZ3b1TpN9g==",
+      "dev": true,
+      "optional": true
+    },
+    "@babel/highlight": {
+      "version": "7.18.6",
+      "resolved": "https://registry.npmjs.org/@babel/highlight/-/highlight-7.18.6.tgz",
+      "integrity": "sha512-u7stbOuYjaPezCuLj29hNW1v64M2Md2qupEKP1fHc7WdOA3DgLh37suiSrZYY7haUB7iBeQZ9P1uiRF359do3g==",
+      "dev": true,
+      "optional": true,
+      "requires": {
+        "@babel/helper-validator-identifier": "^7.18.6",
+        "chalk": "^2.0.0",
+        "js-tokens": "^4.0.0"
+      },
+      "dependencies": {
+        "ansi-styles": {
+          "version": "3.2.1",
+          "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-3.2.1.tgz",
+          "integrity": "sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==",
+          "dev": true,
+          "optional": true,
+          "requires": {
+            "color-convert": "^1.9.0"
+          }
+        },
+        "chalk": {
+          "version": "2.4.2",
+          "resolved": "https://registry.npmjs.org/chalk/-/chalk-2.4.2.tgz",
+          "integrity": "sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==",
+          "dev": true,
+          "optional": true,
+          "requires": {
+            "ansi-styles": "^3.2.1",
+            "escape-string-regexp": "^1.0.5",
+            "supports-color": "^5.3.0"
+          }
+        },
+        "color-convert": {
+          "version": "1.9.3",
+          "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-1.9.3.tgz",
+          "integrity": "sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==",
+          "dev": true,
+          "optional": true,
+          "requires": {
+            "color-name": "1.1.3"
+          }
+        },
+        "color-name": {
+          "version": "1.1.3",
+          "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.3.tgz",
+          "integrity": "sha512-72fSenhMw2HZMTVHeCA9KCmpEIbzWiQsjN+BHcBbS9vr1mtt+vJjPdksIBNUmKAW8TFUDPJK5SUU3QhE9NEXDw==",
+          "dev": true,
+          "optional": true
+        },
+        "escape-string-regexp": {
+          "version": "1.0.5",
+          "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz",
+          "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==",
+          "dev": true,
+          "optional": true
+        },
+        "has-flag": {
+          "version": "3.0.0",
+          "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-3.0.0.tgz",
+          "integrity": "sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw==",
+          "dev": true,
+          "optional": true
+        },
+        "supports-color": {
+          "version": "5.5.0",
+          "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-5.5.0.tgz",
+          "integrity": "sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==",
+          "dev": true,
+          "optional": true,
+          "requires": {
+            "has-flag": "^3.0.0"
+          }
+        }
+      }
+    },
+    "@cspotcode/source-map-support": {
+      "version": "0.8.1",
+      "resolved": "https://registry.npmjs.org/@cspotcode/source-map-support/-/source-map-support-0.8.1.tgz",
+      "integrity": "sha512-IchNf6dN4tHoMFIn/7OE8LWZ19Y6q/67Bmf6vnGREv8RSbBVb9LPJxEcnwrcwX6ixSvaiGoomAUvu4YSxXrVgw==",
+      "dev": true,
+      "requires": {
+        "@jridgewell/trace-mapping": "0.3.9"
+      }
+    },
+    "@discordjs/builders": {
+      "version": "1.2.0",
+      "resolved": "https://registry.npmjs.org/@discordjs/builders/-/builders-1.2.0.tgz",
+      "integrity": "sha512-ARy4BUTMU+S0ZI6605NDqfWO+qZqV2d/xfY32z3hVSsd9IaAKJBZ1ILTZLy87oIjW8+gUpQmk9Kt0ZP9bmmd8Q==",
+      "dev": true,
+      "requires": {
+        "@sapphire/shapeshift": "^3.5.1",
+        "discord-api-types": "^0.37.3",
+        "fast-deep-equal": "^3.1.3",
+        "ts-mixer": "^6.0.1",
+        "tslib": "^2.4.0"
+      }
+    },
+    "@discordjs/collection": {
+      "version": "1.1.0",
+      "resolved": "https://registry.npmjs.org/@discordjs/collection/-/collection-1.1.0.tgz",
+      "integrity": "sha512-PQ2Bv6pnT7aGPCKWbvvNRww5tYCGpggIQVgpuF9TdDPeR6n6vQYxezXiLVOS9z2B62Dp4c+qepQ15SgJbLYtCQ==",
+      "dev": true
+    },
+    "@discordjs/rest": {
+      "version": "1.1.0",
+      "resolved": "https://registry.npmjs.org/@discordjs/rest/-/rest-1.1.0.tgz",
+      "integrity": "sha512-yCrthRTQeUyNThQEpCk7bvQJlwQmz6kU0tf3dcWBv2WX3Bncl41x7Wc+v5b5OsIxfNYq38PvVtWircu9jtYZug==",
+      "dev": true,
+      "requires": {
+        "@discordjs/collection": "^1.0.1",
+        "@sapphire/async-queue": "^1.5.0",
+        "@sapphire/snowflake": "^3.2.2",
+        "discord-api-types": "^0.37.3",
+        "file-type": "^17.1.6",
+        "tslib": "^2.4.0",
+        "undici": "^5.9.1"
+      }
+    },
+    "@discordjs/ts-docgen": {
+      "version": "0.4.1",
+      "resolved": "https://registry.npmjs.org/@discordjs/ts-docgen/-/ts-docgen-0.4.1.tgz",
+      "integrity": "sha512-T+GMJaWvISrEi3Rjg2Tfn1EZeido+SEBv3+393uFLK71koJvwlexAwjzOc0yKz6uanK4mUQyCp35vOIvWsQ1IQ==",
+      "dev": true,
+      "requires": {
+        "js-yaml": "^4.1.0",
+        "typedoc": "^0.22.15"
+      },
+      "dependencies": {
+        "brace-expansion": {
+          "version": "2.0.1",
+          "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-2.0.1.tgz",
+          "integrity": "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==",
+          "dev": true,
+          "requires": {
+            "balanced-match": "^1.0.0"
+          }
+        },
+        "glob": {
+          "version": "8.0.3",
+          "resolved": "https://registry.npmjs.org/glob/-/glob-8.0.3.tgz",
+          "integrity": "sha512-ull455NHSHI/Y1FqGaaYFaLGkNMMJbavMrEGFXG/PGrg6y7sutWHUHrz6gy6WEBH6akM1M414dWKCNs+IhKdiQ==",
+          "dev": true,
+          "requires": {
+            "fs.realpath": "^1.0.0",
+            "inflight": "^1.0.4",
+            "inherits": "2",
+            "minimatch": "^5.0.1",
+            "once": "^1.3.0"
+          }
+        },
+        "minimatch": {
+          "version": "5.1.0",
+          "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-5.1.0.tgz",
+          "integrity": "sha512-9TPBGGak4nHfGZsPBohm9AWg6NoT7QTCehS3BIJABslyZbzxfV78QM2Y6+i741OPZIafFAaiiEMh5OyIrJPgtg==",
+          "dev": true,
+          "requires": {
+            "brace-expansion": "^2.0.1"
+          }
+        },
+        "shiki": {
+          "version": "0.10.1",
+          "resolved": "https://registry.npmjs.org/shiki/-/shiki-0.10.1.tgz",
+          "integrity": "sha512-VsY7QJVzU51j5o1+DguUd+6vmCmZ5v/6gYu4vyYAhzjuNQU6P/vmSy4uQaOhvje031qQMiW0d2BwgMH52vqMng==",
+          "dev": true,
+          "requires": {
+            "jsonc-parser": "^3.0.0",
+            "vscode-oniguruma": "^1.6.1",
+            "vscode-textmate": "5.2.0"
+          }
+        },
+        "typedoc": {
+          "version": "0.22.18",
+          "resolved": "https://registry.npmjs.org/typedoc/-/typedoc-0.22.18.tgz",
+          "integrity": "sha512-NK9RlLhRUGMvc6Rw5USEYgT4DVAUFk7IF7Q6MYfpJ88KnTZP7EneEa4RcP+tX1auAcz7QT1Iy0bUSZBYYHdoyA==",
+          "dev": true,
+          "requires": {
+            "glob": "^8.0.3",
+            "lunr": "^2.3.9",
+            "marked": "^4.0.16",
+            "minimatch": "^5.1.0",
+            "shiki": "^0.10.1"
+          }
+        },
+        "vscode-textmate": {
+          "version": "5.2.0",
+          "resolved": "https://registry.npmjs.org/vscode-textmate/-/vscode-textmate-5.2.0.tgz",
+          "integrity": "sha512-Uw5ooOQxRASHgu6C7GVvUxisKXfSgW4oFlO+aa+PAkgmH89O3CXxEEzNRNtHSqtXFTl0nAC1uYj0GMSH27uwtQ==",
+          "dev": true
+        }
+      }
+    },
+    "@discordjs/voice": {
+      "version": "0.11.0",
+      "resolved": "https://registry.npmjs.org/@discordjs/voice/-/voice-0.11.0.tgz",
+      "integrity": "sha512-6+9cj1dxzBJm7WJ9qyG2XZZQ8rcLl6x2caW0C0OxuTtMLAaEDntpb6lqMTFiBg/rDc4Rd59g1w0gJmib33CuHw==",
+      "requires": {
+        "@types/ws": "^8.5.3",
+        "discord-api-types": "^0.36.2",
+        "prism-media": "^1.3.4",
+        "tslib": "^2.4.0",
+        "ws": "^8.8.1"
+      },
+      "dependencies": {
+        "discord-api-types": {
+          "version": "0.36.3",
+          "resolved": "https://registry.npmjs.org/discord-api-types/-/discord-api-types-0.36.3.tgz",
+          "integrity": "sha512-bz/NDyG0KBo/tY14vSkrwQ/n3HKPf87a0WFW/1M9+tXYK+vp5Z5EksawfCWo2zkAc6o7CClc0eff1Pjrqznlwg=="
+        }
+      }
+    },
+    "@eslint/eslintrc": {
+      "version": "1.3.1",
+      "resolved": "https://registry.npmjs.org/@eslint/eslintrc/-/eslintrc-1.3.1.tgz",
+      "integrity": "sha512-OhSY22oQQdw3zgPOOwdoj01l/Dzl1Z+xyUP33tkSN+aqyEhymJCcPHyXt+ylW8FSe0TfRC2VG+ROQOapD0aZSQ==",
+      "dev": true,
+      "requires": {
+        "ajv": "^6.12.4",
+        "debug": "^4.3.2",
+        "espree": "^9.4.0",
+        "globals": "^13.15.0",
+        "ignore": "^5.2.0",
+        "import-fresh": "^3.2.1",
+        "js-yaml": "^4.1.0",
+        "minimatch": "^3.1.2",
+        "strip-json-comments": "^3.1.1"
+      }
+    },
+    "@favware/rollup-type-bundler": {
+      "version": "1.0.11",
+      "resolved": "https://registry.npmjs.org/@favware/rollup-type-bundler/-/rollup-type-bundler-1.0.11.tgz",
+      "integrity": "sha512-QhP2vLE2j1yR1iWz+ltyR3sEFHsXmgTq0X4lsBM6KEibLbfVFPGrP77kNPo3ZLzkmVprFrZOFLRLbqhQiGs0+Q==",
+      "dev": true,
+      "requires": {
+        "@sapphire/utilities": "^3.9.2",
+        "colorette": "^2.0.19",
+        "commander": "^9.4.0",
+        "js-yaml": "^4.1.0",
+        "rollup": "^2.78.1",
+        "rollup-plugin-dts": "^4.2.2",
+        "typescript": "^4.7.4"
+      }
+    },
+    "@humanwhocodes/config-array": {
+      "version": "0.10.4",
+      "resolved": "https://registry.npmjs.org/@humanwhocodes/config-array/-/config-array-0.10.4.tgz",
+      "integrity": "sha512-mXAIHxZT3Vcpg83opl1wGlVZ9xydbfZO3r5YfRSH6Gpp2J/PfdBP0wbDa2sO6/qRbcalpoevVyW6A/fI6LfeMw==",
+      "dev": true,
+      "requires": {
+        "@humanwhocodes/object-schema": "^1.2.1",
+        "debug": "^4.1.1",
+        "minimatch": "^3.0.4"
+      }
+    },
+    "@humanwhocodes/gitignore-to-minimatch": {
+      "version": "1.0.2",
+      "resolved": "https://registry.npmjs.org/@humanwhocodes/gitignore-to-minimatch/-/gitignore-to-minimatch-1.0.2.tgz",
+      "integrity": "sha512-rSqmMJDdLFUsyxR6FMtD00nfQKKLFb1kv+qBbOVKqErvloEIJLo5bDTJTQNTYgeyp78JsA7u/NPi5jT1GR/MuA==",
+      "dev": true
+    },
+    "@humanwhocodes/module-importer": {
+      "version": "1.0.1",
+      "resolved": "https://registry.npmjs.org/@humanwhocodes/module-importer/-/module-importer-1.0.1.tgz",
+      "integrity": "sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==",
+      "dev": true
+    },
+    "@humanwhocodes/object-schema": {
+      "version": "1.2.1",
+      "resolved": "https://registry.npmjs.org/@humanwhocodes/object-schema/-/object-schema-1.2.1.tgz",
+      "integrity": "sha512-ZnQMnLV4e7hDlUvw8H+U8ASL02SS2Gn6+9Ac3wGGLIe7+je2AeAOxPY+izIPJDfFDb7eDjev0Us8MO1iFRN8hA==",
+      "dev": true
+    },
+    "@jridgewell/resolve-uri": {
+      "version": "3.1.0",
+      "resolved": "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.1.0.tgz",
+      "integrity": "sha512-F2msla3tad+Mfht5cJq7LSXcdudKTWCVYUgw6pLFOOHSTtZlj6SWNYAp+AhuqLmWdBO2X5hPrLcu8cVP8fy28w==",
+      "dev": true
+    },
+    "@jridgewell/sourcemap-codec": {
+      "version": "1.4.14",
+      "resolved": "https://registry.npmjs.org/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.14.tgz",
+      "integrity": "sha512-XPSJHWmi394fuUuzDnGz1wiKqWfo1yXecHQMRf2l6hztTO+nPru658AyDngaBe7isIxEkRsPR3FZh+s7iVa4Uw==",
+      "dev": true
+    },
+    "@jridgewell/trace-mapping": {
+      "version": "0.3.9",
+      "resolved": "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.9.tgz",
+      "integrity": "sha512-3Belt6tdc8bPgAtbcmdtNJlirVoTmEb5e2gC94PnkwEW9jI6CAHUeoG85tjWP5WquqfavoMtMwiG4P926ZKKuQ==",
+      "dev": true,
+      "requires": {
+        "@jridgewell/resolve-uri": "^3.0.3",
+        "@jridgewell/sourcemap-codec": "^1.4.10"
+      }
+    },
+    "@nodelib/fs.scandir": {
+      "version": "2.1.5",
+      "resolved": "https://registry.npmjs.org/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz",
+      "integrity": "sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==",
+      "dev": true,
+      "requires": {
+        "@nodelib/fs.stat": "2.0.5",
+        "run-parallel": "^1.1.9"
+      }
+    },
+    "@nodelib/fs.stat": {
+      "version": "2.0.5",
+      "resolved": "https://registry.npmjs.org/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz",
+      "integrity": "sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==",
+      "dev": true
+    },
+    "@nodelib/fs.walk": {
+      "version": "1.2.8",
+      "resolved": "https://registry.npmjs.org/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz",
+      "integrity": "sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==",
+      "dev": true,
+      "requires": {
+        "@nodelib/fs.scandir": "2.1.5",
+        "fastq": "^1.6.0"
+      }
+    },
+    "@sapphire/async-queue": {
+      "version": "1.5.0",
+      "resolved": "https://registry.npmjs.org/@sapphire/async-queue/-/async-queue-1.5.0.tgz",
+      "integrity": "sha512-JkLdIsP8fPAdh9ZZjrbHWR/+mZj0wvKS5ICibcLrRI1j84UmLMshx5n9QmL8b95d4onJ2xxiyugTgSAX7AalmA==",
+      "dev": true
+    },
+    "@sapphire/shapeshift": {
+      "version": "3.6.0",
+      "resolved": "https://registry.npmjs.org/@sapphire/shapeshift/-/shapeshift-3.6.0.tgz",
+      "integrity": "sha512-tu2WLRdo5wotHRvsCkspg3qMiP6ETC3Q1dns1Q5V6zKUki+1itq6AbhMwohF9ZcLoYqg+Y8LkgRRtVxxTQVTBQ==",
+      "dev": true,
+      "requires": {
+        "fast-deep-equal": "^3.1.3",
+        "lodash.uniqwith": "^4.5.0"
+      }
+    },
+    "@sapphire/snowflake": {
+      "version": "3.2.2",
+      "resolved": "https://registry.npmjs.org/@sapphire/snowflake/-/snowflake-3.2.2.tgz",
+      "integrity": "sha512-ula2O0kpSZtX9rKXNeQMrHwNd7E4jPDJYUXmEGTFdMRfyfMw+FPyh04oKMjAiDuOi64bYgVkOV3MjK+loImFhQ==",
+      "dev": true
+    },
+    "@sapphire/utilities": {
+      "version": "3.9.3",
+      "resolved": "https://registry.npmjs.org/@sapphire/utilities/-/utilities-3.9.3.tgz",
+      "integrity": "sha512-7+ZjfbmRHqewmH32jpZfzrEuHpvTttTG7WjDl1GUtc4pkOMr0kYybrZmIEZYsUvF7PWzO0GrmOK2zWs3GuJo7g==",
+      "dev": true
+    },
+    "@tokenizer/token": {
+      "version": "0.3.0",
+      "resolved": "https://registry.npmjs.org/@tokenizer/token/-/token-0.3.0.tgz",
+      "integrity": "sha512-OvjF+z51L3ov0OyAU0duzsYuvO01PH7x4t6DJx+guahgTnBHkhJdG7soQeTSFLWN3efnHyibZ4Z8l2EuWwJN3A==",
+      "dev": true
+    },
+    "@tsconfig/node10": {
+      "version": "1.0.9",
+      "resolved": "https://registry.npmjs.org/@tsconfig/node10/-/node10-1.0.9.tgz",
+      "integrity": "sha512-jNsYVVxU8v5g43Erja32laIDHXeoNvFEpX33OK4d6hljo3jDhCBDhx5dhCCTMWUojscpAagGiRkBKxpdl9fxqA==",
+      "dev": true
+    },
+    "@tsconfig/node12": {
+      "version": "1.0.11",
+      "resolved": "https://registry.npmjs.org/@tsconfig/node12/-/node12-1.0.11.tgz",
+      "integrity": "sha512-cqefuRsh12pWyGsIoBKJA9luFu3mRxCA+ORZvA4ktLSzIuCUtWVxGIuXigEwO5/ywWFMZ2QEGKWvkZG1zDMTag==",
+      "dev": true
+    },
+    "@tsconfig/node14": {
+      "version": "1.0.3",
+      "resolved": "https://registry.npmjs.org/@tsconfig/node14/-/node14-1.0.3.tgz",
+      "integrity": "sha512-ysT8mhdixWK6Hw3i1V2AeRqZ5WfXg1G43mqoYlM2nc6388Fq5jcXyr5mRsqViLx/GJYdoL0bfXD8nmF+Zn/Iow==",
+      "dev": true
+    },
+    "@tsconfig/node16": {
+      "version": "1.0.3",
+      "resolved": "https://registry.npmjs.org/@tsconfig/node16/-/node16-1.0.3.tgz",
+      "integrity": "sha512-yOlFc+7UtL/89t2ZhjPvvB/DeAr3r+Dq58IgzsFkOAvVC6NMJXmCGjbptdXdR9qsX7pKcTL+s87FtYREi2dEEQ==",
+      "dev": true
+    },
+    "@types/json-schema": {
+      "version": "7.0.11",
+      "resolved": "https://registry.npmjs.org/@types/json-schema/-/json-schema-7.0.11.tgz",
+      "integrity": "sha512-wOuvG1SN4Us4rez+tylwwwCV1psiNVOkJeM3AUWUNWg/jDQY2+HE/444y5gc+jBmRqASOm2Oeh5c1axHobwRKQ==",
+      "dev": true
+    },
+    "@types/node": {
+      "version": "18.7.16",
+      "resolved": "https://registry.npmjs.org/@types/node/-/node-18.7.16.tgz",
+      "integrity": "sha512-EQHhixfu+mkqHMZl1R2Ovuvn47PUw18azMJOTwSZr9/fhzHNGXAJ0ma0dayRVchprpCj0Kc1K1xKoWaATWF1qg=="
+    },
+    "@types/ws": {
+      "version": "8.5.3",
+      "resolved": "https://registry.npmjs.org/@types/ws/-/ws-8.5.3.tgz",
+      "integrity": "sha512-6YOoWjruKj1uLf3INHH7D3qTXwFfEsg1kf3c0uDdSBJwfa/llkwIjrAGV7j7mVgGNbzTQ3HiHKKDXl6bJPD97w==",
+      "requires": {
+        "@types/node": "*"
+      }
+    },
+    "@typescript-eslint/eslint-plugin": {
+      "version": "5.36.2",
+      "resolved": "https://registry.npmjs.org/@typescript-eslint/eslint-plugin/-/eslint-plugin-5.36.2.tgz",
+      "integrity": "sha512-OwwR8LRwSnI98tdc2z7mJYgY60gf7I9ZfGjN5EjCwwns9bdTuQfAXcsjSB2wSQ/TVNYSGKf4kzVXbNGaZvwiXw==",
+      "dev": true,
+      "requires": {
+        "@typescript-eslint/scope-manager": "5.36.2",
+        "@typescript-eslint/type-utils": "5.36.2",
+        "@typescript-eslint/utils": "5.36.2",
+        "debug": "^4.3.4",
+        "functional-red-black-tree": "^1.0.1",
+        "ignore": "^5.2.0",
+        "regexpp": "^3.2.0",
+        "semver": "^7.3.7",
+        "tsutils": "^3.21.0"
+      }
+    },
+    "@typescript-eslint/parser": {
+      "version": "5.36.2",
+      "resolved": "https://registry.npmjs.org/@typescript-eslint/parser/-/parser-5.36.2.tgz",
+      "integrity": "sha512-qS/Kb0yzy8sR0idFspI9Z6+t7mqk/oRjnAYfewG+VN73opAUvmYL3oPIMmgOX6CnQS6gmVIXGshlb5RY/R22pA==",
+      "dev": true,
+      "requires": {
+        "@typescript-eslint/scope-manager": "5.36.2",
+        "@typescript-eslint/types": "5.36.2",
+        "@typescript-eslint/typescript-estree": "5.36.2",
+        "debug": "^4.3.4"
+      }
+    },
+    "@typescript-eslint/scope-manager": {
+      "version": "5.36.2",
+      "resolved": "https://registry.npmjs.org/@typescript-eslint/scope-manager/-/scope-manager-5.36.2.tgz",
+      "integrity": "sha512-cNNP51L8SkIFSfce8B1NSUBTJTu2Ts4nWeWbFrdaqjmn9yKrAaJUBHkyTZc0cL06OFHpb+JZq5AUHROS398Orw==",
+      "dev": true,
+      "requires": {
+        "@typescript-eslint/types": "5.36.2",
+        "@typescript-eslint/visitor-keys": "5.36.2"
+      }
+    },
+    "@typescript-eslint/type-utils": {
+      "version": "5.36.2",
+      "resolved": "https://registry.npmjs.org/@typescript-eslint/type-utils/-/type-utils-5.36.2.tgz",
+      "integrity": "sha512-rPQtS5rfijUWLouhy6UmyNquKDPhQjKsaKH0WnY6hl/07lasj8gPaH2UD8xWkePn6SC+jW2i9c2DZVDnL+Dokw==",
+      "dev": true,
+      "requires": {
+        "@typescript-eslint/typescript-estree": "5.36.2",
+        "@typescript-eslint/utils": "5.36.2",
+        "debug": "^4.3.4",
+        "tsutils": "^3.21.0"
+      }
+    },
+    "@typescript-eslint/types": {
+      "version": "5.36.2",
+      "resolved": "https://registry.npmjs.org/@typescript-eslint/types/-/types-5.36.2.tgz",
+      "integrity": "sha512-9OJSvvwuF1L5eS2EQgFUbECb99F0mwq501w0H0EkYULkhFa19Qq7WFbycdw1PexAc929asupbZcgjVIe6OK/XQ==",
+      "dev": true
+    },
+    "@typescript-eslint/typescript-estree": {
+      "version": "5.36.2",
+      "resolved": "https://registry.npmjs.org/@typescript-eslint/typescript-estree/-/typescript-estree-5.36.2.tgz",
+      "integrity": "sha512-8fyH+RfbKc0mTspfuEjlfqA4YywcwQK2Amcf6TDOwaRLg7Vwdu4bZzyvBZp4bjt1RRjQ5MDnOZahxMrt2l5v9w==",
+      "dev": true,
+      "requires": {
+        "@typescript-eslint/types": "5.36.2",
+        "@typescript-eslint/visitor-keys": "5.36.2",
+        "debug": "^4.3.4",
+        "globby": "^11.1.0",
+        "is-glob": "^4.0.3",
+        "semver": "^7.3.7",
+        "tsutils": "^3.21.0"
+      }
+    },
+    "@typescript-eslint/utils": {
+      "version": "5.36.2",
+      "resolved": "https://registry.npmjs.org/@typescript-eslint/utils/-/utils-5.36.2.tgz",
+      "integrity": "sha512-uNcopWonEITX96v9pefk9DC1bWMdkweeSsewJ6GeC7L6j2t0SJywisgkr9wUTtXk90fi2Eljj90HSHm3OGdGRg==",
+      "dev": true,
+      "requires": {
+        "@types/json-schema": "^7.0.9",
+        "@typescript-eslint/scope-manager": "5.36.2",
+        "@typescript-eslint/types": "5.36.2",
+        "@typescript-eslint/typescript-estree": "5.36.2",
+        "eslint-scope": "^5.1.1",
+        "eslint-utils": "^3.0.0"
+      }
+    },
+    "@typescript-eslint/visitor-keys": {
+      "version": "5.36.2",
+      "resolved": "https://registry.npmjs.org/@typescript-eslint/visitor-keys/-/visitor-keys-5.36.2.tgz",
+      "integrity": "sha512-BtRvSR6dEdrNt7Net2/XDjbYKU5Ml6GqJgVfXT0CxTCJlnIqK7rAGreuWKMT2t8cFUT2Msv5oxw0GMRD7T5J7A==",
+      "dev": true,
+      "requires": {
+        "@typescript-eslint/types": "5.36.2",
+        "eslint-visitor-keys": "^3.3.0"
+      }
+    },
+    "acorn": {
+      "version": "8.8.0",
+      "resolved": "https://registry.npmjs.org/acorn/-/acorn-8.8.0.tgz",
+      "integrity": "sha512-QOxyigPVrpZ2GXT+PFyZTl6TtOFc5egxHIP9IlQ+RbupQuX4RkT/Bee4/kQuC02Xkzg84JcT7oLYtDIQxp+v7w==",
+      "dev": true
+    },
+    "acorn-jsx": {
+      "version": "5.3.2",
+      "resolved": "https://registry.npmjs.org/acorn-jsx/-/acorn-jsx-5.3.2.tgz",
+      "integrity": "sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==",
+      "dev": true,
+      "requires": {}
+    },
+    "acorn-walk": {
+      "version": "8.2.0",
+      "resolved": "https://registry.npmjs.org/acorn-walk/-/acorn-walk-8.2.0.tgz",
+      "integrity": "sha512-k+iyHEuPgSw6SbuDpGQM+06HQUa04DZ3o+F6CSzXMvvI5KMvnaEqXe+YVe555R9nn6GPt404fos4wcgpw12SDA==",
+      "dev": true
+    },
+    "ajv": {
+      "version": "6.12.6",
+      "resolved": "https://registry.npmjs.org/ajv/-/ajv-6.12.6.tgz",
+      "integrity": "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==",
+      "dev": true,
+      "requires": {
+        "fast-deep-equal": "^3.1.1",
+        "fast-json-stable-stringify": "^2.0.0",
+        "json-schema-traverse": "^0.4.1",
+        "uri-js": "^4.2.2"
+      }
+    },
+    "ansi-regex": {
+      "version": "5.0.1",
+      "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz",
+      "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==",
+      "dev": true
+    },
+    "ansi-styles": {
+      "version": "4.3.0",
+      "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz",
+      "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==",
+      "dev": true,
+      "requires": {
+        "color-convert": "^2.0.1"
+      }
+    },
+    "arg": {
+      "version": "4.1.3",
+      "resolved": "https://registry.npmjs.org/arg/-/arg-4.1.3.tgz",
+      "integrity": "sha512-58S9QDqG0Xx27YwPSt9fJxivjYl432YCwfDMfZ+71RAqUrZef7LrKQZ3LHLOwCS4FLNBplP533Zx895SeOCHvA==",
+      "dev": true
+    },
+    "argparse": {
+      "version": "2.0.1",
+      "resolved": "https://registry.npmjs.org/argparse/-/argparse-2.0.1.tgz",
+      "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==",
+      "dev": true
+    },
+    "array-union": {
+      "version": "2.1.0",
+      "resolved": "https://registry.npmjs.org/array-union/-/array-union-2.1.0.tgz",
+      "integrity": "sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw==",
+      "dev": true
+    },
+    "assert": {
+      "version": "1.5.0",
+      "resolved": "https://registry.npmjs.org/assert/-/assert-1.5.0.tgz",
+      "integrity": "sha512-EDsgawzwoun2CZkCgtxJbv392v4nbk9XDD06zI+kQYoBM/3RBWLlEyJARDOmhAAosBjWACEkKL6S+lIZtcAubA==",
+      "dev": true,
+      "requires": {
+        "object-assign": "^4.1.1",
+        "util": "0.10.3"
+      }
+    },
+    "balanced-match": {
+      "version": "1.0.2",
+      "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz",
+      "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==",
+      "dev": true
+    },
+    "brace-expansion": {
+      "version": "1.1.11",
+      "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz",
+      "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==",
+      "dev": true,
+      "requires": {
+        "balanced-match": "^1.0.0",
+        "concat-map": "0.0.1"
+      }
+    },
+    "braces": {
+      "version": "3.0.2",
+      "resolved": "https://registry.npmjs.org/braces/-/braces-3.0.2.tgz",
+      "integrity": "sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==",
+      "dev": true,
+      "requires": {
+        "fill-range": "^7.0.1"
+      }
+    },
+    "callsites": {
+      "version": "3.1.0",
+      "resolved": "https://registry.npmjs.org/callsites/-/callsites-3.1.0.tgz",
+      "integrity": "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==",
+      "dev": true
+    },
+    "chalk": {
+      "version": "4.1.2",
+      "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.2.tgz",
+      "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==",
+      "dev": true,
+      "requires": {
+        "ansi-styles": "^4.1.0",
+        "supports-color": "^7.1.0"
+      }
+    },
+    "color-convert": {
+      "version": "2.0.1",
+      "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz",
+      "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==",
+      "dev": true,
+      "requires": {
+        "color-name": "~1.1.4"
+      }
+    },
+    "color-name": {
+      "version": "1.1.4",
+      "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz",
+      "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==",
+      "dev": true
+    },
+    "colorette": {
+      "version": "2.0.19",
+      "resolved": "https://registry.npmjs.org/colorette/-/colorette-2.0.19.tgz",
+      "integrity": "sha512-3tlv/dIP7FWvj3BsbHrGLJ6l/oKh1O3TcgBqMn+yyCagOxc23fyzDS6HypQbgxWbkpDnf52p1LuR4eWDQ/K9WQ==",
+      "dev": true
+    },
+    "commander": {
+      "version": "9.4.0",
+      "resolved": "https://registry.npmjs.org/commander/-/commander-9.4.0.tgz",
+      "integrity": "sha512-sRPT+umqkz90UA8M1yqYfnHlZA7fF6nSphDtxeywPZ49ysjxDQybzk13CL+mXekDRG92skbcqCLVovuCusNmFw==",
+      "dev": true
+    },
+    "concat-map": {
+      "version": "0.0.1",
+      "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz",
+      "integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==",
+      "dev": true
+    },
+    "create-require": {
+      "version": "1.1.1",
+      "resolved": "https://registry.npmjs.org/create-require/-/create-require-1.1.1.tgz",
+      "integrity": "sha512-dcKFX3jn0MpIaXjisoRvexIJVEKzaq7z2rZKxf+MSr9TkdmHmsU4m2lcLojrj/FHl8mk5VxMmYA+ftRkP/3oKQ==",
+      "dev": true
+    },
+    "cross-spawn": {
+      "version": "7.0.3",
+      "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.3.tgz",
+      "integrity": "sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==",
+      "dev": true,
+      "requires": {
+        "path-key": "^3.1.0",
+        "shebang-command": "^2.0.0",
+        "which": "^2.0.1"
+      }
+    },
+    "debug": {
+      "version": "4.3.4",
+      "resolved": "https://registry.npmjs.org/debug/-/debug-4.3.4.tgz",
+      "integrity": "sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==",
+      "dev": true,
+      "requires": {
+        "ms": "2.1.2"
+      }
+    },
+    "deep-is": {
+      "version": "0.1.4",
+      "resolved": "https://registry.npmjs.org/deep-is/-/deep-is-0.1.4.tgz",
+      "integrity": "sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==",
+      "dev": true
+    },
+    "diff": {
+      "version": "4.0.2",
+      "resolved": "https://registry.npmjs.org/diff/-/diff-4.0.2.tgz",
+      "integrity": "sha512-58lmxKSA4BNyLz+HHMUzlOEpg09FV+ev6ZMe3vJihgdxzgcwZ8VoEEPmALCZG9LmqfVoNMMKpttIYTVG6uDY7A==",
+      "dev": true
+    },
+    "dir-glob": {
+      "version": "3.0.1",
+      "resolved": "https://registry.npmjs.org/dir-glob/-/dir-glob-3.0.1.tgz",
+      "integrity": "sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA==",
+      "dev": true,
+      "requires": {
+        "path-type": "^4.0.0"
+      }
+    },
+    "discord-api-types": {
+      "version": "0.37.8",
+      "resolved": "https://registry.npmjs.org/discord-api-types/-/discord-api-types-0.37.8.tgz",
+      "integrity": "sha512-uhol9KQ2moExZItMpuDMkf0R7sqqNHqcJBFN7S5iSdXBVCMRO7sC0GoyuRrv6ZDBYxoFU6nDy4dv0nld/aysqA==",
+      "dev": true
+    },
+    "discord.js": {
+      "version": "14.3.0",
+      "resolved": "https://registry.npmjs.org/discord.js/-/discord.js-14.3.0.tgz",
+      "integrity": "sha512-CpIwoAAuELiHSgVKRMzsCADS6ZlJwAZ9RlvcJYdEgS00aW36dSvXyBgE+S3pigkc7G+jU6BEalMUWIJFveqrBQ==",
+      "dev": true,
+      "requires": {
+        "@discordjs/builders": "^1.2.0",
+        "@discordjs/collection": "^1.1.0",
+        "@discordjs/rest": "^1.1.0",
+        "@sapphire/snowflake": "^3.2.2",
+        "@types/ws": "^8.5.3",
+        "discord-api-types": "^0.37.3",
+        "fast-deep-equal": "^3.1.3",
+        "lodash.snakecase": "^4.1.1",
+        "tslib": "^2.4.0",
+        "undici": "^5.9.1",
+        "ws": "^8.8.1"
+      }
+    },
+    "doctrine": {
+      "version": "3.0.0",
+      "resolved": "https://registry.npmjs.org/doctrine/-/doctrine-3.0.0.tgz",
+      "integrity": "sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==",
+      "dev": true,
+      "requires": {
+        "esutils": "^2.0.2"
+      }
+    },
+    "escape-string-regexp": {
+      "version": "4.0.0",
+      "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz",
+      "integrity": "sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==",
+      "dev": true
+    },
+    "eslint": {
+      "version": "8.23.0",
+      "resolved": "https://registry.npmjs.org/eslint/-/eslint-8.23.0.tgz",
+      "integrity": "sha512-pBG/XOn0MsJcKcTRLr27S5HpzQo4kLr+HjLQIyK4EiCsijDl/TB+h5uEuJU6bQ8Edvwz1XWOjpaP2qgnXGpTcA==",
+      "dev": true,
+      "requires": {
+        "@eslint/eslintrc": "^1.3.1",
+        "@humanwhocodes/config-array": "^0.10.4",
+        "@humanwhocodes/gitignore-to-minimatch": "^1.0.2",
+        "@humanwhocodes/module-importer": "^1.0.1",
+        "ajv": "^6.10.0",
+        "chalk": "^4.0.0",
+        "cross-spawn": "^7.0.2",
+        "debug": "^4.3.2",
+        "doctrine": "^3.0.0",
+        "escape-string-regexp": "^4.0.0",
+        "eslint-scope": "^7.1.1",
+        "eslint-utils": "^3.0.0",
+        "eslint-visitor-keys": "^3.3.0",
+        "espree": "^9.4.0",
+        "esquery": "^1.4.0",
+        "esutils": "^2.0.2",
+        "fast-deep-equal": "^3.1.3",
+        "file-entry-cache": "^6.0.1",
+        "find-up": "^5.0.0",
+        "functional-red-black-tree": "^1.0.1",
+        "glob-parent": "^6.0.1",
+        "globals": "^13.15.0",
+        "globby": "^11.1.0",
+        "grapheme-splitter": "^1.0.4",
+        "ignore": "^5.2.0",
+        "import-fresh": "^3.0.0",
+        "imurmurhash": "^0.1.4",
+        "is-glob": "^4.0.0",
+        "js-yaml": "^4.1.0",
+        "json-stable-stringify-without-jsonify": "^1.0.1",
+        "levn": "^0.4.1",
+        "lodash.merge": "^4.6.2",
+        "minimatch": "^3.1.2",
+        "natural-compare": "^1.4.0",
+        "optionator": "^0.9.1",
+        "regexpp": "^3.2.0",
+        "strip-ansi": "^6.0.1",
+        "strip-json-comments": "^3.1.0",
+        "text-table": "^0.2.0"
+      },
+      "dependencies": {
+        "eslint-scope": {
+          "version": "7.1.1",
+          "resolved": "https://registry.npmjs.org/eslint-scope/-/eslint-scope-7.1.1.tgz",
+          "integrity": "sha512-QKQM/UXpIiHcLqJ5AOyIW7XZmzjkzQXYE54n1++wb0u9V/abW3l9uQnxX8Z5Xd18xyKIMTUAyQ0k1e8pz6LUrw==",
+          "dev": true,
+          "requires": {
+            "esrecurse": "^4.3.0",
+            "estraverse": "^5.2.0"
+          }
+        },
+        "estraverse": {
+          "version": "5.3.0",
+          "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz",
+          "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==",
+          "dev": true
+        }
+      }
+    },
+    "eslint-scope": {
+      "version": "5.1.1",
+      "resolved": "https://registry.npmjs.org/eslint-scope/-/eslint-scope-5.1.1.tgz",
+      "integrity": "sha512-2NxwbF/hZ0KpepYN0cNbo+FN6XoK7GaHlQhgx/hIZl6Va0bF45RQOOwhLIy8lQDbuCiadSLCBnH2CFYquit5bw==",
+      "dev": true,
+      "requires": {
+        "esrecurse": "^4.3.0",
+        "estraverse": "^4.1.1"
+      }
+    },
+    "eslint-utils": {
+      "version": "3.0.0",
+      "resolved": "https://registry.npmjs.org/eslint-utils/-/eslint-utils-3.0.0.tgz",
+      "integrity": "sha512-uuQC43IGctw68pJA1RgbQS8/NP7rch6Cwd4j3ZBtgo4/8Flj4eGE7ZYSZRN3iq5pVUv6GPdW5Z1RFleo84uLDA==",
+      "dev": true,
+      "requires": {
+        "eslint-visitor-keys": "^2.0.0"
+      },
+      "dependencies": {
+        "eslint-visitor-keys": {
+          "version": "2.1.0",
+          "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-2.1.0.tgz",
+          "integrity": "sha512-0rSmRBzXgDzIsD6mGdJgevzgezI534Cer5L/vyMX0kHzT/jiB43jRhd9YUlMGYLQy2zprNmoT8qasCGtY+QaKw==",
+          "dev": true
+        }
+      }
+    },
+    "eslint-visitor-keys": {
+      "version": "3.3.0",
+      "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-3.3.0.tgz",
+      "integrity": "sha512-mQ+suqKJVyeuwGYHAdjMFqjCyfl8+Ldnxuyp3ldiMBFKkvytrXUZWaiPCEav8qDHKty44bD+qV1IP4T+w+xXRA==",
+      "dev": true
+    },
+    "espree": {
+      "version": "9.4.0",
+      "resolved": "https://registry.npmjs.org/espree/-/espree-9.4.0.tgz",
+      "integrity": "sha512-DQmnRpLj7f6TgN/NYb0MTzJXL+vJF9h3pHy4JhCIs3zwcgez8xmGg3sXHcEO97BrmO2OSvCwMdfdlyl+E9KjOw==",
+      "dev": true,
+      "requires": {
+        "acorn": "^8.8.0",
+        "acorn-jsx": "^5.3.2",
+        "eslint-visitor-keys": "^3.3.0"
+      }
+    },
+    "esquery": {
+      "version": "1.4.0",
+      "resolved": "https://registry.npmjs.org/esquery/-/esquery-1.4.0.tgz",
+      "integrity": "sha512-cCDispWt5vHHtwMY2YrAQ4ibFkAL8RbH5YGBnZBc90MolvvfkkQcJro/aZiAQUlQ3qgrYS6D6v8Gc5G5CQsc9w==",
+      "dev": true,
+      "requires": {
+        "estraverse": "^5.1.0"
+      },
+      "dependencies": {
+        "estraverse": {
+          "version": "5.3.0",
+          "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz",
+          "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==",
+          "dev": true
+        }
+      }
+    },
+    "esrecurse": {
+      "version": "4.3.0",
+      "resolved": "https://registry.npmjs.org/esrecurse/-/esrecurse-4.3.0.tgz",
+      "integrity": "sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==",
+      "dev": true,
+      "requires": {
+        "estraverse": "^5.2.0"
+      },
+      "dependencies": {
+        "estraverse": {
+          "version": "5.3.0",
+          "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz",
+          "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==",
+          "dev": true
+        }
+      }
+    },
+    "estraverse": {
+      "version": "4.3.0",
+      "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-4.3.0.tgz",
+      "integrity": "sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==",
+      "dev": true
+    },
+    "esutils": {
+      "version": "2.0.3",
+      "resolved": "https://registry.npmjs.org/esutils/-/esutils-2.0.3.tgz",
+      "integrity": "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==",
+      "dev": true
+    },
+    "fast-deep-equal": {
+      "version": "3.1.3",
+      "resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz",
+      "integrity": "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==",
+      "dev": true
+    },
+    "fast-glob": {
+      "version": "3.2.12",
+      "resolved": "https://registry.npmjs.org/fast-glob/-/fast-glob-3.2.12.tgz",
+      "integrity": "sha512-DVj4CQIYYow0BlaelwK1pHl5n5cRSJfM60UA0zK891sVInoPri2Ekj7+e1CT3/3qxXenpI+nBBmQAcJPJgaj4w==",
+      "dev": true,
+      "requires": {
+        "@nodelib/fs.stat": "^2.0.2",
+        "@nodelib/fs.walk": "^1.2.3",
+        "glob-parent": "^5.1.2",
+        "merge2": "^1.3.0",
+        "micromatch": "^4.0.4"
+      },
+      "dependencies": {
+        "glob-parent": {
+          "version": "5.1.2",
+          "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz",
+          "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==",
+          "dev": true,
+          "requires": {
+            "is-glob": "^4.0.1"
+          }
+        }
+      }
+    },
+    "fast-json-stable-stringify": {
+      "version": "2.1.0",
+      "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz",
+      "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==",
+      "dev": true
+    },
+    "fast-levenshtein": {
+      "version": "2.0.6",
+      "resolved": "https://registry.npmjs.org/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz",
+      "integrity": "sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==",
+      "dev": true
+    },
+    "fastq": {
+      "version": "1.13.0",
+      "resolved": "https://registry.npmjs.org/fastq/-/fastq-1.13.0.tgz",
+      "integrity": "sha512-YpkpUnK8od0o1hmeSc7UUs/eB/vIPWJYjKck2QKIzAf71Vm1AAQ3EbuZB3g2JIy+pg+ERD0vqI79KyZiB2e2Nw==",
+      "dev": true,
+      "requires": {
+        "reusify": "^1.0.4"
+      }
+    },
+    "file-entry-cache": {
+      "version": "6.0.1",
+      "resolved": "https://registry.npmjs.org/file-entry-cache/-/file-entry-cache-6.0.1.tgz",
+      "integrity": "sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==",
+      "dev": true,
+      "requires": {
+        "flat-cache": "^3.0.4"
+      }
+    },
+    "file-type": {
+      "version": "17.1.6",
+      "resolved": "https://registry.npmjs.org/file-type/-/file-type-17.1.6.tgz",
+      "integrity": "sha512-hlDw5Ev+9e883s0pwUsuuYNu4tD7GgpUnOvykjv1Gya0ZIjuKumthDRua90VUn6/nlRKAjcxLUnHNTIUWwWIiw==",
+      "dev": true,
+      "requires": {
+        "readable-web-to-node-stream": "^3.0.2",
+        "strtok3": "^7.0.0-alpha.9",
+        "token-types": "^5.0.0-alpha.2"
+      }
+    },
+    "fill-range": {
+      "version": "7.0.1",
+      "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.0.1.tgz",
+      "integrity": "sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==",
+      "dev": true,
+      "requires": {
+        "to-regex-range": "^5.0.1"
+      }
+    },
+    "find-up": {
+      "version": "5.0.0",
+      "resolved": "https://registry.npmjs.org/find-up/-/find-up-5.0.0.tgz",
+      "integrity": "sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==",
+      "dev": true,
+      "requires": {
+        "locate-path": "^6.0.0",
+        "path-exists": "^4.0.0"
+      }
+    },
+    "flat-cache": {
+      "version": "3.0.4",
+      "resolved": "https://registry.npmjs.org/flat-cache/-/flat-cache-3.0.4.tgz",
+      "integrity": "sha512-dm9s5Pw7Jc0GvMYbshN6zchCA9RgQlzzEZX3vylR9IqFfS8XciblUXOKfW6SiuJ0e13eDYZoZV5wdrev7P3Nwg==",
+      "dev": true,
+      "requires": {
+        "flatted": "^3.1.0",
+        "rimraf": "^3.0.2"
+      }
+    },
+    "flatted": {
+      "version": "3.2.7",
+      "resolved": "https://registry.npmjs.org/flatted/-/flatted-3.2.7.tgz",
+      "integrity": "sha512-5nqDSxl8nn5BSNxyR3n4I6eDmbolI6WT+QqR547RwxQapgjQBmtktdP+HTBb/a/zLsbzERTONyUB5pefh5TtjQ==",
+      "dev": true
+    },
+    "fs.realpath": {
+      "version": "1.0.0",
+      "resolved": "https://registry.npmjs.org/fs.realpath/-/fs.realpath-1.0.0.tgz",
+      "integrity": "sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==",
+      "dev": true
+    },
+    "fsevents": {
+      "version": "2.3.2",
+      "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.2.tgz",
+      "integrity": "sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA==",
+      "dev": true,
+      "optional": true
+    },
+    "functional-red-black-tree": {
+      "version": "1.0.1",
+      "resolved": "https://registry.npmjs.org/functional-red-black-tree/-/functional-red-black-tree-1.0.1.tgz",
+      "integrity": "sha512-dsKNQNdj6xA3T+QlADDA7mOSlX0qiMINjn0cgr+eGHGsbSHzTabcIogz2+p/iqP1Xs6EP/sS2SbqH+brGTbq0g==",
+      "dev": true
+    },
+    "gen-esm-wrapper": {
+      "version": "1.1.3",
+      "resolved": "https://registry.npmjs.org/gen-esm-wrapper/-/gen-esm-wrapper-1.1.3.tgz",
+      "integrity": "sha512-LNHZ+QpaCW/0VhABIbXn45V+P8kFvjjwuue9hbV23eOjuFVz6c0FE3z1XpLX9pSjLW7UmtCkXo5F9vhZWVs8oQ==",
+      "dev": true,
+      "requires": {
+        "is-valid-identifier": "^2.0.2"
+      }
+    },
+    "glob": {
+      "version": "7.2.3",
+      "resolved": "https://registry.npmjs.org/glob/-/glob-7.2.3.tgz",
+      "integrity": "sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==",
+      "dev": true,
+      "requires": {
+        "fs.realpath": "^1.0.0",
+        "inflight": "^1.0.4",
+        "inherits": "2",
+        "minimatch": "^3.1.1",
+        "once": "^1.3.0",
+        "path-is-absolute": "^1.0.0"
+      }
+    },
+    "glob-parent": {
+      "version": "6.0.2",
+      "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-6.0.2.tgz",
+      "integrity": "sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==",
+      "dev": true,
+      "requires": {
+        "is-glob": "^4.0.3"
+      }
+    },
+    "globals": {
+      "version": "13.17.0",
+      "resolved": "https://registry.npmjs.org/globals/-/globals-13.17.0.tgz",
+      "integrity": "sha512-1C+6nQRb1GwGMKm2dH/E7enFAMxGTmGI7/dEdhy/DNelv85w9B72t3uc5frtMNXIbzrarJJ/lTCjcaZwbLJmyw==",
+      "dev": true,
+      "requires": {
+        "type-fest": "^0.20.2"
+      }
+    },
+    "globby": {
+      "version": "11.1.0",
+      "resolved": "https://registry.npmjs.org/globby/-/globby-11.1.0.tgz",
+      "integrity": "sha512-jhIXaOzy1sb8IyocaruWSn1TjmnBVs8Ayhcy83rmxNJ8q2uWKCAj3CnJY+KpGSXCueAPc0i05kVvVKtP1t9S3g==",
+      "dev": true,
+      "requires": {
+        "array-union": "^2.1.0",
+        "dir-glob": "^3.0.1",
+        "fast-glob": "^3.2.9",
+        "ignore": "^5.2.0",
+        "merge2": "^1.4.1",
+        "slash": "^3.0.0"
+      }
+    },
+    "grapheme-splitter": {
+      "version": "1.0.4",
+      "resolved": "https://registry.npmjs.org/grapheme-splitter/-/grapheme-splitter-1.0.4.tgz",
+      "integrity": "sha512-bzh50DW9kTPM00T8y4o8vQg89Di9oLJVLW/KaOGIXJWP/iqCN6WKYkbNOF04vFLJhwcpYUh9ydh/+5vpOqV4YQ==",
+      "dev": true
+    },
+    "has-flag": {
+      "version": "4.0.0",
+      "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz",
+      "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==",
+      "dev": true
+    },
+    "himalaya": {
+      "version": "1.1.0",
+      "resolved": "https://registry.npmjs.org/himalaya/-/himalaya-1.1.0.tgz",
+      "integrity": "sha512-LLase1dHCRMel68/HZTFft0N0wti0epHr3nNY7ynpLbyZpmrKMQ8YIpiOV77TM97cNpC8Wb2n6f66IRggwdWPw=="
+    },
+    "husky": {
+      "version": "8.0.1",
+      "resolved": "https://registry.npmjs.org/husky/-/husky-8.0.1.tgz",
+      "integrity": "sha512-xs7/chUH/CKdOCs7Zy0Aev9e/dKOMZf3K1Az1nar3tzlv0jfqnYtu235bstsWTmXOR0EfINrPa97yy4Lz6RiKw==",
+      "dev": true
+    },
+    "ieee754": {
+      "version": "1.2.1",
+      "resolved": "https://registry.npmjs.org/ieee754/-/ieee754-1.2.1.tgz",
+      "integrity": "sha512-dcyqhDvX1C46lXZcVqCpK+FtMRQVdIMN6/Df5js2zouUsqG7I6sFxitIC+7KYK29KdXOLHdu9zL4sFnoVQnqaA==",
+      "dev": true
+    },
+    "ignore": {
+      "version": "5.2.0",
+      "resolved": "https://registry.npmjs.org/ignore/-/ignore-5.2.0.tgz",
+      "integrity": "sha512-CmxgYGiEPCLhfLnpPp1MoRmifwEIOgjcHXxOBjv7mY96c+eWScsOP9c112ZyLdWHi0FxHjI+4uVhKYp/gcdRmQ==",
+      "dev": true
+    },
+    "import-fresh": {
+      "version": "3.3.0",
+      "resolved": "https://registry.npmjs.org/import-fresh/-/import-fresh-3.3.0.tgz",
+      "integrity": "sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==",
+      "dev": true,
+      "requires": {
+        "parent-module": "^1.0.0",
+        "resolve-from": "^4.0.0"
+      }
+    },
+    "imurmurhash": {
+      "version": "0.1.4",
+      "resolved": "https://registry.npmjs.org/imurmurhash/-/imurmurhash-0.1.4.tgz",
+      "integrity": "sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==",
+      "dev": true
+    },
+    "inflight": {
+      "version": "1.0.6",
+      "resolved": "https://registry.npmjs.org/inflight/-/inflight-1.0.6.tgz",
+      "integrity": "sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==",
+      "dev": true,
+      "requires": {
+        "once": "^1.3.0",
+        "wrappy": "1"
+      }
+    },
+    "inherits": {
+      "version": "2.0.4",
+      "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz",
+      "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==",
+      "dev": true
+    },
+    "is-extglob": {
+      "version": "2.1.1",
+      "resolved": "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz",
+      "integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==",
+      "dev": true
+    },
+    "is-glob": {
+      "version": "4.0.3",
+      "resolved": "https://registry.npmjs.org/is-glob/-/is-glob-4.0.3.tgz",
+      "integrity": "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==",
+      "dev": true,
+      "requires": {
+        "is-extglob": "^2.1.1"
+      }
+    },
+    "is-number": {
+      "version": "7.0.0",
+      "resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz",
+      "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==",
+      "dev": true
+    },
+    "is-valid-identifier": {
+      "version": "2.0.2",
+      "resolved": "https://registry.npmjs.org/is-valid-identifier/-/is-valid-identifier-2.0.2.tgz",
+      "integrity": "sha512-mpS5EGqXOwzXtKAg6I44jIAqeBfntFLxpAth1rrKbxtKyI6LPktyDYpHBI+tHlduhhX/SF26mFXmxQu995QVqg==",
+      "dev": true,
+      "requires": {
+        "assert": "^1.4.1"
+      }
+    },
+    "isexe": {
+      "version": "2.0.0",
+      "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz",
+      "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==",
+      "dev": true
+    },
+    "js-tokens": {
+      "version": "4.0.0",
+      "resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz",
+      "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==",
+      "dev": true,
+      "optional": true
+    },
+    "js-yaml": {
+      "version": "4.1.0",
+      "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-4.1.0.tgz",
+      "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==",
+      "dev": true,
+      "requires": {
+        "argparse": "^2.0.1"
+      }
+    },
+    "json-schema-traverse": {
+      "version": "0.4.1",
+      "resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz",
+      "integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==",
+      "dev": true
+    },
+    "json-stable-stringify-without-jsonify": {
+      "version": "1.0.1",
+      "resolved": "https://registry.npmjs.org/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz",
+      "integrity": "sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==",
+      "dev": true
+    },
+    "jsonc-parser": {
+      "version": "3.2.0",
+      "resolved": "https://registry.npmjs.org/jsonc-parser/-/jsonc-parser-3.2.0.tgz",
+      "integrity": "sha512-gfFQZrcTc8CnKXp6Y4/CBT3fTc0OVuDofpre4aEeEpSBPV5X5v4+Vmx+8snU7RLPrNHPKSgLxGo9YuQzz20o+w==",
+      "dev": true
+    },
+    "levn": {
+      "version": "0.4.1",
+      "resolved": "https://registry.npmjs.org/levn/-/levn-0.4.1.tgz",
+      "integrity": "sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==",
+      "dev": true,
+      "requires": {
+        "prelude-ls": "^1.2.1",
+        "type-check": "~0.4.0"
+      }
+    },
+    "libsodium": {
+      "version": "0.7.10",
+      "resolved": "https://registry.npmjs.org/libsodium/-/libsodium-0.7.10.tgz",
+      "integrity": "sha512-eY+z7hDrDKxkAK+QKZVNv92A5KYkxfvIshtBJkmg5TSiCnYqZP3i9OO9whE79Pwgm4jGaoHgkM4ao/b9Cyu4zQ=="
+    },
+    "libsodium-wrappers": {
+      "version": "0.7.10",
+      "resolved": "https://registry.npmjs.org/libsodium-wrappers/-/libsodium-wrappers-0.7.10.tgz",
+      "integrity": "sha512-pO3F1Q9NPLB/MWIhehim42b/Fwb30JNScCNh8TcQ/kIc+qGLQch8ag8wb0keK3EP5kbGakk1H8Wwo7v+36rNQg==",
+      "requires": {
+        "libsodium": "^0.7.0"
+      }
+    },
+    "locate-path": {
+      "version": "6.0.0",
+      "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-6.0.0.tgz",
+      "integrity": "sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==",
+      "dev": true,
+      "requires": {
+        "p-locate": "^5.0.0"
+      }
+    },
+    "lodash.merge": {
+      "version": "4.6.2",
+      "resolved": "https://registry.npmjs.org/lodash.merge/-/lodash.merge-4.6.2.tgz",
+      "integrity": "sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==",
+      "dev": true
+    },
+    "lodash.snakecase": {
+      "version": "4.1.1",
+      "resolved": "https://registry.npmjs.org/lodash.snakecase/-/lodash.snakecase-4.1.1.tgz",
+      "integrity": "sha512-QZ1d4xoBHYUeuouhEq3lk3Uq7ldgyFXGBhg04+oRLnIz8o9T65Eh+8YdroUwn846zchkA9yDsDl5CVVaV2nqYw==",
+      "dev": true
+    },
+    "lodash.uniqwith": {
+      "version": "4.5.0",
+      "resolved": "https://registry.npmjs.org/lodash.uniqwith/-/lodash.uniqwith-4.5.0.tgz",
+      "integrity": "sha512-7lYL8bLopMoy4CTICbxygAUq6CdRJ36vFc80DucPueUee+d5NBRxz3FdT9Pes/HEx5mPoT9jwnsEJWz1N7uq7Q==",
+      "dev": true
+    },
+    "lru-cache": {
+      "version": "6.0.0",
+      "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-6.0.0.tgz",
+      "integrity": "sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==",
+      "dev": true,
+      "requires": {
+        "yallist": "^4.0.0"
+      }
+    },
+    "lunr": {
+      "version": "2.3.9",
+      "resolved": "https://registry.npmjs.org/lunr/-/lunr-2.3.9.tgz",
+      "integrity": "sha512-zTU3DaZaF3Rt9rhN3uBMGQD3dD2/vFQqnvZCDv4dl5iOzq2IZQqTxu90r4E5J+nP70J3ilqVCrbho2eWaeW8Ow==",
+      "dev": true
+    },
+    "magic-string": {
+      "version": "0.26.3",
+      "resolved": "https://registry.npmjs.org/magic-string/-/magic-string-0.26.3.tgz",
+      "integrity": "sha512-u1Po0NDyFcwdg2nzHT88wSK0+Rih0N1M+Ph1Sp08k8yvFFU3KR72wryS7e1qMPJypt99WB7fIFVCA92mQrMjrg==",
+      "dev": true,
+      "requires": {
+        "sourcemap-codec": "^1.4.8"
+      }
+    },
+    "make-error": {
+      "version": "1.3.6",
+      "resolved": "https://registry.npmjs.org/make-error/-/make-error-1.3.6.tgz",
+      "integrity": "sha512-s8UhlNe7vPKomQhC1qFelMokr/Sc3AgNbso3n74mVPA5LTZwkB9NlXf4XPamLxJE8h0gh73rM94xvwRT2CVInw==",
+      "dev": true
+    },
+    "marked": {
+      "version": "4.1.0",
+      "resolved": "https://registry.npmjs.org/marked/-/marked-4.1.0.tgz",
+      "integrity": "sha512-+Z6KDjSPa6/723PQYyc1axYZpYYpDnECDaU6hkaf5gqBieBkMKYReL5hteF2QizhlMbgbo8umXl/clZ67+GlsA==",
+      "dev": true
+    },
+    "merge2": {
+      "version": "1.4.1",
+      "resolved": "https://registry.npmjs.org/merge2/-/merge2-1.4.1.tgz",
+      "integrity": "sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==",
+      "dev": true
+    },
+    "micromatch": {
+      "version": "4.0.5",
+      "resolved": "https://registry.npmjs.org/micromatch/-/micromatch-4.0.5.tgz",
+      "integrity": "sha512-DMy+ERcEW2q8Z2Po+WNXuw3c5YaUSFjAO5GsJqfEl7UjvtIuFKO6ZrKvcItdy98dwFI2N1tg3zNIdKaQT+aNdA==",
+      "dev": true,
+      "requires": {
+        "braces": "^3.0.2",
+        "picomatch": "^2.3.1"
+      }
+    },
+    "minimatch": {
+      "version": "3.1.2",
+      "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz",
+      "integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==",
+      "dev": true,
+      "requires": {
+        "brace-expansion": "^1.1.7"
+      }
+    },
+    "ms": {
+      "version": "2.1.2",
+      "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.2.tgz",
+      "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==",
+      "dev": true
+    },
+    "natural-compare": {
+      "version": "1.4.0",
+      "resolved": "https://registry.npmjs.org/natural-compare/-/natural-compare-1.4.0.tgz",
+      "integrity": "sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==",
+      "dev": true
+    },
+    "object-assign": {
+      "version": "4.1.1",
+      "resolved": "https://registry.npmjs.org/object-assign/-/object-assign-4.1.1.tgz",
+      "integrity": "sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==",
+      "dev": true
+    },
+    "once": {
+      "version": "1.4.0",
+      "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz",
+      "integrity": "sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==",
+      "dev": true,
+      "requires": {
+        "wrappy": "1"
+      }
+    },
+    "optionator": {
+      "version": "0.9.1",
+      "resolved": "https://registry.npmjs.org/optionator/-/optionator-0.9.1.tgz",
+      "integrity": "sha512-74RlY5FCnhq4jRxVUPKDaRwrVNXMqsGsiW6AJw4XK8hmtm10wC0ypZBLw5IIp85NZMr91+qd1RvvENwg7jjRFw==",
+      "dev": true,
+      "requires": {
+        "deep-is": "^0.1.3",
+        "fast-levenshtein": "^2.0.6",
+        "levn": "^0.4.1",
+        "prelude-ls": "^1.2.1",
+        "type-check": "^0.4.0",
+        "word-wrap": "^1.2.3"
+      }
+    },
+    "opusscript": {
+      "version": "0.0.8",
+      "resolved": "https://registry.npmjs.org/opusscript/-/opusscript-0.0.8.tgz",
+      "integrity": "sha512-VSTi1aWFuCkRCVq+tx/BQ5q9fMnQ9pVZ3JU4UHKqTkf0ED3fKEPdr+gKAAl3IA2hj9rrP6iyq3hlcJq3HELtNQ==",
+      "devOptional": true
+    },
+    "p-limit": {
+      "version": "3.1.0",
+      "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-3.1.0.tgz",
+      "integrity": "sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==",
+      "dev": true,
+      "requires": {
+        "yocto-queue": "^0.1.0"
+      }
+    },
+    "p-locate": {
+      "version": "5.0.0",
+      "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-5.0.0.tgz",
+      "integrity": "sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==",
+      "dev": true,
+      "requires": {
+        "p-limit": "^3.0.2"
+      }
+    },
+    "parent-module": {
+      "version": "1.0.1",
+      "resolved": "https://registry.npmjs.org/parent-module/-/parent-module-1.0.1.tgz",
+      "integrity": "sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==",
+      "dev": true,
+      "requires": {
+        "callsites": "^3.0.0"
+      }
+    },
+    "path-exists": {
+      "version": "4.0.0",
+      "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz",
+      "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==",
+      "dev": true
+    },
+    "path-is-absolute": {
+      "version": "1.0.1",
+      "resolved": "https://registry.npmjs.org/path-is-absolute/-/path-is-absolute-1.0.1.tgz",
+      "integrity": "sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==",
+      "dev": true
+    },
+    "path-key": {
+      "version": "3.1.1",
+      "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz",
+      "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==",
+      "dev": true
+    },
+    "path-type": {
+      "version": "4.0.0",
+      "resolved": "https://registry.npmjs.org/path-type/-/path-type-4.0.0.tgz",
+      "integrity": "sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==",
+      "dev": true
+    },
+    "peek-readable": {
+      "version": "5.0.0",
+      "resolved": "https://registry.npmjs.org/peek-readable/-/peek-readable-5.0.0.tgz",
+      "integrity": "sha512-YtCKvLUOvwtMGmrniQPdO7MwPjgkFBtFIrmfSbYmYuq3tKDV/mcfAhBth1+C3ru7uXIZasc/pHnb+YDYNkkj4A==",
+      "dev": true
+    },
+    "picomatch": {
+      "version": "2.3.1",
+      "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.3.1.tgz",
+      "integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==",
+      "dev": true
+    },
+    "prelude-ls": {
+      "version": "1.2.1",
+      "resolved": "https://registry.npmjs.org/prelude-ls/-/prelude-ls-1.2.1.tgz",
+      "integrity": "sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==",
+      "dev": true
+    },
+    "prettier": {
+      "version": "2.7.1",
+      "resolved": "https://registry.npmjs.org/prettier/-/prettier-2.7.1.tgz",
+      "integrity": "sha512-ujppO+MkdPqoVINuDFDRLClm7D78qbDt0/NR+wp5FqEZOoTNAjPHWj17QRhu7geIHJfcNhRk1XVQmF8Bp3ye+g==",
+      "dev": true
+    },
+    "prism-media": {
+      "version": "1.3.4",
+      "resolved": "https://registry.npmjs.org/prism-media/-/prism-media-1.3.4.tgz",
+      "integrity": "sha512-eW7LXORkTCQznZs+eqe9VjGOrLBxcBPXgNyHXMTSRVhphvd/RrxgIR7WaWt4fkLuhshcdT5KHL88LAfcvS3f5g==",
+      "requires": {}
+    },
+    "punycode": {
+      "version": "2.1.1",
+      "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.1.1.tgz",
+      "integrity": "sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==",
+      "dev": true
+    },
+    "queue-microtask": {
+      "version": "1.2.3",
+      "resolved": "https://registry.npmjs.org/queue-microtask/-/queue-microtask-1.2.3.tgz",
+      "integrity": "sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==",
+      "dev": true
+    },
+    "readable-stream": {
+      "version": "3.6.0",
+      "resolved": "https://registry.npmjs.org/readable-stream/-/readable-stream-3.6.0.tgz",
+      "integrity": "sha512-BViHy7LKeTz4oNnkcLJ+lVSL6vpiFeX6/d3oSH8zCW7UxP2onchk+vTGB143xuFjHS3deTgkKoXXymXqymiIdA==",
+      "dev": true,
+      "requires": {
+        "inherits": "^2.0.3",
+        "string_decoder": "^1.1.1",
+        "util-deprecate": "^1.0.1"
+      }
+    },
+    "readable-web-to-node-stream": {
+      "version": "3.0.2",
+      "resolved": "https://registry.npmjs.org/readable-web-to-node-stream/-/readable-web-to-node-stream-3.0.2.tgz",
+      "integrity": "sha512-ePeK6cc1EcKLEhJFt/AebMCLL+GgSKhuygrZ/GLaKZYEecIgIECf4UaUuaByiGtzckwR4ain9VzUh95T1exYGw==",
+      "dev": true,
+      "requires": {
+        "readable-stream": "^3.6.0"
+      }
+    },
+    "regexpp": {
+      "version": "3.2.0",
+      "resolved": "https://registry.npmjs.org/regexpp/-/regexpp-3.2.0.tgz",
+      "integrity": "sha512-pq2bWo9mVD43nbts2wGv17XLiNLya+GklZ8kaDLV2Z08gDCsGpnKn9BFMepvWuHCbyVvY7J5o5+BVvoQbmlJLg==",
+      "dev": true
+    },
+    "resolve-from": {
+      "version": "4.0.0",
+      "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-4.0.0.tgz",
+      "integrity": "sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==",
+      "dev": true
+    },
+    "reusify": {
+      "version": "1.0.4",
+      "resolved": "https://registry.npmjs.org/reusify/-/reusify-1.0.4.tgz",
+      "integrity": "sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==",
+      "dev": true
+    },
+    "rimraf": {
+      "version": "3.0.2",
+      "resolved": "https://registry.npmjs.org/rimraf/-/rimraf-3.0.2.tgz",
+      "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==",
+      "dev": true,
+      "requires": {
+        "glob": "^7.1.3"
+      }
+    },
+    "rollup": {
+      "version": "2.79.0",
+      "resolved": "https://registry.npmjs.org/rollup/-/rollup-2.79.0.tgz",
+      "integrity": "sha512-x4KsrCgwQ7ZJPcFA/SUu6QVcYlO7uRLfLAy0DSA4NS2eG8japdbpM50ToH7z4iObodRYOJ0soneF0iaQRJ6zhA==",
+      "dev": true,
+      "requires": {
+        "fsevents": "~2.3.2"
+      }
+    },
+    "rollup-plugin-dts": {
+      "version": "4.2.2",
+      "resolved": "https://registry.npmjs.org/rollup-plugin-dts/-/rollup-plugin-dts-4.2.2.tgz",
+      "integrity": "sha512-A3g6Rogyko/PXeKoUlkjxkP++8UDVpgA7C+Tdl77Xj4fgEaIjPSnxRmR53EzvoYy97VMVwLAOcWJudaVAuxneQ==",
+      "dev": true,
+      "requires": {
+        "@babel/code-frame": "^7.16.7",
+        "magic-string": "^0.26.1"
+      }
+    },
+    "run-parallel": {
+      "version": "1.2.0",
+      "resolved": "https://registry.npmjs.org/run-parallel/-/run-parallel-1.2.0.tgz",
+      "integrity": "sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==",
+      "dev": true,
+      "requires": {
+        "queue-microtask": "^1.2.2"
+      }
+    },
+    "safe-buffer": {
+      "version": "5.2.1",
+      "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.2.1.tgz",
+      "integrity": "sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==",
+      "dev": true
+    },
+    "semver": {
+      "version": "7.3.7",
+      "resolved": "https://registry.npmjs.org/semver/-/semver-7.3.7.tgz",
+      "integrity": "sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g==",
+      "dev": true,
+      "requires": {
+        "lru-cache": "^6.0.0"
+      }
+    },
+    "shebang-command": {
+      "version": "2.0.0",
+      "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz",
+      "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==",
+      "dev": true,
+      "requires": {
+        "shebang-regex": "^3.0.0"
+      }
+    },
+    "shebang-regex": {
+      "version": "3.0.0",
+      "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz",
+      "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==",
+      "dev": true
+    },
+    "shiki": {
+      "version": "0.11.1",
+      "resolved": "https://registry.npmjs.org/shiki/-/shiki-0.11.1.tgz",
+      "integrity": "sha512-EugY9VASFuDqOexOgXR18ZV+TbFrQHeCpEYaXamO+SZlsnT/2LxuLBX25GGtIrwaEVFXUAbUQ601SWE2rMwWHA==",
+      "dev": true,
+      "requires": {
+        "jsonc-parser": "^3.0.0",
+        "vscode-oniguruma": "^1.6.1",
+        "vscode-textmate": "^6.0.0"
+      }
+    },
+    "slash": {
+      "version": "3.0.0",
+      "resolved": "https://registry.npmjs.org/slash/-/slash-3.0.0.tgz",
+      "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==",
+      "dev": true
+    },
+    "sourcemap-codec": {
+      "version": "1.4.8",
+      "resolved": "https://registry.npmjs.org/sourcemap-codec/-/sourcemap-codec-1.4.8.tgz",
+      "integrity": "sha512-9NykojV5Uih4lgo5So5dtw+f0JgJX30KCNI8gwhz2J9A15wD0Ml6tjHKwf6fTSa6fAdVBdZeNOs9eJ71qCk8vA==",
+      "dev": true
+    },
+    "spotify-uri": {
+      "version": "3.0.3",
+      "resolved": "https://registry.npmjs.org/spotify-uri/-/spotify-uri-3.0.3.tgz",
+      "integrity": "sha512-mMstJ4dAMki6GbUjg94kp/h9ZH+7T7+ro/KUC00WVh+WKoLgMRrTKLkWMIwCZNO53Xa8DRHQw/6jwYtRZrVI3g=="
+    },
+    "spotify-url-info": {
+      "version": "3.1.8",
+      "resolved": "https://registry.npmjs.org/spotify-url-info/-/spotify-url-info-3.1.8.tgz",
+      "integrity": "sha512-XxDRxDtTd9p1X22+dWweqB2bf41UVRZgyvq8VmLyY4iuClR/4/LGWOqcqG/zh9BwLUtony4818QrJ2bp2tbUkg==",
+      "requires": {
+        "himalaya": "~1.1.0",
+        "spotify-uri": "~3.0.3"
+      }
+    },
+    "string_decoder": {
+      "version": "1.3.0",
+      "resolved": "https://registry.npmjs.org/string_decoder/-/string_decoder-1.3.0.tgz",
+      "integrity": "sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA==",
+      "dev": true,
+      "requires": {
+        "safe-buffer": "~5.2.0"
+      }
+    },
+    "strip-ansi": {
+      "version": "6.0.1",
+      "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz",
+      "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==",
+      "dev": true,
+      "requires": {
+        "ansi-regex": "^5.0.1"
+      }
+    },
+    "strip-json-comments": {
+      "version": "3.1.1",
+      "resolved": "https://registry.npmjs.org/strip-json-comments/-/strip-json-comments-3.1.1.tgz",
+      "integrity": "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==",
+      "dev": true
+    },
+    "strtok3": {
+      "version": "7.0.0",
+      "resolved": "https://registry.npmjs.org/strtok3/-/strtok3-7.0.0.tgz",
+      "integrity": "sha512-pQ+V+nYQdC5H3Q7qBZAz/MO6lwGhoC2gOAjuouGf/VO0m7vQRh8QNMl2Uf6SwAtzZ9bOw3UIeBukEGNJl5dtXQ==",
+      "dev": true,
+      "requires": {
+        "@tokenizer/token": "^0.3.0",
+        "peek-readable": "^5.0.0"
+      }
+    },
+    "supports-color": {
+      "version": "7.2.0",
+      "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz",
+      "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==",
+      "dev": true,
+      "requires": {
+        "has-flag": "^4.0.0"
+      }
+    },
+    "text-table": {
+      "version": "0.2.0",
+      "resolved": "https://registry.npmjs.org/text-table/-/text-table-0.2.0.tgz",
+      "integrity": "sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==",
+      "dev": true
+    },
+    "tiny-typed-emitter": {
+      "version": "2.1.0",
+      "resolved": "https://registry.npmjs.org/tiny-typed-emitter/-/tiny-typed-emitter-2.1.0.tgz",
+      "integrity": "sha512-qVtvMxeXbVej0cQWKqVSSAHmKZEHAvxdF8HEUBFWts8h+xEo5m/lEiPakuyZ3BnCBjOD8i24kzNOiOLLgsSxhA=="
+    },
+    "to-regex-range": {
+      "version": "5.0.1",
+      "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz",
+      "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==",
+      "dev": true,
+      "requires": {
+        "is-number": "^7.0.0"
+      }
+    },
+    "token-types": {
+      "version": "5.0.1",
+      "resolved": "https://registry.npmjs.org/token-types/-/token-types-5.0.1.tgz",
+      "integrity": "sha512-Y2fmSnZjQdDb9W4w4r1tswlMHylzWIeOKpx0aZH9BgGtACHhrk3OkT52AzwcuqTRBZtvvnTjDBh8eynMulu8Vg==",
+      "dev": true,
+      "requires": {
+        "@tokenizer/token": "^0.3.0",
+        "ieee754": "^1.2.1"
+      }
+    },
+    "ts-mixer": {
+      "version": "6.0.1",
+      "resolved": "https://registry.npmjs.org/ts-mixer/-/ts-mixer-6.0.1.tgz",
+      "integrity": "sha512-hvE+ZYXuINrx6Ei6D6hz+PTim0Uf++dYbK9FFifLNwQj+RwKquhQpn868yZsCtJYiclZF1u8l6WZxxKi+vv7Rg==",
+      "dev": true
+    },
+    "ts-node": {
+      "version": "10.9.1",
+      "resolved": "https://registry.npmjs.org/ts-node/-/ts-node-10.9.1.tgz",
+      "integrity": "sha512-NtVysVPkxxrwFGUUxGYhfux8k78pQB3JqYBXlLRZgdGUqTO5wU/UyHop5p70iEbGhB7q5KmiZiU0Y3KlJrScEw==",
+      "dev": true,
+      "requires": {
+        "@cspotcode/source-map-support": "^0.8.0",
+        "@tsconfig/node10": "^1.0.7",
+        "@tsconfig/node12": "^1.0.7",
+        "@tsconfig/node14": "^1.0.0",
+        "@tsconfig/node16": "^1.0.2",
+        "acorn": "^8.4.1",
+        "acorn-walk": "^8.1.1",
+        "arg": "^4.1.0",
+        "create-require": "^1.1.0",
+        "diff": "^4.0.1",
+        "make-error": "^1.1.1",
+        "v8-compile-cache-lib": "^3.0.1",
+        "yn": "3.1.1"
+      }
+    },
+    "tslib": {
+      "version": "2.4.0",
+      "resolved": "https://registry.npmjs.org/tslib/-/tslib-2.4.0.tgz",
+      "integrity": "sha512-d6xOpEDfsi2CZVlPQzGeux8XMwLT9hssAsaPYExaQMuYskwb+x1x7J371tWlbBdWHroy99KnVB6qIkUbs5X3UQ=="
+    },
+    "tsutils": {
+      "version": "3.21.0",
+      "resolved": "https://registry.npmjs.org/tsutils/-/tsutils-3.21.0.tgz",
+      "integrity": "sha512-mHKK3iUXL+3UF6xL5k0PEhKRUBKPBCv/+RkEOpjRWxxx27KKRBmmA60A9pgOUvMi8GKhRMPEmjBRPzs2W7O1OA==",
+      "dev": true,
+      "requires": {
+        "tslib": "^1.8.1"
+      },
+      "dependencies": {
+        "tslib": {
+          "version": "1.14.1",
+          "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz",
+          "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==",
+          "dev": true
+        }
+      }
+    },
+    "type-check": {
+      "version": "0.4.0",
+      "resolved": "https://registry.npmjs.org/type-check/-/type-check-0.4.0.tgz",
+      "integrity": "sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==",
+      "dev": true,
+      "requires": {
+        "prelude-ls": "^1.2.1"
+      }
+    },
+    "type-fest": {
+      "version": "0.20.2",
+      "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.20.2.tgz",
+      "integrity": "sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==",
+      "dev": true
+    },
+    "typedoc": {
+      "version": "0.23.14",
+      "resolved": "https://registry.npmjs.org/typedoc/-/typedoc-0.23.14.tgz",
+      "integrity": "sha512-s2I+ZKBET38EctZvbXp2GooHrNaKjWZkrwGEK/sttnOGiKJqU0vHrsdcwLgKZGuo2aedNL3RRPj1LnAAeYscig==",
+      "dev": true,
+      "requires": {
+        "lunr": "^2.3.9",
+        "marked": "^4.0.19",
+        "minimatch": "^5.1.0",
+        "shiki": "^0.11.1"
+      },
+      "dependencies": {
+        "brace-expansion": {
+          "version": "2.0.1",
+          "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-2.0.1.tgz",
+          "integrity": "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==",
+          "dev": true,
+          "requires": {
+            "balanced-match": "^1.0.0"
+          }
+        },
+        "minimatch": {
+          "version": "5.1.0",
+          "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-5.1.0.tgz",
+          "integrity": "sha512-9TPBGGak4nHfGZsPBohm9AWg6NoT7QTCehS3BIJABslyZbzxfV78QM2Y6+i741OPZIafFAaiiEMh5OyIrJPgtg==",
+          "dev": true,
+          "requires": {
+            "brace-expansion": "^2.0.1"
+          }
+        }
+      }
+    },
+    "typescript": {
+      "version": "4.7.4",
+      "resolved": "https://registry.npmjs.org/typescript/-/typescript-4.7.4.tgz",
+      "integrity": "sha512-C0WQT0gezHuw6AdY1M2jxUO83Rjf0HP7Sk1DtXj6j1EwkQNZrHAg2XPWlq62oqEhYvONq5pkC2Y9oPljWToLmQ==",
+      "dev": true
+    },
+    "undici": {
+      "version": "5.10.0",
+      "resolved": "https://registry.npmjs.org/undici/-/undici-5.10.0.tgz",
+      "integrity": "sha512-c8HsD3IbwmjjbLvoZuRI26TZic+TSEe8FPMLLOkN1AfYRhdjnKBU6yL+IwcSCbdZiX4e5t0lfMDLDCqj4Sq70g==",
+      "dev": true
+    },
+    "uri-js": {
+      "version": "4.4.1",
+      "resolved": "https://registry.npmjs.org/uri-js/-/uri-js-4.4.1.tgz",
+      "integrity": "sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==",
+      "dev": true,
+      "requires": {
+        "punycode": "^2.1.0"
+      }
+    },
+    "util": {
+      "version": "0.10.3",
+      "resolved": "https://registry.npmjs.org/util/-/util-0.10.3.tgz",
+      "integrity": "sha512-5KiHfsmkqacuKjkRkdV7SsfDJ2EGiPsK92s2MhNSY0craxjTdKTtqKsJaCWp4LW33ZZ0OPUv1WO/TFvNQRiQxQ==",
+      "dev": true,
+      "requires": {
+        "inherits": "2.0.1"
+      },
+      "dependencies": {
+        "inherits": {
+          "version": "2.0.1",
+          "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.1.tgz",
+          "integrity": "sha512-8nWq2nLTAwd02jTqJExUYFSD/fKq6VH9Y/oG2accc/kdI0V98Bag8d5a4gi3XHz73rDWa2PvTtvcWYquKqSENA==",
+          "dev": true
+        }
+      }
+    },
+    "util-deprecate": {
+      "version": "1.0.2",
+      "resolved": "https://registry.npmjs.org/util-deprecate/-/util-deprecate-1.0.2.tgz",
+      "integrity": "sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==",
+      "dev": true
+    },
+    "v8-compile-cache-lib": {
+      "version": "3.0.1",
+      "resolved": "https://registry.npmjs.org/v8-compile-cache-lib/-/v8-compile-cache-lib-3.0.1.tgz",
+      "integrity": "sha512-wa7YjyUGfNZngI/vtK0UHAN+lgDCxBPCylVXGp0zu59Fz5aiGtNXaq3DhIov063MorB+VfufLh3JlF2KdTK3xg==",
+      "dev": true
+    },
+    "vscode-oniguruma": {
+      "version": "1.6.2",
+      "resolved": "https://registry.npmjs.org/vscode-oniguruma/-/vscode-oniguruma-1.6.2.tgz",
+      "integrity": "sha512-KH8+KKov5eS/9WhofZR8M8dMHWN2gTxjMsG4jd04YhpbPR91fUj7rYQ2/XjeHCJWbg7X++ApRIU9NUwM2vTvLA==",
+      "dev": true
+    },
+    "vscode-textmate": {
+      "version": "6.0.0",
+      "resolved": "https://registry.npmjs.org/vscode-textmate/-/vscode-textmate-6.0.0.tgz",
+      "integrity": "sha512-gu73tuZfJgu+mvCSy4UZwd2JXykjK9zAZsfmDeut5dx/1a7FeTk0XwJsSuqQn+cuMCGVbIBfl+s53X4T19DnzQ==",
+      "dev": true
+    },
+    "which": {
+      "version": "2.0.2",
+      "resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz",
+      "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==",
+      "dev": true,
+      "requires": {
+        "isexe": "^2.0.0"
+      }
+    },
+    "word-wrap": {
+      "version": "1.2.3",
+      "resolved": "https://registry.npmjs.org/word-wrap/-/word-wrap-1.2.3.tgz",
+      "integrity": "sha512-Hz/mrNwitNRh/HUAtM/VT/5VH+ygD6DV7mYKZAtHOrbs8U7lvPS6xf7EJKMF0uW1KJCl0H701g3ZGus+muE5vQ==",
+      "dev": true
+    },
+    "wrappy": {
+      "version": "1.0.2",
+      "resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz",
+      "integrity": "sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==",
+      "dev": true
+    },
+    "ws": {
+      "version": "8.8.1",
+      "resolved": "https://registry.npmjs.org/ws/-/ws-8.8.1.tgz",
+      "integrity": "sha512-bGy2JzvzkPowEJV++hF07hAD6niYSr0JzBNo/J29WsB57A2r7Wlc1UFcTR9IzrPvuNVO4B8LGqF8qcpsVOhJCA==",
+      "requires": {}
+    },
+    "yallist": {
+      "version": "4.0.0",
+      "resolved": "https://registry.npmjs.org/yallist/-/yallist-4.0.0.tgz",
+      "integrity": "sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==",
+      "dev": true
+    },
+    "yn": {
+      "version": "3.1.1",
+      "resolved": "https://registry.npmjs.org/yn/-/yn-3.1.1.tgz",
+      "integrity": "sha512-Ux4ygGWsu2c7isFWe8Yu1YluJmqVhxqK2cLXNQA5AcC3QfbGNpM7fu0Y8b/z16pXLnFxZYvWhd3fhBY9DLmC6Q==",
+      "dev": true
+    },
+    "yocto-queue": {
+      "version": "0.1.0",
+      "resolved": "https://registry.npmjs.org/yocto-queue/-/yocto-queue-0.1.0.tgz",
+      "integrity": "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==",
+      "dev": true
+    }
+  }
+}
diff --git a/helpers/Music/package.json b/helpers/Music/package.json
new file mode 100644
index 00000000..d80e6a49
--- /dev/null
+++ b/helpers/Music/package.json
@@ -0,0 +1,61 @@
+{
+  "name": "music-player",
+  "version": "1.0.0",
+  "description": "music player",
+  "main": "dist/index.js",
+  "types": "dist/index.d.ts",
+  "files": [
+    "dist/"
+  ],
+  "module": "dist/index.mjs",
+  "exports": {
+    ".": {
+      "require": "./dist/index.js",
+      "import": "./dist/index.mjs"
+    },
+    "./smoothVolume": "./dist/smoothVolume.js",
+    "./src/*": "./dist/*",
+    "./dist/*": "./dist/*"
+  },
+  "scripts": {
+    "dev": "cd examples/test && ts-node index.ts",
+    "build": "rimraf dist && tsc && npm run build:esm",
+    "build:check": "tsc --noEmit --incremental false",
+    "prepublishOnly": "rollup-type-bundler -e stream",
+    "build:esm": "gen-esm-wrapper ./dist/index.js ./dist/index.mjs",
+    "format": "prettier --write \"src/**/*.ts\"",
+    "docs": "typedoc --json docs/typedoc.json src/index.ts",
+    "postdocs": "node scripts/docgen.js",
+    "lint": "eslint src --ext .ts",
+    "prepare": "husky install",
+    "lint:fix": "eslint src --ext .ts --fix"
+  },
+  "author": "Jonny_Bro",
+  "license": "NO LICENSE",
+  "dependencies": {
+    "@discordjs/voice": "^0.11.0",
+    "libsodium-wrappers": "^0.7.10",
+    "spotify-url-info": "^3.1.2",
+    "tiny-typed-emitter": "^2.1.0",
+    "tslib": "^2.4.0"
+  },
+  "devDependencies": {
+    "@discordjs/ts-docgen": "^0.4.1",
+    "@favware/rollup-type-bundler": "^1.0.10",
+    "@types/node": "^18.6.3",
+    "@types/ws": "^8.5.3",
+    "@typescript-eslint/eslint-plugin": "^5.32.0",
+    "@typescript-eslint/parser": "^5.32.0",
+    "discord-api-types": "^0.37.0",
+    "discord.js": "^14.1.2",
+    "eslint": "^8.21.0",
+    "gen-esm-wrapper": "^1.1.3",
+    "husky": "^8.0.1",
+    "opusscript": "^0.0.8",
+    "prettier": "^2.7.1",
+    "rimraf": "^3.0.2",
+    "ts-node": "^10.9.1",
+    "typedoc": "^0.23.10",
+    "typescript": "^4.7.4"
+  }
+}
diff --git a/helpers/Music/src/Player.ts b/helpers/Music/src/Player.ts
new file mode 100644
index 00000000..aa938703
--- /dev/null
+++ b/helpers/Music/src/Player.ts
@@ -0,0 +1,607 @@
+import { Client, Collection, GuildResolvable, Snowflake, User, VoiceState, IntentsBitField } from "discord.js";
+import { TypedEmitter as EventEmitter } from "tiny-typed-emitter";
+import { Queue } from "./Structures/Queue";
+import { VoiceUtils } from "./VoiceInterface/VoiceUtils";
+import { PlayerEvents, PlayerOptions, QueryType, SearchOptions, PlayerInitOptions, PlayerSearchResult, PlaylistInitData } from "./types/types";
+import Track from "./Structures/Track";
+import play, { SoundCloudPlaylist, YouTubePlayList } from "play-dl";
+import Spotify from "spotify-url-info";
+import { QueryResolver } from "./utils/QueryResolver";
+import { Util } from "./utils/Util";
+import { PlayerError, ErrorStatusCode } from "./Structures/PlayerError";
+import { Playlist } from "./Structures/Playlist";
+import { ExtractorModel } from "./Structures/ExtractorModel";
+import { generateDependencyReport } from "@discordjs/voice";
+
+class Player extends EventEmitter<PlayerEvents> {
+    public readonly client: Client;
+    public readonly options: PlayerInitOptions = {
+        autoRegisterExtractor: true,
+        connectionTimeout: 20000
+    };
+    public readonly queues = new Collection<Snowflake, Queue>();
+    public readonly voiceUtils = new VoiceUtils();
+    public readonly extractors = new Collection<string, ExtractorModel>();
+    public requiredEvents = ["error", "connectionError"] as string[];
+
+    /**
+     * Creates new Discord Player
+     * @param {Client} client The Discord Client
+     * @param {PlayerInitOptions} [options] The player init options
+     */
+    constructor(client: Client, options: PlayerInitOptions = {}) {
+        super();
+
+        /**
+         * The discord.js client
+         * @type {Client}
+         */
+        this.client = client;
+
+        if (this.client?.options?.intents && !new IntentsBitField(this.client?.options?.intents).has(IntentsBitField.Flags.GuildVoiceStates)) {
+            throw new PlayerError('client is missing "GuildVoiceStates" intent');
+        }
+
+        /**
+         * The extractors collection
+         * @type {ExtractorModel}
+         */
+        this.options = Object.assign(this.options, options);
+
+        this.client.on("voiceStateUpdate", this._handleVoiceState.bind(this));
+
+        if (this.options?.autoRegisterExtractor) {
+            let nv: any; // eslint-disable-line @typescript-eslint/no-explicit-any
+
+            if ((nv = Util.require("@discord-player/extractor"))) {
+                ["Attachment", "Facebook", "Reverbnation", "Vimeo"].forEach((ext) => void this.use(ext, nv[ext]));
+            }
+        }
+    }
+
+    /**
+     * Handles voice state update
+     * @param {VoiceState} oldState The old voice state
+     * @param {VoiceState} newState The new voice state
+     * @returns {void}
+     * @private
+     */
+    private _handleVoiceState(oldState: VoiceState, newState: VoiceState): void {
+        const queue = this.getQueue(oldState.guild.id);
+        if (!queue || !queue.connection) return;
+
+        if (oldState.channelId && !newState.channelId && newState.member.id === newState.guild.members.me.id) {
+            try {
+                queue.destroy();
+            } catch {
+                /* noop */
+            }
+            return void this.emit("botDisconnect", queue);
+        }
+
+        if (!oldState.channelId && newState.channelId && newState.member.id === newState.guild.members.me.id) {
+            if (!oldState.serverMute && newState.serverMute) {
+                // state.serverMute can be null
+                queue.setPaused(!!newState.serverMute);
+            } else if (!oldState.suppress && newState.suppress) {
+                // state.suppress can be null
+                queue.setPaused(!!newState.suppress);
+                if (newState.suppress) {
+                    newState.guild.members.me.voice.setRequestToSpeak(true).catch(Util.noop);
+                }
+            }
+        }
+
+        if (oldState.channelId === newState.channelId && newState.member.id === newState.guild.members.me.id) {
+            if (!oldState.serverMute && newState.serverMute) {
+                // state.serverMute can be null
+                queue.setPaused(!!newState.serverMute);
+            } else if (!oldState.suppress && newState.suppress) {
+                // state.suppress can be null
+                queue.setPaused(!!newState.suppress);
+                if (newState.suppress) {
+                    newState.guild.members.me.voice.setRequestToSpeak(true).catch(Util.noop);
+                }
+            }
+        }
+
+        if (queue.connection && !newState.channelId && oldState.channelId === queue.connection.channel.id) {
+            if (!Util.isVoiceEmpty(queue.connection.channel)) return;
+            const timeout = setTimeout(() => {
+                if (!Util.isVoiceEmpty(queue.connection.channel)) return;
+                if (!this.queues.has(queue.guild.id)) return;
+                if (queue.options.leaveOnEmpty) queue.destroy(true);
+                this.emit("channelEmpty", queue);
+            }, queue.options.leaveOnEmptyCooldown || 0).unref();
+            queue._cooldownsTimeout.set(`empty_${oldState.guild.id}`, timeout);
+        }
+
+        if (queue.connection && newState.channelId && newState.channelId === queue.connection.channel.id) {
+            const emptyTimeout = queue._cooldownsTimeout.get(`empty_${oldState.guild.id}`);
+            const channelEmpty = Util.isVoiceEmpty(queue.connection.channel);
+            if (!channelEmpty && emptyTimeout) {
+                clearTimeout(emptyTimeout);
+                queue._cooldownsTimeout.delete(`empty_${oldState.guild.id}`);
+            }
+        }
+
+        if (oldState.channelId && newState.channelId && oldState.channelId !== newState.channelId && newState.member.id === newState.guild.members.me.id) {
+            if (queue.connection && newState.member.id === newState.guild.members.me.id) queue.connection.channel = newState.channel;
+            const emptyTimeout = queue._cooldownsTimeout.get(`empty_${oldState.guild.id}`);
+            const channelEmpty = Util.isVoiceEmpty(queue.connection.channel);
+            if (!channelEmpty && emptyTimeout) {
+                clearTimeout(emptyTimeout);
+                queue._cooldownsTimeout.delete(`empty_${oldState.guild.id}`);
+            } else {
+                const timeout = setTimeout(() => {
+                    if (queue.connection && !Util.isVoiceEmpty(queue.connection.channel)) return;
+                    if (!this.queues.has(queue.guild.id)) return;
+                    if (queue.options.leaveOnEmpty) queue.destroy(true);
+                    this.emit("channelEmpty", queue);
+                }, queue.options.leaveOnEmptyCooldown || 0).unref();
+                queue._cooldownsTimeout.set(`empty_${oldState.guild.id}`, timeout);
+            }
+        }
+    }
+
+    /**
+     * Creates a queue for a guild if not available, else returns existing queue
+     * @param {GuildResolvable} guild The guild
+     * @param {PlayerOptions} queueInitOptions Queue init options
+     * @returns {Queue}
+     */
+    createQueue<T = unknown>(guild: GuildResolvable, queueInitOptions: PlayerOptions & { metadata?: T } = {}): Queue<T> {
+        guild = this.client.guilds.resolve(guild);
+        if (!guild) throw new PlayerError("Unknown Guild", ErrorStatusCode.UNKNOWN_GUILD);
+        if (this.queues.has(guild.id)) return this.queues.get(guild.id) as Queue<T>;
+
+        const _meta = queueInitOptions.metadata;
+        delete queueInitOptions["metadata"];
+        queueInitOptions.volumeSmoothness ??= 0.08;
+        const queue = new Queue(this, guild, queueInitOptions);
+        queue.metadata = _meta;
+        this.queues.set(guild.id, queue);
+
+        return queue as Queue<T>;
+    }
+
+    /**
+     * Returns the queue if available
+     * @param {GuildResolvable} guild The guild id
+     * @returns {Queue}
+     */
+    getQueue<T = unknown>(guild: GuildResolvable) {
+        guild = this.client.guilds.resolve(guild);
+        if (!guild) throw new PlayerError("Unknown Guild", ErrorStatusCode.UNKNOWN_GUILD);
+        return this.queues.get(guild.id) as Queue<T>;
+    }
+
+    /**
+     * Deletes a queue and returns deleted queue object
+     * @param {GuildResolvable} guild The guild id to remove
+     * @returns {Queue}
+     */
+    deleteQueue<T = unknown>(guild: GuildResolvable) {
+        guild = this.client.guilds.resolve(guild);
+        if (!guild) throw new PlayerError("Unknown Guild", ErrorStatusCode.UNKNOWN_GUILD);
+        const prev = this.getQueue<T>(guild);
+
+        try {
+            prev.destroy();
+        } catch {} // eslint-disable-line no-empty
+        this.queues.delete(guild.id);
+
+        return prev;
+    }
+
+    /**
+     * @typedef {object} PlayerSearchResult
+     * @property {Playlist} [playlist] The playlist (if any)
+     * @property {Track[]} tracks The tracks
+     */
+    /**
+     * Search tracks
+     * @param {string|Track} query The search query
+     * @param {SearchOptions} options The search options
+     * @returns {Promise<PlayerSearchResult>}
+     */
+    async search(query: string | Track, options: SearchOptions): Promise<PlayerSearchResult> {
+        if (query instanceof Track) return { playlist: query.playlist || null, tracks: [query] };
+        if (!options) throw new PlayerError("DiscordPlayer#search needs search options!", ErrorStatusCode.INVALID_ARG_TYPE);
+        options.requestedBy = this.client.users.resolve(options.requestedBy);
+        if (!("searchEngine" in options)) options.searchEngine = QueryType.AUTO;
+        if (typeof options.searchEngine === "string" && this.extractors.has(options.searchEngine)) {
+            const extractor = this.extractors.get(options.searchEngine);
+            if (!extractor.validate(query)) return { playlist: null, tracks: [] };
+            const data = await extractor.handle(query);
+            if (data && data.data.length) {
+                const playlist = !data.playlist
+                    ? null
+                    : new Playlist(this, {
+                          ...data.playlist,
+                          tracks: []
+                      });
+
+                const tracks = data.data.map(
+                    (m) =>
+                        new Track(this, {
+                            ...m,
+                            requestedBy: options.requestedBy as User,
+                            duration: Util.buildTimeCode(Util.parseMS(m.duration)),
+                            playlist: playlist
+                        })
+                );
+
+                if (playlist) playlist.tracks = tracks;
+
+                return { playlist: playlist, tracks: tracks };
+            }
+        }
+
+        // eslint-disable-next-line @typescript-eslint/no-unused-vars
+        for (const [_, extractor] of this.extractors) {
+            if (options.blockExtractor) break;
+            if (!extractor.validate(query)) continue;
+            const data = await extractor.handle(query);
+            if (data && data.data.length) {
+                const playlist = !data.playlist
+                    ? null
+                    : new Playlist(this, {
+                          ...data.playlist,
+                          tracks: []
+                      });
+
+                const tracks = data.data.map(
+                    (m) =>
+                        new Track(this, {
+                            ...m,
+                            requestedBy: options.requestedBy as User,
+                            duration: Util.buildTimeCode(Util.parseMS(m.duration)),
+                            playlist: playlist
+                        })
+                );
+
+                if (playlist) playlist.tracks = tracks;
+
+                return { playlist: playlist, tracks: tracks };
+            }
+        }
+
+        const qt = options.searchEngine === QueryType.AUTO ? await QueryResolver.resolve(query) : options.searchEngine;
+        switch (qt) {
+            case QueryType.YOUTUBE_VIDEO: {
+                const info = await play.video_info(query).catch(Util.noop);
+                if (!info) return { playlist: null, tracks: [] };
+
+                const track = new Track(this, {
+                    title: info.video_details.title,
+                    description: info.video_details.description,
+                    author: info.video_details.channel?.name,
+                    url: info.video_details.url,
+                    requestedBy: options.requestedBy as User,
+                    thumbnail: Util.last(info.video_details.thumbnails)?.url,
+                    views: info.video_details.views || 0,
+                    duration: Util.buildTimeCode(Util.parseMS(info.video_details.durationInSec * 1000)),
+                    source: "youtube",
+                    raw: info
+                });
+
+                return { playlist: null, tracks: [track] };
+            }
+            case QueryType.YOUTUBE_SEARCH: {
+                const videos = await play.search(query, {
+					limit: 10,
+                    source: { youtube: "video" }
+                }).catch(Util.noop);
+                if (!videos) return { playlist: null, tracks: [] };
+
+                const tracks = videos.map(m => {
+                    (m as any).source = "youtube"; // eslint-disable-line @typescript-eslint/no-explicit-any
+                    return new Track(this, {
+                        title: m.title,
+                        description: m.description,
+                        author: m.channel?.name,
+                        url: m.url,
+                        requestedBy: options.requestedBy as User,
+                        thumbnail: Util.last(m.thumbnails).url,
+                        views: m.views,
+                        duration: m.durationRaw,
+                        source: "youtube",
+                        raw: m
+                    });
+                });
+
+                return { playlist: null, tracks, searched: true };
+            }
+            case QueryType.SOUNDCLOUD_TRACK:
+            case QueryType.SOUNDCLOUD_SEARCH: {
+                const result = await QueryResolver.resolve(query) === QueryType.SOUNDCLOUD_TRACK ? [{ url: query }] : await play.search(query, {
+					limit: 5,
+					source: { soundcloud: "tracks" }
+				}).catch(() => []);
+                if (!result || !result.length) return { playlist: null, tracks: [] };
+                const res: Track[] = [];
+
+                for (const r of result) {
+                    const trackInfo = await play.soundcloud(r.url).catch(Util.noop);
+                    if (!trackInfo) continue;
+
+                    const track = new Track(this, {
+                        title: trackInfo.name,
+                        url: trackInfo.url,
+                        duration: Util.buildTimeCode(Util.parseMS(trackInfo.durationInMs)),
+                        description: "",
+                        thumbnail: trackInfo.user.thumbnail,
+                        views: 0,
+                        author: trackInfo.user.name,
+                        requestedBy: options.requestedBy,
+                        source: "soundcloud",
+                        engine: trackInfo
+                    });
+
+                    res.push(track);
+                }
+
+                return { playlist: null, tracks: res };
+            }
+            case QueryType.SPOTIFY_SONG: {
+                const spotifyData = await Spotify(await Util.getFetch())
+                    .getData(query)
+                    .catch(Util.noop);
+                if (!spotifyData) return { playlist: null, tracks: [] };
+                const spotifyTrack = new Track(this, {
+                    title: spotifyData.name,
+                    description: spotifyData.description ?? "",
+                    author: spotifyData.artists[0]?.name ?? "Unknown Artist",
+                    url: spotifyData.external_urls?.spotify ?? query,
+                    thumbnail:
+                        spotifyData.album?.images[0]?.url ?? spotifyData.preview_url?.length
+                            ? `https://i.scdn.co/image/${spotifyData.preview_url?.split("?cid=")[1]}`
+                            : "https://www.scdn.co/i/_global/twitter_card-default.jpg",
+                    duration: Util.buildTimeCode(Util.parseMS(spotifyData.duration_ms)),
+                    views: 0,
+                    requestedBy: options.requestedBy,
+                    source: "spotify"
+                });
+
+                return { playlist: null, tracks: [spotifyTrack] };
+            }
+            case QueryType.SPOTIFY_PLAYLIST:
+            case QueryType.SPOTIFY_ALBUM: {
+                const spotifyPlaylist = await Spotify(await Util.getFetch())
+                    .getData(query)
+                    .catch(Util.noop);
+                if (!spotifyPlaylist) return { playlist: null, tracks: [] };
+
+                const playlist = new Playlist(this, {
+                    title: spotifyPlaylist.name ?? spotifyPlaylist.title,
+                    description: spotifyPlaylist.description ?? "",
+                    thumbnail: spotifyPlaylist.images[0]?.url ?? "https://www.scdn.co/i/_global/twitter_card-default.jpg",
+                    type: spotifyPlaylist.type,
+                    source: "spotify",
+                    author:
+                        spotifyPlaylist.type !== "playlist"
+                            ? {
+                                  name: spotifyPlaylist.artists[0]?.name ?? "Unknown Artist",
+                                  url: spotifyPlaylist.artists[0]?.external_urls?.spotify ?? null
+                              }
+                            : {
+                                  name: spotifyPlaylist.owner?.display_name ?? spotifyPlaylist.owner?.id ?? "Unknown Artist",
+                                  url: spotifyPlaylist.owner?.external_urls?.spotify ?? null
+                              },
+                    tracks: [],
+                    id: spotifyPlaylist.id,
+                    url: spotifyPlaylist.external_urls?.spotify ?? query,
+                    rawPlaylist: spotifyPlaylist
+                });
+
+                if (spotifyPlaylist.type !== "playlist") {
+                    // eslint-disable-next-line @typescript-eslint/no-explicit-any
+                    playlist.tracks = spotifyPlaylist.tracks.items.map((m: any) => {
+                        const data = new Track(this, {
+                            title: m.name ?? "",
+                            description: m.description ?? "",
+                            author: m.artists[0]?.name ?? "Unknown Artist",
+                            url: m.external_urls?.spotify ?? query,
+                            thumbnail: spotifyPlaylist.images[0]?.url ?? "https://www.scdn.co/i/_global/twitter_card-default.jpg",
+                            duration: Util.buildTimeCode(Util.parseMS(m.duration_ms)),
+                            views: 0,
+                            requestedBy: options.requestedBy as User,
+                            playlist,
+                            source: "spotify"
+                        });
+
+                        return data;
+                    }) as Track[];
+                } else {
+                    // eslint-disable-next-line @typescript-eslint/no-explicit-any
+                    playlist.tracks = spotifyPlaylist.tracks.items.map((m: any) => {
+                        const data = new Track(this, {
+                            title: m.track.name ?? "",
+                            description: m.track.description ?? "",
+                            author: m.track.artists?.[0]?.name ?? "Unknown Artist",
+                            url: m.track.external_urls?.spotify ?? query,
+                            thumbnail: m.track.album?.images?.[0]?.url ?? "https://www.scdn.co/i/_global/twitter_card-default.jpg",
+                            duration: Util.buildTimeCode(Util.parseMS(m.track.duration_ms)),
+                            views: 0,
+                            requestedBy: options.requestedBy as User,
+                            playlist,
+                            source: "spotify"
+                        });
+
+                        return data;
+                    }) as Track[];
+                }
+
+                return { playlist: playlist, tracks: playlist.tracks };
+            }
+            case QueryType.SOUNDCLOUD_PLAYLIST: {
+                const data = await play.soundcloud(query).catch(Util.noop) as unknown as SoundCloudPlaylist;
+                if (!data) return { playlist: null, tracks: [] };
+
+                const res = new Playlist(this, {
+                    title: data.name,
+                    description: "",
+                    thumbnail: "https://soundcloud.com/pwa-icon-192.png",
+                    type: "playlist",
+                    source: "soundcloud",
+                    author: {
+                        name: data.user.name ?? "Unknown Owner",
+                        url: data.user.url
+                    },
+                    tracks: [],
+                    id: `${data.id}`, // stringified
+                    url: data.url,
+                    rawPlaylist: data
+                });
+
+				const songs = await data.all_tracks();
+                for (const song of songs) {
+                    const track = new Track(this, {
+                        title: song.name,
+                        description: "",
+                        author: song.publisher.name ?? "Unknown Publisher",
+                        url: song.url,
+                        thumbnail: song.thumbnail,
+                        duration: Util.buildTimeCode(Util.parseMS(song.durationInMs)),
+                        views: 0,
+                        requestedBy: options.requestedBy,
+                        playlist: res,
+                        source: "soundcloud",
+                        engine: song
+                    });
+                    res.tracks.push(track);
+                }
+
+                return { playlist: res, tracks: res.tracks };
+            }
+            case QueryType.YOUTUBE_PLAYLIST: {
+                const ytpl = await play.playlist_info(query, { incomplete: true }).catch(Util.noop) as unknown as YouTubePlayList;
+                if (!ytpl) return { playlist: null, tracks: [] };
+
+                const playlist: Playlist = new Playlist(this, {
+                    title: ytpl.title,
+                    thumbnail: ytpl.thumbnail as unknown as string,
+                    description: "",
+                    type: "playlist",
+                    source: "youtube",
+                    author: {
+                        name: ytpl.channel.name,
+                        url: ytpl.channel.url
+                    },
+                    tracks: [],
+                    id: ytpl.id,
+                    url: ytpl.url,
+                    rawPlaylist: ytpl
+                });
+
+				const videos = await ytpl.all_videos();
+                playlist.tracks = videos.map(video =>
+                    new Track(this, {
+                        title: video.title,
+                        description: video.description,
+                        author: video.channel?.name,
+                        url: video.url,
+                        requestedBy: options.requestedBy as User,
+                        thumbnail: Util.last(video.thumbnails).url,
+                        views: video.views,
+                        duration: video.durationRaw,
+                        raw: video,
+                        playlist: playlist,
+                        source: "youtube"
+                    }));
+
+                return { playlist: playlist, tracks: playlist.tracks };
+            }
+            default:
+                return { playlist: null, tracks: [] };
+        }
+    }
+
+    /**
+     * Registers extractor
+     * @param {string} extractorName The extractor name
+     * @param {ExtractorModel|any} extractor The extractor object
+     * @param {boolean} [force=false] Overwrite existing extractor with this name (if available)
+     * @returns {ExtractorModel}
+     */
+    // eslint-disable-next-line @typescript-eslint/no-explicit-any
+    use(extractorName: string, extractor: ExtractorModel | any, force = false): ExtractorModel {
+        if (!extractorName) throw new PlayerError("Cannot use unknown extractor!", ErrorStatusCode.UNKNOWN_EXTRACTOR);
+        if (this.extractors.has(extractorName) && !force) return this.extractors.get(extractorName);
+        if (extractor instanceof ExtractorModel) {
+            this.extractors.set(extractorName, extractor);
+            return extractor;
+        }
+
+        for (const method of ["validate", "getInfo"]) {
+            if (typeof extractor[method] !== "function") throw new PlayerError("Invalid extractor data!", ErrorStatusCode.INVALID_EXTRACTOR);
+        }
+
+        const model = new ExtractorModel(extractorName, extractor);
+        this.extractors.set(model.name, model);
+
+        return model;
+    }
+
+    /**
+     * Removes registered extractor
+     * @param {string} extractorName The extractor name
+     * @returns {ExtractorModel}
+     */
+    unuse(extractorName: string) {
+        if (!this.extractors.has(extractorName)) throw new PlayerError(`Cannot find extractor "${extractorName}"`, ErrorStatusCode.UNKNOWN_EXTRACTOR);
+        const prev = this.extractors.get(extractorName);
+        this.extractors.delete(extractorName);
+        return prev;
+    }
+
+    /**
+     * Generates a report of the dependencies used by the `@discordjs/voice` module. Useful for debugging.
+     * @returns {string}
+     */
+    scanDeps() {
+        const line = "-".repeat(50);
+        const depsReport = generateDependencyReport();
+        const extractorReport = this.extractors
+            .map((m) => {
+                return `${m.name} :: ${m.version || "0.1.0"}`;
+            })
+            .join("\n");
+        return `${depsReport}\n${line}\nLoaded Extractors:\n${extractorReport || "None"}`;
+    }
+
+    emit<U extends keyof PlayerEvents>(eventName: U, ...args: Parameters<PlayerEvents[U]>): boolean {
+        if (this.requiredEvents.includes(eventName) && !super.eventNames().includes(eventName)) {
+            // eslint-disable-next-line no-console
+            console.error(...args);
+            process.emitWarning(`[DiscordPlayerWarning] Unhandled "${eventName}" event! Events ${this.requiredEvents.map((m) => `"${m}"`).join(", ")} must have event listeners!`);
+            return false;
+        } else {
+            return super.emit(eventName, ...args);
+        }
+    }
+
+    /**
+     * Resolves queue
+     * @param {GuildResolvable|Queue} queueLike Queue like object
+     * @returns {Queue}
+     */
+    resolveQueue<T>(queueLike: GuildResolvable | Queue): Queue<T> {
+        return this.getQueue(queueLike instanceof Queue ? queueLike.guild : queueLike);
+    }
+
+    *[Symbol.iterator]() {
+        yield* Array.from(this.queues.values());
+    }
+
+    /**
+     * Creates `Playlist` instance
+     * @param data The data to initialize a playlist
+     */
+    createPlaylist(data: PlaylistInitData) {
+        return new Playlist(this, data);
+    }
+}
+
+export { Player };
diff --git a/helpers/Music/src/Structures/ExtractorModel.ts b/helpers/Music/src/Structures/ExtractorModel.ts
new file mode 100644
index 00000000..dc816180
--- /dev/null
+++ b/helpers/Music/src/Structures/ExtractorModel.ts
@@ -0,0 +1,73 @@
+import { ExtractorModelData } from "../types/types";
+
+class ExtractorModel {
+    name: string;
+    private _raw: any; // eslint-disable-line @typescript-eslint/no-explicit-any
+
+    /**
+     * Model for raw Discord Player extractors
+     * @param {string} extractorName Name of the extractor
+     * @param {object} data Extractor object
+     */
+    // eslint-disable-next-line @typescript-eslint/no-explicit-any
+    constructor(extractorName: string, data: any) {
+        /**
+         * The extractor name
+         * @type {string}
+         */
+        this.name = extractorName;
+
+        /**
+         * The raw model
+         * @name ExtractorModel#_raw
+         * @type {any}
+         * @private
+         */
+        Object.defineProperty(this, "_raw", { value: data, configurable: false, writable: false, enumerable: false });
+    }
+
+    /**
+     * Method to handle requests from `Player.play()`
+     * @param {string} query Query to handle
+     * @returns {Promise<ExtractorModelData>}
+     */
+    async handle(query: string): Promise<ExtractorModelData> {
+        const data = await this._raw.getInfo(query);
+        if (!data) return null;
+
+        return {
+            playlist: data.playlist ?? null,
+            data:
+                (data.info as Omit<ExtractorModelData, "playlist">["data"])?.map((m) => ({
+                    title: m.title as string,
+                    duration: m.duration as number,
+                    thumbnail: m.thumbnail as string,
+                    engine: m.engine,
+                    views: m.views as number,
+                    author: m.author as string,
+                    description: m.description as string,
+                    url: m.url as string,
+                    source: m.source || "arbitrary"
+                })) ?? []
+        };
+    }
+
+    /**
+     * Method used by Discord Player to validate query with this extractor
+     * @param {string} query The query to validate
+     * @returns {boolean}
+     */
+    validate(query: string): boolean {
+        return Boolean(this._raw.validate(query));
+    }
+
+    /**
+     * The extractor version
+     * @type {string}
+     */
+    get version(): string {
+        return this._raw.version ?? "0.0.0";
+    }
+}
+
+export { ExtractorModel };
diff --git a/helpers/Music/src/Structures/PlayerError.ts b/helpers/Music/src/Structures/PlayerError.ts
new file mode 100644
index 00000000..da36da6f
--- /dev/null
+++ b/helpers/Music/src/Structures/PlayerError.ts
@@ -0,0 +1,53 @@
+export enum ErrorStatusCode {
+    STREAM_ERROR = "StreamError",
+    AUDIO_PLAYER_ERROR = "AudioPlayerError",
+    PLAYER_ERROR = "PlayerError",
+    NO_AUDIO_RESOURCE = "NoAudioResource",
+    UNKNOWN_GUILD = "UnknownGuild",
+    INVALID_ARG_TYPE = "InvalidArgType",
+    UNKNOWN_EXTRACTOR = "UnknownExtractor",
+    INVALID_EXTRACTOR = "InvalidExtractor",
+    INVALID_CHANNEL_TYPE = "InvalidChannelType",
+    INVALID_TRACK = "InvalidTrack",
+    UNKNOWN_REPEAT_MODE = "UnknownRepeatMode",
+    TRACK_NOT_FOUND = "TrackNotFound",
+    NO_CONNECTION = "NoConnection",
+    DESTROYED_QUEUE = "DestroyedQueue"
+}
+
+export class PlayerError extends Error {
+    message: string;
+    statusCode: ErrorStatusCode;
+    createdAt = new Date();
+
+    constructor(message: string, code: ErrorStatusCode = ErrorStatusCode.PLAYER_ERROR) {
+        super();
+
+        this.message = `[${code}] ${message}`;
+        this.statusCode = code;
+        this.name = code;
+
+        Error.captureStackTrace(this);
+    }
+
+    get createdTimestamp() {
+        return this.createdAt.getTime();
+    }
+
+    valueOf() {
+        return this.statusCode;
+    }
+
+    toJSON() {
+        return {
+            stack: this.stack,
+            code: this.statusCode,
+            message: this.message,
+            created: this.createdTimestamp
+        };
+    }
+
+    toString() {
+        return this.stack;
+    }
+}
diff --git a/helpers/Music/src/Structures/Playlist.ts b/helpers/Music/src/Structures/Playlist.ts
new file mode 100644
index 00000000..d76dd668
--- /dev/null
+++ b/helpers/Music/src/Structures/Playlist.ts
@@ -0,0 +1,138 @@
+import { Player } from "../Player";
+import { Track } from "./Track";
+import { PlaylistInitData, PlaylistJSON, TrackJSON, TrackSource } from "../types/types";
+
+class Playlist {
+    public readonly player: Player;
+    public tracks: Track[];
+    public title: string;
+    public description: string;
+    public thumbnail: string;
+    public type: "album" | "playlist";
+    public source: TrackSource;
+    public author: {
+        name: string;
+        url: string;
+    };
+    public id: string;
+    public url: string;
+    public readonly rawPlaylist?: any; // eslint-disable-line @typescript-eslint/no-explicit-any
+
+    /**
+     * Playlist constructor
+     * @param {Player} player The player
+     * @param {PlaylistInitData} data The data
+     */
+    constructor(player: Player, data: PlaylistInitData) {
+        /**
+         * The player
+         * @name Playlist#player
+         * @type {Player}
+         * @readonly
+         */
+        this.player = player;
+
+        /**
+         * The tracks in this playlist
+         * @name Playlist#tracks
+         * @type {Track[]}
+         */
+        this.tracks = data.tracks ?? [];
+
+        /**
+         * The author of this playlist
+         * @name Playlist#author
+         * @type {object}
+         */
+        this.author = data.author;
+
+        /**
+         * The description
+         * @name Playlist#description
+         * @type {string}
+         */
+        this.description = data.description;
+
+        /**
+         * The thumbnail of this playlist
+         * @name Playlist#thumbnail
+         * @type {string}
+         */
+        this.thumbnail = data.thumbnail;
+
+        /**
+         * The playlist type:
+         * - `album`
+         * - `playlist`
+         * @name Playlist#type
+         * @type {string}
+         */
+        this.type = data.type;
+
+        /**
+         * The source of this playlist:
+         * - `youtube`
+         * - `soundcloud`
+         * - `spotify`
+         * - `arbitrary`
+         * @name Playlist#source
+         * @type {string}
+         */
+        this.source = data.source;
+
+        /**
+         * The playlist id
+         * @name Playlist#id
+         * @type {string}
+         */
+        this.id = data.id;
+
+        /**
+         * The playlist url
+         * @name Playlist#url
+         * @type {string}
+         */
+        this.url = data.url;
+
+        /**
+         * The playlist title
+         * @type {string}
+         */
+        this.title = data.title;
+
+        /**
+         * @name Playlist#rawPlaylist
+         * @type {any}
+         * @readonly
+         */
+    }
+
+    *[Symbol.iterator]() {
+        yield* this.tracks;
+    }
+
+    /**
+     * JSON representation of this playlist
+     * @param {boolean} [withTracks=true] If it should build json with tracks
+     * @returns {PlaylistJSON}
+     */
+    toJSON(withTracks = true) {
+        const payload = {
+            id: this.id,
+            url: this.url,
+            title: this.title,
+            description: this.description,
+            thumbnail: this.thumbnail,
+            type: this.type,
+            source: this.source,
+            author: this.author,
+            tracks: [] as TrackJSON[]
+        };
+
+        if (withTracks) payload.tracks = this.tracks.map((m) => m.toJSON(true));
+
+        return payload as PlaylistJSON;
+    }
+}
+
+export { Playlist };
diff --git a/helpers/Music/src/Structures/Queue.ts b/helpers/Music/src/Structures/Queue.ts
new file mode 100644
index 00000000..f55d836a
--- /dev/null
+++ b/helpers/Music/src/Structures/Queue.ts
@@ -0,0 +1,776 @@
+import { Collection, Guild, StageChannel, VoiceChannel, SnowflakeUtil, GuildChannelResolvable, ChannelType } from "discord.js";
+import { Player } from "../Player";
+import { StreamDispatcher } from "../VoiceInterface/StreamDispatcher";
+import Track from "./Track";
+import { PlayerOptions, PlayerProgressbarOptions, PlayOptions, QueueFilters, QueueRepeatMode, TrackSource } from "../types/types";
+import { AudioResource, StreamType } from "@discordjs/voice";
+import play from "play-dl";
+import { Util } from "../utils/Util";
+import AudioFilters from "../utils/AudioFilters";
+import { PlayerError, ErrorStatusCode } from "./PlayerError";
+import type { Readable } from "stream";
+import { VolumeTransformer } from "../VoiceInterface/VolumeTransformer";
+import { createFFmpegStream } from "../utils/FFmpegStream";
+
+class Queue<T = unknown> {
+    public readonly guild: Guild;
+    public readonly player: Player;
+    public connection: StreamDispatcher;
+    public tracks: Track[] = [];
+    public previousTracks: Track[] = [];
+    public options: PlayerOptions;
+    public playing = false;
+    public metadata?: T = null;
+    public repeatMode: QueueRepeatMode = 0;
+    public readonly id = SnowflakeUtil.generate().toString();
+    private _streamTime = 0;
+    public _cooldownsTimeout = new Collection<string, NodeJS.Timeout>();
+    private _activeFilters: any[] = []; // eslint-disable-line @typescript-eslint/no-explicit-any
+    private _filtersUpdate = false;
+    #lastVolume = 0;
+    #destroyed = false;
+    public onBeforeCreateStream: (track: Track, source: TrackSource, queue: Queue) => Promise<Readable | undefined> = null;
+
+    /**
+     * Queue constructor
+     * @param {Player} player The player that instantiated this queue
+     * @param {Guild} guild The guild that instantiated this queue
+     * @param {PlayerOptions} [options] Player options for the queue
+     */
+    constructor(player: Player, guild: Guild, options: PlayerOptions = {}) {
+        /**
+         * The player that instantiated this queue
+         * @type {Player}
+         * @readonly
+         */
+        this.player = player;
+
+        /**
+         * The guild that instantiated this queue
+         * @type {Guild}
+         * @readonly
+         */
+        this.guild = guild;
+
+        /**
+         * The player options for this queue
+         * @type {PlayerOptions}
+         */
+        this.options = {};
+
+        /**
+         * Queue repeat mode
+         * @type {QueueRepeatMode}
+         * @name Queue#repeatMode
+         */
+
+        /**
+         * Queue metadata
+         * @type {any}
+         * @name Queue#metadata
+         */
+
+        /**
+         * Previous tracks
+         * @type {Track[]}
+         * @name Queue#previousTracks
+         */
+
+        /**
+         * Regular tracks
+         * @type {Track[]}
+         * @name Queue#tracks
+         */
+
+        /**
+         * The connection
+         * @type {StreamDispatcher}
+         * @name Queue#connection
+         */
+
+        /**
+         * The ID of this queue
+         * @type {Snowflake}
+         * @name Queue#id
+         */
+
+        Object.assign(
+            this.options,
+            {
+                leaveOnEnd: true,
+                leaveOnStop: true,
+                leaveOnEmpty: true,
+                leaveOnEmptyCooldown: 1000,
+                autoSelfDeaf: true,
+                ytdlOptions: {
+                    highWaterMark: 1 << 25
+                },
+                initialVolume: 100,
+                bufferingTimeout: 3000,
+                spotifyBridge: true,
+                disableVolume: false
+            } as PlayerOptions,
+            options
+        );
+
+        if ("onBeforeCreateStream" in this.options) this.onBeforeCreateStream = this.options.onBeforeCreateStream;
+
+        this.player.emit("debug", this, `Queue initialized:\n\n${this.player.scanDeps()}`);
+    }
+
+    /**
+     * Returns current track
+     * @type {Track}
+     */
+    get current() {
+        if (this.#watchDestroyed()) return;
+        return this.connection.audioResource?.metadata ?? this.tracks[0];
+    }
+
+    /**
+     * If this queue is destroyed
+     * @type {boolean}
+     */
+    get destroyed() {
+        return this.#destroyed;
+    }
+
+    /**
+     * Returns current track
+     * @returns {Track}
+     */
+    nowPlaying() {
+        if (this.#watchDestroyed()) return;
+        return this.current;
+    }
+
+    /**
+     * Connects to a voice channel
+     * @param {GuildChannelResolvable} channel The voice/stage channel
+     * @returns {Promise<Queue>}
+     */
+    async connect(channel: GuildChannelResolvable) {
+        if (this.#watchDestroyed()) return;
+        const _channel = this.guild.channels.resolve(channel) as StageChannel | VoiceChannel;
+        if (![ChannelType.GuildStageVoice, ChannelType.GuildVoice].includes(_channel?.type))
+            throw new PlayerError(`Channel type must be GuildVoice or GuildStageVoice, got ${_channel?.type}!`, ErrorStatusCode.INVALID_ARG_TYPE);
+        const connection = await this.player.voiceUtils.connect(_channel, {
+            deaf: this.options.autoSelfDeaf
+        });
+        this.connection = connection;
+
+        if (_channel.type === ChannelType.GuildStageVoice) {
+            await _channel.guild.members.me.voice.setSuppressed(false).catch(async () => {
+                return await _channel.guild.members.me.voice.setRequestToSpeak(true).catch(Util.noop);
+            });
+        }
+
+        this.connection.on("error", (err) => {
+            if (this.#watchDestroyed(false)) return;
+            this.player.emit("connectionError", this, err);
+        });
+        this.connection.on("debug", (msg) => {
+            if (this.#watchDestroyed(false)) return;
+            this.player.emit("debug", this, msg);
+        });
+
+        this.player.emit("connectionCreate", this, this.connection);
+
+        this.connection.on("start", (resource) => {
+            if (this.#watchDestroyed(false)) return;
+            this.playing = true;
+            if (!this._filtersUpdate) this.player.emit("trackStart", this, resource?.metadata ?? this.current);
+            this._filtersUpdate = false;
+        });
+
+        this.connection.on("finish", async (resource) => {
+            if (this.#watchDestroyed(false)) return;
+            this.playing = false;
+            if (this._filtersUpdate) return;
+            this._streamTime = 0;
+            if (resource?.metadata) this.previousTracks.push(resource.metadata);
+
+            this.player.emit("trackEnd", this, resource.metadata);
+
+            if (!this.tracks.length && this.repeatMode === QueueRepeatMode.OFF) {
+                if (this.options.leaveOnEnd) this.destroy();
+                this.player.emit("queueEnd", this);
+            } else if (!this.tracks.length && this.repeatMode === QueueRepeatMode.AUTOPLAY) {
+                this._handleAutoplay(Util.last(this.previousTracks));
+            } else {
+                if (this.repeatMode === QueueRepeatMode.TRACK) return void this.play(Util.last(this.previousTracks), { immediate: true });
+                if (this.repeatMode === QueueRepeatMode.QUEUE) this.tracks.push(Util.last(this.previousTracks));
+                const nextTrack = this.tracks.shift();
+                this.play(nextTrack, { immediate: true });
+                return;
+            }
+        });
+
+        return this;
+    }
+
+    /**
+     * Destroys this queue
+     * @param {boolean} [disconnect=this.options.leaveOnStop] If it should leave on destroy
+     * @returns {void}
+     */
+    destroy(disconnect = this.options.leaveOnStop) {
+        if (this.#watchDestroyed()) return;
+        if (this.connection) this.connection.end();
+        if (disconnect) this.connection?.disconnect();
+        this.player.queues.delete(this.guild.id);
+        this.player.voiceUtils.cache.delete(this.guild.id);
+        this.#destroyed = true;
+    }
+
+    /**
+     * Skips current track
+     * @returns {boolean}
+     */
+    skip() {
+        if (this.#watchDestroyed()) return;
+        if (!this.connection) return false;
+        this._filtersUpdate = false;
+        this.connection.end();
+        return true;
+    }
+
+    /**
+     * Adds single track to the queue
+     * @param {Track} track The track to add
+     * @returns {void}
+     */
+    addTrack(track: Track) {
+        if (this.#watchDestroyed()) return;
+        if (!(track instanceof Track)) throw new PlayerError("invalid track", ErrorStatusCode.INVALID_TRACK);
+        this.tracks.push(track);
+        this.player.emit("trackAdd", this, track);
+    }
+
+    /**
+     * Adds multiple tracks to the queue
+     * @param {Track[]} tracks Array of tracks to add
+     */
+    addTracks(tracks: Track[]) {
+        if (this.#watchDestroyed()) return;
+        if (!tracks.every((y) => y instanceof Track)) throw new PlayerError("invalid track", ErrorStatusCode.INVALID_TRACK);
+        this.tracks.push(...tracks);
+        this.player.emit("tracksAdd", this, tracks);
+    }
+
+    /**
+     * Sets paused state
+     * @param {boolean} paused The paused state
+     * @returns {boolean}
+     */
+    setPaused(paused?: boolean) {
+        if (this.#watchDestroyed()) return;
+        if (!this.connection) return false;
+        return paused ? this.connection.pause(true) : this.connection.resume();
+    }
+
+    /**
+     * Sets bitrate
+     * @param  {number|auto} bitrate bitrate to set
+     * @returns {void}
+     */
+    setBitrate(bitrate: number | "auto") {
+        if (this.#watchDestroyed()) return;
+        if (!this.connection?.audioResource?.encoder) return;
+        if (bitrate === "auto") bitrate = this.connection.channel?.bitrate ?? 64000;
+        this.connection.audioResource.encoder.setBitrate(bitrate);
+    }
+
+    /**
+     * Sets volume
+     * @param {number} amount The volume amount
+     * @returns {boolean}
+     */
+    setVolume(amount: number) {
+        if (this.#watchDestroyed()) return;
+        if (!this.connection) return false;
+        this.#lastVolume = amount;
+        this.options.initialVolume = amount;
+        return this.connection.setVolume(amount);
+    }
+    /**
+     * Sets repeat mode
+     * @param  {QueueRepeatMode} mode The repeat mode
+     * @returns {boolean}
+     */
+    setRepeatMode(mode: QueueRepeatMode) {
+        if (this.#watchDestroyed()) return;
+        if (![QueueRepeatMode.OFF, QueueRepeatMode.QUEUE, QueueRepeatMode.TRACK, QueueRepeatMode.AUTOPLAY].includes(mode))
+            throw new PlayerError(`Unknown repeat mode "${mode}"!`, ErrorStatusCode.UNKNOWN_REPEAT_MODE);
+        if (mode === this.repeatMode) return false;
+        this.repeatMode = mode;
+        return true;
+    }
+
+    /**
+     * The current volume amount
+     * @type {number}
+     */
+    get volume() {
+        if (this.#watchDestroyed()) return;
+        if (!this.connection) return 100;
+        return this.connection.volume;
+    }
+
+    set volume(amount: number) {
+        this.setVolume(amount);
+    }
+
+    /**
+     * The stream time of this queue
+     * @type {number}
+     */
+    get streamTime() {
+        if (this.#watchDestroyed()) return;
+        if (!this.connection) return 0;
+        const playbackTime = this._streamTime + this.connection.streamTime;
+        const NC = this._activeFilters.includes("nightcore") ? 1.25 : null;
+        const VW = this._activeFilters.includes("vaporwave") ? 0.8 : null;
+
+        if (NC && VW) return playbackTime * (NC + VW);
+        return NC ? playbackTime * NC : VW ? playbackTime * VW : playbackTime;
+    }
+
+    set streamTime(time: number) {
+        if (this.#watchDestroyed()) return;
+        this.seek(time);
+    }
+
+    /**
+     * Returns enabled filters
+     * @returns {AudioFilters}
+     */
+    getFiltersEnabled() {
+        if (this.#watchDestroyed()) return;
+        return AudioFilters.names.filter((x) => this._activeFilters.includes(x));
+    }
+
+    /**
+     * Returns disabled filters
+     * @returns {AudioFilters}
+     */
+    getFiltersDisabled() {
+        if (this.#watchDestroyed()) return;
+        return AudioFilters.names.filter((x) => !this._activeFilters.includes(x));
+    }
+
+    /**
+     * Sets filters
+     * @param {QueueFilters} filters Queue filters
+     * @returns {Promise<void>}
+     */
+    async setFilters(filters?: QueueFilters) {
+        if (this.#watchDestroyed()) return;
+        if (!filters || !Object.keys(filters).length) {
+            // reset filters
+            const streamTime = this.streamTime;
+            this._activeFilters = [];
+            return await this.play(this.current, {
+                immediate: true,
+                filtersUpdate: true,
+                seek: streamTime,
+                encoderArgs: []
+            });
+        }
+
+        const _filters: any[] = []; // eslint-disable-line @typescript-eslint/no-explicit-any
+
+        for (const filter in filters) {
+            if (filters[filter as keyof QueueFilters] === true) _filters.push(filter);
+        }
+
+        if (this._activeFilters.join("") === _filters.join("")) return;
+
+        const newFilters = AudioFilters.create(_filters).trim();
+        const streamTime = this.streamTime;
+        this._activeFilters = _filters;
+
+        return await this.play(this.current, {
+            immediate: true,
+            filtersUpdate: true,
+            seek: streamTime,
+            encoderArgs: !_filters.length ? undefined : ["-af", newFilters]
+        });
+    }
+
+    /**
+     * Seeks to the given time
+     * @param {number} position The position
+     * @returns {boolean}
+     */
+    async seek(position: number) {
+        if (this.#watchDestroyed()) return;
+        if (!this.playing || !this.current) return false;
+        if (position < 1) position = 0;
+        if (position >= this.current.durationMS) return this.skip();
+
+        await this.play(this.current, {
+            immediate: true,
+            filtersUpdate: true, // to stop events
+            seek: position
+        });
+
+        return true;
+    }
+
+    /**
+     * Plays previous track
+     * @returns {Promise<void>}
+     */
+    async back() {
+        if (this.#watchDestroyed()) return;
+        const prev = this.previousTracks[this.previousTracks.length - 2]; // because last item is the current track
+        if (!prev) throw new PlayerError("Could not find previous track", ErrorStatusCode.TRACK_NOT_FOUND);
+
+        return await this.play(prev, { immediate: true });
+    }
+
+    /**
+     * Clear this queue
+     */
+    clear() {
+        if (this.#watchDestroyed()) return;
+        this.tracks = [];
+        this.previousTracks = [];
+    }
+
+    /**
+     * Stops the player
+     * @returns {void}
+     */
+    stop() {
+        if (this.#watchDestroyed()) return;
+        return this.destroy();
+    }
+
+    /**
+     * Shuffles this queue
+     * @returns {boolean}
+     */
+    shuffle() {
+        if (this.#watchDestroyed()) return;
+        if (!this.tracks.length || this.tracks.length < 2) return false;
+
+        for (let i = this.tracks.length - 1; i > 0; i--) {
+            const j = Math.floor(Math.random() * (i + 1));
+            [this.tracks[i], this.tracks[j]] = [this.tracks[j], this.tracks[i]];
+        }
+
+        return true;
+    }
+
+    /**
+     * Removes a track from the queue
+     * @param {Track|string|number} track The track to remove
+     * @returns {Track}
+     */
+    remove(track: Track | string | number) {
+        if (this.#watchDestroyed()) return;
+        let trackFound: Track = null;
+        if (typeof track === "number") {
+            trackFound = this.tracks[track];
+            if (trackFound) {
+                this.tracks = this.tracks.filter((t) => t.id !== trackFound.id);
+            }
+        } else {
+            trackFound = this.tracks.find((s) => s.id === (track instanceof Track ? track.id : track));
+            if (trackFound) {
+                this.tracks = this.tracks.filter((s) => s.id !== trackFound.id);
+            }
+        }
+
+        return trackFound;
+    }
+
+    /**
+     * Returns the index of the specified track. If found, returns the track index else returns -1.
+     * @param {number|Track|string} track The track
+     * @returns {number}
+     */
+    getTrackPosition(track: number | Track | string) {
+        if (this.#watchDestroyed()) return;
+        if (typeof track === "number") return this.tracks[track] != null ? track : -1;
+        return this.tracks.findIndex((pred) => pred.id === (track instanceof Track ? track.id : track));
+    }
+
+    /**
+     * Jumps to particular track
+     * @param {Track|number} track The track
+     * @returns {void}
+     */
+    jump(track: Track | number): void {
+        if (this.#watchDestroyed()) return;
+        const foundTrack = this.remove(track);
+        if (!foundTrack) throw new PlayerError("Track not found", ErrorStatusCode.TRACK_NOT_FOUND);
+
+        this.tracks.splice(0, 0, foundTrack);
+
+        return void this.skip();
+    }
+
+    /**
+     * Jumps to particular track, removing other tracks on the way
+     * @param {Track|number} track The track
+     * @returns {void}
+     */
+    skipTo(track: Track | number): void {
+        if (this.#watchDestroyed()) return;
+        const trackIndex = this.getTrackPosition(track);
+        const removedTrack = this.remove(track);
+        if (!removedTrack) throw new PlayerError("Track not found", ErrorStatusCode.TRACK_NOT_FOUND);
+
+        this.tracks.splice(0, trackIndex, removedTrack);
+
+        return void this.skip();
+    }
+
+    /**
+     * Inserts the given track to specified index
+     * @param {Track} track The track to insert
+     * @param {number} [index=0] The index where this track should be
+     */
+    insert(track: Track, index = 0) {
+        if (this.#watchDestroyed()) return;
+        if (!track || !(track instanceof Track)) throw new PlayerError("track must be the instance of Track", ErrorStatusCode.INVALID_TRACK);
+        if (typeof index !== "number" || index < 0 || !Number.isFinite(index)) throw new PlayerError(`Invalid index "${index}"`, ErrorStatusCode.INVALID_ARG_TYPE);
+
+        this.tracks.splice(index, 0, track);
+
+        this.player.emit("trackAdd", this, track);
+    }
+
+    /**
+     * @typedef {object} PlayerTimestamp
+     * @property {string} current The current progress
+     * @property {string} end The total time
+     * @property {number} progress Progress in %
+     */
+
+    /**
+     * Returns player stream timestamp
+     * @returns {PlayerTimestamp}
+     */
+    getPlayerTimestamp() {
+        if (this.#watchDestroyed()) return;
+        const currentStreamTime = this.streamTime;
+        const totalTime = this.current.durationMS;
+
+        const currentTimecode = Util.buildTimeCode(Util.parseMS(currentStreamTime));
+        const endTimecode = Util.buildTimeCode(Util.parseMS(totalTime));
+
+        return {
+            current: currentTimecode,
+            end: endTimecode,
+            progress: Math.round((currentStreamTime / totalTime) * 100)
+        };
+    }
+
+    /**
+     * Creates progress bar string
+     * @param {PlayerProgressbarOptions} options The progress bar options
+     * @returns {string}
+     */
+    createProgressBar(options: PlayerProgressbarOptions = { timecodes: true }) {
+        if (this.#watchDestroyed()) return;
+        const length = typeof options.length === "number" ? (options.length <= 0 || options.length === Infinity ? 15 : options.length) : 15;
+
+        const index = Math.round((this.streamTime / this.current.durationMS) * length);
+        const indicator = typeof options.indicator === "string" && options.indicator.length > 0 ? options.indicator : "🔘";
+        const line = typeof options.line === "string" && options.line.length > 0 ? options.line : "▬";
+
+        if (index >= 1 && index <= length) {
+            const bar = line.repeat(length - 1).split("");
+            bar.splice(index, 0, indicator);
+            if (options.timecodes) {
+                const timestamp = this.getPlayerTimestamp();
+                return `${timestamp.current} ┃ ${bar.join("")} ┃ ${timestamp.end}`;
+            } else {
+                return `${bar.join("")}`;
+            }
+        } else {
+            if (options.timecodes) {
+                const timestamp = this.getPlayerTimestamp();
+                return `${timestamp.current} ┃ ${indicator}${line.repeat(length - 1)} ┃ ${timestamp.end}`;
+            } else {
+                return `${indicator}${line.repeat(length - 1)}`;
+            }
+        }
+    }
+
+    /**
+     * Total duration
+     * @type {Number}
+     */
+    get totalTime(): number {
+        if (this.#watchDestroyed()) return;
+        return this.tracks.length > 0 ? this.tracks.map((t) => t.durationMS).reduce((p, c) => p + c) : 0;
+    }
+
+    /**
+     * Play stream in a voice/stage channel
+     * @param {Track} [src] The track to play (if empty, uses first track from the queue)
+     * @param {PlayOptions} [options] The options
+     * @returns {Promise<void>}
+     */
+    async play(src?: Track, options: PlayOptions = {}): Promise<void> {
+        if (this.#watchDestroyed(false)) return;
+        if (!this.connection || !this.connection.voiceConnection) throw new PlayerError("Voice connection is not available, use <Queue>.connect()!", ErrorStatusCode.NO_CONNECTION);
+        if (src && (this.playing || this.tracks.length) && !options.immediate) return this.addTrack(src);
+        const track = options.filtersUpdate && !options.immediate ? src || this.current : src ?? this.tracks.shift();
+        if (!track) return;
+
+        this.player.emit("debug", this, "Received play request");
+
+        if (!options.filtersUpdate) {
+            this.previousTracks = this.previousTracks.filter((x) => x.id !== track.id);
+            this.previousTracks.push(track);
+        }
+
+        let stream = null;
+        const hasCustomDownloader = typeof this.onBeforeCreateStream === "function";
+
+        if (["youtube", "spotify"].includes(track.raw.source)) {
+            let spotifyResolved = false;
+            if (this.options.spotifyBridge && track.raw.source === "spotify" && !track.raw.engine) {
+                track.raw.engine = await play.search(`${track.author} ${track.title}`, { source: { youtube: "video" } })
+                    .then(res => res[0].url)
+                    .catch(() => null);
+                spotifyResolved = true;
+            }
+
+            const url = track.raw.source === "spotify" ? track.raw.engine : track.url;
+            if (!url) return void this.play(this.tracks.shift(), { immediate: true });
+
+            if (hasCustomDownloader) {
+                stream = (await this.onBeforeCreateStream(track, spotifyResolved ? "youtube" : track.raw.source, this)) || null;
+            }
+
+            if (!stream) {
+                stream = (await play.stream(url, { discordPlayerCompatibility: true })).stream;
+            }
+        } else {
+            const arbitraryStream = (hasCustomDownloader && (await this.onBeforeCreateStream(track, track.raw.source || track.raw.engine, this))) || null;
+            stream =
+                arbitraryStream || (track.raw.source === "soundcloud" && typeof track.raw.engine?.downloadProgressive === "function")
+                    ? await track.raw.engine.downloadProgressive()
+                    : typeof track.raw.engine === "function"
+                    ? await track.raw.engine()
+                    : track.raw.engine;
+        }
+
+        const ffmpegStream = createFFmpegStream(stream, {
+            encoderArgs: options.encoderArgs || [],
+            seek: options.seek ? options.seek / 1000 : 0,
+            fmt: "s16le"
+        }).on("error", (err) => {
+            if (!`${err}`.toLowerCase().includes("premature close")) this.player.emit("error", this, err);
+        });
+
+        const resource: AudioResource<Track> = this.connection.createStream(ffmpegStream, {
+            type: StreamType.Raw,
+            data: track,
+            disableVolume: Boolean(this.options.disableVolume)
+        });
+
+        if (options.seek) this._streamTime = options.seek;
+        this._filtersUpdate = options.filtersUpdate;
+
+        const volumeTransformer = resource.volume as VolumeTransformer;
+        if (volumeTransformer && typeof this.options.initialVolume === "number") Reflect.set(volumeTransformer, "volume", Math.pow(this.options.initialVolume / 100, 1.660964));
+        if (volumeTransformer?.hasSmoothness && typeof this.options.volumeSmoothness === "number") {
+            if (typeof volumeTransformer.setSmoothness === "function") volumeTransformer.setSmoothness(this.options.volumeSmoothness || 0);
+        }
+
+        setTimeout(() => {
+            this.connection.playStream(resource);
+        }, this.#getBufferingTimeout()).unref();
+    }
+
+    /**
+     * Private method to handle autoplay
+     * @param {Track} track The source track to find its similar track for autoplay
+     * @returns {Promise<void>}
+     * @private
+     */
+    private async _handleAutoplay(track: Track): Promise<void> {
+        if (this.#watchDestroyed()) return;
+        if (!track || ![track.source, track.raw?.source].includes("youtube")) {
+            if (this.options.leaveOnEnd) this.destroy();
+            return void this.player.emit("queueEnd", this);
+        }
+        const info = await play.video_info(track.url)
+            .catch(Util.noop);
+        if (!info) {
+            if (this.options.leaveOnEnd) this.destroy();
+            return void this.player.emit("queueEnd", this);
+        }
+
+		const randomRelated = await play.video_info(info.related_videos[0]);
+        const nextTrack = new Track(this.player, {
+            title: randomRelated.video_details.title,
+            url: randomRelated.video_details.url,
+            duration: randomRelated.video_details.durationRaw ? Util.buildTimeCode(Util.parseMS(randomRelated.video_details.durationInSec * 1000)) : "0:00",
+            description: "",
+            thumbnail: Util.last(randomRelated.video_details.thumbnails).url,
+            views: randomRelated.video_details.views,
+            author: randomRelated.video_details.channel.name,
+            requestedBy: track.requestedBy,
+            source: "youtube"
+        });
+
+        this.play(nextTrack, { immediate: true });
+    }
+
+    *[Symbol.iterator]() {
+        if (this.#watchDestroyed()) return;
+        yield* this.tracks;
+    }
+
+    /**
+     * JSON representation of this queue
+     * @returns {object}
+     */
+    toJSON() {
+        if (this.#watchDestroyed()) return;
+        return {
+            id: this.id,
+            guild: this.guild.id,
+            voiceChannel: this.connection?.channel?.id,
+            options: this.options,
+            tracks: this.tracks.map((m) => m.toJSON())
+        };
+    }
+
+    /**
+     * String representation of this queue
+     * @returns {string}
+     */
+    toString() {
+        if (this.#watchDestroyed()) return;
+        if (!this.tracks.length) return "No songs available to display!";
+        return `**Upcoming Songs:**\n${this.tracks.map((m, i) => `${i + 1}. **${m.title}**`).join("\n")}`;
+    }
+
+    #watchDestroyed(emit = true) {
+        if (this.#destroyed) {
+            if (emit) this.player.emit("error", this, new PlayerError("Cannot use destroyed queue", ErrorStatusCode.DESTROYED_QUEUE));
+            return true;
+        }
+
+        return false;
+    }
+
+    #getBufferingTimeout() {
+        const timeout = this.options.bufferingTimeout;
+
+        if (isNaN(timeout) || timeout < 0 || !Number.isFinite(timeout)) return 1000;
+        return timeout;
+    }
+}
+
+export { Queue };
diff --git a/helpers/Music/src/Structures/Track.ts b/helpers/Music/src/Structures/Track.ts
new file mode 100644
index 00000000..fd14275b
--- /dev/null
+++ b/helpers/Music/src/Structures/Track.ts
@@ -0,0 +1,191 @@
+import { User, escapeMarkdown, SnowflakeUtil } from "discord.js";
+import { Player } from "../Player";
+import { RawTrackData, TrackJSON } from "../types/types";
+import { Playlist } from "./Playlist";
+import { Queue } from "./Queue";
+
+class Track {
+    public player!: Player;
+    public title!: string;
+    public description!: string;
+    public author!: string;
+    public url!: string;
+    public thumbnail!: string;
+    public duration!: string;
+    public views!: number;
+    public requestedBy!: User;
+    public playlist?: Playlist;
+    public readonly raw: RawTrackData = {} as RawTrackData;
+    public readonly id = SnowflakeUtil.generate().toString();
+
+    /**
+     * Track constructor
+     * @param {Player} player The player that instantiated this Track
+     * @param {RawTrackData} data Track data
+     */
+    constructor(player: Player, data: RawTrackData) {
+        /**
+         * The player that instantiated this Track
+         * @name Track#player
+         * @type {Player}
+         * @readonly
+         */
+        Object.defineProperty(this, "player", { value: player, enumerable: false });
+
+        /**
+         * Title of this track
+         * @name Track#title
+         * @type {string}
+         */
+
+        /**
+         * Description of this track
+         * @name Track#description
+         * @type {string}
+         */
+
+        /**
+         * Author of this track
+         * @name Track#author
+         * @type {string}
+         */
+
+        /**
+         * URL of this track
+         * @name Track#url
+         * @type {string}
+         */
+
+        /**
+         * Thumbnail of this track
+         * @name Track#thumbnail
+         * @type {string}
+         */
+
+        /**
+         * Duration of this track
+         * @name Track#duration
+         * @type {string}
+         */
+
+        /**
+         * Views count of this track
+         * @name Track#views
+         * @type {number}
+         */
+
+        /**
+         * Person who requested this track
+         * @name Track#requestedBy
+         * @type {User}
+         */
+
+        /**
+         * If this track belongs to playlist
+         * @name Track#fromPlaylist
+         * @type {boolean}
+         */
+
+        /**
+         * Raw track data
+         * @name Track#raw
+         * @type {RawTrackData}
+         */
+
+        /**
+         * The track id
+         * @name Track#id
+         * @type {Snowflake}
+         * @readonly
+         */
+
+        /**
+         * The playlist which track belongs
+         * @name Track#playlist
+         * @type {Playlist}
+         */
+
+        void this._patch(data);
+    }
+
+    private _patch(data: RawTrackData) {
+        this.title = escapeMarkdown(data.title ?? "");
+        this.description = data.description ?? "";
+        this.author = data.author ?? "";
+        this.url = data.url ?? "";
+        this.thumbnail = data.thumbnail ?? "";
+        this.duration = data.duration ?? "";
+        this.views = data.views ?? 0;
+        this.requestedBy = data.requestedBy;
+        this.playlist = data.playlist;
+
+        // raw
+        Object.defineProperty(this, "raw", { value: Object.assign({}, { source: data.raw?.source ?? data.source }, data.raw ?? data), enumerable: false });
+    }
+
+    /**
+     * The queue in which this track is located
+     * @type {Queue}
+     */
+    get queue(): Queue {
+        return this.player.queues.find((q) => q.tracks.some((ab) => ab.id === this.id));
+    }
+
+    /**
+     * The track duration in millisecond
+     * @type {number}
+     */
+    get durationMS(): number {
+        const times = (n: number, t: number) => {
+            let tn = 1;
+            for (let i = 0; i < t; i++) tn *= n;
+            return t <= 0 ? 1000 : tn * 1000;
+        };
+
+        return this.duration
+            .split(":")
+            .reverse()
+            .map((m, i) => parseInt(m) * times(60, i))
+            .reduce((a, c) => a + c, 0);
+    }
+
+    /**
+     * Returns source of this track
+     * @type {TrackSource}
+     */
+    get source() {
+        return this.raw.source ?? "arbitrary";
+    }
+
+    /**
+     * String representation of this track
+     * @returns {string}
+     */
+    toString(): string {
+        return `${this.title} by ${this.author}`;
+    }
+
+    /**
+     * Raw JSON representation of this track
+     * @returns {TrackJSON}
+     */
+    toJSON(hidePlaylist?: boolean) {
+        return {
+            id: this.id,
+            title: this.title,
+            description: this.description,
+            author: this.author,
+            url: this.url,
+            thumbnail: this.thumbnail,
+            duration: this.duration,
+            durationMS: this.durationMS,
+            views: this.views,
+            requestedBy: this.requestedBy?.id,
+            playlist: hidePlaylist ? null : this.playlist?.toJSON() ?? null
+        } as TrackJSON;
+    }
+}
+
+export default Track;
+
+export { Track };
diff --git a/helpers/Music/src/VoiceInterface/StreamDispatcher.ts b/helpers/Music/src/VoiceInterface/StreamDispatcher.ts
new file mode 100644
index 00000000..e8566fc2
--- /dev/null
+++ b/helpers/Music/src/VoiceInterface/StreamDispatcher.ts
@@ -0,0 +1,253 @@
+import {
+    AudioPlayer,
+    AudioPlayerError,
+    AudioPlayerStatus,
+    AudioResource,
+    createAudioPlayer,
+    createAudioResource,
+    entersState,
+    StreamType,
+    VoiceConnection,
+    VoiceConnectionStatus,
+    VoiceConnectionDisconnectReason
+} from "@discordjs/voice";
+import { StageChannel, VoiceChannel } from "discord.js";
+import { Duplex, Readable } from "stream";
+import { TypedEmitter as EventEmitter } from "tiny-typed-emitter";
+import Track from "../Structures/Track";
+import { Util } from "../utils/Util";
+import { PlayerError, ErrorStatusCode } from "../Structures/PlayerError";
+
+export interface VoiceEvents {
+    /* eslint-disable @typescript-eslint/no-explicit-any */
+    error: (error: AudioPlayerError) => any;
+    debug: (message: string) => any;
+    start: (resource: AudioResource<Track>) => any;
+    finish: (resource: AudioResource<Track>) => any;
+    /* eslint-enable @typescript-eslint/no-explicit-any */
+}
+
+class StreamDispatcher extends EventEmitter<VoiceEvents> {
+    public readonly voiceConnection: VoiceConnection;
+    public readonly audioPlayer: AudioPlayer;
+    public channel: VoiceChannel | StageChannel;
+    public audioResource?: AudioResource<Track>;
+    private readyLock = false;
+    public paused: boolean;
+
+    /**
+     * Creates new connection object
+     * @param {VoiceConnection} connection The connection
+     * @param {VoiceChannel|StageChannel} channel The connected channel
+     * @private
+     */
+    constructor(connection: VoiceConnection, channel: VoiceChannel | StageChannel, public readonly connectionTimeout: number = 20000) {
+        super();
+
+        /**
+         * The voice connection
+         * @type {VoiceConnection}
+         */
+        this.voiceConnection = connection;
+
+        /**
+         * The audio player
+         * @type {AudioPlayer}
+         */
+        this.audioPlayer = createAudioPlayer();
+
+        /**
+         * The voice channel
+         * @type {VoiceChannel|StageChannel}
+         */
+        this.channel = channel;
+
+        /**
+         * The paused state
+         * @type {boolean}
+         */
+        this.paused = false;
+
+        this.voiceConnection.on("stateChange", async (_, newState) => {
+            if (newState.status === VoiceConnectionStatus.Disconnected) {
+                if (newState.reason === VoiceConnectionDisconnectReason.WebSocketClose && newState.closeCode === 4014) {
+                    try {
+                        await entersState(this.voiceConnection, VoiceConnectionStatus.Connecting, this.connectionTimeout);
+                    } catch {
+                        try {
+                            this.voiceConnection.destroy();
+                        } catch (err) {
+                            this.emit("error", err as AudioPlayerError);
+                        }
+                    }
+                } else if (this.voiceConnection.rejoinAttempts < 5) {
+                    await Util.wait((this.voiceConnection.rejoinAttempts + 1) * 5000);
+                    this.voiceConnection.rejoin();
+                } else {
+                    try {
+                        this.voiceConnection.destroy();
+                    } catch (err) {
+                        this.emit("error", err as AudioPlayerError);
+                    }
+                }
+            } else if (newState.status === VoiceConnectionStatus.Destroyed) {
+                this.end();
+            } else if (!this.readyLock && (newState.status === VoiceConnectionStatus.Connecting || newState.status === VoiceConnectionStatus.Signalling)) {
+                this.readyLock = true;
+                try {
+                    await entersState(this.voiceConnection, VoiceConnectionStatus.Ready, this.connectionTimeout);
+                } catch {
+                    if (this.voiceConnection.state.status !== VoiceConnectionStatus.Destroyed) {
+                        try {
+                            this.voiceConnection.destroy();
+                        } catch (err) {
+                            this.emit("error", err as AudioPlayerError);
+                        }
+                    }
+                } finally {
+                    this.readyLock = false;
+                }
+            }
+        });
+
+        this.audioPlayer.on("stateChange", (oldState, newState) => {
+            if (newState.status === AudioPlayerStatus.Playing) {
+                if (!this.paused) return void this.emit("start", this.audioResource);
+            } else if (newState.status === AudioPlayerStatus.Idle && oldState.status !== AudioPlayerStatus.Idle) {
+                if (!this.paused) {
+                    void this.emit("finish", this.audioResource);
+                    this.audioResource = null;
+                }
+            }
+        });
+
+        this.audioPlayer.on("debug", (m) => void this.emit("debug", m));
+        this.audioPlayer.on("error", (error) => void this.emit("error", error));
+        this.voiceConnection.subscribe(this.audioPlayer);
+    }
+
+    /**
+     * Creates stream
+     * @param {Readable|Duplex|string} src The stream source
+     * @param {object} [ops] Options
+     * @returns {AudioResource}
+     */
+    // eslint-disable-next-line @typescript-eslint/no-explicit-any
+    createStream(src: Readable | Duplex | string, ops?: { type?: StreamType; data?: any; disableVolume?: boolean }) {
+        this.audioResource = createAudioResource(src, {
+            inputType: ops?.type ?? StreamType.Arbitrary,
+            metadata: ops?.data,
+            // eslint-disable-next-line no-extra-boolean-cast
+            inlineVolume: !Boolean(ops?.disableVolume)
+        });
+
+        return this.audioResource;
+    }
+
+    /**
+     * The player status
+     * @type {AudioPlayerStatus}
+     */
+    get status() {
+        return this.audioPlayer.state.status;
+    }
+
+    /**
+     * Disconnects from voice
+     * @returns {void}
+     */
+    disconnect() {
+        try {
+            this.audioPlayer.stop(true);
+            this.voiceConnection.destroy();
+        } catch {} // eslint-disable-line no-empty
+    }
+
+    /**
+     * Stops the player
+     * @returns {void}
+     */
+    end() {
+        this.audioPlayer.stop();
+    }
+
+    /**
+     * Pauses the stream playback
+     * @param {boolean} [interpolateSilence=false] If true, the player will play 5 packets of silence after pausing to prevent audio glitches.
+     * @returns {boolean}
+     */
+    pause(interpolateSilence?: boolean) {
+        const success = this.audioPlayer.pause(interpolateSilence);
+        this.paused = success;
+        return success;
+    }
+
+    /**
+     * Resumes the stream playback
+     * @returns {boolean}
+     */
+    resume() {
+        const success = this.audioPlayer.unpause();
+        this.paused = !success;
+        return success;
+    }
+
+    /**
+     * Play stream
+     * @param {AudioResource<Track>} [resource=this.audioResource] The audio resource to play
+     * @returns {Promise<StreamDispatcher>}
+     */
+    async playStream(resource: AudioResource<Track> = this.audioResource) {
+        if (!resource) throw new PlayerError("Audio resource is not available!", ErrorStatusCode.NO_AUDIO_RESOURCE);
+        if (resource.ended) return void this.emit("error", new PlayerError("Cannot play a resource that has already ended.") as unknown as AudioPlayerError);
+        if (!this.audioResource) this.audioResource = resource;
+        if (this.voiceConnection.state.status !== VoiceConnectionStatus.Ready) {
+            try {
+                await entersState(this.voiceConnection, VoiceConnectionStatus.Ready, this.connectionTimeout);
+            } catch (err) {
+                return void this.emit("error", err as AudioPlayerError);
+            }
+        }
+
+        try {
+            this.audioPlayer.play(resource);
+        } catch (e) {
+            this.emit("error", e as AudioPlayerError);
+        }
+
+        return this;
+    }
+
+    /**
+     * Sets playback volume
+     * @param {number} value The volume amount
+     * @returns {boolean}
+     */
+    setVolume(value: number) {
+        if (!this.audioResource?.volume || isNaN(value) || value < 0 || value > Infinity) return false;
+
+        this.audioResource.volume.setVolumeLogarithmic(value / 100);
+        return true;
+    }
+
+    /**
+     * The current volume
+     * @type {number}
+     */
+    get volume() {
+        if (!this.audioResource?.volume) return 100;
+        const currentVol = this.audioResource.volume.volume;
+        return Math.round(Math.pow(currentVol, 1 / 1.660964) * 100);
+    }
+
+    /**
+     * The playback time
+     * @type {number}
+     */
+    get streamTime() {
+        if (!this.audioResource) return 0;
+        return this.audioResource.playbackDuration;
+    }
+}
+
+export { StreamDispatcher as StreamDispatcher };
diff --git a/helpers/Music/src/VoiceInterface/VoiceUtils.ts b/helpers/Music/src/VoiceInterface/VoiceUtils.ts
new file mode 100644
index 00000000..ec7a99d0
--- /dev/null
+++ b/helpers/Music/src/VoiceInterface/VoiceUtils.ts
@@ -0,0 +1,82 @@
+import { VoiceChannel, StageChannel, Collection, Snowflake } from "discord.js";
+import { DiscordGatewayAdapterCreator, joinVoiceChannel, VoiceConnection } from "@discordjs/voice";
+import { StreamDispatcher } from "./StreamDispatcher";
+
+class VoiceUtils {
+    public cache: Collection<Snowflake, StreamDispatcher>;
+
+    /**
+     * The voice utils
+     * @private
+     */
+    constructor() {
+        /**
+         * The cache where voice utils stores stream managers
+         * @type {Collection<Snowflake, StreamDispatcher>}
+         */
+        this.cache = new Collection<Snowflake, StreamDispatcher>();
+    }
+
+    /**
+     * Joins a voice channel, creating basic stream dispatch manager
+     * @param {StageChannel|VoiceChannel} channel The voice channel
+     * @param {object} [options] Join options
+     * @returns {Promise<StreamDispatcher>}
+     */
+    public async connect(
+        channel: VoiceChannel | StageChannel,
+        options?: {
+            deaf?: boolean;
+            maxTime?: number;
+        }
+    ): Promise<StreamDispatcher> {
+        const conn = await this.join(channel, options);
+        const sub = new StreamDispatcher(conn, channel, options.maxTime);
+        this.cache.set(channel.guild.id, sub);
+        return sub;
+    }
+
+    /**
+     * Joins a voice channel
+     * @param {StageChannel|VoiceChannel} [channel] The voice/stage channel to join
+     * @param {object} [options] Join options
+     * @returns {VoiceConnection}
+     */
+    public async join(
+        channel: VoiceChannel | StageChannel,
+        options?: {
+            deaf?: boolean;
+            maxTime?: number;
+        }
+    ) {
+        const conn = joinVoiceChannel({
+            guildId: channel.guild.id,
+            channelId: channel.id,
+            adapterCreator: channel.guild.voiceAdapterCreator as unknown as DiscordGatewayAdapterCreator,
+            selfDeaf: Boolean(options.deaf)
+        });
+
+        return conn;
+    }
+
+    /**
+     * Disconnects voice connection
+     * @param {VoiceConnection} connection The voice connection
+     * @returns {void}
+     */
+    public disconnect(connection: VoiceConnection | StreamDispatcher) {
+        if (connection instanceof StreamDispatcher) return connection.voiceConnection.destroy();
+        return connection.destroy();
+    }
+
+    /**
+     * Returns Discord Player voice connection
+     * @param {Snowflake} guild The guild id
+     * @returns {StreamDispatcher}
+     */
+    public getConnection(guild: Snowflake) {
+        return this.cache.get(guild);
+    }
+}
+
+export { VoiceUtils };
diff --git a/helpers/Music/src/VoiceInterface/VolumeTransformer.ts b/helpers/Music/src/VoiceInterface/VolumeTransformer.ts
new file mode 100644
index 00000000..b493dd1e
--- /dev/null
+++ b/helpers/Music/src/VoiceInterface/VolumeTransformer.ts
@@ -0,0 +1,144 @@
+// prism's volume transformer with smooth volume support
+
+import { Transform, TransformOptions } from "stream";
+
+export interface VolumeTransformerOptions extends TransformOptions {
+    type?: "s16le" | "s16be" | "s32le" | "s32be";
+    smoothness?: number;
+    volume?: number;
+}
+
+export class VolumeTransformer extends Transform {
+    private _bits: number;
+    private _smoothing: number;
+    private _bytes: number;
+    private _extremum: number;
+    private _chunk: Buffer;
+    public volume: number;
+    private _targetVolume: number;
+    public type: "s16le" | "s32le" | "s16be" | "s32be";
+    constructor(options: VolumeTransformerOptions = {}) {
+        super(options);
+        switch (options.type) {
+            case "s16le":
+                this._readInt = (buffer, index) => buffer.readInt16LE(index);
+                this._writeInt = (buffer, int, index) => buffer.writeInt16LE(int, index);
+                this._bits = 16;
+                break;
+            case "s16be":
+                this._readInt = (buffer, index) => buffer.readInt16BE(index);
+                this._writeInt = (buffer, int, index) => buffer.writeInt16BE(int, index);
+                this._bits = 16;
+                break;
+            case "s32le":
+                this._readInt = (buffer, index) => buffer.readInt32LE(index);
+                this._writeInt = (buffer, int, index) => buffer.writeInt32LE(int, index);
+                this._bits = 32;
+                break;
+            case "s32be":
+                this._readInt = (buffer, index) => buffer.readInt32BE(index);
+                this._writeInt = (buffer, int, index) => buffer.writeInt32BE(int, index);
+                this._bits = 32;
+                break;
+            default:
+                throw new Error("VolumeTransformer type should be one of s16le, s16be, s32le, s32be");
+        }
+        this.type = options.type;
+        this._bytes = this._bits / 8;
+        this._extremum = Math.pow(2, this._bits - 1);
+        this.volume = Number.isNaN(options.volume) ? 1 : Number(options.volume);
+        if (!Number.isFinite(this.volume)) this.volume = 1;
+        this._targetVolume = this.volume;
+        this._chunk = Buffer.alloc(0);
+        this._smoothing = options.smoothness || 0;
+    }
+
+    _readInt(buffer: Buffer, index: number) {
+        return index;
+    }
+    _writeInt(buffer: Buffer, int: number, index: number) {
+        return index;
+    }
+
+    _applySmoothness() {
+        if (this.volume < this._targetVolume) {
+            this.volume = this.volume + this._smoothing >= this._targetVolume ? this._targetVolume : this.volume + this._smoothing;
+        } else if (this.volume > this._targetVolume) {
+            this.volume = this.volume - this._smoothing <= this._targetVolume ? this._targetVolume : this.volume - this._smoothing;
+        }
+    }
+
+    _transform(chunk: Buffer, encoding: BufferEncoding, done: () => unknown) {
+        if (this.smoothingEnabled() && this.volume !== this._targetVolume) this._applySmoothness();
+
+        if (this.volume === 1) {
+            this.push(chunk);
+            return done();
+        }
+
+        const { _bytes, _extremum } = this;
+
+        chunk = this._chunk = Buffer.concat([this._chunk, chunk]);
+        if (chunk.length < _bytes) return done();
+
+        const complete = Math.floor(chunk.length / _bytes) * _bytes;
+
+        for (let i = 0; i < complete; i += _bytes) {
+            const int = Math.min(_extremum - 1, Math.max(-_extremum, Math.floor(this.volume * this._readInt(chunk, i))));
+            this._writeInt(chunk, int, i);
+        }
+
+        this._chunk = chunk.slice(complete);
+        this.push(chunk.slice(0, complete));
+        return done();
+    }
+
+    _destroy(err: Error, cb: (error: Error) => void) {
+        super._destroy(err, cb);
+        this._chunk = null;
+    }
+
+    setVolume(volume: number) {
+        if (Number.isNaN(volume)) volume = 1;
+        if (typeof volume !== "number") volume = Number(volume);
+        if (!Number.isFinite(volume)) volume = volume < 0 ? 0 : 1;
+        this._targetVolume = volume;
+        if (this._smoothing <= 0) this.volume = volume;
+    }
+
+    setVolumeDecibels(db: number) {
+        this.setVolume(Math.pow(10, db / 20));
+    }
+
+    setVolumeLogarithmic(value: number) {
+        this.setVolume(Math.pow(value, 1.660964));
+    }
+
+    get volumeDecibels() {
+        return Math.log10(this.volume) * 20;
+    }
+
+    get volumeLogarithmic() {
+        return Math.pow(this.volume, 1 / 1.660964);
+    }
+
+    get smoothness() {
+        return this._smoothing;
+    }
+
+    setSmoothness(smoothness: number) {
+        this._smoothing = smoothness;
+    }
+
+    smoothingEnabled() {
+        return Number.isFinite(this._smoothing) && this._smoothing > 0;
+    }
+
+    get hasSmoothness() {
+        return true;
+    }
+
+    static get hasSmoothing() {
+        return true;
+    }
+}
diff --git a/helpers/Music/src/index.ts b/helpers/Music/src/index.ts
new file mode 100644
index 00000000..c3c1d1d9
--- /dev/null
+++ b/helpers/Music/src/index.ts
@@ -0,0 +1,19 @@
+// try applying smooth volume patch on load
+import "./smoothVolume";
+
+export { AudioFilters } from "./utils/AudioFilters";
+export { ExtractorModel } from "./Structures/ExtractorModel";
+export { Playlist } from "./Structures/Playlist";
+export { Player } from "./Player";
+export { PlayerError, ErrorStatusCode } from "./Structures/PlayerError";
+export { QueryResolver } from "./utils/QueryResolver";
+export { Queue } from "./Structures/Queue";
+export { Track } from "./Structures/Track";
+export { VoiceUtils } from "./VoiceInterface/VoiceUtils";
+export { VoiceEvents, StreamDispatcher } from "./VoiceInterface/StreamDispatcher";
+export { Util } from "./utils/Util";
+export * from "./types/types";
+export * from "./utils/FFmpegStream";
+
+// eslint-disable-next-line @typescript-eslint/no-var-requires
+export const version: string = require(`${__dirname}/../package.json`).version;
diff --git a/helpers/Music/src/smoothVolume.ts b/helpers/Music/src/smoothVolume.ts
new file mode 100644
index 00000000..d7c6af78
--- /dev/null
+++ b/helpers/Music/src/smoothVolume.ts
@@ -0,0 +1,12 @@
+import { VolumeTransformer as VolumeTransformerMock } from "./VoiceInterface/VolumeTransformer";
+
+try {
+    // eslint-disable-next-line
+    const mod = require("prism-media") as typeof import("prism-media") & { VolumeTransformer: typeof VolumeTransformerMock };
+
+    if (typeof mod.VolumeTransformer.hasSmoothing !== "boolean") {
+        Reflect.set(mod, "VolumeTransformer", VolumeTransformerMock);
+    }
+} catch {
+    /* do nothing */
+}
diff --git a/helpers/Music/src/types/types.ts b/helpers/Music/src/types/types.ts
new file mode 100644
index 00000000..2fb72dbf
--- /dev/null
+++ b/helpers/Music/src/types/types.ts
@@ -0,0 +1,485 @@
+import { Snowflake, User, UserResolvable } from "discord.js";
+import { Readable, Duplex } from "stream";
+import { Queue } from "../Structures/Queue";
+import Track from "../Structures/Track";
+import { Playlist } from "../Structures/Playlist";
+import { StreamDispatcher } from "../VoiceInterface/StreamDispatcher";
+
+export type FiltersName = keyof QueueFilters;
+
+export interface PlayerSearchResult {
+    playlist: Playlist | null;
+    tracks: Track[];
+	searched?: boolean;
+}
+
+/**
+ * @typedef {AudioFilters} QueueFilters
+ */
+export interface QueueFilters {
+    bassboost_low?: boolean;
+    bassboost?: boolean;
+    bassboost_high?: boolean;
+    "8D"?: boolean;
+    vaporwave?: boolean;
+    nightcore?: boolean;
+    phaser?: boolean;
+    tremolo?: boolean;
+    vibrato?: boolean;
+    reverse?: boolean;
+    treble?: boolean;
+    normalizer?: boolean;
+    normalizer2?: boolean;
+    surrounding?: boolean;
+    pulsator?: boolean;
+    subboost?: boolean;
+    karaoke?: boolean;
+    flanger?: boolean;
+    gate?: boolean;
+    haas?: boolean;
+    mcompand?: boolean;
+    mono?: boolean;
+    mstlr?: boolean;
+    mstrr?: boolean;
+    compressor?: boolean;
+    expander?: boolean;
+    softlimiter?: boolean;
+    chorus?: boolean;
+    chorus2d?: boolean;
+    chorus3d?: boolean;
+    fadein?: boolean;
+    dim?: boolean;
+    earrape?: boolean;
+}
+
+/**
+ * The track source:
+ * - soundcloud
+ * - youtube
+ * - spotify
+ * - arbitrary
+ * @typedef {string} TrackSource
+ */
+export type TrackSource = "soundcloud" | "youtube" | "spotify" | "arbitrary";
+
+/**
+ * @typedef {object} RawTrackData
+ * @property {string} title The title
+ * @property {string} description The description
+ * @property {string} author The author
+ * @property {string} url The url
+ * @property {string} thumbnail The thumbnail
+ * @property {string} duration The duration
+ * @property {number | boolean} views The views
+ * @property {User} requestedBy The user who requested this track
+ * @property {Playlist} [playlist] The playlist
+ * @property {TrackSource} [source="arbitrary"] The source
+ * @property {any} [engine] The engine
+ * @property {boolean} [live] If this track is live
+ * @property {any} [raw] The raw data
+ */
+export interface RawTrackData {
+    title: string;
+    description: string;
+    author: string;
+    url: string;
+    thumbnail: string;
+    duration: string;
+    views: number;
+    requestedBy: User;
+    playlist?: Playlist;
+    source?: TrackSource;
+    engine?: any; // eslint-disable-line @typescript-eslint/no-explicit-any
+    live?: boolean;
+    raw?: any; // eslint-disable-line @typescript-eslint/no-explicit-any
+}
+
+/**
+ * @typedef {object} TimeData
+ * @property {number} days Time in days
+ * @property {number} hours Time in hours
+ * @property {number} minutes Time in minutes
+ * @property {number} seconds Time in seconds
+ */
+export interface TimeData {
+    days: number;
+    hours: number;
+    minutes: number;
+    seconds: number;
+}
+
+/**
+ * @typedef {object} PlayerProgressbarOptions
+ * @property {boolean} [timecodes] If it should render time codes
+ * @property {boolean} [queue] If it should create progress bar for the whole queue
+ * @property {number} [length] The bar length
+ * @property {string} [line] The bar track
+ * @property {string} [indicator] The indicator
+ */
+export interface PlayerProgressbarOptions {
+    timecodes?: boolean;
+    length?: number;
+    line?: string;
+    indicator?: string;
+    queue?: boolean;
+}
+
+/**
+ * @typedef {object} PlayerOptions
+ * @property {boolean} [leaveOnEnd=true] If it should leave on end
+ * @property {boolean} [leaveOnStop=true] If it should leave on stop
+ * @property {boolean} [leaveOnEmpty=true] If it should leave on empty
+ * @property {number} [leaveOnEmptyCooldown=1000] The cooldown in ms
+ * @property {boolean} [autoSelfDeaf=true] If it should set the bot in deaf mode
+ * @property {YTDLDownloadOptions} [ytdlOptions] The youtube download options
+ * @property {number} [initialVolume=100] The initial player volume
+ * @property {number} [bufferingTimeout=3000] Buffering timeout for the stream
+ * @property {boolean} [spotifyBridge=true] If player should bridge spotify source to youtube
+ * @property {boolean} [disableVolume=false] If player should disable inline volume
+ * @property {number} [volumeSmoothness=0] The volume transition smoothness between volume changes (lower the value to get better result)
+ * Setting this or leaving this empty will disable this effect. Example: `volumeSmoothness: 0.1`
+ * @property {Function} [onBeforeCreateStream] Runs before creating stream
+ */
+export interface PlayerOptions {
+    leaveOnEnd?: boolean;
+    leaveOnStop?: boolean;
+    leaveOnEmpty?: boolean;
+    leaveOnEmptyCooldown?: number;
+    autoSelfDeaf?: boolean;
+    initialVolume?: number;
+    bufferingTimeout?: number;
+    spotifyBridge?: boolean;
+    disableVolume?: boolean;
+    volumeSmoothness?: number;
+    onBeforeCreateStream?: (track: Track, source: TrackSource, queue: Queue) => Promise<Readable>;
+}
+
+/**
+ * @typedef {object} ExtractorModelData
+ * @property {object} [playlist] The playlist info (if any)
+ * @property {string} [playlist.title] The playlist title
+ * @property {string} [playlist.description] The playlist description
+ * @property {string} [playlist.thumbnail] The playlist thumbnail
+ * @property {album|playlist} [playlist.type] The playlist type: `album` | `playlist`
+ * @property {TrackSource} [playlist.source] The playlist source
+ * @property {object} [playlist.author] The playlist author
+ * @property {string} [playlist.author.name] The author name
+ * @property {string} [playlist.author.url] The author url
+ * @property {string} [playlist.id] The playlist id
+ * @property {string} [playlist.url] The playlist url
+ * @property {any} [playlist.rawPlaylist] The raw data
+ * @property {ExtractorData[]} data The data
+ */
+
+/**
+ * @typedef {object} ExtractorData
+ * @property {string} title The title
+ * @property {number} duration The duration
+ * @property {string} thumbnail The thumbnail
+ * @property {string|Readable|Duplex} engine The stream engine
+ * @property {number} views The views count
+ * @property {string} author The author
+ * @property {string} description The description
+ * @property {string} url The url
+ * @property {string} [version] The extractor version
+ * @property {TrackSource} [source="arbitrary"] The source
+ */
+export interface ExtractorModelData {
+    playlist?: {
+        title: string;
+        description: string;
+        thumbnail: string;
+        type: "album" | "playlist";
+        source: TrackSource;
+        author: {
+            name: string;
+            url: string;
+        };
+        id: string;
+        url: string;
+        rawPlaylist?: any; // eslint-disable-line @typescript-eslint/no-explicit-any
+    };
+    data: {
+        title: string;
+        duration: number;
+        thumbnail: string;
+        engine: string | Readable | Duplex;
+        views: number;
+        author: string;
+        description: string;
+        url: string;
+        version?: string;
+        source?: TrackSource;
+    }[];
+}
+
+/**
+ * The search query type
+ * This can be one of:
+ * - AUTO
+ * - YOUTUBE
+ * - YOUTUBE_PLAYLIST
+ * - SOUNDCLOUD_TRACK
+ * - SOUNDCLOUD_PLAYLIST
+ * - SOUNDCLOUD
+ * - SPOTIFY_SONG
+ * - SPOTIFY_ALBUM
+ * - SPOTIFY_PLAYLIST
+ * - FACEBOOK
+ * - VIMEO
+ * - ARBITRARY
+ * - REVERBNATION
+ * - YOUTUBE_SEARCH
+ * - YOUTUBE_VIDEO
+ * - SOUNDCLOUD_SEARCH
+ * @typedef {number} QueryType
+ */
+export enum QueryType {
+    AUTO,
+    YOUTUBE,
+    YOUTUBE_PLAYLIST,
+    SOUNDCLOUD_TRACK,
+    SOUNDCLOUD_PLAYLIST,
+    SOUNDCLOUD,
+    SPOTIFY_SONG,
+    SPOTIFY_ALBUM,
+    SPOTIFY_PLAYLIST,
+    FACEBOOK,
+    VIMEO,
+    ARBITRARY,
+    REVERBNATION,
+    YOUTUBE_SEARCH,
+    YOUTUBE_VIDEO,
+    SOUNDCLOUD_SEARCH
+}
+
+/**
+ * Emitted when bot gets disconnected from a voice channel
+ * @event Player#botDisconnect
+ * @param {Queue} queue The queue
+ */
+
+/**
+ * Emitted when the voice channel is empty
+ * @event Player#channelEmpty
+ * @param {Queue} queue The queue
+ */
+
+/**
+ * Emitted when bot connects to a voice channel
+ * @event Player#connectionCreate
+ * @param {Queue} queue The queue
+ * @param {StreamDispatcher} connection The discord player connection object
+ */
+
+/**
+ * Debug information
+ * @event Player#debug
+ * @param {Queue} queue The queue
+ * @param {string} message The message
+ */
+
+/**
+ * Emitted on error
+ * <warn>This event should handled properly otherwise it may crash your process!</warn>
+ * @event Player#error
+ * @param {Queue} queue The queue
+ * @param {Error} error The error
+ */
+
+/**
+ * Emitted on connection error. Sometimes stream errors are emitted here as well.
+ * @event Player#connectionError
+ * @param {Queue} queue The queue
+ * @param {Error} error The error
+ */
+
+/**
+ * Emitted when queue ends
+ * @event Player#queueEnd
+ * @param {Queue} queue The queue
+ */
+
+/**
+ * Emitted when a single track is added
+ * @event Player#trackAdd
+ * @param {Queue} queue The queue
+ * @param {Track} track The track
+ */
+
+/**
+ * Emitted when multiple tracks are added
+ * @event Player#tracksAdd
+ * @param {Queue} queue The queue
+ * @param {Track[]} tracks The tracks
+ */
+
+/**
+ * Emitted when a track starts playing
+ * @event Player#trackStart
+ * @param {Queue} queue The queue
+ * @param {Track} track The track
+ */
+
+/**
+ * Emitted when a track ends
+ * @event Player#trackEnd
+ * @param {Queue} queue The queue
+ * @param {Track} track The track
+ */
+
+/* eslint-disable @typescript-eslint/no-explicit-any */
+export interface PlayerEvents {
+    botDisconnect: (queue: Queue) => any;
+    channelEmpty: (queue: Queue) => any;
+    connectionCreate: (queue: Queue, connection: StreamDispatcher) => any;
+    debug: (queue: Queue, message: string) => any;
+    error: (queue: Queue, error: Error) => any;
+    connectionError: (queue: Queue, error: Error) => any;
+    queueEnd: (queue: Queue) => any;
+    trackAdd: (queue: Queue, track: Track) => any;
+    tracksAdd: (queue: Queue, track: Track[]) => any;
+    trackStart: (queue: Queue, track: Track) => any;
+    trackEnd: (queue: Queue, track: Track) => any;
+}
+
+/* eslint-enable @typescript-eslint/no-explicit-any */
+
+/**
+ * @typedef {object} PlayOptions
+ * @property {boolean} [filtersUpdate=false] If this play was triggered for filters update
+ * @property {string[]} [encoderArgs=[]] FFmpeg args passed to encoder
+ * @property {number} [seek] Time to seek to before playing
+ * @property {boolean} [immediate=false] If it should start playing the provided track immediately
+ */
+export interface PlayOptions {
+    filtersUpdate?: boolean;
+    encoderArgs?: string[];
+    seek?: number;
+    immediate?: boolean;
+}
+
+/**
+ * @typedef {object} SearchOptions
+ * @property {UserResolvable} requestedBy The user who requested this search
+ * @property {QueryType|string} [searchEngine=QueryType.AUTO] The query search engine, can be extractor name to target specific one (custom)
+ * @property {boolean} [blockExtractor=false] If it should block custom extractors
+ */
+export interface SearchOptions {
+    requestedBy: UserResolvable;
+    searchEngine?: QueryType | string;
+    blockExtractor?: boolean;
+}
+
+/**
+ * The queue repeat mode. This can be one of:
+ * - OFF
+ * - TRACK
+ * - QUEUE
+ * - AUTOPLAY
+ * @typedef {number} QueueRepeatMode
+ */
+export enum QueueRepeatMode {
+    OFF = 0,
+    TRACK = 1,
+    QUEUE = 2,
+    AUTOPLAY = 3
+}
+
+/**
+ * @typedef {object} PlaylistInitData
+ * @property {Track[]} tracks The tracks of this playlist
+ * @property {string} title The playlist title
+ * @property {string} description The description
+ * @property {string} thumbnail The thumbnail
+ * @property {album|playlist} type The playlist type: `album` | `playlist`
+ * @property {TrackSource} source The playlist source
+ * @property {object} author The playlist author
+ * @property {string} [author.name] The author name
+ * @property {string} [author.url] The author url
+ * @property {string} id The playlist id
+ * @property {string} url The playlist url
+ * @property {any} [rawPlaylist] The raw playlist data
+ */
+export interface PlaylistInitData {
+    tracks: Track[];
+    title: string;
+    description: string;
+    thumbnail: string;
+    type: "album" | "playlist";
+    source: TrackSource;
+    author: {
+        name: string;
+        url: string;
+    };
+    id: string;
+    url: string;
+    rawPlaylist?: any; // eslint-disable-line @typescript-eslint/no-explicit-any
+}
+
+/**
+ * @typedef {object} TrackJSON
+ * @property {string} title The track title
+ * @property {string} description The track description
+ * @property {string} author The author
+ * @property {string} url The url
+ * @property {string} thumbnail The thumbnail
+ * @property {string} duration The duration
+ * @property {number} durationMS The duration in ms
+ * @property {number} views The views count
+ * @property {Snowflake} requestedBy The id of the user who requested this track
+ * @property {PlaylistJSON} [playlist] The playlist info (if any)
+ */
+export interface TrackJSON {
+    id: Snowflake;
+    title: string;
+    description: string;
+    author: string;
+    url: string;
+    thumbnail: string;
+    duration: string;
+    durationMS: number;
+    views: number;
+    requestedBy: Snowflake;
+    playlist?: PlaylistJSON;
+}
+
+/**
+ * @typedef {object} PlaylistJSON
+ * @property {string} id The playlist id
+ * @property {string} url The playlist url
+ * @property {string} title The playlist title
+ * @property {string} description The playlist description
+ * @property {string} thumbnail The thumbnail
+ * @property {album|playlist} type The playlist type: `album` | `playlist`
+ * @property {TrackSource} source The track source
+ * @property {object} author The playlist author
+ * @property {string} [author.name] The author name
+ * @property {string} [author.url] The author url
+ * @property {TrackJSON[]} tracks The tracks data (if any)
+ */
+export interface PlaylistJSON {
+    id: string;
+    url: string;
+    title: string;
+    description: string;
+    thumbnail: string;
+    type: "album" | "playlist";
+    source: TrackSource;
+    author: {
+        name: string;
+        url: string;
+    };
+    tracks: TrackJSON[];
+}
+
+/**
+ * @typedef {object} PlayerInitOptions
+ * @property {boolean} [autoRegisterExtractor=true] If it should automatically register `@discord-player/extractor`
+ * @property {YTDLDownloadOptions} [ytdlOptions] The options passed to `ytdl-core`
+ * @property {number} [connectionTimeout=20000] The voice connection timeout
+ */
+export interface PlayerInitOptions {
+    autoRegisterExtractor?: boolean;
+    connectionTimeout?: number;
+}
\ No newline at end of file
diff --git a/helpers/Music/src/utils/AudioFilters.ts b/helpers/Music/src/utils/AudioFilters.ts
new file mode 100644
index 00000000..b3770640
--- /dev/null
+++ b/helpers/Music/src/utils/AudioFilters.ts
@@ -0,0 +1,107 @@
+import { FiltersName } from "../types/types";
+
+const bass = (g: number) => `bass=g=${g}:f=110:w=0.3`;
+
+class AudioFilters {
+    public constructor() {
+        return AudioFilters;
+    }
+
+    public static get filters(): Record<FiltersName, string> {
+        return {
+            bassboost_low: bass(15),
+            bassboost: bass(20),
+            bassboost_high: bass(30),
+            "8D": "apulsator=hz=0.09",
+            vaporwave: "aresample=48000,asetrate=48000*0.8",
+            nightcore: "aresample=48000,asetrate=48000*1.25",
+            phaser: "aphaser=in_gain=0.4",
+            tremolo: "tremolo",
+            vibrato: "vibrato=f=6.5",
+            reverse: "areverse",
+            treble: "treble=g=5",
+            normalizer2: "dynaudnorm=g=101",
+            normalizer: "acompressor",
+            surrounding: "surround",
+            pulsator: "apulsator=hz=1",
+            subboost: "asubboost",
+            karaoke: "stereotools=mlev=0.03",
+            flanger: "flanger",
+            gate: "agate",
+            haas: "haas",
+            mcompand: "mcompand",
+            mono: "pan=mono|c0=.5*c0+.5*c1",
+            mstlr: "stereotools=mode=ms>lr",
+            mstrr: "stereotools=mode=ms>rr",
+            compressor: "compand=points=-80/-105|-62/-80|-15.4/-15.4|0/-12|20/-7.6",
+            expander: "compand=attacks=0:points=-80/-169|-54/-80|-49.5/-64.6|-41.1/-41.1|-25.8/-15|-10.8/-4.5|0/0|20/8.3",
+            softlimiter: "compand=attacks=0:points=-80/-80|-12.4/-12.4|-6/-8|0/-6.8|20/-2.8",
+            chorus: "chorus=0.7:0.9:55:0.4:0.25:2",
+            chorus2d: "chorus=0.6:0.9:50|60:0.4|0.32:0.25|0.4:2|1.3",
+            chorus3d: "chorus=0.5:0.9:50|60|40:0.4|0.32|0.3:0.25|0.4|0.3:2|2.3|1.3",
+            fadein: "afade=t=in:ss=0:d=10",
+            dim: `afftfilt="'real=re * (1-clip((b/nb)*b,0,1))':imag='im * (1-clip((b/nb)*b,0,1))'"`,
+            earrape: "channelsplit,sidechaingate=level_in=64"
+        };
+    }
+
+    public static get<K extends FiltersName>(name: K) {
+        return this.filters[name];
+    }
+
+    public static has<K extends FiltersName>(name: K) {
+        return name in this.filters;
+    }
+
+    public static *[Symbol.iterator](): IterableIterator<{ name: FiltersName; value: string }> {
+        for (const [k, v] of Object.entries(this.filters)) {
+            yield { name: k as FiltersName, value: v as string };
+        }
+    }
+
+    public static get names() {
+        return Object.keys(this.filters) as FiltersName[];
+    }
+
+    // @ts-expect-error AudioFilters.length
+    public static get length() {
+        return this.names.length;
+    }
+
+    public static toString() {
+        return this.names.map((m) => (this as any)[m]).join(","); // eslint-disable-line @typescript-eslint/no-explicit-any
+    }
+
+    /**
+     * Create ffmpeg args from the specified filters name
+     * @param filter The filter name
+     * @returns
+     */
+    public static create<K extends FiltersName>(filters?: K[]) {
+        if (!filters || !Array.isArray(filters)) return this.toString();
+        return filters
+            .filter((predicate) => typeof predicate === "string")
+            .map((m) => this.get(m))
+            .join(",");
+    }
+
+    /**
+     * Defines audio filter
+     * @param filterName The name of the filter
+     * @param value The ffmpeg args
+     */
+    public static define(filterName: string, value: string) {
+        this.filters[filterName as FiltersName] = value;
+    }
+
+    /**
+     * Defines multiple audio filters
+     * @param filtersArray Array of filters containing the filter name and ffmpeg args
+     */
+    public static defineBulk(filtersArray: { name: string; value: string }[]) {
+        filtersArray.forEach((arr) => this.define(arr.name, arr.value));
+    }
+}
+
+export default AudioFilters;
+export { AudioFilters };
diff --git a/helpers/Music/src/utils/FFmpegStream.ts b/helpers/Music/src/utils/FFmpegStream.ts
new file mode 100644
index 00000000..9f49b283
--- /dev/null
+++ b/helpers/Music/src/utils/FFmpegStream.ts
@@ -0,0 +1,59 @@
+import { FFmpeg } from "prism-media";
+import type { Duplex, Readable } from "stream";
+
+export interface FFmpegStreamOptions {
+    fmt?: string;
+    encoderArgs?: string[];
+    seek?: number;
+    skip?: boolean;
+}
+
+export function FFMPEG_ARGS_STRING(stream: string, fmt?: string) {
+    // prettier-ignore
+    return [
+        "-reconnect", "1",
+        "-reconnect_streamed", "1",
+        "-reconnect_delay_max", "5",
+        "-i", stream,
+        "-analyzeduration", "0",
+        "-loglevel", "0",
+        "-f", `${typeof fmt === "string" ? fmt : "s16le"}`,
+        "-ar", "48000",
+        "-ac", "2"
+    ];
+}
+
+export function FFMPEG_ARGS_PIPED(fmt?: string) {
+    // prettier-ignore
+    return [
+        "-analyzeduration", "0",
+        "-loglevel", "0",
+        "-f", `${typeof fmt === "string" ? fmt : "s16le"}`,
+        "-ar", "48000",
+        "-ac", "2"
+    ];
+}
+
+/**
+ * Creates FFmpeg stream
+ * @param stream The source stream
+ * @param options FFmpeg stream options
+ */
+export function createFFmpegStream(stream: Readable | Duplex | string, options?: FFmpegStreamOptions) {
+    if (options.skip && typeof stream !== "string") return stream;
+    options ??= {};
+    const args = typeof stream === "string" ? FFMPEG_ARGS_STRING(stream, options.fmt) : FFMPEG_ARGS_PIPED(options.fmt);
+
+    if (!Number.isNaN(options.seek)) args.unshift("-ss", String(options.seek));
+    if (Array.isArray(options.encoderArgs)) args.push(...options.encoderArgs);
+
+    const transcoder = new FFmpeg({ shell: false, args });
+    transcoder.on("close", () => transcoder.destroy());
+
+    if (typeof stream !== "string") {
+        stream.on("error", () => transcoder.destroy());
+        stream.pipe(transcoder);
+    }
+
+    return transcoder;
+}
diff --git a/helpers/Music/src/utils/QueryResolver.ts b/helpers/Music/src/utils/QueryResolver.ts
new file mode 100644
index 00000000..fc6c2b2b
--- /dev/null
+++ b/helpers/Music/src/utils/QueryResolver.ts
@@ -0,0 +1,58 @@
+import { QueryType } from "../types/types";
+import play from "play-dl";
+// eslint-disable-next-line @typescript-eslint/ban-ts-comment
+
+// scary things below *sigh*
+const spotifySongRegex = /https?:\/\/(?:embed\.|open\.)(?:spotify\.com\/)(?:track\/|\?uri=spotify:track:)((\w|-){22})/;
+const spotifyPlaylistRegex = /https?:\/\/(?:embed\.|open\.)(?:spotify\.com\/)(?:playlist\/|\?uri=spotify:playlist:)((\w|-){22})/;
+const spotifyAlbumRegex = /https?:\/\/(?:embed\.|open\.)(?:spotify\.com\/)(?:album\/|\?uri=spotify:album:)((\w|-){22})/;
+const vimeoRegex = /(http|https)?:\/\/(www\.|player\.)?vimeo\.com\/(?:channels\/(?:\w+\/)?|groups\/([^/]*)\/videos\/|video\/|)(\d+)(?:|\/\?)/;
+const facebookRegex = /(https?:\/\/)(www\.|m\.)?(facebook|fb).com\/.*\/videos\/.*/;
+const reverbnationRegex = /https:\/\/(www.)?reverbnation.com\/(.+)\/song\/(.+)/;
+const attachmentRegex =
+    /^(?:(?:https?|ftp):\/\/)?(?:(?!(?:10|127)(?:\.\d{1,3}){3})(?!(?:169\.254|192\.168)(?:\.\d{1,3}){2})(?!172\.(?:1[6-9]|2\d|3[0-1])(?:\.\d{1,3}){2})(?:[1-9]\d?|1\d\d|2[01]\d|22[0-3])(?:\.(?:1?\d{1,2}|2[0-4]\d|25[0-5])){2}(?:\.(?:[1-9]\d?|1\d\d|2[0-4]\d|25[0-4]))|(?:(?:[a-z\u00a1-\uffff0-9]-*)*[a-z\u00a1-\uffff0-9]+)(?:\.(?:[a-z\u00a1-\uffff0-9]-*)*[a-z\u00a1-\uffff0-9]+)*(?:\.(?:[a-z\u00a1-\uffff]{2,})))(?::\d{2,5})?(?:\/\S*)?$/;
+// scary things above *sigh*
+
+class QueryResolver {
+    /**
+     * Query resolver
+     */
+    private constructor() {} // eslint-disable-line @typescript-eslint/no-empty-function
+
+    /**
+     * Resolves the given search query
+     * @param {string} query The query
+     * @returns {QueryType}
+     */
+    static async resolve(query: string): Promise<QueryType> {
+        if (await play.so_validate(query) === "track") return QueryType.SOUNDCLOUD_TRACK;
+        if (await play.so_validate(query) === "playlist" || query.includes("/sets/")) return QueryType.SOUNDCLOUD_PLAYLIST;
+        if (play.yt_validate(query) === "playlist") return QueryType.YOUTUBE_PLAYLIST;
+        if (play.yt_validate(query) === "video") return QueryType.YOUTUBE_VIDEO;
+        if (spotifySongRegex.test(query)) return QueryType.SPOTIFY_SONG;
+        if (spotifyPlaylistRegex.test(query)) return QueryType.SPOTIFY_PLAYLIST;
+        if (spotifyAlbumRegex.test(query)) return QueryType.SPOTIFY_ALBUM;
+        if (vimeoRegex.test(query)) return QueryType.VIMEO;
+        if (facebookRegex.test(query)) return QueryType.FACEBOOK;
+        if (reverbnationRegex.test(query)) return QueryType.REVERBNATION;
+        if (attachmentRegex.test(query)) return QueryType.ARBITRARY;
+
+        return QueryType.YOUTUBE_SEARCH;
+    }
+
+    /**
+     * Parses vimeo id from url
+     * @param {string} query The query
+     * @returns {string}
+     */
+    static async getVimeoID(query: string): Promise<string> {
+        return await QueryResolver.resolve(query) === QueryType.VIMEO
+            ? query
+                  .split("/")
+                  .filter((x) => !!x)
+                  .pop()
+            : null;
+    }
+}
+
+export { QueryResolver };
diff --git a/helpers/Music/src/utils/Util.ts b/helpers/Music/src/utils/Util.ts
new file mode 100644
index 00000000..f173feeb
--- /dev/null
+++ b/helpers/Music/src/utils/Util.ts
@@ -0,0 +1,117 @@
+import { StageChannel, VoiceChannel } from "discord.js";
+import { TimeData } from "../types/types";
+
+class Util {
+    /**
+     * Utils
+     */
+    private constructor() {} // eslint-disable-line @typescript-eslint/no-empty-function
+
+    /**
+     * Creates duration string
+     * @param {object} durObj The duration object
+     * @returns {string}
+     */
+    static durationString(durObj: Record<string, number>) {
+        return Object.values(durObj)
+            .map((m) => (isNaN(m) ? 0 : m))
+            .join(":");
+    }
+
+    /**
+     * Parses milliseconds to consumable time object
+     * @param {number} milliseconds The time in ms
+     * @returns {TimeData}
+     */
+    static parseMS(milliseconds: number) {
+        const round = milliseconds > 0 ? Math.floor : Math.ceil;
+
+        return {
+            days: round(milliseconds / 86400000),
+            hours: round(milliseconds / 3600000) % 24,
+            minutes: round(milliseconds / 60000) % 60,
+            seconds: round(milliseconds / 1000) % 60
+        } as TimeData;
+    }
+
+    /**
+     * Builds time code
+     * @param {TimeData} duration The duration object
+     * @returns {string}
+     */
+    static buildTimeCode(duration: TimeData) {
+        const items = Object.keys(duration);
+        const required = ["days", "hours", "minutes", "seconds"];
+
+        const parsed = items.filter((x) => required.includes(x)).map((m) => duration[m as keyof TimeData]);
+        const final = parsed
+            .slice(parsed.findIndex((x) => x !== 0))
+            .map((x) => x.toString().padStart(2, "0"))
+            .join(":");
+
+        return final.length <= 3 ? `0:${final.padStart(2, "0") || 0}` : final;
+    }
+
+    /**
+     * Picks last item of the given array
+     * @param {any[]} arr The array
+     * @returns {any}
+     */
+    // eslint-disable-next-line @typescript-eslint/no-explicit-any
+    static last<T = any>(arr: T[]): T {
+        if (!Array.isArray(arr)) return;
+        return arr[arr.length - 1];
+    }
+
+    /**
+     * Checks if the voice channel is empty
+     * @param {VoiceChannel|StageChannel} channel The voice channel
+     * @returns {boolean}
+     */
+    static isVoiceEmpty(channel: VoiceChannel | StageChannel) {
+        return channel.members.filter((member) => !member.user.bot).size === 0;
+    }
+
+    /**
+     * Safer require
+     * @param {string} id Node require id
+     * @returns {any}
+     */
+    static require(id: string) {
+        try {
+            return require(id);
+        } catch {
+            return null;
+        }
+    }
+
+    /**
+     * Asynchronous timeout
+     * @param {number} time The time in ms to wait
+     * @returns {Promise<unknown>}
+     */
+    static wait(time: number) {
+        return new Promise((r) => setTimeout(r, time).unref());
+    }
+
+    static noop() {} // eslint-disable-line @typescript-eslint/no-empty-function
+
+    static async getFetch() {
+        if ("fetch" in globalThis) return globalThis.fetch;
+        for (const lib of ["undici", "node-fetch"]) {
+            try {
+                return await import(lib).then((res) => res.fetch || res.default?.fetch || res.default);
+            } catch {
+                try {
+                    // eslint-disable-next-line
+                    const res = require(lib);
+                    if (res) return res.fetch || res.default?.fetch || res.default;
+                } catch {
+                    // no?
+                }
+            }
+        }
+    }
+}
+
+export { Util };
diff --git a/helpers/Music/tsconfig.json b/helpers/Music/tsconfig.json
new file mode 100644
index 00000000..0476f759
--- /dev/null
+++ b/helpers/Music/tsconfig.json
@@ -0,0 +1,18 @@
+{
+    "compilerOptions": {
+        "target": "ES2020",
+        "module": "commonjs",
+        "declaration": true,
+        "outDir": "./dist",
+        "strict": true,
+        "strictNullChecks": false,
+        "esModuleInterop": true,
+        "pretty": true,
+        "skipLibCheck": true,
+        "forceConsistentCasingInFileNames": true,
+        "importHelpers": true
+    },
+    "include": [
+        "src/**/*"
+    ]
+}
diff --git a/helpers/extractor.js b/helpers/extractor.js
deleted file mode 100644
index 4b32b3cc..00000000
--- a/helpers/extractor.js
+++ /dev/null
@@ -1,274 +0,0 @@
-const playdl = require("play-dl"),
-	fallbackImage = "https://cdn.discordapp.com/attachments/708642702602010684/1012418217660121089/noimage.png";
-// const fetch = require("node-fetch");
-// const { getData, getPreview, getTracks } = require("spotify-url-info")(fetch);
-
-/*
-	Thanks to: https://github.com/nizewn/Dodong
-
-	hello stranger,
-
-	as a result of my headaches while dealing with the discord-player extractor API,
-	what you will see here will mostly be poorly-written code.
-	this could use modularisation or some cleanup (i might do it once i have free time)
-
-	thanks :)
-
-	-nize
-*/
-
-module.exports = {
-	important: true,
-	validate: () => true, // true, since we're also using this for searches when query isnt a valid link
-	/**
-	 *
-	 * @param {String} query
-	 * @returns
-	 */
-	getInfo: async (query) => {
-		// eslint-disable-next-line no-async-promise-executor, no-unused-vars
-		return new Promise(async (resolve, reject) => {
-			try {
-				// ---- start soundcloud ----
-				if (["track", "playlist"].includes(await playdl.so_validate(query))) {
-					const info = await playdl.soundcloud(query);
-					if (info.type === "track") {
-						const track = {
-							title: info.name,
-							duration: info.durationInMs,
-							thumbnail: info.thumbnail || fallbackImage,
-							async engine() {
-								return (await playdl.stream(info.url, { discordPlayerCompatibility: true })).stream;
-							},
-							views: 0,
-							author: info.publisher ? info.publisher.name ?? info.publisher.artist ?? info.publisher.writer_composer ?? null : null,
-							description: "",
-							url: info.url,
-							source: "soundcloud-custom"
-						};
-						return resolve({ playlist: null, info: [track] });
-					} else if (info.type === "playlist") {
-						const trackList = await info.all_tracks();
-						const tracks = await trackList.map(track => {
-							return {
-								title: track.name,
-								duration: track.durationInMs,
-								thumbnail: track.thumbnail || fallbackImage,
-								async engine() {
-									return (await playdl.stream(track.url, { discordPlayerCompatibility: true })).stream;
-								},
-								views: 0,
-								author: track.publisher ? track.publisher.name ?? track.publisher.artist ?? track.publisher.writer_composer ?? null : null,
-								description: "",
-								url: track.url,
-								source: "soundcloud-custom"
-							};
-						});
-						const playlist = {
-							title: info.name,
-							description: "",
-							thumbnail: info.user.thumbnail || fallbackImage,
-							type: "playlist",
-							source: "soundcloud-custom",
-							author: info.user.name,
-							id: info.id,
-							url: info.url,
-							rawPlaylist: info
-						};
-						return resolve({ playlist: playlist, info: tracks });
-					}
-				}
-				// ---- end soundcloud ----
-				/*
-				// ---- start spotify ----
-				if (query.includes("open.spotify.com") || query.includes("play.spotify.com")) {
-					const info = await getPreview(query);
-					if (info.type === "track") {
-						const spotifyTrack = await getData(query);
-						const track = {
-							title: info.title,
-							duration: spotifyTrack.duration_ms,
-							thumbnail: info.image,
-							async engine() {
-								return (await playdl.stream(await Youtube.search(`${info.artist} ${info.title} lyric`, { limit: 1, type: "video", safeSearch: true }).then(x => x[0] ? `https://youtu.be/${x[0].id}` : "https://youtu.be/Wch3gJG2GJ4"), { discordPlayerCompatibility: true })).stream;
-							},
-							views: 0,
-							author: info.artist,
-							description: "",
-							url: info.link,
-							source: "spotify-custom"
-						};
-						return resolve({ playlist: null, info: [track] });
-					} else if (["album", "artist", "playlist"].includes(info.type)) {
-						const trackList = await getTracks(query);
-						const tracks = trackList.map(track => {
-							return {
-								title: track.name,
-								duration: track.duration_ms,
-								thumbnail: track.album && track.album.images.length ? track.album.images[0].url : null,
-								async engine() {
-									return (await playdl.stream(await Youtube.search(`${track.artists[0].name} ${track.name} lyric`, { limit: 1, type: "video", safeSearch: true }).then(x => x[0] ? `https://youtu.be/${x[0].id}` : "https://youtu.be/Wch3gJG2GJ4"), { discordPlayerCompatibility: true })).stream;
-								},
-								views: 0,
-								author: track.artists ? track.artists[0].name : null,
-								description: "",
-								url: track.external_urls.spotify,
-								source: "spotify-custom"
-							};
-						});
-						const playlist = {
-							title: info.title,
-							description: "",
-							thumbnail: info.image,
-							type: info.type === "album" ? "album" : "playlist",
-							source: "spotify-custom",
-							author: info.artist,
-							id: null,
-							url: info.link,
-							rawPlaylist: info
-						};
-						return resolve({ playlist: playlist, info: tracks });
-					}
-				}
-				// ---- end spotify ----
-				*/
-				if (query.startsWith("http") && !query.includes("&list")) query = query.split("&")[0];
-
-				if (query.startsWith("http") && playdl.yt_validate(query) === "video") {
-					if (query.includes("music.youtube")) {
-						const info = await playdl.video_info(query);
-						if (!info) return resolve({ playlist: null, info: null });
-						const track = {
-							title: info.video_details.title,
-							duration: info.video_details.durationInSec * 1000,
-							thumbnail: info.video_details.thumbnails[0].url || fallbackImage,
-							async engine() {
-								return (await playdl.stream(`https://music.youtube.com/watch?v=${info.video_details.id}`, { discordPlayerCompatibility: true })).stream;
-							},
-							views: info.video_details.views,
-							author: info.video_details.channel.name,
-							description: "",
-							url: `https://music.youtube.com/watch?v=${info.video_details.id}`,
-							raw: info,
-							source: "youtube"
-						};
-
-						return resolve({ playlist: null, info: [track] });
-					}
-
-					const info = await playdl.video_info(query);
-					if (!info) return resolve({ playlist: null, info: null });
-
-					const track = {
-						title: info.video_details.title,
-						duration: info.video_details.durationInSec * 1000,
-						thumbnail: info.video_details.thumbnails[0].url || fallbackImage,
-						async engine() {
-							return (await playdl.stream(info.video_details.url, { discordPlayerCompatibility: true })).stream;
-						},
-						views: info.video_details.views,
-						author: info.video_details.channel.name,
-						description: "",
-						url: info.video_details.url,
-						raw: info,
-						source: "youtube"
-					};
-					return resolve({ playlist: null, info: [track] });
-				} else if (playdl.yt_validate(query) === "playlist") {
-					if (query.includes("music.youtube")) {
-						const info = await playdl.playlist_info(query, { incomplete: true });
-						const trackList = await info.videos;
-						const tracks = trackList.map(track => {
-							return {
-								title: track.title,
-								duration: track.durationInSec * 1000,
-								thumbnail: track.thumbnails[0].url || fallbackImage,
-								async engine() {
-									return (await playdl.stream(`https://music.youtube.com/watch?v=${track.id}`, { discordPlayerCompatibility: true })).stream;
-								},
-								views: track.views,
-								author: track.channel.name,
-								description: "",
-								url: track.url,
-								raw: info,
-								source: "youtube"
-							};
-						});
-						const playlist = {
-							title: info.title,
-							description: "",
-							thumbnail: info.thumbnail ? info.thumbnail.url : fallbackImage,
-							type: "playlist",
-							author: info.channel.name,
-							id: info.id,
-							url: info.url,
-							source: "youtube",
-							rawPlaylist: info
-						};
-						return resolve({ playlist: playlist, info: tracks });
-					}
-
-					const info = await playdl.playlist_info(query, { incomplete: true });
-					const trackList = await info.all_videos();
-					const tracks = trackList.map(track => {
-						return {
-							title: track.title,
-							duration: track.durationInSec * 1000,
-							thumbnail: track.thumbnails[0].url || fallbackImage,
-							async engine() {
-								return (await playdl.stream(track.url, { discordPlayerCompatibility: true })).stream;
-							},
-							views: track.views,
-							author: track.channel.name,
-							description: "",
-							url: track.url,
-							raw: info,
-							source: "youtube"
-						};
-					});
-					const playlist = {
-						title: info.title,
-						description: "",
-						thumbnail: info.thumbnail ? info.thumbnail.url : null,
-						type: "playlist",
-						source: "youtube",
-						author: info.channel.name,
-						id: info.id,
-						url: info.url,
-						rawPlaylist: info
-					};
-					return resolve({ playlist: playlist, info: tracks });
-				}
-
-				// search on youtube
-				const search = await playdl.search(query, { limit: 10 });
-
-				if (search) {
-					const found = search.map(track => {
-						return {
-							title: track.title,
-							duration: track.durationInSec * 1000,
-							thumbnail: track.thumbnails[0].url || fallbackImage,
-							async engine() {
-								return (await playdl.stream(track.url, { discordPlayerCompatibility: true })).stream;
-							},
-							views: track.views,
-							author: track.channel.name,
-							description: "search",
-							url: track.url,
-							raw: track,
-							source: "youtube"
-						};
-					});
-
-					return resolve({ playlist: null, info: found });
-				}
-
-				return resolve({ playlist: null, info: null });
-			} catch (error) {
-				console.log(`Extractor: An error occurred while attempting to resolve ${query} :\n${error}`);
-				return reject(error);
-			}
-		});
-	}
-};
\ No newline at end of file
diff --git a/package-lock.json b/package-lock.json
index ea5f3449..ff2f326f 100644
--- a/package-lock.json
+++ b/package-lock.json
@@ -20,7 +20,6 @@
                 "cron": "^2.1.0",
                 "discord-api-types": "^0.37.5",
                 "discord-giveaways": "^6.0.1",
-                "discord-player": "^5.3.0-dev.3",
                 "discord.js": "^14.3.0",
                 "ejs": "^3.1.3",
                 "express": "^4.17.1",
@@ -33,7 +32,8 @@
                 "moment": "^2.26.0",
                 "mongoose": "^5.13.15",
                 "ms": "^2.1.3",
-                "play-dl": "^1.9.5"
+                "play-dl": "^1.9.5",
+                "tiny-typed-emitter": "^2.1.0"
             },
             "devDependencies": {
                 "eslint": "^8.23.0"
@@ -1478,24 +1478,6 @@
                 "discord.js": ">=14.0.0"
             }
         },
-        "node_modules/discord-player": {
-            "version": "5.3.0-dev.3",
-            "resolved": "https://registry.npmjs.org/discord-player/-/discord-player-5.3.0-dev.3.tgz",
-            "integrity": "sha512-rrbEBS4mzCyIGk5S9E5O0XWnC4nub2cmBAFr9pZLH7RWBX4+z2nhAt5VwemgenmW/RJy1rseuZZ75WqJDnrHnw==",
-            "dependencies": {
-                "@discordjs/voice": "^0.11.0",
-                "libsodium-wrappers": "^0.7.10",
-                "soundcloud-scraper": "^5.0.3",
-                "spotify-url-info": "^3.1.2",
-                "tiny-typed-emitter": "^2.1.0",
-                "tslib": "^2.4.0",
-                "youtube-sr": "^4.2.0",
-                "ytdl-core": "^4.11.0"
-            },
-            "funding": {
-                "url": "https://github.com/Androz2091/discord-player?sponsor=1"
-            }
-        },
         "node_modules/discord.js": {
             "version": "14.3.0",
             "resolved": "https://registry.npmjs.org/discord.js/-/discord.js-14.3.0.tgz",
@@ -2503,11 +2485,6 @@
             "resolved": "https://registry.npmjs.org/has-unicode/-/has-unicode-2.0.1.tgz",
             "integrity": "sha512-8Rf9Y83NBReMnx0gFzA8JImQACstCYWUplepDa9xprwwtmgEZUF0h/i5xSA625zB/I37EtrswSST6OXxwaaIJQ=="
         },
-        "node_modules/himalaya": {
-            "version": "1.1.0",
-            "resolved": "https://registry.npmjs.org/himalaya/-/himalaya-1.1.0.tgz",
-            "integrity": "sha512-LLase1dHCRMel68/HZTFft0N0wti0epHr3nNY7ynpLbyZpmrKMQ8YIpiOV77TM97cNpC8Wb2n6f66IRggwdWPw=="
-        },
         "node_modules/html-encoding-sniffer": {
             "version": "2.0.1",
             "resolved": "https://registry.npmjs.org/html-encoding-sniffer/-/html-encoding-sniffer-2.0.1.tgz",
@@ -2909,19 +2886,6 @@
                 "node": ">= 0.8.0"
             }
         },
-        "node_modules/libsodium": {
-            "version": "0.7.10",
-            "resolved": "https://registry.npmjs.org/libsodium/-/libsodium-0.7.10.tgz",
-            "integrity": "sha512-eY+z7hDrDKxkAK+QKZVNv92A5KYkxfvIshtBJkmg5TSiCnYqZP3i9OO9whE79Pwgm4jGaoHgkM4ao/b9Cyu4zQ=="
-        },
-        "node_modules/libsodium-wrappers": {
-            "version": "0.7.10",
-            "resolved": "https://registry.npmjs.org/libsodium-wrappers/-/libsodium-wrappers-0.7.10.tgz",
-            "integrity": "sha512-pO3F1Q9NPLB/MWIhehim42b/Fwb30JNScCNh8TcQ/kIc+qGLQch8ag8wb0keK3EP5kbGakk1H8Wwo7v+36rNQg==",
-            "dependencies": {
-                "libsodium": "^0.7.0"
-            }
-        },
         "node_modules/locate-path": {
             "version": "6.0.0",
             "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-6.0.0.tgz",
@@ -2993,18 +2957,6 @@
                 "node": "*"
             }
         },
-        "node_modules/m3u8stream": {
-            "version": "0.8.6",
-            "resolved": "https://registry.npmjs.org/m3u8stream/-/m3u8stream-0.8.6.tgz",
-            "integrity": "sha512-LZj8kIVf9KCphiHmH7sbFQTVe4tOemb202fWwvJwR9W5ENW/1hxJN6ksAWGhQgSBSa3jyWhnjKU1Fw1GaOdbyA==",
-            "dependencies": {
-                "miniget": "^4.2.2",
-                "sax": "^1.2.4"
-            },
-            "engines": {
-                "node": ">=12"
-            }
-        },
         "node_modules/make-dir": {
             "version": "3.1.0",
             "resolved": "https://registry.npmjs.org/make-dir/-/make-dir-3.1.0.tgz",
@@ -3136,14 +3088,6 @@
                 "node": ">=4"
             }
         },
-        "node_modules/miniget": {
-            "version": "4.2.2",
-            "resolved": "https://registry.npmjs.org/miniget/-/miniget-4.2.2.tgz",
-            "integrity": "sha512-a7voNL1N5lDMxvTMExOkg+Fq89jM2vY8pAi9ZEWzZtfNmdfP6RXkvUtFnCAXoCv2T9k1v/fUJVaAEuepGcvLYA==",
-            "engines": {
-                "node": ">=12"
-            }
-        },
         "node_modules/minimatch": {
             "version": "3.1.2",
             "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz",
@@ -4268,16 +4212,6 @@
             "resolved": "https://registry.npmjs.org/sliced/-/sliced-1.0.1.tgz",
             "integrity": "sha512-VZBmZP8WU3sMOZm1bdgTadsQbcscK0UM8oKxKVBs4XAhUo2Xxzm/OFMGBkPusxw9xL3Uy8LrzEqGqJhclsr0yA=="
         },
-        "node_modules/soundcloud-scraper": {
-            "version": "5.0.3",
-            "resolved": "https://registry.npmjs.org/soundcloud-scraper/-/soundcloud-scraper-5.0.3.tgz",
-            "integrity": "sha512-AmS9KmK7mMaPVzHzBk40rANpAttZila3+iAet6EA47EeiTBUzVwjq4B+1LCOLtgPmzDSGk0qn+LZOEd5UhnZTQ==",
-            "dependencies": {
-                "cheerio": "^1.0.0-rc.10",
-                "m3u8stream": "^0.8.4",
-                "node-fetch": "^2.6.1"
-            }
-        },
         "node_modules/source-map": {
             "version": "0.6.1",
             "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz",
@@ -4296,26 +4230,6 @@
                 "memory-pager": "^1.0.2"
             }
         },
-        "node_modules/spotify-uri": {
-            "version": "3.0.3",
-            "resolved": "https://registry.npmjs.org/spotify-uri/-/spotify-uri-3.0.3.tgz",
-            "integrity": "sha512-mMstJ4dAMki6GbUjg94kp/h9ZH+7T7+ro/KUC00WVh+WKoLgMRrTKLkWMIwCZNO53Xa8DRHQw/6jwYtRZrVI3g==",
-            "engines": {
-                "node": ">= 12"
-            }
-        },
-        "node_modules/spotify-url-info": {
-            "version": "3.1.6",
-            "resolved": "https://registry.npmjs.org/spotify-url-info/-/spotify-url-info-3.1.6.tgz",
-            "integrity": "sha512-v8Hz8lNXB9DzwlgetiIoKHh9t0hc7/J2vi0s82qa3/5kiU0cs/LDYY7nooqFcQpGz5y+okvqU7+FFMnieA+S7w==",
-            "dependencies": {
-                "himalaya": "~1.1.0",
-                "spotify-uri": "~3.0.3"
-            },
-            "engines": {
-                "node": ">= 12"
-            }
-        },
         "node_modules/statuses": {
             "version": "2.0.1",
             "resolved": "https://registry.npmjs.org/statuses/-/statuses-2.0.1.tgz",
@@ -4807,24 +4721,6 @@
             "funding": {
                 "url": "https://github.com/sponsors/sindresorhus"
             }
-        },
-        "node_modules/youtube-sr": {
-            "version": "4.3.4",
-            "resolved": "https://registry.npmjs.org/youtube-sr/-/youtube-sr-4.3.4.tgz",
-            "integrity": "sha512-olSYcR80XigutCrePEXBX3/RJJrWfonJQj7+/ggBiWU0CzTDLE1q8+lpWTWCG0JpzhzILp/IB/Bq/glGqqr1TQ=="
-        },
-        "node_modules/ytdl-core": {
-            "version": "4.11.1",
-            "resolved": "https://registry.npmjs.org/ytdl-core/-/ytdl-core-4.11.1.tgz",
-            "integrity": "sha512-0H2hl8kv9JA50qEUewPVpDCloyEVkXZfKJ6o2RNmkngfiY99pGVqE7jQbMT6Rs1QwZpF8GiMB50VWXqivpzlgQ==",
-            "dependencies": {
-                "m3u8stream": "^0.8.6",
-                "miniget": "^4.2.2",
-                "sax": "^1.1.3"
-            },
-            "engines": {
-                "node": ">=12"
-            }
         }
     },
     "dependencies": {
@@ -5888,21 +5784,6 @@
                 "serialize-javascript": "^6.0.0"
             }
         },
-        "discord-player": {
-            "version": "5.3.0-dev.3",
-            "resolved": "https://registry.npmjs.org/discord-player/-/discord-player-5.3.0-dev.3.tgz",
-            "integrity": "sha512-rrbEBS4mzCyIGk5S9E5O0XWnC4nub2cmBAFr9pZLH7RWBX4+z2nhAt5VwemgenmW/RJy1rseuZZ75WqJDnrHnw==",
-            "requires": {
-                "@discordjs/voice": "^0.11.0",
-                "libsodium-wrappers": "^0.7.10",
-                "soundcloud-scraper": "^5.0.3",
-                "spotify-url-info": "^3.1.2",
-                "tiny-typed-emitter": "^2.1.0",
-                "tslib": "^2.4.0",
-                "youtube-sr": "^4.2.0",
-                "ytdl-core": "^4.11.0"
-            }
-        },
         "discord.js": {
             "version": "14.3.0",
             "resolved": "https://registry.npmjs.org/discord.js/-/discord.js-14.3.0.tgz",
@@ -6680,11 +6561,6 @@
             "resolved": "https://registry.npmjs.org/has-unicode/-/has-unicode-2.0.1.tgz",
             "integrity": "sha512-8Rf9Y83NBReMnx0gFzA8JImQACstCYWUplepDa9xprwwtmgEZUF0h/i5xSA625zB/I37EtrswSST6OXxwaaIJQ=="
         },
-        "himalaya": {
-            "version": "1.1.0",
-            "resolved": "https://registry.npmjs.org/himalaya/-/himalaya-1.1.0.tgz",
-            "integrity": "sha512-LLase1dHCRMel68/HZTFft0N0wti0epHr3nNY7ynpLbyZpmrKMQ8YIpiOV77TM97cNpC8Wb2n6f66IRggwdWPw=="
-        },
         "html-encoding-sniffer": {
             "version": "2.0.1",
             "resolved": "https://registry.npmjs.org/html-encoding-sniffer/-/html-encoding-sniffer-2.0.1.tgz",
@@ -6971,19 +6847,6 @@
                 "type-check": "~0.4.0"
             }
         },
-        "libsodium": {
-            "version": "0.7.10",
-            "resolved": "https://registry.npmjs.org/libsodium/-/libsodium-0.7.10.tgz",
-            "integrity": "sha512-eY+z7hDrDKxkAK+QKZVNv92A5KYkxfvIshtBJkmg5TSiCnYqZP3i9OO9whE79Pwgm4jGaoHgkM4ao/b9Cyu4zQ=="
-        },
-        "libsodium-wrappers": {
-            "version": "0.7.10",
-            "resolved": "https://registry.npmjs.org/libsodium-wrappers/-/libsodium-wrappers-0.7.10.tgz",
-            "integrity": "sha512-pO3F1Q9NPLB/MWIhehim42b/Fwb30JNScCNh8TcQ/kIc+qGLQch8ag8wb0keK3EP5kbGakk1H8Wwo7v+36rNQg==",
-            "requires": {
-                "libsodium": "^0.7.0"
-            }
-        },
         "locate-path": {
             "version": "6.0.0",
             "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-6.0.0.tgz",
@@ -7037,15 +6900,6 @@
             "resolved": "https://registry.npmjs.org/luxon/-/luxon-1.28.0.tgz",
             "integrity": "sha512-TfTiyvZhwBYM/7QdAVDh+7dBTBA29v4ik0Ce9zda3Mnf8on1S5KJI8P2jKFZ8+5C0jhmr0KwJEO/Wdpm0VeWJQ=="
         },
-        "m3u8stream": {
-            "version": "0.8.6",
-            "resolved": "https://registry.npmjs.org/m3u8stream/-/m3u8stream-0.8.6.tgz",
-            "integrity": "sha512-LZj8kIVf9KCphiHmH7sbFQTVe4tOemb202fWwvJwR9W5ENW/1hxJN6ksAWGhQgSBSa3jyWhnjKU1Fw1GaOdbyA==",
-            "requires": {
-                "miniget": "^4.2.2",
-                "sax": "^1.2.4"
-            }
-        },
         "make-dir": {
             "version": "3.1.0",
             "resolved": "https://registry.npmjs.org/make-dir/-/make-dir-3.1.0.tgz",
@@ -7139,11 +6993,6 @@
             "resolved": "https://registry.npmjs.org/mimic-response/-/mimic-response-1.0.1.tgz",
             "integrity": "sha512-j5EctnkH7amfV/q5Hgmoal1g2QHFJRraOtmx0JpIqkxhBhI/lJSl1nMpQ45hVarwNETOoWEimndZ4QK0RHxuxQ=="
         },
-        "miniget": {
-            "version": "4.2.2",
-            "resolved": "https://registry.npmjs.org/miniget/-/miniget-4.2.2.tgz",
-            "integrity": "sha512-a7voNL1N5lDMxvTMExOkg+Fq89jM2vY8pAi9ZEWzZtfNmdfP6RXkvUtFnCAXoCv2T9k1v/fUJVaAEuepGcvLYA=="
-        },
         "minimatch": {
             "version": "3.1.2",
             "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz",
@@ -7938,16 +7787,6 @@
             "resolved": "https://registry.npmjs.org/sliced/-/sliced-1.0.1.tgz",
             "integrity": "sha512-VZBmZP8WU3sMOZm1bdgTadsQbcscK0UM8oKxKVBs4XAhUo2Xxzm/OFMGBkPusxw9xL3Uy8LrzEqGqJhclsr0yA=="
         },
-        "soundcloud-scraper": {
-            "version": "5.0.3",
-            "resolved": "https://registry.npmjs.org/soundcloud-scraper/-/soundcloud-scraper-5.0.3.tgz",
-            "integrity": "sha512-AmS9KmK7mMaPVzHzBk40rANpAttZila3+iAet6EA47EeiTBUzVwjq4B+1LCOLtgPmzDSGk0qn+LZOEd5UhnZTQ==",
-            "requires": {
-                "cheerio": "^1.0.0-rc.10",
-                "m3u8stream": "^0.8.4",
-                "node-fetch": "^2.6.1"
-            }
-        },
         "source-map": {
             "version": "0.6.1",
             "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz",
@@ -7963,20 +7802,6 @@
                 "memory-pager": "^1.0.2"
             }
         },
-        "spotify-uri": {
-            "version": "3.0.3",
-            "resolved": "https://registry.npmjs.org/spotify-uri/-/spotify-uri-3.0.3.tgz",
-            "integrity": "sha512-mMstJ4dAMki6GbUjg94kp/h9ZH+7T7+ro/KUC00WVh+WKoLgMRrTKLkWMIwCZNO53Xa8DRHQw/6jwYtRZrVI3g=="
-        },
-        "spotify-url-info": {
-            "version": "3.1.6",
-            "resolved": "https://registry.npmjs.org/spotify-url-info/-/spotify-url-info-3.1.6.tgz",
-            "integrity": "sha512-v8Hz8lNXB9DzwlgetiIoKHh9t0hc7/J2vi0s82qa3/5kiU0cs/LDYY7nooqFcQpGz5y+okvqU7+FFMnieA+S7w==",
-            "requires": {
-                "himalaya": "~1.1.0",
-                "spotify-uri": "~3.0.3"
-            }
-        },
         "statuses": {
             "version": "2.0.1",
             "resolved": "https://registry.npmjs.org/statuses/-/statuses-2.0.1.tgz",
@@ -8348,21 +8173,6 @@
             "resolved": "https://registry.npmjs.org/yocto-queue/-/yocto-queue-0.1.0.tgz",
             "integrity": "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==",
             "dev": true
-        },
-        "youtube-sr": {
-            "version": "4.3.4",
-            "resolved": "https://registry.npmjs.org/youtube-sr/-/youtube-sr-4.3.4.tgz",
-            "integrity": "sha512-olSYcR80XigutCrePEXBX3/RJJrWfonJQj7+/ggBiWU0CzTDLE1q8+lpWTWCG0JpzhzILp/IB/Bq/glGqqr1TQ=="
-        },
-        "ytdl-core": {
-            "version": "4.11.1",
-            "resolved": "https://registry.npmjs.org/ytdl-core/-/ytdl-core-4.11.1.tgz",
-            "integrity": "sha512-0H2hl8kv9JA50qEUewPVpDCloyEVkXZfKJ6o2RNmkngfiY99pGVqE7jQbMT6Rs1QwZpF8GiMB50VWXqivpzlgQ==",
-            "requires": {
-                "m3u8stream": "^0.8.6",
-                "miniget": "^4.2.2",
-                "sax": "^1.1.3"
-            }
         }
     }
 }
diff --git a/package.json b/package.json
index 522481ee..b656befa 100644
--- a/package.json
+++ b/package.json
@@ -23,7 +23,6 @@
         "cron": "^2.1.0",
         "discord-api-types": "^0.37.5",
         "discord-giveaways": "^6.0.1",
-        "discord-player": "^5.3.0-dev.3",
         "discord.js": "^14.3.0",
         "ejs": "^3.1.3",
         "express": "^4.17.1",
@@ -36,7 +35,8 @@
         "moment": "^2.26.0",
         "mongoose": "^5.13.15",
         "ms": "^2.1.3",
-        "play-dl": "^1.9.5"
+        "play-dl": "^1.9.5",
+        "tiny-typed-emitter": "^2.1.0"
     },
     "devDependencies": {
         "eslint": "^8.23.0"

From b248684fc3f83ce005c3e24e33b4dd5097f68916 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Sat, 10 Sep 2022 23:53:40 +0500
Subject: [PATCH 02/47] =?UTF-8?q?=D0=AF=20=D0=BD=D0=B5=20=D1=83=D0=BC?=
 =?UTF-8?q?=D0=B5=D1=8E=20=D0=B3=D0=B8=D1=82=D1=85=D0=B0=D0=B1=D0=BE=D0=BC?=
 =?UTF-8?q?=20=D0=BF=D0=BE=D0=BB=D1=8C=D0=B7=D0=BE=D0=B2=D0=B0=D1=82=D1=8C?=
 =?UTF-8?q?=D1=81=D1=8F?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 commands/Music/play.js | 35 +++++++----------------------------
 1 file changed, 7 insertions(+), 28 deletions(-)

diff --git a/commands/Music/play.js b/commands/Music/play.js
index 761be1b7..46a699b2 100644
--- a/commands/Music/play.js
+++ b/commands/Music/play.js
@@ -44,34 +44,13 @@ class Play extends BaseCommand {
 		if (!perms.has(PermissionsBitField.Flags.Connect) || !perms.has(PermissionsBitField.Flags.Speak)) return interaction.editReply({ content: interaction.translate("music/play:VOICE_CHANNEL_CONNECT") });
 
 		try {
-			var searchResult;
-			if (!query.includes("http")) {
-				const search = await playdl.search(query, { limit: 10 });
+			var searchResult = await client.player.search(query, {
+				requestedBy: interaction.user,
+				searchEngine: QueryType.AUTO
+			});
 
-				if (search) {
-					const found = search.map(track => new Track(client.player, {
-						title: track.title,
-						duration: Util.buildTimeCode(Util.parseMS(track.durationInSec * 1000)),
-						thumbnail: track.thumbnails[0].url || "https://cdn.discordapp.com/attachments/708642702602010684/1012418217660121089/noimage.png",
-						views: track.views,
-						author: track.channel.name,
-						description: "search",
-						url: track.url,
-						requestedBy: interaction.user,
-						playlist: null,
-						source: "youtube"
-					}));
-
-					searchResult = { playlist: null, tracks: found, searched: true };
-				}
-			} else {
-				searchResult = await client.player.search(query, {
-					requestedBy: interaction.user
-				});
-
-				if (!searchResult.tracks[0] || !searchResult)
-					return interaction.editReply({ content: interaction.translate("music/play:NO_RESULT", { query, error: "Unknown Error" }) });
-			}
+			if (!searchResult.tracks[0] || !searchResult)
+				return interaction.editReply({ content: interaction.translate("music/play:NO_RESULT", { query, error: "Unknown Error" }) });
 		} catch (error) {
 			console.log(error);
 			return interaction.editReply({
@@ -87,7 +66,7 @@ class Play extends BaseCommand {
 			autoSelfDeaf: true,
 			leaveOnEnd: true,
 			leaveOnStop: true,
-			bufferingTimeout: 1000,
+			bufferingTimeout: 1000
 		});
 
 		if (searchResult.searched) {

From 69df597e02631bec85c042800152ef8ad77d2acd Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Sun, 11 Sep 2022 00:10:40 +0500
Subject: [PATCH 03/47] =?UTF-8?q?=D0=A4=D0=B8=D0=BA=D1=81=D0=B8=D0=BA?=
 =?UTF-8?q?=D0=B8?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 commands/Music/play.js | 2 +-
 1 file changed, 1 insertion(+), 1 deletion(-)

diff --git a/commands/Music/play.js b/commands/Music/play.js
index 46a699b2..0864cdfe 100644
--- a/commands/Music/play.js
+++ b/commands/Music/play.js
@@ -50,7 +50,7 @@ class Play extends BaseCommand {
 			});
 
 			if (!searchResult.tracks[0] || !searchResult)
-				return interaction.editReply({ content: interaction.translate("music/play:NO_RESULT", { query, error: "Unknown Error" }) });
+				return interaction.editReply({ content: interaction.translate("music/play:NO_RESULT", { query, error: "Скорее всего видео заблокировано по региону" }) });
 		} catch (error) {
 			console.log(error);
 			return interaction.editReply({

From 35608423060cba03ecd85b4bf1927a39903f6959 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Sun, 11 Sep 2022 19:43:57 +0500
Subject: [PATCH 04/47] =?UTF-8?q?=D0=A4=D0=B8=D0=BA=D1=81=20=D0=BF=D0=BE?=
 =?UTF-8?q?=D0=BA=D0=B0=D0=B7=D0=B0=20=D0=BD=D0=B8=D0=BA=D0=B0=20=D0=B2=20?=
 =?UTF-8?q?warn?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 commands/Moderation/warn.js | 4 +++-
 1 file changed, 3 insertions(+), 1 deletion(-)

diff --git a/commands/Moderation/warn.js b/commands/Moderation/warn.js
index 67501e13..adb0003a 100644
--- a/commands/Moderation/warn.js
+++ b/commands/Moderation/warn.js
@@ -45,7 +45,9 @@ class Warn extends BaseCommand {
 
 		const modal = new ModalBuilder()
 			.setCustomId("warn_modal")
-			.setTitle(interaction.translate("moderation/warn:MODAL_TITLE"));
+			.setTitle(interaction.translate("moderation/warn:MODAL_TITLE", {
+				nickname: member.nick
+			}));
 
 		const reasonInput = new TextInputBuilder()
 			.setCustomId("warn_reason")

From 7a4ee234cda73fb13374489458281926b1000e18 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Sun, 11 Sep 2022 19:50:06 +0500
Subject: [PATCH 05/47] =?UTF-8?q?=D0=BD=D1=83=20=D0=B4=D0=B0,=20=D1=8F=20?=
 =?UTF-8?q?=D0=BD=D0=B5=20=D1=82=D0=B5=D1=81=D1=82=D0=B8=D0=BB=20=D0=BF?=
 =?UTF-8?q?=D0=B5=D1=80=D0=B5=D0=B4=20=D1=80=D0=B5=D0=BB=D0=B8=D0=B7=D0=BE?=
 =?UTF-8?q?=D0=BC,=20=D0=B8=20=D1=87=D1=82=D0=BE=3F?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 commands/Moderation/warn.js | 2 +-
 1 file changed, 1 insertion(+), 1 deletion(-)

diff --git a/commands/Moderation/warn.js b/commands/Moderation/warn.js
index adb0003a..b4184bad 100644
--- a/commands/Moderation/warn.js
+++ b/commands/Moderation/warn.js
@@ -46,7 +46,7 @@ class Warn extends BaseCommand {
 		const modal = new ModalBuilder()
 			.setCustomId("warn_modal")
 			.setTitle(interaction.translate("moderation/warn:MODAL_TITLE", {
-				nickname: member.nick
+				nickname: member.user.tag
 			}));
 
 		const reasonInput = new TextInputBuilder()

From 2c0f9e38d9ae6902e5804d7eb4c5236a2317849a Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Tue, 13 Sep 2022 12:10:32 +0500
Subject: [PATCH 06/47] =?UTF-8?q?=D0=A1=D0=B4=D0=B5=D0=BB=D0=B0=D0=BB=20?=
 =?UTF-8?q?=D0=BC=D1=83=D0=B7=D1=8B=D0=BA=D1=83=20=D0=BE=D1=82=D0=B4=D0=B5?=
 =?UTF-8?q?=D0=BB=D1=8C=D0=BD=D1=8B=D0=BC=20=D0=BC=D0=BE=D0=B4=D1=83=D0=BB?=
 =?UTF-8?q?=D0=B5=D0=BC=20=3D)=20=D0=A3=D1=81=D1=82=D0=B0=D0=BD=D0=B0?=
 =?UTF-8?q?=D0=B2=D0=BB=D0=B8=D0=B2=D0=B0=D0=B5=D1=82=D1=81=D1=8F=20=D1=87?=
 =?UTF-8?q?=D0=B5=D1=80=D0=B5=D0=B7=20npm?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 base/JaBa.js                                  |    2 +-
 commands/Music/loop.js                        |    2 +-
 commands/Music/nowplaying.js                  |    2 +-
 commands/Music/play.js                        |    2 +-
 commands/Music/queue.js                       |    4 +-
 helpers/Music/.eslintignore                   |    4 -
 helpers/Music/.eslintrc.json                  |   22 -
 helpers/Music/dist/Player.d.ts                |   96 -
 helpers/Music/dist/Player.js                  |  579 ---
 .../Music/dist/Structures/ExtractorModel.d.ts |   29 -
 .../Music/dist/Structures/ExtractorModel.js   |   65 -
 .../Music/dist/Structures/PlayerError.d.ts    |   31 -
 helpers/Music/dist/Structures/PlayerError.js  |   48 -
 helpers/Music/dist/Structures/Playlist.d.ts   |   33 -
 helpers/Music/dist/Structures/Playlist.js     |  108 -
 helpers/Music/dist/Structures/Queue.d.ts      |  241 -
 helpers/Music/dist/Structures/Queue.js        |  761 ---
 helpers/Music/dist/Structures/Track.d.ts      |   53 -
 helpers/Music/dist/Structures/Track.js        |  156 -
 .../dist/VoiceInterface/StreamDispatcher.d.ts |   88 -
 .../dist/VoiceInterface/StreamDispatcher.js   |  225 -
 .../Music/dist/VoiceInterface/VoiceUtils.d.ts |   44 -
 .../Music/dist/VoiceInterface/VoiceUtils.js   |   65 -
 .../VoiceInterface/VolumeTransformer.d.ts     |   34 -
 .../dist/VoiceInterface/VolumeTransformer.js  |  120 -
 helpers/Music/dist/index.d.ts                 |   15 -
 helpers/Music/dist/index.js                   |   33 -
 helpers/Music/dist/index.mjs                  |   21 -
 helpers/Music/dist/smoothVolume.d.ts          |    1 -
 helpers/Music/dist/smoothVolume.js            |   13 -
 helpers/Music/dist/types/types.d.ts           |  453 --
 helpers/Music/dist/types/types.js             |   58 -
 helpers/Music/dist/utils/AudioFilters.d.ts    |   36 -
 helpers/Music/dist/utils/AudioFilters.js      |   97 -
 helpers/Music/dist/utils/FFmpegStream.d.ts    |   16 -
 helpers/Music/dist/utils/FFmpegStream.js      |   53 -
 helpers/Music/dist/utils/QueryResolver.d.ts   |   20 -
 helpers/Music/dist/utils/QueryResolver.js     |   66 -
 helpers/Music/dist/utils/Util.d.ts            |   53 -
 helpers/Music/dist/utils/Util.js              |  133 -
 helpers/Music/package-lock.json               | 4577 -----------------
 helpers/Music/package.json                    |   61 -
 helpers/Music/src/Player.ts                   |  607 ---
 .../Music/src/Structures/ExtractorModel.ts    |   73 -
 helpers/Music/src/Structures/PlayerError.ts   |   53 -
 helpers/Music/src/Structures/Playlist.ts      |  138 -
 helpers/Music/src/Structures/Queue.ts         |  776 ---
 helpers/Music/src/Structures/Track.ts         |  191 -
 .../src/VoiceInterface/StreamDispatcher.ts    |  253 -
 .../Music/src/VoiceInterface/VoiceUtils.ts    |   82 -
 .../src/VoiceInterface/VolumeTransformer.ts   |  144 -
 helpers/Music/src/index.ts                    |   19 -
 helpers/Music/src/smoothVolume.ts             |   12 -
 helpers/Music/src/types/types.ts              |  485 --
 helpers/Music/src/utils/AudioFilters.ts       |  107 -
 helpers/Music/src/utils/FFmpegStream.ts       |   59 -
 helpers/Music/src/utils/QueryResolver.ts      |   58 -
 helpers/Music/src/utils/Util.ts               |  117 -
 helpers/Music/tsconfig.json                   |   18 -
 package-lock.json                             |   97 +
 package.json                                  |    1 +
 61 files changed, 104 insertions(+), 11706 deletions(-)
 delete mode 100644 helpers/Music/.eslintignore
 delete mode 100644 helpers/Music/.eslintrc.json
 delete mode 100644 helpers/Music/dist/Player.d.ts
 delete mode 100644 helpers/Music/dist/Player.js
 delete mode 100644 helpers/Music/dist/Structures/ExtractorModel.d.ts
 delete mode 100644 helpers/Music/dist/Structures/ExtractorModel.js
 delete mode 100644 helpers/Music/dist/Structures/PlayerError.d.ts
 delete mode 100644 helpers/Music/dist/Structures/PlayerError.js
 delete mode 100644 helpers/Music/dist/Structures/Playlist.d.ts
 delete mode 100644 helpers/Music/dist/Structures/Playlist.js
 delete mode 100644 helpers/Music/dist/Structures/Queue.d.ts
 delete mode 100644 helpers/Music/dist/Structures/Queue.js
 delete mode 100644 helpers/Music/dist/Structures/Track.d.ts
 delete mode 100644 helpers/Music/dist/Structures/Track.js
 delete mode 100644 helpers/Music/dist/VoiceInterface/StreamDispatcher.d.ts
 delete mode 100644 helpers/Music/dist/VoiceInterface/StreamDispatcher.js
 delete mode 100644 helpers/Music/dist/VoiceInterface/VoiceUtils.d.ts
 delete mode 100644 helpers/Music/dist/VoiceInterface/VoiceUtils.js
 delete mode 100644 helpers/Music/dist/VoiceInterface/VolumeTransformer.d.ts
 delete mode 100644 helpers/Music/dist/VoiceInterface/VolumeTransformer.js
 delete mode 100644 helpers/Music/dist/index.d.ts
 delete mode 100644 helpers/Music/dist/index.js
 delete mode 100644 helpers/Music/dist/index.mjs
 delete mode 100644 helpers/Music/dist/smoothVolume.d.ts
 delete mode 100644 helpers/Music/dist/smoothVolume.js
 delete mode 100644 helpers/Music/dist/types/types.d.ts
 delete mode 100644 helpers/Music/dist/types/types.js
 delete mode 100644 helpers/Music/dist/utils/AudioFilters.d.ts
 delete mode 100644 helpers/Music/dist/utils/AudioFilters.js
 delete mode 100644 helpers/Music/dist/utils/FFmpegStream.d.ts
 delete mode 100644 helpers/Music/dist/utils/FFmpegStream.js
 delete mode 100644 helpers/Music/dist/utils/QueryResolver.d.ts
 delete mode 100644 helpers/Music/dist/utils/QueryResolver.js
 delete mode 100644 helpers/Music/dist/utils/Util.d.ts
 delete mode 100644 helpers/Music/dist/utils/Util.js
 delete mode 100644 helpers/Music/package-lock.json
 delete mode 100644 helpers/Music/package.json
 delete mode 100644 helpers/Music/src/Player.ts
 delete mode 100644 helpers/Music/src/Structures/ExtractorModel.ts
 delete mode 100644 helpers/Music/src/Structures/PlayerError.ts
 delete mode 100644 helpers/Music/src/Structures/Playlist.ts
 delete mode 100644 helpers/Music/src/Structures/Queue.ts
 delete mode 100644 helpers/Music/src/Structures/Track.ts
 delete mode 100644 helpers/Music/src/VoiceInterface/StreamDispatcher.ts
 delete mode 100644 helpers/Music/src/VoiceInterface/VoiceUtils.ts
 delete mode 100644 helpers/Music/src/VoiceInterface/VolumeTransformer.ts
 delete mode 100644 helpers/Music/src/index.ts
 delete mode 100644 helpers/Music/src/smoothVolume.ts
 delete mode 100644 helpers/Music/src/types/types.ts
 delete mode 100644 helpers/Music/src/utils/AudioFilters.ts
 delete mode 100644 helpers/Music/src/utils/FFmpegStream.ts
 delete mode 100644 helpers/Music/src/utils/QueryResolver.ts
 delete mode 100644 helpers/Music/src/utils/Util.ts
 delete mode 100644 helpers/Music/tsconfig.json

diff --git a/base/JaBa.js b/base/JaBa.js
index fbcca650..97bcece4 100644
--- a/base/JaBa.js
+++ b/base/JaBa.js
@@ -1,5 +1,5 @@
 const { Client, Collection, SlashCommandBuilder, ContextMenuCommandBuilder } = require("discord.js"),
-	{ Player } = require("../helpers/Music/dist/index"),
+	{ Player } = require("discord-player-play-dl"),
 	{ DiscordTogether } = require("../helpers/discordTogether"),
 	{ GiveawaysManager } = require("discord-giveaways"),
 	{ REST } = require("@discordjs/rest"),
diff --git a/commands/Music/loop.js b/commands/Music/loop.js
index 94cb7a33..c07d7281 100644
--- a/commands/Music/loop.js
+++ b/commands/Music/loop.js
@@ -1,5 +1,5 @@
 const { SlashCommandBuilder, ActionRowBuilder, SelectMenuBuilder } = require("discord.js"),
-	{ QueueRepeatMode } = require("../../helpers/Music/dist/index");
+	{ QueueRepeatMode } = require("discord-player-play-dl");
 const BaseCommand = require("../../base/BaseCommand");
 
 class Loop extends BaseCommand {
diff --git a/commands/Music/nowplaying.js b/commands/Music/nowplaying.js
index 0456a8e1..e9b6463e 100644
--- a/commands/Music/nowplaying.js
+++ b/commands/Music/nowplaying.js
@@ -1,5 +1,5 @@
 const { SlashCommandBuilder, EmbedBuilder } = require("discord.js"),
-	{ QueueRepeatMode } = require("../../helpers/Music/dist/index");
+	{ QueueRepeatMode } = require("discord-player-play-dl");
 const BaseCommand = require("../../base/BaseCommand");
 
 class Nowplaying extends BaseCommand {
diff --git a/commands/Music/play.js b/commands/Music/play.js
index 0864cdfe..2ea93072 100644
--- a/commands/Music/play.js
+++ b/commands/Music/play.js
@@ -1,5 +1,5 @@
 const { SlashCommandBuilder, EmbedBuilder, ActionRowBuilder, ButtonBuilder, ButtonStyle, PermissionsBitField } = require("discord.js"),
-	{ QueryType } = require("../../helpers/Music/dist/index");
+	{ QueryType } = require("discord-player-play-dl");
 const BaseCommand = require("../../base/BaseCommand");
 
 class Play extends BaseCommand {
diff --git a/commands/Music/queue.js b/commands/Music/queue.js
index 4dae6a2b..9497eba2 100644
--- a/commands/Music/queue.js
+++ b/commands/Music/queue.js
@@ -1,5 +1,5 @@
 const { SlashCommandBuilder, EmbedBuilder, ActionRowBuilder, ButtonBuilder, ButtonStyle } = require("discord.js"),
-	{ QueueRepeatMode } = require("../../helpers/Music/dist/index");
+	{ QueueRepeatMode } = require("discord-player-play-dl");
 const BaseCommand = require("../../base/BaseCommand");
 
 class Queue extends BaseCommand {
@@ -151,7 +151,7 @@ class Queue extends BaseCommand {
 /**
  *
  * @param {import("discord.js").ChatInputCommandInteraction} interaction
- * @param {import("../../helpers/Music/dist/index").Queue} queue
+ * @param {import("discord-player-play-dl").Queue} queue
  * @returns
  */
 function generateQueueEmbeds(interaction, queue) {
diff --git a/helpers/Music/.eslintignore b/helpers/Music/.eslintignore
deleted file mode 100644
index cc4c338f..00000000
--- a/helpers/Music/.eslintignore
+++ /dev/null
@@ -1,4 +0,0 @@
-node_modules/
-dist/
-
-*.d.ts
\ No newline at end of file
diff --git a/helpers/Music/.eslintrc.json b/helpers/Music/.eslintrc.json
deleted file mode 100644
index d7521756..00000000
--- a/helpers/Music/.eslintrc.json
+++ /dev/null
@@ -1,22 +0,0 @@
-{
-    "root": true,
-    "parser": "@typescript-eslint/parser",
-    "env": {
-        "node": true
-    },
-    "plugins": [
-        "@typescript-eslint"
-    ],
-    "extends": [
-        "eslint:recommended",
-        "plugin:@typescript-eslint/recommended"
-    ],
-    "rules": {
-        "@typescript-eslint/explicit-module-boundary-types": "off",
-        "@typescript-eslint/no-unused-vars": "error",
-        "@typescript-eslint/no-explicit-any": "error",
-        "@typescript-eslint/ban-ts-comment": "error",
-        "semi": "error",
-        "no-console": "error"
-    }
-}
\ No newline at end of file
diff --git a/helpers/Music/dist/Player.d.ts b/helpers/Music/dist/Player.d.ts
deleted file mode 100644
index 02a4fa73..00000000
--- a/helpers/Music/dist/Player.d.ts
+++ /dev/null
@@ -1,96 +0,0 @@
-import { Client, Collection, GuildResolvable } from "discord.js";
-import { TypedEmitter as EventEmitter } from "tiny-typed-emitter";
-import { Queue } from "./Structures/Queue";
-import { VoiceUtils } from "./VoiceInterface/VoiceUtils";
-import { PlayerEvents, PlayerOptions, SearchOptions, PlayerInitOptions, PlayerSearchResult, PlaylistInitData } from "./types/types";
-import Track from "./Structures/Track";
-import { Playlist } from "./Structures/Playlist";
-import { ExtractorModel } from "./Structures/ExtractorModel";
-declare class Player extends EventEmitter<PlayerEvents> {
-    readonly client: Client;
-    readonly options: PlayerInitOptions;
-    readonly queues: Collection<string, Queue<unknown>>;
-    readonly voiceUtils: VoiceUtils;
-    readonly extractors: Collection<string, ExtractorModel>;
-    requiredEvents: string[];
-    /**
-     * Creates new Discord Player
-     * @param {Client} client The Discord Client
-     * @param {PlayerInitOptions} [options] The player init options
-     */
-    constructor(client: Client, options?: PlayerInitOptions);
-    /**
-     * Handles voice state update
-     * @param {VoiceState} oldState The old voice state
-     * @param {VoiceState} newState The new voice state
-     * @returns {void}
-     * @private
-     */
-    private _handleVoiceState;
-    /**
-     * Creates a queue for a guild if not available, else returns existing queue
-     * @param {GuildResolvable} guild The guild
-     * @param {PlayerOptions} queueInitOptions Queue init options
-     * @returns {Queue}
-     */
-    createQueue<T = unknown>(guild: GuildResolvable, queueInitOptions?: PlayerOptions & {
-        metadata?: T;
-    }): Queue<T>;
-    /**
-     * Returns the queue if available
-     * @param {GuildResolvable} guild The guild id
-     * @returns {Queue}
-     */
-    getQueue<T = unknown>(guild: GuildResolvable): Queue<T>;
-    /**
-     * Deletes a queue and returns deleted queue object
-     * @param {GuildResolvable} guild The guild id to remove
-     * @returns {Queue}
-     */
-    deleteQueue<T = unknown>(guild: GuildResolvable): Queue<T>;
-    /**
-     * @typedef {object} PlayerSearchResult
-     * @property {Playlist} [playlist] The playlist (if any)
-     * @property {Track[]} tracks The tracks
-     */
-    /**
-     * Search tracks
-     * @param {string|Track} query The search query
-     * @param {SearchOptions} options The search options
-     * @returns {Promise<PlayerSearchResult>}
-     */
-    search(query: string | Track, options: SearchOptions): Promise<PlayerSearchResult>;
-    /**
-     * Registers extractor
-     * @param {string} extractorName The extractor name
-     * @param {ExtractorModel|any} extractor The extractor object
-     * @param {boolean} [force=false] Overwrite existing extractor with this name (if available)
-     * @returns {ExtractorModel}
-     */
-    use(extractorName: string, extractor: ExtractorModel | any, force?: boolean): ExtractorModel;
-    /**
-     * Removes registered extractor
-     * @param {string} extractorName The extractor name
-     * @returns {ExtractorModel}
-     */
-    unuse(extractorName: string): ExtractorModel;
-    /**
-     * Generates a report of the dependencies used by the `@discordjs/voice` module. Useful for debugging.
-     * @returns {string}
-     */
-    scanDeps(): string;
-    emit<U extends keyof PlayerEvents>(eventName: U, ...args: Parameters<PlayerEvents[U]>): boolean;
-    /**
-     * Resolves queue
-     * @param {GuildResolvable|Queue} queueLike Queue like object
-     * @returns {Queue}
-     */
-    resolveQueue<T>(queueLike: GuildResolvable | Queue): Queue<T>;
-    [Symbol.iterator](): Generator<Queue<unknown>, void, undefined>;
-    /**
-     * Creates `Playlist` instance
-     * @param data The data to initialize a playlist
-     */
-    createPlaylist(data: PlaylistInitData): Playlist;
-}
-export { Player };
diff --git a/helpers/Music/dist/Player.js b/helpers/Music/dist/Player.js
deleted file mode 100644
index 4cde7d71..00000000
--- a/helpers/Music/dist/Player.js
+++ /dev/null
@@ -1,579 +0,0 @@
-"use strict";
-Object.defineProperty(exports, "__esModule", { value: true });
-exports.Player = void 0;
-const tslib_1 = require("tslib");
-const discord_js_1 = require("discord.js");
-const tiny_typed_emitter_1 = require("tiny-typed-emitter");
-const Queue_1 = require("./Structures/Queue");
-const VoiceUtils_1 = require("./VoiceInterface/VoiceUtils");
-const types_1 = require("./types/types");
-const Track_1 = tslib_1.__importDefault(require("./Structures/Track"));
-const play_dl_1 = tslib_1.__importDefault(require("play-dl"));
-const spotify_url_info_1 = tslib_1.__importDefault(require("spotify-url-info"));
-const QueryResolver_1 = require("./utils/QueryResolver");
-const Util_1 = require("./utils/Util");
-const PlayerError_1 = require("./Structures/PlayerError");
-const Playlist_1 = require("./Structures/Playlist");
-const ExtractorModel_1 = require("./Structures/ExtractorModel");
-const voice_1 = require("@discordjs/voice");
-class Player extends tiny_typed_emitter_1.TypedEmitter {
-    /**
-     * Creates new Discord Player
-     * @param {Client} client The Discord Client
-     * @param {PlayerInitOptions} [options] The player init options
-     */
-    constructor(client, options = {}) {
-        super();
-        this.options = {
-            autoRegisterExtractor: true,
-            connectionTimeout: 20000
-        };
-        this.queues = new discord_js_1.Collection();
-        this.voiceUtils = new VoiceUtils_1.VoiceUtils();
-        this.extractors = new discord_js_1.Collection();
-        this.requiredEvents = ["error", "connectionError"];
-        /**
-         * The discord.js client
-         * @type {Client}
-         */
-        this.client = client;
-        if (this.client?.options?.intents && !new discord_js_1.IntentsBitField(this.client?.options?.intents).has(discord_js_1.IntentsBitField.Flags.GuildVoiceStates)) {
-            throw new PlayerError_1.PlayerError('client is missing "GuildVoiceStates" intent');
-        }
-        /**
-         * The extractors collection
-         * @type {ExtractorModel}
-         */
-        this.options = Object.assign(this.options, options);
-        this.client.on("voiceStateUpdate", this._handleVoiceState.bind(this));
-        if (this.options?.autoRegisterExtractor) {
-            let nv; // eslint-disable-line @typescript-eslint/no-explicit-any
-            if ((nv = Util_1.Util.require("@discord-player/extractor"))) {
-                ["Attachment", "Facebook", "Reverbnation", "Vimeo"].forEach((ext) => void this.use(ext, nv[ext]));
-            }
-        }
-    }
-    /**
-     * Handles voice state update
-     * @param {VoiceState} oldState The old voice state
-     * @param {VoiceState} newState The new voice state
-     * @returns {void}
-     * @private
-     */
-    _handleVoiceState(oldState, newState) {
-        const queue = this.getQueue(oldState.guild.id);
-        if (!queue || !queue.connection)
-            return;
-        if (oldState.channelId && !newState.channelId && newState.member.id === newState.guild.members.me.id) {
-            try {
-                queue.destroy();
-            }
-            catch {
-                /* noop */
-            }
-            return void this.emit("botDisconnect", queue);
-        }
-        if (!oldState.channelId && newState.channelId && newState.member.id === newState.guild.members.me.id) {
-            if (!oldState.serverMute && newState.serverMute) {
-                // state.serverMute can be null
-                queue.setPaused(!!newState.serverMute);
-            }
-            else if (!oldState.suppress && newState.suppress) {
-                // state.suppress can be null
-                queue.setPaused(!!newState.suppress);
-                if (newState.suppress) {
-                    newState.guild.members.me.voice.setRequestToSpeak(true).catch(Util_1.Util.noop);
-                }
-            }
-        }
-        if (oldState.channelId === newState.channelId && newState.member.id === newState.guild.members.me.id) {
-            if (!oldState.serverMute && newState.serverMute) {
-                // state.serverMute can be null
-                queue.setPaused(!!newState.serverMute);
-            }
-            else if (!oldState.suppress && newState.suppress) {
-                // state.suppress can be null
-                queue.setPaused(!!newState.suppress);
-                if (newState.suppress) {
-                    newState.guild.members.me.voice.setRequestToSpeak(true).catch(Util_1.Util.noop);
-                }
-            }
-        }
-        if (queue.connection && !newState.channelId && oldState.channelId === queue.connection.channel.id) {
-            if (!Util_1.Util.isVoiceEmpty(queue.connection.channel))
-                return;
-            const timeout = setTimeout(() => {
-                if (!Util_1.Util.isVoiceEmpty(queue.connection.channel))
-                    return;
-                if (!this.queues.has(queue.guild.id))
-                    return;
-                if (queue.options.leaveOnEmpty)
-                    queue.destroy(true);
-                this.emit("channelEmpty", queue);
-            }, queue.options.leaveOnEmptyCooldown || 0).unref();
-            queue._cooldownsTimeout.set(`empty_${oldState.guild.id}`, timeout);
-        }
-        if (queue.connection && newState.channelId && newState.channelId === queue.connection.channel.id) {
-            const emptyTimeout = queue._cooldownsTimeout.get(`empty_${oldState.guild.id}`);
-            const channelEmpty = Util_1.Util.isVoiceEmpty(queue.connection.channel);
-            if (!channelEmpty && emptyTimeout) {
-                clearTimeout(emptyTimeout);
-                queue._cooldownsTimeout.delete(`empty_${oldState.guild.id}`);
-            }
-        }
-        if (oldState.channelId && newState.channelId && oldState.channelId !== newState.channelId && newState.member.id === newState.guild.members.me.id) {
-            if (queue.connection && newState.member.id === newState.guild.members.me.id)
-                queue.connection.channel = newState.channel;
-            const emptyTimeout = queue._cooldownsTimeout.get(`empty_${oldState.guild.id}`);
-            const channelEmpty = Util_1.Util.isVoiceEmpty(queue.connection.channel);
-            if (!channelEmpty && emptyTimeout) {
-                clearTimeout(emptyTimeout);
-                queue._cooldownsTimeout.delete(`empty_${oldState.guild.id}`);
-            }
-            else {
-                const timeout = setTimeout(() => {
-                    if (queue.connection && !Util_1.Util.isVoiceEmpty(queue.connection.channel))
-                        return;
-                    if (!this.queues.has(queue.guild.id))
-                        return;
-                    if (queue.options.leaveOnEmpty)
-                        queue.destroy(true);
-                    this.emit("channelEmpty", queue);
-                }, queue.options.leaveOnEmptyCooldown || 0).unref();
-                queue._cooldownsTimeout.set(`empty_${oldState.guild.id}`, timeout);
-            }
-        }
-    }
-    /**
-     * Creates a queue for a guild if not available, else returns existing queue
-     * @param {GuildResolvable} guild The guild
-     * @param {PlayerOptions} queueInitOptions Queue init options
-     * @returns {Queue}
-     */
-    createQueue(guild, queueInitOptions = {}) {
-        guild = this.client.guilds.resolve(guild);
-        if (!guild)
-            throw new PlayerError_1.PlayerError("Unknown Guild", PlayerError_1.ErrorStatusCode.UNKNOWN_GUILD);
-        if (this.queues.has(guild.id))
-            return this.queues.get(guild.id);
-        const _meta = queueInitOptions.metadata;
-        delete queueInitOptions["metadata"];
-        queueInitOptions.volumeSmoothness ?? (queueInitOptions.volumeSmoothness = 0.08);
-        const queue = new Queue_1.Queue(this, guild, queueInitOptions);
-        queue.metadata = _meta;
-        this.queues.set(guild.id, queue);
-        return queue;
-    }
-    /**
-     * Returns the queue if available
-     * @param {GuildResolvable} guild The guild id
-     * @returns {Queue}
-     */
-    getQueue(guild) {
-        guild = this.client.guilds.resolve(guild);
-        if (!guild)
-            throw new PlayerError_1.PlayerError("Unknown Guild", PlayerError_1.ErrorStatusCode.UNKNOWN_GUILD);
-        return this.queues.get(guild.id);
-    }
-    /**
-     * Deletes a queue and returns deleted queue object
-     * @param {GuildResolvable} guild The guild id to remove
-     * @returns {Queue}
-     */
-    deleteQueue(guild) {
-        guild = this.client.guilds.resolve(guild);
-        if (!guild)
-            throw new PlayerError_1.PlayerError("Unknown Guild", PlayerError_1.ErrorStatusCode.UNKNOWN_GUILD);
-        const prev = this.getQueue(guild);
-        try {
-            prev.destroy();
-        }
-        catch { } // eslint-disable-line no-empty
-        this.queues.delete(guild.id);
-        return prev;
-    }
-    /**
-     * @typedef {object} PlayerSearchResult
-     * @property {Playlist} [playlist] The playlist (if any)
-     * @property {Track[]} tracks The tracks
-     */
-    /**
-     * Search tracks
-     * @param {string|Track} query The search query
-     * @param {SearchOptions} options The search options
-     * @returns {Promise<PlayerSearchResult>}
-     */
-    async search(query, options) {
-        if (query instanceof Track_1.default)
-            return { playlist: query.playlist || null, tracks: [query] };
-        if (!options)
-            throw new PlayerError_1.PlayerError("DiscordPlayer#search needs search options!", PlayerError_1.ErrorStatusCode.INVALID_ARG_TYPE);
-        options.requestedBy = this.client.users.resolve(options.requestedBy);
-        if (!("searchEngine" in options))
-            options.searchEngine = types_1.QueryType.AUTO;
-        if (typeof options.searchEngine === "string" && this.extractors.has(options.searchEngine)) {
-            const extractor = this.extractors.get(options.searchEngine);
-            if (!extractor.validate(query))
-                return { playlist: null, tracks: [] };
-            const data = await extractor.handle(query);
-            if (data && data.data.length) {
-                const playlist = !data.playlist
-                    ? null
-                    : new Playlist_1.Playlist(this, {
-                        ...data.playlist,
-                        tracks: []
-                    });
-                const tracks = data.data.map((m) => new Track_1.default(this, {
-                    ...m,
-                    requestedBy: options.requestedBy,
-                    duration: Util_1.Util.buildTimeCode(Util_1.Util.parseMS(m.duration)),
-                    playlist: playlist
-                }));
-                if (playlist)
-                    playlist.tracks = tracks;
-                return { playlist: playlist, tracks: tracks };
-            }
-        }
-        // eslint-disable-next-line @typescript-eslint/no-unused-vars
-        for (const [_, extractor] of this.extractors) {
-            if (options.blockExtractor)
-                break;
-            if (!extractor.validate(query))
-                continue;
-            const data = await extractor.handle(query);
-            if (data && data.data.length) {
-                const playlist = !data.playlist
-                    ? null
-                    : new Playlist_1.Playlist(this, {
-                        ...data.playlist,
-                        tracks: []
-                    });
-                const tracks = data.data.map((m) => new Track_1.default(this, {
-                    ...m,
-                    requestedBy: options.requestedBy,
-                    duration: Util_1.Util.buildTimeCode(Util_1.Util.parseMS(m.duration)),
-                    playlist: playlist
-                }));
-                if (playlist)
-                    playlist.tracks = tracks;
-                return { playlist: playlist, tracks: tracks };
-            }
-        }
-        const qt = options.searchEngine === types_1.QueryType.AUTO ? await QueryResolver_1.QueryResolver.resolve(query) : options.searchEngine;
-        switch (qt) {
-            case types_1.QueryType.YOUTUBE_VIDEO: {
-                const info = await play_dl_1.default.video_info(query).catch(Util_1.Util.noop);
-                if (!info)
-                    return { playlist: null, tracks: [] };
-                const track = new Track_1.default(this, {
-                    title: info.video_details.title,
-                    description: info.video_details.description,
-                    author: info.video_details.channel?.name,
-                    url: info.video_details.url,
-                    requestedBy: options.requestedBy,
-                    thumbnail: Util_1.Util.last(info.video_details.thumbnails)?.url,
-                    views: info.video_details.views || 0,
-                    duration: Util_1.Util.buildTimeCode(Util_1.Util.parseMS(info.video_details.durationInSec * 1000)),
-                    source: "youtube",
-                    raw: info
-                });
-                return { playlist: null, tracks: [track] };
-            }
-            case types_1.QueryType.YOUTUBE_SEARCH: {
-                const videos = await play_dl_1.default.search(query, {
-                    limit: 10,
-                    source: { youtube: "video" }
-                }).catch(Util_1.Util.noop);
-                if (!videos)
-                    return { playlist: null, tracks: [] };
-                const tracks = videos.map(m => {
-                    m.source = "youtube"; // eslint-disable-line @typescript-eslint/no-explicit-any
-                    return new Track_1.default(this, {
-                        title: m.title,
-                        description: m.description,
-                        author: m.channel?.name,
-                        url: m.url,
-                        requestedBy: options.requestedBy,
-                        thumbnail: Util_1.Util.last(m.thumbnails).url,
-                        views: m.views,
-                        duration: m.durationRaw,
-                        source: "youtube",
-                        raw: m
-                    });
-                });
-                return { playlist: null, tracks, searched: true };
-            }
-            case types_1.QueryType.SOUNDCLOUD_TRACK:
-            case types_1.QueryType.SOUNDCLOUD_SEARCH: {
-                const result = await QueryResolver_1.QueryResolver.resolve(query) === types_1.QueryType.SOUNDCLOUD_TRACK ? [{ url: query }] : await play_dl_1.default.search(query, {
-                    limit: 5,
-                    source: { soundcloud: "tracks" }
-                }).catch(() => []);
-                if (!result || !result.length)
-                    return { playlist: null, tracks: [] };
-                const res = [];
-                for (const r of result) {
-                    const trackInfo = await play_dl_1.default.soundcloud(r.url).catch(Util_1.Util.noop);
-                    if (!trackInfo)
-                        continue;
-                    const track = new Track_1.default(this, {
-                        title: trackInfo.name,
-                        url: trackInfo.url,
-                        duration: Util_1.Util.buildTimeCode(Util_1.Util.parseMS(trackInfo.durationInMs)),
-                        description: "",
-                        thumbnail: trackInfo.user.thumbnail,
-                        views: 0,
-                        author: trackInfo.user.name,
-                        requestedBy: options.requestedBy,
-                        source: "soundcloud",
-                        engine: trackInfo
-                    });
-                    res.push(track);
-                }
-                return { playlist: null, tracks: res };
-            }
-            case types_1.QueryType.SPOTIFY_SONG: {
-                const spotifyData = await (0, spotify_url_info_1.default)(await Util_1.Util.getFetch())
-                    .getData(query)
-                    .catch(Util_1.Util.noop);
-                if (!spotifyData)
-                    return { playlist: null, tracks: [] };
-                const spotifyTrack = new Track_1.default(this, {
-                    title: spotifyData.name,
-                    description: spotifyData.description ?? "",
-                    author: spotifyData.artists[0]?.name ?? "Unknown Artist",
-                    url: spotifyData.external_urls?.spotify ?? query,
-                    thumbnail: spotifyData.album?.images[0]?.url ?? spotifyData.preview_url?.length
-                        ? `https://i.scdn.co/image/${spotifyData.preview_url?.split("?cid=")[1]}`
-                        : "https://www.scdn.co/i/_global/twitter_card-default.jpg",
-                    duration: Util_1.Util.buildTimeCode(Util_1.Util.parseMS(spotifyData.duration_ms)),
-                    views: 0,
-                    requestedBy: options.requestedBy,
-                    source: "spotify"
-                });
-                return { playlist: null, tracks: [spotifyTrack] };
-            }
-            case types_1.QueryType.SPOTIFY_PLAYLIST:
-            case types_1.QueryType.SPOTIFY_ALBUM: {
-                const spotifyPlaylist = await (0, spotify_url_info_1.default)(await Util_1.Util.getFetch())
-                    .getData(query)
-                    .catch(Util_1.Util.noop);
-                if (!spotifyPlaylist)
-                    return { playlist: null, tracks: [] };
-                const playlist = new Playlist_1.Playlist(this, {
-                    title: spotifyPlaylist.name ?? spotifyPlaylist.title,
-                    description: spotifyPlaylist.description ?? "",
-                    thumbnail: spotifyPlaylist.images[0]?.url ?? "https://www.scdn.co/i/_global/twitter_card-default.jpg",
-                    type: spotifyPlaylist.type,
-                    source: "spotify",
-                    author: spotifyPlaylist.type !== "playlist"
-                        ? {
-                            name: spotifyPlaylist.artists[0]?.name ?? "Unknown Artist",
-                            url: spotifyPlaylist.artists[0]?.external_urls?.spotify ?? null
-                        }
-                        : {
-                            name: spotifyPlaylist.owner?.display_name ?? spotifyPlaylist.owner?.id ?? "Unknown Artist",
-                            url: spotifyPlaylist.owner?.external_urls?.spotify ?? null
-                        },
-                    tracks: [],
-                    id: spotifyPlaylist.id,
-                    url: spotifyPlaylist.external_urls?.spotify ?? query,
-                    rawPlaylist: spotifyPlaylist
-                });
-                if (spotifyPlaylist.type !== "playlist") {
-                    // eslint-disable-next-line @typescript-eslint/no-explicit-any
-                    playlist.tracks = spotifyPlaylist.tracks.items.map((m) => {
-                        const data = new Track_1.default(this, {
-                            title: m.name ?? "",
-                            description: m.description ?? "",
-                            author: m.artists[0]?.name ?? "Unknown Artist",
-                            url: m.external_urls?.spotify ?? query,
-                            thumbnail: spotifyPlaylist.images[0]?.url ?? "https://www.scdn.co/i/_global/twitter_card-default.jpg",
-                            duration: Util_1.Util.buildTimeCode(Util_1.Util.parseMS(m.duration_ms)),
-                            views: 0,
-                            requestedBy: options.requestedBy,
-                            playlist,
-                            source: "spotify"
-                        });
-                        return data;
-                    });
-                }
-                else {
-                    // eslint-disable-next-line @typescript-eslint/no-explicit-any
-                    playlist.tracks = spotifyPlaylist.tracks.items.map((m) => {
-                        const data = new Track_1.default(this, {
-                            title: m.track.name ?? "",
-                            description: m.track.description ?? "",
-                            author: m.track.artists?.[0]?.name ?? "Unknown Artist",
-                            url: m.track.external_urls?.spotify ?? query,
-                            thumbnail: m.track.album?.images?.[0]?.url ?? "https://www.scdn.co/i/_global/twitter_card-default.jpg",
-                            duration: Util_1.Util.buildTimeCode(Util_1.Util.parseMS(m.track.duration_ms)),
-                            views: 0,
-                            requestedBy: options.requestedBy,
-                            playlist,
-                            source: "spotify"
-                        });
-                        return data;
-                    });
-                }
-                return { playlist: playlist, tracks: playlist.tracks };
-            }
-            case types_1.QueryType.SOUNDCLOUD_PLAYLIST: {
-                const data = await play_dl_1.default.soundcloud(query).catch(Util_1.Util.noop);
-                if (!data)
-                    return { playlist: null, tracks: [] };
-                const res = new Playlist_1.Playlist(this, {
-                    title: data.name,
-                    description: "",
-                    thumbnail: "https://soundcloud.com/pwa-icon-192.png",
-                    type: "playlist",
-                    source: "soundcloud",
-                    author: {
-                        name: data.user.name ?? "Unknown Owner",
-                        url: data.user.url
-                    },
-                    tracks: [],
-                    id: `${data.id}`,
-                    url: data.url,
-                    rawPlaylist: data
-                });
-                const songs = await data.all_tracks();
-                for (const song of songs) {
-                    const track = new Track_1.default(this, {
-                        title: song.name,
-                        description: "",
-                        author: song.publisher.name ?? "Unknown Publisher",
-                        url: song.url,
-                        thumbnail: song.thumbnail,
-                        duration: Util_1.Util.buildTimeCode(Util_1.Util.parseMS(song.durationInMs)),
-                        views: 0,
-                        requestedBy: options.requestedBy,
-                        playlist: res,
-                        source: "soundcloud",
-                        engine: song
-                    });
-                    res.tracks.push(track);
-                }
-                return { playlist: res, tracks: res.tracks };
-            }
-            case types_1.QueryType.YOUTUBE_PLAYLIST: {
-                const ytpl = await play_dl_1.default.playlist_info(query, { incomplete: true }).catch(Util_1.Util.noop);
-                if (!ytpl)
-                    return { playlist: null, tracks: [] };
-                const playlist = new Playlist_1.Playlist(this, {
-                    title: ytpl.title,
-                    thumbnail: ytpl.thumbnail,
-                    description: "",
-                    type: "playlist",
-                    source: "youtube",
-                    author: {
-                        name: ytpl.channel.name,
-                        url: ytpl.channel.url
-                    },
-                    tracks: [],
-                    id: ytpl.id,
-                    url: ytpl.url,
-                    rawPlaylist: ytpl
-                });
-                const videos = await ytpl.all_videos();
-                playlist.tracks = videos.map(video => new Track_1.default(this, {
-                    title: video.title,
-                    description: video.description,
-                    author: video.channel?.name,
-                    url: video.url,
-                    requestedBy: options.requestedBy,
-                    thumbnail: Util_1.Util.last(video.thumbnails).url,
-                    views: video.views,
-                    duration: video.durationRaw,
-                    raw: video,
-                    playlist: playlist,
-                    source: "youtube"
-                }));
-                return { playlist: playlist, tracks: playlist.tracks };
-            }
-            default:
-                return { playlist: null, tracks: [] };
-        }
-    }
-    /**
-     * Registers extractor
-     * @param {string} extractorName The extractor name
-     * @param {ExtractorModel|any} extractor The extractor object
-     * @param {boolean} [force=false] Overwrite existing extractor with this name (if available)
-     * @returns {ExtractorModel}
-     */
-    // eslint-disable-next-line @typescript-eslint/no-explicit-any
-    use(extractorName, extractor, force = false) {
-        if (!extractorName)
-            throw new PlayerError_1.PlayerError("Cannot use unknown extractor!", PlayerError_1.ErrorStatusCode.UNKNOWN_EXTRACTOR);
-        if (this.extractors.has(extractorName) && !force)
-            return this.extractors.get(extractorName);
-        if (extractor instanceof ExtractorModel_1.ExtractorModel) {
-            this.extractors.set(extractorName, extractor);
-            return extractor;
-        }
-        for (const method of ["validate", "getInfo"]) {
-            if (typeof extractor[method] !== "function")
-                throw new PlayerError_1.PlayerError("Invalid extractor data!", PlayerError_1.ErrorStatusCode.INVALID_EXTRACTOR);
-        }
-        const model = new ExtractorModel_1.ExtractorModel(extractorName, extractor);
-        this.extractors.set(model.name, model);
-        return model;
-    }
-    /**
-     * Removes registered extractor
-     * @param {string} extractorName The extractor name
-     * @returns {ExtractorModel}
-     */
-    unuse(extractorName) {
-        if (!this.extractors.has(extractorName))
-            throw new PlayerError_1.PlayerError(`Cannot find extractor "${extractorName}"`, PlayerError_1.ErrorStatusCode.UNKNOWN_EXTRACTOR);
-        const prev = this.extractors.get(extractorName);
-        this.extractors.delete(extractorName);
-        return prev;
-    }
-    /**
-     * Generates a report of the dependencies used by the `@discordjs/voice` module. Useful for debugging.
-     * @returns {string}
-     */
-    scanDeps() {
-        const line = "-".repeat(50);
-        const depsReport = (0, voice_1.generateDependencyReport)();
-        const extractorReport = this.extractors
-            .map((m) => {
-            return `${m.name} :: ${m.version || "0.1.0"}`;
-        })
-            .join("\n");
-        return `${depsReport}\n${line}\nLoaded Extractors:\n${extractorReport || "None"}`;
-    }
-    emit(eventName, ...args) {
-        if (this.requiredEvents.includes(eventName) && !super.eventNames().includes(eventName)) {
-            // eslint-disable-next-line no-console
-            console.error(...args);
-            process.emitWarning(`[DiscordPlayerWarning] Unhandled "${eventName}" event! Events ${this.requiredEvents.map((m) => `"${m}"`).join(", ")} must have event listeners!`);
-            return false;
-        }
-        else {
-            return super.emit(eventName, ...args);
-        }
-    }
-    /**
-     * Resolves queue
-     * @param {GuildResolvable|Queue} queueLike Queue like object
-     * @returns {Queue}
-     */
-    resolveQueue(queueLike) {
-        return this.getQueue(queueLike instanceof Queue_1.Queue ? queueLike.guild : queueLike);
-    }
-    *[Symbol.iterator]() {
-        yield* Array.from(this.queues.values());
-    }
-    /**
-     * Creates `Playlist` instance
-     * @param data The data to initialize a playlist
-     */
-    createPlaylist(data) {
-        return new Playlist_1.Playlist(this, data);
-    }
-}
-exports.Player = Player;
diff --git a/helpers/Music/dist/Structures/ExtractorModel.d.ts b/helpers/Music/dist/Structures/ExtractorModel.d.ts
deleted file mode 100644
index 27938306..00000000
--- a/helpers/Music/dist/Structures/ExtractorModel.d.ts
+++ /dev/null
@@ -1,29 +0,0 @@
-import { ExtractorModelData } from "../types/types";
-declare class ExtractorModel {
-    name: string;
-    private _raw;
-    /**
-     * Model for raw Discord Player extractors
-     * @param {string} extractorName Name of the extractor
-     * @param {object} data Extractor object
-     */
-    constructor(extractorName: string, data: any);
-    /**
-     * Method to handle requests from `Player.play()`
-     * @param {string} query Query to handle
-     * @returns {Promise<ExtractorModelData>}
-     */
-    handle(query: string): Promise<ExtractorModelData>;
-    /**
-     * Method used by Discord Player to validate query with this extractor
-     * @param {string} query The query to validate
-     * @returns {boolean}
-     */
-    validate(query: string): boolean;
-    /**
-     * The extractor version
-     * @type {string}
-     */
-    get version(): string;
-}
-export { ExtractorModel };
diff --git a/helpers/Music/dist/Structures/ExtractorModel.js b/helpers/Music/dist/Structures/ExtractorModel.js
deleted file mode 100644
index 253ddc8d..00000000
--- a/helpers/Music/dist/Structures/ExtractorModel.js
+++ /dev/null
@@ -1,65 +0,0 @@
-"use strict";
-Object.defineProperty(exports, "__esModule", { value: true });
-exports.ExtractorModel = void 0;
-class ExtractorModel {
-    /**
-     * Model for raw Discord Player extractors
-     * @param {string} extractorName Name of the extractor
-     * @param {object} data Extractor object
-     */
-    // eslint-disable-next-line @typescript-eslint/no-explicit-any
-    constructor(extractorName, data) {
-        /**
-         * The extractor name
-         * @type {string}
-         */
-        this.name = extractorName;
-        /**
-         * The raw model
-         * @name ExtractorModel#_raw
-         * @type {any}
-         * @private
-         */
-        Object.defineProperty(this, "_raw", { value: data, configurable: false, writable: false, enumerable: false });
-    }
-    /**
-     * Method to handle requests from `Player.play()`
-     * @param {string} query Query to handle
-     * @returns {Promise<ExtractorModelData>}
-     */
-    async handle(query) {
-        const data = await this._raw.getInfo(query);
-        if (!data)
-            return null;
-        return {
-            playlist: data.playlist ?? null,
-            data: data.info?.map((m) => ({
-                title: m.title,
-                duration: m.duration,
-                thumbnail: m.thumbnail,
-                engine: m.engine,
-                views: m.views,
-                author: m.author,
-                description: m.description,
-                url: m.url,
-                source: m.source || "arbitrary"
-            })) ?? []
-        };
-    }
-    /**
-     * Method used by Discord Player to validate query with this extractor
-     * @param {string} query The query to validate
-     * @returns {boolean}
-     */
-    validate(query) {
-        return Boolean(this._raw.validate(query));
-    }
-    /**
-     * The extractor version
-     * @type {string}
-     */
-    get version() {
-        return this._raw.version ?? "0.0.0";
-    }
-}
-exports.ExtractorModel = ExtractorModel;
diff --git a/helpers/Music/dist/Structures/PlayerError.d.ts b/helpers/Music/dist/Structures/PlayerError.d.ts
deleted file mode 100644
index fcd61a5e..00000000
--- a/helpers/Music/dist/Structures/PlayerError.d.ts
+++ /dev/null
@@ -1,31 +0,0 @@
-export declare enum ErrorStatusCode {
-    STREAM_ERROR = "StreamError",
-    AUDIO_PLAYER_ERROR = "AudioPlayerError",
-    PLAYER_ERROR = "PlayerError",
-    NO_AUDIO_RESOURCE = "NoAudioResource",
-    UNKNOWN_GUILD = "UnknownGuild",
-    INVALID_ARG_TYPE = "InvalidArgType",
-    UNKNOWN_EXTRACTOR = "UnknownExtractor",
-    INVALID_EXTRACTOR = "InvalidExtractor",
-    INVALID_CHANNEL_TYPE = "InvalidChannelType",
-    INVALID_TRACK = "InvalidTrack",
-    UNKNOWN_REPEAT_MODE = "UnknownRepeatMode",
-    TRACK_NOT_FOUND = "TrackNotFound",
-    NO_CONNECTION = "NoConnection",
-    DESTROYED_QUEUE = "DestroyedQueue"
-}
-export declare class PlayerError extends Error {
-    message: string;
-    statusCode: ErrorStatusCode;
-    createdAt: Date;
-    constructor(message: string, code?: ErrorStatusCode);
-    get createdTimestamp(): number;
-    valueOf(): ErrorStatusCode;
-    toJSON(): {
-        stack: string;
-        code: ErrorStatusCode;
-        message: string;
-        created: number;
-    };
-    toString(): string;
-}
diff --git a/helpers/Music/dist/Structures/PlayerError.js b/helpers/Music/dist/Structures/PlayerError.js
deleted file mode 100644
index e65aeb65..00000000
--- a/helpers/Music/dist/Structures/PlayerError.js
+++ /dev/null
@@ -1,48 +0,0 @@
-"use strict";
-Object.defineProperty(exports, "__esModule", { value: true });
-exports.PlayerError = exports.ErrorStatusCode = void 0;
-var ErrorStatusCode;
-(function (ErrorStatusCode) {
-    ErrorStatusCode["STREAM_ERROR"] = "StreamError";
-    ErrorStatusCode["AUDIO_PLAYER_ERROR"] = "AudioPlayerError";
-    ErrorStatusCode["PLAYER_ERROR"] = "PlayerError";
-    ErrorStatusCode["NO_AUDIO_RESOURCE"] = "NoAudioResource";
-    ErrorStatusCode["UNKNOWN_GUILD"] = "UnknownGuild";
-    ErrorStatusCode["INVALID_ARG_TYPE"] = "InvalidArgType";
-    ErrorStatusCode["UNKNOWN_EXTRACTOR"] = "UnknownExtractor";
-    ErrorStatusCode["INVALID_EXTRACTOR"] = "InvalidExtractor";
-    ErrorStatusCode["INVALID_CHANNEL_TYPE"] = "InvalidChannelType";
-    ErrorStatusCode["INVALID_TRACK"] = "InvalidTrack";
-    ErrorStatusCode["UNKNOWN_REPEAT_MODE"] = "UnknownRepeatMode";
-    ErrorStatusCode["TRACK_NOT_FOUND"] = "TrackNotFound";
-    ErrorStatusCode["NO_CONNECTION"] = "NoConnection";
-    ErrorStatusCode["DESTROYED_QUEUE"] = "DestroyedQueue";
-})(ErrorStatusCode = exports.ErrorStatusCode || (exports.ErrorStatusCode = {}));
-class PlayerError extends Error {
-    constructor(message, code = ErrorStatusCode.PLAYER_ERROR) {
-        super();
-        this.createdAt = new Date();
-        this.message = `[${code}] ${message}`;
-        this.statusCode = code;
-        this.name = code;
-        Error.captureStackTrace(this);
-    }
-    get createdTimestamp() {
-        return this.createdAt.getTime();
-    }
-    valueOf() {
-        return this.statusCode;
-    }
-    toJSON() {
-        return {
-            stack: this.stack,
-            code: this.statusCode,
-            message: this.message,
-            created: this.createdTimestamp
-        };
-    }
-    toString() {
-        return this.stack;
-    }
-}
-exports.PlayerError = PlayerError;
diff --git a/helpers/Music/dist/Structures/Playlist.d.ts b/helpers/Music/dist/Structures/Playlist.d.ts
deleted file mode 100644
index ff144b80..00000000
--- a/helpers/Music/dist/Structures/Playlist.d.ts
+++ /dev/null
@@ -1,33 +0,0 @@
-import { Player } from "../Player";
-import { Track } from "./Track";
-import { PlaylistInitData, PlaylistJSON, TrackSource } from "../types/types";
-declare class Playlist {
-    readonly player: Player;
-    tracks: Track[];
-    title: string;
-    description: string;
-    thumbnail: string;
-    type: "album" | "playlist";
-    source: TrackSource;
-    author: {
-        name: string;
-        url: string;
-    };
-    id: string;
-    url: string;
-    readonly rawPlaylist?: any;
-    /**
-     * Playlist constructor
-     * @param {Player} player The player
-     * @param {PlaylistInitData} data The data
-     */
-    constructor(player: Player, data: PlaylistInitData);
-    [Symbol.iterator](): Generator<Track, void, undefined>;
-    /**
-     * JSON representation of this playlist
-     * @param {boolean} [withTracks=true] If it should build json with tracks
-     * @returns {PlaylistJSON}
-     */
-    toJSON(withTracks?: boolean): PlaylistJSON;
-}
-export { Playlist };
diff --git a/helpers/Music/dist/Structures/Playlist.js b/helpers/Music/dist/Structures/Playlist.js
deleted file mode 100644
index f86629a6..00000000
--- a/helpers/Music/dist/Structures/Playlist.js
+++ /dev/null
@@ -1,108 +0,0 @@
-"use strict";
-Object.defineProperty(exports, "__esModule", { value: true });
-exports.Playlist = void 0;
-class Playlist {
-    /**
-     * Playlist constructor
-     * @param {Player} player The player
-     * @param {PlaylistInitData} data The data
-     */
-    constructor(player, data) {
-        /**
-         * The player
-         * @name Playlist#player
-         * @type {Player}
-         * @readonly
-         */
-        this.player = player;
-        /**
-         * The tracks in this playlist
-         * @name Playlist#tracks
-         * @type {Track[]}
-         */
-        this.tracks = data.tracks ?? [];
-        /**
-         * The author of this playlist
-         * @name Playlist#author
-         * @type {object}
-         */
-        this.author = data.author;
-        /**
-         * The description
-         * @name Playlist#description
-         * @type {string}
-         */
-        this.description = data.description;
-        /**
-         * The thumbnail of this playlist
-         * @name Playlist#thumbnail
-         * @type {string}
-         */
-        this.thumbnail = data.thumbnail;
-        /**
-         * The playlist type:
-         * - `album`
-         * - `playlist`
-         * @name Playlist#type
-         * @type {string}
-         */
-        this.type = data.type;
-        /**
-         * The source of this playlist:
-         * - `youtube`
-         * - `soundcloud`
-         * - `spotify`
-         * - `arbitrary`
-         * @name Playlist#source
-         * @type {string}
-         */
-        this.source = data.source;
-        /**
-         * The playlist id
-         * @name Playlist#id
-         * @type {string}
-         */
-        this.id = data.id;
-        /**
-         * The playlist url
-         * @name Playlist#url
-         * @type {string}
-         */
-        this.url = data.url;
-        /**
-         * The playlist title
-         * @type {string}
-         */
-        this.title = data.title;
-        /**
-         * @name Playlist#rawPlaylist
-         * @type {any}
-         * @readonly
-         */
-    }
-    *[Symbol.iterator]() {
-        yield* this.tracks;
-    }
-    /**
-     * JSON representation of this playlist
-     * @param {boolean} [withTracks=true] If it should build json with tracks
-     * @returns {PlaylistJSON}
-     */
-    toJSON(withTracks = true) {
-        const payload = {
-            id: this.id,
-            url: this.url,
-            title: this.title,
-            description: this.description,
-            thumbnail: this.thumbnail,
-            type: this.type,
-            source: this.source,
-            author: this.author,
-            tracks: []
-        };
-        if (withTracks)
-            payload.tracks = this.tracks.map((m) => m.toJSON(true));
-        return payload;
-    }
-}
-exports.Playlist = Playlist;
diff --git a/helpers/Music/dist/Structures/Queue.d.ts b/helpers/Music/dist/Structures/Queue.d.ts
deleted file mode 100644
index fa21c4c8..00000000
--- a/helpers/Music/dist/Structures/Queue.d.ts
+++ /dev/null
@@ -1,241 +0,0 @@
-/// <reference types="node" />
-/// <reference types="node" />
-import { Collection, Guild, GuildChannelResolvable } from "discord.js";
-import { Player } from "../Player";
-import { StreamDispatcher } from "../VoiceInterface/StreamDispatcher";
-import Track from "./Track";
-import { PlayerOptions, PlayerProgressbarOptions, PlayOptions, QueueFilters, QueueRepeatMode, TrackSource } from "../types/types";
-import type { Readable } from "stream";
-declare class Queue<T = unknown> {
-    #private;
-    readonly guild: Guild;
-    readonly player: Player;
-    connection: StreamDispatcher;
-    tracks: Track[];
-    previousTracks: Track[];
-    options: PlayerOptions;
-    playing: boolean;
-    metadata?: T;
-    repeatMode: QueueRepeatMode;
-    readonly id: string;
-    private _streamTime;
-    _cooldownsTimeout: Collection<string, NodeJS.Timeout>;
-    private _activeFilters;
-    private _filtersUpdate;
-    onBeforeCreateStream: (track: Track, source: TrackSource, queue: Queue) => Promise<Readable | undefined>;
-    /**
-     * Queue constructor
-     * @param {Player} player The player that instantiated this queue
-     * @param {Guild} guild The guild that instantiated this queue
-     * @param {PlayerOptions} [options] Player options for the queue
-     */
-    constructor(player: Player, guild: Guild, options?: PlayerOptions);
-    /**
-     * Returns current track
-     * @type {Track}
-     */
-    get current(): Track;
-    /**
-     * If this queue is destroyed
-     * @type {boolean}
-     */
-    get destroyed(): boolean;
-    /**
-     * Returns current track
-     * @returns {Track}
-     */
-    nowPlaying(): Track;
-    /**
-     * Connects to a voice channel
-     * @param {GuildChannelResolvable} channel The voice/stage channel
-     * @returns {Promise<Queue>}
-     */
-    connect(channel: GuildChannelResolvable): Promise<this>;
-    /**
-     * Destroys this queue
-     * @param {boolean} [disconnect=this.options.leaveOnStop] If it should leave on destroy
-     * @returns {void}
-     */
-    destroy(disconnect?: boolean): void;
-    /**
-     * Skips current track
-     * @returns {boolean}
-     */
-    skip(): boolean;
-    /**
-     * Adds single track to the queue
-     * @param {Track} track The track to add
-     * @returns {void}
-     */
-    addTrack(track: Track): void;
-    /**
-     * Adds multiple tracks to the queue
-     * @param {Track[]} tracks Array of tracks to add
-     */
-    addTracks(tracks: Track[]): void;
-    /**
-     * Sets paused state
-     * @param {boolean} paused The paused state
-     * @returns {boolean}
-     */
-    setPaused(paused?: boolean): boolean;
-    /**
-     * Sets bitrate
-     * @param  {number|auto} bitrate bitrate to set
-     * @returns {void}
-     */
-    setBitrate(bitrate: number | "auto"): void;
-    /**
-     * Sets volume
-     * @param {number} amount The volume amount
-     * @returns {boolean}
-     */
-    setVolume(amount: number): boolean;
-    /**
-     * Sets repeat mode
-     * @param  {QueueRepeatMode} mode The repeat mode
-     * @returns {boolean}
-     */
-    setRepeatMode(mode: QueueRepeatMode): boolean;
-    /**
-     * The current volume amount
-     * @type {number}
-     */
-    get volume(): number;
-    set volume(amount: number);
-    /**
-     * The stream time of this queue
-     * @type {number}
-     */
-    get streamTime(): number;
-    set streamTime(time: number);
-    /**
-     * Returns enabled filters
-     * @returns {AudioFilters}
-     */
-    getFiltersEnabled(): (keyof QueueFilters)[];
-    /**
-     * Returns disabled filters
-     * @returns {AudioFilters}
-     */
-    getFiltersDisabled(): (keyof QueueFilters)[];
-    /**
-     * Sets filters
-     * @param {QueueFilters} filters Queue filters
-     * @returns {Promise<void>}
-     */
-    setFilters(filters?: QueueFilters): Promise<void>;
-    /**
-     * Seeks to the given time
-     * @param {number} position The position
-     * @returns {boolean}
-     */
-    seek(position: number): Promise<boolean>;
-    /**
-     * Plays previous track
-     * @returns {Promise<void>}
-     */
-    back(): Promise<void>;
-    /**
-     * Clear this queue
-     */
-    clear(): void;
-    /**
-     * Stops the player
-     * @returns {void}
-     */
-    stop(): void;
-    /**
-     * Shuffles this queue
-     * @returns {boolean}
-     */
-    shuffle(): boolean;
-    /**
-     * Removes a track from the queue
-     * @param {Track|string|number} track The track to remove
-     * @returns {Track}
-     */
-    remove(track: Track | string | number): Track;
-    /**
-     * Returns the index of the specified track. If found, returns the track index else returns -1.
-     * @param {number|Track|string} track The track
-     * @returns {number}
-     */
-    getTrackPosition(track: number | Track | string): number;
-    /**
-     * Jumps to particular track
-     * @param {Track|number} track The track
-     * @returns {void}
-     */
-    jump(track: Track | number): void;
-    /**
-     * Jumps to particular track, removing other tracks on the way
-     * @param {Track|number} track The track
-     * @returns {void}
-     */
-    skipTo(track: Track | number): void;
-    /**
-     * Inserts the given track to specified index
-     * @param {Track} track The track to insert
-     * @param {number} [index=0] The index where this track should be
-     */
-    insert(track: Track, index?: number): void;
-    /**
-     * @typedef {object} PlayerTimestamp
-     * @property {string} current The current progress
-     * @property {string} end The total time
-     * @property {number} progress Progress in %
-     */
-    /**
-     * Returns player stream timestamp
-     * @returns {PlayerTimestamp}
-     */
-    getPlayerTimestamp(): {
-        current: string;
-        end: string;
-        progress: number;
-    };
-    /**
-     * Creates progress bar string
-     * @param {PlayerProgressbarOptions} options The progress bar options
-     * @returns {string}
-     */
-    createProgressBar(options?: PlayerProgressbarOptions): string;
-    /**
-     * Total duration
-     * @type {Number}
-     */
-    get totalTime(): number;
-    /**
-     * Play stream in a voice/stage channel
-     * @param {Track} [src] The track to play (if empty, uses first track from the queue)
-     * @param {PlayOptions} [options] The options
-     * @returns {Promise<void>}
-     */
-    play(src?: Track, options?: PlayOptions): Promise<void>;
-    /**
-     * Private method to handle autoplay
-     * @param {Track} track The source track to find its similar track for autoplay
-     * @returns {Promise<void>}
-     * @private
-     */
-    private _handleAutoplay;
-    [Symbol.iterator](): Generator<Track, void, undefined>;
-    /**
-     * JSON representation of this queue
-     * @returns {object}
-     */
-    toJSON(): {
-        id: string;
-        guild: string;
-        voiceChannel: string;
-        options: PlayerOptions;
-        tracks: import("../types/types").TrackJSON[];
-    };
-    /**
-     * String representation of this queue
-     * @returns {string}
-     */
-    toString(): string;
-}
-export { Queue };
diff --git a/helpers/Music/dist/Structures/Queue.js b/helpers/Music/dist/Structures/Queue.js
deleted file mode 100644
index f4f342ac..00000000
--- a/helpers/Music/dist/Structures/Queue.js
+++ /dev/null
@@ -1,761 +0,0 @@
-"use strict";
-var _Queue_instances, _Queue_lastVolume, _Queue_destroyed, _Queue_watchDestroyed, _Queue_getBufferingTimeout;
-Object.defineProperty(exports, "__esModule", { value: true });
-exports.Queue = void 0;
-const tslib_1 = require("tslib");
-const discord_js_1 = require("discord.js");
-const Track_1 = tslib_1.__importDefault(require("./Track"));
-const types_1 = require("../types/types");
-const voice_1 = require("@discordjs/voice");
-const play_dl_1 = tslib_1.__importDefault(require("play-dl"));
-const Util_1 = require("../utils/Util");
-const AudioFilters_1 = tslib_1.__importDefault(require("../utils/AudioFilters"));
-const PlayerError_1 = require("./PlayerError");
-const FFmpegStream_1 = require("../utils/FFmpegStream");
-class Queue {
-    /**
-     * Queue constructor
-     * @param {Player} player The player that instantiated this queue
-     * @param {Guild} guild The guild that instantiated this queue
-     * @param {PlayerOptions} [options] Player options for the queue
-     */
-    constructor(player, guild, options = {}) {
-        _Queue_instances.add(this);
-        this.tracks = [];
-        this.previousTracks = [];
-        this.playing = false;
-        this.metadata = null;
-        this.repeatMode = 0;
-        this.id = discord_js_1.SnowflakeUtil.generate().toString();
-        this._streamTime = 0;
-        this._cooldownsTimeout = new discord_js_1.Collection();
-        this._activeFilters = []; // eslint-disable-line @typescript-eslint/no-explicit-any
-        this._filtersUpdate = false;
-        _Queue_lastVolume.set(this, 0);
-        _Queue_destroyed.set(this, false);
-        this.onBeforeCreateStream = null;
-        /**
-         * The player that instantiated this queue
-         * @type {Player}
-         * @readonly
-         */
-        this.player = player;
-        /**
-         * The guild that instantiated this queue
-         * @type {Guild}
-         * @readonly
-         */
-        this.guild = guild;
-        /**
-         * The player options for this queue
-         * @type {PlayerOptions}
-         */
-        this.options = {};
-        /**
-         * Queue repeat mode
-         * @type {QueueRepeatMode}
-         * @name Queue#repeatMode
-         */
-        /**
-         * Queue metadata
-         * @type {any}
-         * @name Queue#metadata
-         */
-        /**
-         * Previous tracks
-         * @type {Track[]}
-         * @name Queue#previousTracks
-         */
-        /**
-         * Regular tracks
-         * @type {Track[]}
-         * @name Queue#tracks
-         */
-        /**
-         * The connection
-         * @type {StreamDispatcher}
-         * @name Queue#connection
-         */
-        /**
-         * The ID of this queue
-         * @type {Snowflake}
-         * @name Queue#id
-         */
-        Object.assign(this.options, {
-            leaveOnEnd: true,
-            leaveOnStop: true,
-            leaveOnEmpty: true,
-            leaveOnEmptyCooldown: 1000,
-            autoSelfDeaf: true,
-            ytdlOptions: {
-                highWaterMark: 1 << 25
-            },
-            initialVolume: 100,
-            bufferingTimeout: 3000,
-            spotifyBridge: true,
-            disableVolume: false
-        }, options);
-        if ("onBeforeCreateStream" in this.options)
-            this.onBeforeCreateStream = this.options.onBeforeCreateStream;
-        this.player.emit("debug", this, `Queue initialized:\n\n${this.player.scanDeps()}`);
-    }
-    /**
-     * Returns current track
-     * @type {Track}
-     */
-    get current() {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        return this.connection.audioResource?.metadata ?? this.tracks[0];
-    }
-    /**
-     * If this queue is destroyed
-     * @type {boolean}
-     */
-    get destroyed() {
-        return tslib_1.__classPrivateFieldGet(this, _Queue_destroyed, "f");
-    }
-    /**
-     * Returns current track
-     * @returns {Track}
-     */
-    nowPlaying() {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        return this.current;
-    }
-    /**
-     * Connects to a voice channel
-     * @param {GuildChannelResolvable} channel The voice/stage channel
-     * @returns {Promise<Queue>}
-     */
-    async connect(channel) {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        const _channel = this.guild.channels.resolve(channel);
-        if (![discord_js_1.ChannelType.GuildStageVoice, discord_js_1.ChannelType.GuildVoice].includes(_channel?.type))
-            throw new PlayerError_1.PlayerError(`Channel type must be GuildVoice or GuildStageVoice, got ${_channel?.type}!`, PlayerError_1.ErrorStatusCode.INVALID_ARG_TYPE);
-        const connection = await this.player.voiceUtils.connect(_channel, {
-            deaf: this.options.autoSelfDeaf
-        });
-        this.connection = connection;
-        if (_channel.type === discord_js_1.ChannelType.GuildStageVoice) {
-            await _channel.guild.members.me.voice.setSuppressed(false).catch(async () => {
-                return await _channel.guild.members.me.voice.setRequestToSpeak(true).catch(Util_1.Util.noop);
-            });
-        }
-        this.connection.on("error", (err) => {
-            if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this, false))
-                return;
-            this.player.emit("connectionError", this, err);
-        });
-        this.connection.on("debug", (msg) => {
-            if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this, false))
-                return;
-            this.player.emit("debug", this, msg);
-        });
-        this.player.emit("connectionCreate", this, this.connection);
-        this.connection.on("start", (resource) => {
-            if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this, false))
-                return;
-            this.playing = true;
-            if (!this._filtersUpdate)
-                this.player.emit("trackStart", this, resource?.metadata ?? this.current);
-            this._filtersUpdate = false;
-        });
-        this.connection.on("finish", async (resource) => {
-            if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this, false))
-                return;
-            this.playing = false;
-            if (this._filtersUpdate)
-                return;
-            this._streamTime = 0;
-            if (resource?.metadata)
-                this.previousTracks.push(resource.metadata);
-            this.player.emit("trackEnd", this, resource.metadata);
-            if (!this.tracks.length && this.repeatMode === types_1.QueueRepeatMode.OFF) {
-                if (this.options.leaveOnEnd)
-                    this.destroy();
-                this.player.emit("queueEnd", this);
-            }
-            else if (!this.tracks.length && this.repeatMode === types_1.QueueRepeatMode.AUTOPLAY) {
-                this._handleAutoplay(Util_1.Util.last(this.previousTracks));
-            }
-            else {
-                if (this.repeatMode === types_1.QueueRepeatMode.TRACK)
-                    return void this.play(Util_1.Util.last(this.previousTracks), { immediate: true });
-                if (this.repeatMode === types_1.QueueRepeatMode.QUEUE)
-                    this.tracks.push(Util_1.Util.last(this.previousTracks));
-                const nextTrack = this.tracks.shift();
-                this.play(nextTrack, { immediate: true });
-                return;
-            }
-        });
-        return this;
-    }
-    /**
-     * Destroys this queue
-     * @param {boolean} [disconnect=this.options.leaveOnStop] If it should leave on destroy
-     * @returns {void}
-     */
-    destroy(disconnect = this.options.leaveOnStop) {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        if (this.connection)
-            this.connection.end();
-        if (disconnect)
-            this.connection?.disconnect();
-        this.player.queues.delete(this.guild.id);
-        this.player.voiceUtils.cache.delete(this.guild.id);
-        tslib_1.__classPrivateFieldSet(this, _Queue_destroyed, true, "f");
-    }
-    /**
-     * Skips current track
-     * @returns {boolean}
-     */
-    skip() {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        if (!this.connection)
-            return false;
-        this._filtersUpdate = false;
-        this.connection.end();
-        return true;
-    }
-    /**
-     * Adds single track to the queue
-     * @param {Track} track The track to add
-     * @returns {void}
-     */
-    addTrack(track) {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        if (!(track instanceof Track_1.default))
-            throw new PlayerError_1.PlayerError("invalid track", PlayerError_1.ErrorStatusCode.INVALID_TRACK);
-        this.tracks.push(track);
-        this.player.emit("trackAdd", this, track);
-    }
-    /**
-     * Adds multiple tracks to the queue
-     * @param {Track[]} tracks Array of tracks to add
-     */
-    addTracks(tracks) {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        if (!tracks.every((y) => y instanceof Track_1.default))
-            throw new PlayerError_1.PlayerError("invalid track", PlayerError_1.ErrorStatusCode.INVALID_TRACK);
-        this.tracks.push(...tracks);
-        this.player.emit("tracksAdd", this, tracks);
-    }
-    /**
-     * Sets paused state
-     * @param {boolean} paused The paused state
-     * @returns {boolean}
-     */
-    setPaused(paused) {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        if (!this.connection)
-            return false;
-        return paused ? this.connection.pause(true) : this.connection.resume();
-    }
-    /**
-     * Sets bitrate
-     * @param  {number|auto} bitrate bitrate to set
-     * @returns {void}
-     */
-    setBitrate(bitrate) {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        if (!this.connection?.audioResource?.encoder)
-            return;
-        if (bitrate === "auto")
-            bitrate = this.connection.channel?.bitrate ?? 64000;
-        this.connection.audioResource.encoder.setBitrate(bitrate);
-    }
-    /**
-     * Sets volume
-     * @param {number} amount The volume amount
-     * @returns {boolean}
-     */
-    setVolume(amount) {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        if (!this.connection)
-            return false;
-        tslib_1.__classPrivateFieldSet(this, _Queue_lastVolume, amount, "f");
-        this.options.initialVolume = amount;
-        return this.connection.setVolume(amount);
-    }
-    /**
-     * Sets repeat mode
-     * @param  {QueueRepeatMode} mode The repeat mode
-     * @returns {boolean}
-     */
-    setRepeatMode(mode) {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        if (![types_1.QueueRepeatMode.OFF, types_1.QueueRepeatMode.QUEUE, types_1.QueueRepeatMode.TRACK, types_1.QueueRepeatMode.AUTOPLAY].includes(mode))
-            throw new PlayerError_1.PlayerError(`Unknown repeat mode "${mode}"!`, PlayerError_1.ErrorStatusCode.UNKNOWN_REPEAT_MODE);
-        if (mode === this.repeatMode)
-            return false;
-        this.repeatMode = mode;
-        return true;
-    }
-    /**
-     * The current volume amount
-     * @type {number}
-     */
-    get volume() {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        if (!this.connection)
-            return 100;
-        return this.connection.volume;
-    }
-    set volume(amount) {
-        this.setVolume(amount);
-    }
-    /**
-     * The stream time of this queue
-     * @type {number}
-     */
-    get streamTime() {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        if (!this.connection)
-            return 0;
-        const playbackTime = this._streamTime + this.connection.streamTime;
-        const NC = this._activeFilters.includes("nightcore") ? 1.25 : null;
-        const VW = this._activeFilters.includes("vaporwave") ? 0.8 : null;
-        if (NC && VW)
-            return playbackTime * (NC + VW);
-        return NC ? playbackTime * NC : VW ? playbackTime * VW : playbackTime;
-    }
-    set streamTime(time) {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        this.seek(time);
-    }
-    /**
-     * Returns enabled filters
-     * @returns {AudioFilters}
-     */
-    getFiltersEnabled() {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        return AudioFilters_1.default.names.filter((x) => this._activeFilters.includes(x));
-    }
-    /**
-     * Returns disabled filters
-     * @returns {AudioFilters}
-     */
-    getFiltersDisabled() {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        return AudioFilters_1.default.names.filter((x) => !this._activeFilters.includes(x));
-    }
-    /**
-     * Sets filters
-     * @param {QueueFilters} filters Queue filters
-     * @returns {Promise<void>}
-     */
-    async setFilters(filters) {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        if (!filters || !Object.keys(filters).length) {
-            // reset filters
-            const streamTime = this.streamTime;
-            this._activeFilters = [];
-            return await this.play(this.current, {
-                immediate: true,
-                filtersUpdate: true,
-                seek: streamTime,
-                encoderArgs: []
-            });
-        }
-        const _filters = []; // eslint-disable-line @typescript-eslint/no-explicit-any
-        for (const filter in filters) {
-            if (filters[filter] === true)
-                _filters.push(filter);
-        }
-        if (this._activeFilters.join("") === _filters.join(""))
-            return;
-        const newFilters = AudioFilters_1.default.create(_filters).trim();
-        const streamTime = this.streamTime;
-        this._activeFilters = _filters;
-        return await this.play(this.current, {
-            immediate: true,
-            filtersUpdate: true,
-            seek: streamTime,
-            encoderArgs: !_filters.length ? undefined : ["-af", newFilters]
-        });
-    }
-    /**
-     * Seeks to the given time
-     * @param {number} position The position
-     * @returns {boolean}
-     */
-    async seek(position) {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        if (!this.playing || !this.current)
-            return false;
-        if (position < 1)
-            position = 0;
-        if (position >= this.current.durationMS)
-            return this.skip();
-        await this.play(this.current, {
-            immediate: true,
-            filtersUpdate: true,
-            seek: position
-        });
-        return true;
-    }
-    /**
-     * Plays previous track
-     * @returns {Promise<void>}
-     */
-    async back() {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        const prev = this.previousTracks[this.previousTracks.length - 2]; // because last item is the current track
-        if (!prev)
-            throw new PlayerError_1.PlayerError("Could not find previous track", PlayerError_1.ErrorStatusCode.TRACK_NOT_FOUND);
-        return await this.play(prev, { immediate: true });
-    }
-    /**
-     * Clear this queue
-     */
-    clear() {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        this.tracks = [];
-        this.previousTracks = [];
-    }
-    /**
-     * Stops the player
-     * @returns {void}
-     */
-    stop() {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        return this.destroy();
-    }
-    /**
-     * Shuffles this queue
-     * @returns {boolean}
-     */
-    shuffle() {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        if (!this.tracks.length || this.tracks.length < 2)
-            return false;
-        for (let i = this.tracks.length - 1; i > 0; i--) {
-            const j = Math.floor(Math.random() * (i + 1));
-            [this.tracks[i], this.tracks[j]] = [this.tracks[j], this.tracks[i]];
-        }
-        return true;
-    }
-    /**
-     * Removes a track from the queue
-     * @param {Track|string|number} track The track to remove
-     * @returns {Track}
-     */
-    remove(track) {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        let trackFound = null;
-        if (typeof track === "number") {
-            trackFound = this.tracks[track];
-            if (trackFound) {
-                this.tracks = this.tracks.filter((t) => t.id !== trackFound.id);
-            }
-        }
-        else {
-            trackFound = this.tracks.find((s) => s.id === (track instanceof Track_1.default ? track.id : track));
-            if (trackFound) {
-                this.tracks = this.tracks.filter((s) => s.id !== trackFound.id);
-            }
-        }
-        return trackFound;
-    }
-    /**
-     * Returns the index of the specified track. If found, returns the track index else returns -1.
-     * @param {number|Track|string} track The track
-     * @returns {number}
-     */
-    getTrackPosition(track) {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        if (typeof track === "number")
-            return this.tracks[track] != null ? track : -1;
-        return this.tracks.findIndex((pred) => pred.id === (track instanceof Track_1.default ? track.id : track));
-    }
-    /**
-     * Jumps to particular track
-     * @param {Track|number} track The track
-     * @returns {void}
-     */
-    jump(track) {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        const foundTrack = this.remove(track);
-        if (!foundTrack)
-            throw new PlayerError_1.PlayerError("Track not found", PlayerError_1.ErrorStatusCode.TRACK_NOT_FOUND);
-        this.tracks.splice(0, 0, foundTrack);
-        return void this.skip();
-    }
-    /**
-     * Jumps to particular track, removing other tracks on the way
-     * @param {Track|number} track The track
-     * @returns {void}
-     */
-    skipTo(track) {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        const trackIndex = this.getTrackPosition(track);
-        const removedTrack = this.remove(track);
-        if (!removedTrack)
-            throw new PlayerError_1.PlayerError("Track not found", PlayerError_1.ErrorStatusCode.TRACK_NOT_FOUND);
-        this.tracks.splice(0, trackIndex, removedTrack);
-        return void this.skip();
-    }
-    /**
-     * Inserts the given track to specified index
-     * @param {Track} track The track to insert
-     * @param {number} [index=0] The index where this track should be
-     */
-    insert(track, index = 0) {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        if (!track || !(track instanceof Track_1.default))
-            throw new PlayerError_1.PlayerError("track must be the instance of Track", PlayerError_1.ErrorStatusCode.INVALID_TRACK);
-        if (typeof index !== "number" || index < 0 || !Number.isFinite(index))
-            throw new PlayerError_1.PlayerError(`Invalid index "${index}"`, PlayerError_1.ErrorStatusCode.INVALID_ARG_TYPE);
-        this.tracks.splice(index, 0, track);
-        this.player.emit("trackAdd", this, track);
-    }
-    /**
-     * @typedef {object} PlayerTimestamp
-     * @property {string} current The current progress
-     * @property {string} end The total time
-     * @property {number} progress Progress in %
-     */
-    /**
-     * Returns player stream timestamp
-     * @returns {PlayerTimestamp}
-     */
-    getPlayerTimestamp() {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        const currentStreamTime = this.streamTime;
-        const totalTime = this.current.durationMS;
-        const currentTimecode = Util_1.Util.buildTimeCode(Util_1.Util.parseMS(currentStreamTime));
-        const endTimecode = Util_1.Util.buildTimeCode(Util_1.Util.parseMS(totalTime));
-        return {
-            current: currentTimecode,
-            end: endTimecode,
-            progress: Math.round((currentStreamTime / totalTime) * 100)
-        };
-    }
-    /**
-     * Creates progress bar string
-     * @param {PlayerProgressbarOptions} options The progress bar options
-     * @returns {string}
-     */
-    createProgressBar(options = { timecodes: true }) {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        const length = typeof options.length === "number" ? (options.length <= 0 || options.length === Infinity ? 15 : options.length) : 15;
-        const index = Math.round((this.streamTime / this.current.durationMS) * length);
-        const indicator = typeof options.indicator === "string" && options.indicator.length > 0 ? options.indicator : "🔘";
-        const line = typeof options.line === "string" && options.line.length > 0 ? options.line : "▬";
-        if (index >= 1 && index <= length) {
-            const bar = line.repeat(length - 1).split("");
-            bar.splice(index, 0, indicator);
-            if (options.timecodes) {
-                const timestamp = this.getPlayerTimestamp();
-                return `${timestamp.current} ┃ ${bar.join("")} ┃ ${timestamp.end}`;
-            }
-            else {
-                return `${bar.join("")}`;
-            }
-        }
-        else {
-            if (options.timecodes) {
-                const timestamp = this.getPlayerTimestamp();
-                return `${timestamp.current} ┃ ${indicator}${line.repeat(length - 1)} ┃ ${timestamp.end}`;
-            }
-            else {
-                return `${indicator}${line.repeat(length - 1)}`;
-            }
-        }
-    }
-    /**
-     * Total duration
-     * @type {Number}
-     */
-    get totalTime() {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        return this.tracks.length > 0 ? this.tracks.map((t) => t.durationMS).reduce((p, c) => p + c) : 0;
-    }
-    /**
-     * Play stream in a voice/stage channel
-     * @param {Track} [src] The track to play (if empty, uses first track from the queue)
-     * @param {PlayOptions} [options] The options
-     * @returns {Promise<void>}
-     */
-    async play(src, options = {}) {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this, false))
-            return;
-        if (!this.connection || !this.connection.voiceConnection)
-            throw new PlayerError_1.PlayerError("Voice connection is not available, use <Queue>.connect()!", PlayerError_1.ErrorStatusCode.NO_CONNECTION);
-        if (src && (this.playing || this.tracks.length) && !options.immediate)
-            return this.addTrack(src);
-        const track = options.filtersUpdate && !options.immediate ? src || this.current : src ?? this.tracks.shift();
-        if (!track)
-            return;
-        this.player.emit("debug", this, "Received play request");
-        if (!options.filtersUpdate) {
-            this.previousTracks = this.previousTracks.filter((x) => x.id !== track.id);
-            this.previousTracks.push(track);
-        }
-        let stream = null;
-        const hasCustomDownloader = typeof this.onBeforeCreateStream === "function";
-        if (["youtube", "spotify"].includes(track.raw.source)) {
-            let spotifyResolved = false;
-            if (this.options.spotifyBridge && track.raw.source === "spotify" && !track.raw.engine) {
-                track.raw.engine = await play_dl_1.default.search(`${track.author} ${track.title}`, { source: { youtube: "video" } })
-                    .then(res => res[0].url)
-                    .catch(() => null);
-                spotifyResolved = true;
-            }
-            const url = track.raw.source === "spotify" ? track.raw.engine : track.url;
-            if (!url)
-                return void this.play(this.tracks.shift(), { immediate: true });
-            if (hasCustomDownloader) {
-                stream = (await this.onBeforeCreateStream(track, spotifyResolved ? "youtube" : track.raw.source, this)) || null;
-            }
-            if (!stream) {
-                stream = (await play_dl_1.default.stream(url, { discordPlayerCompatibility: true })).stream;
-            }
-        }
-        else {
-            const arbitraryStream = (hasCustomDownloader && (await this.onBeforeCreateStream(track, track.raw.source || track.raw.engine, this))) || null;
-            stream =
-                arbitraryStream || (track.raw.source === "soundcloud" && typeof track.raw.engine?.downloadProgressive === "function")
-                    ? await track.raw.engine.downloadProgressive()
-                    : typeof track.raw.engine === "function"
-                        ? await track.raw.engine()
-                        : track.raw.engine;
-        }
-        const ffmpegStream = (0, FFmpegStream_1.createFFmpegStream)(stream, {
-            encoderArgs: options.encoderArgs || [],
-            seek: options.seek ? options.seek / 1000 : 0,
-            fmt: "s16le"
-        }).on("error", (err) => {
-            if (!`${err}`.toLowerCase().includes("premature close"))
-                this.player.emit("error", this, err);
-        });
-        const resource = this.connection.createStream(ffmpegStream, {
-            type: voice_1.StreamType.Raw,
-            data: track,
-            disableVolume: Boolean(this.options.disableVolume)
-        });
-        if (options.seek)
-            this._streamTime = options.seek;
-        this._filtersUpdate = options.filtersUpdate;
-        const volumeTransformer = resource.volume;
-        if (volumeTransformer && typeof this.options.initialVolume === "number")
-            Reflect.set(volumeTransformer, "volume", Math.pow(this.options.initialVolume / 100, 1.660964));
-        if (volumeTransformer?.hasSmoothness && typeof this.options.volumeSmoothness === "number") {
-            if (typeof volumeTransformer.setSmoothness === "function")
-                volumeTransformer.setSmoothness(this.options.volumeSmoothness || 0);
-        }
-        setTimeout(() => {
-            this.connection.playStream(resource);
-        }, tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_getBufferingTimeout).call(this)).unref();
-    }
-    /**
-     * Private method to handle autoplay
-     * @param {Track} track The source track to find its similar track for autoplay
-     * @returns {Promise<void>}
-     * @private
-     */
-    async _handleAutoplay(track) {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        if (!track || ![track.source, track.raw?.source].includes("youtube")) {
-            if (this.options.leaveOnEnd)
-                this.destroy();
-            return void this.player.emit("queueEnd", this);
-        }
-        const info = await play_dl_1.default.video_info(track.url)
-            .catch(Util_1.Util.noop);
-        if (!info) {
-            if (this.options.leaveOnEnd)
-                this.destroy();
-            return void this.player.emit("queueEnd", this);
-        }
-        const randomRelated = await play_dl_1.default.video_info(info.related_videos[0]);
-        const nextTrack = new Track_1.default(this.player, {
-            title: randomRelated.video_details.title,
-            url: randomRelated.video_details.url,
-            duration: randomRelated.video_details.durationRaw ? Util_1.Util.buildTimeCode(Util_1.Util.parseMS(randomRelated.video_details.durationInSec * 1000)) : "0:00",
-            description: "",
-            thumbnail: Util_1.Util.last(randomRelated.video_details.thumbnails).url,
-            views: randomRelated.video_details.views,
-            author: randomRelated.video_details.channel.name,
-            requestedBy: track.requestedBy,
-            source: "youtube"
-        });
-        this.play(nextTrack, { immediate: true });
-    }
-    *[(_Queue_lastVolume = new WeakMap(), _Queue_destroyed = new WeakMap(), _Queue_instances = new WeakSet(), Symbol.iterator)]() {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        yield* this.tracks;
-    }
-    /**
-     * JSON representation of this queue
-     * @returns {object}
-     */
-    toJSON() {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        return {
-            id: this.id,
-            guild: this.guild.id,
-            voiceChannel: this.connection?.channel?.id,
-            options: this.options,
-            tracks: this.tracks.map((m) => m.toJSON())
-        };
-    }
-    /**
-     * String representation of this queue
-     * @returns {string}
-     */
-    toString() {
-        if (tslib_1.__classPrivateFieldGet(this, _Queue_instances, "m", _Queue_watchDestroyed).call(this))
-            return;
-        if (!this.tracks.length)
-            return "No songs available to display!";
-        return `**Upcoming Songs:**\n${this.tracks.map((m, i) => `${i + 1}. **${m.title}**`).join("\n")}`;
-    }
-}
-exports.Queue = Queue;
-_Queue_watchDestroyed = function _Queue_watchDestroyed(emit = true) {
-    if (tslib_1.__classPrivateFieldGet(this, _Queue_destroyed, "f")) {
-        if (emit)
-            this.player.emit("error", this, new PlayerError_1.PlayerError("Cannot use destroyed queue", PlayerError_1.ErrorStatusCode.DESTROYED_QUEUE));
-        return true;
-    }
-    return false;
-}, _Queue_getBufferingTimeout = function _Queue_getBufferingTimeout() {
-    const timeout = this.options.bufferingTimeout;
-    if (isNaN(timeout) || timeout < 0 || !Number.isFinite(timeout))
-        return 1000;
-    return timeout;
-};
diff --git a/helpers/Music/dist/Structures/Track.d.ts b/helpers/Music/dist/Structures/Track.d.ts
deleted file mode 100644
index 077b7ac9..00000000
--- a/helpers/Music/dist/Structures/Track.d.ts
+++ /dev/null
@@ -1,53 +0,0 @@
-import { User } from "discord.js";
-import { Player } from "../Player";
-import { RawTrackData, TrackJSON } from "../types/types";
-import { Playlist } from "./Playlist";
-import { Queue } from "./Queue";
-declare class Track {
-    player: Player;
-    title: string;
-    description: string;
-    author: string;
-    url: string;
-    thumbnail: string;
-    duration: string;
-    views: number;
-    requestedBy: User;
-    playlist?: Playlist;
-    readonly raw: RawTrackData;
-    readonly id: string;
-    /**
-     * Track constructor
-     * @param {Player} player The player that instantiated this Track
-     * @param {RawTrackData} data Track data
-     */
-    constructor(player: Player, data: RawTrackData);
-    private _patch;
-    /**
-     * The queue in which this track is located
-     * @type {Queue}
-     */
-    get queue(): Queue;
-    /**
-     * The track duration in millisecond
-     * @type {number}
-     */
-    get durationMS(): number;
-    /**
-     * Returns source of this track
-     * @type {TrackSource}
-     */
-    get source(): import("../types/types").TrackSource;
-    /**
-     * String representation of this track
-     * @returns {string}
-     */
-    toString(): string;
-    /**
-     * Raw JSON representation of this track
-     * @returns {TrackJSON}
-     */
-    toJSON(hidePlaylist?: boolean): TrackJSON;
-}
-export default Track;
-export { Track };
diff --git a/helpers/Music/dist/Structures/Track.js b/helpers/Music/dist/Structures/Track.js
deleted file mode 100644
index 843179de..00000000
--- a/helpers/Music/dist/Structures/Track.js
+++ /dev/null
@@ -1,156 +0,0 @@
-"use strict";
-Object.defineProperty(exports, "__esModule", { value: true });
-exports.Track = void 0;
-const discord_js_1 = require("discord.js");
-class Track {
-    /**
-     * Track constructor
-     * @param {Player} player The player that instantiated this Track
-     * @param {RawTrackData} data Track data
-     */
-    constructor(player, data) {
-        this.raw = {};
-        this.id = discord_js_1.SnowflakeUtil.generate().toString();
-        /**
-         * The player that instantiated this Track
-         * @name Track#player
-         * @type {Player}
-         * @readonly
-         */
-        Object.defineProperty(this, "player", { value: player, enumerable: false });
-        /**
-         * Title of this track
-         * @name Track#title
-         * @type {string}
-         */
-        /**
-         * Description of this track
-         * @name Track#description
-         * @type {string}
-         */
-        /**
-         * Author of this track
-         * @name Track#author
-         * @type {string}
-         */
-        /**
-         * URL of this track
-         * @name Track#url
-         * @type {string}
-         */
-        /**
-         * Thumbnail of this track
-         * @name Track#thumbnail
-         * @type {string}
-         */
-        /**
-         * Duration of this track
-         * @name Track#duration
-         * @type {string}
-         */
-        /**
-         * Views count of this track
-         * @name Track#views
-         * @type {number}
-         */
-        /**
-         * Person who requested this track
-         * @name Track#requestedBy
-         * @type {User}
-         */
-        /**
-         * If this track belongs to playlist
-         * @name Track#fromPlaylist
-         * @type {boolean}
-         */
-        /**
-         * Raw track data
-         * @name Track#raw
-         * @type {RawTrackData}
-         */
-        /**
-         * The track id
-         * @name Track#id
-         * @type {Snowflake}
-         * @readonly
-         */
-        /**
-         * The playlist which track belongs
-         * @name Track#playlist
-         * @type {Playlist}
-         */
-        void this._patch(data);
-    }
-    _patch(data) {
-        this.title = (0, discord_js_1.escapeMarkdown)(data.title ?? "");
-        this.description = data.description ?? "";
-        this.author = data.author ?? "";
-        this.url = data.url ?? "";
-        this.thumbnail = data.thumbnail ?? "";
-        this.duration = data.duration ?? "";
-        this.views = data.views ?? 0;
-        this.requestedBy = data.requestedBy;
-        this.playlist = data.playlist;
-        // raw
-        Object.defineProperty(this, "raw", { value: Object.assign({}, { source: data.raw?.source ?? data.source }, data.raw ?? data), enumerable: false });
-    }
-    /**
-     * The queue in which this track is located
-     * @type {Queue}
-     */
-    get queue() {
-        return this.player.queues.find((q) => q.tracks.some((ab) => ab.id === this.id));
-    }
-    /**
-     * The track duration in millisecond
-     * @type {number}
-     */
-    get durationMS() {
-        const times = (n, t) => {
-            let tn = 1;
-            for (let i = 0; i < t; i++)
-                tn *= n;
-            return t <= 0 ? 1000 : tn * 1000;
-        };
-        return this.duration
-            .split(":")
-            .reverse()
-            .map((m, i) => parseInt(m) * times(60, i))
-            .reduce((a, c) => a + c, 0);
-    }
-    /**
-     * Returns source of this track
-     * @type {TrackSource}
-     */
-    get source() {
-        return this.raw.source ?? "arbitrary";
-    }
-    /**
-     * String representation of this track
-     * @returns {string}
-     */
-    toString() {
-        return `${this.title} by ${this.author}`;
-    }
-    /**
-     * Raw JSON representation of this track
-     * @returns {TrackJSON}
-     */
-    toJSON(hidePlaylist) {
-        return {
-            id: this.id,
-            title: this.title,
-            description: this.description,
-            author: this.author,
-            url: this.url,
-            thumbnail: this.thumbnail,
-            duration: this.duration,
-            durationMS: this.durationMS,
-            views: this.views,
-            requestedBy: this.requestedBy?.id,
-            playlist: hidePlaylist ? null : this.playlist?.toJSON() ?? null
-        };
-    }
-}
-exports.Track = Track;
-exports.default = Track;
diff --git a/helpers/Music/dist/VoiceInterface/StreamDispatcher.d.ts b/helpers/Music/dist/VoiceInterface/StreamDispatcher.d.ts
deleted file mode 100644
index 5f08a09a..00000000
--- a/helpers/Music/dist/VoiceInterface/StreamDispatcher.d.ts
+++ /dev/null
@@ -1,88 +0,0 @@
-/// <reference types="node" />
-import { AudioPlayer, AudioPlayerError, AudioPlayerStatus, AudioResource, StreamType, VoiceConnection } from "@discordjs/voice";
-import { StageChannel, VoiceChannel } from "discord.js";
-import { Duplex, Readable } from "stream";
-import { TypedEmitter as EventEmitter } from "tiny-typed-emitter";
-import Track from "../Structures/Track";
-export interface VoiceEvents {
-    error: (error: AudioPlayerError) => any;
-    debug: (message: string) => any;
-    start: (resource: AudioResource<Track>) => any;
-    finish: (resource: AudioResource<Track>) => any;
-}
-declare class StreamDispatcher extends EventEmitter<VoiceEvents> {
-    readonly connectionTimeout: number;
-    readonly voiceConnection: VoiceConnection;
-    readonly audioPlayer: AudioPlayer;
-    channel: VoiceChannel | StageChannel;
-    audioResource?: AudioResource<Track>;
-    private readyLock;
-    paused: boolean;
-    /**
-     * Creates new connection object
-     * @param {VoiceConnection} connection The connection
-     * @param {VoiceChannel|StageChannel} channel The connected channel
-     * @private
-     */
-    constructor(connection: VoiceConnection, channel: VoiceChannel | StageChannel, connectionTimeout?: number);
-    /**
-     * Creates stream
-     * @param {Readable|Duplex|string} src The stream source
-     * @param {object} [ops] Options
-     * @returns {AudioResource}
-     */
-    createStream(src: Readable | Duplex | string, ops?: {
-        type?: StreamType;
-        data?: any;
-        disableVolume?: boolean;
-    }): AudioResource<Track>;
-    /**
-     * The player status
-     * @type {AudioPlayerStatus}
-     */
-    get status(): AudioPlayerStatus;
-    /**
-     * Disconnects from voice
-     * @returns {void}
-     */
-    disconnect(): void;
-    /**
-     * Stops the player
-     * @returns {void}
-     */
-    end(): void;
-    /**
-     * Pauses the stream playback
-     * @param {boolean} [interpolateSilence=false] If true, the player will play 5 packets of silence after pausing to prevent audio glitches.
-     * @returns {boolean}
-     */
-    pause(interpolateSilence?: boolean): boolean;
-    /**
-     * Resumes the stream playback
-     * @returns {boolean}
-     */
-    resume(): boolean;
-    /**
-     * Play stream
-     * @param {AudioResource<Track>} [resource=this.audioResource] The audio resource to play
-     * @returns {Promise<StreamDispatcher>}
-     */
-    playStream(resource?: AudioResource<Track>): Promise<this>;
-    /**
-     * Sets playback volume
-     * @param {number} value The volume amount
-     * @returns {boolean}
-     */
-    setVolume(value: number): boolean;
-    /**
-     * The current volume
-     * @type {number}
-     */
-    get volume(): number;
-    /**
-     * The playback time
-     * @type {number}
-     */
-    get streamTime(): number;
-}
-export { StreamDispatcher as StreamDispatcher };
diff --git a/helpers/Music/dist/VoiceInterface/StreamDispatcher.js b/helpers/Music/dist/VoiceInterface/StreamDispatcher.js
deleted file mode 100644
index 24d72599..00000000
--- a/helpers/Music/dist/VoiceInterface/StreamDispatcher.js
+++ /dev/null
@@ -1,225 +0,0 @@
-"use strict";
-Object.defineProperty(exports, "__esModule", { value: true });
-exports.StreamDispatcher = void 0;
-const voice_1 = require("@discordjs/voice");
-const tiny_typed_emitter_1 = require("tiny-typed-emitter");
-const Util_1 = require("../utils/Util");
-const PlayerError_1 = require("../Structures/PlayerError");
-class StreamDispatcher extends tiny_typed_emitter_1.TypedEmitter {
-    /**
-     * Creates new connection object
-     * @param {VoiceConnection} connection The connection
-     * @param {VoiceChannel|StageChannel} channel The connected channel
-     * @private
-     */
-    constructor(connection, channel, connectionTimeout = 20000) {
-        super();
-        this.connectionTimeout = connectionTimeout;
-        this.readyLock = false;
-        /**
-         * The voice connection
-         * @type {VoiceConnection}
-         */
-        this.voiceConnection = connection;
-        /**
-         * The audio player
-         * @type {AudioPlayer}
-         */
-        this.audioPlayer = (0, voice_1.createAudioPlayer)();
-        /**
-         * The voice channel
-         * @type {VoiceChannel|StageChannel}
-         */
-        this.channel = channel;
-        /**
-         * The paused state
-         * @type {boolean}
-         */
-        this.paused = false;
-        this.voiceConnection.on("stateChange", async (_, newState) => {
-            if (newState.status === voice_1.VoiceConnectionStatus.Disconnected) {
-                if (newState.reason === voice_1.VoiceConnectionDisconnectReason.WebSocketClose && newState.closeCode === 4014) {
-                    try {
-                        await (0, voice_1.entersState)(this.voiceConnection, voice_1.VoiceConnectionStatus.Connecting, this.connectionTimeout);
-                    }
-                    catch {
-                        try {
-                            this.voiceConnection.destroy();
-                        }
-                        catch (err) {
-                            this.emit("error", err);
-                        }
-                    }
-                }
-                else if (this.voiceConnection.rejoinAttempts < 5) {
-                    await Util_1.Util.wait((this.voiceConnection.rejoinAttempts + 1) * 5000);
-                    this.voiceConnection.rejoin();
-                }
-                else {
-                    try {
-                        this.voiceConnection.destroy();
-                    }
-                    catch (err) {
-                        this.emit("error", err);
-                    }
-                }
-            }
-            else if (newState.status === voice_1.VoiceConnectionStatus.Destroyed) {
-                this.end();
-            }
-            else if (!this.readyLock && (newState.status === voice_1.VoiceConnectionStatus.Connecting || newState.status === voice_1.VoiceConnectionStatus.Signalling)) {
-                this.readyLock = true;
-                try {
-                    await (0, voice_1.entersState)(this.voiceConnection, voice_1.VoiceConnectionStatus.Ready, this.connectionTimeout);
-                }
-                catch {
-                    if (this.voiceConnection.state.status !== voice_1.VoiceConnectionStatus.Destroyed) {
-                        try {
-                            this.voiceConnection.destroy();
-                        }
-                        catch (err) {
-                            this.emit("error", err);
-                        }
-                    }
-                }
-                finally {
-                    this.readyLock = false;
-                }
-            }
-        });
-        this.audioPlayer.on("stateChange", (oldState, newState) => {
-            if (newState.status === voice_1.AudioPlayerStatus.Playing) {
-                if (!this.paused)
-                    return void this.emit("start", this.audioResource);
-            }
-            else if (newState.status === voice_1.AudioPlayerStatus.Idle && oldState.status !== voice_1.AudioPlayerStatus.Idle) {
-                if (!this.paused) {
-                    void this.emit("finish", this.audioResource);
-                    this.audioResource = null;
-                }
-            }
-        });
-        this.audioPlayer.on("debug", (m) => void this.emit("debug", m));
-        this.audioPlayer.on("error", (error) => void this.emit("error", error));
-        this.voiceConnection.subscribe(this.audioPlayer);
-    }
-    /**
-     * Creates stream
-     * @param {Readable|Duplex|string} src The stream source
-     * @param {object} [ops] Options
-     * @returns {AudioResource}
-     */
-    // eslint-disable-next-line @typescript-eslint/no-explicit-any
-    createStream(src, ops) {
-        this.audioResource = (0, voice_1.createAudioResource)(src, {
-            inputType: ops?.type ?? voice_1.StreamType.Arbitrary,
-            metadata: ops?.data,
-            // eslint-disable-next-line no-extra-boolean-cast
-            inlineVolume: !Boolean(ops?.disableVolume)
-        });
-        return this.audioResource;
-    }
-    /**
-     * The player status
-     * @type {AudioPlayerStatus}
-     */
-    get status() {
-        return this.audioPlayer.state.status;
-    }
-    /**
-     * Disconnects from voice
-     * @returns {void}
-     */
-    disconnect() {
-        try {
-            this.audioPlayer.stop(true);
-            this.voiceConnection.destroy();
-        }
-        catch { } // eslint-disable-line no-empty
-    }
-    /**
-     * Stops the player
-     * @returns {void}
-     */
-    end() {
-        this.audioPlayer.stop();
-    }
-    /**
-     * Pauses the stream playback
-     * @param {boolean} [interpolateSilence=false] If true, the player will play 5 packets of silence after pausing to prevent audio glitches.
-     * @returns {boolean}
-     */
-    pause(interpolateSilence) {
-        const success = this.audioPlayer.pause(interpolateSilence);
-        this.paused = success;
-        return success;
-    }
-    /**
-     * Resumes the stream playback
-     * @returns {boolean}
-     */
-    resume() {
-        const success = this.audioPlayer.unpause();
-        this.paused = !success;
-        return success;
-    }
-    /**
-     * Play stream
-     * @param {AudioResource<Track>} [resource=this.audioResource] The audio resource to play
-     * @returns {Promise<StreamDispatcher>}
-     */
-    async playStream(resource = this.audioResource) {
-        if (!resource)
-            throw new PlayerError_1.PlayerError("Audio resource is not available!", PlayerError_1.ErrorStatusCode.NO_AUDIO_RESOURCE);
-        if (resource.ended)
-            return void this.emit("error", new PlayerError_1.PlayerError("Cannot play a resource that has already ended."));
-        if (!this.audioResource)
-            this.audioResource = resource;
-        if (this.voiceConnection.state.status !== voice_1.VoiceConnectionStatus.Ready) {
-            try {
-                await (0, voice_1.entersState)(this.voiceConnection, voice_1.VoiceConnectionStatus.Ready, this.connectionTimeout);
-            }
-            catch (err) {
-                return void this.emit("error", err);
-            }
-        }
-        try {
-            this.audioPlayer.play(resource);
-        }
-        catch (e) {
-            this.emit("error", e);
-        }
-        return this;
-    }
-    /**
-     * Sets playback volume
-     * @param {number} value The volume amount
-     * @returns {boolean}
-     */
-    setVolume(value) {
-        if (!this.audioResource?.volume || isNaN(value) || value < 0 || value > Infinity)
-            return false;
-        this.audioResource.volume.setVolumeLogarithmic(value / 100);
-        return true;
-    }
-    /**
-     * The current volume
-     * @type {number}
-     */
-    get volume() {
-        if (!this.audioResource?.volume)
-            return 100;
-        const currentVol = this.audioResource.volume.volume;
-        return Math.round(Math.pow(currentVol, 1 / 1.660964) * 100);
-    }
-    /**
-     * The playback time
-     * @type {number}
-     */
-    get streamTime() {
-        if (!this.audioResource)
-            return 0;
-        return this.audioResource.playbackDuration;
-    }
-}
-exports.StreamDispatcher = StreamDispatcher;
diff --git a/helpers/Music/dist/VoiceInterface/VoiceUtils.d.ts b/helpers/Music/dist/VoiceInterface/VoiceUtils.d.ts
deleted file mode 100644
index 6f6cc57e..00000000
--- a/helpers/Music/dist/VoiceInterface/VoiceUtils.d.ts
+++ /dev/null
@@ -1,44 +0,0 @@
-import { VoiceChannel, StageChannel, Collection, Snowflake } from "discord.js";
-import { VoiceConnection } from "@discordjs/voice";
-import { StreamDispatcher } from "./StreamDispatcher";
-declare class VoiceUtils {
-    cache: Collection<Snowflake, StreamDispatcher>;
-    /**
-     * The voice utils
-     * @private
-     */
-    constructor();
-    /**
-     * Joins a voice channel, creating basic stream dispatch manager
-     * @param {StageChannel|VoiceChannel} channel The voice channel
-     * @param {object} [options] Join options
-     * @returns {Promise<StreamDispatcher>}
-     */
-    connect(channel: VoiceChannel | StageChannel, options?: {
-        deaf?: boolean;
-        maxTime?: number;
-    }): Promise<StreamDispatcher>;
-    /**
-     * Joins a voice channel
-     * @param {StageChannel|VoiceChannel} [channel] The voice/stage channel to join
-     * @param {object} [options] Join options
-     * @returns {VoiceConnection}
-     */
-    join(channel: VoiceChannel | StageChannel, options?: {
-        deaf?: boolean;
-        maxTime?: number;
-    }): Promise<VoiceConnection>;
-    /**
-     * Disconnects voice connection
-     * @param {VoiceConnection} connection The voice connection
-     * @returns {void}
-     */
-    disconnect(connection: VoiceConnection | StreamDispatcher): void;
-    /**
-     * Returns Discord Player voice connection
-     * @param {Snowflake} guild The guild id
-     * @returns {StreamDispatcher}
-     */
-    getConnection(guild: Snowflake): StreamDispatcher;
-}
-export { VoiceUtils };
diff --git a/helpers/Music/dist/VoiceInterface/VoiceUtils.js b/helpers/Music/dist/VoiceInterface/VoiceUtils.js
deleted file mode 100644
index 365b74ab..00000000
--- a/helpers/Music/dist/VoiceInterface/VoiceUtils.js
+++ /dev/null
@@ -1,65 +0,0 @@
-"use strict";
-Object.defineProperty(exports, "__esModule", { value: true });
-exports.VoiceUtils = void 0;
-const discord_js_1 = require("discord.js");
-const voice_1 = require("@discordjs/voice");
-const StreamDispatcher_1 = require("./StreamDispatcher");
-class VoiceUtils {
-    /**
-     * The voice utils
-     * @private
-     */
-    constructor() {
-        /**
-         * The cache where voice utils stores stream managers
-         * @type {Collection<Snowflake, StreamDispatcher>}
-         */
-        this.cache = new discord_js_1.Collection();
-    }
-    /**
-     * Joins a voice channel, creating basic stream dispatch manager
-     * @param {StageChannel|VoiceChannel} channel The voice channel
-     * @param {object} [options] Join options
-     * @returns {Promise<StreamDispatcher>}
-     */
-    async connect(channel, options) {
-        const conn = await this.join(channel, options);
-        const sub = new StreamDispatcher_1.StreamDispatcher(conn, channel, options.maxTime);
-        this.cache.set(channel.guild.id, sub);
-        return sub;
-    }
-    /**
-     * Joins a voice channel
-     * @param {StageChannel|VoiceChannel} [channel] The voice/stage channel to join
-     * @param {object} [options] Join options
-     * @returns {VoiceConnection}
-     */
-    async join(channel, options) {
-        const conn = (0, voice_1.joinVoiceChannel)({
-            guildId: channel.guild.id,
-            channelId: channel.id,
-            adapterCreator: channel.guild.voiceAdapterCreator,
-            selfDeaf: Boolean(options.deaf)
-        });
-        return conn;
-    }
-    /**
-     * Disconnects voice connection
-     * @param {VoiceConnection} connection The voice connection
-     * @returns {void}
-     */
-    disconnect(connection) {
-        if (connection instanceof StreamDispatcher_1.StreamDispatcher)
-            return connection.voiceConnection.destroy();
-        return connection.destroy();
-    }
-    /**
-     * Returns Discord Player voice connection
-     * @param {Snowflake} guild The guild id
-     * @returns {StreamDispatcher}
-     */
-    getConnection(guild) {
-        return this.cache.get(guild);
-    }
-}
-exports.VoiceUtils = VoiceUtils;
diff --git a/helpers/Music/dist/VoiceInterface/VolumeTransformer.d.ts b/helpers/Music/dist/VoiceInterface/VolumeTransformer.d.ts
deleted file mode 100644
index 8b648df0..00000000
--- a/helpers/Music/dist/VoiceInterface/VolumeTransformer.d.ts
+++ /dev/null
@@ -1,34 +0,0 @@
-/// <reference types="node" />
-/// <reference types="node" />
-import { Transform, TransformOptions } from "stream";
-export interface VolumeTransformerOptions extends TransformOptions {
-    type?: "s16le" | "s16be" | "s32le" | "s32be";
-    smoothness?: number;
-    volume?: number;
-}
-export declare class VolumeTransformer extends Transform {
-    private _bits;
-    private _smoothing;
-    private _bytes;
-    private _extremum;
-    private _chunk;
-    volume: number;
-    private _targetVolume;
-    type: "s16le" | "s32le" | "s16be" | "s32be";
-    constructor(options?: VolumeTransformerOptions);
-    _readInt(buffer: Buffer, index: number): number;
-    _writeInt(buffer: Buffer, int: number, index: number): number;
-    _applySmoothness(): void;
-    _transform(chunk: Buffer, encoding: BufferEncoding, done: () => unknown): unknown;
-    _destroy(err: Error, cb: (error: Error) => void): void;
-    setVolume(volume: number): void;
-    setVolumeDecibels(db: number): void;
-    setVolumeLogarithmic(value: number): void;
-    get volumeDecibels(): number;
-    get volumeLogarithmic(): number;
-    get smoothness(): number;
-    setSmoothness(smoothness: number): void;
-    smoothingEnabled(): boolean;
-    get hasSmoothness(): boolean;
-    static get hasSmoothing(): boolean;
-}
diff --git a/helpers/Music/dist/VoiceInterface/VolumeTransformer.js b/helpers/Music/dist/VoiceInterface/VolumeTransformer.js
deleted file mode 100644
index 13365da8..00000000
--- a/helpers/Music/dist/VoiceInterface/VolumeTransformer.js
+++ /dev/null
@@ -1,120 +0,0 @@
-"use strict";
-// prism's volume transformer with smooth volume support
-Object.defineProperty(exports, "__esModule", { value: true });
-exports.VolumeTransformer = void 0;
-const stream_1 = require("stream");
-class VolumeTransformer extends stream_1.Transform {
-    constructor(options = {}) {
-        super(options);
-        switch (options.type) {
-            case "s16le":
-                this._readInt = (buffer, index) => buffer.readInt16LE(index);
-                this._writeInt = (buffer, int, index) => buffer.writeInt16LE(int, index);
-                this._bits = 16;
-                break;
-            case "s16be":
-                this._readInt = (buffer, index) => buffer.readInt16BE(index);
-                this._writeInt = (buffer, int, index) => buffer.writeInt16BE(int, index);
-                this._bits = 16;
-                break;
-            case "s32le":
-                this._readInt = (buffer, index) => buffer.readInt32LE(index);
-                this._writeInt = (buffer, int, index) => buffer.writeInt32LE(int, index);
-                this._bits = 32;
-                break;
-            case "s32be":
-                this._readInt = (buffer, index) => buffer.readInt32BE(index);
-                this._writeInt = (buffer, int, index) => buffer.writeInt32BE(int, index);
-                this._bits = 32;
-                break;
-            default:
-                throw new Error("VolumeTransformer type should be one of s16le, s16be, s32le, s32be");
-        }
-        this.type = options.type;
-        this._bytes = this._bits / 8;
-        this._extremum = Math.pow(2, this._bits - 1);
-        this.volume = Number.isNaN(options.volume) ? 1 : Number(options.volume);
-        if (!Number.isFinite(this.volume))
-            this.volume = 1;
-        this._targetVolume = this.volume;
-        this._chunk = Buffer.alloc(0);
-        this._smoothing = options.smoothness || 0;
-    }
-    _readInt(buffer, index) {
-        return index;
-    }
-    _writeInt(buffer, int, index) {
-        return index;
-    }
-    _applySmoothness() {
-        if (this.volume < this._targetVolume) {
-            this.volume = this.volume + this._smoothing >= this._targetVolume ? this._targetVolume : this.volume + this._smoothing;
-        }
-        else if (this.volume > this._targetVolume) {
-            this.volume = this.volume - this._smoothing <= this._targetVolume ? this._targetVolume : this.volume - this._smoothing;
-        }
-    }
-    _transform(chunk, encoding, done) {
-        if (this.smoothingEnabled() && this.volume !== this._targetVolume)
-            this._applySmoothness();
-        if (this.volume === 1) {
-            this.push(chunk);
-            return done();
-        }
-        const { _bytes, _extremum } = this;
-        chunk = this._chunk = Buffer.concat([this._chunk, chunk]);
-        if (chunk.length < _bytes)
-            return done();
-        const complete = Math.floor(chunk.length / _bytes) * _bytes;
-        for (let i = 0; i < complete; i += _bytes) {
-            const int = Math.min(_extremum - 1, Math.max(-_extremum, Math.floor(this.volume * this._readInt(chunk, i))));
-            this._writeInt(chunk, int, i);
-        }
-        this._chunk = chunk.slice(complete);
-        this.push(chunk.slice(0, complete));
-        return done();
-    }
-    _destroy(err, cb) {
-        super._destroy(err, cb);
-        this._chunk = null;
-    }
-    setVolume(volume) {
-        if (Number.isNaN(volume))
-            volume = 1;
-        if (typeof volume !== "number")
-            volume = Number(volume);
-        if (!Number.isFinite(volume))
-            volume = volume < 0 ? 0 : 1;
-        this._targetVolume = volume;
-        if (this._smoothing <= 0)
-            this.volume = volume;
-    }
-    setVolumeDecibels(db) {
-        this.setVolume(Math.pow(10, db / 20));
-    }
-    setVolumeLogarithmic(value) {
-        this.setVolume(Math.pow(value, 1.660964));
-    }
-    get volumeDecibels() {
-        return Math.log10(this.volume) * 20;
-    }
-    get volumeLogarithmic() {
-        return Math.pow(this.volume, 1 / 1.660964);
-    }
-    get smoothness() {
-        return this._smoothing;
-    }
-    setSmoothness(smoothness) {
-        this._smoothing = smoothness;
-    }
-    smoothingEnabled() {
-        return Number.isFinite(this._smoothing) && this._smoothing > 0;
-    }
-    get hasSmoothness() {
-        return true;
-    }
-    static get hasSmoothing() {
-        return true;
-    }
-}
-exports.VolumeTransformer = VolumeTransformer;
diff --git a/helpers/Music/dist/index.d.ts b/helpers/Music/dist/index.d.ts
deleted file mode 100644
index e7a7ed5c..00000000
--- a/helpers/Music/dist/index.d.ts
+++ /dev/null
@@ -1,15 +0,0 @@
-import "./smoothVolume";
-export { AudioFilters } from "./utils/AudioFilters";
-export { ExtractorModel } from "./Structures/ExtractorModel";
-export { Playlist } from "./Structures/Playlist";
-export { Player } from "./Player";
-export { PlayerError, ErrorStatusCode } from "./Structures/PlayerError";
-export { QueryResolver } from "./utils/QueryResolver";
-export { Queue } from "./Structures/Queue";
-export { Track } from "./Structures/Track";
-export { VoiceUtils } from "./VoiceInterface/VoiceUtils";
-export { VoiceEvents, StreamDispatcher } from "./VoiceInterface/StreamDispatcher";
-export { Util } from "./utils/Util";
-export * from "./types/types";
-export * from "./utils/FFmpegStream";
-export declare const version: string;
diff --git a/helpers/Music/dist/index.js b/helpers/Music/dist/index.js
deleted file mode 100644
index e6be0d88..00000000
--- a/helpers/Music/dist/index.js
+++ /dev/null
@@ -1,33 +0,0 @@
-"use strict";
-Object.defineProperty(exports, "__esModule", { value: true });
-exports.version = exports.Util = exports.StreamDispatcher = exports.VoiceUtils = exports.Track = exports.Queue = exports.QueryResolver = exports.ErrorStatusCode = exports.PlayerError = exports.Player = exports.Playlist = exports.ExtractorModel = exports.AudioFilters = void 0;
-const tslib_1 = require("tslib");
-// try applying smooth volume patch on load
-require("./smoothVolume");
-var AudioFilters_1 = require("./utils/AudioFilters");
-Object.defineProperty(exports, "AudioFilters", { enumerable: true, get: function () { return AudioFilters_1.AudioFilters; } });
-var ExtractorModel_1 = require("./Structures/ExtractorModel");
-Object.defineProperty(exports, "ExtractorModel", { enumerable: true, get: function () { return ExtractorModel_1.ExtractorModel; } });
-var Playlist_1 = require("./Structures/Playlist");
-Object.defineProperty(exports, "Playlist", { enumerable: true, get: function () { return Playlist_1.Playlist; } });
-var Player_1 = require("./Player");
-Object.defineProperty(exports, "Player", { enumerable: true, get: function () { return Player_1.Player; } });
-var PlayerError_1 = require("./Structures/PlayerError");
-Object.defineProperty(exports, "PlayerError", { enumerable: true, get: function () { return PlayerError_1.PlayerError; } });
-Object.defineProperty(exports, "ErrorStatusCode", { enumerable: true, get: function () { return PlayerError_1.ErrorStatusCode; } });
-var QueryResolver_1 = require("./utils/QueryResolver");
-Object.defineProperty(exports, "QueryResolver", { enumerable: true, get: function () { return QueryResolver_1.QueryResolver; } });
-var Queue_1 = require("./Structures/Queue");
-Object.defineProperty(exports, "Queue", { enumerable: true, get: function () { return Queue_1.Queue; } });
-var Track_1 = require("./Structures/Track");
-Object.defineProperty(exports, "Track", { enumerable: true, get: function () { return Track_1.Track; } });
-var VoiceUtils_1 = require("./VoiceInterface/VoiceUtils");
-Object.defineProperty(exports, "VoiceUtils", { enumerable: true, get: function () { return VoiceUtils_1.VoiceUtils; } });
-var StreamDispatcher_1 = require("./VoiceInterface/StreamDispatcher");
-Object.defineProperty(exports, "StreamDispatcher", { enumerable: true, get: function () { return StreamDispatcher_1.StreamDispatcher; } });
-var Util_1 = require("./utils/Util");
-Object.defineProperty(exports, "Util", { enumerable: true, get: function () { return Util_1.Util; } });
-tslib_1.__exportStar(require("./types/types"), exports);
-tslib_1.__exportStar(require("./utils/FFmpegStream"), exports);
-// eslint-disable-next-line @typescript-eslint/no-var-requires
-exports.version = require(`${__dirname}/../package.json`).version;
diff --git a/helpers/Music/dist/index.mjs b/helpers/Music/dist/index.mjs
deleted file mode 100644
index ddc052d1..00000000
--- a/helpers/Music/dist/index.mjs
+++ /dev/null
@@ -1,21 +0,0 @@
-import mod from "./index.js";
-
-export default mod;
-export const AudioFilters = mod.AudioFilters;
-export const ErrorStatusCode = mod.ErrorStatusCode;
-export const ExtractorModel = mod.ExtractorModel;
-export const FFMPEG_ARGS_PIPED = mod.FFMPEG_ARGS_PIPED;
-export const FFMPEG_ARGS_STRING = mod.FFMPEG_ARGS_STRING;
-export const Player = mod.Player;
-export const PlayerError = mod.PlayerError;
-export const Playlist = mod.Playlist;
-export const QueryResolver = mod.QueryResolver;
-export const QueryType = mod.QueryType;
-export const Queue = mod.Queue;
-export const QueueRepeatMode = mod.QueueRepeatMode;
-export const StreamDispatcher = mod.StreamDispatcher;
-export const Track = mod.Track;
-export const Util = mod.Util;
-export const VoiceUtils = mod.VoiceUtils;
-export const createFFmpegStream = mod.createFFmpegStream;
-export const version = mod.version;
diff --git a/helpers/Music/dist/smoothVolume.d.ts b/helpers/Music/dist/smoothVolume.d.ts
deleted file mode 100644
index cb0ff5c3..00000000
--- a/helpers/Music/dist/smoothVolume.d.ts
+++ /dev/null
@@ -1 +0,0 @@
-export {};
diff --git a/helpers/Music/dist/smoothVolume.js b/helpers/Music/dist/smoothVolume.js
deleted file mode 100644
index b92ea29d..00000000
--- a/helpers/Music/dist/smoothVolume.js
+++ /dev/null
@@ -1,13 +0,0 @@
-"use strict";
-Object.defineProperty(exports, "__esModule", { value: true });
-const VolumeTransformer_1 = require("./VoiceInterface/VolumeTransformer");
-try {
-    // eslint-disable-next-line
-    const mod = require("prism-media");
-    if (typeof mod.VolumeTransformer.hasSmoothing !== "boolean") {
-        Reflect.set(mod, "VolumeTransformer", VolumeTransformer_1.VolumeTransformer);
-    }
-}
-catch {
-    /* do nothing */
-}
diff --git a/helpers/Music/dist/types/types.d.ts b/helpers/Music/dist/types/types.d.ts
deleted file mode 100644
index dcb985cb..00000000
--- a/helpers/Music/dist/types/types.d.ts
+++ /dev/null
@@ -1,453 +0,0 @@
-/// <reference types="node" />
-import { Snowflake, User, UserResolvable } from "discord.js";
-import { Readable, Duplex } from "stream";
-import { Queue } from "../Structures/Queue";
-import Track from "../Structures/Track";
-import { Playlist } from "../Structures/Playlist";
-import { StreamDispatcher } from "../VoiceInterface/StreamDispatcher";
-export declare type FiltersName = keyof QueueFilters;
-export interface PlayerSearchResult {
-    playlist: Playlist | null;
-    tracks: Track[];
-    searched?: boolean;
-}
-/**
- * @typedef {AudioFilters} QueueFilters
- */
-export interface QueueFilters {
-    bassboost_low?: boolean;
-    bassboost?: boolean;
-    bassboost_high?: boolean;
-    "8D"?: boolean;
-    vaporwave?: boolean;
-    nightcore?: boolean;
-    phaser?: boolean;
-    tremolo?: boolean;
-    vibrato?: boolean;
-    reverse?: boolean;
-    treble?: boolean;
-    normalizer?: boolean;
-    normalizer2?: boolean;
-    surrounding?: boolean;
-    pulsator?: boolean;
-    subboost?: boolean;
-    karaoke?: boolean;
-    flanger?: boolean;
-    gate?: boolean;
-    haas?: boolean;
-    mcompand?: boolean;
-    mono?: boolean;
-    mstlr?: boolean;
-    mstrr?: boolean;
-    compressor?: boolean;
-    expander?: boolean;
-    softlimiter?: boolean;
-    chorus?: boolean;
-    chorus2d?: boolean;
-    chorus3d?: boolean;
-    fadein?: boolean;
-    dim?: boolean;
-    earrape?: boolean;
-}
-/**
- * The track source:
- * - soundcloud
- * - youtube
- * - spotify
- * - arbitrary
- * @typedef {string} TrackSource
- */
-export declare type TrackSource = "soundcloud" | "youtube" | "spotify" | "arbitrary";
-/**
- * @typedef {object} RawTrackData
- * @property {string} title The title
- * @property {string} description The description
- * @property {string} author The author
- * @property {string} url The url
- * @property {string} thumbnail The thumbnail
- * @property {string} duration The duration
- * @property {number | boolean} views The views
- * @property {User} requestedBy The user who requested this track
- * @property {Playlist} [playlist] The playlist
- * @property {TrackSource} [source="arbitrary"] The source
- * @property {any} [engine] The engine
- * @property {boolean} [live] If this track is live
- * @property {any} [raw] The raw data
- */
-export interface RawTrackData {
-    title: string;
-    description: string;
-    author: string;
-    url: string;
-    thumbnail: string;
-    duration: string;
-    views: number;
-    requestedBy: User;
-    playlist?: Playlist;
-    source?: TrackSource;
-    engine?: any;
-    live?: boolean;
-    raw?: any;
-}
-/**
- * @typedef {object} TimeData
- * @property {number} days Time in days
- * @property {number} hours Time in hours
- * @property {number} minutes Time in minutes
- * @property {number} seconds Time in seconds
- */
-export interface TimeData {
-    days: number;
-    hours: number;
-    minutes: number;
-    seconds: number;
-}
-/**
- * @typedef {object} PlayerProgressbarOptions
- * @property {boolean} [timecodes] If it should render time codes
- * @property {boolean} [queue] If it should create progress bar for the whole queue
- * @property {number} [length] The bar length
- * @property {string} [line] The bar track
- * @property {string} [indicator] The indicator
- */
-export interface PlayerProgressbarOptions {
-    timecodes?: boolean;
-    length?: number;
-    line?: string;
-    indicator?: string;
-    queue?: boolean;
-}
-/**
- * @typedef {object} PlayerOptions
- * @property {boolean} [leaveOnEnd=true] If it should leave on end
- * @property {boolean} [leaveOnStop=true] If it should leave on stop
- * @property {boolean} [leaveOnEmpty=true] If it should leave on empty
- * @property {number} [leaveOnEmptyCooldown=1000] The cooldown in ms
- * @property {boolean} [autoSelfDeaf=true] If it should set the bot in deaf mode
- * @property {YTDLDownloadOptions} [ytdlOptions] The youtube download options
- * @property {number} [initialVolume=100] The initial player volume
- * @property {number} [bufferingTimeout=3000] Buffering timeout for the stream
- * @property {boolean} [spotifyBridge=true] If player should bridge spotify source to youtube
- * @property {boolean} [disableVolume=false] If player should disable inline volume
- * @property {number} [volumeSmoothness=0] The volume transition smoothness between volume changes (lower the value to get better result)
- * Setting this or leaving this empty will disable this effect. Example: `volumeSmoothness: 0.1`
- * @property {Function} [onBeforeCreateStream] Runs before creating stream
- */
-export interface PlayerOptions {
-    leaveOnEnd?: boolean;
-    leaveOnStop?: boolean;
-    leaveOnEmpty?: boolean;
-    leaveOnEmptyCooldown?: number;
-    autoSelfDeaf?: boolean;
-    initialVolume?: number;
-    bufferingTimeout?: number;
-    spotifyBridge?: boolean;
-    disableVolume?: boolean;
-    volumeSmoothness?: number;
-    onBeforeCreateStream?: (track: Track, source: TrackSource, queue: Queue) => Promise<Readable>;
-}
-/**
- * @typedef {object} ExtractorModelData
- * @property {object} [playlist] The playlist info (if any)
- * @property {string} [playlist.title] The playlist title
- * @property {string} [playlist.description] The playlist description
- * @property {string} [playlist.thumbnail] The playlist thumbnail
- * @property {album|playlist} [playlist.type] The playlist type: `album` | `playlist`
- * @property {TrackSource} [playlist.source] The playlist source
- * @property {object} [playlist.author] The playlist author
- * @property {string} [playlist.author.name] The author name
- * @property {string} [playlist.author.url] The author url
- * @property {string} [playlist.id] The playlist id
- * @property {string} [playlist.url] The playlist url
- * @property {any} [playlist.rawPlaylist] The raw data
- * @property {ExtractorData[]} data The data
- */
-/**
- * @typedef {object} ExtractorData
- * @property {string} title The title
- * @property {number} duration The duration
- * @property {string} thumbnail The thumbnail
- * @property {string|Readable|Duplex} engine The stream engine
- * @property {number} views The views count
- * @property {string} author The author
- * @property {string} description The description
- * @property {string} url The url
- * @property {string} [version] The extractor version
- * @property {TrackSource} [source="arbitrary"] The source
- */
-export interface ExtractorModelData {
-    playlist?: {
-        title: string;
-        description: string;
-        thumbnail: string;
-        type: "album" | "playlist";
-        source: TrackSource;
-        author: {
-            name: string;
-            url: string;
-        };
-        id: string;
-        url: string;
-        rawPlaylist?: any;
-    };
-    data: {
-        title: string;
-        duration: number;
-        thumbnail: string;
-        engine: string | Readable | Duplex;
-        views: number;
-        author: string;
-        description: string;
-        url: string;
-        version?: string;
-        source?: TrackSource;
-    }[];
-}
-/**
- * The search query type
- * This can be one of:
- * - AUTO
- * - YOUTUBE
- * - YOUTUBE_PLAYLIST
- * - SOUNDCLOUD_TRACK
- * - SOUNDCLOUD_PLAYLIST
- * - SOUNDCLOUD
- * - SPOTIFY_SONG
- * - SPOTIFY_ALBUM
- * - SPOTIFY_PLAYLIST
- * - FACEBOOK
- * - VIMEO
- * - ARBITRARY
- * - REVERBNATION
- * - YOUTUBE_SEARCH
- * - YOUTUBE_VIDEO
- * - SOUNDCLOUD_SEARCH
- * @typedef {number} QueryType
- */
-export declare enum QueryType {
-    AUTO = 0,
-    YOUTUBE = 1,
-    YOUTUBE_PLAYLIST = 2,
-    SOUNDCLOUD_TRACK = 3,
-    SOUNDCLOUD_PLAYLIST = 4,
-    SOUNDCLOUD = 5,
-    SPOTIFY_SONG = 6,
-    SPOTIFY_ALBUM = 7,
-    SPOTIFY_PLAYLIST = 8,
-    FACEBOOK = 9,
-    VIMEO = 10,
-    ARBITRARY = 11,
-    REVERBNATION = 12,
-    YOUTUBE_SEARCH = 13,
-    YOUTUBE_VIDEO = 14,
-    SOUNDCLOUD_SEARCH = 15
-}
-/**
- * Emitted when bot gets disconnected from a voice channel
- * @event Player#botDisconnect
- * @param {Queue} queue The queue
- */
-/**
- * Emitted when the voice channel is empty
- * @event Player#channelEmpty
- * @param {Queue} queue The queue
- */
-/**
- * Emitted when bot connects to a voice channel
- * @event Player#connectionCreate
- * @param {Queue} queue The queue
- * @param {StreamDispatcher} connection The discord player connection object
- */
-/**
- * Debug information
- * @event Player#debug
- * @param {Queue} queue The queue
- * @param {string} message The message
- */
-/**
- * Emitted on error
- * <warn>This event should handled properly otherwise it may crash your process!</warn>
- * @event Player#error
- * @param {Queue} queue The queue
- * @param {Error} error The error
- */
-/**
- * Emitted on connection error. Sometimes stream errors are emitted here as well.
- * @event Player#connectionError
- * @param {Queue} queue The queue
- * @param {Error} error The error
- */
-/**
- * Emitted when queue ends
- * @event Player#queueEnd
- * @param {Queue} queue The queue
- */
-/**
- * Emitted when a single track is added
- * @event Player#trackAdd
- * @param {Queue} queue The queue
- * @param {Track} track The track
- */
-/**
- * Emitted when multiple tracks are added
- * @event Player#tracksAdd
- * @param {Queue} queue The queue
- * @param {Track[]} tracks The tracks
- */
-/**
- * Emitted when a track starts playing
- * @event Player#trackStart
- * @param {Queue} queue The queue
- * @param {Track} track The track
- */
-/**
- * Emitted when a track ends
- * @event Player#trackEnd
- * @param {Queue} queue The queue
- * @param {Track} track The track
- */
-export interface PlayerEvents {
-    botDisconnect: (queue: Queue) => any;
-    channelEmpty: (queue: Queue) => any;
-    connectionCreate: (queue: Queue, connection: StreamDispatcher) => any;
-    debug: (queue: Queue, message: string) => any;
-    error: (queue: Queue, error: Error) => any;
-    connectionError: (queue: Queue, error: Error) => any;
-    queueEnd: (queue: Queue) => any;
-    trackAdd: (queue: Queue, track: Track) => any;
-    tracksAdd: (queue: Queue, track: Track[]) => any;
-    trackStart: (queue: Queue, track: Track) => any;
-    trackEnd: (queue: Queue, track: Track) => any;
-}
-/**
- * @typedef {object} PlayOptions
- * @property {boolean} [filtersUpdate=false] If this play was triggered for filters update
- * @property {string[]} [encoderArgs=[]] FFmpeg args passed to encoder
- * @property {number} [seek] Time to seek to before playing
- * @property {boolean} [immediate=false] If it should start playing the provided track immediately
- */
-export interface PlayOptions {
-    filtersUpdate?: boolean;
-    encoderArgs?: string[];
-    seek?: number;
-    immediate?: boolean;
-}
-/**
- * @typedef {object} SearchOptions
- * @property {UserResolvable} requestedBy The user who requested this search
- * @property {QueryType|string} [searchEngine=QueryType.AUTO] The query search engine, can be extractor name to target specific one (custom)
- * @property {boolean} [blockExtractor=false] If it should block custom extractors
- */
-export interface SearchOptions {
-    requestedBy: UserResolvable;
-    searchEngine?: QueryType | string;
-    blockExtractor?: boolean;
-}
-/**
- * The queue repeat mode. This can be one of:
- * - OFF
- * - TRACK
- * - QUEUE
- * - AUTOPLAY
- * @typedef {number} QueueRepeatMode
- */
-export declare enum QueueRepeatMode {
-    OFF = 0,
-    TRACK = 1,
-    QUEUE = 2,
-    AUTOPLAY = 3
-}
-/**
- * @typedef {object} PlaylistInitData
- * @property {Track[]} tracks The tracks of this playlist
- * @property {string} title The playlist title
- * @property {string} description The description
- * @property {string} thumbnail The thumbnail
- * @property {album|playlist} type The playlist type: `album` | `playlist`
- * @property {TrackSource} source The playlist source
- * @property {object} author The playlist author
- * @property {string} [author.name] The author name
- * @property {string} [author.url] The author url
- * @property {string} id The playlist id
- * @property {string} url The playlist url
- * @property {any} [rawPlaylist] The raw playlist data
- */
-export interface PlaylistInitData {
-    tracks: Track[];
-    title: string;
-    description: string;
-    thumbnail: string;
-    type: "album" | "playlist";
-    source: TrackSource;
-    author: {
-        name: string;
-        url: string;
-    };
-    id: string;
-    url: string;
-    rawPlaylist?: any;
-}
-/**
- * @typedef {object} TrackJSON
- * @property {string} title The track title
- * @property {string} description The track description
- * @property {string} author The author
- * @property {string} url The url
- * @property {string} thumbnail The thumbnail
- * @property {string} duration The duration
- * @property {number} durationMS The duration in ms
- * @property {number} views The views count
- * @property {Snowflake} requestedBy The id of the user who requested this track
- * @property {PlaylistJSON} [playlist] The playlist info (if any)
- */
-export interface TrackJSON {
-    id: Snowflake;
-    title: string;
-    description: string;
-    author: string;
-    url: string;
-    thumbnail: string;
-    duration: string;
-    durationMS: number;
-    views: number;
-    requestedBy: Snowflake;
-    playlist?: PlaylistJSON;
-}
-/**
- * @typedef {object} PlaylistJSON
- * @property {string} id The playlist id
- * @property {string} url The playlist url
- * @property {string} title The playlist title
- * @property {string} description The playlist description
- * @property {string} thumbnail The thumbnail
- * @property {album|playlist} type The playlist type: `album` | `playlist`
- * @property {TrackSource} source The track source
- * @property {object} author The playlist author
- * @property {string} [author.name] The author name
- * @property {string} [author.url] The author url
- * @property {TrackJSON[]} tracks The tracks data (if any)
- */
-export interface PlaylistJSON {
-    id: string;
-    url: string;
-    title: string;
-    description: string;
-    thumbnail: string;
-    type: "album" | "playlist";
-    source: TrackSource;
-    author: {
-        name: string;
-        url: string;
-    };
-    tracks: TrackJSON[];
-}
-/**
- * @typedef {object} PlayerInitOptions
- * @property {boolean} [autoRegisterExtractor=true] If it should automatically register `@discord-player/extractor`
- * @property {YTDLDownloadOptions} [ytdlOptions] The options passed to `ytdl-core`
- * @property {number} [connectionTimeout=20000] The voice connection timeout
- */
-export interface PlayerInitOptions {
-    autoRegisterExtractor?: boolean;
-    connectionTimeout?: number;
-}
diff --git a/helpers/Music/dist/types/types.js b/helpers/Music/dist/types/types.js
deleted file mode 100644
index 726bb99f..00000000
--- a/helpers/Music/dist/types/types.js
+++ /dev/null
@@ -1,58 +0,0 @@
-"use strict";
-Object.defineProperty(exports, "__esModule", { value: true });
-exports.QueueRepeatMode = exports.QueryType = void 0;
-/**
- * The search query type
- * This can be one of:
- * - AUTO
- * - YOUTUBE
- * - YOUTUBE_PLAYLIST
- * - SOUNDCLOUD_TRACK
- * - SOUNDCLOUD_PLAYLIST
- * - SOUNDCLOUD
- * - SPOTIFY_SONG
- * - SPOTIFY_ALBUM
- * - SPOTIFY_PLAYLIST
- * - FACEBOOK
- * - VIMEO
- * - ARBITRARY
- * - REVERBNATION
- * - YOUTUBE_SEARCH
- * - YOUTUBE_VIDEO
- * - SOUNDCLOUD_SEARCH
- * @typedef {number} QueryType
- */
-var QueryType;
-(function (QueryType) {
-    QueryType[QueryType["AUTO"] = 0] = "AUTO";
-    QueryType[QueryType["YOUTUBE"] = 1] = "YOUTUBE";
-    QueryType[QueryType["YOUTUBE_PLAYLIST"] = 2] = "YOUTUBE_PLAYLIST";
-    QueryType[QueryType["SOUNDCLOUD_TRACK"] = 3] = "SOUNDCLOUD_TRACK";
-    QueryType[QueryType["SOUNDCLOUD_PLAYLIST"] = 4] = "SOUNDCLOUD_PLAYLIST";
-    QueryType[QueryType["SOUNDCLOUD"] = 5] = "SOUNDCLOUD";
-    QueryType[QueryType["SPOTIFY_SONG"] = 6] = "SPOTIFY_SONG";
-    QueryType[QueryType["SPOTIFY_ALBUM"] = 7] = "SPOTIFY_ALBUM";
-    QueryType[QueryType["SPOTIFY_PLAYLIST"] = 8] = "SPOTIFY_PLAYLIST";
-    QueryType[QueryType["FACEBOOK"] = 9] = "FACEBOOK";
-    QueryType[QueryType["VIMEO"] = 10] = "VIMEO";
-    QueryType[QueryType["ARBITRARY"] = 11] = "ARBITRARY";
-    QueryType[QueryType["REVERBNATION"] = 12] = "REVERBNATION";
-    QueryType[QueryType["YOUTUBE_SEARCH"] = 13] = "YOUTUBE_SEARCH";
-    QueryType[QueryType["YOUTUBE_VIDEO"] = 14] = "YOUTUBE_VIDEO";
-    QueryType[QueryType["SOUNDCLOUD_SEARCH"] = 15] = "SOUNDCLOUD_SEARCH";
-})(QueryType = exports.QueryType || (exports.QueryType = {}));
-/**
- * The queue repeat mode. This can be one of:
- * - OFF
- * - TRACK
- * - QUEUE
- * - AUTOPLAY
- * @typedef {number} QueueRepeatMode
- */
-var QueueRepeatMode;
-(function (QueueRepeatMode) {
-    QueueRepeatMode[QueueRepeatMode["OFF"] = 0] = "OFF";
-    QueueRepeatMode[QueueRepeatMode["TRACK"] = 1] = "TRACK";
-    QueueRepeatMode[QueueRepeatMode["QUEUE"] = 2] = "QUEUE";
-    QueueRepeatMode[QueueRepeatMode["AUTOPLAY"] = 3] = "AUTOPLAY";
-})(QueueRepeatMode = exports.QueueRepeatMode || (exports.QueueRepeatMode = {}));
diff --git a/helpers/Music/dist/utils/AudioFilters.d.ts b/helpers/Music/dist/utils/AudioFilters.d.ts
deleted file mode 100644
index 471e9108..00000000
--- a/helpers/Music/dist/utils/AudioFilters.d.ts
+++ /dev/null
@@ -1,36 +0,0 @@
-import { FiltersName } from "../types/types";
-declare class AudioFilters {
-    constructor();
-    static get filters(): Record<FiltersName, string>;
-    static get<K extends FiltersName>(name: K): Record<keyof import("../types/types").QueueFilters, string>[K];
-    static has<K extends FiltersName>(name: K): boolean;
-    static [Symbol.iterator](): IterableIterator<{
-        name: FiltersName;
-        value: string;
-    }>;
-    static get names(): (keyof import("../types/types").QueueFilters)[];
-    static get length(): number;
-    static toString(): string;
-    /**
-     * Create ffmpeg args from the specified filters name
-     * @param filter The filter name
-     * @returns
-     */
-    static create<K extends FiltersName>(filters?: K[]): string;
-    /**
-     * Defines audio filter
-     * @param filterName The name of the filter
-     * @param value The ffmpeg args
-     */
-    static define(filterName: string, value: string): void;
-    /**
-     * Defines multiple audio filters
-     * @param filtersArray Array of filters containing the filter name and ffmpeg args
-     */
-    static defineBulk(filtersArray: {
-        name: string;
-        value: string;
-    }[]): void;
-}
-export default AudioFilters;
-export { AudioFilters };
diff --git a/helpers/Music/dist/utils/AudioFilters.js b/helpers/Music/dist/utils/AudioFilters.js
deleted file mode 100644
index 8eac6b1d..00000000
--- a/helpers/Music/dist/utils/AudioFilters.js
+++ /dev/null
@@ -1,97 +0,0 @@
-"use strict";
-Object.defineProperty(exports, "__esModule", { value: true });
-exports.AudioFilters = void 0;
-const bass = (g) => `bass=g=${g}:f=110:w=0.3`;
-class AudioFilters {
-    constructor() {
-        return AudioFilters;
-    }
-    static get filters() {
-        return {
-            bassboost_low: bass(15),
-            bassboost: bass(20),
-            bassboost_high: bass(30),
-            "8D": "apulsator=hz=0.09",
-            vaporwave: "aresample=48000,asetrate=48000*0.8",
-            nightcore: "aresample=48000,asetrate=48000*1.25",
-            phaser: "aphaser=in_gain=0.4",
-            tremolo: "tremolo",
-            vibrato: "vibrato=f=6.5",
-            reverse: "areverse",
-            treble: "treble=g=5",
-            normalizer2: "dynaudnorm=g=101",
-            normalizer: "acompressor",
-            surrounding: "surround",
-            pulsator: "apulsator=hz=1",
-            subboost: "asubboost",
-            karaoke: "stereotools=mlev=0.03",
-            flanger: "flanger",
-            gate: "agate",
-            haas: "haas",
-            mcompand: "mcompand",
-            mono: "pan=mono|c0=.5*c0+.5*c1",
-            mstlr: "stereotools=mode=ms>lr",
-            mstrr: "stereotools=mode=ms>rr",
-            compressor: "compand=points=-80/-105|-62/-80|-15.4/-15.4|0/-12|20/-7.6",
-            expander: "compand=attacks=0:points=-80/-169|-54/-80|-49.5/-64.6|-41.1/-41.1|-25.8/-15|-10.8/-4.5|0/0|20/8.3",
-            softlimiter: "compand=attacks=0:points=-80/-80|-12.4/-12.4|-6/-8|0/-6.8|20/-2.8",
-            chorus: "chorus=0.7:0.9:55:0.4:0.25:2",
-            chorus2d: "chorus=0.6:0.9:50|60:0.4|0.32:0.25|0.4:2|1.3",
-            chorus3d: "chorus=0.5:0.9:50|60|40:0.4|0.32|0.3:0.25|0.4|0.3:2|2.3|1.3",
-            fadein: "afade=t=in:ss=0:d=10",
-            dim: `afftfilt="'real=re * (1-clip((b/nb)*b,0,1))':imag='im * (1-clip((b/nb)*b,0,1))'"`,
-            earrape: "channelsplit,sidechaingate=level_in=64"
-        };
-    }
-    static get(name) {
-        return this.filters[name];
-    }
-    static has(name) {
-        return name in this.filters;
-    }
-    static *[Symbol.iterator]() {
-        for (const [k, v] of Object.entries(this.filters)) {
-            yield { name: k, value: v };
-        }
-    }
-    static get names() {
-        return Object.keys(this.filters);
-    }
-    // @ts-expect-error AudioFilters.length
-    static get length() {
-        return this.names.length;
-    }
-    static toString() {
-        return this.names.map((m) => this[m]).join(","); // eslint-disable-line @typescript-eslint/no-explicit-any
-    }
-    /**
-     * Create ffmpeg args from the specified filters name
-     * @param filter The filter name
-     * @returns
-     */
-    static create(filters) {
-        if (!filters || !Array.isArray(filters))
-            return this.toString();
-        return filters
-            .filter((predicate) => typeof predicate === "string")
-            .map((m) => this.get(m))
-            .join(",");
-    }
-    /**
-     * Defines audio filter
-     * @param filterName The name of the filter
-     * @param value The ffmpeg args
-     */
-    static define(filterName, value) {
-        this.filters[filterName] = value;
-    }
-    /**
-     * Defines multiple audio filters
-     * @param filtersArray Array of filters containing the filter name and ffmpeg args
-     */
-    static defineBulk(filtersArray) {
-        filtersArray.forEach((arr) => this.define(arr.name, arr.value));
-    }
-}
-exports.AudioFilters = AudioFilters;
-exports.default = AudioFilters;
diff --git a/helpers/Music/dist/utils/FFmpegStream.d.ts b/helpers/Music/dist/utils/FFmpegStream.d.ts
deleted file mode 100644
index 18d19e14..00000000
--- a/helpers/Music/dist/utils/FFmpegStream.d.ts
+++ /dev/null
@@ -1,16 +0,0 @@
-/// <reference types="node" />
-import type { Duplex, Readable } from "stream";
-export interface FFmpegStreamOptions {
-    fmt?: string;
-    encoderArgs?: string[];
-    seek?: number;
-    skip?: boolean;
-}
-export declare function FFMPEG_ARGS_STRING(stream: string, fmt?: string): string[];
-export declare function FFMPEG_ARGS_PIPED(fmt?: string): string[];
-/**
- * Creates FFmpeg stream
- * @param stream The source stream
- * @param options FFmpeg stream options
- */
-export declare function createFFmpegStream(stream: Readable | Duplex | string, options?: FFmpegStreamOptions): Readable | Duplex;
diff --git a/helpers/Music/dist/utils/FFmpegStream.js b/helpers/Music/dist/utils/FFmpegStream.js
deleted file mode 100644
index 0a9325ae..00000000
--- a/helpers/Music/dist/utils/FFmpegStream.js
+++ /dev/null
@@ -1,53 +0,0 @@
-"use strict";
-Object.defineProperty(exports, "__esModule", { value: true });
-exports.createFFmpegStream = exports.FFMPEG_ARGS_PIPED = exports.FFMPEG_ARGS_STRING = void 0;
-const prism_media_1 = require("prism-media");
-function FFMPEG_ARGS_STRING(stream, fmt) {
-    // prettier-ignore
-    return [
-        "-reconnect", "1",
-        "-reconnect_streamed", "1",
-        "-reconnect_delay_max", "5",
-        "-i", stream,
-        "-analyzeduration", "0",
-        "-loglevel", "0",
-        "-f", `${typeof fmt === "string" ? fmt : "s16le"}`,
-        "-ar", "48000",
-        "-ac", "2"
-    ];
-}
-exports.FFMPEG_ARGS_STRING = FFMPEG_ARGS_STRING;
-function FFMPEG_ARGS_PIPED(fmt) {
-    // prettier-ignore
-    return [
-        "-analyzeduration", "0",
-        "-loglevel", "0",
-        "-f", `${typeof fmt === "string" ? fmt : "s16le"}`,
-        "-ar", "48000",
-        "-ac", "2"
-    ];
-}
-exports.FFMPEG_ARGS_PIPED = FFMPEG_ARGS_PIPED;
-/**
- * Creates FFmpeg stream
- * @param stream The source stream
- * @param options FFmpeg stream options
- */
-function createFFmpegStream(stream, options) {
-    if (options.skip && typeof stream !== "string")
-        return stream;
-    options ?? (options = {});
-    const args = typeof stream === "string" ? FFMPEG_ARGS_STRING(stream, options.fmt) : FFMPEG_ARGS_PIPED(options.fmt);
-    if (!Number.isNaN(options.seek))
-        args.unshift("-ss", String(options.seek));
-    if (Array.isArray(options.encoderArgs))
-        args.push(...options.encoderArgs);
-    const transcoder = new prism_media_1.FFmpeg({ shell: false, args });
-    transcoder.on("close", () => transcoder.destroy());
-    if (typeof stream !== "string") {
-        stream.on("error", () => transcoder.destroy());
-        stream.pipe(transcoder);
-    }
-    return transcoder;
-}
-exports.createFFmpegStream = createFFmpegStream;
diff --git a/helpers/Music/dist/utils/QueryResolver.d.ts b/helpers/Music/dist/utils/QueryResolver.d.ts
deleted file mode 100644
index 759c80c9..00000000
--- a/helpers/Music/dist/utils/QueryResolver.d.ts
+++ /dev/null
@@ -1,20 +0,0 @@
-import { QueryType } from "../types/types";
-declare class QueryResolver {
-    /**
-     * Query resolver
-     */
-    private constructor();
-    /**
-     * Resolves the given search query
-     * @param {string} query The query
-     * @returns {QueryType}
-     */
-    static resolve(query: string): Promise<QueryType>;
-    /**
-     * Parses vimeo id from url
-     * @param {string} query The query
-     * @returns {string}
-     */
-    static getVimeoID(query: string): Promise<string>;
-}
-export { QueryResolver };
diff --git a/helpers/Music/dist/utils/QueryResolver.js b/helpers/Music/dist/utils/QueryResolver.js
deleted file mode 100644
index d1618820..00000000
--- a/helpers/Music/dist/utils/QueryResolver.js
+++ /dev/null
@@ -1,66 +0,0 @@
-"use strict";
-Object.defineProperty(exports, "__esModule", { value: true });
-exports.QueryResolver = void 0;
-const tslib_1 = require("tslib");
-const types_1 = require("../types/types");
-const play_dl_1 = tslib_1.__importDefault(require("play-dl"));
-// eslint-disable-next-line @typescript-eslint/ban-ts-comment
-// scary things below *sigh*
-const spotifySongRegex = /https?:\/\/(?:embed\.|open\.)(?:spotify\.com\/)(?:track\/|\?uri=spotify:track:)((\w|-){22})/;
-const spotifyPlaylistRegex = /https?:\/\/(?:embed\.|open\.)(?:spotify\.com\/)(?:playlist\/|\?uri=spotify:playlist:)((\w|-){22})/;
-const spotifyAlbumRegex = /https?:\/\/(?:embed\.|open\.)(?:spotify\.com\/)(?:album\/|\?uri=spotify:album:)((\w|-){22})/;
-const vimeoRegex = /(http|https)?:\/\/(www\.|player\.)?vimeo\.com\/(?:channels\/(?:\w+\/)?|groups\/([^/]*)\/videos\/|video\/|)(\d+)(?:|\/\?)/;
-const facebookRegex = /(https?:\/\/)(www\.|m\.)?(facebook|fb).com\/.*\/videos\/.*/;
-const reverbnationRegex = /https:\/\/(www.)?reverbnation.com\/(.+)\/song\/(.+)/;
-const attachmentRegex = /^(?:(?:https?|ftp):\/\/)?(?:(?!(?:10|127)(?:\.\d{1,3}){3})(?!(?:169\.254|192\.168)(?:\.\d{1,3}){2})(?!172\.(?:1[6-9]|2\d|3[0-1])(?:\.\d{1,3}){2})(?:[1-9]\d?|1\d\d|2[01]\d|22[0-3])(?:\.(?:1?\d{1,2}|2[0-4]\d|25[0-5])){2}(?:\.(?:[1-9]\d?|1\d\d|2[0-4]\d|25[0-4]))|(?:(?:[a-z\u00a1-\uffff0-9]-*)*[a-z\u00a1-\uffff0-9]+)(?:\.(?:[a-z\u00a1-\uffff0-9]-*)*[a-z\u00a1-\uffff0-9]+)*(?:\.(?:[a-z\u00a1-\uffff]{2,})))(?::\d{2,5})?(?:\/\S*)?$/;
-// scary things above *sigh*
-class QueryResolver {
-    /**
-     * Query resolver
-     */
-    constructor() { } // eslint-disable-line @typescript-eslint/no-empty-function
-    /**
-     * Resolves the given search query
-     * @param {string} query The query
-     * @returns {QueryType}
-     */
-    static async resolve(query) {
-        if (await play_dl_1.default.so_validate(query) === "track")
-            return types_1.QueryType.SOUNDCLOUD_TRACK;
-        if (await play_dl_1.default.so_validate(query) === "playlist" || query.includes("/sets/"))
-            return types_1.QueryType.SOUNDCLOUD_PLAYLIST;
-        if (play_dl_1.default.yt_validate(query) === "playlist")
-            return types_1.QueryType.YOUTUBE_PLAYLIST;
-        if (play_dl_1.default.yt_validate(query) === "video")
-            return types_1.QueryType.YOUTUBE_VIDEO;
-        if (spotifySongRegex.test(query))
-            return types_1.QueryType.SPOTIFY_SONG;
-        if (spotifyPlaylistRegex.test(query))
-            return types_1.QueryType.SPOTIFY_PLAYLIST;
-        if (spotifyAlbumRegex.test(query))
-            return types_1.QueryType.SPOTIFY_ALBUM;
-        if (vimeoRegex.test(query))
-            return types_1.QueryType.VIMEO;
-        if (facebookRegex.test(query))
-            return types_1.QueryType.FACEBOOK;
-        if (reverbnationRegex.test(query))
-            return types_1.QueryType.REVERBNATION;
-        if (attachmentRegex.test(query))
-            return types_1.QueryType.ARBITRARY;
-        return types_1.QueryType.YOUTUBE_SEARCH;
-    }
-    /**
-     * Parses vimeo id from url
-     * @param {string} query The query
-     * @returns {string}
-     */
-    static async getVimeoID(query) {
-        return await QueryResolver.resolve(query) === types_1.QueryType.VIMEO
-            ? query
-                .split("/")
-                .filter((x) => !!x)
-                .pop()
-            : null;
-    }
-}
-exports.QueryResolver = QueryResolver;
diff --git a/helpers/Music/dist/utils/Util.d.ts b/helpers/Music/dist/utils/Util.d.ts
deleted file mode 100644
index 3973e675..00000000
--- a/helpers/Music/dist/utils/Util.d.ts
+++ /dev/null
@@ -1,53 +0,0 @@
-import { StageChannel, VoiceChannel } from "discord.js";
-import { TimeData } from "../types/types";
-declare class Util {
-    /**
-     * Utils
-     */
-    private constructor();
-    /**
-     * Creates duration string
-     * @param {object} durObj The duration object
-     * @returns {string}
-     */
-    static durationString(durObj: Record<string, number>): string;
-    /**
-     * Parses milliseconds to consumable time object
-     * @param {number} milliseconds The time in ms
-     * @returns {TimeData}
-     */
-    static parseMS(milliseconds: number): TimeData;
-    /**
-     * Builds time code
-     * @param {TimeData} duration The duration object
-     * @returns {string}
-     */
-    static buildTimeCode(duration: TimeData): string;
-    /**
-     * Picks last item of the given array
-     * @param {any[]} arr The array
-     * @returns {any}
-     */
-    static last<T = any>(arr: T[]): T;
-    /**
-     * Checks if the voice channel is empty
-     * @param {VoiceChannel|StageChannel} channel The voice channel
-     * @returns {boolean}
-     */
-    static isVoiceEmpty(channel: VoiceChannel | StageChannel): boolean;
-    /**
-     * Safer require
-     * @param {string} id Node require id
-     * @returns {any}
-     */
-    static require(id: string): any;
-    /**
-     * Asynchronous timeout
-     * @param {number} time The time in ms to wait
-     * @returns {Promise<unknown>}
-     */
-    static wait(time: number): Promise<unknown>;
-    static noop(): void;
-    static getFetch(): Promise<any>;
-}
-export { Util };
diff --git a/helpers/Music/dist/utils/Util.js b/helpers/Music/dist/utils/Util.js
deleted file mode 100644
index d4758474..00000000
--- a/helpers/Music/dist/utils/Util.js
+++ /dev/null
@@ -1,133 +0,0 @@
-"use strict";
-var __createBinding = (this && this.__createBinding) || (Object.create ? (function(o, m, k, k2) {
-    if (k2 === undefined) k2 = k;
-    var desc = Object.getOwnPropertyDescriptor(m, k);
-    if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
-      desc = { enumerable: true, get: function() { return m[k]; } };
-    }
-    Object.defineProperty(o, k2, desc);
-}) : (function(o, m, k, k2) {
-    if (k2 === undefined) k2 = k;
-    o[k2] = m[k];
-}));
-var __setModuleDefault = (this && this.__setModuleDefault) || (Object.create ? (function(o, v) {
-    Object.defineProperty(o, "default", { enumerable: true, value: v });
-}) : function(o, v) {
-    o["default"] = v;
-});
-var __importStar = (this && this.__importStar) || function (mod) {
-    if (mod && mod.__esModule) return mod;
-    var result = {};
-    if (mod != null) for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);
-    __setModuleDefault(result, mod);
-    return result;
-};
-Object.defineProperty(exports, "__esModule", { value: true });
-exports.Util = void 0;
-class Util {
-    /**
-     * Utils
-     */
-    constructor() { } // eslint-disable-line @typescript-eslint/no-empty-function
-    /**
-     * Creates duration string
-     * @param {object} durObj The duration object
-     * @returns {string}
-     */
-    static durationString(durObj) {
-        return Object.values(durObj)
-            .map((m) => (isNaN(m) ? 0 : m))
-            .join(":");
-    }
-    /**
-     * Parses milliseconds to consumable time object
-     * @param {number} milliseconds The time in ms
-     * @returns {TimeData}
-     */
-    static parseMS(milliseconds) {
-        const round = milliseconds > 0 ? Math.floor : Math.ceil;
-        return {
-            days: round(milliseconds / 86400000),
-            hours: round(milliseconds / 3600000) % 24,
-            minutes: round(milliseconds / 60000) % 60,
-            seconds: round(milliseconds / 1000) % 60
-        };
-    }
-    /**
-     * Builds time code
-     * @param {TimeData} duration The duration object
-     * @returns {string}
-     */
-    static buildTimeCode(duration) {
-        const items = Object.keys(duration);
-        const required = ["days", "hours", "minutes", "seconds"];
-        const parsed = items.filter((x) => required.includes(x)).map((m) => duration[m]);
-        const final = parsed
-            .slice(parsed.findIndex((x) => x !== 0))
-            .map((x) => x.toString().padStart(2, "0"))
-            .join(":");
-        return final.length <= 3 ? `0:${final.padStart(2, "0") || 0}` : final;
-    }
-    /**
-     * Picks last item of the given array
-     * @param {any[]} arr The array
-     * @returns {any}
-     */
-    // eslint-disable-next-line @typescript-eslint/no-explicit-any
-    static last(arr) {
-        if (!Array.isArray(arr))
-            return;
-        return arr[arr.length - 1];
-    }
-    /**
-     * Checks if the voice channel is empty
-     * @param {VoiceChannel|StageChannel} channel The voice channel
-     * @returns {boolean}
-     */
-    static isVoiceEmpty(channel) {
-        return channel.members.filter((member) => !member.user.bot).size === 0;
-    }
-    /**
-     * Safer require
-     * @param {string} id Node require id
-     * @returns {any}
-     */
-    static require(id) {
-        try {
-            return require(id);
-        }
-        catch {
-            return null;
-        }
-    }
-    /**
-     * Asynchronous timeout
-     * @param {number} time The time in ms to wait
-     * @returns {Promise<unknown>}
-     */
-    static wait(time) {
-        return new Promise((r) => setTimeout(r, time).unref());
-    }
-    static noop() { } // eslint-disable-line @typescript-eslint/no-empty-function
-    static async getFetch() {
-        if ("fetch" in globalThis)
-            return globalThis.fetch;
-        for (const lib of ["undici", "node-fetch"]) {
-            try {
-                return await Promise.resolve().then(() => __importStar(require(lib))).then((res) => res.fetch || res.default?.fetch || res.default);
-            }
-            catch {
-                try {
-                    // eslint-disable-next-line
-                    const res = require(lib);
-                    if (res)
-                        return res.fetch || res.default?.fetch || res.default;
-                }
-                catch {
-                    // no?
-                }
-            }
-        }
-    }
-}
-exports.Util = Util;
diff --git a/helpers/Music/package-lock.json b/helpers/Music/package-lock.json
deleted file mode 100644
index d552eecd..00000000
--- a/helpers/Music/package-lock.json
+++ /dev/null
@@ -1,4577 +0,0 @@
-{
-  "name": "music-player",
-  "version": "1.0.0",
-  "lockfileVersion": 2,
-  "requires": true,
-  "packages": {
-    "": {
-      "name": "music-player",
-      "version": "1.0.0",
-      "license": "NO LICENSE",
-      "dependencies": {
-        "@discordjs/voice": "^0.11.0",
-        "libsodium-wrappers": "^0.7.10",
-        "spotify-url-info": "^3.1.2",
-        "tiny-typed-emitter": "^2.1.0",
-        "tslib": "^2.4.0"
-      },
-      "devDependencies": {
-        "@discordjs/ts-docgen": "^0.4.1",
-        "@favware/rollup-type-bundler": "^1.0.10",
-        "@types/node": "^18.6.3",
-        "@types/ws": "^8.5.3",
-        "@typescript-eslint/eslint-plugin": "^5.32.0",
-        "@typescript-eslint/parser": "^5.32.0",
-        "discord-api-types": "^0.37.0",
-        "discord.js": "^14.1.2",
-        "eslint": "^8.21.0",
-        "gen-esm-wrapper": "^1.1.3",
-        "husky": "^8.0.1",
-        "opusscript": "^0.0.8",
-        "prettier": "^2.7.1",
-        "rimraf": "^3.0.2",
-        "ts-node": "^10.9.1",
-        "typedoc": "^0.23.10",
-        "typescript": "^4.7.4"
-      }
-    },
-    "node_modules/@babel/code-frame": {
-      "version": "7.18.6",
-      "resolved": "https://registry.npmjs.org/@babel/code-frame/-/code-frame-7.18.6.tgz",
-      "integrity": "sha512-TDCmlK5eOvH+eH7cdAFlNXeVJqWIQ7gW9tY1GJIpUtFb6CmjVyq2VM3u71bOyR8CRihcCgMUYoDNyLXao3+70Q==",
-      "dev": true,
-      "optional": true,
-      "dependencies": {
-        "@babel/highlight": "^7.18.6"
-      },
-      "engines": {
-        "node": ">=6.9.0"
-      }
-    },
-    "node_modules/@babel/helper-validator-identifier": {
-      "version": "7.18.6",
-      "resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.18.6.tgz",
-      "integrity": "sha512-MmetCkz9ej86nJQV+sFCxoGGrUbU3q02kgLciwkrt9QqEB7cP39oKEY0PakknEO0Gu20SskMRi+AYZ3b1TpN9g==",
-      "dev": true,
-      "optional": true,
-      "engines": {
-        "node": ">=6.9.0"
-      }
-    },
-    "node_modules/@babel/highlight": {
-      "version": "7.18.6",
-      "resolved": "https://registry.npmjs.org/@babel/highlight/-/highlight-7.18.6.tgz",
-      "integrity": "sha512-u7stbOuYjaPezCuLj29hNW1v64M2Md2qupEKP1fHc7WdOA3DgLh37suiSrZYY7haUB7iBeQZ9P1uiRF359do3g==",
-      "dev": true,
-      "optional": true,
-      "dependencies": {
-        "@babel/helper-validator-identifier": "^7.18.6",
-        "chalk": "^2.0.0",
-        "js-tokens": "^4.0.0"
-      },
-      "engines": {
-        "node": ">=6.9.0"
-      }
-    },
-    "node_modules/@babel/highlight/node_modules/ansi-styles": {
-      "version": "3.2.1",
-      "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-3.2.1.tgz",
-      "integrity": "sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==",
-      "dev": true,
-      "optional": true,
-      "dependencies": {
-        "color-convert": "^1.9.0"
-      },
-      "engines": {
-        "node": ">=4"
-      }
-    },
-    "node_modules/@babel/highlight/node_modules/chalk": {
-      "version": "2.4.2",
-      "resolved": "https://registry.npmjs.org/chalk/-/chalk-2.4.2.tgz",
-      "integrity": "sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==",
-      "dev": true,
-      "optional": true,
-      "dependencies": {
-        "ansi-styles": "^3.2.1",
-        "escape-string-regexp": "^1.0.5",
-        "supports-color": "^5.3.0"
-      },
-      "engines": {
-        "node": ">=4"
-      }
-    },
-    "node_modules/@babel/highlight/node_modules/color-convert": {
-      "version": "1.9.3",
-      "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-1.9.3.tgz",
-      "integrity": "sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==",
-      "dev": true,
-      "optional": true,
-      "dependencies": {
-        "color-name": "1.1.3"
-      }
-    },
-    "node_modules/@babel/highlight/node_modules/color-name": {
-      "version": "1.1.3",
-      "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.3.tgz",
-      "integrity": "sha512-72fSenhMw2HZMTVHeCA9KCmpEIbzWiQsjN+BHcBbS9vr1mtt+vJjPdksIBNUmKAW8TFUDPJK5SUU3QhE9NEXDw==",
-      "dev": true,
-      "optional": true
-    },
-    "node_modules/@babel/highlight/node_modules/escape-string-regexp": {
-      "version": "1.0.5",
-      "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz",
-      "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==",
-      "dev": true,
-      "optional": true,
-      "engines": {
-        "node": ">=0.8.0"
-      }
-    },
-    "node_modules/@babel/highlight/node_modules/has-flag": {
-      "version": "3.0.0",
-      "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-3.0.0.tgz",
-      "integrity": "sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw==",
-      "dev": true,
-      "optional": true,
-      "engines": {
-        "node": ">=4"
-      }
-    },
-    "node_modules/@babel/highlight/node_modules/supports-color": {
-      "version": "5.5.0",
-      "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-5.5.0.tgz",
-      "integrity": "sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==",
-      "dev": true,
-      "optional": true,
-      "dependencies": {
-        "has-flag": "^3.0.0"
-      },
-      "engines": {
-        "node": ">=4"
-      }
-    },
-    "node_modules/@cspotcode/source-map-support": {
-      "version": "0.8.1",
-      "resolved": "https://registry.npmjs.org/@cspotcode/source-map-support/-/source-map-support-0.8.1.tgz",
-      "integrity": "sha512-IchNf6dN4tHoMFIn/7OE8LWZ19Y6q/67Bmf6vnGREv8RSbBVb9LPJxEcnwrcwX6ixSvaiGoomAUvu4YSxXrVgw==",
-      "dev": true,
-      "dependencies": {
-        "@jridgewell/trace-mapping": "0.3.9"
-      },
-      "engines": {
-        "node": ">=12"
-      }
-    },
-    "node_modules/@discordjs/builders": {
-      "version": "1.2.0",
-      "resolved": "https://registry.npmjs.org/@discordjs/builders/-/builders-1.2.0.tgz",
-      "integrity": "sha512-ARy4BUTMU+S0ZI6605NDqfWO+qZqV2d/xfY32z3hVSsd9IaAKJBZ1ILTZLy87oIjW8+gUpQmk9Kt0ZP9bmmd8Q==",
-      "dev": true,
-      "dependencies": {
-        "@sapphire/shapeshift": "^3.5.1",
-        "discord-api-types": "^0.37.3",
-        "fast-deep-equal": "^3.1.3",
-        "ts-mixer": "^6.0.1",
-        "tslib": "^2.4.0"
-      },
-      "engines": {
-        "node": ">=16.9.0"
-      }
-    },
-    "node_modules/@discordjs/collection": {
-      "version": "1.1.0",
-      "resolved": "https://registry.npmjs.org/@discordjs/collection/-/collection-1.1.0.tgz",
-      "integrity": "sha512-PQ2Bv6pnT7aGPCKWbvvNRww5tYCGpggIQVgpuF9TdDPeR6n6vQYxezXiLVOS9z2B62Dp4c+qepQ15SgJbLYtCQ==",
-      "dev": true,
-      "engines": {
-        "node": ">=16.9.0"
-      }
-    },
-    "node_modules/@discordjs/rest": {
-      "version": "1.1.0",
-      "resolved": "https://registry.npmjs.org/@discordjs/rest/-/rest-1.1.0.tgz",
-      "integrity": "sha512-yCrthRTQeUyNThQEpCk7bvQJlwQmz6kU0tf3dcWBv2WX3Bncl41x7Wc+v5b5OsIxfNYq38PvVtWircu9jtYZug==",
-      "dev": true,
-      "dependencies": {
-        "@discordjs/collection": "^1.0.1",
-        "@sapphire/async-queue": "^1.5.0",
-        "@sapphire/snowflake": "^3.2.2",
-        "discord-api-types": "^0.37.3",
-        "file-type": "^17.1.6",
-        "tslib": "^2.4.0",
-        "undici": "^5.9.1"
-      },
-      "engines": {
-        "node": ">=16.9.0"
-      }
-    },
-    "node_modules/@discordjs/ts-docgen": {
-      "version": "0.4.1",
-      "resolved": "https://registry.npmjs.org/@discordjs/ts-docgen/-/ts-docgen-0.4.1.tgz",
-      "integrity": "sha512-T+GMJaWvISrEi3Rjg2Tfn1EZeido+SEBv3+393uFLK71koJvwlexAwjzOc0yKz6uanK4mUQyCp35vOIvWsQ1IQ==",
-      "dev": true,
-      "dependencies": {
-        "js-yaml": "^4.1.0",
-        "typedoc": "^0.22.15"
-      },
-      "engines": {
-        "node": ">=16.0.0",
-        "npm": ">=7.0.0"
-      }
-    },
-    "node_modules/@discordjs/ts-docgen/node_modules/brace-expansion": {
-      "version": "2.0.1",
-      "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-2.0.1.tgz",
-      "integrity": "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==",
-      "dev": true,
-      "dependencies": {
-        "balanced-match": "^1.0.0"
-      }
-    },
-    "node_modules/@discordjs/ts-docgen/node_modules/glob": {
-      "version": "8.0.3",
-      "resolved": "https://registry.npmjs.org/glob/-/glob-8.0.3.tgz",
-      "integrity": "sha512-ull455NHSHI/Y1FqGaaYFaLGkNMMJbavMrEGFXG/PGrg6y7sutWHUHrz6gy6WEBH6akM1M414dWKCNs+IhKdiQ==",
-      "dev": true,
-      "dependencies": {
-        "fs.realpath": "^1.0.0",
-        "inflight": "^1.0.4",
-        "inherits": "2",
-        "minimatch": "^5.0.1",
-        "once": "^1.3.0"
-      },
-      "engines": {
-        "node": ">=12"
-      },
-      "funding": {
-        "url": "https://github.com/sponsors/isaacs"
-      }
-    },
-    "node_modules/@discordjs/ts-docgen/node_modules/minimatch": {
-      "version": "5.1.0",
-      "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-5.1.0.tgz",
-      "integrity": "sha512-9TPBGGak4nHfGZsPBohm9AWg6NoT7QTCehS3BIJABslyZbzxfV78QM2Y6+i741OPZIafFAaiiEMh5OyIrJPgtg==",
-      "dev": true,
-      "dependencies": {
-        "brace-expansion": "^2.0.1"
-      },
-      "engines": {
-        "node": ">=10"
-      }
-    },
-    "node_modules/@discordjs/ts-docgen/node_modules/shiki": {
-      "version": "0.10.1",
-      "resolved": "https://registry.npmjs.org/shiki/-/shiki-0.10.1.tgz",
-      "integrity": "sha512-VsY7QJVzU51j5o1+DguUd+6vmCmZ5v/6gYu4vyYAhzjuNQU6P/vmSy4uQaOhvje031qQMiW0d2BwgMH52vqMng==",
-      "dev": true,
-      "dependencies": {
-        "jsonc-parser": "^3.0.0",
-        "vscode-oniguruma": "^1.6.1",
-        "vscode-textmate": "5.2.0"
-      }
-    },
-    "node_modules/@discordjs/ts-docgen/node_modules/typedoc": {
-      "version": "0.22.18",
-      "resolved": "https://registry.npmjs.org/typedoc/-/typedoc-0.22.18.tgz",
-      "integrity": "sha512-NK9RlLhRUGMvc6Rw5USEYgT4DVAUFk7IF7Q6MYfpJ88KnTZP7EneEa4RcP+tX1auAcz7QT1Iy0bUSZBYYHdoyA==",
-      "dev": true,
-      "dependencies": {
-        "glob": "^8.0.3",
-        "lunr": "^2.3.9",
-        "marked": "^4.0.16",
-        "minimatch": "^5.1.0",
-        "shiki": "^0.10.1"
-      },
-      "bin": {
-        "typedoc": "bin/typedoc"
-      },
-      "engines": {
-        "node": ">= 12.10.0"
-      },
-      "peerDependencies": {
-        "typescript": "4.0.x || 4.1.x || 4.2.x || 4.3.x || 4.4.x || 4.5.x || 4.6.x || 4.7.x"
-      }
-    },
-    "node_modules/@discordjs/ts-docgen/node_modules/vscode-textmate": {
-      "version": "5.2.0",
-      "resolved": "https://registry.npmjs.org/vscode-textmate/-/vscode-textmate-5.2.0.tgz",
-      "integrity": "sha512-Uw5ooOQxRASHgu6C7GVvUxisKXfSgW4oFlO+aa+PAkgmH89O3CXxEEzNRNtHSqtXFTl0nAC1uYj0GMSH27uwtQ==",
-      "dev": true
-    },
-    "node_modules/@discordjs/voice": {
-      "version": "0.11.0",
-      "resolved": "https://registry.npmjs.org/@discordjs/voice/-/voice-0.11.0.tgz",
-      "integrity": "sha512-6+9cj1dxzBJm7WJ9qyG2XZZQ8rcLl6x2caW0C0OxuTtMLAaEDntpb6lqMTFiBg/rDc4Rd59g1w0gJmib33CuHw==",
-      "dependencies": {
-        "@types/ws": "^8.5.3",
-        "discord-api-types": "^0.36.2",
-        "prism-media": "^1.3.4",
-        "tslib": "^2.4.0",
-        "ws": "^8.8.1"
-      },
-      "engines": {
-        "node": ">=16.9.0"
-      }
-    },
-    "node_modules/@discordjs/voice/node_modules/discord-api-types": {
-      "version": "0.36.3",
-      "resolved": "https://registry.npmjs.org/discord-api-types/-/discord-api-types-0.36.3.tgz",
-      "integrity": "sha512-bz/NDyG0KBo/tY14vSkrwQ/n3HKPf87a0WFW/1M9+tXYK+vp5Z5EksawfCWo2zkAc6o7CClc0eff1Pjrqznlwg=="
-    },
-    "node_modules/@eslint/eslintrc": {
-      "version": "1.3.1",
-      "resolved": "https://registry.npmjs.org/@eslint/eslintrc/-/eslintrc-1.3.1.tgz",
-      "integrity": "sha512-OhSY22oQQdw3zgPOOwdoj01l/Dzl1Z+xyUP33tkSN+aqyEhymJCcPHyXt+ylW8FSe0TfRC2VG+ROQOapD0aZSQ==",
-      "dev": true,
-      "dependencies": {
-        "ajv": "^6.12.4",
-        "debug": "^4.3.2",
-        "espree": "^9.4.0",
-        "globals": "^13.15.0",
-        "ignore": "^5.2.0",
-        "import-fresh": "^3.2.1",
-        "js-yaml": "^4.1.0",
-        "minimatch": "^3.1.2",
-        "strip-json-comments": "^3.1.1"
-      },
-      "engines": {
-        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
-      },
-      "funding": {
-        "url": "https://opencollective.com/eslint"
-      }
-    },
-    "node_modules/@favware/rollup-type-bundler": {
-      "version": "1.0.11",
-      "resolved": "https://registry.npmjs.org/@favware/rollup-type-bundler/-/rollup-type-bundler-1.0.11.tgz",
-      "integrity": "sha512-QhP2vLE2j1yR1iWz+ltyR3sEFHsXmgTq0X4lsBM6KEibLbfVFPGrP77kNPo3ZLzkmVprFrZOFLRLbqhQiGs0+Q==",
-      "dev": true,
-      "dependencies": {
-        "@sapphire/utilities": "^3.9.2",
-        "colorette": "^2.0.19",
-        "commander": "^9.4.0",
-        "js-yaml": "^4.1.0",
-        "rollup": "^2.78.1",
-        "rollup-plugin-dts": "^4.2.2",
-        "typescript": "^4.7.4"
-      },
-      "bin": {
-        "rollup-type-bundler": "dist/cli.js",
-        "rtb": "dist/cli.js"
-      },
-      "engines": {
-        "node": ">=v14"
-      }
-    },
-    "node_modules/@humanwhocodes/config-array": {
-      "version": "0.10.4",
-      "resolved": "https://registry.npmjs.org/@humanwhocodes/config-array/-/config-array-0.10.4.tgz",
-      "integrity": "sha512-mXAIHxZT3Vcpg83opl1wGlVZ9xydbfZO3r5YfRSH6Gpp2J/PfdBP0wbDa2sO6/qRbcalpoevVyW6A/fI6LfeMw==",
-      "dev": true,
-      "dependencies": {
-        "@humanwhocodes/object-schema": "^1.2.1",
-        "debug": "^4.1.1",
-        "minimatch": "^3.0.4"
-      },
-      "engines": {
-        "node": ">=10.10.0"
-      }
-    },
-    "node_modules/@humanwhocodes/gitignore-to-minimatch": {
-      "version": "1.0.2",
-      "resolved": "https://registry.npmjs.org/@humanwhocodes/gitignore-to-minimatch/-/gitignore-to-minimatch-1.0.2.tgz",
-      "integrity": "sha512-rSqmMJDdLFUsyxR6FMtD00nfQKKLFb1kv+qBbOVKqErvloEIJLo5bDTJTQNTYgeyp78JsA7u/NPi5jT1GR/MuA==",
-      "dev": true,
-      "funding": {
-        "type": "github",
-        "url": "https://github.com/sponsors/nzakas"
-      }
-    },
-    "node_modules/@humanwhocodes/module-importer": {
-      "version": "1.0.1",
-      "resolved": "https://registry.npmjs.org/@humanwhocodes/module-importer/-/module-importer-1.0.1.tgz",
-      "integrity": "sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==",
-      "dev": true,
-      "engines": {
-        "node": ">=12.22"
-      },
-      "funding": {
-        "type": "github",
-        "url": "https://github.com/sponsors/nzakas"
-      }
-    },
-    "node_modules/@humanwhocodes/object-schema": {
-      "version": "1.2.1",
-      "resolved": "https://registry.npmjs.org/@humanwhocodes/object-schema/-/object-schema-1.2.1.tgz",
-      "integrity": "sha512-ZnQMnLV4e7hDlUvw8H+U8ASL02SS2Gn6+9Ac3wGGLIe7+je2AeAOxPY+izIPJDfFDb7eDjev0Us8MO1iFRN8hA==",
-      "dev": true
-    },
-    "node_modules/@jridgewell/resolve-uri": {
-      "version": "3.1.0",
-      "resolved": "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.1.0.tgz",
-      "integrity": "sha512-F2msla3tad+Mfht5cJq7LSXcdudKTWCVYUgw6pLFOOHSTtZlj6SWNYAp+AhuqLmWdBO2X5hPrLcu8cVP8fy28w==",
-      "dev": true,
-      "engines": {
-        "node": ">=6.0.0"
-      }
-    },
-    "node_modules/@jridgewell/sourcemap-codec": {
-      "version": "1.4.14",
-      "resolved": "https://registry.npmjs.org/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.14.tgz",
-      "integrity": "sha512-XPSJHWmi394fuUuzDnGz1wiKqWfo1yXecHQMRf2l6hztTO+nPru658AyDngaBe7isIxEkRsPR3FZh+s7iVa4Uw==",
-      "dev": true
-    },
-    "node_modules/@jridgewell/trace-mapping": {
-      "version": "0.3.9",
-      "resolved": "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.9.tgz",
-      "integrity": "sha512-3Belt6tdc8bPgAtbcmdtNJlirVoTmEb5e2gC94PnkwEW9jI6CAHUeoG85tjWP5WquqfavoMtMwiG4P926ZKKuQ==",
-      "dev": true,
-      "dependencies": {
-        "@jridgewell/resolve-uri": "^3.0.3",
-        "@jridgewell/sourcemap-codec": "^1.4.10"
-      }
-    },
-    "node_modules/@nodelib/fs.scandir": {
-      "version": "2.1.5",
-      "resolved": "https://registry.npmjs.org/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz",
-      "integrity": "sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==",
-      "dev": true,
-      "dependencies": {
-        "@nodelib/fs.stat": "2.0.5",
-        "run-parallel": "^1.1.9"
-      },
-      "engines": {
-        "node": ">= 8"
-      }
-    },
-    "node_modules/@nodelib/fs.stat": {
-      "version": "2.0.5",
-      "resolved": "https://registry.npmjs.org/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz",
-      "integrity": "sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==",
-      "dev": true,
-      "engines": {
-        "node": ">= 8"
-      }
-    },
-    "node_modules/@nodelib/fs.walk": {
-      "version": "1.2.8",
-      "resolved": "https://registry.npmjs.org/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz",
-      "integrity": "sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==",
-      "dev": true,
-      "dependencies": {
-        "@nodelib/fs.scandir": "2.1.5",
-        "fastq": "^1.6.0"
-      },
-      "engines": {
-        "node": ">= 8"
-      }
-    },
-    "node_modules/@sapphire/async-queue": {
-      "version": "1.5.0",
-      "resolved": "https://registry.npmjs.org/@sapphire/async-queue/-/async-queue-1.5.0.tgz",
-      "integrity": "sha512-JkLdIsP8fPAdh9ZZjrbHWR/+mZj0wvKS5ICibcLrRI1j84UmLMshx5n9QmL8b95d4onJ2xxiyugTgSAX7AalmA==",
-      "dev": true,
-      "engines": {
-        "node": ">=v14.0.0",
-        "npm": ">=7.0.0"
-      }
-    },
-    "node_modules/@sapphire/shapeshift": {
-      "version": "3.6.0",
-      "resolved": "https://registry.npmjs.org/@sapphire/shapeshift/-/shapeshift-3.6.0.tgz",
-      "integrity": "sha512-tu2WLRdo5wotHRvsCkspg3qMiP6ETC3Q1dns1Q5V6zKUki+1itq6AbhMwohF9ZcLoYqg+Y8LkgRRtVxxTQVTBQ==",
-      "dev": true,
-      "dependencies": {
-        "fast-deep-equal": "^3.1.3",
-        "lodash.uniqwith": "^4.5.0"
-      },
-      "engines": {
-        "node": ">=v14.0.0",
-        "npm": ">=7.0.0"
-      }
-    },
-    "node_modules/@sapphire/snowflake": {
-      "version": "3.2.2",
-      "resolved": "https://registry.npmjs.org/@sapphire/snowflake/-/snowflake-3.2.2.tgz",
-      "integrity": "sha512-ula2O0kpSZtX9rKXNeQMrHwNd7E4jPDJYUXmEGTFdMRfyfMw+FPyh04oKMjAiDuOi64bYgVkOV3MjK+loImFhQ==",
-      "dev": true,
-      "engines": {
-        "node": ">=v14.0.0",
-        "npm": ">=7.0.0"
-      }
-    },
-    "node_modules/@sapphire/utilities": {
-      "version": "3.9.3",
-      "resolved": "https://registry.npmjs.org/@sapphire/utilities/-/utilities-3.9.3.tgz",
-      "integrity": "sha512-7+ZjfbmRHqewmH32jpZfzrEuHpvTttTG7WjDl1GUtc4pkOMr0kYybrZmIEZYsUvF7PWzO0GrmOK2zWs3GuJo7g==",
-      "dev": true,
-      "engines": {
-        "node": ">=v14.0.0",
-        "npm": ">=7.0.0"
-      }
-    },
-    "node_modules/@tokenizer/token": {
-      "version": "0.3.0",
-      "resolved": "https://registry.npmjs.org/@tokenizer/token/-/token-0.3.0.tgz",
-      "integrity": "sha512-OvjF+z51L3ov0OyAU0duzsYuvO01PH7x4t6DJx+guahgTnBHkhJdG7soQeTSFLWN3efnHyibZ4Z8l2EuWwJN3A==",
-      "dev": true
-    },
-    "node_modules/@tsconfig/node10": {
-      "version": "1.0.9",
-      "resolved": "https://registry.npmjs.org/@tsconfig/node10/-/node10-1.0.9.tgz",
-      "integrity": "sha512-jNsYVVxU8v5g43Erja32laIDHXeoNvFEpX33OK4d6hljo3jDhCBDhx5dhCCTMWUojscpAagGiRkBKxpdl9fxqA==",
-      "dev": true
-    },
-    "node_modules/@tsconfig/node12": {
-      "version": "1.0.11",
-      "resolved": "https://registry.npmjs.org/@tsconfig/node12/-/node12-1.0.11.tgz",
-      "integrity": "sha512-cqefuRsh12pWyGsIoBKJA9luFu3mRxCA+ORZvA4ktLSzIuCUtWVxGIuXigEwO5/ywWFMZ2QEGKWvkZG1zDMTag==",
-      "dev": true
-    },
-    "node_modules/@tsconfig/node14": {
-      "version": "1.0.3",
-      "resolved": "https://registry.npmjs.org/@tsconfig/node14/-/node14-1.0.3.tgz",
-      "integrity": "sha512-ysT8mhdixWK6Hw3i1V2AeRqZ5WfXg1G43mqoYlM2nc6388Fq5jcXyr5mRsqViLx/GJYdoL0bfXD8nmF+Zn/Iow==",
-      "dev": true
-    },
-    "node_modules/@tsconfig/node16": {
-      "version": "1.0.3",
-      "resolved": "https://registry.npmjs.org/@tsconfig/node16/-/node16-1.0.3.tgz",
-      "integrity": "sha512-yOlFc+7UtL/89t2ZhjPvvB/DeAr3r+Dq58IgzsFkOAvVC6NMJXmCGjbptdXdR9qsX7pKcTL+s87FtYREi2dEEQ==",
-      "dev": true
-    },
-    "node_modules/@types/json-schema": {
-      "version": "7.0.11",
-      "resolved": "https://registry.npmjs.org/@types/json-schema/-/json-schema-7.0.11.tgz",
-      "integrity": "sha512-wOuvG1SN4Us4rez+tylwwwCV1psiNVOkJeM3AUWUNWg/jDQY2+HE/444y5gc+jBmRqASOm2Oeh5c1axHobwRKQ==",
-      "dev": true
-    },
-    "node_modules/@types/node": {
-      "version": "18.7.16",
-      "resolved": "https://registry.npmjs.org/@types/node/-/node-18.7.16.tgz",
-      "integrity": "sha512-EQHhixfu+mkqHMZl1R2Ovuvn47PUw18azMJOTwSZr9/fhzHNGXAJ0ma0dayRVchprpCj0Kc1K1xKoWaATWF1qg=="
-    },
-    "node_modules/@types/ws": {
-      "version": "8.5.3",
-      "resolved": "https://registry.npmjs.org/@types/ws/-/ws-8.5.3.tgz",
-      "integrity": "sha512-6YOoWjruKj1uLf3INHH7D3qTXwFfEsg1kf3c0uDdSBJwfa/llkwIjrAGV7j7mVgGNbzTQ3HiHKKDXl6bJPD97w==",
-      "dependencies": {
-        "@types/node": "*"
-      }
-    },
-    "node_modules/@typescript-eslint/eslint-plugin": {
-      "version": "5.36.2",
-      "resolved": "https://registry.npmjs.org/@typescript-eslint/eslint-plugin/-/eslint-plugin-5.36.2.tgz",
-      "integrity": "sha512-OwwR8LRwSnI98tdc2z7mJYgY60gf7I9ZfGjN5EjCwwns9bdTuQfAXcsjSB2wSQ/TVNYSGKf4kzVXbNGaZvwiXw==",
-      "dev": true,
-      "dependencies": {
-        "@typescript-eslint/scope-manager": "5.36.2",
-        "@typescript-eslint/type-utils": "5.36.2",
-        "@typescript-eslint/utils": "5.36.2",
-        "debug": "^4.3.4",
-        "functional-red-black-tree": "^1.0.1",
-        "ignore": "^5.2.0",
-        "regexpp": "^3.2.0",
-        "semver": "^7.3.7",
-        "tsutils": "^3.21.0"
-      },
-      "engines": {
-        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
-      },
-      "funding": {
-        "type": "opencollective",
-        "url": "https://opencollective.com/typescript-eslint"
-      },
-      "peerDependencies": {
-        "@typescript-eslint/parser": "^5.0.0",
-        "eslint": "^6.0.0 || ^7.0.0 || ^8.0.0"
-      },
-      "peerDependenciesMeta": {
-        "typescript": {
-          "optional": true
-        }
-      }
-    },
-    "node_modules/@typescript-eslint/parser": {
-      "version": "5.36.2",
-      "resolved": "https://registry.npmjs.org/@typescript-eslint/parser/-/parser-5.36.2.tgz",
-      "integrity": "sha512-qS/Kb0yzy8sR0idFspI9Z6+t7mqk/oRjnAYfewG+VN73opAUvmYL3oPIMmgOX6CnQS6gmVIXGshlb5RY/R22pA==",
-      "dev": true,
-      "dependencies": {
-        "@typescript-eslint/scope-manager": "5.36.2",
-        "@typescript-eslint/types": "5.36.2",
-        "@typescript-eslint/typescript-estree": "5.36.2",
-        "debug": "^4.3.4"
-      },
-      "engines": {
-        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
-      },
-      "funding": {
-        "type": "opencollective",
-        "url": "https://opencollective.com/typescript-eslint"
-      },
-      "peerDependencies": {
-        "eslint": "^6.0.0 || ^7.0.0 || ^8.0.0"
-      },
-      "peerDependenciesMeta": {
-        "typescript": {
-          "optional": true
-        }
-      }
-    },
-    "node_modules/@typescript-eslint/scope-manager": {
-      "version": "5.36.2",
-      "resolved": "https://registry.npmjs.org/@typescript-eslint/scope-manager/-/scope-manager-5.36.2.tgz",
-      "integrity": "sha512-cNNP51L8SkIFSfce8B1NSUBTJTu2Ts4nWeWbFrdaqjmn9yKrAaJUBHkyTZc0cL06OFHpb+JZq5AUHROS398Orw==",
-      "dev": true,
-      "dependencies": {
-        "@typescript-eslint/types": "5.36.2",
-        "@typescript-eslint/visitor-keys": "5.36.2"
-      },
-      "engines": {
-        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
-      },
-      "funding": {
-        "type": "opencollective",
-        "url": "https://opencollective.com/typescript-eslint"
-      }
-    },
-    "node_modules/@typescript-eslint/type-utils": {
-      "version": "5.36.2",
-      "resolved": "https://registry.npmjs.org/@typescript-eslint/type-utils/-/type-utils-5.36.2.tgz",
-      "integrity": "sha512-rPQtS5rfijUWLouhy6UmyNquKDPhQjKsaKH0WnY6hl/07lasj8gPaH2UD8xWkePn6SC+jW2i9c2DZVDnL+Dokw==",
-      "dev": true,
-      "dependencies": {
-        "@typescript-eslint/typescript-estree": "5.36.2",
-        "@typescript-eslint/utils": "5.36.2",
-        "debug": "^4.3.4",
-        "tsutils": "^3.21.0"
-      },
-      "engines": {
-        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
-      },
-      "funding": {
-        "type": "opencollective",
-        "url": "https://opencollective.com/typescript-eslint"
-      },
-      "peerDependencies": {
-        "eslint": "*"
-      },
-      "peerDependenciesMeta": {
-        "typescript": {
-          "optional": true
-        }
-      }
-    },
-    "node_modules/@typescript-eslint/types": {
-      "version": "5.36.2",
-      "resolved": "https://registry.npmjs.org/@typescript-eslint/types/-/types-5.36.2.tgz",
-      "integrity": "sha512-9OJSvvwuF1L5eS2EQgFUbECb99F0mwq501w0H0EkYULkhFa19Qq7WFbycdw1PexAc929asupbZcgjVIe6OK/XQ==",
-      "dev": true,
-      "engines": {
-        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
-      },
-      "funding": {
-        "type": "opencollective",
-        "url": "https://opencollective.com/typescript-eslint"
-      }
-    },
-    "node_modules/@typescript-eslint/typescript-estree": {
-      "version": "5.36.2",
-      "resolved": "https://registry.npmjs.org/@typescript-eslint/typescript-estree/-/typescript-estree-5.36.2.tgz",
-      "integrity": "sha512-8fyH+RfbKc0mTspfuEjlfqA4YywcwQK2Amcf6TDOwaRLg7Vwdu4bZzyvBZp4bjt1RRjQ5MDnOZahxMrt2l5v9w==",
-      "dev": true,
-      "dependencies": {
-        "@typescript-eslint/types": "5.36.2",
-        "@typescript-eslint/visitor-keys": "5.36.2",
-        "debug": "^4.3.4",
-        "globby": "^11.1.0",
-        "is-glob": "^4.0.3",
-        "semver": "^7.3.7",
-        "tsutils": "^3.21.0"
-      },
-      "engines": {
-        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
-      },
-      "funding": {
-        "type": "opencollective",
-        "url": "https://opencollective.com/typescript-eslint"
-      },
-      "peerDependenciesMeta": {
-        "typescript": {
-          "optional": true
-        }
-      }
-    },
-    "node_modules/@typescript-eslint/utils": {
-      "version": "5.36.2",
-      "resolved": "https://registry.npmjs.org/@typescript-eslint/utils/-/utils-5.36.2.tgz",
-      "integrity": "sha512-uNcopWonEITX96v9pefk9DC1bWMdkweeSsewJ6GeC7L6j2t0SJywisgkr9wUTtXk90fi2Eljj90HSHm3OGdGRg==",
-      "dev": true,
-      "dependencies": {
-        "@types/json-schema": "^7.0.9",
-        "@typescript-eslint/scope-manager": "5.36.2",
-        "@typescript-eslint/types": "5.36.2",
-        "@typescript-eslint/typescript-estree": "5.36.2",
-        "eslint-scope": "^5.1.1",
-        "eslint-utils": "^3.0.0"
-      },
-      "engines": {
-        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
-      },
-      "funding": {
-        "type": "opencollective",
-        "url": "https://opencollective.com/typescript-eslint"
-      },
-      "peerDependencies": {
-        "eslint": "^6.0.0 || ^7.0.0 || ^8.0.0"
-      }
-    },
-    "node_modules/@typescript-eslint/visitor-keys": {
-      "version": "5.36.2",
-      "resolved": "https://registry.npmjs.org/@typescript-eslint/visitor-keys/-/visitor-keys-5.36.2.tgz",
-      "integrity": "sha512-BtRvSR6dEdrNt7Net2/XDjbYKU5Ml6GqJgVfXT0CxTCJlnIqK7rAGreuWKMT2t8cFUT2Msv5oxw0GMRD7T5J7A==",
-      "dev": true,
-      "dependencies": {
-        "@typescript-eslint/types": "5.36.2",
-        "eslint-visitor-keys": "^3.3.0"
-      },
-      "engines": {
-        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
-      },
-      "funding": {
-        "type": "opencollective",
-        "url": "https://opencollective.com/typescript-eslint"
-      }
-    },
-    "node_modules/acorn": {
-      "version": "8.8.0",
-      "resolved": "https://registry.npmjs.org/acorn/-/acorn-8.8.0.tgz",
-      "integrity": "sha512-QOxyigPVrpZ2GXT+PFyZTl6TtOFc5egxHIP9IlQ+RbupQuX4RkT/Bee4/kQuC02Xkzg84JcT7oLYtDIQxp+v7w==",
-      "dev": true,
-      "bin": {
-        "acorn": "bin/acorn"
-      },
-      "engines": {
-        "node": ">=0.4.0"
-      }
-    },
-    "node_modules/acorn-jsx": {
-      "version": "5.3.2",
-      "resolved": "https://registry.npmjs.org/acorn-jsx/-/acorn-jsx-5.3.2.tgz",
-      "integrity": "sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==",
-      "dev": true,
-      "peerDependencies": {
-        "acorn": "^6.0.0 || ^7.0.0 || ^8.0.0"
-      }
-    },
-    "node_modules/acorn-walk": {
-      "version": "8.2.0",
-      "resolved": "https://registry.npmjs.org/acorn-walk/-/acorn-walk-8.2.0.tgz",
-      "integrity": "sha512-k+iyHEuPgSw6SbuDpGQM+06HQUa04DZ3o+F6CSzXMvvI5KMvnaEqXe+YVe555R9nn6GPt404fos4wcgpw12SDA==",
-      "dev": true,
-      "engines": {
-        "node": ">=0.4.0"
-      }
-    },
-    "node_modules/ajv": {
-      "version": "6.12.6",
-      "resolved": "https://registry.npmjs.org/ajv/-/ajv-6.12.6.tgz",
-      "integrity": "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==",
-      "dev": true,
-      "dependencies": {
-        "fast-deep-equal": "^3.1.1",
-        "fast-json-stable-stringify": "^2.0.0",
-        "json-schema-traverse": "^0.4.1",
-        "uri-js": "^4.2.2"
-      },
-      "funding": {
-        "type": "github",
-        "url": "https://github.com/sponsors/epoberezkin"
-      }
-    },
-    "node_modules/ansi-regex": {
-      "version": "5.0.1",
-      "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz",
-      "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==",
-      "dev": true,
-      "engines": {
-        "node": ">=8"
-      }
-    },
-    "node_modules/ansi-styles": {
-      "version": "4.3.0",
-      "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz",
-      "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==",
-      "dev": true,
-      "dependencies": {
-        "color-convert": "^2.0.1"
-      },
-      "engines": {
-        "node": ">=8"
-      },
-      "funding": {
-        "url": "https://github.com/chalk/ansi-styles?sponsor=1"
-      }
-    },
-    "node_modules/arg": {
-      "version": "4.1.3",
-      "resolved": "https://registry.npmjs.org/arg/-/arg-4.1.3.tgz",
-      "integrity": "sha512-58S9QDqG0Xx27YwPSt9fJxivjYl432YCwfDMfZ+71RAqUrZef7LrKQZ3LHLOwCS4FLNBplP533Zx895SeOCHvA==",
-      "dev": true
-    },
-    "node_modules/argparse": {
-      "version": "2.0.1",
-      "resolved": "https://registry.npmjs.org/argparse/-/argparse-2.0.1.tgz",
-      "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==",
-      "dev": true
-    },
-    "node_modules/array-union": {
-      "version": "2.1.0",
-      "resolved": "https://registry.npmjs.org/array-union/-/array-union-2.1.0.tgz",
-      "integrity": "sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw==",
-      "dev": true,
-      "engines": {
-        "node": ">=8"
-      }
-    },
-    "node_modules/assert": {
-      "version": "1.5.0",
-      "resolved": "https://registry.npmjs.org/assert/-/assert-1.5.0.tgz",
-      "integrity": "sha512-EDsgawzwoun2CZkCgtxJbv392v4nbk9XDD06zI+kQYoBM/3RBWLlEyJARDOmhAAosBjWACEkKL6S+lIZtcAubA==",
-      "dev": true,
-      "dependencies": {
-        "object-assign": "^4.1.1",
-        "util": "0.10.3"
-      }
-    },
-    "node_modules/balanced-match": {
-      "version": "1.0.2",
-      "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz",
-      "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==",
-      "dev": true
-    },
-    "node_modules/brace-expansion": {
-      "version": "1.1.11",
-      "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz",
-      "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==",
-      "dev": true,
-      "dependencies": {
-        "balanced-match": "^1.0.0",
-        "concat-map": "0.0.1"
-      }
-    },
-    "node_modules/braces": {
-      "version": "3.0.2",
-      "resolved": "https://registry.npmjs.org/braces/-/braces-3.0.2.tgz",
-      "integrity": "sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==",
-      "dev": true,
-      "dependencies": {
-        "fill-range": "^7.0.1"
-      },
-      "engines": {
-        "node": ">=8"
-      }
-    },
-    "node_modules/callsites": {
-      "version": "3.1.0",
-      "resolved": "https://registry.npmjs.org/callsites/-/callsites-3.1.0.tgz",
-      "integrity": "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==",
-      "dev": true,
-      "engines": {
-        "node": ">=6"
-      }
-    },
-    "node_modules/chalk": {
-      "version": "4.1.2",
-      "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.2.tgz",
-      "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==",
-      "dev": true,
-      "dependencies": {
-        "ansi-styles": "^4.1.0",
-        "supports-color": "^7.1.0"
-      },
-      "engines": {
-        "node": ">=10"
-      },
-      "funding": {
-        "url": "https://github.com/chalk/chalk?sponsor=1"
-      }
-    },
-    "node_modules/color-convert": {
-      "version": "2.0.1",
-      "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz",
-      "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==",
-      "dev": true,
-      "dependencies": {
-        "color-name": "~1.1.4"
-      },
-      "engines": {
-        "node": ">=7.0.0"
-      }
-    },
-    "node_modules/color-name": {
-      "version": "1.1.4",
-      "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz",
-      "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==",
-      "dev": true
-    },
-    "node_modules/colorette": {
-      "version": "2.0.19",
-      "resolved": "https://registry.npmjs.org/colorette/-/colorette-2.0.19.tgz",
-      "integrity": "sha512-3tlv/dIP7FWvj3BsbHrGLJ6l/oKh1O3TcgBqMn+yyCagOxc23fyzDS6HypQbgxWbkpDnf52p1LuR4eWDQ/K9WQ==",
-      "dev": true
-    },
-    "node_modules/commander": {
-      "version": "9.4.0",
-      "resolved": "https://registry.npmjs.org/commander/-/commander-9.4.0.tgz",
-      "integrity": "sha512-sRPT+umqkz90UA8M1yqYfnHlZA7fF6nSphDtxeywPZ49ysjxDQybzk13CL+mXekDRG92skbcqCLVovuCusNmFw==",
-      "dev": true,
-      "engines": {
-        "node": "^12.20.0 || >=14"
-      }
-    },
-    "node_modules/concat-map": {
-      "version": "0.0.1",
-      "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz",
-      "integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==",
-      "dev": true
-    },
-    "node_modules/create-require": {
-      "version": "1.1.1",
-      "resolved": "https://registry.npmjs.org/create-require/-/create-require-1.1.1.tgz",
-      "integrity": "sha512-dcKFX3jn0MpIaXjisoRvexIJVEKzaq7z2rZKxf+MSr9TkdmHmsU4m2lcLojrj/FHl8mk5VxMmYA+ftRkP/3oKQ==",
-      "dev": true
-    },
-    "node_modules/cross-spawn": {
-      "version": "7.0.3",
-      "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.3.tgz",
-      "integrity": "sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==",
-      "dev": true,
-      "dependencies": {
-        "path-key": "^3.1.0",
-        "shebang-command": "^2.0.0",
-        "which": "^2.0.1"
-      },
-      "engines": {
-        "node": ">= 8"
-      }
-    },
-    "node_modules/debug": {
-      "version": "4.3.4",
-      "resolved": "https://registry.npmjs.org/debug/-/debug-4.3.4.tgz",
-      "integrity": "sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==",
-      "dev": true,
-      "dependencies": {
-        "ms": "2.1.2"
-      },
-      "engines": {
-        "node": ">=6.0"
-      },
-      "peerDependenciesMeta": {
-        "supports-color": {
-          "optional": true
-        }
-      }
-    },
-    "node_modules/deep-is": {
-      "version": "0.1.4",
-      "resolved": "https://registry.npmjs.org/deep-is/-/deep-is-0.1.4.tgz",
-      "integrity": "sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==",
-      "dev": true
-    },
-    "node_modules/diff": {
-      "version": "4.0.2",
-      "resolved": "https://registry.npmjs.org/diff/-/diff-4.0.2.tgz",
-      "integrity": "sha512-58lmxKSA4BNyLz+HHMUzlOEpg09FV+ev6ZMe3vJihgdxzgcwZ8VoEEPmALCZG9LmqfVoNMMKpttIYTVG6uDY7A==",
-      "dev": true,
-      "engines": {
-        "node": ">=0.3.1"
-      }
-    },
-    "node_modules/dir-glob": {
-      "version": "3.0.1",
-      "resolved": "https://registry.npmjs.org/dir-glob/-/dir-glob-3.0.1.tgz",
-      "integrity": "sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA==",
-      "dev": true,
-      "dependencies": {
-        "path-type": "^4.0.0"
-      },
-      "engines": {
-        "node": ">=8"
-      }
-    },
-    "node_modules/discord-api-types": {
-      "version": "0.37.8",
-      "resolved": "https://registry.npmjs.org/discord-api-types/-/discord-api-types-0.37.8.tgz",
-      "integrity": "sha512-uhol9KQ2moExZItMpuDMkf0R7sqqNHqcJBFN7S5iSdXBVCMRO7sC0GoyuRrv6ZDBYxoFU6nDy4dv0nld/aysqA==",
-      "dev": true
-    },
-    "node_modules/discord.js": {
-      "version": "14.3.0",
-      "resolved": "https://registry.npmjs.org/discord.js/-/discord.js-14.3.0.tgz",
-      "integrity": "sha512-CpIwoAAuELiHSgVKRMzsCADS6ZlJwAZ9RlvcJYdEgS00aW36dSvXyBgE+S3pigkc7G+jU6BEalMUWIJFveqrBQ==",
-      "dev": true,
-      "dependencies": {
-        "@discordjs/builders": "^1.2.0",
-        "@discordjs/collection": "^1.1.0",
-        "@discordjs/rest": "^1.1.0",
-        "@sapphire/snowflake": "^3.2.2",
-        "@types/ws": "^8.5.3",
-        "discord-api-types": "^0.37.3",
-        "fast-deep-equal": "^3.1.3",
-        "lodash.snakecase": "^4.1.1",
-        "tslib": "^2.4.0",
-        "undici": "^5.9.1",
-        "ws": "^8.8.1"
-      },
-      "engines": {
-        "node": ">=16.9.0"
-      }
-    },
-    "node_modules/doctrine": {
-      "version": "3.0.0",
-      "resolved": "https://registry.npmjs.org/doctrine/-/doctrine-3.0.0.tgz",
-      "integrity": "sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==",
-      "dev": true,
-      "dependencies": {
-        "esutils": "^2.0.2"
-      },
-      "engines": {
-        "node": ">=6.0.0"
-      }
-    },
-    "node_modules/escape-string-regexp": {
-      "version": "4.0.0",
-      "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz",
-      "integrity": "sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==",
-      "dev": true,
-      "engines": {
-        "node": ">=10"
-      },
-      "funding": {
-        "url": "https://github.com/sponsors/sindresorhus"
-      }
-    },
-    "node_modules/eslint": {
-      "version": "8.23.0",
-      "resolved": "https://registry.npmjs.org/eslint/-/eslint-8.23.0.tgz",
-      "integrity": "sha512-pBG/XOn0MsJcKcTRLr27S5HpzQo4kLr+HjLQIyK4EiCsijDl/TB+h5uEuJU6bQ8Edvwz1XWOjpaP2qgnXGpTcA==",
-      "dev": true,
-      "dependencies": {
-        "@eslint/eslintrc": "^1.3.1",
-        "@humanwhocodes/config-array": "^0.10.4",
-        "@humanwhocodes/gitignore-to-minimatch": "^1.0.2",
-        "@humanwhocodes/module-importer": "^1.0.1",
-        "ajv": "^6.10.0",
-        "chalk": "^4.0.0",
-        "cross-spawn": "^7.0.2",
-        "debug": "^4.3.2",
-        "doctrine": "^3.0.0",
-        "escape-string-regexp": "^4.0.0",
-        "eslint-scope": "^7.1.1",
-        "eslint-utils": "^3.0.0",
-        "eslint-visitor-keys": "^3.3.0",
-        "espree": "^9.4.0",
-        "esquery": "^1.4.0",
-        "esutils": "^2.0.2",
-        "fast-deep-equal": "^3.1.3",
-        "file-entry-cache": "^6.0.1",
-        "find-up": "^5.0.0",
-        "functional-red-black-tree": "^1.0.1",
-        "glob-parent": "^6.0.1",
-        "globals": "^13.15.0",
-        "globby": "^11.1.0",
-        "grapheme-splitter": "^1.0.4",
-        "ignore": "^5.2.0",
-        "import-fresh": "^3.0.0",
-        "imurmurhash": "^0.1.4",
-        "is-glob": "^4.0.0",
-        "js-yaml": "^4.1.0",
-        "json-stable-stringify-without-jsonify": "^1.0.1",
-        "levn": "^0.4.1",
-        "lodash.merge": "^4.6.2",
-        "minimatch": "^3.1.2",
-        "natural-compare": "^1.4.0",
-        "optionator": "^0.9.1",
-        "regexpp": "^3.2.0",
-        "strip-ansi": "^6.0.1",
-        "strip-json-comments": "^3.1.0",
-        "text-table": "^0.2.0"
-      },
-      "bin": {
-        "eslint": "bin/eslint.js"
-      },
-      "engines": {
-        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
-      },
-      "funding": {
-        "url": "https://opencollective.com/eslint"
-      }
-    },
-    "node_modules/eslint-scope": {
-      "version": "5.1.1",
-      "resolved": "https://registry.npmjs.org/eslint-scope/-/eslint-scope-5.1.1.tgz",
-      "integrity": "sha512-2NxwbF/hZ0KpepYN0cNbo+FN6XoK7GaHlQhgx/hIZl6Va0bF45RQOOwhLIy8lQDbuCiadSLCBnH2CFYquit5bw==",
-      "dev": true,
-      "dependencies": {
-        "esrecurse": "^4.3.0",
-        "estraverse": "^4.1.1"
-      },
-      "engines": {
-        "node": ">=8.0.0"
-      }
-    },
-    "node_modules/eslint-utils": {
-      "version": "3.0.0",
-      "resolved": "https://registry.npmjs.org/eslint-utils/-/eslint-utils-3.0.0.tgz",
-      "integrity": "sha512-uuQC43IGctw68pJA1RgbQS8/NP7rch6Cwd4j3ZBtgo4/8Flj4eGE7ZYSZRN3iq5pVUv6GPdW5Z1RFleo84uLDA==",
-      "dev": true,
-      "dependencies": {
-        "eslint-visitor-keys": "^2.0.0"
-      },
-      "engines": {
-        "node": "^10.0.0 || ^12.0.0 || >= 14.0.0"
-      },
-      "funding": {
-        "url": "https://github.com/sponsors/mysticatea"
-      },
-      "peerDependencies": {
-        "eslint": ">=5"
-      }
-    },
-    "node_modules/eslint-utils/node_modules/eslint-visitor-keys": {
-      "version": "2.1.0",
-      "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-2.1.0.tgz",
-      "integrity": "sha512-0rSmRBzXgDzIsD6mGdJgevzgezI534Cer5L/vyMX0kHzT/jiB43jRhd9YUlMGYLQy2zprNmoT8qasCGtY+QaKw==",
-      "dev": true,
-      "engines": {
-        "node": ">=10"
-      }
-    },
-    "node_modules/eslint-visitor-keys": {
-      "version": "3.3.0",
-      "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-3.3.0.tgz",
-      "integrity": "sha512-mQ+suqKJVyeuwGYHAdjMFqjCyfl8+Ldnxuyp3ldiMBFKkvytrXUZWaiPCEav8qDHKty44bD+qV1IP4T+w+xXRA==",
-      "dev": true,
-      "engines": {
-        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
-      }
-    },
-    "node_modules/eslint/node_modules/eslint-scope": {
-      "version": "7.1.1",
-      "resolved": "https://registry.npmjs.org/eslint-scope/-/eslint-scope-7.1.1.tgz",
-      "integrity": "sha512-QKQM/UXpIiHcLqJ5AOyIW7XZmzjkzQXYE54n1++wb0u9V/abW3l9uQnxX8Z5Xd18xyKIMTUAyQ0k1e8pz6LUrw==",
-      "dev": true,
-      "dependencies": {
-        "esrecurse": "^4.3.0",
-        "estraverse": "^5.2.0"
-      },
-      "engines": {
-        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
-      }
-    },
-    "node_modules/eslint/node_modules/estraverse": {
-      "version": "5.3.0",
-      "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz",
-      "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==",
-      "dev": true,
-      "engines": {
-        "node": ">=4.0"
-      }
-    },
-    "node_modules/espree": {
-      "version": "9.4.0",
-      "resolved": "https://registry.npmjs.org/espree/-/espree-9.4.0.tgz",
-      "integrity": "sha512-DQmnRpLj7f6TgN/NYb0MTzJXL+vJF9h3pHy4JhCIs3zwcgez8xmGg3sXHcEO97BrmO2OSvCwMdfdlyl+E9KjOw==",
-      "dev": true,
-      "dependencies": {
-        "acorn": "^8.8.0",
-        "acorn-jsx": "^5.3.2",
-        "eslint-visitor-keys": "^3.3.0"
-      },
-      "engines": {
-        "node": "^12.22.0 || ^14.17.0 || >=16.0.0"
-      },
-      "funding": {
-        "url": "https://opencollective.com/eslint"
-      }
-    },
-    "node_modules/esquery": {
-      "version": "1.4.0",
-      "resolved": "https://registry.npmjs.org/esquery/-/esquery-1.4.0.tgz",
-      "integrity": "sha512-cCDispWt5vHHtwMY2YrAQ4ibFkAL8RbH5YGBnZBc90MolvvfkkQcJro/aZiAQUlQ3qgrYS6D6v8Gc5G5CQsc9w==",
-      "dev": true,
-      "dependencies": {
-        "estraverse": "^5.1.0"
-      },
-      "engines": {
-        "node": ">=0.10"
-      }
-    },
-    "node_modules/esquery/node_modules/estraverse": {
-      "version": "5.3.0",
-      "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz",
-      "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==",
-      "dev": true,
-      "engines": {
-        "node": ">=4.0"
-      }
-    },
-    "node_modules/esrecurse": {
-      "version": "4.3.0",
-      "resolved": "https://registry.npmjs.org/esrecurse/-/esrecurse-4.3.0.tgz",
-      "integrity": "sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==",
-      "dev": true,
-      "dependencies": {
-        "estraverse": "^5.2.0"
-      },
-      "engines": {
-        "node": ">=4.0"
-      }
-    },
-    "node_modules/esrecurse/node_modules/estraverse": {
-      "version": "5.3.0",
-      "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz",
-      "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==",
-      "dev": true,
-      "engines": {
-        "node": ">=4.0"
-      }
-    },
-    "node_modules/estraverse": {
-      "version": "4.3.0",
-      "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-4.3.0.tgz",
-      "integrity": "sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==",
-      "dev": true,
-      "engines": {
-        "node": ">=4.0"
-      }
-    },
-    "node_modules/esutils": {
-      "version": "2.0.3",
-      "resolved": "https://registry.npmjs.org/esutils/-/esutils-2.0.3.tgz",
-      "integrity": "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==",
-      "dev": true,
-      "engines": {
-        "node": ">=0.10.0"
-      }
-    },
-    "node_modules/fast-deep-equal": {
-      "version": "3.1.3",
-      "resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz",
-      "integrity": "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==",
-      "dev": true
-    },
-    "node_modules/fast-glob": {
-      "version": "3.2.12",
-      "resolved": "https://registry.npmjs.org/fast-glob/-/fast-glob-3.2.12.tgz",
-      "integrity": "sha512-DVj4CQIYYow0BlaelwK1pHl5n5cRSJfM60UA0zK891sVInoPri2Ekj7+e1CT3/3qxXenpI+nBBmQAcJPJgaj4w==",
-      "dev": true,
-      "dependencies": {
-        "@nodelib/fs.stat": "^2.0.2",
-        "@nodelib/fs.walk": "^1.2.3",
-        "glob-parent": "^5.1.2",
-        "merge2": "^1.3.0",
-        "micromatch": "^4.0.4"
-      },
-      "engines": {
-        "node": ">=8.6.0"
-      }
-    },
-    "node_modules/fast-glob/node_modules/glob-parent": {
-      "version": "5.1.2",
-      "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz",
-      "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==",
-      "dev": true,
-      "dependencies": {
-        "is-glob": "^4.0.1"
-      },
-      "engines": {
-        "node": ">= 6"
-      }
-    },
-    "node_modules/fast-json-stable-stringify": {
-      "version": "2.1.0",
-      "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz",
-      "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==",
-      "dev": true
-    },
-    "node_modules/fast-levenshtein": {
-      "version": "2.0.6",
-      "resolved": "https://registry.npmjs.org/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz",
-      "integrity": "sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==",
-      "dev": true
-    },
-    "node_modules/fastq": {
-      "version": "1.13.0",
-      "resolved": "https://registry.npmjs.org/fastq/-/fastq-1.13.0.tgz",
-      "integrity": "sha512-YpkpUnK8od0o1hmeSc7UUs/eB/vIPWJYjKck2QKIzAf71Vm1AAQ3EbuZB3g2JIy+pg+ERD0vqI79KyZiB2e2Nw==",
-      "dev": true,
-      "dependencies": {
-        "reusify": "^1.0.4"
-      }
-    },
-    "node_modules/file-entry-cache": {
-      "version": "6.0.1",
-      "resolved": "https://registry.npmjs.org/file-entry-cache/-/file-entry-cache-6.0.1.tgz",
-      "integrity": "sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==",
-      "dev": true,
-      "dependencies": {
-        "flat-cache": "^3.0.4"
-      },
-      "engines": {
-        "node": "^10.12.0 || >=12.0.0"
-      }
-    },
-    "node_modules/file-type": {
-      "version": "17.1.6",
-      "resolved": "https://registry.npmjs.org/file-type/-/file-type-17.1.6.tgz",
-      "integrity": "sha512-hlDw5Ev+9e883s0pwUsuuYNu4tD7GgpUnOvykjv1Gya0ZIjuKumthDRua90VUn6/nlRKAjcxLUnHNTIUWwWIiw==",
-      "dev": true,
-      "dependencies": {
-        "readable-web-to-node-stream": "^3.0.2",
-        "strtok3": "^7.0.0-alpha.9",
-        "token-types": "^5.0.0-alpha.2"
-      },
-      "engines": {
-        "node": "^12.20.0 || ^14.13.1 || >=16.0.0"
-      },
-      "funding": {
-        "url": "https://github.com/sindresorhus/file-type?sponsor=1"
-      }
-    },
-    "node_modules/fill-range": {
-      "version": "7.0.1",
-      "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.0.1.tgz",
-      "integrity": "sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==",
-      "dev": true,
-      "dependencies": {
-        "to-regex-range": "^5.0.1"
-      },
-      "engines": {
-        "node": ">=8"
-      }
-    },
-    "node_modules/find-up": {
-      "version": "5.0.0",
-      "resolved": "https://registry.npmjs.org/find-up/-/find-up-5.0.0.tgz",
-      "integrity": "sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==",
-      "dev": true,
-      "dependencies": {
-        "locate-path": "^6.0.0",
-        "path-exists": "^4.0.0"
-      },
-      "engines": {
-        "node": ">=10"
-      },
-      "funding": {
-        "url": "https://github.com/sponsors/sindresorhus"
-      }
-    },
-    "node_modules/flat-cache": {
-      "version": "3.0.4",
-      "resolved": "https://registry.npmjs.org/flat-cache/-/flat-cache-3.0.4.tgz",
-      "integrity": "sha512-dm9s5Pw7Jc0GvMYbshN6zchCA9RgQlzzEZX3vylR9IqFfS8XciblUXOKfW6SiuJ0e13eDYZoZV5wdrev7P3Nwg==",
-      "dev": true,
-      "dependencies": {
-        "flatted": "^3.1.0",
-        "rimraf": "^3.0.2"
-      },
-      "engines": {
-        "node": "^10.12.0 || >=12.0.0"
-      }
-    },
-    "node_modules/flatted": {
-      "version": "3.2.7",
-      "resolved": "https://registry.npmjs.org/flatted/-/flatted-3.2.7.tgz",
-      "integrity": "sha512-5nqDSxl8nn5BSNxyR3n4I6eDmbolI6WT+QqR547RwxQapgjQBmtktdP+HTBb/a/zLsbzERTONyUB5pefh5TtjQ==",
-      "dev": true
-    },
-    "node_modules/fs.realpath": {
-      "version": "1.0.0",
-      "resolved": "https://registry.npmjs.org/fs.realpath/-/fs.realpath-1.0.0.tgz",
-      "integrity": "sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==",
-      "dev": true
-    },
-    "node_modules/fsevents": {
-      "version": "2.3.2",
-      "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.2.tgz",
-      "integrity": "sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA==",
-      "dev": true,
-      "hasInstallScript": true,
-      "optional": true,
-      "os": [
-        "darwin"
-      ],
-      "engines": {
-        "node": "^8.16.0 || ^10.6.0 || >=11.0.0"
-      }
-    },
-    "node_modules/functional-red-black-tree": {
-      "version": "1.0.1",
-      "resolved": "https://registry.npmjs.org/functional-red-black-tree/-/functional-red-black-tree-1.0.1.tgz",
-      "integrity": "sha512-dsKNQNdj6xA3T+QlADDA7mOSlX0qiMINjn0cgr+eGHGsbSHzTabcIogz2+p/iqP1Xs6EP/sS2SbqH+brGTbq0g==",
-      "dev": true
-    },
-    "node_modules/gen-esm-wrapper": {
-      "version": "1.1.3",
-      "resolved": "https://registry.npmjs.org/gen-esm-wrapper/-/gen-esm-wrapper-1.1.3.tgz",
-      "integrity": "sha512-LNHZ+QpaCW/0VhABIbXn45V+P8kFvjjwuue9hbV23eOjuFVz6c0FE3z1XpLX9pSjLW7UmtCkXo5F9vhZWVs8oQ==",
-      "dev": true,
-      "dependencies": {
-        "is-valid-identifier": "^2.0.2"
-      },
-      "bin": {
-        "gen-esm-wrapper": "gen-esm-wrapper.js"
-      }
-    },
-    "node_modules/glob": {
-      "version": "7.2.3",
-      "resolved": "https://registry.npmjs.org/glob/-/glob-7.2.3.tgz",
-      "integrity": "sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==",
-      "dev": true,
-      "dependencies": {
-        "fs.realpath": "^1.0.0",
-        "inflight": "^1.0.4",
-        "inherits": "2",
-        "minimatch": "^3.1.1",
-        "once": "^1.3.0",
-        "path-is-absolute": "^1.0.0"
-      },
-      "engines": {
-        "node": "*"
-      },
-      "funding": {
-        "url": "https://github.com/sponsors/isaacs"
-      }
-    },
-    "node_modules/glob-parent": {
-      "version": "6.0.2",
-      "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-6.0.2.tgz",
-      "integrity": "sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==",
-      "dev": true,
-      "dependencies": {
-        "is-glob": "^4.0.3"
-      },
-      "engines": {
-        "node": ">=10.13.0"
-      }
-    },
-    "node_modules/globals": {
-      "version": "13.17.0",
-      "resolved": "https://registry.npmjs.org/globals/-/globals-13.17.0.tgz",
-      "integrity": "sha512-1C+6nQRb1GwGMKm2dH/E7enFAMxGTmGI7/dEdhy/DNelv85w9B72t3uc5frtMNXIbzrarJJ/lTCjcaZwbLJmyw==",
-      "dev": true,
-      "dependencies": {
-        "type-fest": "^0.20.2"
-      },
-      "engines": {
-        "node": ">=8"
-      },
-      "funding": {
-        "url": "https://github.com/sponsors/sindresorhus"
-      }
-    },
-    "node_modules/globby": {
-      "version": "11.1.0",
-      "resolved": "https://registry.npmjs.org/globby/-/globby-11.1.0.tgz",
-      "integrity": "sha512-jhIXaOzy1sb8IyocaruWSn1TjmnBVs8Ayhcy83rmxNJ8q2uWKCAj3CnJY+KpGSXCueAPc0i05kVvVKtP1t9S3g==",
-      "dev": true,
-      "dependencies": {
-        "array-union": "^2.1.0",
-        "dir-glob": "^3.0.1",
-        "fast-glob": "^3.2.9",
-        "ignore": "^5.2.0",
-        "merge2": "^1.4.1",
-        "slash": "^3.0.0"
-      },
-      "engines": {
-        "node": ">=10"
-      },
-      "funding": {
-        "url": "https://github.com/sponsors/sindresorhus"
-      }
-    },
-    "node_modules/grapheme-splitter": {
-      "version": "1.0.4",
-      "resolved": "https://registry.npmjs.org/grapheme-splitter/-/grapheme-splitter-1.0.4.tgz",
-      "integrity": "sha512-bzh50DW9kTPM00T8y4o8vQg89Di9oLJVLW/KaOGIXJWP/iqCN6WKYkbNOF04vFLJhwcpYUh9ydh/+5vpOqV4YQ==",
-      "dev": true
-    },
-    "node_modules/has-flag": {
-      "version": "4.0.0",
-      "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz",
-      "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==",
-      "dev": true,
-      "engines": {
-        "node": ">=8"
-      }
-    },
-    "node_modules/himalaya": {
-      "version": "1.1.0",
-      "resolved": "https://registry.npmjs.org/himalaya/-/himalaya-1.1.0.tgz",
-      "integrity": "sha512-LLase1dHCRMel68/HZTFft0N0wti0epHr3nNY7ynpLbyZpmrKMQ8YIpiOV77TM97cNpC8Wb2n6f66IRggwdWPw=="
-    },
-    "node_modules/husky": {
-      "version": "8.0.1",
-      "resolved": "https://registry.npmjs.org/husky/-/husky-8.0.1.tgz",
-      "integrity": "sha512-xs7/chUH/CKdOCs7Zy0Aev9e/dKOMZf3K1Az1nar3tzlv0jfqnYtu235bstsWTmXOR0EfINrPa97yy4Lz6RiKw==",
-      "dev": true,
-      "bin": {
-        "husky": "lib/bin.js"
-      },
-      "engines": {
-        "node": ">=14"
-      },
-      "funding": {
-        "url": "https://github.com/sponsors/typicode"
-      }
-    },
-    "node_modules/ieee754": {
-      "version": "1.2.1",
-      "resolved": "https://registry.npmjs.org/ieee754/-/ieee754-1.2.1.tgz",
-      "integrity": "sha512-dcyqhDvX1C46lXZcVqCpK+FtMRQVdIMN6/Df5js2zouUsqG7I6sFxitIC+7KYK29KdXOLHdu9zL4sFnoVQnqaA==",
-      "dev": true,
-      "funding": [
-        {
-          "type": "github",
-          "url": "https://github.com/sponsors/feross"
-        },
-        {
-          "type": "patreon",
-          "url": "https://www.patreon.com/feross"
-        },
-        {
-          "type": "consulting",
-          "url": "https://feross.org/support"
-        }
-      ]
-    },
-    "node_modules/ignore": {
-      "version": "5.2.0",
-      "resolved": "https://registry.npmjs.org/ignore/-/ignore-5.2.0.tgz",
-      "integrity": "sha512-CmxgYGiEPCLhfLnpPp1MoRmifwEIOgjcHXxOBjv7mY96c+eWScsOP9c112ZyLdWHi0FxHjI+4uVhKYp/gcdRmQ==",
-      "dev": true,
-      "engines": {
-        "node": ">= 4"
-      }
-    },
-    "node_modules/import-fresh": {
-      "version": "3.3.0",
-      "resolved": "https://registry.npmjs.org/import-fresh/-/import-fresh-3.3.0.tgz",
-      "integrity": "sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==",
-      "dev": true,
-      "dependencies": {
-        "parent-module": "^1.0.0",
-        "resolve-from": "^4.0.0"
-      },
-      "engines": {
-        "node": ">=6"
-      },
-      "funding": {
-        "url": "https://github.com/sponsors/sindresorhus"
-      }
-    },
-    "node_modules/imurmurhash": {
-      "version": "0.1.4",
-      "resolved": "https://registry.npmjs.org/imurmurhash/-/imurmurhash-0.1.4.tgz",
-      "integrity": "sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==",
-      "dev": true,
-      "engines": {
-        "node": ">=0.8.19"
-      }
-    },
-    "node_modules/inflight": {
-      "version": "1.0.6",
-      "resolved": "https://registry.npmjs.org/inflight/-/inflight-1.0.6.tgz",
-      "integrity": "sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==",
-      "dev": true,
-      "dependencies": {
-        "once": "^1.3.0",
-        "wrappy": "1"
-      }
-    },
-    "node_modules/inherits": {
-      "version": "2.0.4",
-      "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz",
-      "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==",
-      "dev": true
-    },
-    "node_modules/is-extglob": {
-      "version": "2.1.1",
-      "resolved": "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz",
-      "integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==",
-      "dev": true,
-      "engines": {
-        "node": ">=0.10.0"
-      }
-    },
-    "node_modules/is-glob": {
-      "version": "4.0.3",
-      "resolved": "https://registry.npmjs.org/is-glob/-/is-glob-4.0.3.tgz",
-      "integrity": "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==",
-      "dev": true,
-      "dependencies": {
-        "is-extglob": "^2.1.1"
-      },
-      "engines": {
-        "node": ">=0.10.0"
-      }
-    },
-    "node_modules/is-number": {
-      "version": "7.0.0",
-      "resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz",
-      "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==",
-      "dev": true,
-      "engines": {
-        "node": ">=0.12.0"
-      }
-    },
-    "node_modules/is-valid-identifier": {
-      "version": "2.0.2",
-      "resolved": "https://registry.npmjs.org/is-valid-identifier/-/is-valid-identifier-2.0.2.tgz",
-      "integrity": "sha512-mpS5EGqXOwzXtKAg6I44jIAqeBfntFLxpAth1rrKbxtKyI6LPktyDYpHBI+tHlduhhX/SF26mFXmxQu995QVqg==",
-      "dev": true,
-      "dependencies": {
-        "assert": "^1.4.1"
-      }
-    },
-    "node_modules/isexe": {
-      "version": "2.0.0",
-      "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz",
-      "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==",
-      "dev": true
-    },
-    "node_modules/js-tokens": {
-      "version": "4.0.0",
-      "resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz",
-      "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==",
-      "dev": true,
-      "optional": true
-    },
-    "node_modules/js-yaml": {
-      "version": "4.1.0",
-      "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-4.1.0.tgz",
-      "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==",
-      "dev": true,
-      "dependencies": {
-        "argparse": "^2.0.1"
-      },
-      "bin": {
-        "js-yaml": "bin/js-yaml.js"
-      }
-    },
-    "node_modules/json-schema-traverse": {
-      "version": "0.4.1",
-      "resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz",
-      "integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==",
-      "dev": true
-    },
-    "node_modules/json-stable-stringify-without-jsonify": {
-      "version": "1.0.1",
-      "resolved": "https://registry.npmjs.org/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz",
-      "integrity": "sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==",
-      "dev": true
-    },
-    "node_modules/jsonc-parser": {
-      "version": "3.2.0",
-      "resolved": "https://registry.npmjs.org/jsonc-parser/-/jsonc-parser-3.2.0.tgz",
-      "integrity": "sha512-gfFQZrcTc8CnKXp6Y4/CBT3fTc0OVuDofpre4aEeEpSBPV5X5v4+Vmx+8snU7RLPrNHPKSgLxGo9YuQzz20o+w==",
-      "dev": true
-    },
-    "node_modules/levn": {
-      "version": "0.4.1",
-      "resolved": "https://registry.npmjs.org/levn/-/levn-0.4.1.tgz",
-      "integrity": "sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==",
-      "dev": true,
-      "dependencies": {
-        "prelude-ls": "^1.2.1",
-        "type-check": "~0.4.0"
-      },
-      "engines": {
-        "node": ">= 0.8.0"
-      }
-    },
-    "node_modules/libsodium": {
-      "version": "0.7.10",
-      "resolved": "https://registry.npmjs.org/libsodium/-/libsodium-0.7.10.tgz",
-      "integrity": "sha512-eY+z7hDrDKxkAK+QKZVNv92A5KYkxfvIshtBJkmg5TSiCnYqZP3i9OO9whE79Pwgm4jGaoHgkM4ao/b9Cyu4zQ=="
-    },
-    "node_modules/libsodium-wrappers": {
-      "version": "0.7.10",
-      "resolved": "https://registry.npmjs.org/libsodium-wrappers/-/libsodium-wrappers-0.7.10.tgz",
-      "integrity": "sha512-pO3F1Q9NPLB/MWIhehim42b/Fwb30JNScCNh8TcQ/kIc+qGLQch8ag8wb0keK3EP5kbGakk1H8Wwo7v+36rNQg==",
-      "dependencies": {
-        "libsodium": "^0.7.0"
-      }
-    },
-    "node_modules/locate-path": {
-      "version": "6.0.0",
-      "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-6.0.0.tgz",
-      "integrity": "sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==",
-      "dev": true,
-      "dependencies": {
-        "p-locate": "^5.0.0"
-      },
-      "engines": {
-        "node": ">=10"
-      },
-      "funding": {
-        "url": "https://github.com/sponsors/sindresorhus"
-      }
-    },
-    "node_modules/lodash.merge": {
-      "version": "4.6.2",
-      "resolved": "https://registry.npmjs.org/lodash.merge/-/lodash.merge-4.6.2.tgz",
-      "integrity": "sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==",
-      "dev": true
-    },
-    "node_modules/lodash.snakecase": {
-      "version": "4.1.1",
-      "resolved": "https://registry.npmjs.org/lodash.snakecase/-/lodash.snakecase-4.1.1.tgz",
-      "integrity": "sha512-QZ1d4xoBHYUeuouhEq3lk3Uq7ldgyFXGBhg04+oRLnIz8o9T65Eh+8YdroUwn846zchkA9yDsDl5CVVaV2nqYw==",
-      "dev": true
-    },
-    "node_modules/lodash.uniqwith": {
-      "version": "4.5.0",
-      "resolved": "https://registry.npmjs.org/lodash.uniqwith/-/lodash.uniqwith-4.5.0.tgz",
-      "integrity": "sha512-7lYL8bLopMoy4CTICbxygAUq6CdRJ36vFc80DucPueUee+d5NBRxz3FdT9Pes/HEx5mPoT9jwnsEJWz1N7uq7Q==",
-      "dev": true
-    },
-    "node_modules/lru-cache": {
-      "version": "6.0.0",
-      "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-6.0.0.tgz",
-      "integrity": "sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==",
-      "dev": true,
-      "dependencies": {
-        "yallist": "^4.0.0"
-      },
-      "engines": {
-        "node": ">=10"
-      }
-    },
-    "node_modules/lunr": {
-      "version": "2.3.9",
-      "resolved": "https://registry.npmjs.org/lunr/-/lunr-2.3.9.tgz",
-      "integrity": "sha512-zTU3DaZaF3Rt9rhN3uBMGQD3dD2/vFQqnvZCDv4dl5iOzq2IZQqTxu90r4E5J+nP70J3ilqVCrbho2eWaeW8Ow==",
-      "dev": true
-    },
-    "node_modules/magic-string": {
-      "version": "0.26.3",
-      "resolved": "https://registry.npmjs.org/magic-string/-/magic-string-0.26.3.tgz",
-      "integrity": "sha512-u1Po0NDyFcwdg2nzHT88wSK0+Rih0N1M+Ph1Sp08k8yvFFU3KR72wryS7e1qMPJypt99WB7fIFVCA92mQrMjrg==",
-      "dev": true,
-      "dependencies": {
-        "sourcemap-codec": "^1.4.8"
-      },
-      "engines": {
-        "node": ">=12"
-      }
-    },
-    "node_modules/make-error": {
-      "version": "1.3.6",
-      "resolved": "https://registry.npmjs.org/make-error/-/make-error-1.3.6.tgz",
-      "integrity": "sha512-s8UhlNe7vPKomQhC1qFelMokr/Sc3AgNbso3n74mVPA5LTZwkB9NlXf4XPamLxJE8h0gh73rM94xvwRT2CVInw==",
-      "dev": true
-    },
-    "node_modules/marked": {
-      "version": "4.1.0",
-      "resolved": "https://registry.npmjs.org/marked/-/marked-4.1.0.tgz",
-      "integrity": "sha512-+Z6KDjSPa6/723PQYyc1axYZpYYpDnECDaU6hkaf5gqBieBkMKYReL5hteF2QizhlMbgbo8umXl/clZ67+GlsA==",
-      "dev": true,
-      "bin": {
-        "marked": "bin/marked.js"
-      },
-      "engines": {
-        "node": ">= 12"
-      }
-    },
-    "node_modules/merge2": {
-      "version": "1.4.1",
-      "resolved": "https://registry.npmjs.org/merge2/-/merge2-1.4.1.tgz",
-      "integrity": "sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==",
-      "dev": true,
-      "engines": {
-        "node": ">= 8"
-      }
-    },
-    "node_modules/micromatch": {
-      "version": "4.0.5",
-      "resolved": "https://registry.npmjs.org/micromatch/-/micromatch-4.0.5.tgz",
-      "integrity": "sha512-DMy+ERcEW2q8Z2Po+WNXuw3c5YaUSFjAO5GsJqfEl7UjvtIuFKO6ZrKvcItdy98dwFI2N1tg3zNIdKaQT+aNdA==",
-      "dev": true,
-      "dependencies": {
-        "braces": "^3.0.2",
-        "picomatch": "^2.3.1"
-      },
-      "engines": {
-        "node": ">=8.6"
-      }
-    },
-    "node_modules/minimatch": {
-      "version": "3.1.2",
-      "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz",
-      "integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==",
-      "dev": true,
-      "dependencies": {
-        "brace-expansion": "^1.1.7"
-      },
-      "engines": {
-        "node": "*"
-      }
-    },
-    "node_modules/ms": {
-      "version": "2.1.2",
-      "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.2.tgz",
-      "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==",
-      "dev": true
-    },
-    "node_modules/natural-compare": {
-      "version": "1.4.0",
-      "resolved": "https://registry.npmjs.org/natural-compare/-/natural-compare-1.4.0.tgz",
-      "integrity": "sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==",
-      "dev": true
-    },
-    "node_modules/object-assign": {
-      "version": "4.1.1",
-      "resolved": "https://registry.npmjs.org/object-assign/-/object-assign-4.1.1.tgz",
-      "integrity": "sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==",
-      "dev": true,
-      "engines": {
-        "node": ">=0.10.0"
-      }
-    },
-    "node_modules/once": {
-      "version": "1.4.0",
-      "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz",
-      "integrity": "sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==",
-      "dev": true,
-      "dependencies": {
-        "wrappy": "1"
-      }
-    },
-    "node_modules/optionator": {
-      "version": "0.9.1",
-      "resolved": "https://registry.npmjs.org/optionator/-/optionator-0.9.1.tgz",
-      "integrity": "sha512-74RlY5FCnhq4jRxVUPKDaRwrVNXMqsGsiW6AJw4XK8hmtm10wC0ypZBLw5IIp85NZMr91+qd1RvvENwg7jjRFw==",
-      "dev": true,
-      "dependencies": {
-        "deep-is": "^0.1.3",
-        "fast-levenshtein": "^2.0.6",
-        "levn": "^0.4.1",
-        "prelude-ls": "^1.2.1",
-        "type-check": "^0.4.0",
-        "word-wrap": "^1.2.3"
-      },
-      "engines": {
-        "node": ">= 0.8.0"
-      }
-    },
-    "node_modules/opusscript": {
-      "version": "0.0.8",
-      "resolved": "https://registry.npmjs.org/opusscript/-/opusscript-0.0.8.tgz",
-      "integrity": "sha512-VSTi1aWFuCkRCVq+tx/BQ5q9fMnQ9pVZ3JU4UHKqTkf0ED3fKEPdr+gKAAl3IA2hj9rrP6iyq3hlcJq3HELtNQ==",
-      "devOptional": true
-    },
-    "node_modules/p-limit": {
-      "version": "3.1.0",
-      "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-3.1.0.tgz",
-      "integrity": "sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==",
-      "dev": true,
-      "dependencies": {
-        "yocto-queue": "^0.1.0"
-      },
-      "engines": {
-        "node": ">=10"
-      },
-      "funding": {
-        "url": "https://github.com/sponsors/sindresorhus"
-      }
-    },
-    "node_modules/p-locate": {
-      "version": "5.0.0",
-      "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-5.0.0.tgz",
-      "integrity": "sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==",
-      "dev": true,
-      "dependencies": {
-        "p-limit": "^3.0.2"
-      },
-      "engines": {
-        "node": ">=10"
-      },
-      "funding": {
-        "url": "https://github.com/sponsors/sindresorhus"
-      }
-    },
-    "node_modules/parent-module": {
-      "version": "1.0.1",
-      "resolved": "https://registry.npmjs.org/parent-module/-/parent-module-1.0.1.tgz",
-      "integrity": "sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==",
-      "dev": true,
-      "dependencies": {
-        "callsites": "^3.0.0"
-      },
-      "engines": {
-        "node": ">=6"
-      }
-    },
-    "node_modules/path-exists": {
-      "version": "4.0.0",
-      "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz",
-      "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==",
-      "dev": true,
-      "engines": {
-        "node": ">=8"
-      }
-    },
-    "node_modules/path-is-absolute": {
-      "version": "1.0.1",
-      "resolved": "https://registry.npmjs.org/path-is-absolute/-/path-is-absolute-1.0.1.tgz",
-      "integrity": "sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==",
-      "dev": true,
-      "engines": {
-        "node": ">=0.10.0"
-      }
-    },
-    "node_modules/path-key": {
-      "version": "3.1.1",
-      "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz",
-      "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==",
-      "dev": true,
-      "engines": {
-        "node": ">=8"
-      }
-    },
-    "node_modules/path-type": {
-      "version": "4.0.0",
-      "resolved": "https://registry.npmjs.org/path-type/-/path-type-4.0.0.tgz",
-      "integrity": "sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==",
-      "dev": true,
-      "engines": {
-        "node": ">=8"
-      }
-    },
-    "node_modules/peek-readable": {
-      "version": "5.0.0",
-      "resolved": "https://registry.npmjs.org/peek-readable/-/peek-readable-5.0.0.tgz",
-      "integrity": "sha512-YtCKvLUOvwtMGmrniQPdO7MwPjgkFBtFIrmfSbYmYuq3tKDV/mcfAhBth1+C3ru7uXIZasc/pHnb+YDYNkkj4A==",
-      "dev": true,
-      "engines": {
-        "node": ">=14.16"
-      },
-      "funding": {
-        "type": "github",
-        "url": "https://github.com/sponsors/Borewit"
-      }
-    },
-    "node_modules/picomatch": {
-      "version": "2.3.1",
-      "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.3.1.tgz",
-      "integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==",
-      "dev": true,
-      "engines": {
-        "node": ">=8.6"
-      },
-      "funding": {
-        "url": "https://github.com/sponsors/jonschlinkert"
-      }
-    },
-    "node_modules/prelude-ls": {
-      "version": "1.2.1",
-      "resolved": "https://registry.npmjs.org/prelude-ls/-/prelude-ls-1.2.1.tgz",
-      "integrity": "sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==",
-      "dev": true,
-      "engines": {
-        "node": ">= 0.8.0"
-      }
-    },
-    "node_modules/prettier": {
-      "version": "2.7.1",
-      "resolved": "https://registry.npmjs.org/prettier/-/prettier-2.7.1.tgz",
-      "integrity": "sha512-ujppO+MkdPqoVINuDFDRLClm7D78qbDt0/NR+wp5FqEZOoTNAjPHWj17QRhu7geIHJfcNhRk1XVQmF8Bp3ye+g==",
-      "dev": true,
-      "bin": {
-        "prettier": "bin-prettier.js"
-      },
-      "engines": {
-        "node": ">=10.13.0"
-      },
-      "funding": {
-        "url": "https://github.com/prettier/prettier?sponsor=1"
-      }
-    },
-    "node_modules/prism-media": {
-      "version": "1.3.4",
-      "resolved": "https://registry.npmjs.org/prism-media/-/prism-media-1.3.4.tgz",
-      "integrity": "sha512-eW7LXORkTCQznZs+eqe9VjGOrLBxcBPXgNyHXMTSRVhphvd/RrxgIR7WaWt4fkLuhshcdT5KHL88LAfcvS3f5g==",
-      "peerDependencies": {
-        "@discordjs/opus": "^0.8.0",
-        "ffmpeg-static": "^5.0.2 || ^4.2.7 || ^3.0.0 || ^2.4.0",
-        "node-opus": "^0.3.3",
-        "opusscript": "^0.0.8"
-      },
-      "peerDependenciesMeta": {
-        "@discordjs/opus": {
-          "optional": true
-        },
-        "ffmpeg-static": {
-          "optional": true
-        },
-        "node-opus": {
-          "optional": true
-        },
-        "opusscript": {
-          "optional": true
-        }
-      }
-    },
-    "node_modules/punycode": {
-      "version": "2.1.1",
-      "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.1.1.tgz",
-      "integrity": "sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==",
-      "dev": true,
-      "engines": {
-        "node": ">=6"
-      }
-    },
-    "node_modules/queue-microtask": {
-      "version": "1.2.3",
-      "resolved": "https://registry.npmjs.org/queue-microtask/-/queue-microtask-1.2.3.tgz",
-      "integrity": "sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==",
-      "dev": true,
-      "funding": [
-        {
-          "type": "github",
-          "url": "https://github.com/sponsors/feross"
-        },
-        {
-          "type": "patreon",
-          "url": "https://www.patreon.com/feross"
-        },
-        {
-          "type": "consulting",
-          "url": "https://feross.org/support"
-        }
-      ]
-    },
-    "node_modules/readable-stream": {
-      "version": "3.6.0",
-      "resolved": "https://registry.npmjs.org/readable-stream/-/readable-stream-3.6.0.tgz",
-      "integrity": "sha512-BViHy7LKeTz4oNnkcLJ+lVSL6vpiFeX6/d3oSH8zCW7UxP2onchk+vTGB143xuFjHS3deTgkKoXXymXqymiIdA==",
-      "dev": true,
-      "dependencies": {
-        "inherits": "^2.0.3",
-        "string_decoder": "^1.1.1",
-        "util-deprecate": "^1.0.1"
-      },
-      "engines": {
-        "node": ">= 6"
-      }
-    },
-    "node_modules/readable-web-to-node-stream": {
-      "version": "3.0.2",
-      "resolved": "https://registry.npmjs.org/readable-web-to-node-stream/-/readable-web-to-node-stream-3.0.2.tgz",
-      "integrity": "sha512-ePeK6cc1EcKLEhJFt/AebMCLL+GgSKhuygrZ/GLaKZYEecIgIECf4UaUuaByiGtzckwR4ain9VzUh95T1exYGw==",
-      "dev": true,
-      "dependencies": {
-        "readable-stream": "^3.6.0"
-      },
-      "engines": {
-        "node": ">=8"
-      },
-      "funding": {
-        "type": "github",
-        "url": "https://github.com/sponsors/Borewit"
-      }
-    },
-    "node_modules/regexpp": {
-      "version": "3.2.0",
-      "resolved": "https://registry.npmjs.org/regexpp/-/regexpp-3.2.0.tgz",
-      "integrity": "sha512-pq2bWo9mVD43nbts2wGv17XLiNLya+GklZ8kaDLV2Z08gDCsGpnKn9BFMepvWuHCbyVvY7J5o5+BVvoQbmlJLg==",
-      "dev": true,
-      "engines": {
-        "node": ">=8"
-      },
-      "funding": {
-        "url": "https://github.com/sponsors/mysticatea"
-      }
-    },
-    "node_modules/resolve-from": {
-      "version": "4.0.0",
-      "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-4.0.0.tgz",
-      "integrity": "sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==",
-      "dev": true,
-      "engines": {
-        "node": ">=4"
-      }
-    },
-    "node_modules/reusify": {
-      "version": "1.0.4",
-      "resolved": "https://registry.npmjs.org/reusify/-/reusify-1.0.4.tgz",
-      "integrity": "sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==",
-      "dev": true,
-      "engines": {
-        "iojs": ">=1.0.0",
-        "node": ">=0.10.0"
-      }
-    },
-    "node_modules/rimraf": {
-      "version": "3.0.2",
-      "resolved": "https://registry.npmjs.org/rimraf/-/rimraf-3.0.2.tgz",
-      "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==",
-      "dev": true,
-      "dependencies": {
-        "glob": "^7.1.3"
-      },
-      "bin": {
-        "rimraf": "bin.js"
-      },
-      "funding": {
-        "url": "https://github.com/sponsors/isaacs"
-      }
-    },
-    "node_modules/rollup": {
-      "version": "2.79.0",
-      "resolved": "https://registry.npmjs.org/rollup/-/rollup-2.79.0.tgz",
-      "integrity": "sha512-x4KsrCgwQ7ZJPcFA/SUu6QVcYlO7uRLfLAy0DSA4NS2eG8japdbpM50ToH7z4iObodRYOJ0soneF0iaQRJ6zhA==",
-      "dev": true,
-      "bin": {
-        "rollup": "dist/bin/rollup"
-      },
-      "engines": {
-        "node": ">=10.0.0"
-      },
-      "optionalDependencies": {
-        "fsevents": "~2.3.2"
-      }
-    },
-    "node_modules/rollup-plugin-dts": {
-      "version": "4.2.2",
-      "resolved": "https://registry.npmjs.org/rollup-plugin-dts/-/rollup-plugin-dts-4.2.2.tgz",
-      "integrity": "sha512-A3g6Rogyko/PXeKoUlkjxkP++8UDVpgA7C+Tdl77Xj4fgEaIjPSnxRmR53EzvoYy97VMVwLAOcWJudaVAuxneQ==",
-      "dev": true,
-      "dependencies": {
-        "magic-string": "^0.26.1"
-      },
-      "engines": {
-        "node": ">=v12.22.11"
-      },
-      "funding": {
-        "url": "https://github.com/sponsors/Swatinem"
-      },
-      "optionalDependencies": {
-        "@babel/code-frame": "^7.16.7"
-      },
-      "peerDependencies": {
-        "rollup": "^2.55",
-        "typescript": "^4.1"
-      }
-    },
-    "node_modules/run-parallel": {
-      "version": "1.2.0",
-      "resolved": "https://registry.npmjs.org/run-parallel/-/run-parallel-1.2.0.tgz",
-      "integrity": "sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==",
-      "dev": true,
-      "funding": [
-        {
-          "type": "github",
-          "url": "https://github.com/sponsors/feross"
-        },
-        {
-          "type": "patreon",
-          "url": "https://www.patreon.com/feross"
-        },
-        {
-          "type": "consulting",
-          "url": "https://feross.org/support"
-        }
-      ],
-      "dependencies": {
-        "queue-microtask": "^1.2.2"
-      }
-    },
-    "node_modules/safe-buffer": {
-      "version": "5.2.1",
-      "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.2.1.tgz",
-      "integrity": "sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==",
-      "dev": true,
-      "funding": [
-        {
-          "type": "github",
-          "url": "https://github.com/sponsors/feross"
-        },
-        {
-          "type": "patreon",
-          "url": "https://www.patreon.com/feross"
-        },
-        {
-          "type": "consulting",
-          "url": "https://feross.org/support"
-        }
-      ]
-    },
-    "node_modules/semver": {
-      "version": "7.3.7",
-      "resolved": "https://registry.npmjs.org/semver/-/semver-7.3.7.tgz",
-      "integrity": "sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g==",
-      "dev": true,
-      "dependencies": {
-        "lru-cache": "^6.0.0"
-      },
-      "bin": {
-        "semver": "bin/semver.js"
-      },
-      "engines": {
-        "node": ">=10"
-      }
-    },
-    "node_modules/shebang-command": {
-      "version": "2.0.0",
-      "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz",
-      "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==",
-      "dev": true,
-      "dependencies": {
-        "shebang-regex": "^3.0.0"
-      },
-      "engines": {
-        "node": ">=8"
-      }
-    },
-    "node_modules/shebang-regex": {
-      "version": "3.0.0",
-      "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz",
-      "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==",
-      "dev": true,
-      "engines": {
-        "node": ">=8"
-      }
-    },
-    "node_modules/shiki": {
-      "version": "0.11.1",
-      "resolved": "https://registry.npmjs.org/shiki/-/shiki-0.11.1.tgz",
-      "integrity": "sha512-EugY9VASFuDqOexOgXR18ZV+TbFrQHeCpEYaXamO+SZlsnT/2LxuLBX25GGtIrwaEVFXUAbUQ601SWE2rMwWHA==",
-      "dev": true,
-      "dependencies": {
-        "jsonc-parser": "^3.0.0",
-        "vscode-oniguruma": "^1.6.1",
-        "vscode-textmate": "^6.0.0"
-      }
-    },
-    "node_modules/slash": {
-      "version": "3.0.0",
-      "resolved": "https://registry.npmjs.org/slash/-/slash-3.0.0.tgz",
-      "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==",
-      "dev": true,
-      "engines": {
-        "node": ">=8"
-      }
-    },
-    "node_modules/sourcemap-codec": {
-      "version": "1.4.8",
-      "resolved": "https://registry.npmjs.org/sourcemap-codec/-/sourcemap-codec-1.4.8.tgz",
-      "integrity": "sha512-9NykojV5Uih4lgo5So5dtw+f0JgJX30KCNI8gwhz2J9A15wD0Ml6tjHKwf6fTSa6fAdVBdZeNOs9eJ71qCk8vA==",
-      "dev": true
-    },
-    "node_modules/spotify-uri": {
-      "version": "3.0.3",
-      "resolved": "https://registry.npmjs.org/spotify-uri/-/spotify-uri-3.0.3.tgz",
-      "integrity": "sha512-mMstJ4dAMki6GbUjg94kp/h9ZH+7T7+ro/KUC00WVh+WKoLgMRrTKLkWMIwCZNO53Xa8DRHQw/6jwYtRZrVI3g==",
-      "engines": {
-        "node": ">= 12"
-      }
-    },
-    "node_modules/spotify-url-info": {
-      "version": "3.1.8",
-      "resolved": "https://registry.npmjs.org/spotify-url-info/-/spotify-url-info-3.1.8.tgz",
-      "integrity": "sha512-XxDRxDtTd9p1X22+dWweqB2bf41UVRZgyvq8VmLyY4iuClR/4/LGWOqcqG/zh9BwLUtony4818QrJ2bp2tbUkg==",
-      "dependencies": {
-        "himalaya": "~1.1.0",
-        "spotify-uri": "~3.0.3"
-      },
-      "engines": {
-        "node": ">= 12"
-      }
-    },
-    "node_modules/string_decoder": {
-      "version": "1.3.0",
-      "resolved": "https://registry.npmjs.org/string_decoder/-/string_decoder-1.3.0.tgz",
-      "integrity": "sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA==",
-      "dev": true,
-      "dependencies": {
-        "safe-buffer": "~5.2.0"
-      }
-    },
-    "node_modules/strip-ansi": {
-      "version": "6.0.1",
-      "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz",
-      "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==",
-      "dev": true,
-      "dependencies": {
-        "ansi-regex": "^5.0.1"
-      },
-      "engines": {
-        "node": ">=8"
-      }
-    },
-    "node_modules/strip-json-comments": {
-      "version": "3.1.1",
-      "resolved": "https://registry.npmjs.org/strip-json-comments/-/strip-json-comments-3.1.1.tgz",
-      "integrity": "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==",
-      "dev": true,
-      "engines": {
-        "node": ">=8"
-      },
-      "funding": {
-        "url": "https://github.com/sponsors/sindresorhus"
-      }
-    },
-    "node_modules/strtok3": {
-      "version": "7.0.0",
-      "resolved": "https://registry.npmjs.org/strtok3/-/strtok3-7.0.0.tgz",
-      "integrity": "sha512-pQ+V+nYQdC5H3Q7qBZAz/MO6lwGhoC2gOAjuouGf/VO0m7vQRh8QNMl2Uf6SwAtzZ9bOw3UIeBukEGNJl5dtXQ==",
-      "dev": true,
-      "dependencies": {
-        "@tokenizer/token": "^0.3.0",
-        "peek-readable": "^5.0.0"
-      },
-      "engines": {
-        "node": ">=14.16"
-      },
-      "funding": {
-        "type": "github",
-        "url": "https://github.com/sponsors/Borewit"
-      }
-    },
-    "node_modules/supports-color": {
-      "version": "7.2.0",
-      "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz",
-      "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==",
-      "dev": true,
-      "dependencies": {
-        "has-flag": "^4.0.0"
-      },
-      "engines": {
-        "node": ">=8"
-      }
-    },
-    "node_modules/text-table": {
-      "version": "0.2.0",
-      "resolved": "https://registry.npmjs.org/text-table/-/text-table-0.2.0.tgz",
-      "integrity": "sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==",
-      "dev": true
-    },
-    "node_modules/tiny-typed-emitter": {
-      "version": "2.1.0",
-      "resolved": "https://registry.npmjs.org/tiny-typed-emitter/-/tiny-typed-emitter-2.1.0.tgz",
-      "integrity": "sha512-qVtvMxeXbVej0cQWKqVSSAHmKZEHAvxdF8HEUBFWts8h+xEo5m/lEiPakuyZ3BnCBjOD8i24kzNOiOLLgsSxhA=="
-    },
-    "node_modules/to-regex-range": {
-      "version": "5.0.1",
-      "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz",
-      "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==",
-      "dev": true,
-      "dependencies": {
-        "is-number": "^7.0.0"
-      },
-      "engines": {
-        "node": ">=8.0"
-      }
-    },
-    "node_modules/token-types": {
-      "version": "5.0.1",
-      "resolved": "https://registry.npmjs.org/token-types/-/token-types-5.0.1.tgz",
-      "integrity": "sha512-Y2fmSnZjQdDb9W4w4r1tswlMHylzWIeOKpx0aZH9BgGtACHhrk3OkT52AzwcuqTRBZtvvnTjDBh8eynMulu8Vg==",
-      "dev": true,
-      "dependencies": {
-        "@tokenizer/token": "^0.3.0",
-        "ieee754": "^1.2.1"
-      },
-      "engines": {
-        "node": ">=14.16"
-      },
-      "funding": {
-        "type": "github",
-        "url": "https://github.com/sponsors/Borewit"
-      }
-    },
-    "node_modules/ts-mixer": {
-      "version": "6.0.1",
-      "resolved": "https://registry.npmjs.org/ts-mixer/-/ts-mixer-6.0.1.tgz",
-      "integrity": "sha512-hvE+ZYXuINrx6Ei6D6hz+PTim0Uf++dYbK9FFifLNwQj+RwKquhQpn868yZsCtJYiclZF1u8l6WZxxKi+vv7Rg==",
-      "dev": true
-    },
-    "node_modules/ts-node": {
-      "version": "10.9.1",
-      "resolved": "https://registry.npmjs.org/ts-node/-/ts-node-10.9.1.tgz",
-      "integrity": "sha512-NtVysVPkxxrwFGUUxGYhfux8k78pQB3JqYBXlLRZgdGUqTO5wU/UyHop5p70iEbGhB7q5KmiZiU0Y3KlJrScEw==",
-      "dev": true,
-      "dependencies": {
-        "@cspotcode/source-map-support": "^0.8.0",
-        "@tsconfig/node10": "^1.0.7",
-        "@tsconfig/node12": "^1.0.7",
-        "@tsconfig/node14": "^1.0.0",
-        "@tsconfig/node16": "^1.0.2",
-        "acorn": "^8.4.1",
-        "acorn-walk": "^8.1.1",
-        "arg": "^4.1.0",
-        "create-require": "^1.1.0",
-        "diff": "^4.0.1",
-        "make-error": "^1.1.1",
-        "v8-compile-cache-lib": "^3.0.1",
-        "yn": "3.1.1"
-      },
-      "bin": {
-        "ts-node": "dist/bin.js",
-        "ts-node-cwd": "dist/bin-cwd.js",
-        "ts-node-esm": "dist/bin-esm.js",
-        "ts-node-script": "dist/bin-script.js",
-        "ts-node-transpile-only": "dist/bin-transpile.js",
-        "ts-script": "dist/bin-script-deprecated.js"
-      },
-      "peerDependencies": {
-        "@swc/core": ">=1.2.50",
-        "@swc/wasm": ">=1.2.50",
-        "@types/node": "*",
-        "typescript": ">=2.7"
-      },
-      "peerDependenciesMeta": {
-        "@swc/core": {
-          "optional": true
-        },
-        "@swc/wasm": {
-          "optional": true
-        }
-      }
-    },
-    "node_modules/tslib": {
-      "version": "2.4.0",
-      "resolved": "https://registry.npmjs.org/tslib/-/tslib-2.4.0.tgz",
-      "integrity": "sha512-d6xOpEDfsi2CZVlPQzGeux8XMwLT9hssAsaPYExaQMuYskwb+x1x7J371tWlbBdWHroy99KnVB6qIkUbs5X3UQ=="
-    },
-    "node_modules/tsutils": {
-      "version": "3.21.0",
-      "resolved": "https://registry.npmjs.org/tsutils/-/tsutils-3.21.0.tgz",
-      "integrity": "sha512-mHKK3iUXL+3UF6xL5k0PEhKRUBKPBCv/+RkEOpjRWxxx27KKRBmmA60A9pgOUvMi8GKhRMPEmjBRPzs2W7O1OA==",
-      "dev": true,
-      "dependencies": {
-        "tslib": "^1.8.1"
-      },
-      "engines": {
-        "node": ">= 6"
-      },
-      "peerDependencies": {
-        "typescript": ">=2.8.0 || >= 3.2.0-dev || >= 3.3.0-dev || >= 3.4.0-dev || >= 3.5.0-dev || >= 3.6.0-dev || >= 3.6.0-beta || >= 3.7.0-dev || >= 3.7.0-beta"
-      }
-    },
-    "node_modules/tsutils/node_modules/tslib": {
-      "version": "1.14.1",
-      "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz",
-      "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==",
-      "dev": true
-    },
-    "node_modules/type-check": {
-      "version": "0.4.0",
-      "resolved": "https://registry.npmjs.org/type-check/-/type-check-0.4.0.tgz",
-      "integrity": "sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==",
-      "dev": true,
-      "dependencies": {
-        "prelude-ls": "^1.2.1"
-      },
-      "engines": {
-        "node": ">= 0.8.0"
-      }
-    },
-    "node_modules/type-fest": {
-      "version": "0.20.2",
-      "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.20.2.tgz",
-      "integrity": "sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==",
-      "dev": true,
-      "engines": {
-        "node": ">=10"
-      },
-      "funding": {
-        "url": "https://github.com/sponsors/sindresorhus"
-      }
-    },
-    "node_modules/typedoc": {
-      "version": "0.23.14",
-      "resolved": "https://registry.npmjs.org/typedoc/-/typedoc-0.23.14.tgz",
-      "integrity": "sha512-s2I+ZKBET38EctZvbXp2GooHrNaKjWZkrwGEK/sttnOGiKJqU0vHrsdcwLgKZGuo2aedNL3RRPj1LnAAeYscig==",
-      "dev": true,
-      "dependencies": {
-        "lunr": "^2.3.9",
-        "marked": "^4.0.19",
-        "minimatch": "^5.1.0",
-        "shiki": "^0.11.1"
-      },
-      "bin": {
-        "typedoc": "bin/typedoc"
-      },
-      "engines": {
-        "node": ">= 14.14"
-      },
-      "peerDependencies": {
-        "typescript": "4.6.x || 4.7.x || 4.8.x"
-      }
-    },
-    "node_modules/typedoc/node_modules/brace-expansion": {
-      "version": "2.0.1",
-      "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-2.0.1.tgz",
-      "integrity": "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==",
-      "dev": true,
-      "dependencies": {
-        "balanced-match": "^1.0.0"
-      }
-    },
-    "node_modules/typedoc/node_modules/minimatch": {
-      "version": "5.1.0",
-      "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-5.1.0.tgz",
-      "integrity": "sha512-9TPBGGak4nHfGZsPBohm9AWg6NoT7QTCehS3BIJABslyZbzxfV78QM2Y6+i741OPZIafFAaiiEMh5OyIrJPgtg==",
-      "dev": true,
-      "dependencies": {
-        "brace-expansion": "^2.0.1"
-      },
-      "engines": {
-        "node": ">=10"
-      }
-    },
-    "node_modules/typescript": {
-      "version": "4.7.4",
-      "resolved": "https://registry.npmjs.org/typescript/-/typescript-4.7.4.tgz",
-      "integrity": "sha512-C0WQT0gezHuw6AdY1M2jxUO83Rjf0HP7Sk1DtXj6j1EwkQNZrHAg2XPWlq62oqEhYvONq5pkC2Y9oPljWToLmQ==",
-      "dev": true,
-      "bin": {
-        "tsc": "bin/tsc",
-        "tsserver": "bin/tsserver"
-      },
-      "engines": {
-        "node": ">=4.2.0"
-      }
-    },
-    "node_modules/undici": {
-      "version": "5.10.0",
-      "resolved": "https://registry.npmjs.org/undici/-/undici-5.10.0.tgz",
-      "integrity": "sha512-c8HsD3IbwmjjbLvoZuRI26TZic+TSEe8FPMLLOkN1AfYRhdjnKBU6yL+IwcSCbdZiX4e5t0lfMDLDCqj4Sq70g==",
-      "dev": true,
-      "engines": {
-        "node": ">=12.18"
-      }
-    },
-    "node_modules/uri-js": {
-      "version": "4.4.1",
-      "resolved": "https://registry.npmjs.org/uri-js/-/uri-js-4.4.1.tgz",
-      "integrity": "sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==",
-      "dev": true,
-      "dependencies": {
-        "punycode": "^2.1.0"
-      }
-    },
-    "node_modules/util": {
-      "version": "0.10.3",
-      "resolved": "https://registry.npmjs.org/util/-/util-0.10.3.tgz",
-      "integrity": "sha512-5KiHfsmkqacuKjkRkdV7SsfDJ2EGiPsK92s2MhNSY0craxjTdKTtqKsJaCWp4LW33ZZ0OPUv1WO/TFvNQRiQxQ==",
-      "dev": true,
-      "dependencies": {
-        "inherits": "2.0.1"
-      }
-    },
-    "node_modules/util-deprecate": {
-      "version": "1.0.2",
-      "resolved": "https://registry.npmjs.org/util-deprecate/-/util-deprecate-1.0.2.tgz",
-      "integrity": "sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==",
-      "dev": true
-    },
-    "node_modules/util/node_modules/inherits": {
-      "version": "2.0.1",
-      "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.1.tgz",
-      "integrity": "sha512-8nWq2nLTAwd02jTqJExUYFSD/fKq6VH9Y/oG2accc/kdI0V98Bag8d5a4gi3XHz73rDWa2PvTtvcWYquKqSENA==",
-      "dev": true
-    },
-    "node_modules/v8-compile-cache-lib": {
-      "version": "3.0.1",
-      "resolved": "https://registry.npmjs.org/v8-compile-cache-lib/-/v8-compile-cache-lib-3.0.1.tgz",
-      "integrity": "sha512-wa7YjyUGfNZngI/vtK0UHAN+lgDCxBPCylVXGp0zu59Fz5aiGtNXaq3DhIov063MorB+VfufLh3JlF2KdTK3xg==",
-      "dev": true
-    },
-    "node_modules/vscode-oniguruma": {
-      "version": "1.6.2",
-      "resolved": "https://registry.npmjs.org/vscode-oniguruma/-/vscode-oniguruma-1.6.2.tgz",
-      "integrity": "sha512-KH8+KKov5eS/9WhofZR8M8dMHWN2gTxjMsG4jd04YhpbPR91fUj7rYQ2/XjeHCJWbg7X++ApRIU9NUwM2vTvLA==",
-      "dev": true
-    },
-    "node_modules/vscode-textmate": {
-      "version": "6.0.0",
-      "resolved": "https://registry.npmjs.org/vscode-textmate/-/vscode-textmate-6.0.0.tgz",
-      "integrity": "sha512-gu73tuZfJgu+mvCSy4UZwd2JXykjK9zAZsfmDeut5dx/1a7FeTk0XwJsSuqQn+cuMCGVbIBfl+s53X4T19DnzQ==",
-      "dev": true
-    },
-    "node_modules/which": {
-      "version": "2.0.2",
-      "resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz",
-      "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==",
-      "dev": true,
-      "dependencies": {
-        "isexe": "^2.0.0"
-      },
-      "bin": {
-        "node-which": "bin/node-which"
-      },
-      "engines": {
-        "node": ">= 8"
-      }
-    },
-    "node_modules/word-wrap": {
-      "version": "1.2.3",
-      "resolved": "https://registry.npmjs.org/word-wrap/-/word-wrap-1.2.3.tgz",
-      "integrity": "sha512-Hz/mrNwitNRh/HUAtM/VT/5VH+ygD6DV7mYKZAtHOrbs8U7lvPS6xf7EJKMF0uW1KJCl0H701g3ZGus+muE5vQ==",
-      "dev": true,
-      "engines": {
-        "node": ">=0.10.0"
-      }
-    },
-    "node_modules/wrappy": {
-      "version": "1.0.2",
-      "resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz",
-      "integrity": "sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==",
-      "dev": true
-    },
-    "node_modules/ws": {
-      "version": "8.8.1",
-      "resolved": "https://registry.npmjs.org/ws/-/ws-8.8.1.tgz",
-      "integrity": "sha512-bGy2JzvzkPowEJV++hF07hAD6niYSr0JzBNo/J29WsB57A2r7Wlc1UFcTR9IzrPvuNVO4B8LGqF8qcpsVOhJCA==",
-      "engines": {
-        "node": ">=10.0.0"
-      },
-      "peerDependencies": {
-        "bufferutil": "^4.0.1",
-        "utf-8-validate": "^5.0.2"
-      },
-      "peerDependenciesMeta": {
-        "bufferutil": {
-          "optional": true
-        },
-        "utf-8-validate": {
-          "optional": true
-        }
-      }
-    },
-    "node_modules/yallist": {
-      "version": "4.0.0",
-      "resolved": "https://registry.npmjs.org/yallist/-/yallist-4.0.0.tgz",
-      "integrity": "sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==",
-      "dev": true
-    },
-    "node_modules/yn": {
-      "version": "3.1.1",
-      "resolved": "https://registry.npmjs.org/yn/-/yn-3.1.1.tgz",
-      "integrity": "sha512-Ux4ygGWsu2c7isFWe8Yu1YluJmqVhxqK2cLXNQA5AcC3QfbGNpM7fu0Y8b/z16pXLnFxZYvWhd3fhBY9DLmC6Q==",
-      "dev": true,
-      "engines": {
-        "node": ">=6"
-      }
-    },
-    "node_modules/yocto-queue": {
-      "version": "0.1.0",
-      "resolved": "https://registry.npmjs.org/yocto-queue/-/yocto-queue-0.1.0.tgz",
-      "integrity": "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==",
-      "dev": true,
-      "engines": {
-        "node": ">=10"
-      },
-      "funding": {
-        "url": "https://github.com/sponsors/sindresorhus"
-      }
-    }
-  },
-  "dependencies": {
-    "@babel/code-frame": {
-      "version": "7.18.6",
-      "resolved": "https://registry.npmjs.org/@babel/code-frame/-/code-frame-7.18.6.tgz",
-      "integrity": "sha512-TDCmlK5eOvH+eH7cdAFlNXeVJqWIQ7gW9tY1GJIpUtFb6CmjVyq2VM3u71bOyR8CRihcCgMUYoDNyLXao3+70Q==",
-      "dev": true,
-      "optional": true,
-      "requires": {
-        "@babel/highlight": "^7.18.6"
-      }
-    },
-    "@babel/helper-validator-identifier": {
-      "version": "7.18.6",
-      "resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.18.6.tgz",
-      "integrity": "sha512-MmetCkz9ej86nJQV+sFCxoGGrUbU3q02kgLciwkrt9QqEB7cP39oKEY0PakknEO0Gu20SskMRi+AYZ3b1TpN9g==",
-      "dev": true,
-      "optional": true
-    },
-    "@babel/highlight": {
-      "version": "7.18.6",
-      "resolved": "https://registry.npmjs.org/@babel/highlight/-/highlight-7.18.6.tgz",
-      "integrity": "sha512-u7stbOuYjaPezCuLj29hNW1v64M2Md2qupEKP1fHc7WdOA3DgLh37suiSrZYY7haUB7iBeQZ9P1uiRF359do3g==",
-      "dev": true,
-      "optional": true,
-      "requires": {
-        "@babel/helper-validator-identifier": "^7.18.6",
-        "chalk": "^2.0.0",
-        "js-tokens": "^4.0.0"
-      },
-      "dependencies": {
-        "ansi-styles": {
-          "version": "3.2.1",
-          "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-3.2.1.tgz",
-          "integrity": "sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==",
-          "dev": true,
-          "optional": true,
-          "requires": {
-            "color-convert": "^1.9.0"
-          }
-        },
-        "chalk": {
-          "version": "2.4.2",
-          "resolved": "https://registry.npmjs.org/chalk/-/chalk-2.4.2.tgz",
-          "integrity": "sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==",
-          "dev": true,
-          "optional": true,
-          "requires": {
-            "ansi-styles": "^3.2.1",
-            "escape-string-regexp": "^1.0.5",
-            "supports-color": "^5.3.0"
-          }
-        },
-        "color-convert": {
-          "version": "1.9.3",
-          "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-1.9.3.tgz",
-          "integrity": "sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==",
-          "dev": true,
-          "optional": true,
-          "requires": {
-            "color-name": "1.1.3"
-          }
-        },
-        "color-name": {
-          "version": "1.1.3",
-          "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.3.tgz",
-          "integrity": "sha512-72fSenhMw2HZMTVHeCA9KCmpEIbzWiQsjN+BHcBbS9vr1mtt+vJjPdksIBNUmKAW8TFUDPJK5SUU3QhE9NEXDw==",
-          "dev": true,
-          "optional": true
-        },
-        "escape-string-regexp": {
-          "version": "1.0.5",
-          "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz",
-          "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==",
-          "dev": true,
-          "optional": true
-        },
-        "has-flag": {
-          "version": "3.0.0",
-          "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-3.0.0.tgz",
-          "integrity": "sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw==",
-          "dev": true,
-          "optional": true
-        },
-        "supports-color": {
-          "version": "5.5.0",
-          "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-5.5.0.tgz",
-          "integrity": "sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==",
-          "dev": true,
-          "optional": true,
-          "requires": {
-            "has-flag": "^3.0.0"
-          }
-        }
-      }
-    },
-    "@cspotcode/source-map-support": {
-      "version": "0.8.1",
-      "resolved": "https://registry.npmjs.org/@cspotcode/source-map-support/-/source-map-support-0.8.1.tgz",
-      "integrity": "sha512-IchNf6dN4tHoMFIn/7OE8LWZ19Y6q/67Bmf6vnGREv8RSbBVb9LPJxEcnwrcwX6ixSvaiGoomAUvu4YSxXrVgw==",
-      "dev": true,
-      "requires": {
-        "@jridgewell/trace-mapping": "0.3.9"
-      }
-    },
-    "@discordjs/builders": {
-      "version": "1.2.0",
-      "resolved": "https://registry.npmjs.org/@discordjs/builders/-/builders-1.2.0.tgz",
-      "integrity": "sha512-ARy4BUTMU+S0ZI6605NDqfWO+qZqV2d/xfY32z3hVSsd9IaAKJBZ1ILTZLy87oIjW8+gUpQmk9Kt0ZP9bmmd8Q==",
-      "dev": true,
-      "requires": {
-        "@sapphire/shapeshift": "^3.5.1",
-        "discord-api-types": "^0.37.3",
-        "fast-deep-equal": "^3.1.3",
-        "ts-mixer": "^6.0.1",
-        "tslib": "^2.4.0"
-      }
-    },
-    "@discordjs/collection": {
-      "version": "1.1.0",
-      "resolved": "https://registry.npmjs.org/@discordjs/collection/-/collection-1.1.0.tgz",
-      "integrity": "sha512-PQ2Bv6pnT7aGPCKWbvvNRww5tYCGpggIQVgpuF9TdDPeR6n6vQYxezXiLVOS9z2B62Dp4c+qepQ15SgJbLYtCQ==",
-      "dev": true
-    },
-    "@discordjs/rest": {
-      "version": "1.1.0",
-      "resolved": "https://registry.npmjs.org/@discordjs/rest/-/rest-1.1.0.tgz",
-      "integrity": "sha512-yCrthRTQeUyNThQEpCk7bvQJlwQmz6kU0tf3dcWBv2WX3Bncl41x7Wc+v5b5OsIxfNYq38PvVtWircu9jtYZug==",
-      "dev": true,
-      "requires": {
-        "@discordjs/collection": "^1.0.1",
-        "@sapphire/async-queue": "^1.5.0",
-        "@sapphire/snowflake": "^3.2.2",
-        "discord-api-types": "^0.37.3",
-        "file-type": "^17.1.6",
-        "tslib": "^2.4.0",
-        "undici": "^5.9.1"
-      }
-    },
-    "@discordjs/ts-docgen": {
-      "version": "0.4.1",
-      "resolved": "https://registry.npmjs.org/@discordjs/ts-docgen/-/ts-docgen-0.4.1.tgz",
-      "integrity": "sha512-T+GMJaWvISrEi3Rjg2Tfn1EZeido+SEBv3+393uFLK71koJvwlexAwjzOc0yKz6uanK4mUQyCp35vOIvWsQ1IQ==",
-      "dev": true,
-      "requires": {
-        "js-yaml": "^4.1.0",
-        "typedoc": "^0.22.15"
-      },
-      "dependencies": {
-        "brace-expansion": {
-          "version": "2.0.1",
-          "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-2.0.1.tgz",
-          "integrity": "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==",
-          "dev": true,
-          "requires": {
-            "balanced-match": "^1.0.0"
-          }
-        },
-        "glob": {
-          "version": "8.0.3",
-          "resolved": "https://registry.npmjs.org/glob/-/glob-8.0.3.tgz",
-          "integrity": "sha512-ull455NHSHI/Y1FqGaaYFaLGkNMMJbavMrEGFXG/PGrg6y7sutWHUHrz6gy6WEBH6akM1M414dWKCNs+IhKdiQ==",
-          "dev": true,
-          "requires": {
-            "fs.realpath": "^1.0.0",
-            "inflight": "^1.0.4",
-            "inherits": "2",
-            "minimatch": "^5.0.1",
-            "once": "^1.3.0"
-          }
-        },
-        "minimatch": {
-          "version": "5.1.0",
-          "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-5.1.0.tgz",
-          "integrity": "sha512-9TPBGGak4nHfGZsPBohm9AWg6NoT7QTCehS3BIJABslyZbzxfV78QM2Y6+i741OPZIafFAaiiEMh5OyIrJPgtg==",
-          "dev": true,
-          "requires": {
-            "brace-expansion": "^2.0.1"
-          }
-        },
-        "shiki": {
-          "version": "0.10.1",
-          "resolved": "https://registry.npmjs.org/shiki/-/shiki-0.10.1.tgz",
-          "integrity": "sha512-VsY7QJVzU51j5o1+DguUd+6vmCmZ5v/6gYu4vyYAhzjuNQU6P/vmSy4uQaOhvje031qQMiW0d2BwgMH52vqMng==",
-          "dev": true,
-          "requires": {
-            "jsonc-parser": "^3.0.0",
-            "vscode-oniguruma": "^1.6.1",
-            "vscode-textmate": "5.2.0"
-          }
-        },
-        "typedoc": {
-          "version": "0.22.18",
-          "resolved": "https://registry.npmjs.org/typedoc/-/typedoc-0.22.18.tgz",
-          "integrity": "sha512-NK9RlLhRUGMvc6Rw5USEYgT4DVAUFk7IF7Q6MYfpJ88KnTZP7EneEa4RcP+tX1auAcz7QT1Iy0bUSZBYYHdoyA==",
-          "dev": true,
-          "requires": {
-            "glob": "^8.0.3",
-            "lunr": "^2.3.9",
-            "marked": "^4.0.16",
-            "minimatch": "^5.1.0",
-            "shiki": "^0.10.1"
-          }
-        },
-        "vscode-textmate": {
-          "version": "5.2.0",
-          "resolved": "https://registry.npmjs.org/vscode-textmate/-/vscode-textmate-5.2.0.tgz",
-          "integrity": "sha512-Uw5ooOQxRASHgu6C7GVvUxisKXfSgW4oFlO+aa+PAkgmH89O3CXxEEzNRNtHSqtXFTl0nAC1uYj0GMSH27uwtQ==",
-          "dev": true
-        }
-      }
-    },
-    "@discordjs/voice": {
-      "version": "0.11.0",
-      "resolved": "https://registry.npmjs.org/@discordjs/voice/-/voice-0.11.0.tgz",
-      "integrity": "sha512-6+9cj1dxzBJm7WJ9qyG2XZZQ8rcLl6x2caW0C0OxuTtMLAaEDntpb6lqMTFiBg/rDc4Rd59g1w0gJmib33CuHw==",
-      "requires": {
-        "@types/ws": "^8.5.3",
-        "discord-api-types": "^0.36.2",
-        "prism-media": "^1.3.4",
-        "tslib": "^2.4.0",
-        "ws": "^8.8.1"
-      },
-      "dependencies": {
-        "discord-api-types": {
-          "version": "0.36.3",
-          "resolved": "https://registry.npmjs.org/discord-api-types/-/discord-api-types-0.36.3.tgz",
-          "integrity": "sha512-bz/NDyG0KBo/tY14vSkrwQ/n3HKPf87a0WFW/1M9+tXYK+vp5Z5EksawfCWo2zkAc6o7CClc0eff1Pjrqznlwg=="
-        }
-      }
-    },
-    "@eslint/eslintrc": {
-      "version": "1.3.1",
-      "resolved": "https://registry.npmjs.org/@eslint/eslintrc/-/eslintrc-1.3.1.tgz",
-      "integrity": "sha512-OhSY22oQQdw3zgPOOwdoj01l/Dzl1Z+xyUP33tkSN+aqyEhymJCcPHyXt+ylW8FSe0TfRC2VG+ROQOapD0aZSQ==",
-      "dev": true,
-      "requires": {
-        "ajv": "^6.12.4",
-        "debug": "^4.3.2",
-        "espree": "^9.4.0",
-        "globals": "^13.15.0",
-        "ignore": "^5.2.0",
-        "import-fresh": "^3.2.1",
-        "js-yaml": "^4.1.0",
-        "minimatch": "^3.1.2",
-        "strip-json-comments": "^3.1.1"
-      }
-    },
-    "@favware/rollup-type-bundler": {
-      "version": "1.0.11",
-      "resolved": "https://registry.npmjs.org/@favware/rollup-type-bundler/-/rollup-type-bundler-1.0.11.tgz",
-      "integrity": "sha512-QhP2vLE2j1yR1iWz+ltyR3sEFHsXmgTq0X4lsBM6KEibLbfVFPGrP77kNPo3ZLzkmVprFrZOFLRLbqhQiGs0+Q==",
-      "dev": true,
-      "requires": {
-        "@sapphire/utilities": "^3.9.2",
-        "colorette": "^2.0.19",
-        "commander": "^9.4.0",
-        "js-yaml": "^4.1.0",
-        "rollup": "^2.78.1",
-        "rollup-plugin-dts": "^4.2.2",
-        "typescript": "^4.7.4"
-      }
-    },
-    "@humanwhocodes/config-array": {
-      "version": "0.10.4",
-      "resolved": "https://registry.npmjs.org/@humanwhocodes/config-array/-/config-array-0.10.4.tgz",
-      "integrity": "sha512-mXAIHxZT3Vcpg83opl1wGlVZ9xydbfZO3r5YfRSH6Gpp2J/PfdBP0wbDa2sO6/qRbcalpoevVyW6A/fI6LfeMw==",
-      "dev": true,
-      "requires": {
-        "@humanwhocodes/object-schema": "^1.2.1",
-        "debug": "^4.1.1",
-        "minimatch": "^3.0.4"
-      }
-    },
-    "@humanwhocodes/gitignore-to-minimatch": {
-      "version": "1.0.2",
-      "resolved": "https://registry.npmjs.org/@humanwhocodes/gitignore-to-minimatch/-/gitignore-to-minimatch-1.0.2.tgz",
-      "integrity": "sha512-rSqmMJDdLFUsyxR6FMtD00nfQKKLFb1kv+qBbOVKqErvloEIJLo5bDTJTQNTYgeyp78JsA7u/NPi5jT1GR/MuA==",
-      "dev": true
-    },
-    "@humanwhocodes/module-importer": {
-      "version": "1.0.1",
-      "resolved": "https://registry.npmjs.org/@humanwhocodes/module-importer/-/module-importer-1.0.1.tgz",
-      "integrity": "sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==",
-      "dev": true
-    },
-    "@humanwhocodes/object-schema": {
-      "version": "1.2.1",
-      "resolved": "https://registry.npmjs.org/@humanwhocodes/object-schema/-/object-schema-1.2.1.tgz",
-      "integrity": "sha512-ZnQMnLV4e7hDlUvw8H+U8ASL02SS2Gn6+9Ac3wGGLIe7+je2AeAOxPY+izIPJDfFDb7eDjev0Us8MO1iFRN8hA==",
-      "dev": true
-    },
-    "@jridgewell/resolve-uri": {
-      "version": "3.1.0",
-      "resolved": "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.1.0.tgz",
-      "integrity": "sha512-F2msla3tad+Mfht5cJq7LSXcdudKTWCVYUgw6pLFOOHSTtZlj6SWNYAp+AhuqLmWdBO2X5hPrLcu8cVP8fy28w==",
-      "dev": true
-    },
-    "@jridgewell/sourcemap-codec": {
-      "version": "1.4.14",
-      "resolved": "https://registry.npmjs.org/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.14.tgz",
-      "integrity": "sha512-XPSJHWmi394fuUuzDnGz1wiKqWfo1yXecHQMRf2l6hztTO+nPru658AyDngaBe7isIxEkRsPR3FZh+s7iVa4Uw==",
-      "dev": true
-    },
-    "@jridgewell/trace-mapping": {
-      "version": "0.3.9",
-      "resolved": "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.9.tgz",
-      "integrity": "sha512-3Belt6tdc8bPgAtbcmdtNJlirVoTmEb5e2gC94PnkwEW9jI6CAHUeoG85tjWP5WquqfavoMtMwiG4P926ZKKuQ==",
-      "dev": true,
-      "requires": {
-        "@jridgewell/resolve-uri": "^3.0.3",
-        "@jridgewell/sourcemap-codec": "^1.4.10"
-      }
-    },
-    "@nodelib/fs.scandir": {
-      "version": "2.1.5",
-      "resolved": "https://registry.npmjs.org/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz",
-      "integrity": "sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==",
-      "dev": true,
-      "requires": {
-        "@nodelib/fs.stat": "2.0.5",
-        "run-parallel": "^1.1.9"
-      }
-    },
-    "@nodelib/fs.stat": {
-      "version": "2.0.5",
-      "resolved": "https://registry.npmjs.org/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz",
-      "integrity": "sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==",
-      "dev": true
-    },
-    "@nodelib/fs.walk": {
-      "version": "1.2.8",
-      "resolved": "https://registry.npmjs.org/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz",
-      "integrity": "sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==",
-      "dev": true,
-      "requires": {
-        "@nodelib/fs.scandir": "2.1.5",
-        "fastq": "^1.6.0"
-      }
-    },
-    "@sapphire/async-queue": {
-      "version": "1.5.0",
-      "resolved": "https://registry.npmjs.org/@sapphire/async-queue/-/async-queue-1.5.0.tgz",
-      "integrity": "sha512-JkLdIsP8fPAdh9ZZjrbHWR/+mZj0wvKS5ICibcLrRI1j84UmLMshx5n9QmL8b95d4onJ2xxiyugTgSAX7AalmA==",
-      "dev": true
-    },
-    "@sapphire/shapeshift": {
-      "version": "3.6.0",
-      "resolved": "https://registry.npmjs.org/@sapphire/shapeshift/-/shapeshift-3.6.0.tgz",
-      "integrity": "sha512-tu2WLRdo5wotHRvsCkspg3qMiP6ETC3Q1dns1Q5V6zKUki+1itq6AbhMwohF9ZcLoYqg+Y8LkgRRtVxxTQVTBQ==",
-      "dev": true,
-      "requires": {
-        "fast-deep-equal": "^3.1.3",
-        "lodash.uniqwith": "^4.5.0"
-      }
-    },
-    "@sapphire/snowflake": {
-      "version": "3.2.2",
-      "resolved": "https://registry.npmjs.org/@sapphire/snowflake/-/snowflake-3.2.2.tgz",
-      "integrity": "sha512-ula2O0kpSZtX9rKXNeQMrHwNd7E4jPDJYUXmEGTFdMRfyfMw+FPyh04oKMjAiDuOi64bYgVkOV3MjK+loImFhQ==",
-      "dev": true
-    },
-    "@sapphire/utilities": {
-      "version": "3.9.3",
-      "resolved": "https://registry.npmjs.org/@sapphire/utilities/-/utilities-3.9.3.tgz",
-      "integrity": "sha512-7+ZjfbmRHqewmH32jpZfzrEuHpvTttTG7WjDl1GUtc4pkOMr0kYybrZmIEZYsUvF7PWzO0GrmOK2zWs3GuJo7g==",
-      "dev": true
-    },
-    "@tokenizer/token": {
-      "version": "0.3.0",
-      "resolved": "https://registry.npmjs.org/@tokenizer/token/-/token-0.3.0.tgz",
-      "integrity": "sha512-OvjF+z51L3ov0OyAU0duzsYuvO01PH7x4t6DJx+guahgTnBHkhJdG7soQeTSFLWN3efnHyibZ4Z8l2EuWwJN3A==",
-      "dev": true
-    },
-    "@tsconfig/node10": {
-      "version": "1.0.9",
-      "resolved": "https://registry.npmjs.org/@tsconfig/node10/-/node10-1.0.9.tgz",
-      "integrity": "sha512-jNsYVVxU8v5g43Erja32laIDHXeoNvFEpX33OK4d6hljo3jDhCBDhx5dhCCTMWUojscpAagGiRkBKxpdl9fxqA==",
-      "dev": true
-    },
-    "@tsconfig/node12": {
-      "version": "1.0.11",
-      "resolved": "https://registry.npmjs.org/@tsconfig/node12/-/node12-1.0.11.tgz",
-      "integrity": "sha512-cqefuRsh12pWyGsIoBKJA9luFu3mRxCA+ORZvA4ktLSzIuCUtWVxGIuXigEwO5/ywWFMZ2QEGKWvkZG1zDMTag==",
-      "dev": true
-    },
-    "@tsconfig/node14": {
-      "version": "1.0.3",
-      "resolved": "https://registry.npmjs.org/@tsconfig/node14/-/node14-1.0.3.tgz",
-      "integrity": "sha512-ysT8mhdixWK6Hw3i1V2AeRqZ5WfXg1G43mqoYlM2nc6388Fq5jcXyr5mRsqViLx/GJYdoL0bfXD8nmF+Zn/Iow==",
-      "dev": true
-    },
-    "@tsconfig/node16": {
-      "version": "1.0.3",
-      "resolved": "https://registry.npmjs.org/@tsconfig/node16/-/node16-1.0.3.tgz",
-      "integrity": "sha512-yOlFc+7UtL/89t2ZhjPvvB/DeAr3r+Dq58IgzsFkOAvVC6NMJXmCGjbptdXdR9qsX7pKcTL+s87FtYREi2dEEQ==",
-      "dev": true
-    },
-    "@types/json-schema": {
-      "version": "7.0.11",
-      "resolved": "https://registry.npmjs.org/@types/json-schema/-/json-schema-7.0.11.tgz",
-      "integrity": "sha512-wOuvG1SN4Us4rez+tylwwwCV1psiNVOkJeM3AUWUNWg/jDQY2+HE/444y5gc+jBmRqASOm2Oeh5c1axHobwRKQ==",
-      "dev": true
-    },
-    "@types/node": {
-      "version": "18.7.16",
-      "resolved": "https://registry.npmjs.org/@types/node/-/node-18.7.16.tgz",
-      "integrity": "sha512-EQHhixfu+mkqHMZl1R2Ovuvn47PUw18azMJOTwSZr9/fhzHNGXAJ0ma0dayRVchprpCj0Kc1K1xKoWaATWF1qg=="
-    },
-    "@types/ws": {
-      "version": "8.5.3",
-      "resolved": "https://registry.npmjs.org/@types/ws/-/ws-8.5.3.tgz",
-      "integrity": "sha512-6YOoWjruKj1uLf3INHH7D3qTXwFfEsg1kf3c0uDdSBJwfa/llkwIjrAGV7j7mVgGNbzTQ3HiHKKDXl6bJPD97w==",
-      "requires": {
-        "@types/node": "*"
-      }
-    },
-    "@typescript-eslint/eslint-plugin": {
-      "version": "5.36.2",
-      "resolved": "https://registry.npmjs.org/@typescript-eslint/eslint-plugin/-/eslint-plugin-5.36.2.tgz",
-      "integrity": "sha512-OwwR8LRwSnI98tdc2z7mJYgY60gf7I9ZfGjN5EjCwwns9bdTuQfAXcsjSB2wSQ/TVNYSGKf4kzVXbNGaZvwiXw==",
-      "dev": true,
-      "requires": {
-        "@typescript-eslint/scope-manager": "5.36.2",
-        "@typescript-eslint/type-utils": "5.36.2",
-        "@typescript-eslint/utils": "5.36.2",
-        "debug": "^4.3.4",
-        "functional-red-black-tree": "^1.0.1",
-        "ignore": "^5.2.0",
-        "regexpp": "^3.2.0",
-        "semver": "^7.3.7",
-        "tsutils": "^3.21.0"
-      }
-    },
-    "@typescript-eslint/parser": {
-      "version": "5.36.2",
-      "resolved": "https://registry.npmjs.org/@typescript-eslint/parser/-/parser-5.36.2.tgz",
-      "integrity": "sha512-qS/Kb0yzy8sR0idFspI9Z6+t7mqk/oRjnAYfewG+VN73opAUvmYL3oPIMmgOX6CnQS6gmVIXGshlb5RY/R22pA==",
-      "dev": true,
-      "requires": {
-        "@typescript-eslint/scope-manager": "5.36.2",
-        "@typescript-eslint/types": "5.36.2",
-        "@typescript-eslint/typescript-estree": "5.36.2",
-        "debug": "^4.3.4"
-      }
-    },
-    "@typescript-eslint/scope-manager": {
-      "version": "5.36.2",
-      "resolved": "https://registry.npmjs.org/@typescript-eslint/scope-manager/-/scope-manager-5.36.2.tgz",
-      "integrity": "sha512-cNNP51L8SkIFSfce8B1NSUBTJTu2Ts4nWeWbFrdaqjmn9yKrAaJUBHkyTZc0cL06OFHpb+JZq5AUHROS398Orw==",
-      "dev": true,
-      "requires": {
-        "@typescript-eslint/types": "5.36.2",
-        "@typescript-eslint/visitor-keys": "5.36.2"
-      }
-    },
-    "@typescript-eslint/type-utils": {
-      "version": "5.36.2",
-      "resolved": "https://registry.npmjs.org/@typescript-eslint/type-utils/-/type-utils-5.36.2.tgz",
-      "integrity": "sha512-rPQtS5rfijUWLouhy6UmyNquKDPhQjKsaKH0WnY6hl/07lasj8gPaH2UD8xWkePn6SC+jW2i9c2DZVDnL+Dokw==",
-      "dev": true,
-      "requires": {
-        "@typescript-eslint/typescript-estree": "5.36.2",
-        "@typescript-eslint/utils": "5.36.2",
-        "debug": "^4.3.4",
-        "tsutils": "^3.21.0"
-      }
-    },
-    "@typescript-eslint/types": {
-      "version": "5.36.2",
-      "resolved": "https://registry.npmjs.org/@typescript-eslint/types/-/types-5.36.2.tgz",
-      "integrity": "sha512-9OJSvvwuF1L5eS2EQgFUbECb99F0mwq501w0H0EkYULkhFa19Qq7WFbycdw1PexAc929asupbZcgjVIe6OK/XQ==",
-      "dev": true
-    },
-    "@typescript-eslint/typescript-estree": {
-      "version": "5.36.2",
-      "resolved": "https://registry.npmjs.org/@typescript-eslint/typescript-estree/-/typescript-estree-5.36.2.tgz",
-      "integrity": "sha512-8fyH+RfbKc0mTspfuEjlfqA4YywcwQK2Amcf6TDOwaRLg7Vwdu4bZzyvBZp4bjt1RRjQ5MDnOZahxMrt2l5v9w==",
-      "dev": true,
-      "requires": {
-        "@typescript-eslint/types": "5.36.2",
-        "@typescript-eslint/visitor-keys": "5.36.2",
-        "debug": "^4.3.4",
-        "globby": "^11.1.0",
-        "is-glob": "^4.0.3",
-        "semver": "^7.3.7",
-        "tsutils": "^3.21.0"
-      }
-    },
-    "@typescript-eslint/utils": {
-      "version": "5.36.2",
-      "resolved": "https://registry.npmjs.org/@typescript-eslint/utils/-/utils-5.36.2.tgz",
-      "integrity": "sha512-uNcopWonEITX96v9pefk9DC1bWMdkweeSsewJ6GeC7L6j2t0SJywisgkr9wUTtXk90fi2Eljj90HSHm3OGdGRg==",
-      "dev": true,
-      "requires": {
-        "@types/json-schema": "^7.0.9",
-        "@typescript-eslint/scope-manager": "5.36.2",
-        "@typescript-eslint/types": "5.36.2",
-        "@typescript-eslint/typescript-estree": "5.36.2",
-        "eslint-scope": "^5.1.1",
-        "eslint-utils": "^3.0.0"
-      }
-    },
-    "@typescript-eslint/visitor-keys": {
-      "version": "5.36.2",
-      "resolved": "https://registry.npmjs.org/@typescript-eslint/visitor-keys/-/visitor-keys-5.36.2.tgz",
-      "integrity": "sha512-BtRvSR6dEdrNt7Net2/XDjbYKU5Ml6GqJgVfXT0CxTCJlnIqK7rAGreuWKMT2t8cFUT2Msv5oxw0GMRD7T5J7A==",
-      "dev": true,
-      "requires": {
-        "@typescript-eslint/types": "5.36.2",
-        "eslint-visitor-keys": "^3.3.0"
-      }
-    },
-    "acorn": {
-      "version": "8.8.0",
-      "resolved": "https://registry.npmjs.org/acorn/-/acorn-8.8.0.tgz",
-      "integrity": "sha512-QOxyigPVrpZ2GXT+PFyZTl6TtOFc5egxHIP9IlQ+RbupQuX4RkT/Bee4/kQuC02Xkzg84JcT7oLYtDIQxp+v7w==",
-      "dev": true
-    },
-    "acorn-jsx": {
-      "version": "5.3.2",
-      "resolved": "https://registry.npmjs.org/acorn-jsx/-/acorn-jsx-5.3.2.tgz",
-      "integrity": "sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==",
-      "dev": true,
-      "requires": {}
-    },
-    "acorn-walk": {
-      "version": "8.2.0",
-      "resolved": "https://registry.npmjs.org/acorn-walk/-/acorn-walk-8.2.0.tgz",
-      "integrity": "sha512-k+iyHEuPgSw6SbuDpGQM+06HQUa04DZ3o+F6CSzXMvvI5KMvnaEqXe+YVe555R9nn6GPt404fos4wcgpw12SDA==",
-      "dev": true
-    },
-    "ajv": {
-      "version": "6.12.6",
-      "resolved": "https://registry.npmjs.org/ajv/-/ajv-6.12.6.tgz",
-      "integrity": "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==",
-      "dev": true,
-      "requires": {
-        "fast-deep-equal": "^3.1.1",
-        "fast-json-stable-stringify": "^2.0.0",
-        "json-schema-traverse": "^0.4.1",
-        "uri-js": "^4.2.2"
-      }
-    },
-    "ansi-regex": {
-      "version": "5.0.1",
-      "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz",
-      "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==",
-      "dev": true
-    },
-    "ansi-styles": {
-      "version": "4.3.0",
-      "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz",
-      "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==",
-      "dev": true,
-      "requires": {
-        "color-convert": "^2.0.1"
-      }
-    },
-    "arg": {
-      "version": "4.1.3",
-      "resolved": "https://registry.npmjs.org/arg/-/arg-4.1.3.tgz",
-      "integrity": "sha512-58S9QDqG0Xx27YwPSt9fJxivjYl432YCwfDMfZ+71RAqUrZef7LrKQZ3LHLOwCS4FLNBplP533Zx895SeOCHvA==",
-      "dev": true
-    },
-    "argparse": {
-      "version": "2.0.1",
-      "resolved": "https://registry.npmjs.org/argparse/-/argparse-2.0.1.tgz",
-      "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==",
-      "dev": true
-    },
-    "array-union": {
-      "version": "2.1.0",
-      "resolved": "https://registry.npmjs.org/array-union/-/array-union-2.1.0.tgz",
-      "integrity": "sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw==",
-      "dev": true
-    },
-    "assert": {
-      "version": "1.5.0",
-      "resolved": "https://registry.npmjs.org/assert/-/assert-1.5.0.tgz",
-      "integrity": "sha512-EDsgawzwoun2CZkCgtxJbv392v4nbk9XDD06zI+kQYoBM/3RBWLlEyJARDOmhAAosBjWACEkKL6S+lIZtcAubA==",
-      "dev": true,
-      "requires": {
-        "object-assign": "^4.1.1",
-        "util": "0.10.3"
-      }
-    },
-    "balanced-match": {
-      "version": "1.0.2",
-      "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz",
-      "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==",
-      "dev": true
-    },
-    "brace-expansion": {
-      "version": "1.1.11",
-      "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz",
-      "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==",
-      "dev": true,
-      "requires": {
-        "balanced-match": "^1.0.0",
-        "concat-map": "0.0.1"
-      }
-    },
-    "braces": {
-      "version": "3.0.2",
-      "resolved": "https://registry.npmjs.org/braces/-/braces-3.0.2.tgz",
-      "integrity": "sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==",
-      "dev": true,
-      "requires": {
-        "fill-range": "^7.0.1"
-      }
-    },
-    "callsites": {
-      "version": "3.1.0",
-      "resolved": "https://registry.npmjs.org/callsites/-/callsites-3.1.0.tgz",
-      "integrity": "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==",
-      "dev": true
-    },
-    "chalk": {
-      "version": "4.1.2",
-      "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.2.tgz",
-      "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==",
-      "dev": true,
-      "requires": {
-        "ansi-styles": "^4.1.0",
-        "supports-color": "^7.1.0"
-      }
-    },
-    "color-convert": {
-      "version": "2.0.1",
-      "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz",
-      "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==",
-      "dev": true,
-      "requires": {
-        "color-name": "~1.1.4"
-      }
-    },
-    "color-name": {
-      "version": "1.1.4",
-      "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz",
-      "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==",
-      "dev": true
-    },
-    "colorette": {
-      "version": "2.0.19",
-      "resolved": "https://registry.npmjs.org/colorette/-/colorette-2.0.19.tgz",
-      "integrity": "sha512-3tlv/dIP7FWvj3BsbHrGLJ6l/oKh1O3TcgBqMn+yyCagOxc23fyzDS6HypQbgxWbkpDnf52p1LuR4eWDQ/K9WQ==",
-      "dev": true
-    },
-    "commander": {
-      "version": "9.4.0",
-      "resolved": "https://registry.npmjs.org/commander/-/commander-9.4.0.tgz",
-      "integrity": "sha512-sRPT+umqkz90UA8M1yqYfnHlZA7fF6nSphDtxeywPZ49ysjxDQybzk13CL+mXekDRG92skbcqCLVovuCusNmFw==",
-      "dev": true
-    },
-    "concat-map": {
-      "version": "0.0.1",
-      "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz",
-      "integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==",
-      "dev": true
-    },
-    "create-require": {
-      "version": "1.1.1",
-      "resolved": "https://registry.npmjs.org/create-require/-/create-require-1.1.1.tgz",
-      "integrity": "sha512-dcKFX3jn0MpIaXjisoRvexIJVEKzaq7z2rZKxf+MSr9TkdmHmsU4m2lcLojrj/FHl8mk5VxMmYA+ftRkP/3oKQ==",
-      "dev": true
-    },
-    "cross-spawn": {
-      "version": "7.0.3",
-      "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.3.tgz",
-      "integrity": "sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==",
-      "dev": true,
-      "requires": {
-        "path-key": "^3.1.0",
-        "shebang-command": "^2.0.0",
-        "which": "^2.0.1"
-      }
-    },
-    "debug": {
-      "version": "4.3.4",
-      "resolved": "https://registry.npmjs.org/debug/-/debug-4.3.4.tgz",
-      "integrity": "sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==",
-      "dev": true,
-      "requires": {
-        "ms": "2.1.2"
-      }
-    },
-    "deep-is": {
-      "version": "0.1.4",
-      "resolved": "https://registry.npmjs.org/deep-is/-/deep-is-0.1.4.tgz",
-      "integrity": "sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==",
-      "dev": true
-    },
-    "diff": {
-      "version": "4.0.2",
-      "resolved": "https://registry.npmjs.org/diff/-/diff-4.0.2.tgz",
-      "integrity": "sha512-58lmxKSA4BNyLz+HHMUzlOEpg09FV+ev6ZMe3vJihgdxzgcwZ8VoEEPmALCZG9LmqfVoNMMKpttIYTVG6uDY7A==",
-      "dev": true
-    },
-    "dir-glob": {
-      "version": "3.0.1",
-      "resolved": "https://registry.npmjs.org/dir-glob/-/dir-glob-3.0.1.tgz",
-      "integrity": "sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA==",
-      "dev": true,
-      "requires": {
-        "path-type": "^4.0.0"
-      }
-    },
-    "discord-api-types": {
-      "version": "0.37.8",
-      "resolved": "https://registry.npmjs.org/discord-api-types/-/discord-api-types-0.37.8.tgz",
-      "integrity": "sha512-uhol9KQ2moExZItMpuDMkf0R7sqqNHqcJBFN7S5iSdXBVCMRO7sC0GoyuRrv6ZDBYxoFU6nDy4dv0nld/aysqA==",
-      "dev": true
-    },
-    "discord.js": {
-      "version": "14.3.0",
-      "resolved": "https://registry.npmjs.org/discord.js/-/discord.js-14.3.0.tgz",
-      "integrity": "sha512-CpIwoAAuELiHSgVKRMzsCADS6ZlJwAZ9RlvcJYdEgS00aW36dSvXyBgE+S3pigkc7G+jU6BEalMUWIJFveqrBQ==",
-      "dev": true,
-      "requires": {
-        "@discordjs/builders": "^1.2.0",
-        "@discordjs/collection": "^1.1.0",
-        "@discordjs/rest": "^1.1.0",
-        "@sapphire/snowflake": "^3.2.2",
-        "@types/ws": "^8.5.3",
-        "discord-api-types": "^0.37.3",
-        "fast-deep-equal": "^3.1.3",
-        "lodash.snakecase": "^4.1.1",
-        "tslib": "^2.4.0",
-        "undici": "^5.9.1",
-        "ws": "^8.8.1"
-      }
-    },
-    "doctrine": {
-      "version": "3.0.0",
-      "resolved": "https://registry.npmjs.org/doctrine/-/doctrine-3.0.0.tgz",
-      "integrity": "sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==",
-      "dev": true,
-      "requires": {
-        "esutils": "^2.0.2"
-      }
-    },
-    "escape-string-regexp": {
-      "version": "4.0.0",
-      "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz",
-      "integrity": "sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==",
-      "dev": true
-    },
-    "eslint": {
-      "version": "8.23.0",
-      "resolved": "https://registry.npmjs.org/eslint/-/eslint-8.23.0.tgz",
-      "integrity": "sha512-pBG/XOn0MsJcKcTRLr27S5HpzQo4kLr+HjLQIyK4EiCsijDl/TB+h5uEuJU6bQ8Edvwz1XWOjpaP2qgnXGpTcA==",
-      "dev": true,
-      "requires": {
-        "@eslint/eslintrc": "^1.3.1",
-        "@humanwhocodes/config-array": "^0.10.4",
-        "@humanwhocodes/gitignore-to-minimatch": "^1.0.2",
-        "@humanwhocodes/module-importer": "^1.0.1",
-        "ajv": "^6.10.0",
-        "chalk": "^4.0.0",
-        "cross-spawn": "^7.0.2",
-        "debug": "^4.3.2",
-        "doctrine": "^3.0.0",
-        "escape-string-regexp": "^4.0.0",
-        "eslint-scope": "^7.1.1",
-        "eslint-utils": "^3.0.0",
-        "eslint-visitor-keys": "^3.3.0",
-        "espree": "^9.4.0",
-        "esquery": "^1.4.0",
-        "esutils": "^2.0.2",
-        "fast-deep-equal": "^3.1.3",
-        "file-entry-cache": "^6.0.1",
-        "find-up": "^5.0.0",
-        "functional-red-black-tree": "^1.0.1",
-        "glob-parent": "^6.0.1",
-        "globals": "^13.15.0",
-        "globby": "^11.1.0",
-        "grapheme-splitter": "^1.0.4",
-        "ignore": "^5.2.0",
-        "import-fresh": "^3.0.0",
-        "imurmurhash": "^0.1.4",
-        "is-glob": "^4.0.0",
-        "js-yaml": "^4.1.0",
-        "json-stable-stringify-without-jsonify": "^1.0.1",
-        "levn": "^0.4.1",
-        "lodash.merge": "^4.6.2",
-        "minimatch": "^3.1.2",
-        "natural-compare": "^1.4.0",
-        "optionator": "^0.9.1",
-        "regexpp": "^3.2.0",
-        "strip-ansi": "^6.0.1",
-        "strip-json-comments": "^3.1.0",
-        "text-table": "^0.2.0"
-      },
-      "dependencies": {
-        "eslint-scope": {
-          "version": "7.1.1",
-          "resolved": "https://registry.npmjs.org/eslint-scope/-/eslint-scope-7.1.1.tgz",
-          "integrity": "sha512-QKQM/UXpIiHcLqJ5AOyIW7XZmzjkzQXYE54n1++wb0u9V/abW3l9uQnxX8Z5Xd18xyKIMTUAyQ0k1e8pz6LUrw==",
-          "dev": true,
-          "requires": {
-            "esrecurse": "^4.3.0",
-            "estraverse": "^5.2.0"
-          }
-        },
-        "estraverse": {
-          "version": "5.3.0",
-          "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz",
-          "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==",
-          "dev": true
-        }
-      }
-    },
-    "eslint-scope": {
-      "version": "5.1.1",
-      "resolved": "https://registry.npmjs.org/eslint-scope/-/eslint-scope-5.1.1.tgz",
-      "integrity": "sha512-2NxwbF/hZ0KpepYN0cNbo+FN6XoK7GaHlQhgx/hIZl6Va0bF45RQOOwhLIy8lQDbuCiadSLCBnH2CFYquit5bw==",
-      "dev": true,
-      "requires": {
-        "esrecurse": "^4.3.0",
-        "estraverse": "^4.1.1"
-      }
-    },
-    "eslint-utils": {
-      "version": "3.0.0",
-      "resolved": "https://registry.npmjs.org/eslint-utils/-/eslint-utils-3.0.0.tgz",
-      "integrity": "sha512-uuQC43IGctw68pJA1RgbQS8/NP7rch6Cwd4j3ZBtgo4/8Flj4eGE7ZYSZRN3iq5pVUv6GPdW5Z1RFleo84uLDA==",
-      "dev": true,
-      "requires": {
-        "eslint-visitor-keys": "^2.0.0"
-      },
-      "dependencies": {
-        "eslint-visitor-keys": {
-          "version": "2.1.0",
-          "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-2.1.0.tgz",
-          "integrity": "sha512-0rSmRBzXgDzIsD6mGdJgevzgezI534Cer5L/vyMX0kHzT/jiB43jRhd9YUlMGYLQy2zprNmoT8qasCGtY+QaKw==",
-          "dev": true
-        }
-      }
-    },
-    "eslint-visitor-keys": {
-      "version": "3.3.0",
-      "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-3.3.0.tgz",
-      "integrity": "sha512-mQ+suqKJVyeuwGYHAdjMFqjCyfl8+Ldnxuyp3ldiMBFKkvytrXUZWaiPCEav8qDHKty44bD+qV1IP4T+w+xXRA==",
-      "dev": true
-    },
-    "espree": {
-      "version": "9.4.0",
-      "resolved": "https://registry.npmjs.org/espree/-/espree-9.4.0.tgz",
-      "integrity": "sha512-DQmnRpLj7f6TgN/NYb0MTzJXL+vJF9h3pHy4JhCIs3zwcgez8xmGg3sXHcEO97BrmO2OSvCwMdfdlyl+E9KjOw==",
-      "dev": true,
-      "requires": {
-        "acorn": "^8.8.0",
-        "acorn-jsx": "^5.3.2",
-        "eslint-visitor-keys": "^3.3.0"
-      }
-    },
-    "esquery": {
-      "version": "1.4.0",
-      "resolved": "https://registry.npmjs.org/esquery/-/esquery-1.4.0.tgz",
-      "integrity": "sha512-cCDispWt5vHHtwMY2YrAQ4ibFkAL8RbH5YGBnZBc90MolvvfkkQcJro/aZiAQUlQ3qgrYS6D6v8Gc5G5CQsc9w==",
-      "dev": true,
-      "requires": {
-        "estraverse": "^5.1.0"
-      },
-      "dependencies": {
-        "estraverse": {
-          "version": "5.3.0",
-          "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz",
-          "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==",
-          "dev": true
-        }
-      }
-    },
-    "esrecurse": {
-      "version": "4.3.0",
-      "resolved": "https://registry.npmjs.org/esrecurse/-/esrecurse-4.3.0.tgz",
-      "integrity": "sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==",
-      "dev": true,
-      "requires": {
-        "estraverse": "^5.2.0"
-      },
-      "dependencies": {
-        "estraverse": {
-          "version": "5.3.0",
-          "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz",
-          "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==",
-          "dev": true
-        }
-      }
-    },
-    "estraverse": {
-      "version": "4.3.0",
-      "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-4.3.0.tgz",
-      "integrity": "sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==",
-      "dev": true
-    },
-    "esutils": {
-      "version": "2.0.3",
-      "resolved": "https://registry.npmjs.org/esutils/-/esutils-2.0.3.tgz",
-      "integrity": "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==",
-      "dev": true
-    },
-    "fast-deep-equal": {
-      "version": "3.1.3",
-      "resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz",
-      "integrity": "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==",
-      "dev": true
-    },
-    "fast-glob": {
-      "version": "3.2.12",
-      "resolved": "https://registry.npmjs.org/fast-glob/-/fast-glob-3.2.12.tgz",
-      "integrity": "sha512-DVj4CQIYYow0BlaelwK1pHl5n5cRSJfM60UA0zK891sVInoPri2Ekj7+e1CT3/3qxXenpI+nBBmQAcJPJgaj4w==",
-      "dev": true,
-      "requires": {
-        "@nodelib/fs.stat": "^2.0.2",
-        "@nodelib/fs.walk": "^1.2.3",
-        "glob-parent": "^5.1.2",
-        "merge2": "^1.3.0",
-        "micromatch": "^4.0.4"
-      },
-      "dependencies": {
-        "glob-parent": {
-          "version": "5.1.2",
-          "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz",
-          "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==",
-          "dev": true,
-          "requires": {
-            "is-glob": "^4.0.1"
-          }
-        }
-      }
-    },
-    "fast-json-stable-stringify": {
-      "version": "2.1.0",
-      "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz",
-      "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==",
-      "dev": true
-    },
-    "fast-levenshtein": {
-      "version": "2.0.6",
-      "resolved": "https://registry.npmjs.org/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz",
-      "integrity": "sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==",
-      "dev": true
-    },
-    "fastq": {
-      "version": "1.13.0",
-      "resolved": "https://registry.npmjs.org/fastq/-/fastq-1.13.0.tgz",
-      "integrity": "sha512-YpkpUnK8od0o1hmeSc7UUs/eB/vIPWJYjKck2QKIzAf71Vm1AAQ3EbuZB3g2JIy+pg+ERD0vqI79KyZiB2e2Nw==",
-      "dev": true,
-      "requires": {
-        "reusify": "^1.0.4"
-      }
-    },
-    "file-entry-cache": {
-      "version": "6.0.1",
-      "resolved": "https://registry.npmjs.org/file-entry-cache/-/file-entry-cache-6.0.1.tgz",
-      "integrity": "sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==",
-      "dev": true,
-      "requires": {
-        "flat-cache": "^3.0.4"
-      }
-    },
-    "file-type": {
-      "version": "17.1.6",
-      "resolved": "https://registry.npmjs.org/file-type/-/file-type-17.1.6.tgz",
-      "integrity": "sha512-hlDw5Ev+9e883s0pwUsuuYNu4tD7GgpUnOvykjv1Gya0ZIjuKumthDRua90VUn6/nlRKAjcxLUnHNTIUWwWIiw==",
-      "dev": true,
-      "requires": {
-        "readable-web-to-node-stream": "^3.0.2",
-        "strtok3": "^7.0.0-alpha.9",
-        "token-types": "^5.0.0-alpha.2"
-      }
-    },
-    "fill-range": {
-      "version": "7.0.1",
-      "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.0.1.tgz",
-      "integrity": "sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==",
-      "dev": true,
-      "requires": {
-        "to-regex-range": "^5.0.1"
-      }
-    },
-    "find-up": {
-      "version": "5.0.0",
-      "resolved": "https://registry.npmjs.org/find-up/-/find-up-5.0.0.tgz",
-      "integrity": "sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==",
-      "dev": true,
-      "requires": {
-        "locate-path": "^6.0.0",
-        "path-exists": "^4.0.0"
-      }
-    },
-    "flat-cache": {
-      "version": "3.0.4",
-      "resolved": "https://registry.npmjs.org/flat-cache/-/flat-cache-3.0.4.tgz",
-      "integrity": "sha512-dm9s5Pw7Jc0GvMYbshN6zchCA9RgQlzzEZX3vylR9IqFfS8XciblUXOKfW6SiuJ0e13eDYZoZV5wdrev7P3Nwg==",
-      "dev": true,
-      "requires": {
-        "flatted": "^3.1.0",
-        "rimraf": "^3.0.2"
-      }
-    },
-    "flatted": {
-      "version": "3.2.7",
-      "resolved": "https://registry.npmjs.org/flatted/-/flatted-3.2.7.tgz",
-      "integrity": "sha512-5nqDSxl8nn5BSNxyR3n4I6eDmbolI6WT+QqR547RwxQapgjQBmtktdP+HTBb/a/zLsbzERTONyUB5pefh5TtjQ==",
-      "dev": true
-    },
-    "fs.realpath": {
-      "version": "1.0.0",
-      "resolved": "https://registry.npmjs.org/fs.realpath/-/fs.realpath-1.0.0.tgz",
-      "integrity": "sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==",
-      "dev": true
-    },
-    "fsevents": {
-      "version": "2.3.2",
-      "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.2.tgz",
-      "integrity": "sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA==",
-      "dev": true,
-      "optional": true
-    },
-    "functional-red-black-tree": {
-      "version": "1.0.1",
-      "resolved": "https://registry.npmjs.org/functional-red-black-tree/-/functional-red-black-tree-1.0.1.tgz",
-      "integrity": "sha512-dsKNQNdj6xA3T+QlADDA7mOSlX0qiMINjn0cgr+eGHGsbSHzTabcIogz2+p/iqP1Xs6EP/sS2SbqH+brGTbq0g==",
-      "dev": true
-    },
-    "gen-esm-wrapper": {
-      "version": "1.1.3",
-      "resolved": "https://registry.npmjs.org/gen-esm-wrapper/-/gen-esm-wrapper-1.1.3.tgz",
-      "integrity": "sha512-LNHZ+QpaCW/0VhABIbXn45V+P8kFvjjwuue9hbV23eOjuFVz6c0FE3z1XpLX9pSjLW7UmtCkXo5F9vhZWVs8oQ==",
-      "dev": true,
-      "requires": {
-        "is-valid-identifier": "^2.0.2"
-      }
-    },
-    "glob": {
-      "version": "7.2.3",
-      "resolved": "https://registry.npmjs.org/glob/-/glob-7.2.3.tgz",
-      "integrity": "sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==",
-      "dev": true,
-      "requires": {
-        "fs.realpath": "^1.0.0",
-        "inflight": "^1.0.4",
-        "inherits": "2",
-        "minimatch": "^3.1.1",
-        "once": "^1.3.0",
-        "path-is-absolute": "^1.0.0"
-      }
-    },
-    "glob-parent": {
-      "version": "6.0.2",
-      "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-6.0.2.tgz",
-      "integrity": "sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==",
-      "dev": true,
-      "requires": {
-        "is-glob": "^4.0.3"
-      }
-    },
-    "globals": {
-      "version": "13.17.0",
-      "resolved": "https://registry.npmjs.org/globals/-/globals-13.17.0.tgz",
-      "integrity": "sha512-1C+6nQRb1GwGMKm2dH/E7enFAMxGTmGI7/dEdhy/DNelv85w9B72t3uc5frtMNXIbzrarJJ/lTCjcaZwbLJmyw==",
-      "dev": true,
-      "requires": {
-        "type-fest": "^0.20.2"
-      }
-    },
-    "globby": {
-      "version": "11.1.0",
-      "resolved": "https://registry.npmjs.org/globby/-/globby-11.1.0.tgz",
-      "integrity": "sha512-jhIXaOzy1sb8IyocaruWSn1TjmnBVs8Ayhcy83rmxNJ8q2uWKCAj3CnJY+KpGSXCueAPc0i05kVvVKtP1t9S3g==",
-      "dev": true,
-      "requires": {
-        "array-union": "^2.1.0",
-        "dir-glob": "^3.0.1",
-        "fast-glob": "^3.2.9",
-        "ignore": "^5.2.0",
-        "merge2": "^1.4.1",
-        "slash": "^3.0.0"
-      }
-    },
-    "grapheme-splitter": {
-      "version": "1.0.4",
-      "resolved": "https://registry.npmjs.org/grapheme-splitter/-/grapheme-splitter-1.0.4.tgz",
-      "integrity": "sha512-bzh50DW9kTPM00T8y4o8vQg89Di9oLJVLW/KaOGIXJWP/iqCN6WKYkbNOF04vFLJhwcpYUh9ydh/+5vpOqV4YQ==",
-      "dev": true
-    },
-    "has-flag": {
-      "version": "4.0.0",
-      "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz",
-      "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==",
-      "dev": true
-    },
-    "himalaya": {
-      "version": "1.1.0",
-      "resolved": "https://registry.npmjs.org/himalaya/-/himalaya-1.1.0.tgz",
-      "integrity": "sha512-LLase1dHCRMel68/HZTFft0N0wti0epHr3nNY7ynpLbyZpmrKMQ8YIpiOV77TM97cNpC8Wb2n6f66IRggwdWPw=="
-    },
-    "husky": {
-      "version": "8.0.1",
-      "resolved": "https://registry.npmjs.org/husky/-/husky-8.0.1.tgz",
-      "integrity": "sha512-xs7/chUH/CKdOCs7Zy0Aev9e/dKOMZf3K1Az1nar3tzlv0jfqnYtu235bstsWTmXOR0EfINrPa97yy4Lz6RiKw==",
-      "dev": true
-    },
-    "ieee754": {
-      "version": "1.2.1",
-      "resolved": "https://registry.npmjs.org/ieee754/-/ieee754-1.2.1.tgz",
-      "integrity": "sha512-dcyqhDvX1C46lXZcVqCpK+FtMRQVdIMN6/Df5js2zouUsqG7I6sFxitIC+7KYK29KdXOLHdu9zL4sFnoVQnqaA==",
-      "dev": true
-    },
-    "ignore": {
-      "version": "5.2.0",
-      "resolved": "https://registry.npmjs.org/ignore/-/ignore-5.2.0.tgz",
-      "integrity": "sha512-CmxgYGiEPCLhfLnpPp1MoRmifwEIOgjcHXxOBjv7mY96c+eWScsOP9c112ZyLdWHi0FxHjI+4uVhKYp/gcdRmQ==",
-      "dev": true
-    },
-    "import-fresh": {
-      "version": "3.3.0",
-      "resolved": "https://registry.npmjs.org/import-fresh/-/import-fresh-3.3.0.tgz",
-      "integrity": "sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==",
-      "dev": true,
-      "requires": {
-        "parent-module": "^1.0.0",
-        "resolve-from": "^4.0.0"
-      }
-    },
-    "imurmurhash": {
-      "version": "0.1.4",
-      "resolved": "https://registry.npmjs.org/imurmurhash/-/imurmurhash-0.1.4.tgz",
-      "integrity": "sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==",
-      "dev": true
-    },
-    "inflight": {
-      "version": "1.0.6",
-      "resolved": "https://registry.npmjs.org/inflight/-/inflight-1.0.6.tgz",
-      "integrity": "sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==",
-      "dev": true,
-      "requires": {
-        "once": "^1.3.0",
-        "wrappy": "1"
-      }
-    },
-    "inherits": {
-      "version": "2.0.4",
-      "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz",
-      "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==",
-      "dev": true
-    },
-    "is-extglob": {
-      "version": "2.1.1",
-      "resolved": "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz",
-      "integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==",
-      "dev": true
-    },
-    "is-glob": {
-      "version": "4.0.3",
-      "resolved": "https://registry.npmjs.org/is-glob/-/is-glob-4.0.3.tgz",
-      "integrity": "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==",
-      "dev": true,
-      "requires": {
-        "is-extglob": "^2.1.1"
-      }
-    },
-    "is-number": {
-      "version": "7.0.0",
-      "resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz",
-      "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==",
-      "dev": true
-    },
-    "is-valid-identifier": {
-      "version": "2.0.2",
-      "resolved": "https://registry.npmjs.org/is-valid-identifier/-/is-valid-identifier-2.0.2.tgz",
-      "integrity": "sha512-mpS5EGqXOwzXtKAg6I44jIAqeBfntFLxpAth1rrKbxtKyI6LPktyDYpHBI+tHlduhhX/SF26mFXmxQu995QVqg==",
-      "dev": true,
-      "requires": {
-        "assert": "^1.4.1"
-      }
-    },
-    "isexe": {
-      "version": "2.0.0",
-      "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz",
-      "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==",
-      "dev": true
-    },
-    "js-tokens": {
-      "version": "4.0.0",
-      "resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz",
-      "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==",
-      "dev": true,
-      "optional": true
-    },
-    "js-yaml": {
-      "version": "4.1.0",
-      "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-4.1.0.tgz",
-      "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==",
-      "dev": true,
-      "requires": {
-        "argparse": "^2.0.1"
-      }
-    },
-    "json-schema-traverse": {
-      "version": "0.4.1",
-      "resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz",
-      "integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==",
-      "dev": true
-    },
-    "json-stable-stringify-without-jsonify": {
-      "version": "1.0.1",
-      "resolved": "https://registry.npmjs.org/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz",
-      "integrity": "sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==",
-      "dev": true
-    },
-    "jsonc-parser": {
-      "version": "3.2.0",
-      "resolved": "https://registry.npmjs.org/jsonc-parser/-/jsonc-parser-3.2.0.tgz",
-      "integrity": "sha512-gfFQZrcTc8CnKXp6Y4/CBT3fTc0OVuDofpre4aEeEpSBPV5X5v4+Vmx+8snU7RLPrNHPKSgLxGo9YuQzz20o+w==",
-      "dev": true
-    },
-    "levn": {
-      "version": "0.4.1",
-      "resolved": "https://registry.npmjs.org/levn/-/levn-0.4.1.tgz",
-      "integrity": "sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==",
-      "dev": true,
-      "requires": {
-        "prelude-ls": "^1.2.1",
-        "type-check": "~0.4.0"
-      }
-    },
-    "libsodium": {
-      "version": "0.7.10",
-      "resolved": "https://registry.npmjs.org/libsodium/-/libsodium-0.7.10.tgz",
-      "integrity": "sha512-eY+z7hDrDKxkAK+QKZVNv92A5KYkxfvIshtBJkmg5TSiCnYqZP3i9OO9whE79Pwgm4jGaoHgkM4ao/b9Cyu4zQ=="
-    },
-    "libsodium-wrappers": {
-      "version": "0.7.10",
-      "resolved": "https://registry.npmjs.org/libsodium-wrappers/-/libsodium-wrappers-0.7.10.tgz",
-      "integrity": "sha512-pO3F1Q9NPLB/MWIhehim42b/Fwb30JNScCNh8TcQ/kIc+qGLQch8ag8wb0keK3EP5kbGakk1H8Wwo7v+36rNQg==",
-      "requires": {
-        "libsodium": "^0.7.0"
-      }
-    },
-    "locate-path": {
-      "version": "6.0.0",
-      "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-6.0.0.tgz",
-      "integrity": "sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==",
-      "dev": true,
-      "requires": {
-        "p-locate": "^5.0.0"
-      }
-    },
-    "lodash.merge": {
-      "version": "4.6.2",
-      "resolved": "https://registry.npmjs.org/lodash.merge/-/lodash.merge-4.6.2.tgz",
-      "integrity": "sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==",
-      "dev": true
-    },
-    "lodash.snakecase": {
-      "version": "4.1.1",
-      "resolved": "https://registry.npmjs.org/lodash.snakecase/-/lodash.snakecase-4.1.1.tgz",
-      "integrity": "sha512-QZ1d4xoBHYUeuouhEq3lk3Uq7ldgyFXGBhg04+oRLnIz8o9T65Eh+8YdroUwn846zchkA9yDsDl5CVVaV2nqYw==",
-      "dev": true
-    },
-    "lodash.uniqwith": {
-      "version": "4.5.0",
-      "resolved": "https://registry.npmjs.org/lodash.uniqwith/-/lodash.uniqwith-4.5.0.tgz",
-      "integrity": "sha512-7lYL8bLopMoy4CTICbxygAUq6CdRJ36vFc80DucPueUee+d5NBRxz3FdT9Pes/HEx5mPoT9jwnsEJWz1N7uq7Q==",
-      "dev": true
-    },
-    "lru-cache": {
-      "version": "6.0.0",
-      "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-6.0.0.tgz",
-      "integrity": "sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==",
-      "dev": true,
-      "requires": {
-        "yallist": "^4.0.0"
-      }
-    },
-    "lunr": {
-      "version": "2.3.9",
-      "resolved": "https://registry.npmjs.org/lunr/-/lunr-2.3.9.tgz",
-      "integrity": "sha512-zTU3DaZaF3Rt9rhN3uBMGQD3dD2/vFQqnvZCDv4dl5iOzq2IZQqTxu90r4E5J+nP70J3ilqVCrbho2eWaeW8Ow==",
-      "dev": true
-    },
-    "magic-string": {
-      "version": "0.26.3",
-      "resolved": "https://registry.npmjs.org/magic-string/-/magic-string-0.26.3.tgz",
-      "integrity": "sha512-u1Po0NDyFcwdg2nzHT88wSK0+Rih0N1M+Ph1Sp08k8yvFFU3KR72wryS7e1qMPJypt99WB7fIFVCA92mQrMjrg==",
-      "dev": true,
-      "requires": {
-        "sourcemap-codec": "^1.4.8"
-      }
-    },
-    "make-error": {
-      "version": "1.3.6",
-      "resolved": "https://registry.npmjs.org/make-error/-/make-error-1.3.6.tgz",
-      "integrity": "sha512-s8UhlNe7vPKomQhC1qFelMokr/Sc3AgNbso3n74mVPA5LTZwkB9NlXf4XPamLxJE8h0gh73rM94xvwRT2CVInw==",
-      "dev": true
-    },
-    "marked": {
-      "version": "4.1.0",
-      "resolved": "https://registry.npmjs.org/marked/-/marked-4.1.0.tgz",
-      "integrity": "sha512-+Z6KDjSPa6/723PQYyc1axYZpYYpDnECDaU6hkaf5gqBieBkMKYReL5hteF2QizhlMbgbo8umXl/clZ67+GlsA==",
-      "dev": true
-    },
-    "merge2": {
-      "version": "1.4.1",
-      "resolved": "https://registry.npmjs.org/merge2/-/merge2-1.4.1.tgz",
-      "integrity": "sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==",
-      "dev": true
-    },
-    "micromatch": {
-      "version": "4.0.5",
-      "resolved": "https://registry.npmjs.org/micromatch/-/micromatch-4.0.5.tgz",
-      "integrity": "sha512-DMy+ERcEW2q8Z2Po+WNXuw3c5YaUSFjAO5GsJqfEl7UjvtIuFKO6ZrKvcItdy98dwFI2N1tg3zNIdKaQT+aNdA==",
-      "dev": true,
-      "requires": {
-        "braces": "^3.0.2",
-        "picomatch": "^2.3.1"
-      }
-    },
-    "minimatch": {
-      "version": "3.1.2",
-      "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz",
-      "integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==",
-      "dev": true,
-      "requires": {
-        "brace-expansion": "^1.1.7"
-      }
-    },
-    "ms": {
-      "version": "2.1.2",
-      "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.2.tgz",
-      "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==",
-      "dev": true
-    },
-    "natural-compare": {
-      "version": "1.4.0",
-      "resolved": "https://registry.npmjs.org/natural-compare/-/natural-compare-1.4.0.tgz",
-      "integrity": "sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==",
-      "dev": true
-    },
-    "object-assign": {
-      "version": "4.1.1",
-      "resolved": "https://registry.npmjs.org/object-assign/-/object-assign-4.1.1.tgz",
-      "integrity": "sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==",
-      "dev": true
-    },
-    "once": {
-      "version": "1.4.0",
-      "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz",
-      "integrity": "sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==",
-      "dev": true,
-      "requires": {
-        "wrappy": "1"
-      }
-    },
-    "optionator": {
-      "version": "0.9.1",
-      "resolved": "https://registry.npmjs.org/optionator/-/optionator-0.9.1.tgz",
-      "integrity": "sha512-74RlY5FCnhq4jRxVUPKDaRwrVNXMqsGsiW6AJw4XK8hmtm10wC0ypZBLw5IIp85NZMr91+qd1RvvENwg7jjRFw==",
-      "dev": true,
-      "requires": {
-        "deep-is": "^0.1.3",
-        "fast-levenshtein": "^2.0.6",
-        "levn": "^0.4.1",
-        "prelude-ls": "^1.2.1",
-        "type-check": "^0.4.0",
-        "word-wrap": "^1.2.3"
-      }
-    },
-    "opusscript": {
-      "version": "0.0.8",
-      "resolved": "https://registry.npmjs.org/opusscript/-/opusscript-0.0.8.tgz",
-      "integrity": "sha512-VSTi1aWFuCkRCVq+tx/BQ5q9fMnQ9pVZ3JU4UHKqTkf0ED3fKEPdr+gKAAl3IA2hj9rrP6iyq3hlcJq3HELtNQ==",
-      "devOptional": true
-    },
-    "p-limit": {
-      "version": "3.1.0",
-      "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-3.1.0.tgz",
-      "integrity": "sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==",
-      "dev": true,
-      "requires": {
-        "yocto-queue": "^0.1.0"
-      }
-    },
-    "p-locate": {
-      "version": "5.0.0",
-      "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-5.0.0.tgz",
-      "integrity": "sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==",
-      "dev": true,
-      "requires": {
-        "p-limit": "^3.0.2"
-      }
-    },
-    "parent-module": {
-      "version": "1.0.1",
-      "resolved": "https://registry.npmjs.org/parent-module/-/parent-module-1.0.1.tgz",
-      "integrity": "sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==",
-      "dev": true,
-      "requires": {
-        "callsites": "^3.0.0"
-      }
-    },
-    "path-exists": {
-      "version": "4.0.0",
-      "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz",
-      "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==",
-      "dev": true
-    },
-    "path-is-absolute": {
-      "version": "1.0.1",
-      "resolved": "https://registry.npmjs.org/path-is-absolute/-/path-is-absolute-1.0.1.tgz",
-      "integrity": "sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==",
-      "dev": true
-    },
-    "path-key": {
-      "version": "3.1.1",
-      "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz",
-      "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==",
-      "dev": true
-    },
-    "path-type": {
-      "version": "4.0.0",
-      "resolved": "https://registry.npmjs.org/path-type/-/path-type-4.0.0.tgz",
-      "integrity": "sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==",
-      "dev": true
-    },
-    "peek-readable": {
-      "version": "5.0.0",
-      "resolved": "https://registry.npmjs.org/peek-readable/-/peek-readable-5.0.0.tgz",
-      "integrity": "sha512-YtCKvLUOvwtMGmrniQPdO7MwPjgkFBtFIrmfSbYmYuq3tKDV/mcfAhBth1+C3ru7uXIZasc/pHnb+YDYNkkj4A==",
-      "dev": true
-    },
-    "picomatch": {
-      "version": "2.3.1",
-      "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.3.1.tgz",
-      "integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==",
-      "dev": true
-    },
-    "prelude-ls": {
-      "version": "1.2.1",
-      "resolved": "https://registry.npmjs.org/prelude-ls/-/prelude-ls-1.2.1.tgz",
-      "integrity": "sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==",
-      "dev": true
-    },
-    "prettier": {
-      "version": "2.7.1",
-      "resolved": "https://registry.npmjs.org/prettier/-/prettier-2.7.1.tgz",
-      "integrity": "sha512-ujppO+MkdPqoVINuDFDRLClm7D78qbDt0/NR+wp5FqEZOoTNAjPHWj17QRhu7geIHJfcNhRk1XVQmF8Bp3ye+g==",
-      "dev": true
-    },
-    "prism-media": {
-      "version": "1.3.4",
-      "resolved": "https://registry.npmjs.org/prism-media/-/prism-media-1.3.4.tgz",
-      "integrity": "sha512-eW7LXORkTCQznZs+eqe9VjGOrLBxcBPXgNyHXMTSRVhphvd/RrxgIR7WaWt4fkLuhshcdT5KHL88LAfcvS3f5g==",
-      "requires": {}
-    },
-    "punycode": {
-      "version": "2.1.1",
-      "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.1.1.tgz",
-      "integrity": "sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==",
-      "dev": true
-    },
-    "queue-microtask": {
-      "version": "1.2.3",
-      "resolved": "https://registry.npmjs.org/queue-microtask/-/queue-microtask-1.2.3.tgz",
-      "integrity": "sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==",
-      "dev": true
-    },
-    "readable-stream": {
-      "version": "3.6.0",
-      "resolved": "https://registry.npmjs.org/readable-stream/-/readable-stream-3.6.0.tgz",
-      "integrity": "sha512-BViHy7LKeTz4oNnkcLJ+lVSL6vpiFeX6/d3oSH8zCW7UxP2onchk+vTGB143xuFjHS3deTgkKoXXymXqymiIdA==",
-      "dev": true,
-      "requires": {
-        "inherits": "^2.0.3",
-        "string_decoder": "^1.1.1",
-        "util-deprecate": "^1.0.1"
-      }
-    },
-    "readable-web-to-node-stream": {
-      "version": "3.0.2",
-      "resolved": "https://registry.npmjs.org/readable-web-to-node-stream/-/readable-web-to-node-stream-3.0.2.tgz",
-      "integrity": "sha512-ePeK6cc1EcKLEhJFt/AebMCLL+GgSKhuygrZ/GLaKZYEecIgIECf4UaUuaByiGtzckwR4ain9VzUh95T1exYGw==",
-      "dev": true,
-      "requires": {
-        "readable-stream": "^3.6.0"
-      }
-    },
-    "regexpp": {
-      "version": "3.2.0",
-      "resolved": "https://registry.npmjs.org/regexpp/-/regexpp-3.2.0.tgz",
-      "integrity": "sha512-pq2bWo9mVD43nbts2wGv17XLiNLya+GklZ8kaDLV2Z08gDCsGpnKn9BFMepvWuHCbyVvY7J5o5+BVvoQbmlJLg==",
-      "dev": true
-    },
-    "resolve-from": {
-      "version": "4.0.0",
-      "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-4.0.0.tgz",
-      "integrity": "sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==",
-      "dev": true
-    },
-    "reusify": {
-      "version": "1.0.4",
-      "resolved": "https://registry.npmjs.org/reusify/-/reusify-1.0.4.tgz",
-      "integrity": "sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==",
-      "dev": true
-    },
-    "rimraf": {
-      "version": "3.0.2",
-      "resolved": "https://registry.npmjs.org/rimraf/-/rimraf-3.0.2.tgz",
-      "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==",
-      "dev": true,
-      "requires": {
-        "glob": "^7.1.3"
-      }
-    },
-    "rollup": {
-      "version": "2.79.0",
-      "resolved": "https://registry.npmjs.org/rollup/-/rollup-2.79.0.tgz",
-      "integrity": "sha512-x4KsrCgwQ7ZJPcFA/SUu6QVcYlO7uRLfLAy0DSA4NS2eG8japdbpM50ToH7z4iObodRYOJ0soneF0iaQRJ6zhA==",
-      "dev": true,
-      "requires": {
-        "fsevents": "~2.3.2"
-      }
-    },
-    "rollup-plugin-dts": {
-      "version": "4.2.2",
-      "resolved": "https://registry.npmjs.org/rollup-plugin-dts/-/rollup-plugin-dts-4.2.2.tgz",
-      "integrity": "sha512-A3g6Rogyko/PXeKoUlkjxkP++8UDVpgA7C+Tdl77Xj4fgEaIjPSnxRmR53EzvoYy97VMVwLAOcWJudaVAuxneQ==",
-      "dev": true,
-      "requires": {
-        "@babel/code-frame": "^7.16.7",
-        "magic-string": "^0.26.1"
-      }
-    },
-    "run-parallel": {
-      "version": "1.2.0",
-      "resolved": "https://registry.npmjs.org/run-parallel/-/run-parallel-1.2.0.tgz",
-      "integrity": "sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==",
-      "dev": true,
-      "requires": {
-        "queue-microtask": "^1.2.2"
-      }
-    },
-    "safe-buffer": {
-      "version": "5.2.1",
-      "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.2.1.tgz",
-      "integrity": "sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==",
-      "dev": true
-    },
-    "semver": {
-      "version": "7.3.7",
-      "resolved": "https://registry.npmjs.org/semver/-/semver-7.3.7.tgz",
-      "integrity": "sha512-QlYTucUYOews+WeEujDoEGziz4K6c47V/Bd+LjSSYcA94p+DmINdf7ncaUinThfvZyu13lN9OY1XDxt8C0Tw0g==",
-      "dev": true,
-      "requires": {
-        "lru-cache": "^6.0.0"
-      }
-    },
-    "shebang-command": {
-      "version": "2.0.0",
-      "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz",
-      "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==",
-      "dev": true,
-      "requires": {
-        "shebang-regex": "^3.0.0"
-      }
-    },
-    "shebang-regex": {
-      "version": "3.0.0",
-      "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz",
-      "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==",
-      "dev": true
-    },
-    "shiki": {
-      "version": "0.11.1",
-      "resolved": "https://registry.npmjs.org/shiki/-/shiki-0.11.1.tgz",
-      "integrity": "sha512-EugY9VASFuDqOexOgXR18ZV+TbFrQHeCpEYaXamO+SZlsnT/2LxuLBX25GGtIrwaEVFXUAbUQ601SWE2rMwWHA==",
-      "dev": true,
-      "requires": {
-        "jsonc-parser": "^3.0.0",
-        "vscode-oniguruma": "^1.6.1",
-        "vscode-textmate": "^6.0.0"
-      }
-    },
-    "slash": {
-      "version": "3.0.0",
-      "resolved": "https://registry.npmjs.org/slash/-/slash-3.0.0.tgz",
-      "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==",
-      "dev": true
-    },
-    "sourcemap-codec": {
-      "version": "1.4.8",
-      "resolved": "https://registry.npmjs.org/sourcemap-codec/-/sourcemap-codec-1.4.8.tgz",
-      "integrity": "sha512-9NykojV5Uih4lgo5So5dtw+f0JgJX30KCNI8gwhz2J9A15wD0Ml6tjHKwf6fTSa6fAdVBdZeNOs9eJ71qCk8vA==",
-      "dev": true
-    },
-    "spotify-uri": {
-      "version": "3.0.3",
-      "resolved": "https://registry.npmjs.org/spotify-uri/-/spotify-uri-3.0.3.tgz",
-      "integrity": "sha512-mMstJ4dAMki6GbUjg94kp/h9ZH+7T7+ro/KUC00WVh+WKoLgMRrTKLkWMIwCZNO53Xa8DRHQw/6jwYtRZrVI3g=="
-    },
-    "spotify-url-info": {
-      "version": "3.1.8",
-      "resolved": "https://registry.npmjs.org/spotify-url-info/-/spotify-url-info-3.1.8.tgz",
-      "integrity": "sha512-XxDRxDtTd9p1X22+dWweqB2bf41UVRZgyvq8VmLyY4iuClR/4/LGWOqcqG/zh9BwLUtony4818QrJ2bp2tbUkg==",
-      "requires": {
-        "himalaya": "~1.1.0",
-        "spotify-uri": "~3.0.3"
-      }
-    },
-    "string_decoder": {
-      "version": "1.3.0",
-      "resolved": "https://registry.npmjs.org/string_decoder/-/string_decoder-1.3.0.tgz",
-      "integrity": "sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA==",
-      "dev": true,
-      "requires": {
-        "safe-buffer": "~5.2.0"
-      }
-    },
-    "strip-ansi": {
-      "version": "6.0.1",
-      "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz",
-      "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==",
-      "dev": true,
-      "requires": {
-        "ansi-regex": "^5.0.1"
-      }
-    },
-    "strip-json-comments": {
-      "version": "3.1.1",
-      "resolved": "https://registry.npmjs.org/strip-json-comments/-/strip-json-comments-3.1.1.tgz",
-      "integrity": "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==",
-      "dev": true
-    },
-    "strtok3": {
-      "version": "7.0.0",
-      "resolved": "https://registry.npmjs.org/strtok3/-/strtok3-7.0.0.tgz",
-      "integrity": "sha512-pQ+V+nYQdC5H3Q7qBZAz/MO6lwGhoC2gOAjuouGf/VO0m7vQRh8QNMl2Uf6SwAtzZ9bOw3UIeBukEGNJl5dtXQ==",
-      "dev": true,
-      "requires": {
-        "@tokenizer/token": "^0.3.0",
-        "peek-readable": "^5.0.0"
-      }
-    },
-    "supports-color": {
-      "version": "7.2.0",
-      "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz",
-      "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==",
-      "dev": true,
-      "requires": {
-        "has-flag": "^4.0.0"
-      }
-    },
-    "text-table": {
-      "version": "0.2.0",
-      "resolved": "https://registry.npmjs.org/text-table/-/text-table-0.2.0.tgz",
-      "integrity": "sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==",
-      "dev": true
-    },
-    "tiny-typed-emitter": {
-      "version": "2.1.0",
-      "resolved": "https://registry.npmjs.org/tiny-typed-emitter/-/tiny-typed-emitter-2.1.0.tgz",
-      "integrity": "sha512-qVtvMxeXbVej0cQWKqVSSAHmKZEHAvxdF8HEUBFWts8h+xEo5m/lEiPakuyZ3BnCBjOD8i24kzNOiOLLgsSxhA=="
-    },
-    "to-regex-range": {
-      "version": "5.0.1",
-      "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz",
-      "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==",
-      "dev": true,
-      "requires": {
-        "is-number": "^7.0.0"
-      }
-    },
-    "token-types": {
-      "version": "5.0.1",
-      "resolved": "https://registry.npmjs.org/token-types/-/token-types-5.0.1.tgz",
-      "integrity": "sha512-Y2fmSnZjQdDb9W4w4r1tswlMHylzWIeOKpx0aZH9BgGtACHhrk3OkT52AzwcuqTRBZtvvnTjDBh8eynMulu8Vg==",
-      "dev": true,
-      "requires": {
-        "@tokenizer/token": "^0.3.0",
-        "ieee754": "^1.2.1"
-      }
-    },
-    "ts-mixer": {
-      "version": "6.0.1",
-      "resolved": "https://registry.npmjs.org/ts-mixer/-/ts-mixer-6.0.1.tgz",
-      "integrity": "sha512-hvE+ZYXuINrx6Ei6D6hz+PTim0Uf++dYbK9FFifLNwQj+RwKquhQpn868yZsCtJYiclZF1u8l6WZxxKi+vv7Rg==",
-      "dev": true
-    },
-    "ts-node": {
-      "version": "10.9.1",
-      "resolved": "https://registry.npmjs.org/ts-node/-/ts-node-10.9.1.tgz",
-      "integrity": "sha512-NtVysVPkxxrwFGUUxGYhfux8k78pQB3JqYBXlLRZgdGUqTO5wU/UyHop5p70iEbGhB7q5KmiZiU0Y3KlJrScEw==",
-      "dev": true,
-      "requires": {
-        "@cspotcode/source-map-support": "^0.8.0",
-        "@tsconfig/node10": "^1.0.7",
-        "@tsconfig/node12": "^1.0.7",
-        "@tsconfig/node14": "^1.0.0",
-        "@tsconfig/node16": "^1.0.2",
-        "acorn": "^8.4.1",
-        "acorn-walk": "^8.1.1",
-        "arg": "^4.1.0",
-        "create-require": "^1.1.0",
-        "diff": "^4.0.1",
-        "make-error": "^1.1.1",
-        "v8-compile-cache-lib": "^3.0.1",
-        "yn": "3.1.1"
-      }
-    },
-    "tslib": {
-      "version": "2.4.0",
-      "resolved": "https://registry.npmjs.org/tslib/-/tslib-2.4.0.tgz",
-      "integrity": "sha512-d6xOpEDfsi2CZVlPQzGeux8XMwLT9hssAsaPYExaQMuYskwb+x1x7J371tWlbBdWHroy99KnVB6qIkUbs5X3UQ=="
-    },
-    "tsutils": {
-      "version": "3.21.0",
-      "resolved": "https://registry.npmjs.org/tsutils/-/tsutils-3.21.0.tgz",
-      "integrity": "sha512-mHKK3iUXL+3UF6xL5k0PEhKRUBKPBCv/+RkEOpjRWxxx27KKRBmmA60A9pgOUvMi8GKhRMPEmjBRPzs2W7O1OA==",
-      "dev": true,
-      "requires": {
-        "tslib": "^1.8.1"
-      },
-      "dependencies": {
-        "tslib": {
-          "version": "1.14.1",
-          "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz",
-          "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==",
-          "dev": true
-        }
-      }
-    },
-    "type-check": {
-      "version": "0.4.0",
-      "resolved": "https://registry.npmjs.org/type-check/-/type-check-0.4.0.tgz",
-      "integrity": "sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==",
-      "dev": true,
-      "requires": {
-        "prelude-ls": "^1.2.1"
-      }
-    },
-    "type-fest": {
-      "version": "0.20.2",
-      "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.20.2.tgz",
-      "integrity": "sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==",
-      "dev": true
-    },
-    "typedoc": {
-      "version": "0.23.14",
-      "resolved": "https://registry.npmjs.org/typedoc/-/typedoc-0.23.14.tgz",
-      "integrity": "sha512-s2I+ZKBET38EctZvbXp2GooHrNaKjWZkrwGEK/sttnOGiKJqU0vHrsdcwLgKZGuo2aedNL3RRPj1LnAAeYscig==",
-      "dev": true,
-      "requires": {
-        "lunr": "^2.3.9",
-        "marked": "^4.0.19",
-        "minimatch": "^5.1.0",
-        "shiki": "^0.11.1"
-      },
-      "dependencies": {
-        "brace-expansion": {
-          "version": "2.0.1",
-          "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-2.0.1.tgz",
-          "integrity": "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==",
-          "dev": true,
-          "requires": {
-            "balanced-match": "^1.0.0"
-          }
-        },
-        "minimatch": {
-          "version": "5.1.0",
-          "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-5.1.0.tgz",
-          "integrity": "sha512-9TPBGGak4nHfGZsPBohm9AWg6NoT7QTCehS3BIJABslyZbzxfV78QM2Y6+i741OPZIafFAaiiEMh5OyIrJPgtg==",
-          "dev": true,
-          "requires": {
-            "brace-expansion": "^2.0.1"
-          }
-        }
-      }
-    },
-    "typescript": {
-      "version": "4.7.4",
-      "resolved": "https://registry.npmjs.org/typescript/-/typescript-4.7.4.tgz",
-      "integrity": "sha512-C0WQT0gezHuw6AdY1M2jxUO83Rjf0HP7Sk1DtXj6j1EwkQNZrHAg2XPWlq62oqEhYvONq5pkC2Y9oPljWToLmQ==",
-      "dev": true
-    },
-    "undici": {
-      "version": "5.10.0",
-      "resolved": "https://registry.npmjs.org/undici/-/undici-5.10.0.tgz",
-      "integrity": "sha512-c8HsD3IbwmjjbLvoZuRI26TZic+TSEe8FPMLLOkN1AfYRhdjnKBU6yL+IwcSCbdZiX4e5t0lfMDLDCqj4Sq70g==",
-      "dev": true
-    },
-    "uri-js": {
-      "version": "4.4.1",
-      "resolved": "https://registry.npmjs.org/uri-js/-/uri-js-4.4.1.tgz",
-      "integrity": "sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==",
-      "dev": true,
-      "requires": {
-        "punycode": "^2.1.0"
-      }
-    },
-    "util": {
-      "version": "0.10.3",
-      "resolved": "https://registry.npmjs.org/util/-/util-0.10.3.tgz",
-      "integrity": "sha512-5KiHfsmkqacuKjkRkdV7SsfDJ2EGiPsK92s2MhNSY0craxjTdKTtqKsJaCWp4LW33ZZ0OPUv1WO/TFvNQRiQxQ==",
-      "dev": true,
-      "requires": {
-        "inherits": "2.0.1"
-      },
-      "dependencies": {
-        "inherits": {
-          "version": "2.0.1",
-          "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.1.tgz",
-          "integrity": "sha512-8nWq2nLTAwd02jTqJExUYFSD/fKq6VH9Y/oG2accc/kdI0V98Bag8d5a4gi3XHz73rDWa2PvTtvcWYquKqSENA==",
-          "dev": true
-        }
-      }
-    },
-    "util-deprecate": {
-      "version": "1.0.2",
-      "resolved": "https://registry.npmjs.org/util-deprecate/-/util-deprecate-1.0.2.tgz",
-      "integrity": "sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==",
-      "dev": true
-    },
-    "v8-compile-cache-lib": {
-      "version": "3.0.1",
-      "resolved": "https://registry.npmjs.org/v8-compile-cache-lib/-/v8-compile-cache-lib-3.0.1.tgz",
-      "integrity": "sha512-wa7YjyUGfNZngI/vtK0UHAN+lgDCxBPCylVXGp0zu59Fz5aiGtNXaq3DhIov063MorB+VfufLh3JlF2KdTK3xg==",
-      "dev": true
-    },
-    "vscode-oniguruma": {
-      "version": "1.6.2",
-      "resolved": "https://registry.npmjs.org/vscode-oniguruma/-/vscode-oniguruma-1.6.2.tgz",
-      "integrity": "sha512-KH8+KKov5eS/9WhofZR8M8dMHWN2gTxjMsG4jd04YhpbPR91fUj7rYQ2/XjeHCJWbg7X++ApRIU9NUwM2vTvLA==",
-      "dev": true
-    },
-    "vscode-textmate": {
-      "version": "6.0.0",
-      "resolved": "https://registry.npmjs.org/vscode-textmate/-/vscode-textmate-6.0.0.tgz",
-      "integrity": "sha512-gu73tuZfJgu+mvCSy4UZwd2JXykjK9zAZsfmDeut5dx/1a7FeTk0XwJsSuqQn+cuMCGVbIBfl+s53X4T19DnzQ==",
-      "dev": true
-    },
-    "which": {
-      "version": "2.0.2",
-      "resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz",
-      "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==",
-      "dev": true,
-      "requires": {
-        "isexe": "^2.0.0"
-      }
-    },
-    "word-wrap": {
-      "version": "1.2.3",
-      "resolved": "https://registry.npmjs.org/word-wrap/-/word-wrap-1.2.3.tgz",
-      "integrity": "sha512-Hz/mrNwitNRh/HUAtM/VT/5VH+ygD6DV7mYKZAtHOrbs8U7lvPS6xf7EJKMF0uW1KJCl0H701g3ZGus+muE5vQ==",
-      "dev": true
-    },
-    "wrappy": {
-      "version": "1.0.2",
-      "resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz",
-      "integrity": "sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==",
-      "dev": true
-    },
-    "ws": {
-      "version": "8.8.1",
-      "resolved": "https://registry.npmjs.org/ws/-/ws-8.8.1.tgz",
-      "integrity": "sha512-bGy2JzvzkPowEJV++hF07hAD6niYSr0JzBNo/J29WsB57A2r7Wlc1UFcTR9IzrPvuNVO4B8LGqF8qcpsVOhJCA==",
-      "requires": {}
-    },
-    "yallist": {
-      "version": "4.0.0",
-      "resolved": "https://registry.npmjs.org/yallist/-/yallist-4.0.0.tgz",
-      "integrity": "sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==",
-      "dev": true
-    },
-    "yn": {
-      "version": "3.1.1",
-      "resolved": "https://registry.npmjs.org/yn/-/yn-3.1.1.tgz",
-      "integrity": "sha512-Ux4ygGWsu2c7isFWe8Yu1YluJmqVhxqK2cLXNQA5AcC3QfbGNpM7fu0Y8b/z16pXLnFxZYvWhd3fhBY9DLmC6Q==",
-      "dev": true
-    },
-    "yocto-queue": {
-      "version": "0.1.0",
-      "resolved": "https://registry.npmjs.org/yocto-queue/-/yocto-queue-0.1.0.tgz",
-      "integrity": "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==",
-      "dev": true
-    }
-  }
-}
diff --git a/helpers/Music/package.json b/helpers/Music/package.json
deleted file mode 100644
index d80e6a49..00000000
--- a/helpers/Music/package.json
+++ /dev/null
@@ -1,61 +0,0 @@
-{
-  "name": "music-player",
-  "version": "1.0.0",
-  "description": "music player",
-  "main": "dist/index.js",
-  "types": "dist/index.d.ts",
-  "files": [
-    "dist/"
-  ],
-  "module": "dist/index.mjs",
-  "exports": {
-    ".": {
-      "require": "./dist/index.js",
-      "import": "./dist/index.mjs"
-    },
-    "./smoothVolume": "./dist/smoothVolume.js",
-    "./src/*": "./dist/*",
-    "./dist/*": "./dist/*"
-  },
-  "scripts": {
-    "dev": "cd examples/test && ts-node index.ts",
-    "build": "rimraf dist && tsc && npm run build:esm",
-    "build:check": "tsc --noEmit --incremental false",
-    "prepublishOnly": "rollup-type-bundler -e stream",
-    "build:esm": "gen-esm-wrapper ./dist/index.js ./dist/index.mjs",
-    "format": "prettier --write \"src/**/*.ts\"",
-    "docs": "typedoc --json docs/typedoc.json src/index.ts",
-    "postdocs": "node scripts/docgen.js",
-    "lint": "eslint src --ext .ts",
-    "prepare": "husky install",
-    "lint:fix": "eslint src --ext .ts --fix"
-  },
-  "author": "Jonny_Bro",
-  "license": "NO LICENSE",
-  "dependencies": {
-    "@discordjs/voice": "^0.11.0",
-    "libsodium-wrappers": "^0.7.10",
-    "spotify-url-info": "^3.1.2",
-    "tiny-typed-emitter": "^2.1.0",
-    "tslib": "^2.4.0"
-  },
-  "devDependencies": {
-    "@discordjs/ts-docgen": "^0.4.1",
-    "@favware/rollup-type-bundler": "^1.0.10",
-    "@types/node": "^18.6.3",
-    "@types/ws": "^8.5.3",
-    "@typescript-eslint/eslint-plugin": "^5.32.0",
-    "@typescript-eslint/parser": "^5.32.0",
-    "discord-api-types": "^0.37.0",
-    "discord.js": "^14.1.2",
-    "eslint": "^8.21.0",
-    "gen-esm-wrapper": "^1.1.3",
-    "husky": "^8.0.1",
-    "opusscript": "^0.0.8",
-    "prettier": "^2.7.1",
-    "rimraf": "^3.0.2",
-    "ts-node": "^10.9.1",
-    "typedoc": "^0.23.10",
-    "typescript": "^4.7.4"
-  }
-}
diff --git a/helpers/Music/src/Player.ts b/helpers/Music/src/Player.ts
deleted file mode 100644
index aa938703..00000000
--- a/helpers/Music/src/Player.ts
+++ /dev/null
@@ -1,607 +0,0 @@
-import { Client, Collection, GuildResolvable, Snowflake, User, VoiceState, IntentsBitField } from "discord.js";
-import { TypedEmitter as EventEmitter } from "tiny-typed-emitter";
-import { Queue } from "./Structures/Queue";
-import { VoiceUtils } from "./VoiceInterface/VoiceUtils";
-import { PlayerEvents, PlayerOptions, QueryType, SearchOptions, PlayerInitOptions, PlayerSearchResult, PlaylistInitData } from "./types/types";
-import Track from "./Structures/Track";
-import play, { SoundCloudPlaylist, YouTubePlayList } from "play-dl";
-import Spotify from "spotify-url-info";
-import { QueryResolver } from "./utils/QueryResolver";
-import { Util } from "./utils/Util";
-import { PlayerError, ErrorStatusCode } from "./Structures/PlayerError";
-import { Playlist } from "./Structures/Playlist";
-import { ExtractorModel } from "./Structures/ExtractorModel";
-import { generateDependencyReport } from "@discordjs/voice";
-
-class Player extends EventEmitter<PlayerEvents> {
-    public readonly client: Client;
-    public readonly options: PlayerInitOptions = {
-        autoRegisterExtractor: true,
-        connectionTimeout: 20000
-    };
-    public readonly queues = new Collection<Snowflake, Queue>();
-    public readonly voiceUtils = new VoiceUtils();
-    public readonly extractors = new Collection<string, ExtractorModel>();
-    public requiredEvents = ["error", "connectionError"] as string[];
-
-    /**
-     * Creates new Discord Player
-     * @param {Client} client The Discord Client
-     * @param {PlayerInitOptions} [options] The player init options
-     */
-    constructor(client: Client, options: PlayerInitOptions = {}) {
-        super();
-
-        /**
-         * The discord.js client
-         * @type {Client}
-         */
-        this.client = client;
-
-        if (this.client?.options?.intents && !new IntentsBitField(this.client?.options?.intents).has(IntentsBitField.Flags.GuildVoiceStates)) {
-            throw new PlayerError('client is missing "GuildVoiceStates" intent');
-        }
-
-        /**
-         * The extractors collection
-         * @type {ExtractorModel}
-         */
-        this.options = Object.assign(this.options, options);
-
-        this.client.on("voiceStateUpdate", this._handleVoiceState.bind(this));
-
-        if (this.options?.autoRegisterExtractor) {
-            let nv: any; // eslint-disable-line @typescript-eslint/no-explicit-any
-
-            if ((nv = Util.require("@discord-player/extractor"))) {
-                ["Attachment", "Facebook", "Reverbnation", "Vimeo"].forEach((ext) => void this.use(ext, nv[ext]));
-            }
-        }
-    }
-
-    /**
-     * Handles voice state update
-     * @param {VoiceState} oldState The old voice state
-     * @param {VoiceState} newState The new voice state
-     * @returns {void}
-     * @private
-     */
-    private _handleVoiceState(oldState: VoiceState, newState: VoiceState): void {
-        const queue = this.getQueue(oldState.guild.id);
-        if (!queue || !queue.connection) return;
-
-        if (oldState.channelId && !newState.channelId && newState.member.id === newState.guild.members.me.id) {
-            try {
-                queue.destroy();
-            } catch {
-                /* noop */
-            }
-            return void this.emit("botDisconnect", queue);
-        }
-
-        if (!oldState.channelId && newState.channelId && newState.member.id === newState.guild.members.me.id) {
-            if (!oldState.serverMute && newState.serverMute) {
-                // state.serverMute can be null
-                queue.setPaused(!!newState.serverMute);
-            } else if (!oldState.suppress && newState.suppress) {
-                // state.suppress can be null
-                queue.setPaused(!!newState.suppress);
-                if (newState.suppress) {
-                    newState.guild.members.me.voice.setRequestToSpeak(true).catch(Util.noop);
-                }
-            }
-        }
-
-        if (oldState.channelId === newState.channelId && newState.member.id === newState.guild.members.me.id) {
-            if (!oldState.serverMute && newState.serverMute) {
-                // state.serverMute can be null
-                queue.setPaused(!!newState.serverMute);
-            } else if (!oldState.suppress && newState.suppress) {
-                // state.suppress can be null
-                queue.setPaused(!!newState.suppress);
-                if (newState.suppress) {
-                    newState.guild.members.me.voice.setRequestToSpeak(true).catch(Util.noop);
-                }
-            }
-        }
-
-        if (queue.connection && !newState.channelId && oldState.channelId === queue.connection.channel.id) {
-            if (!Util.isVoiceEmpty(queue.connection.channel)) return;
-            const timeout = setTimeout(() => {
-                if (!Util.isVoiceEmpty(queue.connection.channel)) return;
-                if (!this.queues.has(queue.guild.id)) return;
-                if (queue.options.leaveOnEmpty) queue.destroy(true);
-                this.emit("channelEmpty", queue);
-            }, queue.options.leaveOnEmptyCooldown || 0).unref();
-            queue._cooldownsTimeout.set(`empty_${oldState.guild.id}`, timeout);
-        }
-
-        if (queue.connection && newState.channelId && newState.channelId === queue.connection.channel.id) {
-            const emptyTimeout = queue._cooldownsTimeout.get(`empty_${oldState.guild.id}`);
-            const channelEmpty = Util.isVoiceEmpty(queue.connection.channel);
-            if (!channelEmpty && emptyTimeout) {
-                clearTimeout(emptyTimeout);
-                queue._cooldownsTimeout.delete(`empty_${oldState.guild.id}`);
-            }
-        }
-
-        if (oldState.channelId && newState.channelId && oldState.channelId !== newState.channelId && newState.member.id === newState.guild.members.me.id) {
-            if (queue.connection && newState.member.id === newState.guild.members.me.id) queue.connection.channel = newState.channel;
-            const emptyTimeout = queue._cooldownsTimeout.get(`empty_${oldState.guild.id}`);
-            const channelEmpty = Util.isVoiceEmpty(queue.connection.channel);
-            if (!channelEmpty && emptyTimeout) {
-                clearTimeout(emptyTimeout);
-                queue._cooldownsTimeout.delete(`empty_${oldState.guild.id}`);
-            } else {
-                const timeout = setTimeout(() => {
-                    if (queue.connection && !Util.isVoiceEmpty(queue.connection.channel)) return;
-                    if (!this.queues.has(queue.guild.id)) return;
-                    if (queue.options.leaveOnEmpty) queue.destroy(true);
-                    this.emit("channelEmpty", queue);
-                }, queue.options.leaveOnEmptyCooldown || 0).unref();
-                queue._cooldownsTimeout.set(`empty_${oldState.guild.id}`, timeout);
-            }
-        }
-    }
-
-    /**
-     * Creates a queue for a guild if not available, else returns existing queue
-     * @param {GuildResolvable} guild The guild
-     * @param {PlayerOptions} queueInitOptions Queue init options
-     * @returns {Queue}
-     */
-    createQueue<T = unknown>(guild: GuildResolvable, queueInitOptions: PlayerOptions & { metadata?: T } = {}): Queue<T> {
-        guild = this.client.guilds.resolve(guild);
-        if (!guild) throw new PlayerError("Unknown Guild", ErrorStatusCode.UNKNOWN_GUILD);
-        if (this.queues.has(guild.id)) return this.queues.get(guild.id) as Queue<T>;
-
-        const _meta = queueInitOptions.metadata;
-        delete queueInitOptions["metadata"];
-        queueInitOptions.volumeSmoothness ??= 0.08;
-        const queue = new Queue(this, guild, queueInitOptions);
-        queue.metadata = _meta;
-        this.queues.set(guild.id, queue);
-
-        return queue as Queue<T>;
-    }
-
-    /**
-     * Returns the queue if available
-     * @param {GuildResolvable} guild The guild id
-     * @returns {Queue}
-     */
-    getQueue<T = unknown>(guild: GuildResolvable) {
-        guild = this.client.guilds.resolve(guild);
-        if (!guild) throw new PlayerError("Unknown Guild", ErrorStatusCode.UNKNOWN_GUILD);
-        return this.queues.get(guild.id) as Queue<T>;
-    }
-
-    /**
-     * Deletes a queue and returns deleted queue object
-     * @param {GuildResolvable} guild The guild id to remove
-     * @returns {Queue}
-     */
-    deleteQueue<T = unknown>(guild: GuildResolvable) {
-        guild = this.client.guilds.resolve(guild);
-        if (!guild) throw new PlayerError("Unknown Guild", ErrorStatusCode.UNKNOWN_GUILD);
-        const prev = this.getQueue<T>(guild);
-
-        try {
-            prev.destroy();
-        } catch {} // eslint-disable-line no-empty
-        this.queues.delete(guild.id);
-
-        return prev;
-    }
-
-    /**
-     * @typedef {object} PlayerSearchResult
-     * @property {Playlist} [playlist] The playlist (if any)
-     * @property {Track[]} tracks The tracks
-     */
-    /**
-     * Search tracks
-     * @param {string|Track} query The search query
-     * @param {SearchOptions} options The search options
-     * @returns {Promise<PlayerSearchResult>}
-     */
-    async search(query: string | Track, options: SearchOptions): Promise<PlayerSearchResult> {
-        if (query instanceof Track) return { playlist: query.playlist || null, tracks: [query] };
-        if (!options) throw new PlayerError("DiscordPlayer#search needs search options!", ErrorStatusCode.INVALID_ARG_TYPE);
-        options.requestedBy = this.client.users.resolve(options.requestedBy);
-        if (!("searchEngine" in options)) options.searchEngine = QueryType.AUTO;
-        if (typeof options.searchEngine === "string" && this.extractors.has(options.searchEngine)) {
-            const extractor = this.extractors.get(options.searchEngine);
-            if (!extractor.validate(query)) return { playlist: null, tracks: [] };
-            const data = await extractor.handle(query);
-            if (data && data.data.length) {
-                const playlist = !data.playlist
-                    ? null
-                    : new Playlist(this, {
-                          ...data.playlist,
-                          tracks: []
-                      });
-
-                const tracks = data.data.map(
-                    (m) =>
-                        new Track(this, {
-                            ...m,
-                            requestedBy: options.requestedBy as User,
-                            duration: Util.buildTimeCode(Util.parseMS(m.duration)),
-                            playlist: playlist
-                        })
-                );
-
-                if (playlist) playlist.tracks = tracks;
-
-                return { playlist: playlist, tracks: tracks };
-            }
-        }
-
-        // eslint-disable-next-line @typescript-eslint/no-unused-vars
-        for (const [_, extractor] of this.extractors) {
-            if (options.blockExtractor) break;
-            if (!extractor.validate(query)) continue;
-            const data = await extractor.handle(query);
-            if (data && data.data.length) {
-                const playlist = !data.playlist
-                    ? null
-                    : new Playlist(this, {
-                          ...data.playlist,
-                          tracks: []
-                      });
-
-                const tracks = data.data.map(
-                    (m) =>
-                        new Track(this, {
-                            ...m,
-                            requestedBy: options.requestedBy as User,
-                            duration: Util.buildTimeCode(Util.parseMS(m.duration)),
-                            playlist: playlist
-                        })
-                );
-
-                if (playlist) playlist.tracks = tracks;
-
-                return { playlist: playlist, tracks: tracks };
-            }
-        }
-
-        const qt = options.searchEngine === QueryType.AUTO ? await QueryResolver.resolve(query) : options.searchEngine;
-        switch (qt) {
-            case QueryType.YOUTUBE_VIDEO: {
-                const info = await play.video_info(query).catch(Util.noop);
-                if (!info) return { playlist: null, tracks: [] };
-
-                const track = new Track(this, {
-                    title: info.video_details.title,
-                    description: info.video_details.description,
-                    author: info.video_details.channel?.name,
-                    url: info.video_details.url,
-                    requestedBy: options.requestedBy as User,
-                    thumbnail: Util.last(info.video_details.thumbnails)?.url,
-                    views: info.video_details.views || 0,
-                    duration: Util.buildTimeCode(Util.parseMS(info.video_details.durationInSec * 1000)),
-                    source: "youtube",
-                    raw: info
-                });
-
-                return { playlist: null, tracks: [track] };
-            }
-            case QueryType.YOUTUBE_SEARCH: {
-                const videos = await play.search(query, {
-					limit: 10,
-                    source: { youtube: "video" }
-                }).catch(Util.noop);
-                if (!videos) return { playlist: null, tracks: [] };
-
-                const tracks = videos.map(m => {
-                    (m as any).source = "youtube"; // eslint-disable-line @typescript-eslint/no-explicit-any
-                    return new Track(this, {
-                        title: m.title,
-                        description: m.description,
-                        author: m.channel?.name,
-                        url: m.url,
-                        requestedBy: options.requestedBy as User,
-                        thumbnail: Util.last(m.thumbnails).url,
-                        views: m.views,
-                        duration: m.durationRaw,
-                        source: "youtube",
-                        raw: m
-                    });
-                });
-
-                return { playlist: null, tracks, searched: true };
-            }
-            case QueryType.SOUNDCLOUD_TRACK:
-            case QueryType.SOUNDCLOUD_SEARCH: {
-                const result = await QueryResolver.resolve(query) === QueryType.SOUNDCLOUD_TRACK ? [{ url: query }] : await play.search(query, {
-					limit: 5,
-					source: { soundcloud: "tracks" }
-				}).catch(() => []);
-                if (!result || !result.length) return { playlist: null, tracks: [] };
-                const res: Track[] = [];
-
-                for (const r of result) {
-                    const trackInfo = await play.soundcloud(r.url).catch(Util.noop);
-                    if (!trackInfo) continue;
-
-                    const track = new Track(this, {
-                        title: trackInfo.name,
-                        url: trackInfo.url,
-                        duration: Util.buildTimeCode(Util.parseMS(trackInfo.durationInMs)),
-                        description: "",
-                        thumbnail: trackInfo.user.thumbnail,
-                        views: 0,
-                        author: trackInfo.user.name,
-                        requestedBy: options.requestedBy,
-                        source: "soundcloud",
-                        engine: trackInfo
-                    });
-
-                    res.push(track);
-                }
-
-                return { playlist: null, tracks: res };
-            }
-            case QueryType.SPOTIFY_SONG: {
-                const spotifyData = await Spotify(await Util.getFetch())
-                    .getData(query)
-                    .catch(Util.noop);
-                if (!spotifyData) return { playlist: null, tracks: [] };
-                const spotifyTrack = new Track(this, {
-                    title: spotifyData.name,
-                    description: spotifyData.description ?? "",
-                    author: spotifyData.artists[0]?.name ?? "Unknown Artist",
-                    url: spotifyData.external_urls?.spotify ?? query,
-                    thumbnail:
-                        spotifyData.album?.images[0]?.url ?? spotifyData.preview_url?.length
-                            ? `https://i.scdn.co/image/${spotifyData.preview_url?.split("?cid=")[1]}`
-                            : "https://www.scdn.co/i/_global/twitter_card-default.jpg",
-                    duration: Util.buildTimeCode(Util.parseMS(spotifyData.duration_ms)),
-                    views: 0,
-                    requestedBy: options.requestedBy,
-                    source: "spotify"
-                });
-
-                return { playlist: null, tracks: [spotifyTrack] };
-            }
-            case QueryType.SPOTIFY_PLAYLIST:
-            case QueryType.SPOTIFY_ALBUM: {
-                const spotifyPlaylist = await Spotify(await Util.getFetch())
-                    .getData(query)
-                    .catch(Util.noop);
-                if (!spotifyPlaylist) return { playlist: null, tracks: [] };
-
-                const playlist = new Playlist(this, {
-                    title: spotifyPlaylist.name ?? spotifyPlaylist.title,
-                    description: spotifyPlaylist.description ?? "",
-                    thumbnail: spotifyPlaylist.images[0]?.url ?? "https://www.scdn.co/i/_global/twitter_card-default.jpg",
-                    type: spotifyPlaylist.type,
-                    source: "spotify",
-                    author:
-                        spotifyPlaylist.type !== "playlist"
-                            ? {
-                                  name: spotifyPlaylist.artists[0]?.name ?? "Unknown Artist",
-                                  url: spotifyPlaylist.artists[0]?.external_urls?.spotify ?? null
-                              }
-                            : {
-                                  name: spotifyPlaylist.owner?.display_name ?? spotifyPlaylist.owner?.id ?? "Unknown Artist",
-                                  url: spotifyPlaylist.owner?.external_urls?.spotify ?? null
-                              },
-                    tracks: [],
-                    id: spotifyPlaylist.id,
-                    url: spotifyPlaylist.external_urls?.spotify ?? query,
-                    rawPlaylist: spotifyPlaylist
-                });
-
-                if (spotifyPlaylist.type !== "playlist") {
-                    // eslint-disable-next-line @typescript-eslint/no-explicit-any
-                    playlist.tracks = spotifyPlaylist.tracks.items.map((m: any) => {
-                        const data = new Track(this, {
-                            title: m.name ?? "",
-                            description: m.description ?? "",
-                            author: m.artists[0]?.name ?? "Unknown Artist",
-                            url: m.external_urls?.spotify ?? query,
-                            thumbnail: spotifyPlaylist.images[0]?.url ?? "https://www.scdn.co/i/_global/twitter_card-default.jpg",
-                            duration: Util.buildTimeCode(Util.parseMS(m.duration_ms)),
-                            views: 0,
-                            requestedBy: options.requestedBy as User,
-                            playlist,
-                            source: "spotify"
-                        });
-
-                        return data;
-                    }) as Track[];
-                } else {
-                    // eslint-disable-next-line @typescript-eslint/no-explicit-any
-                    playlist.tracks = spotifyPlaylist.tracks.items.map((m: any) => {
-                        const data = new Track(this, {
-                            title: m.track.name ?? "",
-                            description: m.track.description ?? "",
-                            author: m.track.artists?.[0]?.name ?? "Unknown Artist",
-                            url: m.track.external_urls?.spotify ?? query,
-                            thumbnail: m.track.album?.images?.[0]?.url ?? "https://www.scdn.co/i/_global/twitter_card-default.jpg",
-                            duration: Util.buildTimeCode(Util.parseMS(m.track.duration_ms)),
-                            views: 0,
-                            requestedBy: options.requestedBy as User,
-                            playlist,
-                            source: "spotify"
-                        });
-
-                        return data;
-                    }) as Track[];
-                }
-
-                return { playlist: playlist, tracks: playlist.tracks };
-            }
-            case QueryType.SOUNDCLOUD_PLAYLIST: {
-                const data = await play.soundcloud(query).catch(Util.noop) as unknown as SoundCloudPlaylist;
-                if (!data) return { playlist: null, tracks: [] };
-
-                const res = new Playlist(this, {
-                    title: data.name,
-                    description: "",
-                    thumbnail: "https://soundcloud.com/pwa-icon-192.png",
-                    type: "playlist",
-                    source: "soundcloud",
-                    author: {
-                        name: data.user.name ?? "Unknown Owner",
-                        url: data.user.url
-                    },
-                    tracks: [],
-                    id: `${data.id}`, // stringified
-                    url: data.url,
-                    rawPlaylist: data
-                });
-
-				const songs = await data.all_tracks();
-                for (const song of songs) {
-                    const track = new Track(this, {
-                        title: song.name,
-                        description: "",
-                        author: song.publisher.name ?? "Unknown Publisher",
-                        url: song.url,
-                        thumbnail: song.thumbnail,
-                        duration: Util.buildTimeCode(Util.parseMS(song.durationInMs)),
-                        views: 0,
-                        requestedBy: options.requestedBy,
-                        playlist: res,
-                        source: "soundcloud",
-                        engine: song
-                    });
-                    res.tracks.push(track);
-                }
-
-                return { playlist: res, tracks: res.tracks };
-            }
-            case QueryType.YOUTUBE_PLAYLIST: {
-                const ytpl = await play.playlist_info(query, { incomplete: true }).catch(Util.noop) as unknown as YouTubePlayList;
-                if (!ytpl) return { playlist: null, tracks: [] };
-
-                const playlist: Playlist = new Playlist(this, {
-                    title: ytpl.title,
-                    thumbnail: ytpl.thumbnail as unknown as string,
-                    description: "",
-                    type: "playlist",
-                    source: "youtube",
-                    author: {
-                        name: ytpl.channel.name,
-                        url: ytpl.channel.url
-                    },
-                    tracks: [],
-                    id: ytpl.id,
-                    url: ytpl.url,
-                    rawPlaylist: ytpl
-                });
-
-				const videos = await ytpl.all_videos();
-                playlist.tracks = videos.map(video =>
-                    new Track(this, {
-                        title: video.title,
-                        description: video.description,
-                        author: video.channel?.name,
-                        url: video.url,
-                        requestedBy: options.requestedBy as User,
-                        thumbnail: Util.last(video.thumbnails).url,
-                        views: video.views,
-                        duration: video.durationRaw,
-                        raw: video,
-                        playlist: playlist,
-                        source: "youtube"
-                    }));
-
-                return { playlist: playlist, tracks: playlist.tracks };
-            }
-            default:
-                return { playlist: null, tracks: [] };
-        }
-    }
-
-    /**
-     * Registers extractor
-     * @param {string} extractorName The extractor name
-     * @param {ExtractorModel|any} extractor The extractor object
-     * @param {boolean} [force=false] Overwrite existing extractor with this name (if available)
-     * @returns {ExtractorModel}
-     */
-    // eslint-disable-next-line @typescript-eslint/no-explicit-any
-    use(extractorName: string, extractor: ExtractorModel | any, force = false): ExtractorModel {
-        if (!extractorName) throw new PlayerError("Cannot use unknown extractor!", ErrorStatusCode.UNKNOWN_EXTRACTOR);
-        if (this.extractors.has(extractorName) && !force) return this.extractors.get(extractorName);
-        if (extractor instanceof ExtractorModel) {
-            this.extractors.set(extractorName, extractor);
-            return extractor;
-        }
-
-        for (const method of ["validate", "getInfo"]) {
-            if (typeof extractor[method] !== "function") throw new PlayerError("Invalid extractor data!", ErrorStatusCode.INVALID_EXTRACTOR);
-        }
-
-        const model = new ExtractorModel(extractorName, extractor);
-        this.extractors.set(model.name, model);
-
-        return model;
-    }
-
-    /**
-     * Removes registered extractor
-     * @param {string} extractorName The extractor name
-     * @returns {ExtractorModel}
-     */
-    unuse(extractorName: string) {
-        if (!this.extractors.has(extractorName)) throw new PlayerError(`Cannot find extractor "${extractorName}"`, ErrorStatusCode.UNKNOWN_EXTRACTOR);
-        const prev = this.extractors.get(extractorName);
-        this.extractors.delete(extractorName);
-        return prev;
-    }
-
-    /**
-     * Generates a report of the dependencies used by the `@discordjs/voice` module. Useful for debugging.
-     * @returns {string}
-     */
-    scanDeps() {
-        const line = "-".repeat(50);
-        const depsReport = generateDependencyReport();
-        const extractorReport = this.extractors
-            .map((m) => {
-                return `${m.name} :: ${m.version || "0.1.0"}`;
-            })
-            .join("\n");
-        return `${depsReport}\n${line}\nLoaded Extractors:\n${extractorReport || "None"}`;
-    }
-
-    emit<U extends keyof PlayerEvents>(eventName: U, ...args: Parameters<PlayerEvents[U]>): boolean {
-        if (this.requiredEvents.includes(eventName) && !super.eventNames().includes(eventName)) {
-            // eslint-disable-next-line no-console
-            console.error(...args);
-            process.emitWarning(`[DiscordPlayerWarning] Unhandled "${eventName}" event! Events ${this.requiredEvents.map((m) => `"${m}"`).join(", ")} must have event listeners!`);
-            return false;
-        } else {
-            return super.emit(eventName, ...args);
-        }
-    }
-
-    /**
-     * Resolves queue
-     * @param {GuildResolvable|Queue} queueLike Queue like object
-     * @returns {Queue}
-     */
-    resolveQueue<T>(queueLike: GuildResolvable | Queue): Queue<T> {
-        return this.getQueue(queueLike instanceof Queue ? queueLike.guild : queueLike);
-    }
-
-    *[Symbol.iterator]() {
-        yield* Array.from(this.queues.values());
-    }
-
-    /**
-     * Creates `Playlist` instance
-     * @param data The data to initialize a playlist
-     */
-    createPlaylist(data: PlaylistInitData) {
-        return new Playlist(this, data);
-    }
-}
-
-export { Player };
diff --git a/helpers/Music/src/Structures/ExtractorModel.ts b/helpers/Music/src/Structures/ExtractorModel.ts
deleted file mode 100644
index dc816180..00000000
--- a/helpers/Music/src/Structures/ExtractorModel.ts
+++ /dev/null
@@ -1,73 +0,0 @@
-import { ExtractorModelData } from "../types/types";
-
-class ExtractorModel {
-    name: string;
-    private _raw: any; // eslint-disable-line @typescript-eslint/no-explicit-any
-
-    /**
-     * Model for raw Discord Player extractors
-     * @param {string} extractorName Name of the extractor
-     * @param {object} data Extractor object
-     */
-    // eslint-disable-next-line @typescript-eslint/no-explicit-any
-    constructor(extractorName: string, data: any) {
-        /**
-         * The extractor name
-         * @type {string}
-         */
-        this.name = extractorName;
-
-        /**
-         * The raw model
-         * @name ExtractorModel#_raw
-         * @type {any}
-         * @private
-         */
-        Object.defineProperty(this, "_raw", { value: data, configurable: false, writable: false, enumerable: false });
-    }
-
-    /**
-     * Method to handle requests from `Player.play()`
-     * @param {string} query Query to handle
-     * @returns {Promise<ExtractorModelData>}
-     */
-    async handle(query: string): Promise<ExtractorModelData> {
-        const data = await this._raw.getInfo(query);
-        if (!data) return null;
-
-        return {
-            playlist: data.playlist ?? null,
-            data:
-                (data.info as Omit<ExtractorModelData, "playlist">["data"])?.map((m) => ({
-                    title: m.title as string,
-                    duration: m.duration as number,
-                    thumbnail: m.thumbnail as string,
-                    engine: m.engine,
-                    views: m.views as number,
-                    author: m.author as string,
-                    description: m.description as string,
-                    url: m.url as string,
-                    source: m.source || "arbitrary"
-                })) ?? []
-        };
-    }
-
-    /**
-     * Method used by Discord Player to validate query with this extractor
-     * @param {string} query The query to validate
-     * @returns {boolean}
-     */
-    validate(query: string): boolean {
-        return Boolean(this._raw.validate(query));
-    }
-
-    /**
-     * The extractor version
-     * @type {string}
-     */
-    get version(): string {
-        return this._raw.version ?? "0.0.0";
-    }
-}
-
-export { ExtractorModel };
diff --git a/helpers/Music/src/Structures/PlayerError.ts b/helpers/Music/src/Structures/PlayerError.ts
deleted file mode 100644
index da36da6f..00000000
--- a/helpers/Music/src/Structures/PlayerError.ts
+++ /dev/null
@@ -1,53 +0,0 @@
-export enum ErrorStatusCode {
-    STREAM_ERROR = "StreamError",
-    AUDIO_PLAYER_ERROR = "AudioPlayerError",
-    PLAYER_ERROR = "PlayerError",
-    NO_AUDIO_RESOURCE = "NoAudioResource",
-    UNKNOWN_GUILD = "UnknownGuild",
-    INVALID_ARG_TYPE = "InvalidArgType",
-    UNKNOWN_EXTRACTOR = "UnknownExtractor",
-    INVALID_EXTRACTOR = "InvalidExtractor",
-    INVALID_CHANNEL_TYPE = "InvalidChannelType",
-    INVALID_TRACK = "InvalidTrack",
-    UNKNOWN_REPEAT_MODE = "UnknownRepeatMode",
-    TRACK_NOT_FOUND = "TrackNotFound",
-    NO_CONNECTION = "NoConnection",
-    DESTROYED_QUEUE = "DestroyedQueue"
-}
-
-export class PlayerError extends Error {
-    message: string;
-    statusCode: ErrorStatusCode;
-    createdAt = new Date();
-
-    constructor(message: string, code: ErrorStatusCode = ErrorStatusCode.PLAYER_ERROR) {
-        super();
-
-        this.message = `[${code}] ${message}`;
-        this.statusCode = code;
-        this.name = code;
-
-        Error.captureStackTrace(this);
-    }
-
-    get createdTimestamp() {
-        return this.createdAt.getTime();
-    }
-
-    valueOf() {
-        return this.statusCode;
-    }
-
-    toJSON() {
-        return {
-            stack: this.stack,
-            code: this.statusCode,
-            message: this.message,
-            created: this.createdTimestamp
-        };
-    }
-
-    toString() {
-        return this.stack;
-    }
-}
diff --git a/helpers/Music/src/Structures/Playlist.ts b/helpers/Music/src/Structures/Playlist.ts
deleted file mode 100644
index d76dd668..00000000
--- a/helpers/Music/src/Structures/Playlist.ts
+++ /dev/null
@@ -1,138 +0,0 @@
-import { Player } from "../Player";
-import { Track } from "./Track";
-import { PlaylistInitData, PlaylistJSON, TrackJSON, TrackSource } from "../types/types";
-
-class Playlist {
-    public readonly player: Player;
-    public tracks: Track[];
-    public title: string;
-    public description: string;
-    public thumbnail: string;
-    public type: "album" | "playlist";
-    public source: TrackSource;
-    public author: {
-        name: string;
-        url: string;
-    };
-    public id: string;
-    public url: string;
-    public readonly rawPlaylist?: any; // eslint-disable-line @typescript-eslint/no-explicit-any
-
-    /**
-     * Playlist constructor
-     * @param {Player} player The player
-     * @param {PlaylistInitData} data The data
-     */
-    constructor(player: Player, data: PlaylistInitData) {
-        /**
-         * The player
-         * @name Playlist#player
-         * @type {Player}
-         * @readonly
-         */
-        this.player = player;
-
-        /**
-         * The tracks in this playlist
-         * @name Playlist#tracks
-         * @type {Track[]}
-         */
-        this.tracks = data.tracks ?? [];
-
-        /**
-         * The author of this playlist
-         * @name Playlist#author
-         * @type {object}
-         */
-        this.author = data.author;
-
-        /**
-         * The description
-         * @name Playlist#description
-         * @type {string}
-         */
-        this.description = data.description;
-
-        /**
-         * The thumbnail of this playlist
-         * @name Playlist#thumbnail
-         * @type {string}
-         */
-        this.thumbnail = data.thumbnail;
-
-        /**
-         * The playlist type:
-         * - `album`
-         * - `playlist`
-         * @name Playlist#type
-         * @type {string}
-         */
-        this.type = data.type;
-
-        /**
-         * The source of this playlist:
-         * - `youtube`
-         * - `soundcloud`
-         * - `spotify`
-         * - `arbitrary`
-         * @name Playlist#source
-         * @type {string}
-         */
-        this.source = data.source;
-
-        /**
-         * The playlist id
-         * @name Playlist#id
-         * @type {string}
-         */
-        this.id = data.id;
-
-        /**
-         * The playlist url
-         * @name Playlist#url
-         * @type {string}
-         */
-        this.url = data.url;
-
-        /**
-         * The playlist title
-         * @type {string}
-         */
-        this.title = data.title;
-
-        /**
-         * @name Playlist#rawPlaylist
-         * @type {any}
-         * @readonly
-         */
-    }
-
-    *[Symbol.iterator]() {
-        yield* this.tracks;
-    }
-
-    /**
-     * JSON representation of this playlist
-     * @param {boolean} [withTracks=true] If it should build json with tracks
-     * @returns {PlaylistJSON}
-     */
-    toJSON(withTracks = true) {
-        const payload = {
-            id: this.id,
-            url: this.url,
-            title: this.title,
-            description: this.description,
-            thumbnail: this.thumbnail,
-            type: this.type,
-            source: this.source,
-            author: this.author,
-            tracks: [] as TrackJSON[]
-        };
-
-        if (withTracks) payload.tracks = this.tracks.map((m) => m.toJSON(true));
-
-        return payload as PlaylistJSON;
-    }
-}
-
-export { Playlist };
diff --git a/helpers/Music/src/Structures/Queue.ts b/helpers/Music/src/Structures/Queue.ts
deleted file mode 100644
index f55d836a..00000000
--- a/helpers/Music/src/Structures/Queue.ts
+++ /dev/null
@@ -1,776 +0,0 @@
-import { Collection, Guild, StageChannel, VoiceChannel, SnowflakeUtil, GuildChannelResolvable, ChannelType } from "discord.js";
-import { Player } from "../Player";
-import { StreamDispatcher } from "../VoiceInterface/StreamDispatcher";
-import Track from "./Track";
-import { PlayerOptions, PlayerProgressbarOptions, PlayOptions, QueueFilters, QueueRepeatMode, TrackSource } from "../types/types";
-import { AudioResource, StreamType } from "@discordjs/voice";
-import play from "play-dl";
-import { Util } from "../utils/Util";
-import AudioFilters from "../utils/AudioFilters";
-import { PlayerError, ErrorStatusCode } from "./PlayerError";
-import type { Readable } from "stream";
-import { VolumeTransformer } from "../VoiceInterface/VolumeTransformer";
-import { createFFmpegStream } from "../utils/FFmpegStream";
-
-class Queue<T = unknown> {
-    public readonly guild: Guild;
-    public readonly player: Player;
-    public connection: StreamDispatcher;
-    public tracks: Track[] = [];
-    public previousTracks: Track[] = [];
-    public options: PlayerOptions;
-    public playing = false;
-    public metadata?: T = null;
-    public repeatMode: QueueRepeatMode = 0;
-    public readonly id = SnowflakeUtil.generate().toString();
-    private _streamTime = 0;
-    public _cooldownsTimeout = new Collection<string, NodeJS.Timeout>();
-    private _activeFilters: any[] = []; // eslint-disable-line @typescript-eslint/no-explicit-any
-    private _filtersUpdate = false;
-    #lastVolume = 0;
-    #destroyed = false;
-    public onBeforeCreateStream: (track: Track, source: TrackSource, queue: Queue) => Promise<Readable | undefined> = null;
-
-    /**
-     * Queue constructor
-     * @param {Player} player The player that instantiated this queue
-     * @param {Guild} guild The guild that instantiated this queue
-     * @param {PlayerOptions} [options] Player options for the queue
-     */
-    constructor(player: Player, guild: Guild, options: PlayerOptions = {}) {
-        /**
-         * The player that instantiated this queue
-         * @type {Player}
-         * @readonly
-         */
-        this.player = player;
-
-        /**
-         * The guild that instantiated this queue
-         * @type {Guild}
-         * @readonly
-         */
-        this.guild = guild;
-
-        /**
-         * The player options for this queue
-         * @type {PlayerOptions}
-         */
-        this.options = {};
-
-        /**
-         * Queue repeat mode
-         * @type {QueueRepeatMode}
-         * @name Queue#repeatMode
-         */
-
-        /**
-         * Queue metadata
-         * @type {any}
-         * @name Queue#metadata
-         */
-
-        /**
-         * Previous tracks
-         * @type {Track[]}
-         * @name Queue#previousTracks
-         */
-
-        /**
-         * Regular tracks
-         * @type {Track[]}
-         * @name Queue#tracks
-         */
-
-        /**
-         * The connection
-         * @type {StreamDispatcher}
-         * @name Queue#connection
-         */
-
-        /**
-         * The ID of this queue
-         * @type {Snowflake}
-         * @name Queue#id
-         */
-
-        Object.assign(
-            this.options,
-            {
-                leaveOnEnd: true,
-                leaveOnStop: true,
-                leaveOnEmpty: true,
-                leaveOnEmptyCooldown: 1000,
-                autoSelfDeaf: true,
-                ytdlOptions: {
-                    highWaterMark: 1 << 25
-                },
-                initialVolume: 100,
-                bufferingTimeout: 3000,
-                spotifyBridge: true,
-                disableVolume: false
-            } as PlayerOptions,
-            options
-        );
-
-        if ("onBeforeCreateStream" in this.options) this.onBeforeCreateStream = this.options.onBeforeCreateStream;
-
-        this.player.emit("debug", this, `Queue initialized:\n\n${this.player.scanDeps()}`);
-    }
-
-    /**
-     * Returns current track
-     * @type {Track}
-     */
-    get current() {
-        if (this.#watchDestroyed()) return;
-        return this.connection.audioResource?.metadata ?? this.tracks[0];
-    }
-
-    /**
-     * If this queue is destroyed
-     * @type {boolean}
-     */
-    get destroyed() {
-        return this.#destroyed;
-    }
-
-    /**
-     * Returns current track
-     * @returns {Track}
-     */
-    nowPlaying() {
-        if (this.#watchDestroyed()) return;
-        return this.current;
-    }
-
-    /**
-     * Connects to a voice channel
-     * @param {GuildChannelResolvable} channel The voice/stage channel
-     * @returns {Promise<Queue>}
-     */
-    async connect(channel: GuildChannelResolvable) {
-        if (this.#watchDestroyed()) return;
-        const _channel = this.guild.channels.resolve(channel) as StageChannel | VoiceChannel;
-        if (![ChannelType.GuildStageVoice, ChannelType.GuildVoice].includes(_channel?.type))
-            throw new PlayerError(`Channel type must be GuildVoice or GuildStageVoice, got ${_channel?.type}!`, ErrorStatusCode.INVALID_ARG_TYPE);
-        const connection = await this.player.voiceUtils.connect(_channel, {
-            deaf: this.options.autoSelfDeaf
-        });
-        this.connection = connection;
-
-        if (_channel.type === ChannelType.GuildStageVoice) {
-            await _channel.guild.members.me.voice.setSuppressed(false).catch(async () => {
-                return await _channel.guild.members.me.voice.setRequestToSpeak(true).catch(Util.noop);
-            });
-        }
-
-        this.connection.on("error", (err) => {
-            if (this.#watchDestroyed(false)) return;
-            this.player.emit("connectionError", this, err);
-        });
-        this.connection.on("debug", (msg) => {
-            if (this.#watchDestroyed(false)) return;
-            this.player.emit("debug", this, msg);
-        });
-
-        this.player.emit("connectionCreate", this, this.connection);
-
-        this.connection.on("start", (resource) => {
-            if (this.#watchDestroyed(false)) return;
-            this.playing = true;
-            if (!this._filtersUpdate) this.player.emit("trackStart", this, resource?.metadata ?? this.current);
-            this._filtersUpdate = false;
-        });
-
-        this.connection.on("finish", async (resource) => {
-            if (this.#watchDestroyed(false)) return;
-            this.playing = false;
-            if (this._filtersUpdate) return;
-            this._streamTime = 0;
-            if (resource?.metadata) this.previousTracks.push(resource.metadata);
-
-            this.player.emit("trackEnd", this, resource.metadata);
-
-            if (!this.tracks.length && this.repeatMode === QueueRepeatMode.OFF) {
-                if (this.options.leaveOnEnd) this.destroy();
-                this.player.emit("queueEnd", this);
-            } else if (!this.tracks.length && this.repeatMode === QueueRepeatMode.AUTOPLAY) {
-                this._handleAutoplay(Util.last(this.previousTracks));
-            } else {
-                if (this.repeatMode === QueueRepeatMode.TRACK) return void this.play(Util.last(this.previousTracks), { immediate: true });
-                if (this.repeatMode === QueueRepeatMode.QUEUE) this.tracks.push(Util.last(this.previousTracks));
-                const nextTrack = this.tracks.shift();
-                this.play(nextTrack, { immediate: true });
-                return;
-            }
-        });
-
-        return this;
-    }
-
-    /**
-     * Destroys this queue
-     * @param {boolean} [disconnect=this.options.leaveOnStop] If it should leave on destroy
-     * @returns {void}
-     */
-    destroy(disconnect = this.options.leaveOnStop) {
-        if (this.#watchDestroyed()) return;
-        if (this.connection) this.connection.end();
-        if (disconnect) this.connection?.disconnect();
-        this.player.queues.delete(this.guild.id);
-        this.player.voiceUtils.cache.delete(this.guild.id);
-        this.#destroyed = true;
-    }
-
-    /**
-     * Skips current track
-     * @returns {boolean}
-     */
-    skip() {
-        if (this.#watchDestroyed()) return;
-        if (!this.connection) return false;
-        this._filtersUpdate = false;
-        this.connection.end();
-        return true;
-    }
-
-    /**
-     * Adds single track to the queue
-     * @param {Track} track The track to add
-     * @returns {void}
-     */
-    addTrack(track: Track) {
-        if (this.#watchDestroyed()) return;
-        if (!(track instanceof Track)) throw new PlayerError("invalid track", ErrorStatusCode.INVALID_TRACK);
-        this.tracks.push(track);
-        this.player.emit("trackAdd", this, track);
-    }
-
-    /**
-     * Adds multiple tracks to the queue
-     * @param {Track[]} tracks Array of tracks to add
-     */
-    addTracks(tracks: Track[]) {
-        if (this.#watchDestroyed()) return;
-        if (!tracks.every((y) => y instanceof Track)) throw new PlayerError("invalid track", ErrorStatusCode.INVALID_TRACK);
-        this.tracks.push(...tracks);
-        this.player.emit("tracksAdd", this, tracks);
-    }
-
-    /**
-     * Sets paused state
-     * @param {boolean} paused The paused state
-     * @returns {boolean}
-     */
-    setPaused(paused?: boolean) {
-        if (this.#watchDestroyed()) return;
-        if (!this.connection) return false;
-        return paused ? this.connection.pause(true) : this.connection.resume();
-    }
-
-    /**
-     * Sets bitrate
-     * @param  {number|auto} bitrate bitrate to set
-     * @returns {void}
-     */
-    setBitrate(bitrate: number | "auto") {
-        if (this.#watchDestroyed()) return;
-        if (!this.connection?.audioResource?.encoder) return;
-        if (bitrate === "auto") bitrate = this.connection.channel?.bitrate ?? 64000;
-        this.connection.audioResource.encoder.setBitrate(bitrate);
-    }
-
-    /**
-     * Sets volume
-     * @param {number} amount The volume amount
-     * @returns {boolean}
-     */
-    setVolume(amount: number) {
-        if (this.#watchDestroyed()) return;
-        if (!this.connection) return false;
-        this.#lastVolume = amount;
-        this.options.initialVolume = amount;
-        return this.connection.setVolume(amount);
-    }
-    /**
-     * Sets repeat mode
-     * @param  {QueueRepeatMode} mode The repeat mode
-     * @returns {boolean}
-     */
-    setRepeatMode(mode: QueueRepeatMode) {
-        if (this.#watchDestroyed()) return;
-        if (![QueueRepeatMode.OFF, QueueRepeatMode.QUEUE, QueueRepeatMode.TRACK, QueueRepeatMode.AUTOPLAY].includes(mode))
-            throw new PlayerError(`Unknown repeat mode "${mode}"!`, ErrorStatusCode.UNKNOWN_REPEAT_MODE);
-        if (mode === this.repeatMode) return false;
-        this.repeatMode = mode;
-        return true;
-    }
-
-    /**
-     * The current volume amount
-     * @type {number}
-     */
-    get volume() {
-        if (this.#watchDestroyed()) return;
-        if (!this.connection) return 100;
-        return this.connection.volume;
-    }
-
-    set volume(amount: number) {
-        this.setVolume(amount);
-    }
-
-    /**
-     * The stream time of this queue
-     * @type {number}
-     */
-    get streamTime() {
-        if (this.#watchDestroyed()) return;
-        if (!this.connection) return 0;
-        const playbackTime = this._streamTime + this.connection.streamTime;
-        const NC = this._activeFilters.includes("nightcore") ? 1.25 : null;
-        const VW = this._activeFilters.includes("vaporwave") ? 0.8 : null;
-
-        if (NC && VW) return playbackTime * (NC + VW);
-        return NC ? playbackTime * NC : VW ? playbackTime * VW : playbackTime;
-    }
-
-    set streamTime(time: number) {
-        if (this.#watchDestroyed()) return;
-        this.seek(time);
-    }
-
-    /**
-     * Returns enabled filters
-     * @returns {AudioFilters}
-     */
-    getFiltersEnabled() {
-        if (this.#watchDestroyed()) return;
-        return AudioFilters.names.filter((x) => this._activeFilters.includes(x));
-    }
-
-    /**
-     * Returns disabled filters
-     * @returns {AudioFilters}
-     */
-    getFiltersDisabled() {
-        if (this.#watchDestroyed()) return;
-        return AudioFilters.names.filter((x) => !this._activeFilters.includes(x));
-    }
-
-    /**
-     * Sets filters
-     * @param {QueueFilters} filters Queue filters
-     * @returns {Promise<void>}
-     */
-    async setFilters(filters?: QueueFilters) {
-        if (this.#watchDestroyed()) return;
-        if (!filters || !Object.keys(filters).length) {
-            // reset filters
-            const streamTime = this.streamTime;
-            this._activeFilters = [];
-            return await this.play(this.current, {
-                immediate: true,
-                filtersUpdate: true,
-                seek: streamTime,
-                encoderArgs: []
-            });
-        }
-
-        const _filters: any[] = []; // eslint-disable-line @typescript-eslint/no-explicit-any
-
-        for (const filter in filters) {
-            if (filters[filter as keyof QueueFilters] === true) _filters.push(filter);
-        }
-
-        if (this._activeFilters.join("") === _filters.join("")) return;
-
-        const newFilters = AudioFilters.create(_filters).trim();
-        const streamTime = this.streamTime;
-        this._activeFilters = _filters;
-
-        return await this.play(this.current, {
-            immediate: true,
-            filtersUpdate: true,
-            seek: streamTime,
-            encoderArgs: !_filters.length ? undefined : ["-af", newFilters]
-        });
-    }
-
-    /**
-     * Seeks to the given time
-     * @param {number} position The position
-     * @returns {boolean}
-     */
-    async seek(position: number) {
-        if (this.#watchDestroyed()) return;
-        if (!this.playing || !this.current) return false;
-        if (position < 1) position = 0;
-        if (position >= this.current.durationMS) return this.skip();
-
-        await this.play(this.current, {
-            immediate: true,
-            filtersUpdate: true, // to stop events
-            seek: position
-        });
-
-        return true;
-    }
-
-    /**
-     * Plays previous track
-     * @returns {Promise<void>}
-     */
-    async back() {
-        if (this.#watchDestroyed()) return;
-        const prev = this.previousTracks[this.previousTracks.length - 2]; // because last item is the current track
-        if (!prev) throw new PlayerError("Could not find previous track", ErrorStatusCode.TRACK_NOT_FOUND);
-
-        return await this.play(prev, { immediate: true });
-    }
-
-    /**
-     * Clear this queue
-     */
-    clear() {
-        if (this.#watchDestroyed()) return;
-        this.tracks = [];
-        this.previousTracks = [];
-    }
-
-    /**
-     * Stops the player
-     * @returns {void}
-     */
-    stop() {
-        if (this.#watchDestroyed()) return;
-        return this.destroy();
-    }
-
-    /**
-     * Shuffles this queue
-     * @returns {boolean}
-     */
-    shuffle() {
-        if (this.#watchDestroyed()) return;
-        if (!this.tracks.length || this.tracks.length < 2) return false;
-
-        for (let i = this.tracks.length - 1; i > 0; i--) {
-            const j = Math.floor(Math.random() * (i + 1));
-            [this.tracks[i], this.tracks[j]] = [this.tracks[j], this.tracks[i]];
-        }
-
-        return true;
-    }
-
-    /**
-     * Removes a track from the queue
-     * @param {Track|string|number} track The track to remove
-     * @returns {Track}
-     */
-    remove(track: Track | string | number) {
-        if (this.#watchDestroyed()) return;
-        let trackFound: Track = null;
-        if (typeof track === "number") {
-            trackFound = this.tracks[track];
-            if (trackFound) {
-                this.tracks = this.tracks.filter((t) => t.id !== trackFound.id);
-            }
-        } else {
-            trackFound = this.tracks.find((s) => s.id === (track instanceof Track ? track.id : track));
-            if (trackFound) {
-                this.tracks = this.tracks.filter((s) => s.id !== trackFound.id);
-            }
-        }
-
-        return trackFound;
-    }
-
-    /**
-     * Returns the index of the specified track. If found, returns the track index else returns -1.
-     * @param {number|Track|string} track The track
-     * @returns {number}
-     */
-    getTrackPosition(track: number | Track | string) {
-        if (this.#watchDestroyed()) return;
-        if (typeof track === "number") return this.tracks[track] != null ? track : -1;
-        return this.tracks.findIndex((pred) => pred.id === (track instanceof Track ? track.id : track));
-    }
-
-    /**
-     * Jumps to particular track
-     * @param {Track|number} track The track
-     * @returns {void}
-     */
-    jump(track: Track | number): void {
-        if (this.#watchDestroyed()) return;
-        const foundTrack = this.remove(track);
-        if (!foundTrack) throw new PlayerError("Track not found", ErrorStatusCode.TRACK_NOT_FOUND);
-
-        this.tracks.splice(0, 0, foundTrack);
-
-        return void this.skip();
-    }
-
-    /**
-     * Jumps to particular track, removing other tracks on the way
-     * @param {Track|number} track The track
-     * @returns {void}
-     */
-    skipTo(track: Track | number): void {
-        if (this.#watchDestroyed()) return;
-        const trackIndex = this.getTrackPosition(track);
-        const removedTrack = this.remove(track);
-        if (!removedTrack) throw new PlayerError("Track not found", ErrorStatusCode.TRACK_NOT_FOUND);
-
-        this.tracks.splice(0, trackIndex, removedTrack);
-
-        return void this.skip();
-    }
-
-    /**
-     * Inserts the given track to specified index
-     * @param {Track} track The track to insert
-     * @param {number} [index=0] The index where this track should be
-     */
-    insert(track: Track, index = 0) {
-        if (this.#watchDestroyed()) return;
-        if (!track || !(track instanceof Track)) throw new PlayerError("track must be the instance of Track", ErrorStatusCode.INVALID_TRACK);
-        if (typeof index !== "number" || index < 0 || !Number.isFinite(index)) throw new PlayerError(`Invalid index "${index}"`, ErrorStatusCode.INVALID_ARG_TYPE);
-
-        this.tracks.splice(index, 0, track);
-
-        this.player.emit("trackAdd", this, track);
-    }
-
-    /**
-     * @typedef {object} PlayerTimestamp
-     * @property {string} current The current progress
-     * @property {string} end The total time
-     * @property {number} progress Progress in %
-     */
-
-    /**
-     * Returns player stream timestamp
-     * @returns {PlayerTimestamp}
-     */
-    getPlayerTimestamp() {
-        if (this.#watchDestroyed()) return;
-        const currentStreamTime = this.streamTime;
-        const totalTime = this.current.durationMS;
-
-        const currentTimecode = Util.buildTimeCode(Util.parseMS(currentStreamTime));
-        const endTimecode = Util.buildTimeCode(Util.parseMS(totalTime));
-
-        return {
-            current: currentTimecode,
-            end: endTimecode,
-            progress: Math.round((currentStreamTime / totalTime) * 100)
-        };
-    }
-
-    /**
-     * Creates progress bar string
-     * @param {PlayerProgressbarOptions} options The progress bar options
-     * @returns {string}
-     */
-    createProgressBar(options: PlayerProgressbarOptions = { timecodes: true }) {
-        if (this.#watchDestroyed()) return;
-        const length = typeof options.length === "number" ? (options.length <= 0 || options.length === Infinity ? 15 : options.length) : 15;
-
-        const index = Math.round((this.streamTime / this.current.durationMS) * length);
-        const indicator = typeof options.indicator === "string" && options.indicator.length > 0 ? options.indicator : "🔘";
-        const line = typeof options.line === "string" && options.line.length > 0 ? options.line : "▬";
-
-        if (index >= 1 && index <= length) {
-            const bar = line.repeat(length - 1).split("");
-            bar.splice(index, 0, indicator);
-            if (options.timecodes) {
-                const timestamp = this.getPlayerTimestamp();
-                return `${timestamp.current} ┃ ${bar.join("")} ┃ ${timestamp.end}`;
-            } else {
-                return `${bar.join("")}`;
-            }
-        } else {
-            if (options.timecodes) {
-                const timestamp = this.getPlayerTimestamp();
-                return `${timestamp.current} ┃ ${indicator}${line.repeat(length - 1)} ┃ ${timestamp.end}`;
-            } else {
-                return `${indicator}${line.repeat(length - 1)}`;
-            }
-        }
-    }
-
-    /**
-     * Total duration
-     * @type {Number}
-     */
-    get totalTime(): number {
-        if (this.#watchDestroyed()) return;
-        return this.tracks.length > 0 ? this.tracks.map((t) => t.durationMS).reduce((p, c) => p + c) : 0;
-    }
-
-    /**
-     * Play stream in a voice/stage channel
-     * @param {Track} [src] The track to play (if empty, uses first track from the queue)
-     * @param {PlayOptions} [options] The options
-     * @returns {Promise<void>}
-     */
-    async play(src?: Track, options: PlayOptions = {}): Promise<void> {
-        if (this.#watchDestroyed(false)) return;
-        if (!this.connection || !this.connection.voiceConnection) throw new PlayerError("Voice connection is not available, use <Queue>.connect()!", ErrorStatusCode.NO_CONNECTION);
-        if (src && (this.playing || this.tracks.length) && !options.immediate) return this.addTrack(src);
-        const track = options.filtersUpdate && !options.immediate ? src || this.current : src ?? this.tracks.shift();
-        if (!track) return;
-
-        this.player.emit("debug", this, "Received play request");
-
-        if (!options.filtersUpdate) {
-            this.previousTracks = this.previousTracks.filter((x) => x.id !== track.id);
-            this.previousTracks.push(track);
-        }
-
-        let stream = null;
-        const hasCustomDownloader = typeof this.onBeforeCreateStream === "function";
-
-        if (["youtube", "spotify"].includes(track.raw.source)) {
-            let spotifyResolved = false;
-            if (this.options.spotifyBridge && track.raw.source === "spotify" && !track.raw.engine) {
-                track.raw.engine = await play.search(`${track.author} ${track.title}`, { source: { youtube: "video" } })
-                    .then(res => res[0].url)
-                    .catch(() => null);
-                spotifyResolved = true;
-            }
-
-            const url = track.raw.source === "spotify" ? track.raw.engine : track.url;
-            if (!url) return void this.play(this.tracks.shift(), { immediate: true });
-
-            if (hasCustomDownloader) {
-                stream = (await this.onBeforeCreateStream(track, spotifyResolved ? "youtube" : track.raw.source, this)) || null;
-            }
-
-            if (!stream) {
-                stream = (await play.stream(url, { discordPlayerCompatibility: true })).stream;
-            }
-        } else {
-            const arbitraryStream = (hasCustomDownloader && (await this.onBeforeCreateStream(track, track.raw.source || track.raw.engine, this))) || null;
-            stream =
-                arbitraryStream || (track.raw.source === "soundcloud" && typeof track.raw.engine?.downloadProgressive === "function")
-                    ? await track.raw.engine.downloadProgressive()
-                    : typeof track.raw.engine === "function"
-                    ? await track.raw.engine()
-                    : track.raw.engine;
-        }
-
-        const ffmpegStream = createFFmpegStream(stream, {
-            encoderArgs: options.encoderArgs || [],
-            seek: options.seek ? options.seek / 1000 : 0,
-            fmt: "s16le"
-        }).on("error", (err) => {
-            if (!`${err}`.toLowerCase().includes("premature close")) this.player.emit("error", this, err);
-        });
-
-        const resource: AudioResource<Track> = this.connection.createStream(ffmpegStream, {
-            type: StreamType.Raw,
-            data: track,
-            disableVolume: Boolean(this.options.disableVolume)
-        });
-
-        if (options.seek) this._streamTime = options.seek;
-        this._filtersUpdate = options.filtersUpdate;
-
-        const volumeTransformer = resource.volume as VolumeTransformer;
-        if (volumeTransformer && typeof this.options.initialVolume === "number") Reflect.set(volumeTransformer, "volume", Math.pow(this.options.initialVolume / 100, 1.660964));
-        if (volumeTransformer?.hasSmoothness && typeof this.options.volumeSmoothness === "number") {
-            if (typeof volumeTransformer.setSmoothness === "function") volumeTransformer.setSmoothness(this.options.volumeSmoothness || 0);
-        }
-
-        setTimeout(() => {
-            this.connection.playStream(resource);
-        }, this.#getBufferingTimeout()).unref();
-    }
-
-    /**
-     * Private method to handle autoplay
-     * @param {Track} track The source track to find its similar track for autoplay
-     * @returns {Promise<void>}
-     * @private
-     */
-    private async _handleAutoplay(track: Track): Promise<void> {
-        if (this.#watchDestroyed()) return;
-        if (!track || ![track.source, track.raw?.source].includes("youtube")) {
-            if (this.options.leaveOnEnd) this.destroy();
-            return void this.player.emit("queueEnd", this);
-        }
-        const info = await play.video_info(track.url)
-            .catch(Util.noop);
-        if (!info) {
-            if (this.options.leaveOnEnd) this.destroy();
-            return void this.player.emit("queueEnd", this);
-        }
-
-		const randomRelated = await play.video_info(info.related_videos[0]);
-        const nextTrack = new Track(this.player, {
-            title: randomRelated.video_details.title,
-            url: randomRelated.video_details.url,
-            duration: randomRelated.video_details.durationRaw ? Util.buildTimeCode(Util.parseMS(randomRelated.video_details.durationInSec * 1000)) : "0:00",
-            description: "",
-            thumbnail: Util.last(randomRelated.video_details.thumbnails).url,
-            views: randomRelated.video_details.views,
-            author: randomRelated.video_details.channel.name,
-            requestedBy: track.requestedBy,
-            source: "youtube"
-        });
-
-        this.play(nextTrack, { immediate: true });
-    }
-
-    *[Symbol.iterator]() {
-        if (this.#watchDestroyed()) return;
-        yield* this.tracks;
-    }
-
-    /**
-     * JSON representation of this queue
-     * @returns {object}
-     */
-    toJSON() {
-        if (this.#watchDestroyed()) return;
-        return {
-            id: this.id,
-            guild: this.guild.id,
-            voiceChannel: this.connection?.channel?.id,
-            options: this.options,
-            tracks: this.tracks.map((m) => m.toJSON())
-        };
-    }
-
-    /**
-     * String representation of this queue
-     * @returns {string}
-     */
-    toString() {
-        if (this.#watchDestroyed()) return;
-        if (!this.tracks.length) return "No songs available to display!";
-        return `**Upcoming Songs:**\n${this.tracks.map((m, i) => `${i + 1}. **${m.title}**`).join("\n")}`;
-    }
-
-    #watchDestroyed(emit = true) {
-        if (this.#destroyed) {
-            if (emit) this.player.emit("error", this, new PlayerError("Cannot use destroyed queue", ErrorStatusCode.DESTROYED_QUEUE));
-            return true;
-        }
-
-        return false;
-    }
-
-    #getBufferingTimeout() {
-        const timeout = this.options.bufferingTimeout;
-
-        if (isNaN(timeout) || timeout < 0 || !Number.isFinite(timeout)) return 1000;
-        return timeout;
-    }
-}
-
-export { Queue };
diff --git a/helpers/Music/src/Structures/Track.ts b/helpers/Music/src/Structures/Track.ts
deleted file mode 100644
index fd14275b..00000000
--- a/helpers/Music/src/Structures/Track.ts
+++ /dev/null
@@ -1,191 +0,0 @@
-import { User, escapeMarkdown, SnowflakeUtil } from "discord.js";
-import { Player } from "../Player";
-import { RawTrackData, TrackJSON } from "../types/types";
-import { Playlist } from "./Playlist";
-import { Queue } from "./Queue";
-
-class Track {
-    public player!: Player;
-    public title!: string;
-    public description!: string;
-    public author!: string;
-    public url!: string;
-    public thumbnail!: string;
-    public duration!: string;
-    public views!: number;
-    public requestedBy!: User;
-    public playlist?: Playlist;
-    public readonly raw: RawTrackData = {} as RawTrackData;
-    public readonly id = SnowflakeUtil.generate().toString();
-
-    /**
-     * Track constructor
-     * @param {Player} player The player that instantiated this Track
-     * @param {RawTrackData} data Track data
-     */
-    constructor(player: Player, data: RawTrackData) {
-        /**
-         * The player that instantiated this Track
-         * @name Track#player
-         * @type {Player}
-         * @readonly
-         */
-        Object.defineProperty(this, "player", { value: player, enumerable: false });
-
-        /**
-         * Title of this track
-         * @name Track#title
-         * @type {string}
-         */
-
-        /**
-         * Description of this track
-         * @name Track#description
-         * @type {string}
-         */
-
-        /**
-         * Author of this track
-         * @name Track#author
-         * @type {string}
-         */
-
-        /**
-         * URL of this track
-         * @name Track#url
-         * @type {string}
-         */
-
-        /**
-         * Thumbnail of this track
-         * @name Track#thumbnail
-         * @type {string}
-         */
-
-        /**
-         * Duration of this track
-         * @name Track#duration
-         * @type {string}
-         */
-
-        /**
-         * Views count of this track
-         * @name Track#views
-         * @type {number}
-         */
-
-        /**
-         * Person who requested this track
-         * @name Track#requestedBy
-         * @type {User}
-         */
-
-        /**
-         * If this track belongs to playlist
-         * @name Track#fromPlaylist
-         * @type {boolean}
-         */
-
-        /**
-         * Raw track data
-         * @name Track#raw
-         * @type {RawTrackData}
-         */
-
-        /**
-         * The track id
-         * @name Track#id
-         * @type {Snowflake}
-         * @readonly
-         */
-
-        /**
-         * The playlist which track belongs
-         * @name Track#playlist
-         * @type {Playlist}
-         */
-
-        void this._patch(data);
-    }
-
-    private _patch(data: RawTrackData) {
-        this.title = escapeMarkdown(data.title ?? "");
-        this.description = data.description ?? "";
-        this.author = data.author ?? "";
-        this.url = data.url ?? "";
-        this.thumbnail = data.thumbnail ?? "";
-        this.duration = data.duration ?? "";
-        this.views = data.views ?? 0;
-        this.requestedBy = data.requestedBy;
-        this.playlist = data.playlist;
-
-        // raw
-        Object.defineProperty(this, "raw", { value: Object.assign({}, { source: data.raw?.source ?? data.source }, data.raw ?? data), enumerable: false });
-    }
-
-    /**
-     * The queue in which this track is located
-     * @type {Queue}
-     */
-    get queue(): Queue {
-        return this.player.queues.find((q) => q.tracks.some((ab) => ab.id === this.id));
-    }
-
-    /**
-     * The track duration in millisecond
-     * @type {number}
-     */
-    get durationMS(): number {
-        const times = (n: number, t: number) => {
-            let tn = 1;
-            for (let i = 0; i < t; i++) tn *= n;
-            return t <= 0 ? 1000 : tn * 1000;
-        };
-
-        return this.duration
-            .split(":")
-            .reverse()
-            .map((m, i) => parseInt(m) * times(60, i))
-            .reduce((a, c) => a + c, 0);
-    }
-
-    /**
-     * Returns source of this track
-     * @type {TrackSource}
-     */
-    get source() {
-        return this.raw.source ?? "arbitrary";
-    }
-
-    /**
-     * String representation of this track
-     * @returns {string}
-     */
-    toString(): string {
-        return `${this.title} by ${this.author}`;
-    }
-
-    /**
-     * Raw JSON representation of this track
-     * @returns {TrackJSON}
-     */
-    toJSON(hidePlaylist?: boolean) {
-        return {
-            id: this.id,
-            title: this.title,
-            description: this.description,
-            author: this.author,
-            url: this.url,
-            thumbnail: this.thumbnail,
-            duration: this.duration,
-            durationMS: this.durationMS,
-            views: this.views,
-            requestedBy: this.requestedBy?.id,
-            playlist: hidePlaylist ? null : this.playlist?.toJSON() ?? null
-        } as TrackJSON;
-    }
-}
-
-export default Track;
-
-export { Track };
diff --git a/helpers/Music/src/VoiceInterface/StreamDispatcher.ts b/helpers/Music/src/VoiceInterface/StreamDispatcher.ts
deleted file mode 100644
index e8566fc2..00000000
--- a/helpers/Music/src/VoiceInterface/StreamDispatcher.ts
+++ /dev/null
@@ -1,253 +0,0 @@
-import {
-    AudioPlayer,
-    AudioPlayerError,
-    AudioPlayerStatus,
-    AudioResource,
-    createAudioPlayer,
-    createAudioResource,
-    entersState,
-    StreamType,
-    VoiceConnection,
-    VoiceConnectionStatus,
-    VoiceConnectionDisconnectReason
-} from "@discordjs/voice";
-import { StageChannel, VoiceChannel } from "discord.js";
-import { Duplex, Readable } from "stream";
-import { TypedEmitter as EventEmitter } from "tiny-typed-emitter";
-import Track from "../Structures/Track";
-import { Util } from "../utils/Util";
-import { PlayerError, ErrorStatusCode } from "../Structures/PlayerError";
-
-export interface VoiceEvents {
-    /* eslint-disable @typescript-eslint/no-explicit-any */
-    error: (error: AudioPlayerError) => any;
-    debug: (message: string) => any;
-    start: (resource: AudioResource<Track>) => any;
-    finish: (resource: AudioResource<Track>) => any;
-    /* eslint-enable @typescript-eslint/no-explicit-any */
-}
-
-class StreamDispatcher extends EventEmitter<VoiceEvents> {
-    public readonly voiceConnection: VoiceConnection;
-    public readonly audioPlayer: AudioPlayer;
-    public channel: VoiceChannel | StageChannel;
-    public audioResource?: AudioResource<Track>;
-    private readyLock = false;
-    public paused: boolean;
-
-    /**
-     * Creates new connection object
-     * @param {VoiceConnection} connection The connection
-     * @param {VoiceChannel|StageChannel} channel The connected channel
-     * @private
-     */
-    constructor(connection: VoiceConnection, channel: VoiceChannel | StageChannel, public readonly connectionTimeout: number = 20000) {
-        super();
-
-        /**
-         * The voice connection
-         * @type {VoiceConnection}
-         */
-        this.voiceConnection = connection;
-
-        /**
-         * The audio player
-         * @type {AudioPlayer}
-         */
-        this.audioPlayer = createAudioPlayer();
-
-        /**
-         * The voice channel
-         * @type {VoiceChannel|StageChannel}
-         */
-        this.channel = channel;
-
-        /**
-         * The paused state
-         * @type {boolean}
-         */
-        this.paused = false;
-
-        this.voiceConnection.on("stateChange", async (_, newState) => {
-            if (newState.status === VoiceConnectionStatus.Disconnected) {
-                if (newState.reason === VoiceConnectionDisconnectReason.WebSocketClose && newState.closeCode === 4014) {
-                    try {
-                        await entersState(this.voiceConnection, VoiceConnectionStatus.Connecting, this.connectionTimeout);
-                    } catch {
-                        try {
-                            this.voiceConnection.destroy();
-                        } catch (err) {
-                            this.emit("error", err as AudioPlayerError);
-                        }
-                    }
-                } else if (this.voiceConnection.rejoinAttempts < 5) {
-                    await Util.wait((this.voiceConnection.rejoinAttempts + 1) * 5000);
-                    this.voiceConnection.rejoin();
-                } else {
-                    try {
-                        this.voiceConnection.destroy();
-                    } catch (err) {
-                        this.emit("error", err as AudioPlayerError);
-                    }
-                }
-            } else if (newState.status === VoiceConnectionStatus.Destroyed) {
-                this.end();
-            } else if (!this.readyLock && (newState.status === VoiceConnectionStatus.Connecting || newState.status === VoiceConnectionStatus.Signalling)) {
-                this.readyLock = true;
-                try {
-                    await entersState(this.voiceConnection, VoiceConnectionStatus.Ready, this.connectionTimeout);
-                } catch {
-                    if (this.voiceConnection.state.status !== VoiceConnectionStatus.Destroyed) {
-                        try {
-                            this.voiceConnection.destroy();
-                        } catch (err) {
-                            this.emit("error", err as AudioPlayerError);
-                        }
-                    }
-                } finally {
-                    this.readyLock = false;
-                }
-            }
-        });
-
-        this.audioPlayer.on("stateChange", (oldState, newState) => {
-            if (newState.status === AudioPlayerStatus.Playing) {
-                if (!this.paused) return void this.emit("start", this.audioResource);
-            } else if (newState.status === AudioPlayerStatus.Idle && oldState.status !== AudioPlayerStatus.Idle) {
-                if (!this.paused) {
-                    void this.emit("finish", this.audioResource);
-                    this.audioResource = null;
-                }
-            }
-        });
-
-        this.audioPlayer.on("debug", (m) => void this.emit("debug", m));
-        this.audioPlayer.on("error", (error) => void this.emit("error", error));
-        this.voiceConnection.subscribe(this.audioPlayer);
-    }
-
-    /**
-     * Creates stream
-     * @param {Readable|Duplex|string} src The stream source
-     * @param {object} [ops] Options
-     * @returns {AudioResource}
-     */
-    // eslint-disable-next-line @typescript-eslint/no-explicit-any
-    createStream(src: Readable | Duplex | string, ops?: { type?: StreamType; data?: any; disableVolume?: boolean }) {
-        this.audioResource = createAudioResource(src, {
-            inputType: ops?.type ?? StreamType.Arbitrary,
-            metadata: ops?.data,
-            // eslint-disable-next-line no-extra-boolean-cast
-            inlineVolume: !Boolean(ops?.disableVolume)
-        });
-
-        return this.audioResource;
-    }
-
-    /**
-     * The player status
-     * @type {AudioPlayerStatus}
-     */
-    get status() {
-        return this.audioPlayer.state.status;
-    }
-
-    /**
-     * Disconnects from voice
-     * @returns {void}
-     */
-    disconnect() {
-        try {
-            this.audioPlayer.stop(true);
-            this.voiceConnection.destroy();
-        } catch {} // eslint-disable-line no-empty
-    }
-
-    /**
-     * Stops the player
-     * @returns {void}
-     */
-    end() {
-        this.audioPlayer.stop();
-    }
-
-    /**
-     * Pauses the stream playback
-     * @param {boolean} [interpolateSilence=false] If true, the player will play 5 packets of silence after pausing to prevent audio glitches.
-     * @returns {boolean}
-     */
-    pause(interpolateSilence?: boolean) {
-        const success = this.audioPlayer.pause(interpolateSilence);
-        this.paused = success;
-        return success;
-    }
-
-    /**
-     * Resumes the stream playback
-     * @returns {boolean}
-     */
-    resume() {
-        const success = this.audioPlayer.unpause();
-        this.paused = !success;
-        return success;
-    }
-
-    /**
-     * Play stream
-     * @param {AudioResource<Track>} [resource=this.audioResource] The audio resource to play
-     * @returns {Promise<StreamDispatcher>}
-     */
-    async playStream(resource: AudioResource<Track> = this.audioResource) {
-        if (!resource) throw new PlayerError("Audio resource is not available!", ErrorStatusCode.NO_AUDIO_RESOURCE);
-        if (resource.ended) return void this.emit("error", new PlayerError("Cannot play a resource that has already ended.") as unknown as AudioPlayerError);
-        if (!this.audioResource) this.audioResource = resource;
-        if (this.voiceConnection.state.status !== VoiceConnectionStatus.Ready) {
-            try {
-                await entersState(this.voiceConnection, VoiceConnectionStatus.Ready, this.connectionTimeout);
-            } catch (err) {
-                return void this.emit("error", err as AudioPlayerError);
-            }
-        }
-
-        try {
-            this.audioPlayer.play(resource);
-        } catch (e) {
-            this.emit("error", e as AudioPlayerError);
-        }
-
-        return this;
-    }
-
-    /**
-     * Sets playback volume
-     * @param {number} value The volume amount
-     * @returns {boolean}
-     */
-    setVolume(value: number) {
-        if (!this.audioResource?.volume || isNaN(value) || value < 0 || value > Infinity) return false;
-
-        this.audioResource.volume.setVolumeLogarithmic(value / 100);
-        return true;
-    }
-
-    /**
-     * The current volume
-     * @type {number}
-     */
-    get volume() {
-        if (!this.audioResource?.volume) return 100;
-        const currentVol = this.audioResource.volume.volume;
-        return Math.round(Math.pow(currentVol, 1 / 1.660964) * 100);
-    }
-
-    /**
-     * The playback time
-     * @type {number}
-     */
-    get streamTime() {
-        if (!this.audioResource) return 0;
-        return this.audioResource.playbackDuration;
-    }
-}
-
-export { StreamDispatcher as StreamDispatcher };
diff --git a/helpers/Music/src/VoiceInterface/VoiceUtils.ts b/helpers/Music/src/VoiceInterface/VoiceUtils.ts
deleted file mode 100644
index ec7a99d0..00000000
--- a/helpers/Music/src/VoiceInterface/VoiceUtils.ts
+++ /dev/null
@@ -1,82 +0,0 @@
-import { VoiceChannel, StageChannel, Collection, Snowflake } from "discord.js";
-import { DiscordGatewayAdapterCreator, joinVoiceChannel, VoiceConnection } from "@discordjs/voice";
-import { StreamDispatcher } from "./StreamDispatcher";
-
-class VoiceUtils {
-    public cache: Collection<Snowflake, StreamDispatcher>;
-
-    /**
-     * The voice utils
-     * @private
-     */
-    constructor() {
-        /**
-         * The cache where voice utils stores stream managers
-         * @type {Collection<Snowflake, StreamDispatcher>}
-         */
-        this.cache = new Collection<Snowflake, StreamDispatcher>();
-    }
-
-    /**
-     * Joins a voice channel, creating basic stream dispatch manager
-     * @param {StageChannel|VoiceChannel} channel The voice channel
-     * @param {object} [options] Join options
-     * @returns {Promise<StreamDispatcher>}
-     */
-    public async connect(
-        channel: VoiceChannel | StageChannel,
-        options?: {
-            deaf?: boolean;
-            maxTime?: number;
-        }
-    ): Promise<StreamDispatcher> {
-        const conn = await this.join(channel, options);
-        const sub = new StreamDispatcher(conn, channel, options.maxTime);
-        this.cache.set(channel.guild.id, sub);
-        return sub;
-    }
-
-    /**
-     * Joins a voice channel
-     * @param {StageChannel|VoiceChannel} [channel] The voice/stage channel to join
-     * @param {object} [options] Join options
-     * @returns {VoiceConnection}
-     */
-    public async join(
-        channel: VoiceChannel | StageChannel,
-        options?: {
-            deaf?: boolean;
-            maxTime?: number;
-        }
-    ) {
-        const conn = joinVoiceChannel({
-            guildId: channel.guild.id,
-            channelId: channel.id,
-            adapterCreator: channel.guild.voiceAdapterCreator as unknown as DiscordGatewayAdapterCreator,
-            selfDeaf: Boolean(options.deaf)
-        });
-
-        return conn;
-    }
-
-    /**
-     * Disconnects voice connection
-     * @param {VoiceConnection} connection The voice connection
-     * @returns {void}
-     */
-    public disconnect(connection: VoiceConnection | StreamDispatcher) {
-        if (connection instanceof StreamDispatcher) return connection.voiceConnection.destroy();
-        return connection.destroy();
-    }
-
-    /**
-     * Returns Discord Player voice connection
-     * @param {Snowflake} guild The guild id
-     * @returns {StreamDispatcher}
-     */
-    public getConnection(guild: Snowflake) {
-        return this.cache.get(guild);
-    }
-}
-
-export { VoiceUtils };
diff --git a/helpers/Music/src/VoiceInterface/VolumeTransformer.ts b/helpers/Music/src/VoiceInterface/VolumeTransformer.ts
deleted file mode 100644
index b493dd1e..00000000
--- a/helpers/Music/src/VoiceInterface/VolumeTransformer.ts
+++ /dev/null
@@ -1,144 +0,0 @@
-// prism's volume transformer with smooth volume support
-
-import { Transform, TransformOptions } from "stream";
-
-export interface VolumeTransformerOptions extends TransformOptions {
-    type?: "s16le" | "s16be" | "s32le" | "s32be";
-    smoothness?: number;
-    volume?: number;
-}
-
-export class VolumeTransformer extends Transform {
-    private _bits: number;
-    private _smoothing: number;
-    private _bytes: number;
-    private _extremum: number;
-    private _chunk: Buffer;
-    public volume: number;
-    private _targetVolume: number;
-    public type: "s16le" | "s32le" | "s16be" | "s32be";
-    constructor(options: VolumeTransformerOptions = {}) {
-        super(options);
-        switch (options.type) {
-            case "s16le":
-                this._readInt = (buffer, index) => buffer.readInt16LE(index);
-                this._writeInt = (buffer, int, index) => buffer.writeInt16LE(int, index);
-                this._bits = 16;
-                break;
-            case "s16be":
-                this._readInt = (buffer, index) => buffer.readInt16BE(index);
-                this._writeInt = (buffer, int, index) => buffer.writeInt16BE(int, index);
-                this._bits = 16;
-                break;
-            case "s32le":
-                this._readInt = (buffer, index) => buffer.readInt32LE(index);
-                this._writeInt = (buffer, int, index) => buffer.writeInt32LE(int, index);
-                this._bits = 32;
-                break;
-            case "s32be":
-                this._readInt = (buffer, index) => buffer.readInt32BE(index);
-                this._writeInt = (buffer, int, index) => buffer.writeInt32BE(int, index);
-                this._bits = 32;
-                break;
-            default:
-                throw new Error("VolumeTransformer type should be one of s16le, s16be, s32le, s32be");
-        }
-        this.type = options.type;
-        this._bytes = this._bits / 8;
-        this._extremum = Math.pow(2, this._bits - 1);
-        this.volume = Number.isNaN(options.volume) ? 1 : Number(options.volume);
-        if (!Number.isFinite(this.volume)) this.volume = 1;
-        this._targetVolume = this.volume;
-        this._chunk = Buffer.alloc(0);
-        this._smoothing = options.smoothness || 0;
-    }
-
-    _readInt(buffer: Buffer, index: number) {
-        return index;
-    }
-    _writeInt(buffer: Buffer, int: number, index: number) {
-        return index;
-    }
-
-    _applySmoothness() {
-        if (this.volume < this._targetVolume) {
-            this.volume = this.volume + this._smoothing >= this._targetVolume ? this._targetVolume : this.volume + this._smoothing;
-        } else if (this.volume > this._targetVolume) {
-            this.volume = this.volume - this._smoothing <= this._targetVolume ? this._targetVolume : this.volume - this._smoothing;
-        }
-    }
-
-    _transform(chunk: Buffer, encoding: BufferEncoding, done: () => unknown) {
-        if (this.smoothingEnabled() && this.volume !== this._targetVolume) this._applySmoothness();
-
-        if (this.volume === 1) {
-            this.push(chunk);
-            return done();
-        }
-
-        const { _bytes, _extremum } = this;
-
-        chunk = this._chunk = Buffer.concat([this._chunk, chunk]);
-        if (chunk.length < _bytes) return done();
-
-        const complete = Math.floor(chunk.length / _bytes) * _bytes;
-
-        for (let i = 0; i < complete; i += _bytes) {
-            const int = Math.min(_extremum - 1, Math.max(-_extremum, Math.floor(this.volume * this._readInt(chunk, i))));
-            this._writeInt(chunk, int, i);
-        }
-
-        this._chunk = chunk.slice(complete);
-        this.push(chunk.slice(0, complete));
-        return done();
-    }
-
-    _destroy(err: Error, cb: (error: Error) => void) {
-        super._destroy(err, cb);
-        this._chunk = null;
-    }
-
-    setVolume(volume: number) {
-        if (Number.isNaN(volume)) volume = 1;
-        if (typeof volume !== "number") volume = Number(volume);
-        if (!Number.isFinite(volume)) volume = volume < 0 ? 0 : 1;
-        this._targetVolume = volume;
-        if (this._smoothing <= 0) this.volume = volume;
-    }
-
-    setVolumeDecibels(db: number) {
-        this.setVolume(Math.pow(10, db / 20));
-    }
-
-    setVolumeLogarithmic(value: number) {
-        this.setVolume(Math.pow(value, 1.660964));
-    }
-
-    get volumeDecibels() {
-        return Math.log10(this.volume) * 20;
-    }
-
-    get volumeLogarithmic() {
-        return Math.pow(this.volume, 1 / 1.660964);
-    }
-
-    get smoothness() {
-        return this._smoothing;
-    }
-
-    setSmoothness(smoothness: number) {
-        this._smoothing = smoothness;
-    }
-
-    smoothingEnabled() {
-        return Number.isFinite(this._smoothing) && this._smoothing > 0;
-    }
-
-    get hasSmoothness() {
-        return true;
-    }
-
-    static get hasSmoothing() {
-        return true;
-    }
-}
diff --git a/helpers/Music/src/index.ts b/helpers/Music/src/index.ts
deleted file mode 100644
index c3c1d1d9..00000000
--- a/helpers/Music/src/index.ts
+++ /dev/null
@@ -1,19 +0,0 @@
-// try applying smooth volume patch on load
-import "./smoothVolume";
-
-export { AudioFilters } from "./utils/AudioFilters";
-export { ExtractorModel } from "./Structures/ExtractorModel";
-export { Playlist } from "./Structures/Playlist";
-export { Player } from "./Player";
-export { PlayerError, ErrorStatusCode } from "./Structures/PlayerError";
-export { QueryResolver } from "./utils/QueryResolver";
-export { Queue } from "./Structures/Queue";
-export { Track } from "./Structures/Track";
-export { VoiceUtils } from "./VoiceInterface/VoiceUtils";
-export { VoiceEvents, StreamDispatcher } from "./VoiceInterface/StreamDispatcher";
-export { Util } from "./utils/Util";
-export * from "./types/types";
-export * from "./utils/FFmpegStream";
-
-// eslint-disable-next-line @typescript-eslint/no-var-requires
-export const version: string = require(`${__dirname}/../package.json`).version;
diff --git a/helpers/Music/src/smoothVolume.ts b/helpers/Music/src/smoothVolume.ts
deleted file mode 100644
index d7c6af78..00000000
--- a/helpers/Music/src/smoothVolume.ts
+++ /dev/null
@@ -1,12 +0,0 @@
-import { VolumeTransformer as VolumeTransformerMock } from "./VoiceInterface/VolumeTransformer";
-
-try {
-    // eslint-disable-next-line
-    const mod = require("prism-media") as typeof import("prism-media") & { VolumeTransformer: typeof VolumeTransformerMock };
-
-    if (typeof mod.VolumeTransformer.hasSmoothing !== "boolean") {
-        Reflect.set(mod, "VolumeTransformer", VolumeTransformerMock);
-    }
-} catch {
-    /* do nothing */
-}
diff --git a/helpers/Music/src/types/types.ts b/helpers/Music/src/types/types.ts
deleted file mode 100644
index 2fb72dbf..00000000
--- a/helpers/Music/src/types/types.ts
+++ /dev/null
@@ -1,485 +0,0 @@
-import { Snowflake, User, UserResolvable } from "discord.js";
-import { Readable, Duplex } from "stream";
-import { Queue } from "../Structures/Queue";
-import Track from "../Structures/Track";
-import { Playlist } from "../Structures/Playlist";
-import { StreamDispatcher } from "../VoiceInterface/StreamDispatcher";
-
-export type FiltersName = keyof QueueFilters;
-
-export interface PlayerSearchResult {
-    playlist: Playlist | null;
-    tracks: Track[];
-	searched?: boolean;
-}
-
-/**
- * @typedef {AudioFilters} QueueFilters
- */
-export interface QueueFilters {
-    bassboost_low?: boolean;
-    bassboost?: boolean;
-    bassboost_high?: boolean;
-    "8D"?: boolean;
-    vaporwave?: boolean;
-    nightcore?: boolean;
-    phaser?: boolean;
-    tremolo?: boolean;
-    vibrato?: boolean;
-    reverse?: boolean;
-    treble?: boolean;
-    normalizer?: boolean;
-    normalizer2?: boolean;
-    surrounding?: boolean;
-    pulsator?: boolean;
-    subboost?: boolean;
-    karaoke?: boolean;
-    flanger?: boolean;
-    gate?: boolean;
-    haas?: boolean;
-    mcompand?: boolean;
-    mono?: boolean;
-    mstlr?: boolean;
-    mstrr?: boolean;
-    compressor?: boolean;
-    expander?: boolean;
-    softlimiter?: boolean;
-    chorus?: boolean;
-    chorus2d?: boolean;
-    chorus3d?: boolean;
-    fadein?: boolean;
-    dim?: boolean;
-    earrape?: boolean;
-}
-
-/**
- * The track source:
- * - soundcloud
- * - youtube
- * - spotify
- * - arbitrary
- * @typedef {string} TrackSource
- */
-export type TrackSource = "soundcloud" | "youtube" | "spotify" | "arbitrary";
-
-/**
- * @typedef {object} RawTrackData
- * @property {string} title The title
- * @property {string} description The description
- * @property {string} author The author
- * @property {string} url The url
- * @property {string} thumbnail The thumbnail
- * @property {string} duration The duration
- * @property {number | boolean} views The views
- * @property {User} requestedBy The user who requested this track
- * @property {Playlist} [playlist] The playlist
- * @property {TrackSource} [source="arbitrary"] The source
- * @property {any} [engine] The engine
- * @property {boolean} [live] If this track is live
- * @property {any} [raw] The raw data
- */
-export interface RawTrackData {
-    title: string;
-    description: string;
-    author: string;
-    url: string;
-    thumbnail: string;
-    duration: string;
-    views: number;
-    requestedBy: User;
-    playlist?: Playlist;
-    source?: TrackSource;
-    engine?: any; // eslint-disable-line @typescript-eslint/no-explicit-any
-    live?: boolean;
-    raw?: any; // eslint-disable-line @typescript-eslint/no-explicit-any
-}
-
-/**
- * @typedef {object} TimeData
- * @property {number} days Time in days
- * @property {number} hours Time in hours
- * @property {number} minutes Time in minutes
- * @property {number} seconds Time in seconds
- */
-export interface TimeData {
-    days: number;
-    hours: number;
-    minutes: number;
-    seconds: number;
-}
-
-/**
- * @typedef {object} PlayerProgressbarOptions
- * @property {boolean} [timecodes] If it should render time codes
- * @property {boolean} [queue] If it should create progress bar for the whole queue
- * @property {number} [length] The bar length
- * @property {string} [line] The bar track
- * @property {string} [indicator] The indicator
- */
-export interface PlayerProgressbarOptions {
-    timecodes?: boolean;
-    length?: number;
-    line?: string;
-    indicator?: string;
-    queue?: boolean;
-}
-
-/**
- * @typedef {object} PlayerOptions
- * @property {boolean} [leaveOnEnd=true] If it should leave on end
- * @property {boolean} [leaveOnStop=true] If it should leave on stop
- * @property {boolean} [leaveOnEmpty=true] If it should leave on empty
- * @property {number} [leaveOnEmptyCooldown=1000] The cooldown in ms
- * @property {boolean} [autoSelfDeaf=true] If it should set the bot in deaf mode
- * @property {YTDLDownloadOptions} [ytdlOptions] The youtube download options
- * @property {number} [initialVolume=100] The initial player volume
- * @property {number} [bufferingTimeout=3000] Buffering timeout for the stream
- * @property {boolean} [spotifyBridge=true] If player should bridge spotify source to youtube
- * @property {boolean} [disableVolume=false] If player should disable inline volume
- * @property {number} [volumeSmoothness=0] The volume transition smoothness between volume changes (lower the value to get better result)
- * Setting this or leaving this empty will disable this effect. Example: `volumeSmoothness: 0.1`
- * @property {Function} [onBeforeCreateStream] Runs before creating stream
- */
-export interface PlayerOptions {
-    leaveOnEnd?: boolean;
-    leaveOnStop?: boolean;
-    leaveOnEmpty?: boolean;
-    leaveOnEmptyCooldown?: number;
-    autoSelfDeaf?: boolean;
-    initialVolume?: number;
-    bufferingTimeout?: number;
-    spotifyBridge?: boolean;
-    disableVolume?: boolean;
-    volumeSmoothness?: number;
-    onBeforeCreateStream?: (track: Track, source: TrackSource, queue: Queue) => Promise<Readable>;
-}
-
-/**
- * @typedef {object} ExtractorModelData
- * @property {object} [playlist] The playlist info (if any)
- * @property {string} [playlist.title] The playlist title
- * @property {string} [playlist.description] The playlist description
- * @property {string} [playlist.thumbnail] The playlist thumbnail
- * @property {album|playlist} [playlist.type] The playlist type: `album` | `playlist`
- * @property {TrackSource} [playlist.source] The playlist source
- * @property {object} [playlist.author] The playlist author
- * @property {string} [playlist.author.name] The author name
- * @property {string} [playlist.author.url] The author url
- * @property {string} [playlist.id] The playlist id
- * @property {string} [playlist.url] The playlist url
- * @property {any} [playlist.rawPlaylist] The raw data
- * @property {ExtractorData[]} data The data
- */
-
-/**
- * @typedef {object} ExtractorData
- * @property {string} title The title
- * @property {number} duration The duration
- * @property {string} thumbnail The thumbnail
- * @property {string|Readable|Duplex} engine The stream engine
- * @property {number} views The views count
- * @property {string} author The author
- * @property {string} description The description
- * @property {string} url The url
- * @property {string} [version] The extractor version
- * @property {TrackSource} [source="arbitrary"] The source
- */
-export interface ExtractorModelData {
-    playlist?: {
-        title: string;
-        description: string;
-        thumbnail: string;
-        type: "album" | "playlist";
-        source: TrackSource;
-        author: {
-            name: string;
-            url: string;
-        };
-        id: string;
-        url: string;
-        rawPlaylist?: any; // eslint-disable-line @typescript-eslint/no-explicit-any
-    };
-    data: {
-        title: string;
-        duration: number;
-        thumbnail: string;
-        engine: string | Readable | Duplex;
-        views: number;
-        author: string;
-        description: string;
-        url: string;
-        version?: string;
-        source?: TrackSource;
-    }[];
-}
-
-/**
- * The search query type
- * This can be one of:
- * - AUTO
- * - YOUTUBE
- * - YOUTUBE_PLAYLIST
- * - SOUNDCLOUD_TRACK
- * - SOUNDCLOUD_PLAYLIST
- * - SOUNDCLOUD
- * - SPOTIFY_SONG
- * - SPOTIFY_ALBUM
- * - SPOTIFY_PLAYLIST
- * - FACEBOOK
- * - VIMEO
- * - ARBITRARY
- * - REVERBNATION
- * - YOUTUBE_SEARCH
- * - YOUTUBE_VIDEO
- * - SOUNDCLOUD_SEARCH
- * @typedef {number} QueryType
- */
-export enum QueryType {
-    AUTO,
-    YOUTUBE,
-    YOUTUBE_PLAYLIST,
-    SOUNDCLOUD_TRACK,
-    SOUNDCLOUD_PLAYLIST,
-    SOUNDCLOUD,
-    SPOTIFY_SONG,
-    SPOTIFY_ALBUM,
-    SPOTIFY_PLAYLIST,
-    FACEBOOK,
-    VIMEO,
-    ARBITRARY,
-    REVERBNATION,
-    YOUTUBE_SEARCH,
-    YOUTUBE_VIDEO,
-    SOUNDCLOUD_SEARCH
-}
-
-/**
- * Emitted when bot gets disconnected from a voice channel
- * @event Player#botDisconnect
- * @param {Queue} queue The queue
- */
-
-/**
- * Emitted when the voice channel is empty
- * @event Player#channelEmpty
- * @param {Queue} queue The queue
- */
-
-/**
- * Emitted when bot connects to a voice channel
- * @event Player#connectionCreate
- * @param {Queue} queue The queue
- * @param {StreamDispatcher} connection The discord player connection object
- */
-
-/**
- * Debug information
- * @event Player#debug
- * @param {Queue} queue The queue
- * @param {string} message The message
- */
-
-/**
- * Emitted on error
- * <warn>This event should handled properly otherwise it may crash your process!</warn>
- * @event Player#error
- * @param {Queue} queue The queue
- * @param {Error} error The error
- */
-
-/**
- * Emitted on connection error. Sometimes stream errors are emitted here as well.
- * @event Player#connectionError
- * @param {Queue} queue The queue
- * @param {Error} error The error
- */
-
-/**
- * Emitted when queue ends
- * @event Player#queueEnd
- * @param {Queue} queue The queue
- */
-
-/**
- * Emitted when a single track is added
- * @event Player#trackAdd
- * @param {Queue} queue The queue
- * @param {Track} track The track
- */
-
-/**
- * Emitted when multiple tracks are added
- * @event Player#tracksAdd
- * @param {Queue} queue The queue
- * @param {Track[]} tracks The tracks
- */
-
-/**
- * Emitted when a track starts playing
- * @event Player#trackStart
- * @param {Queue} queue The queue
- * @param {Track} track The track
- */
-
-/**
- * Emitted when a track ends
- * @event Player#trackEnd
- * @param {Queue} queue The queue
- * @param {Track} track The track
- */
-
-/* eslint-disable @typescript-eslint/no-explicit-any */
-export interface PlayerEvents {
-    botDisconnect: (queue: Queue) => any;
-    channelEmpty: (queue: Queue) => any;
-    connectionCreate: (queue: Queue, connection: StreamDispatcher) => any;
-    debug: (queue: Queue, message: string) => any;
-    error: (queue: Queue, error: Error) => any;
-    connectionError: (queue: Queue, error: Error) => any;
-    queueEnd: (queue: Queue) => any;
-    trackAdd: (queue: Queue, track: Track) => any;
-    tracksAdd: (queue: Queue, track: Track[]) => any;
-    trackStart: (queue: Queue, track: Track) => any;
-    trackEnd: (queue: Queue, track: Track) => any;
-}
-
-/* eslint-enable @typescript-eslint/no-explicit-any */
-
-/**
- * @typedef {object} PlayOptions
- * @property {boolean} [filtersUpdate=false] If this play was triggered for filters update
- * @property {string[]} [encoderArgs=[]] FFmpeg args passed to encoder
- * @property {number} [seek] Time to seek to before playing
- * @property {boolean} [immediate=false] If it should start playing the provided track immediately
- */
-export interface PlayOptions {
-    filtersUpdate?: boolean;
-    encoderArgs?: string[];
-    seek?: number;
-    immediate?: boolean;
-}
-
-/**
- * @typedef {object} SearchOptions
- * @property {UserResolvable} requestedBy The user who requested this search
- * @property {QueryType|string} [searchEngine=QueryType.AUTO] The query search engine, can be extractor name to target specific one (custom)
- * @property {boolean} [blockExtractor=false] If it should block custom extractors
- */
-export interface SearchOptions {
-    requestedBy: UserResolvable;
-    searchEngine?: QueryType | string;
-    blockExtractor?: boolean;
-}
-
-/**
- * The queue repeat mode. This can be one of:
- * - OFF
- * - TRACK
- * - QUEUE
- * - AUTOPLAY
- * @typedef {number} QueueRepeatMode
- */
-export enum QueueRepeatMode {
-    OFF = 0,
-    TRACK = 1,
-    QUEUE = 2,
-    AUTOPLAY = 3
-}
-
-/**
- * @typedef {object} PlaylistInitData
- * @property {Track[]} tracks The tracks of this playlist
- * @property {string} title The playlist title
- * @property {string} description The description
- * @property {string} thumbnail The thumbnail
- * @property {album|playlist} type The playlist type: `album` | `playlist`
- * @property {TrackSource} source The playlist source
- * @property {object} author The playlist author
- * @property {string} [author.name] The author name
- * @property {string} [author.url] The author url
- * @property {string} id The playlist id
- * @property {string} url The playlist url
- * @property {any} [rawPlaylist] The raw playlist data
- */
-export interface PlaylistInitData {
-    tracks: Track[];
-    title: string;
-    description: string;
-    thumbnail: string;
-    type: "album" | "playlist";
-    source: TrackSource;
-    author: {
-        name: string;
-        url: string;
-    };
-    id: string;
-    url: string;
-    rawPlaylist?: any; // eslint-disable-line @typescript-eslint/no-explicit-any
-}
-
-/**
- * @typedef {object} TrackJSON
- * @property {string} title The track title
- * @property {string} description The track description
- * @property {string} author The author
- * @property {string} url The url
- * @property {string} thumbnail The thumbnail
- * @property {string} duration The duration
- * @property {number} durationMS The duration in ms
- * @property {number} views The views count
- * @property {Snowflake} requestedBy The id of the user who requested this track
- * @property {PlaylistJSON} [playlist] The playlist info (if any)
- */
-export interface TrackJSON {
-    id: Snowflake;
-    title: string;
-    description: string;
-    author: string;
-    url: string;
-    thumbnail: string;
-    duration: string;
-    durationMS: number;
-    views: number;
-    requestedBy: Snowflake;
-    playlist?: PlaylistJSON;
-}
-
-/**
- * @typedef {object} PlaylistJSON
- * @property {string} id The playlist id
- * @property {string} url The playlist url
- * @property {string} title The playlist title
- * @property {string} description The playlist description
- * @property {string} thumbnail The thumbnail
- * @property {album|playlist} type The playlist type: `album` | `playlist`
- * @property {TrackSource} source The track source
- * @property {object} author The playlist author
- * @property {string} [author.name] The author name
- * @property {string} [author.url] The author url
- * @property {TrackJSON[]} tracks The tracks data (if any)
- */
-export interface PlaylistJSON {
-    id: string;
-    url: string;
-    title: string;
-    description: string;
-    thumbnail: string;
-    type: "album" | "playlist";
-    source: TrackSource;
-    author: {
-        name: string;
-        url: string;
-    };
-    tracks: TrackJSON[];
-}
-
-/**
- * @typedef {object} PlayerInitOptions
- * @property {boolean} [autoRegisterExtractor=true] If it should automatically register `@discord-player/extractor`
- * @property {YTDLDownloadOptions} [ytdlOptions] The options passed to `ytdl-core`
- * @property {number} [connectionTimeout=20000] The voice connection timeout
- */
-export interface PlayerInitOptions {
-    autoRegisterExtractor?: boolean;
-    connectionTimeout?: number;
-}
\ No newline at end of file
diff --git a/helpers/Music/src/utils/AudioFilters.ts b/helpers/Music/src/utils/AudioFilters.ts
deleted file mode 100644
index b3770640..00000000
--- a/helpers/Music/src/utils/AudioFilters.ts
+++ /dev/null
@@ -1,107 +0,0 @@
-import { FiltersName } from "../types/types";
-
-const bass = (g: number) => `bass=g=${g}:f=110:w=0.3`;
-
-class AudioFilters {
-    public constructor() {
-        return AudioFilters;
-    }
-
-    public static get filters(): Record<FiltersName, string> {
-        return {
-            bassboost_low: bass(15),
-            bassboost: bass(20),
-            bassboost_high: bass(30),
-            "8D": "apulsator=hz=0.09",
-            vaporwave: "aresample=48000,asetrate=48000*0.8",
-            nightcore: "aresample=48000,asetrate=48000*1.25",
-            phaser: "aphaser=in_gain=0.4",
-            tremolo: "tremolo",
-            vibrato: "vibrato=f=6.5",
-            reverse: "areverse",
-            treble: "treble=g=5",
-            normalizer2: "dynaudnorm=g=101",
-            normalizer: "acompressor",
-            surrounding: "surround",
-            pulsator: "apulsator=hz=1",
-            subboost: "asubboost",
-            karaoke: "stereotools=mlev=0.03",
-            flanger: "flanger",
-            gate: "agate",
-            haas: "haas",
-            mcompand: "mcompand",
-            mono: "pan=mono|c0=.5*c0+.5*c1",
-            mstlr: "stereotools=mode=ms>lr",
-            mstrr: "stereotools=mode=ms>rr",
-            compressor: "compand=points=-80/-105|-62/-80|-15.4/-15.4|0/-12|20/-7.6",
-            expander: "compand=attacks=0:points=-80/-169|-54/-80|-49.5/-64.6|-41.1/-41.1|-25.8/-15|-10.8/-4.5|0/0|20/8.3",
-            softlimiter: "compand=attacks=0:points=-80/-80|-12.4/-12.4|-6/-8|0/-6.8|20/-2.8",
-            chorus: "chorus=0.7:0.9:55:0.4:0.25:2",
-            chorus2d: "chorus=0.6:0.9:50|60:0.4|0.32:0.25|0.4:2|1.3",
-            chorus3d: "chorus=0.5:0.9:50|60|40:0.4|0.32|0.3:0.25|0.4|0.3:2|2.3|1.3",
-            fadein: "afade=t=in:ss=0:d=10",
-            dim: `afftfilt="'real=re * (1-clip((b/nb)*b,0,1))':imag='im * (1-clip((b/nb)*b,0,1))'"`,
-            earrape: "channelsplit,sidechaingate=level_in=64"
-        };
-    }
-
-    public static get<K extends FiltersName>(name: K) {
-        return this.filters[name];
-    }
-
-    public static has<K extends FiltersName>(name: K) {
-        return name in this.filters;
-    }
-
-    public static *[Symbol.iterator](): IterableIterator<{ name: FiltersName; value: string }> {
-        for (const [k, v] of Object.entries(this.filters)) {
-            yield { name: k as FiltersName, value: v as string };
-        }
-    }
-
-    public static get names() {
-        return Object.keys(this.filters) as FiltersName[];
-    }
-
-    // @ts-expect-error AudioFilters.length
-    public static get length() {
-        return this.names.length;
-    }
-
-    public static toString() {
-        return this.names.map((m) => (this as any)[m]).join(","); // eslint-disable-line @typescript-eslint/no-explicit-any
-    }
-
-    /**
-     * Create ffmpeg args from the specified filters name
-     * @param filter The filter name
-     * @returns
-     */
-    public static create<K extends FiltersName>(filters?: K[]) {
-        if (!filters || !Array.isArray(filters)) return this.toString();
-        return filters
-            .filter((predicate) => typeof predicate === "string")
-            .map((m) => this.get(m))
-            .join(",");
-    }
-
-    /**
-     * Defines audio filter
-     * @param filterName The name of the filter
-     * @param value The ffmpeg args
-     */
-    public static define(filterName: string, value: string) {
-        this.filters[filterName as FiltersName] = value;
-    }
-
-    /**
-     * Defines multiple audio filters
-     * @param filtersArray Array of filters containing the filter name and ffmpeg args
-     */
-    public static defineBulk(filtersArray: { name: string; value: string }[]) {
-        filtersArray.forEach((arr) => this.define(arr.name, arr.value));
-    }
-}
-
-export default AudioFilters;
-export { AudioFilters };
diff --git a/helpers/Music/src/utils/FFmpegStream.ts b/helpers/Music/src/utils/FFmpegStream.ts
deleted file mode 100644
index 9f49b283..00000000
--- a/helpers/Music/src/utils/FFmpegStream.ts
+++ /dev/null
@@ -1,59 +0,0 @@
-import { FFmpeg } from "prism-media";
-import type { Duplex, Readable } from "stream";
-
-export interface FFmpegStreamOptions {
-    fmt?: string;
-    encoderArgs?: string[];
-    seek?: number;
-    skip?: boolean;
-}
-
-export function FFMPEG_ARGS_STRING(stream: string, fmt?: string) {
-    // prettier-ignore
-    return [
-        "-reconnect", "1",
-        "-reconnect_streamed", "1",
-        "-reconnect_delay_max", "5",
-        "-i", stream,
-        "-analyzeduration", "0",
-        "-loglevel", "0",
-        "-f", `${typeof fmt === "string" ? fmt : "s16le"}`,
-        "-ar", "48000",
-        "-ac", "2"
-    ];
-}
-
-export function FFMPEG_ARGS_PIPED(fmt?: string) {
-    // prettier-ignore
-    return [
-        "-analyzeduration", "0",
-        "-loglevel", "0",
-        "-f", `${typeof fmt === "string" ? fmt : "s16le"}`,
-        "-ar", "48000",
-        "-ac", "2"
-    ];
-}
-
-/**
- * Creates FFmpeg stream
- * @param stream The source stream
- * @param options FFmpeg stream options
- */
-export function createFFmpegStream(stream: Readable | Duplex | string, options?: FFmpegStreamOptions) {
-    if (options.skip && typeof stream !== "string") return stream;
-    options ??= {};
-    const args = typeof stream === "string" ? FFMPEG_ARGS_STRING(stream, options.fmt) : FFMPEG_ARGS_PIPED(options.fmt);
-
-    if (!Number.isNaN(options.seek)) args.unshift("-ss", String(options.seek));
-    if (Array.isArray(options.encoderArgs)) args.push(...options.encoderArgs);
-
-    const transcoder = new FFmpeg({ shell: false, args });
-    transcoder.on("close", () => transcoder.destroy());
-
-    if (typeof stream !== "string") {
-        stream.on("error", () => transcoder.destroy());
-        stream.pipe(transcoder);
-    }
-
-    return transcoder;
-}
diff --git a/helpers/Music/src/utils/QueryResolver.ts b/helpers/Music/src/utils/QueryResolver.ts
deleted file mode 100644
index fc6c2b2b..00000000
--- a/helpers/Music/src/utils/QueryResolver.ts
+++ /dev/null
@@ -1,58 +0,0 @@
-import { QueryType } from "../types/types";
-import play from "play-dl";
-// eslint-disable-next-line @typescript-eslint/ban-ts-comment
-
-// scary things below *sigh*
-const spotifySongRegex = /https?:\/\/(?:embed\.|open\.)(?:spotify\.com\/)(?:track\/|\?uri=spotify:track:)((\w|-){22})/;
-const spotifyPlaylistRegex = /https?:\/\/(?:embed\.|open\.)(?:spotify\.com\/)(?:playlist\/|\?uri=spotify:playlist:)((\w|-){22})/;
-const spotifyAlbumRegex = /https?:\/\/(?:embed\.|open\.)(?:spotify\.com\/)(?:album\/|\?uri=spotify:album:)((\w|-){22})/;
-const vimeoRegex = /(http|https)?:\/\/(www\.|player\.)?vimeo\.com\/(?:channels\/(?:\w+\/)?|groups\/([^/]*)\/videos\/|video\/|)(\d+)(?:|\/\?)/;
-const facebookRegex = /(https?:\/\/)(www\.|m\.)?(facebook|fb).com\/.*\/videos\/.*/;
-const reverbnationRegex = /https:\/\/(www.)?reverbnation.com\/(.+)\/song\/(.+)/;
-const attachmentRegex =
-    /^(?:(?:https?|ftp):\/\/)?(?:(?!(?:10|127)(?:\.\d{1,3}){3})(?!(?:169\.254|192\.168)(?:\.\d{1,3}){2})(?!172\.(?:1[6-9]|2\d|3[0-1])(?:\.\d{1,3}){2})(?:[1-9]\d?|1\d\d|2[01]\d|22[0-3])(?:\.(?:1?\d{1,2}|2[0-4]\d|25[0-5])){2}(?:\.(?:[1-9]\d?|1\d\d|2[0-4]\d|25[0-4]))|(?:(?:[a-z\u00a1-\uffff0-9]-*)*[a-z\u00a1-\uffff0-9]+)(?:\.(?:[a-z\u00a1-\uffff0-9]-*)*[a-z\u00a1-\uffff0-9]+)*(?:\.(?:[a-z\u00a1-\uffff]{2,})))(?::\d{2,5})?(?:\/\S*)?$/;
-// scary things above *sigh*
-
-class QueryResolver {
-    /**
-     * Query resolver
-     */
-    private constructor() {} // eslint-disable-line @typescript-eslint/no-empty-function
-
-    /**
-     * Resolves the given search query
-     * @param {string} query The query
-     * @returns {QueryType}
-     */
-    static async resolve(query: string): Promise<QueryType> {
-        if (await play.so_validate(query) === "track") return QueryType.SOUNDCLOUD_TRACK;
-        if (await play.so_validate(query) === "playlist" || query.includes("/sets/")) return QueryType.SOUNDCLOUD_PLAYLIST;
-        if (play.yt_validate(query) === "playlist") return QueryType.YOUTUBE_PLAYLIST;
-        if (play.yt_validate(query) === "video") return QueryType.YOUTUBE_VIDEO;
-        if (spotifySongRegex.test(query)) return QueryType.SPOTIFY_SONG;
-        if (spotifyPlaylistRegex.test(query)) return QueryType.SPOTIFY_PLAYLIST;
-        if (spotifyAlbumRegex.test(query)) return QueryType.SPOTIFY_ALBUM;
-        if (vimeoRegex.test(query)) return QueryType.VIMEO;
-        if (facebookRegex.test(query)) return QueryType.FACEBOOK;
-        if (reverbnationRegex.test(query)) return QueryType.REVERBNATION;
-        if (attachmentRegex.test(query)) return QueryType.ARBITRARY;
-
-        return QueryType.YOUTUBE_SEARCH;
-    }
-
-    /**
-     * Parses vimeo id from url
-     * @param {string} query The query
-     * @returns {string}
-     */
-    static async getVimeoID(query: string): Promise<string> {
-        return await QueryResolver.resolve(query) === QueryType.VIMEO
-            ? query
-                  .split("/")
-                  .filter((x) => !!x)
-                  .pop()
-            : null;
-    }
-}
-
-export { QueryResolver };
diff --git a/helpers/Music/src/utils/Util.ts b/helpers/Music/src/utils/Util.ts
deleted file mode 100644
index f173feeb..00000000
--- a/helpers/Music/src/utils/Util.ts
+++ /dev/null
@@ -1,117 +0,0 @@
-import { StageChannel, VoiceChannel } from "discord.js";
-import { TimeData } from "../types/types";
-
-class Util {
-    /**
-     * Utils
-     */
-    private constructor() {} // eslint-disable-line @typescript-eslint/no-empty-function
-
-    /**
-     * Creates duration string
-     * @param {object} durObj The duration object
-     * @returns {string}
-     */
-    static durationString(durObj: Record<string, number>) {
-        return Object.values(durObj)
-            .map((m) => (isNaN(m) ? 0 : m))
-            .join(":");
-    }
-
-    /**
-     * Parses milliseconds to consumable time object
-     * @param {number} milliseconds The time in ms
-     * @returns {TimeData}
-     */
-    static parseMS(milliseconds: number) {
-        const round = milliseconds > 0 ? Math.floor : Math.ceil;
-
-        return {
-            days: round(milliseconds / 86400000),
-            hours: round(milliseconds / 3600000) % 24,
-            minutes: round(milliseconds / 60000) % 60,
-            seconds: round(milliseconds / 1000) % 60
-        } as TimeData;
-    }
-
-    /**
-     * Builds time code
-     * @param {TimeData} duration The duration object
-     * @returns {string}
-     */
-    static buildTimeCode(duration: TimeData) {
-        const items = Object.keys(duration);
-        const required = ["days", "hours", "minutes", "seconds"];
-
-        const parsed = items.filter((x) => required.includes(x)).map((m) => duration[m as keyof TimeData]);
-        const final = parsed
-            .slice(parsed.findIndex((x) => x !== 0))
-            .map((x) => x.toString().padStart(2, "0"))
-            .join(":");
-
-        return final.length <= 3 ? `0:${final.padStart(2, "0") || 0}` : final;
-    }
-
-    /**
-     * Picks last item of the given array
-     * @param {any[]} arr The array
-     * @returns {any}
-     */
-    // eslint-disable-next-line @typescript-eslint/no-explicit-any
-    static last<T = any>(arr: T[]): T {
-        if (!Array.isArray(arr)) return;
-        return arr[arr.length - 1];
-    }
-
-    /**
-     * Checks if the voice channel is empty
-     * @param {VoiceChannel|StageChannel} channel The voice channel
-     * @returns {boolean}
-     */
-    static isVoiceEmpty(channel: VoiceChannel | StageChannel) {
-        return channel.members.filter((member) => !member.user.bot).size === 0;
-    }
-
-    /**
-     * Safer require
-     * @param {string} id Node require id
-     * @returns {any}
-     */
-    static require(id: string) {
-        try {
-            return require(id);
-        } catch {
-            return null;
-        }
-    }
-
-    /**
-     * Asynchronous timeout
-     * @param {number} time The time in ms to wait
-     * @returns {Promise<unknown>}
-     */
-    static wait(time: number) {
-        return new Promise((r) => setTimeout(r, time).unref());
-    }
-
-    static noop() {} // eslint-disable-line @typescript-eslint/no-empty-function
-
-    static async getFetch() {
-        if ("fetch" in globalThis) return globalThis.fetch;
-        for (const lib of ["undici", "node-fetch"]) {
-            try {
-                return await import(lib).then((res) => res.fetch || res.default?.fetch || res.default);
-            } catch {
-                try {
-                    // eslint-disable-next-line
-                    const res = require(lib);
-                    if (res) return res.fetch || res.default?.fetch || res.default;
-                } catch {
-                    // no?
-                }
-            }
-        }
-    }
-}
-
-export { Util };
diff --git a/helpers/Music/tsconfig.json b/helpers/Music/tsconfig.json
deleted file mode 100644
index 0476f759..00000000
--- a/helpers/Music/tsconfig.json
+++ /dev/null
@@ -1,18 +0,0 @@
-{
-    "compilerOptions": {
-        "target": "ES2020",
-        "module": "commonjs",
-        "declaration": true,
-        "outDir": "./dist",
-        "strict": true,
-        "strictNullChecks": false,
-        "esModuleInterop": true,
-        "pretty": true,
-        "skipLibCheck": true,
-        "forceConsistentCasingInFileNames": true,
-        "importHelpers": true
-    },
-    "include": [
-        "src/**/*"
-    ]
-}
diff --git a/package-lock.json b/package-lock.json
index ff2f326f..0f977d58 100644
--- a/package-lock.json
+++ b/package-lock.json
@@ -20,6 +20,7 @@
                 "cron": "^2.1.0",
                 "discord-api-types": "^0.37.5",
                 "discord-giveaways": "^6.0.1",
+                "discord-player-play-dl": "^5.3.2",
                 "discord.js": "^14.3.0",
                 "ejs": "^3.1.3",
                 "express": "^4.17.1",
@@ -1478,6 +1479,19 @@
                 "discord.js": ">=14.0.0"
             }
         },
+        "node_modules/discord-player-play-dl": {
+            "version": "5.3.2",
+            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.2.tgz",
+            "integrity": "sha512-KBoQddJst0Xj8qFxikHCLlbHAVup5tDp+aE5rQIY5rG4t/D9As9LHKoiXIKnrjAfa9y4QvQeTMGJWDRYYBabsQ==",
+            "dependencies": {
+                "@discordjs/voice": "^0.11.0",
+                "libsodium-wrappers": "^0.7.10",
+                "play-dl": "^1.9.5",
+                "spotify-url-info": "^3.1.2",
+                "tiny-typed-emitter": "^2.1.0",
+                "tslib": "^2.4.0"
+            }
+        },
         "node_modules/discord.js": {
             "version": "14.3.0",
             "resolved": "https://registry.npmjs.org/discord.js/-/discord.js-14.3.0.tgz",
@@ -2485,6 +2499,11 @@
             "resolved": "https://registry.npmjs.org/has-unicode/-/has-unicode-2.0.1.tgz",
             "integrity": "sha512-8Rf9Y83NBReMnx0gFzA8JImQACstCYWUplepDa9xprwwtmgEZUF0h/i5xSA625zB/I37EtrswSST6OXxwaaIJQ=="
         },
+        "node_modules/himalaya": {
+            "version": "1.1.0",
+            "resolved": "https://registry.npmjs.org/himalaya/-/himalaya-1.1.0.tgz",
+            "integrity": "sha512-LLase1dHCRMel68/HZTFft0N0wti0epHr3nNY7ynpLbyZpmrKMQ8YIpiOV77TM97cNpC8Wb2n6f66IRggwdWPw=="
+        },
         "node_modules/html-encoding-sniffer": {
             "version": "2.0.1",
             "resolved": "https://registry.npmjs.org/html-encoding-sniffer/-/html-encoding-sniffer-2.0.1.tgz",
@@ -2886,6 +2905,19 @@
                 "node": ">= 0.8.0"
             }
         },
+        "node_modules/libsodium": {
+            "version": "0.7.10",
+            "resolved": "https://registry.npmjs.org/libsodium/-/libsodium-0.7.10.tgz",
+            "integrity": "sha512-eY+z7hDrDKxkAK+QKZVNv92A5KYkxfvIshtBJkmg5TSiCnYqZP3i9OO9whE79Pwgm4jGaoHgkM4ao/b9Cyu4zQ=="
+        },
+        "node_modules/libsodium-wrappers": {
+            "version": "0.7.10",
+            "resolved": "https://registry.npmjs.org/libsodium-wrappers/-/libsodium-wrappers-0.7.10.tgz",
+            "integrity": "sha512-pO3F1Q9NPLB/MWIhehim42b/Fwb30JNScCNh8TcQ/kIc+qGLQch8ag8wb0keK3EP5kbGakk1H8Wwo7v+36rNQg==",
+            "dependencies": {
+                "libsodium": "^0.7.0"
+            }
+        },
         "node_modules/locate-path": {
             "version": "6.0.0",
             "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-6.0.0.tgz",
@@ -4230,6 +4262,26 @@
                 "memory-pager": "^1.0.2"
             }
         },
+        "node_modules/spotify-uri": {
+            "version": "3.0.3",
+            "resolved": "https://registry.npmjs.org/spotify-uri/-/spotify-uri-3.0.3.tgz",
+            "integrity": "sha512-mMstJ4dAMki6GbUjg94kp/h9ZH+7T7+ro/KUC00WVh+WKoLgMRrTKLkWMIwCZNO53Xa8DRHQw/6jwYtRZrVI3g==",
+            "engines": {
+                "node": ">= 12"
+            }
+        },
+        "node_modules/spotify-url-info": {
+            "version": "3.1.8",
+            "resolved": "https://registry.npmjs.org/spotify-url-info/-/spotify-url-info-3.1.8.tgz",
+            "integrity": "sha512-XxDRxDtTd9p1X22+dWweqB2bf41UVRZgyvq8VmLyY4iuClR/4/LGWOqcqG/zh9BwLUtony4818QrJ2bp2tbUkg==",
+            "dependencies": {
+                "himalaya": "~1.1.0",
+                "spotify-uri": "~3.0.3"
+            },
+            "engines": {
+                "node": ">= 12"
+            }
+        },
         "node_modules/statuses": {
             "version": "2.0.1",
             "resolved": "https://registry.npmjs.org/statuses/-/statuses-2.0.1.tgz",
@@ -5784,6 +5836,19 @@
                 "serialize-javascript": "^6.0.0"
             }
         },
+        "discord-player-play-dl": {
+            "version": "5.3.2",
+            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.2.tgz",
+            "integrity": "sha512-KBoQddJst0Xj8qFxikHCLlbHAVup5tDp+aE5rQIY5rG4t/D9As9LHKoiXIKnrjAfa9y4QvQeTMGJWDRYYBabsQ==",
+            "requires": {
+                "@discordjs/voice": "^0.11.0",
+                "libsodium-wrappers": "^0.7.10",
+                "play-dl": "^1.9.5",
+                "spotify-url-info": "^3.1.2",
+                "tiny-typed-emitter": "^2.1.0",
+                "tslib": "^2.4.0"
+            }
+        },
         "discord.js": {
             "version": "14.3.0",
             "resolved": "https://registry.npmjs.org/discord.js/-/discord.js-14.3.0.tgz",
@@ -6561,6 +6626,11 @@
             "resolved": "https://registry.npmjs.org/has-unicode/-/has-unicode-2.0.1.tgz",
             "integrity": "sha512-8Rf9Y83NBReMnx0gFzA8JImQACstCYWUplepDa9xprwwtmgEZUF0h/i5xSA625zB/I37EtrswSST6OXxwaaIJQ=="
         },
+        "himalaya": {
+            "version": "1.1.0",
+            "resolved": "https://registry.npmjs.org/himalaya/-/himalaya-1.1.0.tgz",
+            "integrity": "sha512-LLase1dHCRMel68/HZTFft0N0wti0epHr3nNY7ynpLbyZpmrKMQ8YIpiOV77TM97cNpC8Wb2n6f66IRggwdWPw=="
+        },
         "html-encoding-sniffer": {
             "version": "2.0.1",
             "resolved": "https://registry.npmjs.org/html-encoding-sniffer/-/html-encoding-sniffer-2.0.1.tgz",
@@ -6847,6 +6917,19 @@
                 "type-check": "~0.4.0"
             }
         },
+        "libsodium": {
+            "version": "0.7.10",
+            "resolved": "https://registry.npmjs.org/libsodium/-/libsodium-0.7.10.tgz",
+            "integrity": "sha512-eY+z7hDrDKxkAK+QKZVNv92A5KYkxfvIshtBJkmg5TSiCnYqZP3i9OO9whE79Pwgm4jGaoHgkM4ao/b9Cyu4zQ=="
+        },
+        "libsodium-wrappers": {
+            "version": "0.7.10",
+            "resolved": "https://registry.npmjs.org/libsodium-wrappers/-/libsodium-wrappers-0.7.10.tgz",
+            "integrity": "sha512-pO3F1Q9NPLB/MWIhehim42b/Fwb30JNScCNh8TcQ/kIc+qGLQch8ag8wb0keK3EP5kbGakk1H8Wwo7v+36rNQg==",
+            "requires": {
+                "libsodium": "^0.7.0"
+            }
+        },
         "locate-path": {
             "version": "6.0.0",
             "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-6.0.0.tgz",
@@ -7802,6 +7885,20 @@
                 "memory-pager": "^1.0.2"
             }
         },
+        "spotify-uri": {
+            "version": "3.0.3",
+            "resolved": "https://registry.npmjs.org/spotify-uri/-/spotify-uri-3.0.3.tgz",
+            "integrity": "sha512-mMstJ4dAMki6GbUjg94kp/h9ZH+7T7+ro/KUC00WVh+WKoLgMRrTKLkWMIwCZNO53Xa8DRHQw/6jwYtRZrVI3g=="
+        },
+        "spotify-url-info": {
+            "version": "3.1.8",
+            "resolved": "https://registry.npmjs.org/spotify-url-info/-/spotify-url-info-3.1.8.tgz",
+            "integrity": "sha512-XxDRxDtTd9p1X22+dWweqB2bf41UVRZgyvq8VmLyY4iuClR/4/LGWOqcqG/zh9BwLUtony4818QrJ2bp2tbUkg==",
+            "requires": {
+                "himalaya": "~1.1.0",
+                "spotify-uri": "~3.0.3"
+            }
+        },
         "statuses": {
             "version": "2.0.1",
             "resolved": "https://registry.npmjs.org/statuses/-/statuses-2.0.1.tgz",
diff --git a/package.json b/package.json
index b656befa..d1bf5e22 100644
--- a/package.json
+++ b/package.json
@@ -23,6 +23,7 @@
         "cron": "^2.1.0",
         "discord-api-types": "^0.37.5",
         "discord-giveaways": "^6.0.1",
+        "discord-player-play-dl": "^5.3.2",
         "discord.js": "^14.3.0",
         "ejs": "^3.1.3",
         "express": "^4.17.1",

From b5a062c0ae0dd042fcd18f9a192f36e1f7905f50 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Tue, 13 Sep 2022 12:18:42 +0500
Subject: [PATCH 07/47] =?UTF-8?q?=D0=A4=D0=B8=D0=BA=D1=81=20help:=20=D0=BE?=
 =?UTF-8?q?=D1=88=D0=B8=D0=B1=D0=BA=D0=B0=20=D0=B5=D1=81=D0=BB=D0=B8=20?=
 =?UTF-8?q?=D1=83=20=D0=BA=D0=BE=D0=BC=D0=B0=D0=BD=D0=B4=D1=8B=20=D0=BD?=
 =?UTF-8?q?=D0=B5=D1=82=20=D0=B0=D1=80=D0=B3=D1=83=D0=BC=D0=B5=D0=BD=D1=82?=
 =?UTF-8?q?=D0=BE=D0=B2?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 commands/General/help.js      | 5 ++++-
 languages/ru-RU/fun/crab.json | 2 +-
 languages/ru-RU/misc.json     | 1 +
 3 files changed, 6 insertions(+), 2 deletions(-)

diff --git a/commands/General/help.js b/commands/General/help.js
index d2cff190..0672e4f3 100644
--- a/commands/General/help.js
+++ b/commands/General/help.js
@@ -134,6 +134,9 @@ function getPermName(bitfield = 0) {
 function generateCommandHelp(interaction, command) {
 	const cmd = interaction.client.commands.get(command);
 	if (!cmd) return interaction.error("general/help:NOT_FOUND", { search: command }, { edit: true });
+	const usage = interaction.translate(`${cmd.category.toLowerCase()}/${cmd.command.name}:USAGE`) === "" ?
+		interaction.translate("misc:NO_ARGS")
+		: interaction.translate(`${cmd.category.toLowerCase()}/${cmd.command.name}:USAGE`);
 
 	const embed = new EmbedBuilder()
 		.setAuthor({
@@ -148,7 +151,7 @@ function generateCommandHelp(interaction, command) {
 			},
 			{
 				name: interaction.translate("general/help:FIELD_USAGE"),
-				value: interaction.translate(`${cmd.category.toLowerCase()}/${cmd.command.name}:USAGE`)
+				value: usage
 			},
 			{
 				name: interaction.translate("general/help:FIELD_EXAMPLES"),
diff --git a/languages/ru-RU/fun/crab.json b/languages/ru-RU/fun/crab.json
index 04bd67e6..9c066d49 100644
--- a/languages/ru-RU/fun/crab.json
+++ b/languages/ru-RU/fun/crab.json
@@ -1,5 +1,5 @@
 {
-	"DESCRIPTION": "Получить изображение краба... да, это всё, что вы ещё хотели от команды под названием crab?",
+	"DESCRIPTION": "Получить изображение краба... да, это всё",
 	"USAGE": "",
 	"EXAMPLES": "crab"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/misc.json b/languages/ru-RU/misc.json
index cf578749..943d3466 100644
--- a/languages/ru-RU/misc.json
+++ b/languages/ru-RU/misc.json
@@ -11,6 +11,7 @@
 	"GUILD_ONLY": "Данную команду можно использовать только на сервере!",
 	"NSFW_COMMAND": "Данную команду можно использовать только в NSFW канале!",
 	"OWNER_ONLY": "Данную команду может использовать только владелец бота!",
+	"NO_ARGS": "Агрументы не требуются",
 
 	"PERMISSIONS": {
 		"CreateInstantInvite": "Создание приглашения",

From 74e2568c7a4ba6f32f52908281ea1c334cfff0f9 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Tue, 13 Sep 2022 12:25:57 +0500
Subject: [PATCH 08/47] =?UTF-8?q?=D0=9F=D1=80=D0=BE=D0=BF=D1=83=D1=89?=
 =?UTF-8?q?=D0=B5=D0=BD=D0=BD=D0=B0=D1=8F=20=D0=BB=D0=BE=D0=BA=D0=B0=D0=BB?=
 =?UTF-8?q?=D0=B8=D0=B7=D0=B0=D1=86=D0=B8=D1=8F?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 commands/General/help.js          | 2 +-
 languages/ru-RU/general/help.json | 5 +++--
 2 files changed, 4 insertions(+), 3 deletions(-)

diff --git a/commands/General/help.js b/commands/General/help.js
index 0672e4f3..a658a9f8 100644
--- a/commands/General/help.js
+++ b/commands/General/help.js
@@ -133,7 +133,7 @@ function getPermName(bitfield = 0) {
 
 function generateCommandHelp(interaction, command) {
 	const cmd = interaction.client.commands.get(command);
-	if (!cmd) return interaction.error("general/help:NOT_FOUND", { search: command }, { edit: true });
+	if (!cmd) return interaction.error("general/help:NOT_FOUND", { command }, { edit: true });
 	const usage = interaction.translate(`${cmd.category.toLowerCase()}/${cmd.command.name}:USAGE`) === "" ?
 		interaction.translate("misc:NO_ARGS")
 		: interaction.translate(`${cmd.category.toLowerCase()}/${cmd.command.name}:USAGE`);
diff --git a/languages/ru-RU/general/help.json b/languages/ru-RU/general/help.json
index 201fc0b1..b92db36d 100644
--- a/languages/ru-RU/general/help.json
+++ b/languages/ru-RU/general/help.json
@@ -2,6 +2,7 @@
 	"DESCRIPTION": "Показать список команд или помощь по данной команде",
 	"USAGE": "(команда)",
 	"EXAMPLES": "help\nhelp ping",
+	"NOT_FOUND": "Команда {{command}} не найдена",
 	"COMMANDS_IN": "Доступные команды в категории `{{category}}`:",
 	"FIELD_USAGE": "Использование",
 	"FIELD_DESCRIPTION": "Описание",
@@ -9,8 +10,8 @@
 	"FIELD_EXAMPLES": "Примеры",
 	"NO_ALIAS": "Нет сокращений",
 	"CMD_TITLE": "Помощь по {{cmd}}",
-	"INFO": "● Чтобы получить помощь по определённой команде используйте `help [команда]`!",
+	"INFO": "● Чтобы получить помощь по определённой команде используйте `help [команда]`",
 	"FIELD_PERMISSIONS": "Необходимые права",
-	"NO_REQUIRED_PERMISSION": "Никаких особых прав не нужно.",
+	"NO_REQUIRED_PERMISSION": "Никаких особых прав не нужно",
 	"TITLE": "{{name}} | Команды"
 }
\ No newline at end of file

From 1dd741883109342c4c75636c05a33f8542bcfc28 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Tue, 13 Sep 2022 21:24:00 +0500
Subject: [PATCH 09/47] =?UTF-8?q?=D0=9E=D0=B1=D0=BD=D0=BE=D0=B2=D0=BB?=
 =?UTF-8?q?=D0=B5=D0=BD=D0=B8=D0=B5=20=D0=B7=D0=B0=D0=B2=D0=B8=D1=81=D0=B8?=
 =?UTF-8?q?=D0=BC=D0=BE=D1=81=D1=82=D0=B5=D0=B9?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 package-lock.json | 30 +++++++++++++++++++++---------
 package.json      |  2 +-
 2 files changed, 22 insertions(+), 10 deletions(-)

diff --git a/package-lock.json b/package-lock.json
index 0f977d58..ec73fbb6 100644
--- a/package-lock.json
+++ b/package-lock.json
@@ -20,7 +20,7 @@
                 "cron": "^2.1.0",
                 "discord-api-types": "^0.37.5",
                 "discord-giveaways": "^6.0.1",
-                "discord-player-play-dl": "^5.3.2",
+                "discord-player-play-dl": "^5.3.3",
                 "discord.js": "^14.3.0",
                 "ejs": "^3.1.3",
                 "express": "^4.17.1",
@@ -1480,16 +1480,17 @@
             }
         },
         "node_modules/discord-player-play-dl": {
-            "version": "5.3.2",
-            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.2.tgz",
-            "integrity": "sha512-KBoQddJst0Xj8qFxikHCLlbHAVup5tDp+aE5rQIY5rG4t/D9As9LHKoiXIKnrjAfa9y4QvQeTMGJWDRYYBabsQ==",
+            "version": "5.3.3",
+            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.3.tgz",
+            "integrity": "sha512-xSy7+vKcJz0pTaZcNVFOvLimOUb39ZADnQyyav2Pmoe5Wo68YDIPapggTmdFCX2tA3zAnaYI3Yt5eh4/dOzk6Q==",
             "dependencies": {
                 "@discordjs/voice": "^0.11.0",
                 "libsodium-wrappers": "^0.7.10",
                 "play-dl": "^1.9.5",
                 "spotify-url-info": "^3.1.2",
                 "tiny-typed-emitter": "^2.1.0",
-                "tslib": "^2.4.0"
+                "tslib": "^2.4.0",
+                "youtube-sr": "^4.3.0"
             }
         },
         "node_modules/discord.js": {
@@ -4773,6 +4774,11 @@
             "funding": {
                 "url": "https://github.com/sponsors/sindresorhus"
             }
+        },
+        "node_modules/youtube-sr": {
+            "version": "4.3.4",
+            "resolved": "https://registry.npmjs.org/youtube-sr/-/youtube-sr-4.3.4.tgz",
+            "integrity": "sha512-olSYcR80XigutCrePEXBX3/RJJrWfonJQj7+/ggBiWU0CzTDLE1q8+lpWTWCG0JpzhzILp/IB/Bq/glGqqr1TQ=="
         }
     },
     "dependencies": {
@@ -5837,16 +5843,17 @@
             }
         },
         "discord-player-play-dl": {
-            "version": "5.3.2",
-            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.2.tgz",
-            "integrity": "sha512-KBoQddJst0Xj8qFxikHCLlbHAVup5tDp+aE5rQIY5rG4t/D9As9LHKoiXIKnrjAfa9y4QvQeTMGJWDRYYBabsQ==",
+            "version": "5.3.3",
+            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.3.tgz",
+            "integrity": "sha512-xSy7+vKcJz0pTaZcNVFOvLimOUb39ZADnQyyav2Pmoe5Wo68YDIPapggTmdFCX2tA3zAnaYI3Yt5eh4/dOzk6Q==",
             "requires": {
                 "@discordjs/voice": "^0.11.0",
                 "libsodium-wrappers": "^0.7.10",
                 "play-dl": "^1.9.5",
                 "spotify-url-info": "^3.1.2",
                 "tiny-typed-emitter": "^2.1.0",
-                "tslib": "^2.4.0"
+                "tslib": "^2.4.0",
+                "youtube-sr": "^4.3.0"
             }
         },
         "discord.js": {
@@ -8270,6 +8277,11 @@
             "resolved": "https://registry.npmjs.org/yocto-queue/-/yocto-queue-0.1.0.tgz",
             "integrity": "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==",
             "dev": true
+        },
+        "youtube-sr": {
+            "version": "4.3.4",
+            "resolved": "https://registry.npmjs.org/youtube-sr/-/youtube-sr-4.3.4.tgz",
+            "integrity": "sha512-olSYcR80XigutCrePEXBX3/RJJrWfonJQj7+/ggBiWU0CzTDLE1q8+lpWTWCG0JpzhzILp/IB/Bq/glGqqr1TQ=="
         }
     }
 }
diff --git a/package.json b/package.json
index d1bf5e22..f6e88dbb 100644
--- a/package.json
+++ b/package.json
@@ -23,7 +23,7 @@
         "cron": "^2.1.0",
         "discord-api-types": "^0.37.5",
         "discord-giveaways": "^6.0.1",
-        "discord-player-play-dl": "^5.3.2",
+        "discord-player-play-dl": "^5.3.3",
         "discord.js": "^14.3.0",
         "ejs": "^3.1.3",
         "express": "^4.17.1",

From 8839491290af6c5c8c61935c3a554e5efce3290d Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Tue, 13 Sep 2022 21:44:19 +0500
Subject: [PATCH 10/47] =?UTF-8?q?=D0=A3=D1=80=D0=B0=D0=B0=D0=B0=D0=B0,=20?=
 =?UTF-8?q?=D0=BD=D0=BE=D0=B2=D1=8B=D0=B9=20=D0=B0=D0=B2=D1=82=D0=BE=D0=BF?=
 =?UTF-8?q?=D0=BB=D0=B5=D0=B9?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 package-lock.json | 30 +++++++++---------------------
 package.json      |  2 +-
 2 files changed, 10 insertions(+), 22 deletions(-)

diff --git a/package-lock.json b/package-lock.json
index ec73fbb6..90ae0e2e 100644
--- a/package-lock.json
+++ b/package-lock.json
@@ -20,7 +20,7 @@
                 "cron": "^2.1.0",
                 "discord-api-types": "^0.37.5",
                 "discord-giveaways": "^6.0.1",
-                "discord-player-play-dl": "^5.3.3",
+                "discord-player-play-dl": "^5.3.4",
                 "discord.js": "^14.3.0",
                 "ejs": "^3.1.3",
                 "express": "^4.17.1",
@@ -1480,17 +1480,16 @@
             }
         },
         "node_modules/discord-player-play-dl": {
-            "version": "5.3.3",
-            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.3.tgz",
-            "integrity": "sha512-xSy7+vKcJz0pTaZcNVFOvLimOUb39ZADnQyyav2Pmoe5Wo68YDIPapggTmdFCX2tA3zAnaYI3Yt5eh4/dOzk6Q==",
+            "version": "5.3.4",
+            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.4.tgz",
+            "integrity": "sha512-V+CnERJ16XddFLd1CmCIoM6MFZSTSfkwKhGfQRsDbntOJNriR+byQDANfq7HRphAQeevISzL7TCgHjmSAbB25g==",
             "dependencies": {
                 "@discordjs/voice": "^0.11.0",
                 "libsodium-wrappers": "^0.7.10",
                 "play-dl": "^1.9.5",
                 "spotify-url-info": "^3.1.2",
                 "tiny-typed-emitter": "^2.1.0",
-                "tslib": "^2.4.0",
-                "youtube-sr": "^4.3.0"
+                "tslib": "^2.4.0"
             }
         },
         "node_modules/discord.js": {
@@ -4774,11 +4773,6 @@
             "funding": {
                 "url": "https://github.com/sponsors/sindresorhus"
             }
-        },
-        "node_modules/youtube-sr": {
-            "version": "4.3.4",
-            "resolved": "https://registry.npmjs.org/youtube-sr/-/youtube-sr-4.3.4.tgz",
-            "integrity": "sha512-olSYcR80XigutCrePEXBX3/RJJrWfonJQj7+/ggBiWU0CzTDLE1q8+lpWTWCG0JpzhzILp/IB/Bq/glGqqr1TQ=="
         }
     },
     "dependencies": {
@@ -5843,17 +5837,16 @@
             }
         },
         "discord-player-play-dl": {
-            "version": "5.3.3",
-            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.3.tgz",
-            "integrity": "sha512-xSy7+vKcJz0pTaZcNVFOvLimOUb39ZADnQyyav2Pmoe5Wo68YDIPapggTmdFCX2tA3zAnaYI3Yt5eh4/dOzk6Q==",
+            "version": "5.3.4",
+            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.4.tgz",
+            "integrity": "sha512-V+CnERJ16XddFLd1CmCIoM6MFZSTSfkwKhGfQRsDbntOJNriR+byQDANfq7HRphAQeevISzL7TCgHjmSAbB25g==",
             "requires": {
                 "@discordjs/voice": "^0.11.0",
                 "libsodium-wrappers": "^0.7.10",
                 "play-dl": "^1.9.5",
                 "spotify-url-info": "^3.1.2",
                 "tiny-typed-emitter": "^2.1.0",
-                "tslib": "^2.4.0",
-                "youtube-sr": "^4.3.0"
+                "tslib": "^2.4.0"
             }
         },
         "discord.js": {
@@ -8277,11 +8270,6 @@
             "resolved": "https://registry.npmjs.org/yocto-queue/-/yocto-queue-0.1.0.tgz",
             "integrity": "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==",
             "dev": true
-        },
-        "youtube-sr": {
-            "version": "4.3.4",
-            "resolved": "https://registry.npmjs.org/youtube-sr/-/youtube-sr-4.3.4.tgz",
-            "integrity": "sha512-olSYcR80XigutCrePEXBX3/RJJrWfonJQj7+/ggBiWU0CzTDLE1q8+lpWTWCG0JpzhzILp/IB/Bq/glGqqr1TQ=="
         }
     }
 }
diff --git a/package.json b/package.json
index f6e88dbb..6538f614 100644
--- a/package.json
+++ b/package.json
@@ -23,7 +23,7 @@
         "cron": "^2.1.0",
         "discord-api-types": "^0.37.5",
         "discord-giveaways": "^6.0.1",
-        "discord-player-play-dl": "^5.3.3",
+        "discord-player-play-dl": "^5.3.4",
         "discord.js": "^14.3.0",
         "ejs": "^3.1.3",
         "express": "^4.17.1",

From 8909532acf15927ddf1fc86b6621ba363e9a653e Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Tue, 13 Sep 2022 21:57:17 +0500
Subject: [PATCH 11/47] =?UTF-8?q?=D0=BE=D0=BC=D0=B3?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 package-lock.json | 14 +++++++-------
 package.json      |  2 +-
 2 files changed, 8 insertions(+), 8 deletions(-)

diff --git a/package-lock.json b/package-lock.json
index 90ae0e2e..b4b9d8a9 100644
--- a/package-lock.json
+++ b/package-lock.json
@@ -20,7 +20,7 @@
                 "cron": "^2.1.0",
                 "discord-api-types": "^0.37.5",
                 "discord-giveaways": "^6.0.1",
-                "discord-player-play-dl": "^5.3.4",
+                "discord-player-play-dl": "^5.3.5",
                 "discord.js": "^14.3.0",
                 "ejs": "^3.1.3",
                 "express": "^4.17.1",
@@ -1480,9 +1480,9 @@
             }
         },
         "node_modules/discord-player-play-dl": {
-            "version": "5.3.4",
-            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.4.tgz",
-            "integrity": "sha512-V+CnERJ16XddFLd1CmCIoM6MFZSTSfkwKhGfQRsDbntOJNriR+byQDANfq7HRphAQeevISzL7TCgHjmSAbB25g==",
+            "version": "5.3.5",
+            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.5.tgz",
+            "integrity": "sha512-A11TzAl7fEl9TQilgT4v6i3bxKh+zZUmnYOncun1+jNoQu9H8O7BpSXGafuGlNcAEGNyK2ZG1AZf64e8i09Q5g==",
             "dependencies": {
                 "@discordjs/voice": "^0.11.0",
                 "libsodium-wrappers": "^0.7.10",
@@ -5837,9 +5837,9 @@
             }
         },
         "discord-player-play-dl": {
-            "version": "5.3.4",
-            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.4.tgz",
-            "integrity": "sha512-V+CnERJ16XddFLd1CmCIoM6MFZSTSfkwKhGfQRsDbntOJNriR+byQDANfq7HRphAQeevISzL7TCgHjmSAbB25g==",
+            "version": "5.3.5",
+            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.5.tgz",
+            "integrity": "sha512-A11TzAl7fEl9TQilgT4v6i3bxKh+zZUmnYOncun1+jNoQu9H8O7BpSXGafuGlNcAEGNyK2ZG1AZf64e8i09Q5g==",
             "requires": {
                 "@discordjs/voice": "^0.11.0",
                 "libsodium-wrappers": "^0.7.10",
diff --git a/package.json b/package.json
index 6538f614..fc5ecb5b 100644
--- a/package.json
+++ b/package.json
@@ -23,7 +23,7 @@
         "cron": "^2.1.0",
         "discord-api-types": "^0.37.5",
         "discord-giveaways": "^6.0.1",
-        "discord-player-play-dl": "^5.3.4",
+        "discord-player-play-dl": "^5.3.5",
         "discord.js": "^14.3.0",
         "ejs": "^3.1.3",
         "express": "^4.17.1",

From dc6a9d23e5073dbd3165041c36a65d752a7aa3b9 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Tue, 13 Sep 2022 22:19:51 +0500
Subject: [PATCH 12/47] =?UTF-8?q?v4.1.4=20=D0=A4=D0=B8=D0=BA=D1=81=20?=
 =?UTF-8?q?=D0=BE=D1=88=D0=B8=D0=B1=D0=BE=D0=BA=20=D0=B2=20clips,=20loop,?=
 =?UTF-8?q?=20nowplaying=20=D0=B8=20play?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 commands/Music/clips.js      |  7 ++++++-
 commands/Music/loop.js       |  4 ++--
 commands/Music/nowplaying.js |  3 ++-
 commands/Music/play.js       |  6 +++---
 package-lock.json            | 18 +++++++++---------
 package.json                 |  4 ++--
 6 files changed, 24 insertions(+), 18 deletions(-)

diff --git a/commands/Music/clips.js b/commands/Music/clips.js
index 1d57ab58..4e3abef5 100644
--- a/commands/Music/clips.js
+++ b/commands/Music/clips.js
@@ -36,7 +36,12 @@ class Clips extends BaseCommand {
 		fs.readdir("./clips", async function (err, files) {
 			await interaction.deferReply();
 
-			if (err) return console.log("Unable to read directory: " + err);
+			if (err) {
+				interaction.editReply({
+					content: "```js\n" + err + "```"
+				});
+				return console.log("Unable to read directory: " + err);
+			}
 
 			const clips = files.map(file => {
 				const fileName = file.substring(0, file.length - 4);
diff --git a/commands/Music/loop.js b/commands/Music/loop.js
index c07d7281..7a14fbc5 100644
--- a/commands/Music/loop.js
+++ b/commands/Music/loop.js
@@ -35,9 +35,9 @@ class Loop extends BaseCommand {
 		await interaction.deferReply();
 
 		const voice = interaction.member.voice.channel;
-		if (!voice) return interaction.error("music/play:NO_VOICE_CHANNEL");
+		if (!voice) return interaction.error("music/play:NO_VOICE_CHANNEL", null, { edit: true });
 		const queue = client.player.getQueue(interaction.guildId);
-		if (!queue) return interaction.error("music/play:NOT_PLAYING");
+		if (!queue) return interaction.error("music/play:NOT_PLAYING", null, { edit: true });
 
 		const row = new ActionRowBuilder()
 			.addComponents(
diff --git a/commands/Music/nowplaying.js b/commands/Music/nowplaying.js
index e9b6463e..ae6797f2 100644
--- a/commands/Music/nowplaying.js
+++ b/commands/Music/nowplaying.js
@@ -33,8 +33,9 @@ class Nowplaying extends BaseCommand {
 	 */
 	async execute(client, interaction) {
 		await interaction.deferReply();
+
 		const queue = client.player.getQueue(interaction.guildId);
-		if (!queue) return interaction.error("music/play:NOT_PLAYING");
+		if (!queue) return interaction.error("music/play:NOT_PLAYING", null, { edit: true });
 		const progressBar = queue.createProgressBar();
 		const track = queue.current;
 
diff --git a/commands/Music/play.js b/commands/Music/play.js
index 2ea93072..ad04fa25 100644
--- a/commands/Music/play.js
+++ b/commands/Music/play.js
@@ -38,10 +38,10 @@ class Play extends BaseCommand {
 		await interaction.deferReply();
 
 		const voice = interaction.member.voice.channel;
-		if (!voice) return interaction.editReply({ content: interaction.translate("music/play:NO_VOICE_CHANNEL") });
+		if (!voice) return interaction.error("music/play:NO_VOICE_CHANNEL", null, { edit: true });
 		const query = interaction.options.getString("query");
 		const perms = voice.permissionsFor(client.user);
-		if (!perms.has(PermissionsBitField.Flags.Connect) || !perms.has(PermissionsBitField.Flags.Speak)) return interaction.editReply({ content: interaction.translate("music/play:VOICE_CHANNEL_CONNECT") });
+		if (!perms.has(PermissionsBitField.Flags.Connect) || !perms.has(PermissionsBitField.Flags.Speak)) return interaction.error("music/play:VOICE_CHANNEL_CONNECT", null, { edit: true });
 
 		try {
 			var searchResult = await client.player.search(query, {
@@ -50,7 +50,7 @@ class Play extends BaseCommand {
 			});
 
 			if (!searchResult.tracks[0] || !searchResult)
-				return interaction.editReply({ content: interaction.translate("music/play:NO_RESULT", { query, error: "Скорее всего видео заблокировано по региону" }) });
+				return interaction.error("music/play:NO_RESULT", { query, error: "Скорее всего видео заблокировано по региону" }, { edit: true });
 		} catch (error) {
 			console.log(error);
 			return interaction.editReply({
diff --git a/package-lock.json b/package-lock.json
index b4b9d8a9..08278862 100644
--- a/package-lock.json
+++ b/package-lock.json
@@ -1,12 +1,12 @@
 {
     "name": "jaba",
-    "version": "4.1.3",
+    "version": "4.1.4",
     "lockfileVersion": 2,
     "requires": true,
     "packages": {
         "": {
             "name": "jaba",
-            "version": "4.1.3",
+            "version": "4.1.4",
             "license": "ISC",
             "dependencies": {
                 "@discord-player/extractor": "^3.0.2",
@@ -20,7 +20,7 @@
                 "cron": "^2.1.0",
                 "discord-api-types": "^0.37.5",
                 "discord-giveaways": "^6.0.1",
-                "discord-player-play-dl": "^5.3.5",
+                "discord-player-play-dl": "^5.3.6",
                 "discord.js": "^14.3.0",
                 "ejs": "^3.1.3",
                 "express": "^4.17.1",
@@ -1480,9 +1480,9 @@
             }
         },
         "node_modules/discord-player-play-dl": {
-            "version": "5.3.5",
-            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.5.tgz",
-            "integrity": "sha512-A11TzAl7fEl9TQilgT4v6i3bxKh+zZUmnYOncun1+jNoQu9H8O7BpSXGafuGlNcAEGNyK2ZG1AZf64e8i09Q5g==",
+            "version": "5.3.6",
+            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.6.tgz",
+            "integrity": "sha512-xHcGl5RvyEP85FqN3EBJT4Ws/D1oA3yhCrbxNhhNI8BTX6eNS7Y0EY1pSTP9GLae/ql6nq106CWr18krj+r0ZA==",
             "dependencies": {
                 "@discordjs/voice": "^0.11.0",
                 "libsodium-wrappers": "^0.7.10",
@@ -5837,9 +5837,9 @@
             }
         },
         "discord-player-play-dl": {
-            "version": "5.3.5",
-            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.5.tgz",
-            "integrity": "sha512-A11TzAl7fEl9TQilgT4v6i3bxKh+zZUmnYOncun1+jNoQu9H8O7BpSXGafuGlNcAEGNyK2ZG1AZf64e8i09Q5g==",
+            "version": "5.3.6",
+            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.6.tgz",
+            "integrity": "sha512-xHcGl5RvyEP85FqN3EBJT4Ws/D1oA3yhCrbxNhhNI8BTX6eNS7Y0EY1pSTP9GLae/ql6nq106CWr18krj+r0ZA==",
             "requires": {
                 "@discordjs/voice": "^0.11.0",
                 "libsodium-wrappers": "^0.7.10",
diff --git a/package.json b/package.json
index fc5ecb5b..3e29f277 100644
--- a/package.json
+++ b/package.json
@@ -1,6 +1,6 @@
 {
     "name": "jaba",
-    "version": "4.1.3",
+    "version": "4.1.4",
     "description": "My Discord Bot",
     "main": "index.js",
     "private": true,
@@ -23,7 +23,7 @@
         "cron": "^2.1.0",
         "discord-api-types": "^0.37.5",
         "discord-giveaways": "^6.0.1",
-        "discord-player-play-dl": "^5.3.5",
+        "discord-player-play-dl": "^5.3.6",
         "discord.js": "^14.3.0",
         "ejs": "^3.1.3",
         "express": "^4.17.1",

From 96c2e770da6e98791d79329aae2440f98de56b6f Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Tue, 13 Sep 2022 22:23:21 +0500
Subject: [PATCH 13/47] =?UTF-8?q?=D0=9E=D0=B1=D0=BD=D0=BE=D0=B2=D1=8B=204.?=
 =?UTF-8?q?1.4?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 dashboard/public/docs/updates.md | 4 ++++
 1 file changed, 4 insertions(+)

diff --git a/dashboard/public/docs/updates.md b/dashboard/public/docs/updates.md
index 6274471d..a2a55544 100644
--- a/dashboard/public/docs/updates.md
+++ b/dashboard/public/docs/updates.md
@@ -1,3 +1,7 @@
+### JaBa v4.1.4
+* Исправления
+	* Ошибки в clips, loop, nowplaying и play.
+
 ### JaBa v4.1.3
 * Добавлено
 	* Возможность принудительной очистки транзакций с помощью *transactions clear:True*

From 7adaf42d47cdb4638529ee898ceea67829cc72da Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Fri, 16 Sep 2022 19:11:28 +0500
Subject: [PATCH 14/47] =?UTF-8?q?=D0=91=D0=BE=D0=BB=D0=B5=D0=B5=20=D0=BF?=
 =?UTF-8?q?=D0=BE=D0=B4=D1=80=D0=BE=D0=B1=D0=BD=D1=8B=D0=B5=20=D1=81=D0=BE?=
 =?UTF-8?q?=D0=BE=D0=B1=D1=89=D0=B5=D0=BD=D0=B8=D1=8F=20=D0=B2=20remindme?=
 =?UTF-8?q?=20(v4.1.5)?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 base/JaBa.js                          |  8 ++++----
 commands/General/remindme.js          | 12 +++++++++---
 dashboard/public/docs/updates.md      |  4 ++++
 helpers/checkReminds.js               | 14 ++++++--------
 languages/ru-RU/general/remindme.json |  4 ++--
 package.json                          |  2 +-
 6 files changed, 26 insertions(+), 18 deletions(-)

diff --git a/base/JaBa.js b/base/JaBa.js
index 97bcece4..dce40392 100644
--- a/base/JaBa.js
+++ b/base/JaBa.js
@@ -248,9 +248,9 @@ class JaBa extends Client {
 		return language(key, args);
 	}
 
-	printDate(date, format = false, locale = this.defaultLanguage) {
-		const languageData = this.languages.find((language) => language.name === locale || language.aliases.includes(locale));
-		if (!format) format = languageData.defaultMomentFormat;
+	printDate(date, format = "", locale = this.defaultLanguage) {
+		const languageData = this.languages.find(language => language.name === locale || language.aliases.includes(locale));
+		if (format === "" || format === null) format = languageData.defaultMomentFormat;
 
 		return moment(new Date(date))
 			.locale(languageData.moment)
@@ -258,7 +258,7 @@ class JaBa extends Client {
 	}
 
 	convertTime(time, type = false, noPrefix = false, locale = this.defaultLanguage) {
-		const languageData = this.languages.find((language) => language.name === locale || language.aliases.includes(locale));
+		const languageData = this.languages.find(language => language.name === locale || language.aliases.includes(locale));
 		const m = moment(time).locale(languageData.moment);
 
 		return (type ? m.toNow(noPrefix) : m.fromNow(noPrefix));
diff --git a/commands/General/remindme.js b/commands/General/remindme.js
index 049c0479..f500e90e 100644
--- a/commands/General/remindme.js
+++ b/commands/General/remindme.js
@@ -1,6 +1,7 @@
 const { SlashCommandBuilder } = require("discord.js");
 const BaseCommand = require("../../base/BaseCommand"),
-	ms = require("ms");
+	ms = require("ms"),
+	moment = require("moment");
 
 class Remindme extends BaseCommand {
 	/**
@@ -20,7 +21,7 @@ class Remindme extends BaseCommand {
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
+			guildOnly: false,
 			ownerOnly: false
 		});
 	}
@@ -38,6 +39,8 @@ class Remindme extends BaseCommand {
 	 * @param {Object} data
 	 */
 	async execute(client, interaction, data) {
+		await interaction.deferReply({ ephemeral: true });
+
 		const time = interaction.options.getString("time");
 		const message = interaction.options.getString("message");
 		const dateNow = Date.now();
@@ -54,7 +57,10 @@ class Remindme extends BaseCommand {
 		data.userData.save();
 		client.databaseCache.usersReminds.set(interaction.member.id, data.userData);
 
-		interaction.success("general/remindme:SAVED");
+		interaction.success("general/remindme:SAVED", {
+			message,
+			time: moment(rData.createdAt).locale(interaction.guild.data.language).format("dddd, Do MMMM YYYY, HH:mm:ss")
+		}, { edit: true });
 	}
 }
 
diff --git a/dashboard/public/docs/updates.md b/dashboard/public/docs/updates.md
index a2a55544..bc5e8c15 100644
--- a/dashboard/public/docs/updates.md
+++ b/dashboard/public/docs/updates.md
@@ -1,3 +1,7 @@
+### JaBa v4.1.5
+* Изменения
+	* Более подробные сообщения в *remindme*.
+
 ### JaBa v4.1.4
 * Исправления
 	* Ошибки в clips, loop, nowplaying и play.
diff --git a/helpers/checkReminds.js b/helpers/checkReminds.js
index 3dcdb2ed..391b3fc8 100644
--- a/helpers/checkReminds.js
+++ b/helpers/checkReminds.js
@@ -1,4 +1,5 @@
 const { EmbedBuilder } = require("discord.js");
+const moment = require("moment");
 
 /**
  *
@@ -21,18 +22,15 @@ module.exports.init = function (client) {
 				const reminds = user.reminds;
 				const mustSent = reminds.filter((r) => r.sendAt < dateNow);
 				if (mustSent.length > 0) {
-					mustSent.forEach((r) => {
+					mustSent.forEach(r => {
 						const embed = new EmbedBuilder()
 							.setAuthor({
 								name: client.translate("general/remindme:TITLE")
 							})
+							.setDescription(client.translate("general/remindme:CREATED", {
+								time: moment(r.createdAt).locale(client.defaultLanguage).format("dddd, Do MMMM YYYY, HH:mm:ss")
+							}))
 							.addFields([
-								{
-									name: client.translate("common:CREATION"),
-									value: client.translate("general/remindme:CREATED", {
-										time: client.convertTime(r.createdAt, "from")
-									})
-								},
 								{
 									name: client.translate("common:MESSAGE"),
 									value: r.message
@@ -46,7 +44,7 @@ module.exports.init = function (client) {
 							embeds: [embed]
 						});
 					});
-					user.reminds = user.reminds.filter((r) => r.sendAt >= dateNow);
+					user.reminds = user.reminds.filter(r => r.sendAt >= dateNow);
 					user.save();
 					if (user.reminds.length === 0) client.databaseCache.usersReminds.delete(user.id);
 				}
diff --git a/languages/ru-RU/general/remindme.json b/languages/ru-RU/general/remindme.json
index 285e9b2e..b28ec46c 100644
--- a/languages/ru-RU/general/remindme.json
+++ b/languages/ru-RU/general/remindme.json
@@ -3,7 +3,7 @@
 	"USAGE": "[время] [сообщение]",
 	"EXAMPLES": "remindme 12h Использовать команду work\nremindme 5m Достать курицу из морозилки!",
 	"TIME": "Время (Например: 10s, 5m, 2h, 1d, 3w)",
-	"SAVED": "Напоминание сохранено!",
+	"SAVED": "Напоминание `{{message}}` сохранено **{{time}}**",
 	"TITLE": "Напоминание от JaBa",
-	"CREATED": "Напоминание создано {{time}}"
+	"CREATED": "Напоминание создано: **{{time}}**"
 }
\ No newline at end of file
diff --git a/package.json b/package.json
index 3e29f277..2d880c2f 100644
--- a/package.json
+++ b/package.json
@@ -1,6 +1,6 @@
 {
     "name": "jaba",
-    "version": "4.1.4",
+    "version": "4.1.5",
     "description": "My Discord Bot",
     "main": "index.js",
     "private": true,

From 28a21c808819c4f63f69794a280a6a05468b5aff Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Sun, 25 Sep 2022 12:11:20 +0500
Subject: [PATCH 15/47] =?UTF-8?q?=D0=A4=D0=B8=D0=BA=D1=81=20=D0=BE=D1=88?=
 =?UTF-8?q?=D0=B8=D0=B1=D0=BA=D0=B8=20slots=20=D0=BF=D1=80=D0=B8=20=D0=BE?=
 =?UTF-8?q?=D1=82=D1=81=D1=83=D1=82=D1=81=D1=82=D0=B2=D0=B8=D0=B8=20=D1=81?=
 =?UTF-8?q?=D1=83=D0=BC=D0=BC=D1=8B=20=D1=83=20=D1=8E=D0=B7=D0=B5=D1=80?=
 =?UTF-8?q?=D0=B0?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 commands/Economy/slots.js | 3 ++-
 1 file changed, 2 insertions(+), 1 deletion(-)

diff --git a/commands/Economy/slots.js b/commands/Economy/slots.js
index 2b7ad7e7..3e0d9833 100644
--- a/commands/Economy/slots.js
+++ b/commands/Economy/slots.js
@@ -35,8 +35,9 @@ class Slots extends BaseCommand {
 	 */
 	async execute(client, interaction, data) {
 		await interaction.deferReply();
+
 		const amount = interaction.options.getInteger("amount");
-		if (amount > data.memberData.money) return interaction.error("economy/slots:NOT_ENOUGH", { money: `**${amount}** ${client.getNoun(amount, interaction.translate("misc:NOUNS:CREDIT:1"), interaction.translate("misc:NOUNS:CREDIT:2"), interaction.translate("misc:NOUNS:CREDIT:5"))}` });
+		if (amount > data.memberData.money) return interaction.error("economy/slots:NOT_ENOUGH", { money: `**${amount}** ${client.getNoun(amount, interaction.translate("misc:NOUNS:CREDIT:1"), interaction.translate("misc:NOUNS:CREDIT:2"), interaction.translate("misc:NOUNS:CREDIT:5"))}` }, { edit: true });
 
 		const fruits = ["🍎", "🍐", "🍌", "🍇", "🍉", "🍒", "🍓"];
 

From 2f30e020cad401f1e158df55069af26c0c65a8c9 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Mon, 26 Sep 2022 19:54:35 +0500
Subject: [PATCH 16/47] =?UTF-8?q?=D0=9F=D0=BE=D0=B7=D0=B4=D1=80=D0=B0?=
 =?UTF-8?q?=D0=B2=D0=BB=D0=B5=D0=BD=D0=B8=D1=8F=20=D1=81=20=D0=94=D0=A0=20?=
 =?UTF-8?q?=D1=82=D0=BE=D0=BB=D1=8C=D0=BA=D0=BE=20=D0=BD=D0=B0=20=D1=81?=
 =?UTF-8?q?=D0=B5=D1=80=D0=B2=D0=B5=D1=80=20=D0=B3=D0=B4=D0=B5=20=D0=B5?=
 =?UTF-8?q?=D1=81=D1=82=D1=8C=20=D1=8E=D0=B7=D0=B5=D1=80=20=D0=9A=D0=BE?=
 =?UTF-8?q?=D0=BC=D0=BC=D0=B5=D0=BD=D1=82=D0=B0=D1=80=D0=B8=D0=B8=20=D0=BA?=
 =?UTF-8?q?=20=D1=84=D1=83=D0=BD=D0=BA=D1=86=D0=B8=D1=8F=D0=BC=20=D1=87?=
 =?UTF-8?q?=D1=82=D0=BE=D0=B1=D1=8B=20=D0=BD=D0=B5=20=D0=B7=D0=B0=D0=B1?=
 =?UTF-8?q?=D1=8B=D1=82=D1=8C?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 base/JaBa.js                                  | 75 +++++++++++++---
 helpers/birthdays.js                          | 87 ++++++++++---------
 helpers/checkReminds.js                       |  6 +-
 helpers/checkUnmutes.js                       | 87 ++++++++++---------
 languages/en-US/README.txt                    |  1 +
 .../en-US/administration/addcommand.json      |  8 --
 languages/en-US/administration/addemoji.json  | 10 ---
 languages/en-US/administration/automod.json   | 10 ---
 languages/en-US/administration/autorole.json  | 10 ---
 languages/en-US/administration/backup.json    | 19 ----
 .../en-US/administration/configuration.json   | 32 -------
 .../en-US/administration/delcommand.json      |  8 --
 languages/en-US/administration/deletemod.json |  8 --
 languages/en-US/administration/goodbye.json   | 17 ----
 languages/en-US/administration/ignore.json    |  7 --
 languages/en-US/administration/set.json       | 13 ---
 .../en-US/administration/setbirthdays.json    |  7 --
 languages/en-US/administration/setlang.json   |  7 --
 .../en-US/administration/setmodlogs.json      |  7 --
 languages/en-US/administration/setprefix.json |  8 --
 .../en-US/administration/setreports.json      |  7 --
 .../en-US/administration/setsuggests.json     |  7 --
 .../en-US/administration/stealemoji.json      |  8 --
 languages/en-US/administration/welcome.json   | 17 ----
 languages/en-US/common.json                   | 59 -------------
 languages/en-US/dashboard.json                | 25 ------
 languages/en-US/economy/achievements.json     | 14 ---
 languages/en-US/economy/birthdate.json        | 12 ---
 languages/en-US/economy/deposit.json          |  9 --
 languages/en-US/economy/divorce.json          |  7 --
 languages/en-US/economy/leaderboard.json      |  7 --
 languages/en-US/economy/marry.json            | 18 ----
 languages/en-US/economy/money.json            |  6 --
 languages/en-US/economy/pay.json              | 11 ---
 languages/en-US/economy/profile.json          | 25 ------
 languages/en-US/economy/rep.json              | 10 ---
 languages/en-US/economy/rob.json              | 15 ----
 languages/en-US/economy/setbio.json           |  8 --
 languages/en-US/economy/slots.json            |  8 --
 languages/en-US/economy/withdraw.json         |  9 --
 languages/en-US/economy/work.json             | 11 ---
 languages/en-US/fun/8ball.json                | 26 ------
 languages/en-US/fun/ascii.json                |  6 --
 languages/en-US/fun/choice.json               |  9 --
 languages/en-US/fun/findwords.json            | 13 ---
 languages/en-US/fun/flip.json                 |  7 --
 languages/en-US/fun/lmg.json                  |  6 --
 languages/en-US/fun/lovecalc.json             |  7 --
 languages/en-US/fun/number.json               | 12 ---
 languages/en-US/general/activity.json         |  7 --
 languages/en-US/general/calc.json             | 10 ---
 languages/en-US/general/github.json           |  8 --
 languages/en-US/general/hastebin.json         |  7 --
 languages/en-US/general/help.json             | 18 ----
 languages/en-US/general/invitations.json      | 13 ---
 languages/en-US/general/invite.json           | 10 ---
 languages/en-US/general/minecraft.json        | 16 ----
 languages/en-US/general/permissions.json      |  6 --
 languages/en-US/general/ping.json             |  6 --
 languages/en-US/general/quote.json            |  8 --
 languages/en-US/general/remindme.json         |  9 --
 languages/en-US/general/report.json           | 11 ---
 languages/en-US/general/serverinfo.json       | 13 ---
 languages/en-US/general/setafk.json           |  9 --
 languages/en-US/general/shorturl.json         |  6 --
 languages/en-US/general/someone.json          |  5 --
 languages/en-US/general/staff.json            | 10 ---
 languages/en-US/general/stats.json            | 17 ----
 languages/en-US/general/suggest.json          |  8 --
 languages/en-US/general/translate.json        |  9 --
 languages/en-US/general/userinfo.json         | 10 ---
 languages/en-US/images/approved.json          |  5 --
 languages/en-US/images/avatar.json            |  5 --
 languages/en-US/images/batslap.json           |  5 --
 languages/en-US/images/beautiful.json         |  5 --
 languages/en-US/images/bed.json               |  5 --
 languages/en-US/images/brazzers.json          |  5 --
 languages/en-US/images/burn.json              |  5 --
 languages/en-US/images/captcha.json           |  5 --
 languages/en-US/images/challenger.json        |  5 --
 languages/en-US/images/clyde.json             |  6 --
 languages/en-US/images/dictator.json          |  5 --
 languages/en-US/images/facepalm.json          |  5 --
 languages/en-US/images/fire.json              |  5 --
 languages/en-US/images/jail.json              |  5 --
 languages/en-US/images/love.json              |  5 --
 languages/en-US/images/mission.json           |  5 --
 languages/en-US/images/phcomment.json         |  6 --
 languages/en-US/images/qrcode.json            |  7 --
 languages/en-US/images/rip.json               |  5 --
 languages/en-US/images/scary.json             |  5 --
 languages/en-US/images/tobecontinued.json     |  5 --
 languages/en-US/images/trash.json             |  5 --
 languages/en-US/images/triggered.json         |  5 --
 languages/en-US/images/tweet.json             |  8 --
 languages/en-US/images/wanted.json            |  5 --
 languages/en-US/images/wasted.json            |  5 --
 languages/en-US/images/youtube-comment.json   |  5 --
 languages/en-US/misc.json                     | 28 ------
 languages/en-US/moderation/announcement.json  | 10 ---
 languages/en-US/moderation/ban.json           | 13 ---
 languages/en-US/moderation/checkinvites.json  |  6 --
 languages/en-US/moderation/clear.json         | 10 ---
 languages/en-US/moderation/clearwarns.json    |  7 --
 languages/en-US/moderation/giveaway.json      | 27 ------
 languages/en-US/moderation/kick.json          | 11 ---
 languages/en-US/moderation/mute.json          |  9 --
 languages/en-US/moderation/poll.json          |  8 --
 languages/en-US/moderation/setwarns.json      | 12 ---
 languages/en-US/moderation/unban.json         |  8 --
 languages/en-US/moderation/unmute.json        |  9 --
 languages/en-US/moderation/warn.json          | 11 ---
 languages/en-US/moderation/warns.json         |  7 --
 languages/en-US/music/autoplay.json           |  7 --
 languages/en-US/music/back.json               |  7 --
 languages/en-US/music/clip.json               |  8 --
 languages/en-US/music/clips.json              |  6 --
 languages/en-US/music/filter.json             |  9 --
 languages/en-US/music/filters.json            |  7 --
 languages/en-US/music/jump.json               |  7 --
 languages/en-US/music/loop.json               |  9 --
 languages/en-US/music/lyrics.json             | 10 ---
 languages/en-US/music/np.json                 | 11 ---
 languages/en-US/music/pause.json              |  6 --
 languages/en-US/music/play.json               | 22 -----
 languages/en-US/music/queue.json              |  6 --
 languages/en-US/music/resume.json             |  6 --
 languages/en-US/music/seek.json               |  7 --
 languages/en-US/music/skip.json               |  7 --
 languages/en-US/music/stop.json               |  6 --
 languages/en-US/nsfw/hentai.json              |  8 --
 languages/en-US/owner/debug.json              | 15 ----
 languages/en-US/owner/eval.json               |  5 --
 languages/en-US/owner/reload.json             |  7 --
 languages/en-US/owner/say.json                |  5 --
 languages/en-US/owner/servers-list.json       |  5 --
 languages/en-US/time.json                     | 10 ---
 languages/language-meta.json                  |  3 +-
 138 files changed, 159 insertions(+), 1380 deletions(-)
 create mode 100644 languages/en-US/README.txt
 delete mode 100644 languages/en-US/administration/addcommand.json
 delete mode 100644 languages/en-US/administration/addemoji.json
 delete mode 100644 languages/en-US/administration/automod.json
 delete mode 100644 languages/en-US/administration/autorole.json
 delete mode 100644 languages/en-US/administration/backup.json
 delete mode 100644 languages/en-US/administration/configuration.json
 delete mode 100644 languages/en-US/administration/delcommand.json
 delete mode 100644 languages/en-US/administration/deletemod.json
 delete mode 100644 languages/en-US/administration/goodbye.json
 delete mode 100644 languages/en-US/administration/ignore.json
 delete mode 100644 languages/en-US/administration/set.json
 delete mode 100644 languages/en-US/administration/setbirthdays.json
 delete mode 100644 languages/en-US/administration/setlang.json
 delete mode 100644 languages/en-US/administration/setmodlogs.json
 delete mode 100644 languages/en-US/administration/setprefix.json
 delete mode 100644 languages/en-US/administration/setreports.json
 delete mode 100644 languages/en-US/administration/setsuggests.json
 delete mode 100644 languages/en-US/administration/stealemoji.json
 delete mode 100644 languages/en-US/administration/welcome.json
 delete mode 100644 languages/en-US/common.json
 delete mode 100644 languages/en-US/dashboard.json
 delete mode 100644 languages/en-US/economy/achievements.json
 delete mode 100644 languages/en-US/economy/birthdate.json
 delete mode 100644 languages/en-US/economy/deposit.json
 delete mode 100644 languages/en-US/economy/divorce.json
 delete mode 100644 languages/en-US/economy/leaderboard.json
 delete mode 100644 languages/en-US/economy/marry.json
 delete mode 100644 languages/en-US/economy/money.json
 delete mode 100644 languages/en-US/economy/pay.json
 delete mode 100644 languages/en-US/economy/profile.json
 delete mode 100644 languages/en-US/economy/rep.json
 delete mode 100644 languages/en-US/economy/rob.json
 delete mode 100644 languages/en-US/economy/setbio.json
 delete mode 100644 languages/en-US/economy/slots.json
 delete mode 100644 languages/en-US/economy/withdraw.json
 delete mode 100644 languages/en-US/economy/work.json
 delete mode 100644 languages/en-US/fun/8ball.json
 delete mode 100644 languages/en-US/fun/ascii.json
 delete mode 100644 languages/en-US/fun/choice.json
 delete mode 100644 languages/en-US/fun/findwords.json
 delete mode 100644 languages/en-US/fun/flip.json
 delete mode 100644 languages/en-US/fun/lmg.json
 delete mode 100644 languages/en-US/fun/lovecalc.json
 delete mode 100644 languages/en-US/fun/number.json
 delete mode 100644 languages/en-US/general/activity.json
 delete mode 100644 languages/en-US/general/calc.json
 delete mode 100644 languages/en-US/general/github.json
 delete mode 100644 languages/en-US/general/hastebin.json
 delete mode 100644 languages/en-US/general/help.json
 delete mode 100644 languages/en-US/general/invitations.json
 delete mode 100644 languages/en-US/general/invite.json
 delete mode 100644 languages/en-US/general/minecraft.json
 delete mode 100644 languages/en-US/general/permissions.json
 delete mode 100644 languages/en-US/general/ping.json
 delete mode 100644 languages/en-US/general/quote.json
 delete mode 100644 languages/en-US/general/remindme.json
 delete mode 100644 languages/en-US/general/report.json
 delete mode 100644 languages/en-US/general/serverinfo.json
 delete mode 100644 languages/en-US/general/setafk.json
 delete mode 100644 languages/en-US/general/shorturl.json
 delete mode 100644 languages/en-US/general/someone.json
 delete mode 100644 languages/en-US/general/staff.json
 delete mode 100644 languages/en-US/general/stats.json
 delete mode 100644 languages/en-US/general/suggest.json
 delete mode 100644 languages/en-US/general/translate.json
 delete mode 100644 languages/en-US/general/userinfo.json
 delete mode 100644 languages/en-US/images/approved.json
 delete mode 100644 languages/en-US/images/avatar.json
 delete mode 100644 languages/en-US/images/batslap.json
 delete mode 100644 languages/en-US/images/beautiful.json
 delete mode 100644 languages/en-US/images/bed.json
 delete mode 100644 languages/en-US/images/brazzers.json
 delete mode 100644 languages/en-US/images/burn.json
 delete mode 100644 languages/en-US/images/captcha.json
 delete mode 100644 languages/en-US/images/challenger.json
 delete mode 100644 languages/en-US/images/clyde.json
 delete mode 100644 languages/en-US/images/dictator.json
 delete mode 100644 languages/en-US/images/facepalm.json
 delete mode 100644 languages/en-US/images/fire.json
 delete mode 100644 languages/en-US/images/jail.json
 delete mode 100644 languages/en-US/images/love.json
 delete mode 100644 languages/en-US/images/mission.json
 delete mode 100644 languages/en-US/images/phcomment.json
 delete mode 100644 languages/en-US/images/qrcode.json
 delete mode 100644 languages/en-US/images/rip.json
 delete mode 100644 languages/en-US/images/scary.json
 delete mode 100644 languages/en-US/images/tobecontinued.json
 delete mode 100644 languages/en-US/images/trash.json
 delete mode 100644 languages/en-US/images/triggered.json
 delete mode 100644 languages/en-US/images/tweet.json
 delete mode 100644 languages/en-US/images/wanted.json
 delete mode 100644 languages/en-US/images/wasted.json
 delete mode 100644 languages/en-US/images/youtube-comment.json
 delete mode 100644 languages/en-US/misc.json
 delete mode 100644 languages/en-US/moderation/announcement.json
 delete mode 100644 languages/en-US/moderation/ban.json
 delete mode 100644 languages/en-US/moderation/checkinvites.json
 delete mode 100644 languages/en-US/moderation/clear.json
 delete mode 100644 languages/en-US/moderation/clearwarns.json
 delete mode 100644 languages/en-US/moderation/giveaway.json
 delete mode 100644 languages/en-US/moderation/kick.json
 delete mode 100644 languages/en-US/moderation/mute.json
 delete mode 100644 languages/en-US/moderation/poll.json
 delete mode 100644 languages/en-US/moderation/setwarns.json
 delete mode 100644 languages/en-US/moderation/unban.json
 delete mode 100644 languages/en-US/moderation/unmute.json
 delete mode 100644 languages/en-US/moderation/warn.json
 delete mode 100644 languages/en-US/moderation/warns.json
 delete mode 100644 languages/en-US/music/autoplay.json
 delete mode 100644 languages/en-US/music/back.json
 delete mode 100644 languages/en-US/music/clip.json
 delete mode 100644 languages/en-US/music/clips.json
 delete mode 100644 languages/en-US/music/filter.json
 delete mode 100644 languages/en-US/music/filters.json
 delete mode 100644 languages/en-US/music/jump.json
 delete mode 100644 languages/en-US/music/loop.json
 delete mode 100644 languages/en-US/music/lyrics.json
 delete mode 100644 languages/en-US/music/np.json
 delete mode 100644 languages/en-US/music/pause.json
 delete mode 100644 languages/en-US/music/play.json
 delete mode 100644 languages/en-US/music/queue.json
 delete mode 100644 languages/en-US/music/resume.json
 delete mode 100644 languages/en-US/music/seek.json
 delete mode 100644 languages/en-US/music/skip.json
 delete mode 100644 languages/en-US/music/stop.json
 delete mode 100644 languages/en-US/nsfw/hentai.json
 delete mode 100644 languages/en-US/owner/debug.json
 delete mode 100644 languages/en-US/owner/eval.json
 delete mode 100644 languages/en-US/owner/reload.json
 delete mode 100644 languages/en-US/owner/say.json
 delete mode 100644 languages/en-US/owner/servers-list.json
 delete mode 100644 languages/en-US/time.json

diff --git a/base/JaBa.js b/base/JaBa.js
index dce40392..ef635a6d 100644
--- a/base/JaBa.js
+++ b/base/JaBa.js
@@ -90,6 +90,9 @@ class JaBa extends Client {
 		});
 	}
 
+	/**
+	 * Login into bot account, connect to DB and update docs
+	 */
 	async init() {
 		this.login(this.config.token);
 
@@ -107,8 +110,8 @@ class JaBa extends Client {
 	}
 
 	/**
-	 *
-	 * @param {String} dir
+	 * Load commands from directory
+	 * @param {String} dir Directory where's all commands/subdirectories located
 	 * @returns
 	 */
 	async loadCommands(dir) {
@@ -169,9 +172,9 @@ class JaBa extends Client {
 	}
 
 	/**
-	 *
-	 * @param {String} dir
-	 * @param {String} file
+	 * Load single command in directory
+	 * @param {String} dir Directory where command is
+	 * @param {String} file Filename of the command
 	 */
 	async loadCommand(dir, file) {
 		const Command = require(path.join(dir, `${file}.js`));
@@ -196,9 +199,9 @@ class JaBa extends Client {
 	}
 
 	/**
-	 *
-	 * @param {String} dir
-	 * @param {String} name
+	 * Unload command from cache
+	 * @param {String} dir Directory of the command
+	 * @param {String} name Name of the command
 	 */
 	async unloadCommand(dir, name) {
 		delete require.cache[require.resolve(`${dir}${path.sep}${name}.js`)];
@@ -207,8 +210,8 @@ class JaBa extends Client {
 	}
 
 	/**
-	 *
-	 * @param {String} dir
+	 * Load events from directory
+	 * @param {String} dir Directory where's all events/subdirectories located
 	 * @returns
 	 */
 	async loadEvents(dir) {
@@ -231,15 +234,18 @@ class JaBa extends Client {
 		}
 	}
 
+	/**
+	 * Get default language
+	 */
 	get defaultLanguage() {
 		return this.languages.find(language => language.default).name;
 	}
 
 	/**
-	 *
-	 * @param {String} key
-	 * @param {Array} args
-	 * @param {String} locale
+	 * Translate from key to language
+	 * @param {String} key Key
+	 * @param {Array} args Arguments for translation
+	 * @param {String} locale Language
 	 */
 	translate(key, args, locale = this.defaultLanguage) {
 		const language = this.translations.get(locale);
@@ -248,6 +254,13 @@ class JaBa extends Client {
 		return language(key, args);
 	}
 
+	/**
+	 * Returns beautified date
+	 * @param {Date} date Date
+	 * @param {String | null} format Format for moment
+	 * @param {String} locale Language
+	 * @returns {String} Beautified date
+	 */
 	printDate(date, format = "", locale = this.defaultLanguage) {
 		const languageData = this.languages.find(language => language.name === locale || language.aliases.includes(locale));
 		if (format === "" || format === null) format = languageData.defaultMomentFormat;
@@ -257,6 +270,14 @@ class JaBa extends Client {
 			.format(format);
 	}
 
+	/**
+	 * Convert given time
+	 * @param {String} time Time
+	 * @param {Boolean} type Type (To now = true or from now = false)
+	 * @param {Boolean} noPrefix Use prefix?
+	 * @param {String} locale Language
+	 * @returns {String} Time
+	 */
 	convertTime(time, type = false, noPrefix = false, locale = this.defaultLanguage) {
 		const languageData = this.languages.find(language => language.name === locale || language.aliases.includes(locale));
 		const m = moment(time).locale(languageData.moment);
@@ -264,6 +285,14 @@ class JaBa extends Client {
 		return (type ? m.toNow(noPrefix) : m.fromNow(noPrefix));
 	}
 
+	/**
+	 * Get noun for number
+	 * @param {Number} number Number
+	 * @param {String} one String for one
+	 * @param {String} two String for two
+	 * @param {String} five String for five
+	 * @returns
+	 */
 	getNoun(number, one, two, five) {
 		let n = Math.abs(number);
 		n %= 100;
@@ -275,6 +304,12 @@ class JaBa extends Client {
 		return five;
 	}
 
+	/**
+	 * Find or create user in DB
+	 * @param {Array} param0 { id: User ID }
+	 * @param {Boolean} isLean Return JSON instead Mongoose model?
+	 * @returns {import("./User")} Mongoose model or JSON of this user
+	 */
 	async findOrCreateUser({ id: userID }, isLean) {
 		if (this.databaseCache.users.get(userID)) return isLean ? this.databaseCache.users.get(userID).toJSON() : this.databaseCache.users.get(userID);
 		else {
@@ -299,6 +334,12 @@ class JaBa extends Client {
 		}
 	}
 
+	/**
+	 * Find or create member in DB
+	 * @param {Array} param0 { id: Member ID }
+	 * @param {Boolean} isLean Return JSON instead Mongoose model?
+	 * @returns {import("./Member")} Mongoose model or JSON of this member
+	 */
 	async findOrCreateMember({ id: memberID, guildID }, isLean) {
 		if (this.databaseCache.members.get(`${memberID}${guildID}`)) return isLean ? this.databaseCache.members.get(`${memberID}${guildID}`).toJSON() : this.databaseCache.members.get(`${memberID}${guildID}`);
 		else {
@@ -333,6 +374,12 @@ class JaBa extends Client {
 		}
 	}
 
+	/**
+	 * Find or create guild in DB
+	 * @param {Array} param0 { id: Guild ID }
+	 * @param {Boolean} isLean Return JSON instead Mongoose model?
+	 * @returns {import("./Guild")} Mongoose model or JSON of this guild
+	 */
 	async findOrCreateGuild({ id: guildID }, isLean) {
 		if (this.databaseCache.guilds.get(guildID)) return isLean ? this.databaseCache.guilds.get(guildID).toJSON() : this.databaseCache.guilds.get(guildID);
 		else {
diff --git a/helpers/birthdays.js b/helpers/birthdays.js
index 8c130c02..1057ccc2 100644
--- a/helpers/birthdays.js
+++ b/helpers/birthdays.js
@@ -7,55 +7,58 @@ const { CronJob } = require("cron"),
  */
 module.exports.init = async function (client) {
 	new CronJob("0 5 * * *", async function () {
-		client.guilds.cache.forEach(async (guild) => {
-			const date = new Date(),
-				currentDay = date.getDate(),
-				currentMonth = date.getMonth(),
-				currentYear = date.getFullYear(),
-				guildData = await client.findOrCreateGuild({
-					id: guild.id
-				});
+		const date = new Date(),
+			currentDay = date.getDate(),
+			currentMonth = date.getMonth(),
+			currentYear = date.getFullYear();
+
+		client.guilds.cache.forEach(async guild => {
+			const guildData = await client.findOrCreateGuild({
+				id: guild.id
+			});
 
 			if (guildData.plugins.birthdays) {
 				const channel = client.channels.cache.get(guildData.plugins.birthdays);
 				if (channel) {
-					client.usersData
-						.find({ birthdate: { $gt: 1 } })
-						.then(async (users) => {
+					client.usersData.find({ birthdate: { $gt: 1 } })
+						.then(async users => {
 							for (const user of users) {
-								const userDate = new Date(user.birthdate);
-								const day = userDate.getDate();
-								const month = userDate.getMonth();
-								const year = userDate.getFullYear();
-								const age = currentYear - year;
+								if (guild.members.find(m => m.id === user.id)) {
+									const userDate = new Date(user.birthdate);
+									const day = userDate.getDate();
+									const month = userDate.getMonth();
+									const year = userDate.getFullYear();
+									const age = currentYear - year;
 
-								if (currentMonth === month && currentDay === day) {
-									const embed = new EmbedBuilder()
-										.setAuthor({
-											name: client.user.username,
-											iconURL: client.user.displayAvatarURL({
-												extension: "png",
-												size: 512
-											})
-										})
-										.setColor(client.config.embed.color)
-										.setFooter({
-											text: client.config.embed.footer
-										})
-										.addFields([
-											{
-												name: client.translate("economy/birthdate:HAPPY_BIRTHDAY"),
-												value: client.translate("economy/birthdate:HAPPY_BIRTHDAY_MESSAGE", {
-													name: user.username,
-													user: user.id,
-													age: `**${age}** ${client.getNoun(age, client.translate("misc:NOUNS:AGE:1"), client.translate("misc:NOUNS:AGE:2"), client.translate("misc:NOUNS:AGE:5"))}`
+									if (currentMonth === month && currentDay === day) {
+										const embed = new EmbedBuilder()
+											.setAuthor({
+												name: client.user.username,
+												iconURL: client.user.displayAvatarURL({
+													extension: "png",
+													size: 512
 												})
-											}
-										]);
-									const msg = await channel.send({
-										embeds: [embed]
-									});
-									await msg.react("🎉");
+											})
+											.setColor(client.config.embed.color)
+											.setFooter({
+												text: client.config.embed.footer
+											})
+											.addFields([
+												{
+													name: client.translate("economy/birthdate:HAPPY_BIRTHDAY"),
+													value: client.translate("economy/birthdate:HAPPY_BIRTHDAY_MESSAGE", {
+														name: user.username,
+														user: user.id,
+														age: `**${age}** ${client.getNoun(age, client.translate("misc:NOUNS:AGE:1"), client.translate("misc:NOUNS:AGE:2"), client.translate("misc:NOUNS:AGE:5"))}`
+													})
+												}
+											]);
+
+										const msg = await channel.send({
+											embeds: [embed]
+										});
+										await msg.react("🎉");
+									}
 								}
 							}
 						});
diff --git a/helpers/checkReminds.js b/helpers/checkReminds.js
index 391b3fc8..08370250 100644
--- a/helpers/checkReminds.js
+++ b/helpers/checkReminds.js
@@ -14,13 +14,16 @@ module.exports.init = function (client) {
 				client.databaseCache.usersReminds.set(user.id, user);
 			}
 		});
+
 	setInterval(async function () {
 		const dateNow = Date.now();
-		client.databaseCache.usersReminds.forEach(async (user) => {
+		client.databaseCache.usersReminds.forEach(async user => {
 			const dUser = client.users.cache.get(user.id);
+
 			if (dUser) {
 				const reminds = user.reminds;
 				const mustSent = reminds.filter((r) => r.sendAt < dateNow);
+
 				if (mustSent.length > 0) {
 					mustSent.forEach(r => {
 						const embed = new EmbedBuilder()
@@ -46,6 +49,7 @@ module.exports.init = function (client) {
 					});
 					user.reminds = user.reminds.filter(r => r.sendAt >= dateNow);
 					user.save();
+
 					if (user.reminds.length === 0) client.databaseCache.usersReminds.delete(user.id);
 				}
 			}
diff --git a/helpers/checkUnmutes.js b/helpers/checkUnmutes.js
index 0f1104b3..18a40bc3 100644
--- a/helpers/checkUnmutes.js
+++ b/helpers/checkUnmutes.js
@@ -8,56 +8,59 @@ module.exports.init = async function (client) {
 	client.membersData
 		.find({ "mute.muted": true })
 		.then(members => {
-			members.forEach((member) => client.databaseCache.mutedUsers.set(`${member.id}${member.guildID}`, member));
+			members.forEach(member => client.databaseCache.mutedUsers.set(`${member.id}${member.guildID}`, member));
 		});
 	setInterval(async () => {
-		client.databaseCache.mutedUsers.filter((m) => m.mute.endDate <= Date.now()).forEach(async (memberData) => {
-			const guild = client.guilds.cache.get(memberData.guildID);
-			if (!guild) return;
+		client.databaseCache.mutedUsers.filter(m => m.mute.endDate <= Date.now())
+			.forEach(async memberData => {
+				const guild = client.guilds.cache.get(memberData.guildID);
+				if (!guild) return;
+
+				const member = guild.members.cache.get(memberData.id) || await guild.members.fetch(memberData.id).catch(() => {
+					memberData.mute = {
+						muted: false,
+						endDate: null,
+						case: null
+					};
+					memberData.save();
+					client.logger.log("[Unmuted] " + memberData.id + " cannot be found.");
+					return;
+				});
+
+				const guildData = await client.findOrCreateGuild({
+					id: guild.id
+				});
+
+				if (member) {
+					guild.channels.cache.forEach(channel => {
+						const permOverwrites = channel.permissionOverwrites.cache.get(member.id);
+						if (permOverwrites) permOverwrites.delete();
+					});
+				}
+
+				const user = member ? member.user : await client.users.fetch(memberData.id);
+				const embed = new EmbedBuilder()
+					.setDescription(guild.translate("moderation/unmute:SUCCESS_CASE", {
+						user: user.toString(),
+						usertag: user.tag,
+						count: memberData.mute.case
+					}))
+					.setColor("#F44271")
+					.setFooter({
+						text: guild.client.config.embed.footer
+					});
+
+				const channel = guild.channels.cache.get(guildData.plugins.modlogs);
+				if (channel) channel.send({ embeds: [embed] });
 
-			const member = guild.members.cache.get(memberData.id) || await guild.members.fetch(memberData.id).catch(() => {
 				memberData.mute = {
 					muted: false,
 					endDate: null,
 					case: null
 				};
-				memberData.save();
-				client.logger.log("[unmute] " + memberData.id + " cannot be found.");
-				return null;
+
+				client.databaseCache.mutedUsers.delete(`${memberData.id}${memberData.guildID}`);
+				await memberData.save();
 			});
-
-			const guildData = await client.findOrCreateGuild({
-				id: guild.id
-			});
-
-			if (member) {
-				guild.channels.cache.forEach((channel) => {
-					const permOverwrites = channel.permissionOverwrites.cache.get(member.id);
-					if (permOverwrites) permOverwrites.delete();
-				});
-			}
-			const user = member ? member.user : await client.users.fetch(memberData.id);
-			const embed = new EmbedBuilder()
-				.setDescription(guild.translate("moderation/unmute:SUCCESS_CASE", {
-					user: user.toString(),
-					usertag: user.tag,
-					count: memberData.mute.case
-				}))
-				.setColor("#F44271")
-				.setFooter({
-					text: guild.client.config.embed.footer
-				});
-			const channel = guild.channels.cache.get(guildData.plugins.modlogs);
-			if (channel) channel.send({ embeds: [embed] });
-
-			memberData.mute = {
-				muted: false,
-				endDate: null,
-				case: null
-			};
-
-			client.databaseCache.mutedUsers.delete(`${memberData.id}${memberData.guildID}`);
-			await memberData.save();
-		});
 	}, 1000);
 };
\ No newline at end of file
diff --git a/languages/en-US/README.txt b/languages/en-US/README.txt
new file mode 100644
index 00000000..f54390f0
--- /dev/null
+++ b/languages/en-US/README.txt
@@ -0,0 +1 @@
+Когда-нибудь тут будет перевод на английский. Сейчас в нём нет смысла
\ No newline at end of file
diff --git a/languages/en-US/administration/addcommand.json b/languages/en-US/administration/addcommand.json
deleted file mode 100644
index 5c9f22df..00000000
--- a/languages/en-US/administration/addcommand.json
+++ /dev/null
@@ -1,8 +0,0 @@
-{
-	"DESCRIPTION": "Add a custom command!",
-	"USAGE": "addcommand [name] [answer]",
-	"EXAMPLES": "addcommand hello Hello {user}! How are you?",
-	"MISSING_NAME": "Please provide a command name!",
-	"MISSING_ANSWER": "Please provide a command answer!",
-	"SUCCESS": "Command **{{commandName}}** added!"
-}
\ No newline at end of file
diff --git a/languages/en-US/administration/addemoji.json b/languages/en-US/administration/addemoji.json
deleted file mode 100644
index b7f0b81b..00000000
--- a/languages/en-US/administration/addemoji.json
+++ /dev/null
@@ -1,10 +0,0 @@
-{
-	"DESCRIPTION": "Add an emoji to the server!",
-	"USAGE": "addemoji [image-url] [name]",
-	"EXAMPLES": "addemoji https://via.placeholder.com/150 test-emoji",
-	"MISSING_URL": "Please provide an image URL!",
-	"MISSING_NAME": "Please provide an emoji name!",
-	"INVALID_NAME": "The length of the emoji name must be between 2 and 32!",
-	"SUCCESS": "{{emoji}} added!",
-	"ERROR": "{{emoji}} couldn't be added. Check if your server still has space for new emojis!"
-}
\ No newline at end of file
diff --git a/languages/en-US/administration/automod.json b/languages/en-US/administration/automod.json
deleted file mode 100644
index 939e7846..00000000
--- a/languages/en-US/administration/automod.json
+++ /dev/null
@@ -1,10 +0,0 @@
-{
-	"DESCRIPTION": "Toggle Discord invites automatic deletion",
-	"USAGE": "automod [on/off] (#channel)",
-	"EXAMPLES": "automod on\nautomod off #general\nautomod off",
-	"MISSING_STATUS": "Please enter a valid value between `on` and `off`",
-	"ENABLED": "**Discord invites will be automatically deleted!**\n\n:arrow_right_hook: *Send `automod off #channel` to ignore a channel!*",
-	"DISABLED_CHANNEL": "Auto-moderation will no longer be performed in {{channel}}!",
-	"DISABLED": "All right! Auto moderation is no longer effective on this server!",
-	"DELETED": "Your message was deleted because Discord invitations are not allowed on this server!"
-}
\ No newline at end of file
diff --git a/languages/en-US/administration/autorole.json b/languages/en-US/administration/autorole.json
deleted file mode 100644
index 40eec238..00000000
--- a/languages/en-US/administration/autorole.json
+++ /dev/null
@@ -1,10 +0,0 @@
-{
-	"DESCRIPTION": "Toggle autorole on the server!",
-	"USAGE": "autorole [on/off] (role)",
-	"EXAMPLES": "autorole on @Members\nautorole off",
-	"MISSING_STATUS": "Please specify a valid value between `on` and `off`",
-	"MISSING_ROLE": "Please specify a valid role!",
-	"SUCCESS_ENABLED": "Autorole enabled! New members will automatically receive the **{{roleName}}** role.",
-	"ALREADY_DISABLED": "**The autorole is already disabled.**\n\n:arrow_right_hook: *Send `autorole on @YourRole` to enable it again!*",
-	"SUCCESS_DISABLED": "**Autorole disabled!**\n\n:arrow_right_hook: *Send `configuration` to see the updated configuration!*"
-}
\ No newline at end of file
diff --git a/languages/en-US/administration/backup.json b/languages/en-US/administration/backup.json
deleted file mode 100644
index fec00f04..00000000
--- a/languages/en-US/administration/backup.json
+++ /dev/null
@@ -1,19 +0,0 @@
-{
-	"DESCRIPTION": "Manage your server backups in an efficient way!",
-	"USAGE": "backup [create/load/infos]",
-	"EXAMPLES": "backup create\nbackup load 558328638911545423\nbackup infos 558328638911545423",
-	"MISSING_STATUS": "Select an action between: `create`, `load` and `info`!",
-	"MISSING_BACKUP_ID": "Please enter a backup ID!",
-	"NO_BACKUP_FOUND": "No backup found for `{{backupID}}`",
-	"TIMES_UP": "Time's up! Cancelled backup loading!",
-	"SUCCESS_PUBLIC": "Backup successfully created! The backup ID has been sent to you in private messages!",
-	"SUCCESS_PRIVATE": "Here's your backup ID: `{{backupID}}`, use it to load your backup on an another server!",
-	"CONFIRMATION": ":warning: | **Loading a backup will replace the actual server with the saved one.**\n\n:arrow_right_hook: *Answer by sending `confirm` to confirm this action!*",
-	"START_LOADING": "Backup loading started!",
-	"LOAD_SUCCESS": "Backup successfully loaded!",
-	"TITLE_INFO": "Backup Information",
-	"TITLE_ID": "ID",
-	"TITLE_SERVER_ID": "Server ID",
-	"TITLE_SIZE": "Size",
-	"TITLE_CREATED_AT": "Created At"
-}
\ No newline at end of file
diff --git a/languages/en-US/administration/configuration.json b/languages/en-US/administration/configuration.json
deleted file mode 100644
index ddcdbcd5..00000000
--- a/languages/en-US/administration/configuration.json
+++ /dev/null
@@ -1,32 +0,0 @@
-{
-	"DESCRIPTION": "Shows the server configuration!",
-	"USAGE": "configuration",
-	"EXAMPLES": "configuration",
-	"PREFIX_TITLE": "Server prefix",
-	"IGNORED_CHANNELS_TITLE": "Ignored channel(s)",
-	"NO_IGNORED_CHANNELS": "No ignored channels.",
-	"AUTOROLE_TITLE": "Autorole",
-	"AUTOROLE_CONTENT": "Role: {{roleName}}",
-	"AUTOROLE_DISABLED": "Autorole disabled.",
-	"WELCOME_TITLE": "Welcome",
-	"WELCOME_CONTENT": "Channel: {{channel}}\nImage: {{withImage}}",
-	"WELCOME_DISABLED": "Welcome messages disabled.",
-	"GOODBYE_TITLE": "Goodbye",
-	"GOODBYE_CONTENT": "Channel: {{channel}}\nImage: {{withImage}}",
-	"GOODBYE_DISABLED": "Goodbye messages disabled.",
-	"SPECIAL_CHANNELS": "Special channels",
-	"MODLOGS": "Moderation logs: *{{channel}}*",
-	"BIRTHDAYS": "Birthdays announcements: *{{channel}}*",
-	"SUGGESTIONS": "Suggestions: *{{channel}}*",
-	"REPORTS": "Reports: *{{channel}}*",
-	"AUTOMOD_TITLE": "Auto-moderation:",
-	"AUTOMOD_CONTENT": "Auto-moderation enabled.\n*Ignored channels: {{channels}}*",
-	"AUTOMOD_DISABLED": "Auto-moderation disabled.",
-	"DASHBOARD_TITLE": "Edit your configuration:",
-	"DASHBOARD_CONTENT": "Click here to go on the dashboard!",
-	"AUTO_SANCTIONS": "Automatic sanctions",
-	"KICK_CONTENT": "Kick: After **{{count}}** warnings.",
-	"KICK_NOT_DEFINED": "Kick: Not defined.",
-	"BAN_CONTENT": "Ban: After **{{count}}** warnings.",
-	"BAN_NOT_DEFINED": "Ban: Not defined."
-}
diff --git a/languages/en-US/administration/delcommand.json b/languages/en-US/administration/delcommand.json
deleted file mode 100644
index d3a93eea..00000000
--- a/languages/en-US/administration/delcommand.json
+++ /dev/null
@@ -1,8 +0,0 @@
-{
-	"DESCRIPTION": "Remove a custom command!",
-	"USAGE": "delcommand [name-of-the-command]",
-	"EXAMPLES": "delcommand hey",
-	"MISSING_NAME": "Please enter a valid custom command name!",
-	"UNKNOWN_COMMAND": "The command {{commandName}} doesn't exist!",
-	"SUCCESS": "The {{commandName}} command has been removed from the server!"
-}
\ No newline at end of file
diff --git a/languages/en-US/administration/deletemod.json b/languages/en-US/administration/deletemod.json
deleted file mode 100644
index 62c70b6e..00000000
--- a/languages/en-US/administration/deletemod.json
+++ /dev/null
@@ -1,8 +0,0 @@
-{
-	"DESCRIPTION": "Toggle moderation commands auto deletion!",
-	"USAGE": "deletemod [on/off]",
-	"EXAMPLES": "deletemod on",
-	"MISSING_STATUS": "You must specify `on` or `off`",
-	"ENABLED": "Automatic moderation commands deletion!",
-	"DISABLED": "Automatic moderation commands deletion disabled!"
-}
\ No newline at end of file
diff --git a/languages/en-US/administration/goodbye.json b/languages/en-US/administration/goodbye.json
deleted file mode 100644
index 82830167..00000000
--- a/languages/en-US/administration/goodbye.json
+++ /dev/null
@@ -1,17 +0,0 @@
-{
-	"DESCRIPTION": "Toggle goodbye messages!",
-	"USAGE": "goodbye",
-	"EXAMPLES": "goodbye",
-	"MISSING_STATUS": "You must specify an action between `edit` and `off`",
-	"DEFAULT_MESSAGE": "Goodbye {user}! We're now {membercount} without you... :'(",
-	"TEST_SUCCESS": "Test executed!",
-	"FORM_1": "**In which channel will goodbye messages be sent?**\n\n:arrow_right_hook: *Answer by mentioning a channel!*",
-	"FORM_2": "**Please enter your desired goodbye message.**\n\n**If you want to:**\n*-* __Mention the user__: {user}\n*-* __Get the member count__: {membercount}\n*-* __Get the server name__: {server}\n\n**Usage example:**\nGoodbye {user}, we will miss you! We are now {membercount}.\n:fast_forward:\nGoodbye {{author}}, we will miss you! We are now {{memberCount}}.",
-	"FORM_3": "**Do you want a great goodbye image too?**\n\n:arrow_right_hook: *Answer by sending `yes` or `no`!*",
-	"FORM_SUCCESS": "**Alright, done!**\n\n:arrow_right_hook: *Answer by sending `goodbye test` to preview your custom goodbye message!*",
-	"MAX_CHARACT": "Your message must not exceed 1800 characters!",
-	"DISABLED": "**Goodbye messages have just been disabled!**\n\n:arrow_right_hook: *Answer by sending `configuration` to see the updated server configuration!*",
-	"IMG_GOODBYE": "Leaving from {{server}}!",
-	"IMG_NB": "- {{memberCount}}th member!",
-	"TITLE": "GOODBYE"
-}
\ No newline at end of file
diff --git a/languages/en-US/administration/ignore.json b/languages/en-US/administration/ignore.json
deleted file mode 100644
index 3b78eddc..00000000
--- a/languages/en-US/administration/ignore.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "Toggle commands in a channel",
-	"USAGE": "ignore [channel]",
-	"EXAMPLES": "ignore #channel",
-	"ALLOWED": "Commands are now allowed in {{channel}}!",
-	"IGNORED": "Commands are now forbidden in {{channel}}!"
-}
\ No newline at end of file
diff --git a/languages/en-US/administration/set.json b/languages/en-US/administration/set.json
deleted file mode 100644
index 78a9e576..00000000
--- a/languages/en-US/administration/set.json
+++ /dev/null
@@ -1,13 +0,0 @@
-{
-	"DESCRIPTION": "Change user's XP, level, credits or bank!",
-	"USAGE": "set [level/xp/credits/bank] [@user] [value]",
-	"EXAMPLES": "set level @Jonny_Bro#4226 10",
-	"INVALID_MEMBER": "You must mention the user!",
-	"NO_STATUS": "Select a parameter: `level`, `xp`, `credits` or `bank`",
-	"BOT_USER": "Bots don't have a profile!",
-	"INVALID_AMOUNT": "Enter a new value!",
-	"SUCCESS_LEVEL": "**{{username}}**'s level was changed to **{{amount}}**!",
-	"SUCCESS_XP": "**{{username}}**'s XP was changed to **{{amount}}**!",
-	"SUCCESS_CREDITS": "**{{username}}**'s credits was changed to **{{amount}}**!",
-	"SUCCESS_BANK": "**{{username}}**'s bank was changed to **{{amount}}**!"
-}
\ No newline at end of file
diff --git a/languages/en-US/administration/setbirthdays.json b/languages/en-US/administration/setbirthdays.json
deleted file mode 100644
index 8459ff69..00000000
--- a/languages/en-US/administration/setbirthdays.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "Set the birthdays announcements channel!",
-	"USAGE": "setbirthdays (#channel)",
-	"EXAMPLES": "setbirthdays #birthdays\nsetbirthdays",
-	"SUCCESS_ENABLED": "Birthdays announcements will be sent in **{{channel}}**!",
-	"SUCCESS_DISABLED": "Birthdays announcements disabled!"
-}
\ No newline at end of file
diff --git a/languages/en-US/administration/setlang.json b/languages/en-US/administration/setlang.json
deleted file mode 100644
index 8225b208..00000000
--- a/languages/en-US/administration/setlang.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "Change the server language!",
-	"USAGE": "setlang [language]",
-	"EXAMPLES": "setlang french\nsetlang english",
-	"MISSING_LANG": "Please enter a valid language between theses: {{list}}",
-	"SUCCESS": ":flag_us: The language of this server is now **{{lang}}**!"
-}
\ No newline at end of file
diff --git a/languages/en-US/administration/setmodlogs.json b/languages/en-US/administration/setmodlogs.json
deleted file mode 100644
index 9e94f1af..00000000
--- a/languages/en-US/administration/setmodlogs.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "Set the moderation logs channel!",
-	"USAGE": "setmodlogs (#channel)",
-	"EXAMPLES": "setmodlogs #modlogs\nsetmodlogs",
-	"SUCCESS_ENABLED": "Moderation logs will be sent in **{{channel}}**!",
-	"SUCCESS_DISABLED": "Moderation logs channel deleted!"
-}
\ No newline at end of file
diff --git a/languages/en-US/administration/setprefix.json b/languages/en-US/administration/setprefix.json
deleted file mode 100644
index 07a9c668..00000000
--- a/languages/en-US/administration/setprefix.json
+++ /dev/null
@@ -1,8 +0,0 @@
-{
-	"DESCRIPTION": "Set the server prefix!",
-	"USAGE": "setprefix [prefix]",
-	"EXAMPLES": "setprefix +",
-	"MISSING_PREFIX": "Please enter a valid prefix!",
-	"TOO_LONG": "The prefix shouldn't exceed 5 characters!",
-	"SUCCESS": "The bot prefix has been set to ``!"
-}
\ No newline at end of file
diff --git a/languages/en-US/administration/setreports.json b/languages/en-US/administration/setreports.json
deleted file mode 100644
index 2ebce3f2..00000000
--- a/languages/en-US/administration/setreports.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "Set the reports channel!",
-	"USAGE": "setreports (#channel)",
-	"EXAMPLES": "setreports #reports\nsetreports",
-	"SUCCESS_ENABLED": "Reports will be sent in **{{channel}}**!",
-	"SUCCESS_DISABLED": "Reports channel deleted!"
-}
\ No newline at end of file
diff --git a/languages/en-US/administration/setsuggests.json b/languages/en-US/administration/setsuggests.json
deleted file mode 100644
index bf584af4..00000000
--- a/languages/en-US/administration/setsuggests.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "Set the suggestions channel!",
-	"USAGE": "setsuggests (#channel)",
-	"EXAMPLES": "setsuggests #suggestions\nsetsuggests",
-	"SUCCESS_ENABLED": "Suggestions will be sent in **{{channel}}**!",
-	"SUCCESS_DISABLED": "Suggestions channel deleted!"
-}
\ No newline at end of file
diff --git a/languages/en-US/administration/stealemoji.json b/languages/en-US/administration/stealemoji.json
deleted file mode 100644
index b062b03b..00000000
--- a/languages/en-US/administration/stealemoji.json
+++ /dev/null
@@ -1,8 +0,0 @@
-{
-	"DESCRIPTION": "Steal emoji!",
-	"USAGE": "stealemoji [emoji]",
-	"EXAMPLES": "stealemoji :coolstorybob:",
-	"MISSING_EMOJI": "Please provide an emoji!",
-	"SUCCESS": "{{emoji}} added!",
-	"ERROR": "{{emoji}} couldn't be added. Check if your server still has space for new emojis!"
-}
\ No newline at end of file
diff --git a/languages/en-US/administration/welcome.json b/languages/en-US/administration/welcome.json
deleted file mode 100644
index 6d597e50..00000000
--- a/languages/en-US/administration/welcome.json
+++ /dev/null
@@ -1,17 +0,0 @@
-{
-	"DESCRIPTION": "Toggle welcome messages!",
-	"USAGE": "welcome",
-	"EXAMPLES": "welcome",
-	"MISSING_STATUS": "You must specify an action between `edit` and `off`",
-	"DEFAULT_MESSAGE": "Welcome {user} in {server}, we're now {membercount}! Your account was created {createdat}.",
-	"TEST_SUCCESS": "Test executed!",
-	"FORM_1": "**In which channel will welcome messages be sent?**\n\n:arrow_right_hook: *Answer by mentioning a channel!*",
-	"FORM_2": "**Please enter your desired welcome message.**\n\n**If you want to:**\n*-* __Mention the user__: {user}\n*-* __Get the member count__: {membercount}\n*-* __Get the server name__: {server}\n\n**Usage example:**\nWelcome to {server}, {user}! We are now {membercount}!\n:fast_forward:\nWelcome to {{guildName}}, {{author}}! We are now {{memberCount}}!",
-	"FORM_3": "**Do you want a great welcome image too?**\n\n:arrow_right_hook: *Answer by sending `yes` or `no`!*",
-	"FORM_SUCCESS": "**Alright, done!**\n\n:arrow_right_hook: *Answer by sending `welcome test` to preview your custom welcome message!*",
-	"MAX_CHARACT": "Your message must be under 1800 symbols!",
-	"DISABLED": "**Goodbye messages have just been disabled!**\n\n:arrow_right_hook: *Answer by sending `configuration` to see the updated server configuration!*",
-	"IMG_WELCOME": "Welcome in {{server}}!",
-	"IMG_NB": "- {{memberCount}}th member!",
-	"TITLE": "WELCOME"
-}
\ No newline at end of file
diff --git a/languages/en-US/common.json b/languages/en-US/common.json
deleted file mode 100644
index b7f0d688..00000000
--- a/languages/en-US/common.json
+++ /dev/null
@@ -1,59 +0,0 @@
-{
-	"YES": "Yes",
-	"NO": "No",
-	"NOT_DEFINED": "Not defined",
-	"AND_MORE": "And more...",
-	"AUTHOR": "Author",
-	"DATE": "Date",
-	"CONTENT": "Content",
-	"REASON": "Reason",
-	"USER": "User",
-	"CREATION": "Creation",
-	"MEMBERS": "Members",
-	"NAME": "Name",
-	"CHANNELS": "Channels",
-	"ID": "ID",
-	"OWNER": "Owner",
-	"USERNAME": "Username",
-	"STATS": "Stats",
-	"ROBOT": "Robot",
-	"GAME": "Game",
-	"STATUS": "Status",
-	"STATUS_ONLINE": "Online",
-	"STATUS_OFFLINE": "Offline",
-	"STATUS_IDLE": "AFK",
-	"STATUS_DND": "Do not disturb",
-	"ROLE": "Role",
-	"ROLES": "Roles",
-	"JOIN": "Join",
-	"COLOR": "Color",
-	"NICKNAME": "Nickname",
-	"DESCRIPTION": "Description",
-	"WEBSITE": "Website",
-	"INVITE": "Invite",
-	"SUPPORT": "Support",
-	"LINKS": "Links",
-	"CREDITS": "Credits",
-	"LEVEL": "Level",
-	"POINTS": "Points",
-	"VICTORY": "Victory",
-	"DEFEAT": "Defeat",
-	"MODERATOR": "Moderator",
-	"DURATION": "Duration",
-	"EXPIRY": "Expiry",
-	"TITLE": "Title",
-	"SERVERS": "Servers",
-	"PAGE": "Page",
-	"MESSAGE": "Message",
-	"PROFILE": "Profile",
-	"SETTINGS": "Configuration",
-	"LANGUAGE": "Language",
-	"CHANNEL": "Channel",
-	"APPLY": "Apply",
-	"SUGGESTIONS": "Suggestions",
-	"MODLOGS": "Moderation logs",
-	"NO_CHANNEL": "No channel",
-	"REPORTS": "Reports",
-	"BIRTHDAYS": "Birthdays",
-	"DISCONNECT": "Disconnect"
-}
\ No newline at end of file
diff --git a/languages/en-US/dashboard.json b/languages/en-US/dashboard.json
deleted file mode 100644
index 81b607a2..00000000
--- a/languages/en-US/dashboard.json
+++ /dev/null
@@ -1,25 +0,0 @@
-{
-	"FIRST_LOGIN": "{{user}} logged on to the dashboard for the first time! :tada:",
-	"NOT_FOUND": "Oops! Page not found.",
-	"NOT_FOUND_CONTENT": "We did not find the page you were looking for. In the meantime, you can go back to the dashboard or try using the search form.",
-	"ERR_OCCURRED": "Oops! Something went wrong.",
-	"ERR_OCCURRED_CONTENT": "We will try to rectify this immediately. In the meantime, you can go back to the selector or try using the search form.",
-	"SEARCH": "Search for servers...",
-	"SERVERS_LIST": "Servers list",
-	"SERVERS_MANAGEMENT": "Servers management",
-	"NO_SERVER": "No server found",
-	"NO_SERVER_CONTENT": "No server to display. Make sure you are logged in with the right account and try again.",
-	"BASIC_CONF": "📝 Basic configuration",
-	"WELCOME_CONF": "👋 Welcome messages",
-	"GOODBYE_CONF": "😢 Goodbye messages",
-	"WELCOME_IMG": "👋 Welcome image",
-	"GOODBYE_IMG": "😢 Goodbye image",
-	"CHANNELS_CONF": "🌀 Special channels",
-	"AUTOROLE_CONF": "🎖️ Autorole",
-	"DISABLE_MESSAGES": "Disable messages",
-	"ENABLE_MESSAGES": "Enable messages",
-	"DISABLE_AUTOROLE": "Disable autorole",
-	"ENABLE_AUTOROLE": "Enable autorole",
-	"SELECTOR": "Selector",
-	"MANAGE": "Manage"
-}
diff --git a/languages/en-US/economy/achievements.json b/languages/en-US/economy/achievements.json
deleted file mode 100644
index ebfa4755..00000000
--- a/languages/en-US/economy/achievements.json
+++ /dev/null
@@ -1,14 +0,0 @@
-{
-	"DESCRIPTION": "Shows your achievements list!",
-	"USAGE": "achievements",
-	"EXAMPLES": "achievements",
-	"SEND_CMD": "Send your first command!",
-	"CLAIM_SALARY": "Claim your salary 10 times!",
-	"MARRY": "Find your half and marry!",
-	"SLOTS": "Win 3 times in a row in slots!",
-	"TIP": "Keep JaBa alive by tipping!",
-	"REP": "Reach 20 reputation points!",
-	"INVITE": "Invite JaBa on your server!",
-	"TITLE": "🔥 Achievements",
-	"PROGRESS": "Progress: {{now}}/{{total}} ({{percent}}%)"
-}
\ No newline at end of file
diff --git a/languages/en-US/economy/birthdate.json b/languages/en-US/economy/birthdate.json
deleted file mode 100644
index d0b030c7..00000000
--- a/languages/en-US/economy/birthdate.json
+++ /dev/null
@@ -1,12 +0,0 @@
-{
-	"DESCRIPTION": "Set the birthday date that appear on your profile",
-	"USAGE": "birthdate (date)",
-	"EXAMPLES": "birthdate 01/12/2000",
-	"MISSING_DATE": "Please enter a valid date! For example, 01/12/2000",
-	"INVALID_DATE": "You must use the following date format: DD/MM/YYYY. For example, `December 1, 2000` will be `01/12/2000`.",
-	"DATE_TOO_HIGH": "More than 80 years old? :eyes:",
-	"DATE_TOO_LOW": "Humm, nop! You must be born!",
-	"HAPPY_BIRTHDAY": "Happy birthday!",
-	"HAPPY_BIRTHDAY_MESSAGE": "Happy birthday, <@{{user}}>!",
-	"SUCCESS": "Your birthday has been set on {{date}}!"
-}
\ No newline at end of file
diff --git a/languages/en-US/economy/deposit.json b/languages/en-US/economy/deposit.json
deleted file mode 100644
index 755fbc8a..00000000
--- a/languages/en-US/economy/deposit.json
+++ /dev/null
@@ -1,9 +0,0 @@
-{
-	"DESCRIPTION": "Deposit your money in the bank",
-	"USAGE": "deposit [amount]",
-	"EXAMPLES": "deposit 400",
-	"MISSING_AMOUNT": "Please specify an amount!",
-	"NO_CREDIT": "You have no credit to deposit in the bank!",
-	"NO_ENOUGH_CREDIT": "You don't have `{{money}}` credits!",
-	"SUCCESS": "**{{money}}** credits deposited in the bank!"
-}
\ No newline at end of file
diff --git a/languages/en-US/economy/divorce.json b/languages/en-US/economy/divorce.json
deleted file mode 100644
index e56a9ec4..00000000
--- a/languages/en-US/economy/divorce.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "Divorce the person you are currently married to!",
-	"USAGE": "divorce",
-	"EXAMPLES": "divorce",
-	"NOT_MARRIED": "You are not currently married!",
-	"DIVORCED": "You just divorced with **{{username}}**!"
-}
\ No newline at end of file
diff --git a/languages/en-US/economy/leaderboard.json b/languages/en-US/economy/leaderboard.json
deleted file mode 100644
index 39eeb9d3..00000000
--- a/languages/en-US/economy/leaderboard.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "Shows users who have the most credits, levels or reputation points!",
-	"USAGE": "leaderboard [rep/level/credits]",
-	"EXAMPLES": "leaderboard credits\nleaderboard level",
-	"MISSING_TYPE": "Please specify the leaderboard type between `credits`, `level` and `rep`",
-	"MOBILE": ":confused: We've detected that you are using a phone.... The leaderboard may not display well on small screens. Try to switch to landscape or go on the dashboard!"
-}
\ No newline at end of file
diff --git a/languages/en-US/economy/marry.json b/languages/en-US/economy/marry.json
deleted file mode 100644
index d28e0ad5..00000000
--- a/languages/en-US/economy/marry.json
+++ /dev/null
@@ -1,18 +0,0 @@
-{
-	"DESCRIPTION": "Marry someone you love!",
-	"USAGE": "marry [@member]",
-	"EXAMPLES": "marry @Jonny_Bro#4226",
-	"INVALID_MEMBER": "You must mention a valid member!",
-	"ALREADY_MARRIED": "You are already married! First use `divorce` to divorce.",
-	"ALREADY_MARRIED_USER": "The place is taken, companion! **{{username}}** is already married!",
-	"YOURSELF": "You can't marry yourself!",
-	"REQUEST_AUTHOR_TO_AMEMBER": "You already have a pending request to **{{username}}**!",
-	"REQUEST_AMEMBER_TO_AUTHOR": "**{{username}}** has already sent you a request! Please refuse or accept it (or wait until it expires in a few minutes).",
-	"REQUEST_AMEMBER_TO_MEMBER": "**{{secondUsername}}** has already sent a request to **{{firstUsername}}**!",
-	"REQUEST_MEMBER_TO_AMEMBER": "**{{firstUsername}} has already sent a request to **{{secondUsername}}**! Wait until **{{secondUsername}}** accepts or refuses the request from **{{firstUsername}}** or until it expires and try again!",
-	"TIMEOUT": "{{username}} did not answer... Wait until he/she is logged in and try again!",
-	"SUCCESS": "🎉 Congratulations! **{{creator}}** and **{{partner}}** you are now married!",
-	"DENIED": "{{creator}}, I have some bad news... {{partner}} refused your proposal.",
-	"REQUEST": "{{to}}, do you agree to marry {{from}}? Answer with \"yes\" or \"no\"!",
-	"BOT_USER": "It refused your proposal!"
-}
\ No newline at end of file
diff --git a/languages/en-US/economy/money.json b/languages/en-US/economy/money.json
deleted file mode 100644
index f420a54c..00000000
--- a/languages/en-US/economy/money.json
+++ /dev/null
@@ -1,6 +0,0 @@
-{
-	"DESCRIPTION": "Shows your credits",
-	"USAGE": "money (@member)",
-	"EXAMPLES": "money\nmoney @user#0000",
-	"TITLE": "{{username}}'s money"
-}
\ No newline at end of file
diff --git a/languages/en-US/economy/pay.json b/languages/en-US/economy/pay.json
deleted file mode 100644
index 19dfeac5..00000000
--- a/languages/en-US/economy/pay.json
+++ /dev/null
@@ -1,11 +0,0 @@
-{
-	"DESCRIPTION": "Send money to someone!",
-	"USAGE": "pay [@member] [amount]",
-	"EXAMPLES": "pay @Jonny_Bro#4226 100",
-	"INVALID_MEMBER": "You must mention a valid member!",
-	"BOT_USER": "Bots are already rich 💰!",
-	"YOURSELF": "You can't pay yourself!",
-	"INVALID_AMOUNT": "You must specify a valid amount",
-	"ENOUGH_MONEY": "You can't afford **{{amount}}**",
-	"SUCCESS": "You just paid **{{amount}}** to **{{username}}**!"
-}
\ No newline at end of file
diff --git a/languages/en-US/economy/profile.json b/languages/en-US/economy/profile.json
deleted file mode 100644
index 576d316c..00000000
--- a/languages/en-US/economy/profile.json
+++ /dev/null
@@ -1,25 +0,0 @@
-{
-	"DESCRIPTION": "Shows the mentioned user or author profile",
-	"USAGE": "profile [user]",
-	"EXAMPLES": "profile @Jonny_Bro#4226",
-	"TITLE": "{{username}}'s profile",
-	"NO_BIO": "No biography",
-	"BOT_USER": "Bots don't have profile page!",
-	"CASH": "💵 Cash",
-	"BANK": "💳 Bank",
-	"GLOBAL": "🌍 Global money",
-	"MONEY": "**{{money}}** credit(s)",
-	"REPUTATION": "🎩 Reputation",
-	"REP_POINTS": "**{{points}}** point(s)",
-	"LEVEL": "📊 Level",
-	"XP": "🔮 Experience",
-	"BIRTHDATE": "🎂 Birthdate",
-	"NO_BIRTHDATE": "No birthdate available",
-	"LOVER": "❤ Lover",
-	"REGISTERED": "📅 Registered",
-	"NO_LOVER": "Single",
-	"ACHIEVEMENTS": "🔥 Achievements",
-	"ACHIEVEMENTS_CONTENT": "Get more information with `achievements`!",
-	"BIO": "🔖 Biography",
-	"YOUR_PROFILE": "Your profile"
-}
\ No newline at end of file
diff --git a/languages/en-US/economy/rep.json b/languages/en-US/economy/rep.json
deleted file mode 100644
index 70001362..00000000
--- a/languages/en-US/economy/rep.json
+++ /dev/null
@@ -1,10 +0,0 @@
-{
-	"DESCRIPTION": "Give a reputation point to someone!",
-	"USAGE": "rep [user]",
-	"EXAMPLES": "rep @Jonny_Bro#4226",
-	"COOLDOWN": "You have to wait {{time}} before being able to `rep` someone!",
-	"INVALID_USER": "You must mention a valid user!",
-	"BOT_USER": "Bots don't accept reputation points!",
-	"YOURSELF": "You can't give yourself a reputation point!",
-	"SUCCESS": "You just gave a reputation point to {{username}}!"
-}
diff --git a/languages/en-US/economy/rob.json b/languages/en-US/economy/rob.json
deleted file mode 100644
index 977fc9f9..00000000
--- a/languages/en-US/economy/rob.json
+++ /dev/null
@@ -1,15 +0,0 @@
-{
-	"DESCRIPTION": "Try to rob a member!",
-	"USAGE": "rob [@member] [amount]",
-	"EXAMPLES": "rob @Jonny_Bro#4226 100",
-	"YOURSELF": "You can't rob yourself!",
-	"MISSING_MEMBER": "You must specify a valid member to rob!",
-	"MISSING_AMOUNT": "Please enter a valid amount!",
-	"NOT_ENOUGH_AUTHOR": "You must have more than **{{moneyMin}}** credits to attempt this robbery (you have **{{moneyCurrent}}** credits for now)!",
-	"NOT_ENOUGH_MEMBER": "You can't try your robbery because **{{username}}** doesn't have as many credits in cash!",
-	"COOLDOWN": "🕵️ **{{username}}** is on guard.... Wait a while and try again!",
-	"ROB_WON_1": "🎉 | Congratulations! The police weren't fast enough to stop you from robbing **{{money}}** credits to **{{username}}**!",
-	"ROB_WON_2": "😕 | **{{username}}** ? Bad news. You just got robbed **{{money}}** credits!",
-	"ROB_LOSE_1": "🚔 | The police caught you in the act, impossible to deny, your fine is **{{fine}}** credits. **{{offset}}** offset credits will be paid to **{{username}}**.",
-	"ROB_LOSE_2": "🚓 | Bad news.... **{{username}}** called the police in time. Your fine is **{{fine}}** credits and **{{offset}}** offset credits will be paid to **{{username}}**."
-}
\ No newline at end of file
diff --git a/languages/en-US/economy/setbio.json b/languages/en-US/economy/setbio.json
deleted file mode 100644
index 542001ea..00000000
--- a/languages/en-US/economy/setbio.json
+++ /dev/null
@@ -1,8 +0,0 @@
-{
-	"DESCRIPTION": "Change your biography!",
-	"USAGE": "setbio [biography]",
-	"EXAMPLES": "setbio My name is Jake, I'm 19 and I love programming!",
-	"MISSING": "You must specify a biography!",
-	"MAX_CHARACT": "Your biography must not exceed 500 characters!",
-	"SUCCESS": "Your biography has been modified!"
-}
\ No newline at end of file
diff --git a/languages/en-US/economy/slots.json b/languages/en-US/economy/slots.json
deleted file mode 100644
index 18faa59e..00000000
--- a/languages/en-US/economy/slots.json
+++ /dev/null
@@ -1,8 +0,0 @@
-{
-	"DESCRIPTION": "The JaBa casino",
-	"USAGE": "slots [amount]",
-	"EXAMPLES": "slots\nslots 10",
-	"DEFEAT": "**{{username}}** used {{money}} credit(s) and lost everything.",
-	"VICTORY": "**{{username}}** used {{money}} credit(s) and won {{won}} credit(s)!",
-	"NOT_ENOUGH": "You need at least **{{money}}** credit(s)."
-}
diff --git a/languages/en-US/economy/withdraw.json b/languages/en-US/economy/withdraw.json
deleted file mode 100644
index 2917d6f1..00000000
--- a/languages/en-US/economy/withdraw.json
+++ /dev/null
@@ -1,9 +0,0 @@
-{
-	"DESCRIPTION": "Withdraw money!",
-	"USAGE": "withdraw [amount]",
-	"EXAMPLES": "withdraw 400",
-	"MISSING_AMOUNT": "Please specify an amount to be withdrawn!",
-	"NO_CREDIT": "You don't have any credit in your bank!",
-	"NOT_ENOUGH": "You need at least `{{money}}` credit(s)!",
-	"SUCCESS": "**{{money}}** credit(s) withdrawn!"
-}
\ No newline at end of file
diff --git a/languages/en-US/economy/work.json b/languages/en-US/economy/work.json
deleted file mode 100644
index 786fb210..00000000
--- a/languages/en-US/economy/work.json
+++ /dev/null
@@ -1,11 +0,0 @@
-{
-	"DESCRIPTION": "Claim your salary!",
-	"USAGE": "work",
-	"EXAMPLES": "work",
-	"COOLDOWN": "You have to wait {{time}} before working again!",
-	"AWARD": "Complete the word AWARD to win 200 bonus credits!",
-	"SALARY": "Salary",
-	"SALARY_CONTENT": "You've gained {{won}} credits!",
-	"STREAK": "Streak",
-	"STREAK_CONTENT": "🎉 You've won 200 bonus credits!"
-}
\ No newline at end of file
diff --git a/languages/en-US/fun/8ball.json b/languages/en-US/fun/8ball.json
deleted file mode 100644
index ead32e4c..00000000
--- a/languages/en-US/fun/8ball.json
+++ /dev/null
@@ -1,26 +0,0 @@
-{
-	"DESCRIPTION": "I'm telling you the truth!",
-	"USAGE": "8ball [question]",
-	"EXAMPLES": "8ball Is JaBa the best Discord bot?",
-	"ERR_QUESTION": "You must enter a question!",
-	"RESPONSE_1": "It is certain",
-	"RESPONSE_2": "It is decidedly so",
-	"RESPONSE_3": "Without a doubt",
-	"RESPONSE_4": "Yes — definitely",
-	"RESPONSE_5": "You may rely on it",
-	"RESPONSE_6": "As I see it, yes",
-	"RESPONSE_7": "Most likely",
-	"RESPONSE_8": "Outlook good",
-	"RESPONSE_9": "Signs point to yes",
-	"RESPONSE_10": "Yes",
-	"RESPONSE_11": "Reply hazy, try again",
-	"RESPONSE_12": "Ask again later",
-	"RESPONSE_13": "Better not tell you now",
-	"RESPONSE_14": "Cannot predict now",
-	"RESPONSE_15": "Concentrate and ask again",
-	"RESPONSE_16": "Don't count on it",
-	"RESPONSE_17": "My reply is no",
-	"RESPONSE_18": "My sources say no",
-	"RESPONSE_19": "Outlook not so good",
-	"RESPONSE_20": "Very doubtful"
-}
\ No newline at end of file
diff --git a/languages/en-US/fun/ascii.json b/languages/en-US/fun/ascii.json
deleted file mode 100644
index 6ff8f3da..00000000
--- a/languages/en-US/fun/ascii.json
+++ /dev/null
@@ -1,6 +0,0 @@
-{
-	"DESCRIPTION": "Turn your text into ascii characters!",
-	"USAGE": "ascii [text]",
-	"EXAMPLES": "ascii Hello world!",
-	"TEXT_MISSING": "Please enter a valid text (less than 20 characters)!"
-}
\ No newline at end of file
diff --git a/languages/en-US/fun/choice.json b/languages/en-US/fun/choice.json
deleted file mode 100644
index 75313b1d..00000000
--- a/languages/en-US/fun/choice.json
+++ /dev/null
@@ -1,9 +0,0 @@
-{
-	"DESCRIPTION": "Helps you choose between the given choices!",
-	"USAGE": "choice [choice1/choice2/etc...]",
-	"EXAMPLES": "choice Fire/Wind/Water",
-	"MISSING": "You must enter more than two choices!\n(or use the `flip` command instead)",
-	"EMPTY": "One of your choices seems to be empty.... Please try again!",
-	"PROGRESS": "Choice being made...",
-	"DONE": "Here's my choice:"
-}
\ No newline at end of file
diff --git a/languages/en-US/fun/findwords.json b/languages/en-US/fun/findwords.json
deleted file mode 100644
index e4e9b7ba..00000000
--- a/languages/en-US/fun/findwords.json
+++ /dev/null
@@ -1,13 +0,0 @@
-{
-	"DESCRIPTION": "Start a Findwords party, a game where you have to find words!",
-	"USAGE": "findwords",
-	"EXAMPLES": "findwords",
-	"INVALID_WORD": "{{member}} | Your word is not valid!",
-	"GAME_STARTING": ":timer: | The game starts in 10 seconds!",
-	"FIND_WORD": "20 seconds to find a word containing \"__**{{word}}**__\"!",
-	"WORD_FOUND": "Well done {{winner}}! You were the fastest to enter a valid word!",
-	"GAME_STATS": "🎉 | {{winner}} won the game!\n\n**Stats:**\n*-* __**Duration**__: {{time}}\n*-* __**Participants**__: {{participants}} ({{participantCount}})**Stats of the game: **\n__**Duration**__: {{duration}}\n__**Number of participants**__ : {{participantCount}}\n__**Participants**__ : \n{{participantList}}",
-	"CREDITS": "{{winner}} wins 150 credits! 🎉",
-	"NO_WINNER_ALL": "No words founds, no one wins!",
-	"NO_WINNER": "No words founds, no one wins!"
-}
\ No newline at end of file
diff --git a/languages/en-US/fun/flip.json b/languages/en-US/fun/flip.json
deleted file mode 100644
index 3e1ea659..00000000
--- a/languages/en-US/fun/flip.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "I roll the dice for you!",
-	"USAGE": "flip",
-	"EXAMPLES": "flip",
-	"HEADS": "🎲 | Heads!",
-	"TAILS": "🎲 | Tails!"
-}
\ No newline at end of file
diff --git a/languages/en-US/fun/lmg.json b/languages/en-US/fun/lmg.json
deleted file mode 100644
index abe376a3..00000000
--- a/languages/en-US/fun/lmg.json
+++ /dev/null
@@ -1,6 +0,0 @@
-{
-	"DESCRIPTION": "Generate a LMGTFY link with your search",
-	"USAGE": "lmg [search]",
-	"EXAMPLES": "lmg How to create a Discord bot?",
-	"MISSING": "You must specify a search!"
-}
\ No newline at end of file
diff --git a/languages/en-US/fun/lovecalc.json b/languages/en-US/fun/lovecalc.json
deleted file mode 100644
index f0ae330f..00000000
--- a/languages/en-US/fun/lovecalc.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "Love calculator",
-	"USAGE": "lovecalc [@member1] (@member2)",
-	"EXAMPLES": "lovecalc @Jonny_Bro#4226\nlovecalc @Jonny_Bro#4226 @JaBa#9042",
-	"MISSING": "You must mention two members!",
-	"CONTENT": "There's **{{percent}}%** of love between **{{firstUsername}}** and **{{secondUsername}}**!\n**Congrats!**"
-}
\ No newline at end of file
diff --git a/languages/en-US/fun/number.json b/languages/en-US/fun/number.json
deleted file mode 100644
index 65abd392..00000000
--- a/languages/en-US/fun/number.json
+++ /dev/null
@@ -1,12 +0,0 @@
-{
-	"DESCRIPTION": "Find the right number!",
-	"USAGE": "number",
-	"EXAMPLES": "number",
-	"GAME_START": "Number chosen, you can start!",
-	"BIG": "{{user}} | My number is **bigger** than `{{number}}`!",
-	"SMALL": "{{user}} | My number is **smaller** than `{{number}}`!",
-	"WON": "{{winner}} has won 100 credits!",
-	"DEFEAT": "No one could find the number! It was **{{number}}**!",
-	"GAME_STATS": "🎉 | {{winner}} found the correct number! It was __**{{number}}**__!\n\n**Stats:**\n*-* __**Duration**__: {{time}}\n*-* __**Participants**__: {{participants}} ({{participantCount}})",
-	"GAME_RUNNING": "A game is already running on this server!"
-}
\ No newline at end of file
diff --git a/languages/en-US/general/activity.json b/languages/en-US/general/activity.json
deleted file mode 100644
index e40f8bc6..00000000
--- a/languages/en-US/general/activity.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "Start activity in voice channel!",
-	"USAGE": "activity (activity)",
-	"EXAMPLES": "activity\nactivity chess",
-	"TITLE": "All available activities",
-	"FOOTER": "JaBa | Discord Together"
-}
\ No newline at end of file
diff --git a/languages/en-US/general/calc.json b/languages/en-US/general/calc.json
deleted file mode 100644
index 03741ba0..00000000
--- a/languages/en-US/general/calc.json
+++ /dev/null
@@ -1,10 +0,0 @@
-{
-	"DESCRIPTION": "Calculator able to solve complex operations and to convert units!",
-	"USAGE": "calc [calculation]",
-	"EXAMPLES": "10*5+sin(3)\ncalc 10cm to m",
-	"MISSING_CALC": "Please enter a calculation!",
-	"INVALID_CALC": "Please enter a **valid** calculation!",
-	"TITLE": "Calculator",
-	"CALCULATION": "Calculation",
-	"RESULT": "Result"
-}
\ No newline at end of file
diff --git a/languages/en-US/general/github.json b/languages/en-US/general/github.json
deleted file mode 100644
index ac700c1f..00000000
--- a/languages/en-US/general/github.json
+++ /dev/null
@@ -1,8 +0,0 @@
-{
-	"DESCRIPTION": "Shows JaBa's v2 Github repository information!",
-	"USAGE": "github",
-	"EXAMPLES": "github",
-	"CLICK_HERE": "Click here to access the github of JaBa",
-	"LANGUAGE": "Programming language",
-	"OWNER": "JaBa's repository owner"
-}
\ No newline at end of file
diff --git a/languages/en-US/general/hastebin.json b/languages/en-US/general/hastebin.json
deleted file mode 100644
index ca825649..00000000
--- a/languages/en-US/general/hastebin.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "Upload your text on hastebin!",
-	"USAGE": "hastebin [text]",
-	"EXAMPLES": "hastebin Hello World!",
-	"MISSING_TEXT": "Please enter a valid text!",
-	"SUCCESS": "Upload complete!"
-}
\ No newline at end of file
diff --git a/languages/en-US/general/help.json b/languages/en-US/general/help.json
deleted file mode 100644
index 20ed800e..00000000
--- a/languages/en-US/general/help.json
+++ /dev/null
@@ -1,18 +0,0 @@
-{
-	"DESCRIPTION": "Show commands list or specific command help.",
-	"USAGE": "help (command)",
-	"EXAMPLES": "help\nhelp ping",
-	"CUSTOM": "A custom command doesn't have help page.",
-	"NOT_FOUND": "`{{search}}` is not a valid command",
-	"FIELD_USAGE": "Usage",
-	"FIELD_DESCRIPTION": "Description",
-	"FIELD_ALIASES": "Alias",
-	"FIELD_EXAMPLES": "Examples",
-	"FIELD_PERMISSIONS": "Permissions",
-	"NO_ALIAS": "No alias",
-	"CMD_TITLE": "{{cmd}} help",
-	"INFO": "● To get help on a specific command type `help <command>`!",
-	"CUSTOM_COMMANDS": "Custom commands",
-	"TITLE": "{{name}} | Commands",
-	"NO_REQUIRED_PERMISSION": "No specific permission is required to execute this command."
-}
\ No newline at end of file
diff --git a/languages/en-US/general/invitations.json b/languages/en-US/general/invitations.json
deleted file mode 100644
index ee034d83..00000000
--- a/languages/en-US/general/invitations.json
+++ /dev/null
@@ -1,13 +0,0 @@
-{
-	"DESCRIPTION": "Shows the number of people you have invited to the server!",
-	"USAGE": "invitations (@member)",
-	"EXAMPLES": "invitations\ninvitations @Jonny_Bro#4226",
-	"NOBODY_AUTHOR": "You didn't invite anyone to the server!",
-	"NOBODY_MEMBER": "{{member}} didn't invite anyone to the server!",
-	"CODE": "**{{code}}** ({{uses}} uses) | {{channel}}",
-	"TITLE": "Information about the invitations of {{member}} on {{guild}}",
-	"FIELD_INVITED": "👥 Invited Members",
-	"FIELD_CODES": "🔑 Codes",
-	"FIELD_MEMBERS": "{{total}} members",
-	"TRACKER": "Invites Tracker"
-}
\ No newline at end of file
diff --git a/languages/en-US/general/invite.json b/languages/en-US/general/invite.json
deleted file mode 100644
index e80f8c25..00000000
--- a/languages/en-US/general/invite.json
+++ /dev/null
@@ -1,10 +0,0 @@
-{
-	"DESCRIPTION": "Shows JaBa links!",
-	"USAGE": "invite (copy)",
-	"EXAMPLES": "invite\ninvite copy",
-	"LINKS": "JaBa links",
-	"CLICK": "[**Click**]({{link}})",
-	"TIP": "Send `invite copy` to be able to copy the invite link!",
-	"ADD": "Invite JaBa",
-	"SUPPORT": "Support developer"
-}
\ No newline at end of file
diff --git a/languages/en-US/general/minecraft.json b/languages/en-US/general/minecraft.json
deleted file mode 100644
index dd98d7d7..00000000
--- a/languages/en-US/general/minecraft.json
+++ /dev/null
@@ -1,16 +0,0 @@
-{
-	"DESCRIPTION": "Shows information about a Minecraft server!",
-	"USAGE": "minecraft [ip]",
-	"EXAMPLES": "minecraft mc.hypixel.net",
-	"MISSING_IP": "Please enter a valid IP address!",
-	"FAILED": "This server is offline or blocking access!",
-	"ONLINE": "Online",
-	"OFFLINE": "Offline",
-	"PLAYERS": "{{count}} player(s)",
-	"FIELD_NAME": "Informations about {{ip}}",
-	"FIELD_VERSION": "Version",
-	"FIELD_CONNECTED": "Currently connected",
-	"FIELD_MAX": "Maximum",
-	"FIELD_STATUS": "Status",
-	"FIELD_IP": "Full IP"
-}
\ No newline at end of file
diff --git a/languages/en-US/general/permissions.json b/languages/en-US/general/permissions.json
deleted file mode 100644
index 8bf38e65..00000000
--- a/languages/en-US/general/permissions.json
+++ /dev/null
@@ -1,6 +0,0 @@
-{
-	"DESCRIPTION": "Displays the member's permissions in the channel",
-	"USAGE": "permissions (@member)",
-	"EXAMPLES": "permissions\npermissions @Jonny_Bro#4226",
-	"TITLE": "{{user}}'s permissions in {{channel}}"
-}
\ No newline at end of file
diff --git a/languages/en-US/general/ping.json b/languages/en-US/general/ping.json
deleted file mode 100644
index b4a5c414..00000000
--- a/languages/en-US/general/ping.json
+++ /dev/null
@@ -1,6 +0,0 @@
-{
-	"DESCRIPTION": "Show bot's ping",
-	"USAGE": "ping",
-	"EXAMPLES": "ping",
-	"CONTENT": "Pong! My ping is `{{ping}}` ms."
-}
\ No newline at end of file
diff --git a/languages/en-US/general/quote.json b/languages/en-US/general/quote.json
deleted file mode 100644
index 7c029a5f..00000000
--- a/languages/en-US/general/quote.json
+++ /dev/null
@@ -1,8 +0,0 @@
-{
-	"DESCRIPTION": "Quote a message in the channel!",
-	"USAGE": "quote [messageID] [channel]",
-	"EXAMPLES": "quote 596018101921906698\nquote 596018101921906698 573508780520898581\nquote 596018101921906698 #blabla",
-	"NO_MESSAGE_ID": "No message has this ID.",
-	"NO_CHANNEL_ID": "No channel has this ID.",
-	"MISSING_ID": "Please enter a valid message ID to quote!"
-}
\ No newline at end of file
diff --git a/languages/en-US/general/remindme.json b/languages/en-US/general/remindme.json
deleted file mode 100644
index 35e0488c..00000000
--- a/languages/en-US/general/remindme.json
+++ /dev/null
@@ -1,9 +0,0 @@
-{
-	"DESCRIPTION": "Add a new personal reminder",
-	"USAGE": "remindme [message]",
-	"EXAMPLES": "remindme 24h Work command\nremindme 3m Take the pasta out of the pan!",
-	"MISSING_MESSAGE": "You must enter a message!",
-	"SAVED": "Reminder saved, you will receive a message at the end of the time!",
-	"TITLE": "JaBa Reminder",
-	"CREATED": "Message created {{time}}"
-}
\ No newline at end of file
diff --git a/languages/en-US/general/report.json b/languages/en-US/general/report.json
deleted file mode 100644
index af4f21e1..00000000
--- a/languages/en-US/general/report.json
+++ /dev/null
@@ -1,11 +0,0 @@
-{
-	"DESCRIPTION": "Send your report to the channel defined for them!",
-	"USAGE": "report [@user] [reason]",
-	"EXAMPLES": "report @Jonny_Bro#4226 Breaking the rules",
-	"MISSING_CHANNEL": "No report channel defined!",
-	"MISSING_REASON": "Please enter a report reason!",
-	"MISSING_USER": "Please mention the user you want report!",
-	"INVALID_USER": "You can't report yourself",
-	"SUCCESS": "Your report has been sent in {{channel}}!",
-	"TITLE": "Report - {{user}}"
-}
\ No newline at end of file
diff --git a/languages/en-US/general/serverinfo.json b/languages/en-US/general/serverinfo.json
deleted file mode 100644
index 492db045..00000000
--- a/languages/en-US/general/serverinfo.json
+++ /dev/null
@@ -1,13 +0,0 @@
-{
-	"DESCRIPTION": "Shows information about the server!",
-	"USAGE": "serverinfo [ID/Name]",
-	"EXAMPLES": "serverinfo JaBa\nserverinfo",
-	"AFK_CHANNEL": "AFK channel",
-	"NO_AFK_CHANNEL": "No AFK channel",
-	"MEMBERS": "{{count}} members",
-	"BOTS": "{{count}} bots",
-	"BOOSTS": "Boosts count",
-	"TEXT_CHANNELS": "{{count}} text",
-	"VOICE_CHANNELS": "{{count}} voice",
-	"CAT_CHANNELS": "{{count}} categories"
-}
\ No newline at end of file
diff --git a/languages/en-US/general/setafk.json b/languages/en-US/general/setafk.json
deleted file mode 100644
index 3318064e..00000000
--- a/languages/en-US/general/setafk.json
+++ /dev/null
@@ -1,9 +0,0 @@
-{
-	"DESCRIPTION": "Become AFK (members who mention you will receive a message)",
-	"USAGE": "setafk [reason]",
-	"EXAMPLES": "setafk I'm eating =)",
-	"MISSING_REASON": "Please specify the reason for your AFK status!",
-	"SUCCESS": "You're now AFK (reason: {{reason}})",
-	"DELETED": "**{{username}}**, your AFK status has just been deleted!",
-	"IS_AFK": "**{{user}}** is currently AFK, reason:\n```{{reason}}```"
-}
\ No newline at end of file
diff --git a/languages/en-US/general/shorturl.json b/languages/en-US/general/shorturl.json
deleted file mode 100644
index c547853b..00000000
--- a/languages/en-US/general/shorturl.json
+++ /dev/null
@@ -1,6 +0,0 @@
-{
-	"DESCRIPTION": "Make your links shorter!",
-	"USAGE": "shorturl [url]",
-	"EXAMPLES": "shorturl https://google.fr",
-	"MISSING_URL": "Please enter a valid URL!"
-}
\ No newline at end of file
diff --git a/languages/en-US/general/someone.json b/languages/en-US/general/someone.json
deleted file mode 100644
index 6c3df2a8..00000000
--- a/languages/en-US/general/someone.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Pick a random member on the server!",
-	"USAGE": "someone",
-	"EXAMPLES": "someone"
-}
\ No newline at end of file
diff --git a/languages/en-US/general/staff.json b/languages/en-US/general/staff.json
deleted file mode 100644
index 9cce4a29..00000000
--- a/languages/en-US/general/staff.json
+++ /dev/null
@@ -1,10 +0,0 @@
-{
-	"DESCRIPTION": "Shows the server staff members list!",
-	"USAGE": "staff",
-	"EXAMPLES": "staff",
-	"TITLE": "{{guild}} staff",
-	"ADMINS": "Administrators",
-	"NO_ADMINS": "No administrators",
-	"MODS": "Moderators",
-	"NO_MODS": "No moderators"
-}
\ No newline at end of file
diff --git a/languages/en-US/general/stats.json b/languages/en-US/general/stats.json
deleted file mode 100644
index 1c93bc12..00000000
--- a/languages/en-US/general/stats.json
+++ /dev/null
@@ -1,17 +0,0 @@
-{
-	"DESCRIPTION": "Shows the bot stats!",
-	"USAGE": "stats",
-	"EXAMPLES": "stats",
-	"COUNTS_TITLE": "• __Statistics__",
-	"COUNTS_CONTENT": "`Servers: {{servers}}`\n`Users: {{users}}`",
-	"VERSIONS_TITLE": "• __Using__",
-	"RAM_TITLE": "• __RAM__",
-	"ONLINE_TITLE": "• __Online__",
-	"ONLINE_CONTENT": "Online for {{time}}",
-	"MUSIC_TITLE": "• __Music__",
-	"MUSIC_CONTENT": "Playing music on `{{count}}` servers",
-	"CREDITS_TITLE": ":heart: • __Acknowledgements & credits__",
-	"CREDITS_CONTENT": "Thanks to [Icons8](https://icons8.com/) for almost all the emojis!\n__**Donators**__:\n{{donators}}\n__**Translators**__:\n{{translators}}",
-	"LINKS_TITLE": "• __Links__",
-	"MADE": "JaBa is an bot developed by @Jonny_Bro#4226!"
-}
diff --git a/languages/en-US/general/suggest.json b/languages/en-US/general/suggest.json
deleted file mode 100644
index 61d512e2..00000000
--- a/languages/en-US/general/suggest.json
+++ /dev/null
@@ -1,8 +0,0 @@
-{
-	"DESCRIPTION": "Send your suggestion to the defined channel!",
-	"USAGE": "suggest [message]",
-	"EXAMPLES": "suggest New channel #offtopic please",
-	"MISSING_CHANNEL": "No suggestion channel defined!",
-	"MISSING_CONTENT": "Please enter a suggestion!",
-	"TITLE": "Suggestion - {{user}}"
-}
\ No newline at end of file
diff --git a/languages/en-US/general/translate.json b/languages/en-US/general/translate.json
deleted file mode 100644
index 1fbe559d..00000000
--- a/languages/en-US/general/translate.json
+++ /dev/null
@@ -1,9 +0,0 @@
-{
-	"DESCRIPTION": "Translate your text!",
-	"USAGE": "translate [language] [message]",
-	"EXAMPLES": "translate russian How are you ?",
-	"LIST_SENT": "The languages list has just been sent to you by private messages!",
-	"MISSING_LANGUAGE": "Please enter a language! To display the languages list, type `translate langs-list`!",
-	"INVALID_LANGUAGE": "The language `{{search}}` does not exist! To display the languages list, type `translate langs-list`!",
-	"MISSING_CONTENT": "Please enter a text to be translated!"
-}
\ No newline at end of file
diff --git a/languages/en-US/general/userinfo.json b/languages/en-US/general/userinfo.json
deleted file mode 100644
index 561cf3cf..00000000
--- a/languages/en-US/general/userinfo.json
+++ /dev/null
@@ -1,10 +0,0 @@
-{
-	"DESCRIPTION": "Shows user information!",
-	"USAGE": "userinfo (@user/userID)",
-	"EXAMPLES": "userinfo\nuserinfo @Jonny_Bro#4226\nuserinfo 281361531411890186",
-	"INVALID_USER": "No user on Discord has the `{{search}}` ID!",
-	"NO_GAME": "Not playing",
-	"NO_ROLE": "No role",
-	"NO_NICKNAME": "No nickname",
-	"MORE_ROLES": "and {{count}} others roles"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/approved.json b/languages/en-US/images/approved.json
deleted file mode 100644
index 210577b1..00000000
--- a/languages/en-US/images/approved.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"approved\" image",
-	"USAGE": "approved (@member)",
-	"EXAMPLES": "approved\napproved @Jonny_Bro#4226"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/avatar.json b/languages/en-US/images/avatar.json
deleted file mode 100644
index 2008dda3..00000000
--- a/languages/en-US/images/avatar.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Shows the avatar of the mentionned member",
-	"USAGE": "avatar (@member)",
-	"EXAMPLES": "avatar\navatar @Jonny_Bro#4226\navatar link"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/batslap.json b/languages/en-US/images/batslap.json
deleted file mode 100644
index 1ec72bcd..00000000
--- a/languages/en-US/images/batslap.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"batslap\" image",
-	"USAGE": "batslap (@member1) (@member2)",
-	"EXAMPLES": "batslap\nbatslap @Jonny_Bro#4226 @Jonny_Bro#4226"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/beautiful.json b/languages/en-US/images/beautiful.json
deleted file mode 100644
index b954777f..00000000
--- a/languages/en-US/images/beautiful.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"beautiful\" image",
-	"USAGE": "beautiful (@member)",
-	"EXAMPLES": "beautiful\nbeautiful @Jonny_Bro#4226"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/bed.json b/languages/en-US/images/bed.json
deleted file mode 100644
index 03a304de..00000000
--- a/languages/en-US/images/bed.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"love\" image using the Nekobot API",
-	"USAGE": "love [@member1] (@member2)",
-	"EXAMPLES": "love @Jonny_Bro#4226\nlove @Jonny_Bro#4226 @Marty#0303"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/brazzers.json b/languages/en-US/images/brazzers.json
deleted file mode 100644
index 0ace455d..00000000
--- a/languages/en-US/images/brazzers.json
+++ /dev/null
@@ -1,5 +0,0 @@
-z{
-	"DESCRIPTION": "Generates a \"dictator\" image",
-	"USAGE": "dictator (@member)",
-	"EXAMPLES": "dictator\ndictator @Jonny_Bro#4226"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/burn.json b/languages/en-US/images/burn.json
deleted file mode 100644
index 7370f622..00000000
--- a/languages/en-US/images/burn.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"brazzers\" image",
-	"USAGE": "brazzers (@member)",
-	"EXAMPLES": "brazzers\nbrazzers @Jonny_Bro#4226"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/captcha.json b/languages/en-US/images/captcha.json
deleted file mode 100644
index 240744d9..00000000
--- a/languages/en-US/images/captcha.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"captcha\" image using the Nekobot API",
-	"USAGE": "captcha (@member)",
-	"EXAMPLES": "captcha\ncaptcha @Jonny_Bro#4226"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/challenger.json b/languages/en-US/images/challenger.json
deleted file mode 100644
index 5de58909..00000000
--- a/languages/en-US/images/challenger.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"challenger\" image",
-	"USAGE": "challenger (@member)",
-	"EXAMPLES": "challenger\nchallenger @Jonny_Bro#4226"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/clyde.json b/languages/en-US/images/clyde.json
deleted file mode 100644
index d1b7c53f..00000000
--- a/languages/en-US/images/clyde.json
+++ /dev/null
@@ -1,6 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"Clyde\" message image using the Nekobot API",
-	"USAGE": "clyde [text]",
-	"EXAMPLES": "clyde Discord will close on December 11, 2002. Goodbye.",
-	"MISSING_TEXT": "Please specify the message text!"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/dictator.json b/languages/en-US/images/dictator.json
deleted file mode 100644
index 49f248ff..00000000
--- a/languages/en-US/images/dictator.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"burn\" image",
-	"USAGE": "burn (@member)",
-	"EXAMPLES": "burn\nburn @Jonny_Bro#4226"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/facepalm.json b/languages/en-US/images/facepalm.json
deleted file mode 100644
index e197eda6..00000000
--- a/languages/en-US/images/facepalm.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"facepalm\" image using canvas",
-	"USAGE": "facepalm (@member)",
-	"EXAMPLES": "facepalm\nfacepalm @Jonny_Bro#4226"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/fire.json b/languages/en-US/images/fire.json
deleted file mode 100644
index f02a4c37..00000000
--- a/languages/en-US/images/fire.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"fire\" image using Amethyste API",
-	"USAGE": "fire (@member)",
-	"EXAMPLES": "fire\nfire @Jonny_Bro#4226"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/jail.json b/languages/en-US/images/jail.json
deleted file mode 100644
index 0fed529c..00000000
--- a/languages/en-US/images/jail.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"jail\" image using Amethyste API",
-	"USAGE": "jail (@member)",
-	"EXAMPLES": "jail\njail @Jonny_Bro#4226"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/love.json b/languages/en-US/images/love.json
deleted file mode 100644
index ab23454e..00000000
--- a/languages/en-US/images/love.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"bed\" image",
-	"USAGE": "bed [@member1] (@member2)",
-	"EXAMPLES": "bed @Jonny_Bro#4226\nbed @Jonny_Bro#4226 @Marty#0303"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/mission.json b/languages/en-US/images/mission.json
deleted file mode 100644
index c094737f..00000000
--- a/languages/en-US/images/mission.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"mission\" image using Amethyste API",
-	"USAGE": "mission (@member)",
-	"EXAMPLES": "mission\nmission @Jonny_Bro#4226"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/phcomment.json b/languages/en-US/images/phcomment.json
deleted file mode 100644
index 2ee8070f..00000000
--- a/languages/en-US/images/phcomment.json
+++ /dev/null
@@ -1,6 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"phcomment\" image",
-	"USAGE": "phcomment (@member) [text]",
-	"EXAMPLES": "phcomment Hi!\nphcomment @Jonny_Bro#4226 Hi!",
-	"MISSING_TEXT": "Please specify the comment text!"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/qrcode.json b/languages/en-US/images/qrcode.json
deleted file mode 100644
index 1e3cbdc9..00000000
--- a/languages/en-US/images/qrcode.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "Generates a QR code image from a given text",
-	"USAGE": "qrcode [text]",
-	"EXAMPLES": "qrcode Hello",
-	"MISSING_TEXT": "Please specify the QR code source text!",
-	"SUCCESS": "Here's your QRCode!"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/rip.json b/languages/en-US/images/rip.json
deleted file mode 100644
index d619a023..00000000
--- a/languages/en-US/images/rip.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"rip\" image using Nekobot API",
-	"USAGE": "rip (@member)",
-	"EXAMPLES": "rip\nrip @Jonny_Bro#4226"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/scary.json b/languages/en-US/images/scary.json
deleted file mode 100644
index 8d98729d..00000000
--- a/languages/en-US/images/scary.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"scary\" image using Nekobot API",
-	"USAGE": "scary (@member)",
-	"EXAMPLES": "scary\nscary @Jonny_Bro#4226"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/tobecontinued.json b/languages/en-US/images/tobecontinued.json
deleted file mode 100644
index 20fb548a..00000000
--- a/languages/en-US/images/tobecontinued.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"tobecontinued\" image using Nekobot API",
-	"USAGE": "tobecontinued (@member)",
-	"EXAMPLES": "tobecontinued\ntobecontinued @Jonny_Bro#4226"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/trash.json b/languages/en-US/images/trash.json
deleted file mode 100644
index a116b288..00000000
--- a/languages/en-US/images/trash.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"trash\" image",
-	"USAGE": "trash (@member)",
-	"EXAMPLES": "trash\ntrash @Jonny_Bro#4226"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/triggered.json b/languages/en-US/images/triggered.json
deleted file mode 100644
index 575682d3..00000000
--- a/languages/en-US/images/triggered.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"triggered\" image using Nekobot API",
-	"USAGE": "triggered (@member)",
-	"EXAMPLES": "triggered\ntriggered @Jonny_Bro#4226"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/tweet.json b/languages/en-US/images/tweet.json
deleted file mode 100644
index 6dcd45f8..00000000
--- a/languages/en-US/images/tweet.json
+++ /dev/null
@@ -1,8 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"tweet\" image using Nekobot API",
-	"USAGE": "tweet [@twitter_username] [content]",
-	"EXAMPLES": "tweet @ElonMusk Hello",
-	"MISSING_USERNAME": "You have to enter someone's twitter nickname!",
-	"MISSING_TEXT": "You have to specify the tweet content!",
-	"SUCCESS": "New tweet by {{user}}:"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/wanted.json b/languages/en-US/images/wanted.json
deleted file mode 100644
index bd9a9e3e..00000000
--- a/languages/en-US/images/wanted.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"wanted\" image using Nekobot API",
-	"USAGE": "wanted (@member)",
-	"EXAMPLES": "wanted\nwanted @Jonny_Bro#4226"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/wasted.json b/languages/en-US/images/wasted.json
deleted file mode 100644
index 119c9e3d..00000000
--- a/languages/en-US/images/wasted.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"wasted\" image using Nekobot API",
-	"USAGE": "wasted (@member)",
-	"EXAMPLES": "wasted\nwasted @Jonny_Bro#4226"
-}
\ No newline at end of file
diff --git a/languages/en-US/images/youtube-comment.json b/languages/en-US/images/youtube-comment.json
deleted file mode 100644
index 17bd8c95..00000000
--- a/languages/en-US/images/youtube-comment.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Generates a \"ytcomment\" image",
-	"USAGE": "ytcomment (@member) [text]",
-	"EXAMPLES": "ytcomment Hi!\nytcomment @Jonny_Bro#4226 Hi!"
-}
\ No newline at end of file
diff --git a/languages/en-US/misc.json b/languages/en-US/misc.json
deleted file mode 100644
index 7b83904b..00000000
--- a/languages/en-US/misc.json
+++ /dev/null
@@ -1,28 +0,0 @@
-{
-	"ERR_OCCURRED": "Something went wrong... Please retry again later!",
-	"PLEASE_WAIT": "Please wait a few seconds...",
-	"COMMAND_DISABLED": "This command is currently disabled!",
-	"CLICK_HERE": "Click here to start {{activity}} in {{channel}}",
-	"TIMES_UP": "Time's up! Please send the command again!",
-	"INVALID_YES_NO": "You must send \"yes\" or \"no\"!",
-	"INVALID_CHANNEL": "Please specify a valid channel!",
-	"INVALID_TIME": "You must enter a valid time! Available units: `s`, `m`, `h` or `d`",
-	"INVALID_NUMBER": "Please specify a valid number!",
-	"INVALID_NUMBER_RANGE": "Please specify a valid number between **{{min}}** and **{{max}}**!",
-	"STATS_FOOTER": "● [Dashboard]({{dashboardLink}})\n● [Docs]({{docsLink}})\n● [Invite JaBa]({{inviteLink}})\n● [Support]({{donateLink}}) (for other payment methods send DM to <@{{owner}}>)",
-	"BOT_USER": "This user is a bot!",
-	"NO_PERMS": "You must have an administration rights to perform this action!",
-	"NO_REASON_PROVIDED": "No reason provided",
-	"NO_USER_FOUND_ID": "No user on Discord has the ID `{{id}}`!",
-	"HELLO_SERVER": "Hello **{{username}}**, my prefix on this server is ``. Use `help` to get the list of the commands!",
-	"HELLO_DM": "Hello, as you are currently in direct message you don't need to add a prefix before command name.",
-	"GUILD_ONLY": "This command is only available on a server!",
-	"MISSING_BOT_PERMS": "I need the following permissions to execute this command: {{list}}",
-	"MISSING_MEMBER_PERMS": "You need the following permissions to execute this command: {{list}}",
-	"RESTRICTED_CHANNEL": "Commands are not allowed in {{channel}}!",
-	"EVERYONE_MENTION": "You are not allowed to mention everyone or here in the commands.",
-	"NSFW_COMMAND": "You must execute this command in a channel that allows NSFW!",
-	"OWNER_ONLY": "Only the owner of JaBa can do these commands!",
-	"COOLDOWNED": "You must wait **{{seconds}}** second(s) to be able to run this command again!",
-	"CANNOT_DM": "I don't have permission to send you private messages... Please update your privacy settings!"
-}
\ No newline at end of file
diff --git a/languages/en-US/moderation/announcement.json b/languages/en-US/moderation/announcement.json
deleted file mode 100644
index be59a179..00000000
--- a/languages/en-US/moderation/announcement.json
+++ /dev/null
@@ -1,10 +0,0 @@
-{
-	"DESCRIPTION": "Send an announcement in the current channel!",
-	"USAGE": "announcement [text]",
-	"EXAMPLES": "announcement New staff member!",
-	"MISSING_TEXT": "You must enter the announcement text!",
-	"TOO_LONG": "Your text should be shorter than 1030 characters!",
-	"MENTION_PROMPT": "Would you like to add a mention to your message?\nAnswer by sending `yes` or `no`!",
-	"MENTION_TYPE_PROMPT": "Choose to mention `@`everyone by typing `every` or to mention `@`here by typing `here`!",
-	"TITLE": "📢 Announcement:"
-}
\ No newline at end of file
diff --git a/languages/en-US/moderation/ban.json b/languages/en-US/moderation/ban.json
deleted file mode 100644
index fe82230d..00000000
--- a/languages/en-US/moderation/ban.json
+++ /dev/null
@@ -1,13 +0,0 @@
-{
-	"DESCRIPTION": "Ban the mentioned member!",
-	"USAGE": "ban [@user] (reason)",
-	"EXAMPLES": "ban @Jonny_Bro#4226 Spam",
-	"MISSING_MEMBER": "Please specify a valid member to ban!",
-	"YOURSELF": "You can't ban yourself!",
-	"SUPERIOR": "You can't sanction or update a sanction for a member who has an higher or equal role hierarchy to yours!",
-	"ALREADY_BANNED": "**{{username}}** is already banned!",
-	"MISSING_PERM": "An error has occurred... Please check that I have the permission to ban this specific member and try again!",
-	"BANNED_DM": "Hello {{username}},\nYou have just been banned from **{{server}}** by **{{moderator}}** because of **{{reason}}**!",
-	"BANNED": "**{{username}}** has just been banned from **{{server}}** by **{{moderator}}** because of **{{reason}}**!",
-	"CASE": "Ban | Case #{{count}}"
-}
\ No newline at end of file
diff --git a/languages/en-US/moderation/checkinvites.json b/languages/en-US/moderation/checkinvites.json
deleted file mode 100644
index 889bdfdf..00000000
--- a/languages/en-US/moderation/checkinvites.json
+++ /dev/null
@@ -1,6 +0,0 @@
-{
-	"DESCRIPTION": "Check if members have a Discord server link in their status!",
-	"USAGE": "checkinvites",
-	"EXAMPLES": "checkinvites",
-	"NOBODY": "No member advertises in their status!"
-}
diff --git a/languages/en-US/moderation/clear.json b/languages/en-US/moderation/clear.json
deleted file mode 100644
index 3f585c45..00000000
--- a/languages/en-US/moderation/clear.json
+++ /dev/null
@@ -1,10 +0,0 @@
-{
-	"DESCRIPTION": "Quickly delete multiple messages!",
-	"USAGE": "clear [number-of-messages] (@member)",
-	"EXAMPLES": "clear 10\nclear 10 @Jonny_Bro#4226",
-	"MISSING_AMOUNT": "You must specify a number of messages to delete!",
-	"ALL_CONFIRM": "All the channel messages will be deleted! To confirm type `-confirm`",
-	"CHANNEL_CLEARED": "Channel cleared!",
-	"CLEARED": "**{{amount}}** were messages deleted!",
-	"CLEARED_MEMBER": "**{{amount}}** messages of **{{username}}** were deleted!"
-}
\ No newline at end of file
diff --git a/languages/en-US/moderation/clearwarns.json b/languages/en-US/moderation/clearwarns.json
deleted file mode 100644
index 7e75fea9..00000000
--- a/languages/en-US/moderation/clearwarns.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "Clear a member sanctions!",
-	"USAGE": "clearwarns [@member]",
-	"EXAMPLES": "clearwarns @Jonny_Bro#4226",
-	"MISSING_MEMBER": "Please mention the member you wish to remove the sanctions from!",
-	"SUCCESS": "**{{username}}**'s sanctions were deleted!"
-}
\ No newline at end of file
diff --git a/languages/en-US/moderation/giveaway.json b/languages/en-US/moderation/giveaway.json
deleted file mode 100644
index 12421a2a..00000000
--- a/languages/en-US/moderation/giveaway.json
+++ /dev/null
@@ -1,27 +0,0 @@
-{
-	"DESCRIPTION": "Easily manage your giveaways!",
-	"USAGE": "giveaway [create/reroll/delete/end] (time) (winners count) (prize)",
-	"EXAMPLES": "giveaway create 10m 2 5$ PayPal!\ngiveaway reroll 597812898022031374",
-	"MISSING_STATUS": "You must specify an action between `create`, `reroll`, `end` or `delete`!",
-	"INVALID_CREATE": "You must enter the information like this: \n\n`giveaway create [time] [winners count] [prize]`",
-	"MISSING_ID": "You must enter the giveaway message ID!",
-	"NOT_FOUND": "No giveaway found with message ID `{{messageID}}`",
-	"NOT_FOUND_ENDED": "No **ended** giveaway found with message ID `{{messageID}}`",
-	"MAX_DURATION": "The maximum duration of a giveaway is 15 days.",
-	"MAX_COUNT": "There can only be 4 simultaneous giveaways.",
-	"TITLE": "🎉🎉 **GIVEAWAY** 🎉🎉",
-	"ENDED": "🎉🎉 **GIVEAWAY ENDED** 🎉🎉",
-	"TIME_REMAINING": "Time remaining: **{duration}**!",
-	"INVITE_PARTICIPATE": "React with 🎉 to participate!",
-	"WIN_MESSAGE": "Congratulations, {winners}! You won **{prize}**!",
-	"FOOTER": "Giveaways",
-	"NO_WINNER": "Giveaway cancelled, no valid participation.",
-	"WINNERS": "winner(s)",
-	"END_AT": "End at",
-	"REROLL_CONGRAT": "🎉 New winner(s): {winners}! Congratulations!",
-	"REROLL_ERROR": "No valid entries, no winners can be chosen!",
-	"GIVEAWAY_CREATED": "Giveaway launched!",
-	"GIVEAWAY_REROLLED": "Giveaway re-rolled!",
-	"GIVEAWAY_ENDED": "The giveaway will end in less than 15 seconds!",
-	"GIVEAWAY_DELETED": "Giveaway deleted!"
-}
diff --git a/languages/en-US/moderation/kick.json b/languages/en-US/moderation/kick.json
deleted file mode 100644
index 0d58e936..00000000
--- a/languages/en-US/moderation/kick.json
+++ /dev/null
@@ -1,11 +0,0 @@
-{
-	"DESCRIPTION": "Kick the mentioned member!",
-	"USAGE": "kick [@member] (reason)",
-	"EXAMPLES": "kick @Jonny_Bro#4226 Spam",
-	"MISSING_MEMBER": "Please specify a valid member to kick!",
-	"YOURSELF": "You can't kick yourself!",
-	"MISSING_PERM": "An error has occurred... Please check that I have the permission to kick this specific member and try again!",
-	"KICKED_DM": "Hello {{username}},\nYou have just been kicked from **{{server}}** by **{{moderator}}** because of **{{reason}}**!",
-	"KICKED": "**{{username}}** has just been kicked from **{{server}}** by **{{moderator}}** because of **{{reason}}**!",
-	"CASE": "Kick | Case #{{count}}"
-}
\ No newline at end of file
diff --git a/languages/en-US/moderation/mute.json b/languages/en-US/moderation/mute.json
deleted file mode 100644
index 6bf091aa..00000000
--- a/languages/en-US/moderation/mute.json
+++ /dev/null
@@ -1,9 +0,0 @@
-{
-	"DESCRIPTION": "Prevents a member from sending messages and connecting to a voice chat room for a defined period of time!",
-	"USAGE": "mute [@member] [time]",
-	"EXAMPLES": "mute @Jonny_Bro#4226 Spam",
-	"MISSING_MEMBER": "Please specify a valid member to mute!",
-	"MUTED_DM": "Hello {{username}},\nYou've just been muted on **{{server}}** by **{{moderator}}** for **{{time}}** because of **{{reason}}**!",
-	"MUTED": "**{{username}}** is now muted for **{{time}}** because of **{{reason}}**!",
-	"CASE": "Mute | Case #{{count}}"
-}
\ No newline at end of file
diff --git a/languages/en-US/moderation/poll.json b/languages/en-US/moderation/poll.json
deleted file mode 100644
index b2a3b83c..00000000
--- a/languages/en-US/moderation/poll.json
+++ /dev/null
@@ -1,8 +0,0 @@
-{
-	"DESCRIPTION": "Launch a survey in the current channel!",
-	"USAGE": "poll [question]",
-	"EXAMPLES": "poll Is the Earth flat?",
-	"MISSING_QUESTION": "Please specify a question!",
-	"REACT": "React with {{success}} or {{error}}!",
-	"TITLE": "📊 Poll:"
-}
\ No newline at end of file
diff --git a/languages/en-US/moderation/setwarns.json b/languages/en-US/moderation/setwarns.json
deleted file mode 100644
index c43a8fb4..00000000
--- a/languages/en-US/moderation/setwarns.json
+++ /dev/null
@@ -1,12 +0,0 @@
-{
-	"DESCRIPTION": "Define the sanctions that members will get after a certain number of warns!",
-	"USAGE": "setwarns [kick/ban] [number/reset]",
-	"EXAMPLES": "setwarns kick 10\nsetwarns ban 10\nsetwarns ban reset",
-	"MISSING_TYPE": "Please specify sanction between `kick` and `ban`",
-	"SUCCESS_KICK": "** `{{count}}` warnings will result in an expulsion!**\n\n:arrow_right_hook: *Send `configuration` to see the updated configuration!*",
-	"SUCCESS_BAN": "** `{{count}}` warnings will result in a ban!**\n\n:arrow_right_hook: *Send `configuration` to see the updated configuration!*",
-	"SUCCESS_KICK_RESET": "**Members can no longer be automatically kicked!**\n\n:arrow_right_hook: *Send `configuration` to see the updated configuration!*",
-	"SUCCESS_BAN_RESET": "**Members can no longer be automatically banned!**\n\n:arrow_right_hook: *Send `configuration` to see the updated configuration!*",
-	"AUTO_BAN": "**{{username}}** was automatically banned because they reach more than **{{count}}** warns!",
-	"AUTO_KICK": "**{{username}}** was automatically kicked because they reach more than **{{count}}** warns!"
-}
\ No newline at end of file
diff --git a/languages/en-US/moderation/unban.json b/languages/en-US/moderation/unban.json
deleted file mode 100644
index 5e52ae77..00000000
--- a/languages/en-US/moderation/unban.json
+++ /dev/null
@@ -1,8 +0,0 @@
-{
-	"DESCRIPTION": "Unban the user from the server!",
-	"USAGE": "unban [userID/user#0000]",
-	"EXAMPLES": "unban 281361531411890186\nunban @Jonny_Bro#4226",
-	"MISSING_ID": "Please specify the ID of the member you wish to unban!",
-	"NOT_BANNED": "**{{username}}** is not banned!",
-	"UNBANNED": "**{{username}}** has just been unbanned from **{{server}}**!"
-}
diff --git a/languages/en-US/moderation/unmute.json b/languages/en-US/moderation/unmute.json
deleted file mode 100644
index 9a4e0563..00000000
--- a/languages/en-US/moderation/unmute.json
+++ /dev/null
@@ -1,9 +0,0 @@
-{
-	"DESCRIPTION": "Unmute the mentioned member!",
-	"USAGE": "unmute [@member]",
-	"EXAMPLES": "unmute @Jonny_Bro#4226",
-	"MISSING_MEMBER": "Please specify the member you want to unmute!",
-	"NOT_MUTED": "**{{username}}** is not muted on this server!",
-	"SUCCESS": "**{{username}}** has just been unmuted!",
-	"SUCCESS_CASE": "{{user}} (`{{usertag}}`) has just been unmuted! (mute case: #{{count}})"
-}
\ No newline at end of file
diff --git a/languages/en-US/moderation/warn.json b/languages/en-US/moderation/warn.json
deleted file mode 100644
index 7f7d51b8..00000000
--- a/languages/en-US/moderation/warn.json
+++ /dev/null
@@ -1,11 +0,0 @@
-{
-	"DESCRIPTION": "Warn a member in private messages",
-	"USAGE": "warn [@member] [reason]",
-	"EXAMPLES": "warn @Jonny_Bro#4226 Dumb",
-	"MISSING_MEMBER": "Please specify the member you want to warn!",
-	"YOURSELF": "You can't warn yourself!",
-	"MISSING_REASON": "Please enter a reason!",
-	"WARNED_DM": "Hello {{username}},\nYou've just been warned on **{{server}}** by **{{moderator}}** for **{{reason}}**!",
-	"WARNED": "**{{username}}** has been warned in private messages for **{{reason}}**!",
-	"CASE": "Warn | Case #{{caseNumber}}"
-}
\ No newline at end of file
diff --git a/languages/en-US/moderation/warns.json b/languages/en-US/moderation/warns.json
deleted file mode 100644
index c9e21b4a..00000000
--- a/languages/en-US/moderation/warns.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "Displays the list of infractions committed by a member!",
-	"USAGE": "sanctions [@member]",
-	"EXAMPLES": "sanctions @Jonny_Bro#4226",
-	"MISSING_MEMBER": "You must specify a member!",
-	"NO_SANCTION": "**{{username}}** did not receive any sanctions."
-}
\ No newline at end of file
diff --git a/languages/en-US/music/autoplay.json b/languages/en-US/music/autoplay.json
deleted file mode 100644
index 2cac6a99..00000000
--- a/languages/en-US/music/autoplay.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "Enable or disable the autoplay feature",
-	"USAGE": "autoplay",
-	"EXAMPLES": "autoplay",
-	"SUCCESS_ENABLED": "{{success}} Auto play is now enabled!",
-	"SUCCESS_DISABLED": "{{success}} Auto play is now disabled!"
-}
diff --git a/languages/en-US/music/back.json b/languages/en-US/music/back.json
deleted file mode 100644
index d312f0fe..00000000
--- a/languages/en-US/music/back.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "Play back the previous song",
-	"USAGE": "back",
-	"EXAMPLES": "back",
-	"NO_PREV_SONG": "There was no song before this one!",
-	"SUCCESS": "Playing previous song!"
-}
\ No newline at end of file
diff --git a/languages/en-US/music/clip.json b/languages/en-US/music/clip.json
deleted file mode 100644
index 77451afc..00000000
--- a/languages/en-US/music/clip.json
+++ /dev/null
@@ -1,8 +0,0 @@
-{
-	"DESCRIPTION": "Play clip",
-	"USAGE": "clip [file-name]",
-	"EXAMPLES": "clip haha",
-	"NO_ARG": "Set file name",
-	"NO_FILE": "File {{file}} is missing!",
-	"ACTIVE_QUEUE": "Can't play clip, another queue is active at the moment"
-}
\ No newline at end of file
diff --git a/languages/en-US/music/clips.json b/languages/en-US/music/clips.json
deleted file mode 100644
index ca154c34..00000000
--- a/languages/en-US/music/clips.json
+++ /dev/null
@@ -1,6 +0,0 @@
-{
-	"DESCRIPTION": "Show all available sounds",
-	"USAGE": "clips",
-	"EXAMPLES": "clips",
-	"EMBED_TITLE": "**Clip list**"
-}
\ No newline at end of file
diff --git a/languages/en-US/music/filter.json b/languages/en-US/music/filter.json
deleted file mode 100644
index 8658f2c3..00000000
--- a/languages/en-US/music/filter.json
+++ /dev/null
@@ -1,9 +0,0 @@
-{
-	"DESCRIPTION": "Enable or disable a filter",
-	"USAGE": "filter [filter]",
-	"EXAMPLES": "filter vaporwave",
-	"MISSING_FILTER": "Please specify a valid filter to enable it! (or send `filters` to get the statuses of the filters)",
-	"UNKNOWN_FILTER": "This filter doesn't exist! Send `filters` to get the list!",
-	"ADDING_FILTER": "I'm adding the filter to the music, please wait...",
-	"REMOVING_FILTER": "I'm removing the filters from music, please wait..."
-}
\ No newline at end of file
diff --git a/languages/en-US/music/filters.json b/languages/en-US/music/filters.json
deleted file mode 100644
index 4b405d91..00000000
--- a/languages/en-US/music/filters.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "Send the list of all the filters and their status",
-	"USAGE": "filters",
-	"EXAMPLES": "filters",
-	"TITLE": "**Filters**",
-	"CONTENT": "Here is the list of all filters enabled or disabled.\nUse `filter` to change the status of one of them."
-}
\ No newline at end of file
diff --git a/languages/en-US/music/jump.json b/languages/en-US/music/jump.json
deleted file mode 100644
index 666d4b2a..00000000
--- a/languages/en-US/music/jump.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "Jump to the given track in the queue",
-	"USAGE": "jump [number]",
-	"EXAMPLES": "jump 3",
-	"NO_PREV_SONG": "You can't go back, use `back`!",
-	"SUCCESS": "Playing selected track!"
-}
\ No newline at end of file
diff --git a/languages/en-US/music/loop.json b/languages/en-US/music/loop.json
deleted file mode 100644
index 047aa5ed..00000000
--- a/languages/en-US/music/loop.json
+++ /dev/null
@@ -1,9 +0,0 @@
-{
-	"DESCRIPTION": "Turn on/off repeat of queue/current track!",
-	"USAGE": "loop [queue/song]",
-	"EXAMPLES": "loop queue\nloop song",
-	"NO_ARG": "Select: `queue` or `song`!",
-	"QUEUE": "Repeat of queue is **enabled**!",
-	"SONG": "Repeat of current track is **enabled**!",
-	"DISABLED": "Repeat now **disabled**!"
-}
\ No newline at end of file
diff --git a/languages/en-US/music/lyrics.json b/languages/en-US/music/lyrics.json
deleted file mode 100644
index 375e1b45..00000000
--- a/languages/en-US/music/lyrics.json
+++ /dev/null
@@ -1,10 +0,0 @@
-{
-	"DESCRIPTION": "Shows the song lyrics",
-	"USAGE": "lyrics [song-name]",
-	"EXAMPLES": "lyrics Skyfall",
-	"LYRICS_OF": "🎤 {{songName}} lyrics",
-	"AND_MORE": "\n**And more...**",
-	"CLICK_HERE": "Click here for full lyrics",
-	"MISSING_SONG_NAME": "Please specify a song name!",
-	"NO_LYRICS_FOUND": "No lyrics found for `{{songName}}`!"
-}
\ No newline at end of file
diff --git a/languages/en-US/music/np.json b/languages/en-US/music/np.json
deleted file mode 100644
index 25628bea..00000000
--- a/languages/en-US/music/np.json
+++ /dev/null
@@ -1,11 +0,0 @@
-{
-	"DESCRIPTION": "Shows information about the current song!",
-	"USAGE": "np",
-	"EXAMPLES": "np",
-	"CURRENTLY_PLAYING": "Currently playing",
-	"T_TITLE": "Title",
-	"T_CHANNEL": "Channel",
-	"T_DURATION": "Duration",
-	"T_DESCRIPTION": "Description",
-	"NO_DESCRIPTION": "No description"
-}
\ No newline at end of file
diff --git a/languages/en-US/music/pause.json b/languages/en-US/music/pause.json
deleted file mode 100644
index c247dcea..00000000
--- a/languages/en-US/music/pause.json
+++ /dev/null
@@ -1,6 +0,0 @@
-{
-	"DESCRIPTION": "Pause the current song!",
-	"USAGE": "pause",
-	"EXAMPLES": "pause",
-	"SUCCESS": "⏸️ Music paused."
-}
\ No newline at end of file
diff --git a/languages/en-US/music/play.json b/languages/en-US/music/play.json
deleted file mode 100644
index e8dfccd3..00000000
--- a/languages/en-US/music/play.json
+++ /dev/null
@@ -1,22 +0,0 @@
-{
-	"DESCRIPTION": "Plays music for you!",
-	"USAGE": "play [song]",
-	"EXAMPLES": "play Bye Bye",
-	"NO_VOICE_CHANNEL": "You must be connected to a voice channel!",
-	"VOICE_CHANNEL_CONNECT": "I can't connect to your voice channel!",
-	"MISSING_SONG_NAME": "Please specify a song name or a link!",
-	"RESULTS_FOOTER": "Please select a song by sending a number between 1 and 10.",
-	"NO_RESULT": "Cannot be find on Youtube!",
-	"NOW_PLAYING": "Now playing **{{songName}}** :musical_note:",
-	"PLAYING_PLAYLIST": "Starting playlist **{{playlistTitle}}**. {{playlistEmoji}}\nPlaying the first song, **{{songName}}**! :musical_note:",
-	"CANCELLED": "Selection cancelled",
-	"NOT_PLAYING": "No songs are currently playing in this server.",
-	"QUEUE_ENDED": "Queue has ended. No more music to play...",
-	"ADDED_QUEUE": "**{{songName}}** has been added to the queue!",
-	"ADDED_QUEUE_COUNT": "**{{songCount}}** songs added to the queue!",
-	"STOP_DISCONNECTED": "I've just stopped the music as I have been disconnected from the channel.",
-	"STOP_EMPTY": "I've just stopped the music as everyone disconnected from the channel.",
-	"RESULTS_CANCEL": "Search cancelled!",
-	"LIVE": "Live",
-	"ERR_OCCURRED": "An error occurred, skipping...\n`{{error}}`"
-}
\ No newline at end of file
diff --git a/languages/en-US/music/queue.json b/languages/en-US/music/queue.json
deleted file mode 100644
index f74fd4d5..00000000
--- a/languages/en-US/music/queue.json
+++ /dev/null
@@ -1,6 +0,0 @@
-{
-	"DESCRIPTION": "Shows the server queue",
-	"USAGE": "queue",
-	"EXAMPLES": "queue",
-	"TITLE": "Server Queue"
-}
\ No newline at end of file
diff --git a/languages/en-US/music/resume.json b/languages/en-US/music/resume.json
deleted file mode 100644
index 45b472fe..00000000
--- a/languages/en-US/music/resume.json
+++ /dev/null
@@ -1,6 +0,0 @@
-{
-	"DESCRIPTION": "Resume the current song!",
-	"USAGE": "resume",
-	"EXAMPLES": "resume",
-	"SUCCESS": "▶️ Music resumed!"
-}
\ No newline at end of file
diff --git a/languages/en-US/music/seek.json b/languages/en-US/music/seek.json
deleted file mode 100644
index e207439f..00000000
--- a/languages/en-US/music/seek.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "Go forward or backward a specific amount of time in the current song!!",
-	"USAGE": "seek [time]",
-	"EXAMPLES": "resume 10s",
-	"INVALID_TIME": "You must specify a valid number of time!",
-	"SUCCESS": "▶️ Music sought!"
-}
\ No newline at end of file
diff --git a/languages/en-US/music/skip.json b/languages/en-US/music/skip.json
deleted file mode 100644
index ae79d558..00000000
--- a/languages/en-US/music/skip.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "Skip the current song",
-	"USAGE": "skip",
-	"EXAMPLES": "skip",
-	"NO_NEXT_SONG": "There's no song after this one!",
-	"SUCCESS": "Song skipped!"
-}
\ No newline at end of file
diff --git a/languages/en-US/music/stop.json b/languages/en-US/music/stop.json
deleted file mode 100644
index e3bfeb3b..00000000
--- a/languages/en-US/music/stop.json
+++ /dev/null
@@ -1,6 +0,0 @@
-{
-	"DESCRIPTION": "Stop the music",
-	"USAGE": "stop",
-	"EXAMPLES": "stop",
-	"SUCCESS": "Music stopped!"
-}
\ No newline at end of file
diff --git a/languages/en-US/nsfw/hentai.json b/languages/en-US/nsfw/hentai.json
deleted file mode 100644
index b6a1c045..00000000
--- a/languages/en-US/nsfw/hentai.json
+++ /dev/null
@@ -1,8 +0,0 @@
-{
-	"DESCRIPTION": "Get NSFW gif",
-	"USAGE": "hentai (category/help)",
-	"EXAMPLES": "hentai\nhentai help",
-	"NOCATEGORY": "If you want to see something from certain category, type its name after command.\nUse **`hentai help`** to see all categories\n",
-	"HELP_1": "Available categories (You can also use command without any arguments)",
-	"HELP_2": "```neko\ncum\nsolo\nanal\nyuri\nblowjob - bj\npussy\nclassic\nfutanari - futa\n```"
-}
\ No newline at end of file
diff --git a/languages/en-US/owner/debug.json b/languages/en-US/owner/debug.json
deleted file mode 100644
index a2aa0325..00000000
--- a/languages/en-US/owner/debug.json
+++ /dev/null
@@ -1,15 +0,0 @@
-{
-	"DESCRIPTION": "Allows to change user data!",
-	"USAGE": "debug [set/add] [level/xp/credits/bank/rep] [@user] [value]",
-	"EXAMPLES": "debug set level @Jonny_Bro#4226 10000",
-	"INVALID_MEMBER": "You must mention the user!",
-	"NO_ACTION": "Select an option: `set` or `add`!",
-	"NO_STATUS": "Select a parameter: `level`, `xp`, `credits`, `rep` или `bank`!",
-	"BOT_USER": "Bots don't have a profile!",
-	"INVALID_AMOUNT": "Enter a new value!",
-	"SUCCESS_LEVEL": "**{{username}}**'s level was changed to **{{amount}}**!",
-	"SUCCESS_XP": "**{{username}}**'s XP was changed to **{{amount}}**!",
-	"SUCCESS_CREDITS": "**{{username}}**'s credits was changed to **{{amount}}**!",
-	"SUCCESS_BANK": "**{{username}}**'s bank was changed to **{{amount}}**!",
-	"SUCCESS_REP": "*{{username}}**'s reputation points was changed to **{{amount}}**!"
-}
\ No newline at end of file
diff --git a/languages/en-US/owner/eval.json b/languages/en-US/owner/eval.json
deleted file mode 100644
index 122f2ea8..00000000
--- a/languages/en-US/owner/eval.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Executes the given code",
-	"USAGE": "eval [code]",
-	"EXAMPLES": "eval message.author.send(message.client.token);"
-}
\ No newline at end of file
diff --git a/languages/en-US/owner/reload.json b/languages/en-US/owner/reload.json
deleted file mode 100644
index 5ef4ee8a..00000000
--- a/languages/en-US/owner/reload.json
+++ /dev/null
@@ -1,7 +0,0 @@
-{
-	"DESCRIPTION": "Reload a command!",
-	"USAGE": "reload",
-	"EXAMPLES": "reload",
-	"NOT_FOUND": "`{{search}}` is not an available command!",
-	"SUCCESS": "Command successfully reloaded!"
-}
\ No newline at end of file
diff --git a/languages/en-US/owner/say.json b/languages/en-US/owner/say.json
deleted file mode 100644
index b439ded6..00000000
--- a/languages/en-US/owner/say.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Send a message on behalf of the bot!",
-	"USAGE": "say [text] ++ (ID/channel-name) ++ (ID/server-name)",
-	"EXAMPLES": "say Hello World!\nsay Hello World! ++ 123456789098765432"
-}
\ No newline at end of file
diff --git a/languages/en-US/owner/servers-list.json b/languages/en-US/owner/servers-list.json
deleted file mode 100644
index 404cacd9..00000000
--- a/languages/en-US/owner/servers-list.json
+++ /dev/null
@@ -1,5 +0,0 @@
-{
-	"DESCRIPTION": "Show the servers list!",
-	"USAGE": "servers-list",
-	"EXAMPLES": "servers-list"
-}
\ No newline at end of file
diff --git a/languages/en-US/time.json b/languages/en-US/time.json
deleted file mode 100644
index c5d4d496..00000000
--- a/languages/en-US/time.json
+++ /dev/null
@@ -1,10 +0,0 @@
-{
-	"ONE_DAY": "1 day",
-	"DAYS": "{{amount}} days",
-	"ONE_HOUR": "1 hour",
-	"HOURS": "{{amount}} hours",
-	"ONE_MINUTE": "1 minute",
-	"MINUTES": "{{amount}} minutes",
-	"ONE_SECOND": "1 second",
-	"SECONDS": "{{amount}} seconds"
-}
\ No newline at end of file
diff --git a/languages/language-meta.json b/languages/language-meta.json
index b61bcd66..83677180 100644
--- a/languages/language-meta.json
+++ b/languages/language-meta.json
@@ -10,6 +10,7 @@
 		"name": "uk-UA",
 		"nativeName": "Українська",
 		"moment": "uk",
-		"defaultMomentFormat": "Do MMMM YYYY"
+		"defaultMomentFormat": "Do MMMM YYYY",
+		"default": false
 	}
 ]
\ No newline at end of file

From 38c4ac94c9fd5e921c279ebfe5c28e60d8b6e425 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Tue, 27 Sep 2022 12:32:32 +0500
Subject: [PATCH 17/47] =?UTF-8?q?=D0=A4=D0=B8=D0=BA=D1=81?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 helpers/birthdays.js | 2 +-
 1 file changed, 1 insertion(+), 1 deletion(-)

diff --git a/helpers/birthdays.js b/helpers/birthdays.js
index 1057ccc2..4970f556 100644
--- a/helpers/birthdays.js
+++ b/helpers/birthdays.js
@@ -23,7 +23,7 @@ module.exports.init = async function (client) {
 					client.usersData.find({ birthdate: { $gt: 1 } })
 						.then(async users => {
 							for (const user of users) {
-								if (guild.members.find(m => m.id === user.id)) {
+								if (guild.members.cache.find(m => m.id === user.id)) {
 									const userDate = new Date(user.birthdate);
 									const day = userDate.getDate();
 									const month = userDate.getMonth();

From 26205d1416c92b3c1524e6c7f3762db6fd4523f5 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Tue, 27 Sep 2022 12:48:23 +0500
Subject: [PATCH 18/47] =?UTF-8?q?=D0=9D=D0=B5=D0=BC=D0=BD=D0=BE=D0=B3?=
 =?UTF-8?q?=D0=BE=20=D0=BF=D0=B5=D1=80=D0=B5=D0=B4=D0=B5=D0=BB=D0=B0=D0=BB?=
 =?UTF-8?q?=20giveaway,=20=D0=B4=D0=BE=D0=BB=D0=B6=D0=BD=D0=BE=20=D0=B1?=
 =?UTF-8?q?=D1=8B=D1=82=D1=8C=20=D1=83=D0=B4=D0=BE=D0=B1=D0=BD=D0=B5=D0=B5?=
 =?UTF-8?q?=20=D0=B2=20=D0=BF=D0=BE=D0=BB=D1=8C=D0=B7=D0=BE=D0=B2=D0=B0?=
 =?UTF-8?q?=D0=BD=D0=B8=D0=B8?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 commands/Moderation/giveaway.js          | 34 +++++++++++++++---------
 languages/ru-RU/moderation/giveaway.json |  4 +++
 2 files changed, 26 insertions(+), 12 deletions(-)

diff --git a/commands/Moderation/giveaway.js b/commands/Moderation/giveaway.js
index f9c41ad6..0fd1c13d 100644
--- a/commands/Moderation/giveaway.js
+++ b/commands/Moderation/giveaway.js
@@ -17,7 +17,7 @@ class Giveaway extends BaseCommand {
 					.setDescription(client.translate("moderation/giveaway:GIVEAWAY_ID")))
 				.addStringOption(option => option.setName("duration")
 					.setDescription(client.translate("common:DURATION")))
-				.addStringOption(option => option.setName("winners_count")
+				.addIntegerOption(option => option.setName("winners_count")
 					.setDescription(client.translate("moderation/giveaway:WINNERS_COUNT")))
 				.addStringOption(option => option.setName("prize")
 					.setDescription(client.translate("moderation/giveaway:PRIZE")))
@@ -42,19 +42,29 @@ class Giveaway extends BaseCommand {
 	 * @param {Object} data
 	 */
 	async execute(client, interaction) {
-		const options = ["create", "reroll", "delete", "end"].map(tag =>
-			JSON.parse(JSON.stringify({
-				label: tag,
-				value: tag
-			}))
-		);
-
 		const row = new ActionRowBuilder()
 			.addComponents(
 				new SelectMenuBuilder()
 					.setCustomId("giveaway_select")
 					.setPlaceholder(client.translate("common:NOTHING_SELECTED"))
-					.addOptions(options)
+					.addOptions([
+						{
+							label: interaction.translate("moderation/giveaway:CREATE"),
+							value: "create"
+						},
+						{
+							label: interaction.translate("moderation/giveaway:REROLL"),
+							value: "reroll"
+						},
+						{
+							label: interaction.translate("moderation/giveaway:DELETE"),
+							value: "delete"
+						},
+						{
+							label: interaction.translate("moderation/giveaway:END"),
+							value: "end"
+						}
+					])
 			);
 
 		const msg = await interaction.reply({
@@ -83,13 +93,13 @@ class Giveaway extends BaseCommand {
 				if (!duration) return i.update({ content: interaction.translate("moderation/giveaway:INVALID_CREATE") });
 				if (ms(duration) > ms("10d")) return i.update({ content: interaction.translate("moderation/giveaway:MAX_DURATION") });
 
-				const winnersCount = interaction.options.getString("winners_count");
+				const winnersCount = interaction.options.getInteger("winners_count");
 				if (!winnersCount) return i.update({ content: interaction.translate("moderation/giveaway:INVALID_CREATE") });
-				if (isNaN(winnersCount) || winnersCount > 10 || winnersCount < 1) return i.update({ content: interaction.translate("misc:INVALID_NUMBER_RANGE", { min: 1, max: 10 }) });
+				if (winnersCount > 10 || winnersCount < 1) return i.update({ content: interaction.translate("misc:INVALID_NUMBER_RANGE", { min: 1, max: 10 }) });
 
 				const prize = interaction.options.getString("prize");
 				if (!prize) return i.update({ content: interaction.translate("moderation/giveaway:INVALID_CREATE") });
-				const isdrop = interaction.options.getString("isdrop");
+				const isdrop = interaction.options.getBoolean("isdrop");
 
 				client.giveawaysManager.start(interaction.channel, {
 					duration: ms(duration),
diff --git a/languages/ru-RU/moderation/giveaway.json b/languages/ru-RU/moderation/giveaway.json
index 19980b20..a15e8793 100644
--- a/languages/ru-RU/moderation/giveaway.json
+++ b/languages/ru-RU/moderation/giveaway.json
@@ -2,6 +2,10 @@
 	"DESCRIPTION": "Управление раздачами",
 	"USAGE": "[create/reroll/delete/end] [время] [кол-во победителей] [приз] (Дроп?)",
 	"EXAMPLES": "giveaway create 1d 2 Discord Нитро!\ngiveaway create 1d 2 true Discord Нитро\ngiveaway reroll 597812898022031374",
+	"CREATE": "Создать",
+	"REROLL": "Заролить снова",
+	"DELETE": "Удалить",
+	"END": "Закончить принудительно",
 	"INVALID_CREATE": "Какой-то из аргументов указан неверно, попробуйте снова!",
 	"GIVEAWAY_ID": "ID сообщения раздачи",
 	"WINNERS_COUNT": "Количество победителей",

From 30dd0bd48e2e32fe42e5a176c6785b40ab97b36f Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Thu, 29 Sep 2022 14:35:18 +0500
Subject: [PATCH 19/47] =?UTF-8?q?=D0=9F=D0=BE=D0=B4=D1=80=D0=BE=D0=B1?=
 =?UTF-8?q?=D0=BD=D0=B0=D1=8F=20=D0=BF=D0=BE=D0=B4=D1=81=D0=BA=D0=B0=D0=B7?=
 =?UTF-8?q?=D0=BA=D0=B0=20=D0=B4=D0=BB=D1=8F=20giveaway?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 languages/ru-RU/common.json | 2 +-
 1 file changed, 1 insertion(+), 1 deletion(-)

diff --git a/languages/ru-RU/common.json b/languages/ru-RU/common.json
index bcfd33e7..28a220d1 100644
--- a/languages/ru-RU/common.json
+++ b/languages/ru-RU/common.json
@@ -45,7 +45,7 @@
 	"VIEWS": "Просмотры",
 	"DEFEAT": "Поражение",
 	"MODERATOR": "Модератор",
-	"DURATION": "Длительность",
+	"DURATION": "Длительность (30s, 5m, 2h, 5d, 1w)",
 	"SERVERS": "Сервера",
 	"PAGE": "Страница",
 	"MESSAGE": "Сообщение",

From 36b157cac5c10f8b76c6e0a42cdc7ce333f5bb0d Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Fri, 30 Sep 2022 23:35:21 +0500
Subject: [PATCH 20/47] =?UTF-8?q?(4.1.6)=20=D0=A1=D0=BC=D0=BE=D1=82=D1=80?=
 =?UTF-8?q?=D0=B8=D1=82=D0=B5=20=D0=B8=D0=B7=D0=BC=D0=B5=D0=BD=D0=B5=D0=BD?=
 =?UTF-8?q?=D0=B8=D1=8F=20=D1=82=D1=83=D1=82=20https://github.com/JonnyBro?=
 =?UTF-8?q?/JaBa-logs?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 commands/Music/loop.js                 | 74 ++++++++------------------
 dashboard/public/docs/updates.md       |  7 +++
 helpers/tictactoe.js                   | 34 ++++++------
 index.js                               |  2 +-
 languages/ru-RU/economy/tictactoe.json | 14 ++---
 languages/ru-RU/music/loop.json        |  6 +--
 package.json                           |  2 +-
 7 files changed, 57 insertions(+), 82 deletions(-)

diff --git a/commands/Music/loop.js b/commands/Music/loop.js
index 7a14fbc5..135ae411 100644
--- a/commands/Music/loop.js
+++ b/commands/Music/loop.js
@@ -1,4 +1,4 @@
-const { SlashCommandBuilder, ActionRowBuilder, SelectMenuBuilder } = require("discord.js"),
+const { SlashCommandBuilder } = require("discord.js"),
 	{ QueueRepeatMode } = require("discord-player-play-dl");
 const BaseCommand = require("../../base/BaseCommand");
 
@@ -11,7 +11,16 @@ class Loop extends BaseCommand {
 		super({
 			command: new SlashCommandBuilder()
 				.setName("loop")
-				.setDescription(client.translate("music/loop:DESCRIPTION")),
+				.setDescription(client.translate("music/loop:DESCRIPTION"))
+				.addStringOption(option => option.setName("option")
+					.setDescription(client.translate("economy/bank:OPTION"))
+					.setRequired(true)
+					.addChoices(
+						{ name: client.translate("music/loop:AUTOPLAY"), value: "3" },
+						{ name: client.translate("music/loop:QUEUE"), value: "2" },
+						{ name: client.translate("music/loop:TRACK"), value: "1" },
+						{ name: client.translate("music/loop:DISABLE"), value: "0" }
+					)),
 			aliases: [],
 			dirname: __dirname,
 			guildOnly: true,
@@ -32,64 +41,23 @@ class Loop extends BaseCommand {
 	 * @param {Object} data
 	 */
 	async execute(client, interaction) {
-		await interaction.deferReply();
-
 		const voice = interaction.member.voice.channel;
 		if (!voice) return interaction.error("music/play:NO_VOICE_CHANNEL", null, { edit: true });
 		const queue = client.player.getQueue(interaction.guildId);
 		if (!queue) return interaction.error("music/play:NOT_PLAYING", null, { edit: true });
 
-		const row = new ActionRowBuilder()
-			.addComponents(
-				new SelectMenuBuilder()
-					.setCustomId("loop_select")
-					.setPlaceholder(client.translate("common:NOTHING_SELECTED"))
-					.addOptions([
-						{
-							label: client.translate("music/loop:AUTOPLAY"),
-							value: "3"
-						},
-						{
-							label: client.translate("music/loop:QUEUE"),
-							value: "2"
-						},
-						{
-							label: client.translate("music/loop:TRACK"),
-							value: "1"
-						},
-						{
-							label: client.translate("music/loop:DISABLE"),
-							value: "0"
-						}
-					])
-			);
+		const type = interaction.options.getString("option");
+		const mode = type === "3" ? QueueRepeatMode.AUTOPLAY :
+			type === "2" ? QueueRepeatMode.QUEUE :
+				type === "1" ? QueueRepeatMode.TRACK : QueueRepeatMode.OFF;
 
-		await interaction.editReply({
-			content: interaction.translate("common:AVAILABLE_OPTIONS"),
-			components: [row]
-		});
+		queue.setRepeatMode(mode);
 
-		const filter = i => i.user.id === interaction.user.id;
-		const collector = interaction.channel.createMessageComponentCollector({ filter, idle: (15 * 1000) });
-
-		collector.on("collect", async i => {
-			if (i.isSelectMenu() && i.customId === "loop_select") {
-				const type = i?.values[0];
-				const mode = type === "3" ? QueueRepeatMode.AUTOPLAY :
-					type === "2" ? QueueRepeatMode.QUEUE :
-						type === "1" ? QueueRepeatMode.TRACK : QueueRepeatMode.OFF;
-
-				queue.setRepeatMode(mode);
-				return interaction.editReply({
-					content: interaction.translate(`music/loop:${
-						type === "3" ? "AUTOPLAY_ENABLED" :
-							type === "2" ? "QUEUE_ENABLED" :
-								type === "1" ? "TRACK_ENABLED" : "LOOP_DISABLED"
-					}`),
-					components: []
-				});
-			}
-		});
+		interaction.success(`music/loop:${
+			type === "3" ? "AUTOPLAY_ENABLED" :
+				type === "2" ? "QUEUE_ENABLED" :
+					type === "1" ? "TRACK_ENABLED" : "LOOP_DISABLED"
+		}`);
 	}
 }
 
diff --git a/dashboard/public/docs/updates.md b/dashboard/public/docs/updates.md
index bc5e8c15..29ea926c 100644
--- a/dashboard/public/docs/updates.md
+++ b/dashboard/public/docs/updates.md
@@ -1,3 +1,10 @@
+### JaBa v4.1.6
+* Изменения
+	* Изменён способ указания типа повтора в *loop*. Теперь вы указываете тип аргументом (подсказки имеются), а не из выпадающего списка в отдельном сообщении. Это одновременно удобно, быстро и меньше кода =)
+
+* Исправления
+	* Фиксы в *tictactoe*.
+
 ### JaBa v4.1.5
 * Изменения
 	* Более подробные сообщения в *remindme*.
diff --git a/helpers/tictactoe.js b/helpers/tictactoe.js
index aecb0f74..6b562efa 100644
--- a/helpers/tictactoe.js
+++ b/helpers/tictactoe.js
@@ -68,7 +68,7 @@ async function tictactoe(interaction, options = {}) {
 
 			const acceptEmbed = new EmbedBuilder()
 				.setTitle(interaction.translate("economy/tictactoe:REQUEST_WAIT", {
-					user: opponent.tag
+					user: opponent.id
 				}))
 				.setAuthor({
 					name: (interaction.user ? interaction.user : interaction.author).tag,
@@ -113,7 +113,7 @@ async function tictactoe(interaction, options = {}) {
 			}
 			const collector = m.createMessageComponentCollector({
 				componentType: ComponentType.Button,
-				time: 30000
+				time: 5000
 			});
 			collector.on("collect", async button => {
 				if (button.user.id !== opponent.id)
@@ -203,7 +203,7 @@ async function tictactoe(interaction, options = {}) {
 							embeds: [
 								epm.setDescription(
 									interaction.translate("economy/tictactoe:WAITING", {
-										user: `<@${Args.userid}>`,
+										user: Args.userid,
 										emoji: client.emojis.cache.get(o_emoji) || "⭕"
 									})
 								)
@@ -214,7 +214,7 @@ async function tictactoe(interaction, options = {}) {
 							embeds: [
 								epm.setDescription(
 									interaction.translate("economy/tictactoe:WAITING", {
-										user: `<@${Args.userid}>`,
+										user: Args.userid,
 										emoji: client.emojis.cache.get(o_emoji) || "⭕"
 									})
 								)
@@ -341,7 +341,7 @@ async function tictactoe(interaction, options = {}) {
 									return m
 										.edit({
 											content: interaction.translate("economy/tictactoe:WON", {
-												winner: `<@${fighters[1]}>`,
+												winner: fighters[1],
 												emoji: client.emojis.cache.get(o_emoji) || "⭕"
 											}),
 											components: buttons,
@@ -349,7 +349,7 @@ async function tictactoe(interaction, options = {}) {
 											embeds: [
 												epm.setDescription(
 													interaction.translate("economy/tictactoe:WON", {
-														winner: `<@${fighters[1]}>`,
+														winner: fighters[1],
 														emoji: client.emojis.cache.get(o_emoji) || "⭕"
 													})
 												)
@@ -362,14 +362,14 @@ async function tictactoe(interaction, options = {}) {
 									return m
 										.edit({
 											content: interaction.translate("economy/tictactoe:WON", {
-												winner: `<@${fighters[1]}>`,
+												winner: fighters[1],
 												emoji: client.emojis.cache.get(o_emoji) || "⭕"
 											}),
 
 											embeds: [
 												epm.setDescription(
 													`${interaction.translate("economy/tictactoe:WON", {
-														winner: `<@${fighters[1]}>`,
+														winner: fighters[1],
 														emoji: client.emojis.cache.get(o_emoji) || "⭕"
 													})}\n\`\`\`\n${Args.a1.emoji
 														.replace(o_emoji, "⭕")
@@ -529,14 +529,14 @@ async function tictactoe(interaction, options = {}) {
 									return m
 										.edit({
 											content: interaction.translate("economy/tictactoe:WON", {
-												winner: `<@${fighters[1]}>`,
+												winner: fighters[1],
 												emoji: client.emojis.cache.get(o_emoji) || "⭕"
 											}),
 											components: buttons,
 											embeds: [
 												epm.setDescription(
 													interaction.translate("economy/tictactoe:WON", {
-														winner: `<@${fighters[1]}>`,
+														winner: fighters[1],
 														emoji: client.emojis.cache.get(o_emoji) || "⭕"
 													})
 												)
@@ -549,13 +549,13 @@ async function tictactoe(interaction, options = {}) {
 									return m
 										.edit({
 											content: interaction.translate("economy/tictactoe:WON", {
-												winner: `<@${fighters[1]}>`,
+												winner: fighters[1],
 												emoji: client.emojis.cache.get(o_emoji) || "⭕"
 											}),
 											embeds: [
 												epm.setDescription(
 													`${interaction.translate("economy/tictactoe:WON", {
-														winner: `<@${fighters[1]}>`,
+														winner: fighters[1],
 														emoji: client.emojis.cache.get(o_emoji) || "⭕"
 													})}\n\`\`\`\n${Args.a1.emoji
 														.replace(o_emoji, "⭕")
@@ -661,7 +661,7 @@ async function tictactoe(interaction, options = {}) {
 							embeds: [
 								epm.setDescription(
 									interaction.translate("economy/tictactoe:WAITING", {
-										user: `<@${Args.userid}>`,
+										user: Args.userid,
 										emoji: Args.user == 0 ? `${client.emojis.cache.get(o_emoji) || "⭕"}` : `${client.emojis.cache.get(x_emoji) || "❌"}`
 									})
 								)
@@ -672,7 +672,7 @@ async function tictactoe(interaction, options = {}) {
 						const collector = m.createMessageComponentCollector({
 							componentType: ComponentType.Button,
 							max: 1,
-							time: 30000
+							time: 5000
 						});
 
 						collector.on("collect", b => {
@@ -826,7 +826,7 @@ async function tictactoe(interaction, options = {}) {
 							if (collected.size === 0 && reason == "time")
 								m.edit({
 									content: interaction.translate("economy/tictactoe:NO_ANSWER", {
-										user: `<@${Args.userid}>`
+										user: Args.userid
 									}),
 									components: []
 								});
@@ -847,7 +847,7 @@ async function tictactoe(interaction, options = {}) {
 						.setFooter(foot)
 						.setTimestamp()
 						.setDescription(interaction.translate("economy/tictactoe:TIMES_UP"));
-					m.edit({
+					m.interaction.editReply({
 						content: interaction.translate("economy/tictactoe:NOT_ANSWERED", {
 							user: opponent.id
 						}),
@@ -868,7 +868,7 @@ async function tictactoe(interaction, options = {}) {
 						.setDescription(interaction.translate("economy/tictactoe:CANCELED_DESC", {
 							user: opponent.id
 						}));
-					m.edit({
+					m.interaction.editReply({
 						embeds: [embed],
 						components: []
 					});
diff --git a/index.js b/index.js
index 58a307f4..daf380b5 100644
--- a/index.js
+++ b/index.js
@@ -20,4 +20,4 @@ client.on("disconnect", () => client.logger.log("Bot is disconnecting...", "warn
 	.on("reconnecting", () => client.logger.log("Bot reconnecting...", "warn"))
 	.on("warn", warn => client.logger.log(warn, "warn"))
 	.on("error", e => client.logger.log(`${e.message}\n${e.stack}`, "error"));
-process.on("unhandledRejection", e => console.error(e));
\ No newline at end of file
+process.on("unhandledRejection", e => client.logger.log(e, "error"));
\ No newline at end of file
diff --git a/languages/ru-RU/economy/tictactoe.json b/languages/ru-RU/economy/tictactoe.json
index 10f5a489..09645ec2 100644
--- a/languages/ru-RU/economy/tictactoe.json
+++ b/languages/ru-RU/economy/tictactoe.json
@@ -5,17 +5,17 @@
 	"BOT_USER": "Вы не можете играть против бота!",
 	"YOURSELF": "Вы не можете играть с самим собой!",
 	"INVITE_USER": "<@{{opponent}}>, вам предложили сыграть в крестики-нолики!",
-	"REQUEST_SEND": "Запрос отправлен {{opponent}}",
-	"REQUEST_WAIT": "Ожидаю ответа {{user}}",
-	"WAITING": "Ожидаю ход | {{user}}, Ваш эмодзи: {{emoji}}",
-	"WON": "{{winner}} ({{emoji}}) выиграл!",
+	"REQUEST_SEND": "Запрос отправлен <@{{opponent}}>",
+	"REQUEST_WAIT": "Ожидаю ответа <@{{user}}>",
+	"WAITING": "Ожидаю ход | <@{{user}}>, Ваш эмодзи: {{emoji}}",
+	"WON": "<@{{winner}}> ({{emoji}}) выиграл!",
 	"CANT_PLAY": "Сейчас не ваш ход!",
 	"TIE": "Ничья",
 	"TIE_DESC": "Никто не выиграл!",
-	"NO_ANSWER": "{{user}} не ответил вовремя!",
+	"NO_ANSWER": "<@{{user}}> не ответил вовремя!",
 	"NO_ANSWER_TITLE": "Запрос не принят вовремя",
-	"NOT_ANSWERED": "{{user}} не принял запрос!",
+	"NOT_ANSWERED": "<@{{user}}> не принял запрос!",
 	"CANCELED": "Игра отменена!",
-	"CANCELED_DESC": "{{user}} отказался от игры!",
+	"CANCELED_DESC": "<@{{user}}> отказался от игры!",
 	"TIMES_UP": "Время вышло! Лимит: 30 секунд"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/music/loop.json b/languages/ru-RU/music/loop.json
index 2aca537e..3ad84400 100644
--- a/languages/ru-RU/music/loop.json
+++ b/languages/ru-RU/music/loop.json
@@ -7,7 +7,7 @@
 	"TRACK": "Текущий трек",
 	"DISABLE": "Отключить",
 	"AUTOPLAY_ENABLED": "Автовоспроизведение **включено**",
-	"QUEUE_ENABLED": "Повтор очереди **включён**!",
-	"TRACK_ENABLED": "Повтор текущего трека **включён**!",
-	"LOOP_DISABLED": "Повтор **отключён**!"
+	"QUEUE_ENABLED": "Повтор очереди **включён**",
+	"TRACK_ENABLED": "Повтор текущего трека **включён**",
+	"LOOP_DISABLED": "Повтор **отключён**"
 }
\ No newline at end of file
diff --git a/package.json b/package.json
index 2d880c2f..98608e10 100644
--- a/package.json
+++ b/package.json
@@ -1,6 +1,6 @@
 {
     "name": "jaba",
-    "version": "4.1.5",
+    "version": "4.1.6",
     "description": "My Discord Bot",
     "main": "index.js",
     "private": true,

From fe2e598c7b820bb665286404397831f129e1a8c7 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Sat, 1 Oct 2022 13:34:29 +0500
Subject: [PATCH 21/47] =?UTF-8?q?=D0=9E=D1=88=D0=B8=D0=B1=D0=BA=D0=B8=20?=
 =?UTF-8?q?=D0=BD=D0=B5=20=D0=BF=D0=BE=D0=BB=D0=BD=D0=BE=D1=81=D1=82=D1=8C?=
 =?UTF-8?q?=D1=8E=20=D0=BF=D0=B8=D1=81=D0=B0=D0=BB=D0=B8=D1=81=D1=8C?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 index.js | 2 +-
 1 file changed, 1 insertion(+), 1 deletion(-)

diff --git a/index.js b/index.js
index daf380b5..048e7340 100644
--- a/index.js
+++ b/index.js
@@ -20,4 +20,4 @@ client.on("disconnect", () => client.logger.log("Bot is disconnecting...", "warn
 	.on("reconnecting", () => client.logger.log("Bot reconnecting...", "warn"))
 	.on("warn", warn => client.logger.log(warn, "warn"))
 	.on("error", e => client.logger.log(`${e.message}\n${e.stack}`, "error"));
-process.on("unhandledRejection", e => client.logger.log(e, "error"));
\ No newline at end of file
+process.on("unhandledRejection", e => console.log(e));
\ No newline at end of file

From 60ec94558a4f202202c49a44c469998e0800079d Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Sun, 2 Oct 2022 21:44:53 +0500
Subject: [PATCH 22/47] =?UTF-8?q?(4.1.7)=20=D0=92=D0=BE=D0=B7=D0=B2=D1=80?=
 =?UTF-8?q?=D0=B0=D1=89=D0=B5=D0=BD=D0=B0=20=D0=BA=D0=BE=D0=BC=D0=B0=D0=BD?=
 =?UTF-8?q?=D0=B4=D0=B0=20leaderboard?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 .../Economy}/leaderboard.js                   | 63 +++++++++++--------
 commands/Economy/money.js                     |  1 +
 commands/Economy/profile.js                   |  1 +
 package.json                                  |  2 +-
 4 files changed, 40 insertions(+), 27 deletions(-)
 rename {TO REWRITE => commands/Economy}/leaderboard.js (80%)

diff --git a/TO REWRITE/leaderboard.js b/commands/Economy/leaderboard.js
similarity index 80%
rename from TO REWRITE/leaderboard.js
rename to commands/Economy/leaderboard.js
index 932efaad..2ca4995b 100644
--- a/TO REWRITE/leaderboard.js	
+++ b/commands/Economy/leaderboard.js
@@ -1,6 +1,14 @@
 const { SlashCommandBuilder, EmbedBuilder } = require("discord.js");
 const BaseCommand = require("../../base/BaseCommand");
 
+const asyncForEach = async (collection, callback) => {
+	const allPromises = collection.map(async key => {
+		await callback(key);
+	});
+
+	return await Promise.all(allPromises);
+};
+
 class Leaderboard extends BaseCommand {
 	/**
 	 *
@@ -40,6 +48,7 @@ class Leaderboard extends BaseCommand {
 	 */
 	async execute(client, interaction) {
 		await interaction.deferReply();
+
 		const type = interaction.options.getString("type");
 		const isOnMobile = JSON.stringify(Object.keys(interaction.member.presence.clientStatus)) === JSON.stringify(["mobile"]);
 		if (isOnMobile) interaction.followUp({
@@ -48,15 +57,16 @@ class Leaderboard extends BaseCommand {
 		});
 
 		if (type === "money") {
-			const members = await client.membersData.find({
-					guildID: interaction.guildId
-				}).lean(),
-				membersLeaderboard = members.map(m => {
-					return {
-						id: m.id,
-						money: m.money + m.bankSold
-					};
-				}).sort((a, b) => b.money - a.money);
+			const membersLeaderboard = [],
+				membersData = await client.membersData.find({ guildID: interaction.guildId }).lean();
+
+			await asyncForEach(membersData, async member => {
+				membersLeaderboard.push({
+					id: member.id,
+					money: member.money + member.bankSold
+				});
+			});
+			membersLeaderboard.sort((a, b) => b.money - a.money);
 			if (membersLeaderboard.length > 20) membersLeaderboard.length = 20;
 
 			let userNames = "";
@@ -91,14 +101,14 @@ class Leaderboard extends BaseCommand {
 				embeds: [embed]
 			});
 		} else if (type === "level") {
-			const membersLeaderboard = [];
-			client.membersData.find({
-				guildID: interaction.guildId
-			}).lean().then(async m => {
-				await membersLeaderboard.push({
-					id: m.id,
-					level: m.level,
-					xp: m.exp
+			const membersLeaderboard = [],
+				membersData = await client.membersData.find({ guildID: interaction.guildId }).lean();
+
+			await asyncForEach(membersData, async member => {
+				membersLeaderboard.push({
+					id: member.id,
+					level: member.level,
+					xp: member.exp
 				});
 			});
 			membersLeaderboard.sort((a, b) => b.level - a.level);
@@ -146,15 +156,16 @@ class Leaderboard extends BaseCommand {
 				embeds: [embed]
 			});
 		} else if (type === "rep") {
-			const users = await client.usersData.find({
-					rep: { $gt: 0 }
-				}).lean(),
-				usersLeaderboard = users.map(u => {
-					return {
-						id: u.id,
-						rep: u.rep
-					};
-				}).sort((a, b) => b.rep - a.rep);
+			const usersLeaderboard = [],
+				usersData = await client.usersData.find({ rep: { $gt: 0 } }).lean();
+
+			await asyncForEach(usersData, async user => {
+				usersLeaderboard.push({
+					id: user.id,
+					rep: user.rep
+				});
+			});
+			usersLeaderboard.sort((a, b) => b.rep - a.rep);
 			if (usersLeaderboard.length > 20) usersLeaderboard.length = 20;
 
 			let userNames = "";
diff --git a/commands/Economy/money.js b/commands/Economy/money.js
index 728ec1bd..de97d0d0 100644
--- a/commands/Economy/money.js
+++ b/commands/Economy/money.js
@@ -1,5 +1,6 @@
 const { SlashCommandBuilder, EmbedBuilder } = require("discord.js");
 const BaseCommand = require("../../base/BaseCommand");
+
 const asyncForEach = async (collection, callback) => {
 	const allPromises = collection.map(async key => {
 		await callback(key);
diff --git a/commands/Economy/profile.js b/commands/Economy/profile.js
index 392d5ee2..3dbb9e70 100644
--- a/commands/Economy/profile.js
+++ b/commands/Economy/profile.js
@@ -1,5 +1,6 @@
 const { SlashCommandBuilder, EmbedBuilder } = require("discord.js");
 const BaseCommand = require("../../base/BaseCommand");
+
 const asyncForEach = async (collection, callback) => {
 	const allPromises = collection.map(async key => {
 		await callback(key);
diff --git a/package.json b/package.json
index 98608e10..971149d5 100644
--- a/package.json
+++ b/package.json
@@ -1,6 +1,6 @@
 {
     "name": "jaba",
-    "version": "4.1.6",
+    "version": "4.1.7",
     "description": "My Discord Bot",
     "main": "index.js",
     "private": true,

From 40ac751f763739fd36ba47509182e5217e3e156c Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Sun, 2 Oct 2022 23:40:05 +0500
Subject: [PATCH 23/47] (4.1.8) https://github.com/JonnyBro/JaBa-logs

---
 commands/Economy/leaderboard.js               |  15 +-
 commands/Fun/8ball.js                         |  20 +-
 commands/Fun/lmgtfy.js                        |  34 ++-
 commands/General/shorturl.js                  |   2 +-
 commands/Moderation/giveaway.js               | 264 +++++++-----------
 commands/Owner/debug.js                       |   2 +-
 dashboard/public/docs/updates.md              |  15 +
 languages/ru-RU/administration/automod.json   |   4 +-
 languages/ru-RU/administration/autorole.json  |   4 +-
 languages/ru-RU/administration/deletemod.json |   4 +-
 languages/ru-RU/administration/goodbye.json   |   4 +-
 languages/ru-RU/administration/set.json       |   4 +-
 .../ru-RU/administration/setbirthdays.json    |   4 +-
 languages/ru-RU/administration/setlang.json   |   4 +-
 .../ru-RU/administration/setmodlogs.json      |   4 +-
 languages/ru-RU/administration/setnews.json   |   4 +-
 .../ru-RU/administration/setreports.json      |   4 +-
 .../ru-RU/administration/setsuggests.json     |   4 +-
 .../ru-RU/administration/stealemoji.json      |   6 +-
 languages/ru-RU/administration/welcome.json   |   4 +-
 languages/ru-RU/common.json                   | 110 ++++----
 languages/ru-RU/dashboard.json                |  52 ++--
 languages/ru-RU/economy/achievements.json     |   4 +-
 languages/ru-RU/economy/bank.json             |   4 +-
 languages/ru-RU/economy/birthdate.json        |   4 +-
 languages/ru-RU/economy/leaderboard.json      |   7 +-
 languages/ru-RU/economy/marry.json            |   4 +-
 languages/ru-RU/economy/money.json            |   4 +-
 languages/ru-RU/economy/pay.json              |   4 +-
 languages/ru-RU/economy/profile.json          |   4 +-
 languages/ru-RU/economy/rep.json              |   4 +-
 languages/ru-RU/economy/rob.json              |   4 +-
 languages/ru-RU/economy/setbio.json           |   4 +-
 languages/ru-RU/economy/slots.json            |   4 +-
 languages/ru-RU/economy/tictactoe.json        |   4 +-
 languages/ru-RU/economy/transactions.json     |   6 +-
 languages/ru-RU/fun/8ball.json                |   7 +-
 languages/ru-RU/fun/lmgtfy.json               |   5 +-
 languages/ru-RU/fun/lovecalc.json             |   4 +-
 languages/ru-RU/general/afk.json              |   4 +-
 languages/ru-RU/general/avatar.json           |   4 +-
 languages/ru-RU/general/emoji.json            |   4 +-
 languages/ru-RU/general/help.json             |   4 +-
 languages/ru-RU/general/minecraft.json        |   2 +-
 languages/ru-RU/general/remindme.json         |   4 +-
 languages/ru-RU/general/report.json           |   4 +-
 languages/ru-RU/general/shorturl.json         |   4 +-
 languages/ru-RU/general/suggest.json          |   4 +-
 languages/ru-RU/general/userinfo.json         |   4 +-
 languages/ru-RU/general/whois.json            |   2 +-
 languages/ru-RU/misc.json                     |  20 +-
 languages/ru-RU/moderation/clear.json         |   4 +-
 languages/ru-RU/moderation/clearwarns.json    |   4 +-
 languages/ru-RU/moderation/giveaway.json      |  26 +-
 languages/ru-RU/moderation/poll.json          |   4 +-
 languages/ru-RU/moderation/unban.json         |   4 +-
 languages/ru-RU/moderation/warn.json          |   4 +-
 languages/ru-RU/moderation/warns.json         |   4 +-
 languages/ru-RU/music/play.json               |   4 +-
 languages/ru-RU/music/seek.json               |   4 +-
 languages/ru-RU/music/skipto.json             |   4 +-
 languages/ru-RU/owner/announcement.json       |   4 +-
 languages/ru-RU/owner/debug.json              |   4 +-
 languages/ru-RU/owner/eval.json               |   6 +-
 languages/ru-RU/owner/reload.json             |   4 +-
 languages/ru-RU/owner/say.json                |   4 +-
 languages/uk-UA/moderation/giveaway.json      |   2 +-
 package.json                                  |   2 +-
 68 files changed, 380 insertions(+), 413 deletions(-)

diff --git a/commands/Economy/leaderboard.js b/commands/Economy/leaderboard.js
index 2ca4995b..40bde59a 100644
--- a/commands/Economy/leaderboard.js
+++ b/commands/Economy/leaderboard.js
@@ -73,9 +73,8 @@ class Leaderboard extends BaseCommand {
 			let money = "";
 			for (let i = 0; i < membersLeaderboard.length; i++) {
 				const data = membersLeaderboard[i];
-				const user = await client.users.fetch(data.id);
 
-				userNames += `**${i + 1}**. ${user}\n`;
+				userNames += `**${i + 1}**. <@${data.id}>\n`;
 				money += `${data.money}\n`;
 			}
 
@@ -88,7 +87,7 @@ class Leaderboard extends BaseCommand {
 				})
 				.setColor(client.config.embed.color)
 				.addFields({
-					name: interaction.translate("economy/leaderboard:TOP"),
+					name: interaction.translate("common:USER"),
 					value: userNames,
 					inline: true
 				}, {
@@ -119,9 +118,8 @@ class Leaderboard extends BaseCommand {
 			const xp = [];
 			for (let i = 0; i < membersLeaderboard.length; i++) {
 				const data = membersLeaderboard[i];
-				const user = await client.users.fetch(data.id);
 
-				userNames.push(`**${i + 1}**. ${user.tag}`);
+				userNames.push(`**${i + 1}**. <@${data.id}>`);
 				level.push(`${data.level}`);
 				xp.push(`${data.xp} / ${5 * (data.level * data.level) + 80 * data.level + 100}`);
 			}
@@ -136,7 +134,7 @@ class Leaderboard extends BaseCommand {
 				.setColor(client.config.embed.color)
 				.addFields([
 					{
-						name: interaction.translate("economy/leaderboard:TOP"),
+						name: interaction.translate("common:USER"),
 						value: userNames.join("\n"),
 						inline: true
 					},
@@ -172,9 +170,8 @@ class Leaderboard extends BaseCommand {
 			let rep = "";
 			for (let i = 0; i < usersLeaderboard.length; i++) {
 				const data = usersLeaderboard[i];
-				const user = await client.users.fetch(data.id);
 
-				userNames += `**${i + 1}**. ${user}\n`;
+				userNames += `**${i + 1}**. <@${data.id}>\n`;
 				rep += `${data.rep}\n`;
 			}
 
@@ -187,7 +184,7 @@ class Leaderboard extends BaseCommand {
 				})
 				.setColor(client.config.embed.color)
 				.addFields({
-					name: interaction.translate("economy/leaderboard:TOP"),
+					name: interaction.translate("common:USER"),
 					value: userNames,
 					inline: true
 				}, {
diff --git a/commands/Fun/8ball.js b/commands/Fun/8ball.js
index 771170c8..dc56c3fb 100644
--- a/commands/Fun/8ball.js
+++ b/commands/Fun/8ball.js
@@ -11,10 +11,9 @@ class Eightball extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("8ball")
 				.setDescription(client.translate("fun/8ball:DESCRIPTION"))
-				.addStringOption(option =>
-					option.setName("question")
-						.setDescription(client.translate("fun/8ball:QUESTION"))
-						.setRequired(true)),
+				.addStringOption(option => option.setName("question")
+					.setDescription(client.translate("fun/8ball:QUESTION"))
+					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
 			guildOnly: true,
@@ -36,17 +35,18 @@ class Eightball extends BaseCommand {
 	 */
 	async execute(client, interaction) {
 		await interaction.deferReply();
-		const question = interaction.options.getString("question");
 
-		if (!question.endsWith("?")) return interaction.replyT("fun/8ball:ERR_QUESTION", null, { ephemeral: true });
+		const question = interaction.options.getString("question");
+		if (!question.endsWith("?")) return interaction.error("fun/8ball:ERR_QUESTION", null, { ephemeral: true });
 
 		const answerN = client.functions.randomNum(1, 20);
 		const answer = interaction.translate(`fun/8ball:RESPONSE_${answerN}`);
-		await client.wait(2000);
+		await client.wait(5000);
 
-		interaction.editReply({
-			content: answer
-		});
+		interaction.replyT("fun/8ball:ANSWER", {
+			question,
+			answer
+		}, { edit: true });
 	}
 }
 
diff --git a/commands/Fun/lmgtfy.js b/commands/Fun/lmgtfy.js
index c84edeaa..3d8580c8 100644
--- a/commands/Fun/lmgtfy.js
+++ b/commands/Fun/lmgtfy.js
@@ -1,5 +1,6 @@
 const { SlashCommandBuilder } = require("discord.js");
-const BaseCommand = require("../../base/BaseCommand");
+const BaseCommand = require("../../base/BaseCommand"),
+	fetch = require("node-fetch");
 
 class LMGTFY extends BaseCommand {
 	/**
@@ -11,10 +12,12 @@ class LMGTFY extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("lmgtfy")
 				.setDescription(client.translate("fun/lmgtfy:DESCRIPTION"))
-				.addStringOption(option =>
-					option.setName("question")
-						.setDescription(client.translate("fun/8ball:QUESTION"))
-						.setRequired(true)),
+				.addStringOption(option => option.setName("query")
+					.setDescription(client.translate("fun/lmgtfy:QUERY"))
+					.setRequired(true))
+				.addBooleanOption(option => option.setName("short")
+					.setDescription(client.translate("fun/lmgtfy:SHORT"))
+					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
 			guildOnly: true,
@@ -35,12 +38,23 @@ class LMGTFY extends BaseCommand {
 	 * @param {Object} data
 	 */
 	async execute(client, interaction) {
-		const question = interaction.options.getString("question").replace(/[' '_]/g, "+");
+		const query = interaction.options.getString("query").replace(/[' '_]/g, "+"),
+			short = interaction.options.getBoolean("short"),
+			url = `https://letmegooglethat.com/?q=${query}`;
 
-		interaction.reply({
-			content: `<https://letmegooglethat.com/?q=${question}>`,
-			ephemeral: true
-		});
+		if (short) {
+			const res = await fetch(`https://is.gd/create.php?format=simple&url=${encodeURIComponent(url)}`).then(res => res.text());
+
+			interaction.reply({
+				content: `<${res}>`,
+				ephemeral: true
+			});
+		} else {
+			interaction.reply({
+				content: `<${url}>`,
+				ephemeral: true
+			});
+		}
 	}
 }
 
diff --git a/commands/General/shorturl.js b/commands/General/shorturl.js
index 3dd724b5..7de1468e 100644
--- a/commands/General/shorturl.js
+++ b/commands/General/shorturl.js
@@ -36,7 +36,7 @@ class Shorturl extends BaseCommand {
 	 */
 	async execute(client, interaction) {
 		const url = interaction.options.getString("url");
-		const res = await fetch(`https://is.gd/create.php?format=simple&url=${encodeURI(url)}`).then(res => res.text());
+		const res = await fetch(`https://is.gd/create.php?format=simple&url=${encodeURIComponent(url)}`).then(res => res.text());
 
 		interaction.reply({
 			content: `<${res}>`,
diff --git a/commands/Moderation/giveaway.js b/commands/Moderation/giveaway.js
index 0fd1c13d..856da26e 100644
--- a/commands/Moderation/giveaway.js
+++ b/commands/Moderation/giveaway.js
@@ -1,4 +1,4 @@
-const { SlashCommandBuilder, ActionRowBuilder, SelectMenuBuilder, InteractionCollector, ComponentType, PermissionFlagsBits } = require("discord.js");
+const { SlashCommandBuilder, PermissionFlagsBits } = require("discord.js");
 const BaseCommand = require("../../base/BaseCommand"),
 	ms = require("ms");
 
@@ -13,16 +13,39 @@ class Giveaway extends BaseCommand {
 				.setName("giveaway")
 				.setDescription(client.translate("moderation/giveaway:DESCRIPTION"))
 				.setDefaultMemberPermissions(PermissionFlagsBits.ModerateMembers && PermissionFlagsBits.ManageMessages)
-				.addStringOption(option => option.setName("giveaway_id")
-					.setDescription(client.translate("moderation/giveaway:GIVEAWAY_ID")))
-				.addStringOption(option => option.setName("duration")
-					.setDescription(client.translate("common:DURATION")))
-				.addIntegerOption(option => option.setName("winners_count")
-					.setDescription(client.translate("moderation/giveaway:WINNERS_COUNT")))
-				.addStringOption(option => option.setName("prize")
-					.setDescription(client.translate("moderation/giveaway:PRIZE")))
-				.addBooleanOption(option => option.setName("isdrop")
-					.setDescription(client.translate("moderation/giveaway:ISDROP"))),
+				.addSubcommand(subcommand => subcommand.setName("create")
+					.setDescription(client.translate("moderation/giveaway:CREATE"))
+					.addStringOption(option => option.setName("duration")
+						.setDescription(client.translate("common:DURATION"))
+						.setRequired(true))
+					.addIntegerOption(option => option.setName("winners_count")
+						.setDescription(client.translate("moderation/giveaway:WINNERS_COUNT"))
+						.setRequired(true))
+					.addStringOption(option => option.setName("prize")
+						.setDescription(client.translate("moderation/giveaway:PRIZE"))
+						.setRequired(true))
+					.addBooleanOption(option => option.setName("isdrop")
+						.setDescription(client.translate("moderation/giveaway:ISDROP"))
+						.setRequired(true))
+				)
+				.addSubcommand(subcommand => subcommand.setName("reroll")
+					.setDescription(client.translate("moderation/giveaway:REROLL"))
+					.addStringOption(option => option.setName("giveaway_id")
+						.setDescription(client.translate("moderation/giveaway:GIVEAWAY_ID"))
+						.setRequired(true))
+				)
+				.addSubcommand(subcommand => subcommand.setName("end")
+					.setDescription(client.translate("moderation/giveaway:END"))
+					.addStringOption(option => option.setName("giveaway_id")
+						.setDescription(client.translate("moderation/giveaway:GIVEAWAY_ID"))
+						.setRequired(true))
+				)
+				.addSubcommand(subcommand => subcommand.setName("delete")
+					.setDescription(client.translate("moderation/giveaway:DELETE"))
+					.addStringOption(option => option.setName("giveaway_id")
+						.setDescription(client.translate("moderation/giveaway:GIVEAWAY_ID"))
+						.setRequired(true))
+				),
 			aliases: [],
 			dirname: __dirname,
 			guildOnly: true
@@ -42,164 +65,81 @@ class Giveaway extends BaseCommand {
 	 * @param {Object} data
 	 */
 	async execute(client, interaction) {
-		const row = new ActionRowBuilder()
-			.addComponents(
-				new SelectMenuBuilder()
-					.setCustomId("giveaway_select")
-					.setPlaceholder(client.translate("common:NOTHING_SELECTED"))
-					.addOptions([
-						{
-							label: interaction.translate("moderation/giveaway:CREATE"),
-							value: "create"
-						},
-						{
-							label: interaction.translate("moderation/giveaway:REROLL"),
-							value: "reroll"
-						},
-						{
-							label: interaction.translate("moderation/giveaway:DELETE"),
-							value: "delete"
-						},
-						{
-							label: interaction.translate("moderation/giveaway:END"),
-							value: "end"
-						}
-					])
-			);
+		const command = interaction.options.getSubcommand();
 
-		const msg = await interaction.reply({
-			content: interaction.translate("common:AVAILABLE_OPTIONS"),
-			components: [row],
-			ephemeral: true,
-			fetchReply: true
-		});
+		if (command === "create") {
+			const currentGiveaways = client.giveawaysManager.giveaways.filter(g => g.guildId === interaction.guildId && !g.ended).length;
+			if (currentGiveaways > 5) return interaction.error("moderation/giveaway:MAX_COUNT");
 
-		const filter = i => i.customId === "giveaway_select" && i.user.id === interaction.user.id;
-		const collector = new InteractionCollector(client, {
-			filter,
-			componentType: ComponentType.SelectMenu,
-			message: msg,
-			idle: (30 * 1000)
-		});
+			const duration = interaction.options.getString("duration");
+			if (ms(duration) > ms("10d")) return interaction.error("moderation/giveaway:MAX_DURATION");
 
-		collector.on("collect", async i => {
-			const option = i?.values[0];
+			const winnersCount = interaction.options.getInteger("winners_count");
+			if (winnersCount > 10 || winnersCount < 1) return interaction.error("misc:INVALID_NUMBER_RANGE", { min: 1, max: 10 });
 
-			if (option === "create") {
-				const currentGiveaways = client.giveawaysManager.giveaways.filter(g => g.guildId === interaction.guild.id && !g.ended).length;
-				if (currentGiveaways > 5) return i.update({ content: interaction.translate("moderation/giveaway:MAX_COUNT") });
+			const prize = interaction.options.getString("prize");
+			const isdrop = interaction.options.getBoolean("isdrop");
 
-				const duration = interaction.options.getString("duration");
-				if (!duration) return i.update({ content: interaction.translate("moderation/giveaway:INVALID_CREATE") });
-				if (ms(duration) > ms("10d")) return i.update({ content: interaction.translate("moderation/giveaway:MAX_DURATION") });
-
-				const winnersCount = interaction.options.getInteger("winners_count");
-				if (!winnersCount) return i.update({ content: interaction.translate("moderation/giveaway:INVALID_CREATE") });
-				if (winnersCount > 10 || winnersCount < 1) return i.update({ content: interaction.translate("misc:INVALID_NUMBER_RANGE", { min: 1, max: 10 }) });
-
-				const prize = interaction.options.getString("prize");
-				if (!prize) return i.update({ content: interaction.translate("moderation/giveaway:INVALID_CREATE") });
-				const isdrop = interaction.options.getBoolean("isdrop");
-
-				client.giveawaysManager.start(interaction.channel, {
-					duration: ms(duration),
-					winnerCount: winnersCount,
-					prize: prize,
-					hostedBy: interaction.user,
-					isDrop: isdrop,
-					messages: {
-						giveaway: interaction.translate("moderation/giveaway:TITLE"),
-						giveawayEnded: interaction.translate("moderation/giveaway:ENDED"),
-						timeRemaining: interaction.translate("moderation/giveaway:TIME_REMAINING"),
-						inviteToParticipate: interaction.translate("moderation/giveaway:INVITE_PARTICIPATE"),
-						winMessage: interaction.translate("moderation/giveaway:WIN_MESSAGE"),
-						drawing: interaction.translate("moderation/giveaway:DRAWING"),
-						dropMessage: interaction.translate("moderation/giveaway:DROP"),
-						embedFooter: interaction.translate("moderation/giveaway:FOOTER"),
-						noWinner: interaction.translate("moderation/giveaway:NO_WINNER"),
-						winners: interaction.translate("moderation/giveaway:WINNERS"),
-						endedAt: interaction.translate("moderation/giveaway:END_AT"),
-						hostedBy: interaction.translate("moderation/giveaway:HOSTEDBY"),
-						// units: {
-						// 	seconds: interaction.translate("time:SECONDS", {
-						// 		amount: ""
-						// 	}).trim(),
-						// 	minutes: interaction.translate("time:MINUTES", {
-						// 		amount: ""
-						// 	}).trim(),
-						// 	hours: interaction.translate("time:HOURS", {
-						// 		amount: ""
-						// 	}).trim(),
-						// 	days: interaction.translate("time:DAYS", {
-						// 		amount: ""
-						// 	}).trim()
-						// }
-					}
-				}).then(() => {
-					return i.update({
-						content: interaction.translate("moderation/giveaway:GIVEAWAY_CREATED"),
-						components: []
-					});
-				});
-			} else if (option === "reroll") {
-				const giveaway_id = interaction.options.getString("giveaway_id");
-				if (!giveaway_id) return i.update({ content: interaction.translate("moderation/giveaway:MISSING_ID"), components: [] });
-
-				client.giveawaysManager.reroll(giveaway_id, {
-					messages: {
-						congrat: interaction.translate("moderation/giveaway:REROLL_CONGRAT"),
-						error: interaction.translate("moderation/giveaway:REROLL_ERROR")
-					}
-				}).then(() => {
-					return i.update({
-						content: interaction.translate("moderation/giveaway:GIVEAWAY_REROLLED"),
-						components: []
-					});
-				}).catch(() => {
-					return i.update({
-						content: interaction.translate("moderation/giveaway:NOT_FOUND_ENDED", {
-							messageId: giveaway_id
-						}),
-						components: []
-					});
-				});
-			} else if (option === "delete") {
-				const giveaway_id = interaction.options.getString("giveaway_id");
-				if (!giveaway_id) return i.update({ content: interaction.translate("moderation/giveaway:MISSING_ID"), components: [] });
-
-				client.giveawaysManager.delete(giveaway_id).then(() => {
-					return i.update({
-						content: interaction.translate("moderation/giveaway:GIVEAWAY_DELETED"),
-						components: []
-					});
-				}).catch(() => {
-					return i.update({
-						content: interaction.translate("moderation/giveaway:NOT_FOUND", {
-							messageId: giveaway_id
-						}),
-						components: []
-					});
-				});
-			} else if (option === "end") {
-				const giveaway_id = interaction.options.getString("giveaway_id");
-				if (!giveaway_id) return i.update({ content: interaction.translate("moderation/giveaway:MISSING_ID"), components: [] });
-
-				try {
-					client.giveawaysManager.end(giveaway_id);
-					return i.update({
-						content: interaction.translate("moderation/giveaway:GIVEAWAY_ENDED"),
-						components: []
-					});
-				} catch (e) {
-					return i.update({
-						content: interaction.translate("moderation/giveaway:NOT_FOUND", {
-							messageId: giveaway_id
-						}),
-						components: []
-					});
+			client.giveawaysManager.start(interaction.channel, {
+				duration: ms(duration),
+				winnerCount: winnersCount,
+				prize: prize,
+				hostedBy: interaction.user,
+				isDrop: isdrop,
+				messages: {
+					giveaway: interaction.translate("moderation/giveaway:TITLE"),
+					giveawayEnded: interaction.translate("moderation/giveaway:ENDED"),
+					timeRemaining: interaction.translate("moderation/giveaway:TIME_REMAINING"),
+					inviteToParticipate: interaction.translate("moderation/giveaway:INVITE_PARTICIPATE"),
+					winMessage: interaction.translate("moderation/giveaway:WIN_MESSAGE"),
+					drawing: interaction.translate("moderation/giveaway:DRAWING"),
+					dropMessage: interaction.translate("moderation/giveaway:DROP"),
+					embedFooter: interaction.translate("moderation/giveaway:FOOTER"),
+					noWinner: interaction.translate("moderation/giveaway:NO_WINNER"),
+					winners: interaction.translate("moderation/giveaway:WINNERS"),
+					endedAt: interaction.translate("moderation/giveaway:END_AT"),
+					hostedBy: interaction.translate("moderation/giveaway:HOSTED_BY")
 				}
+			}).then(() => {
+				return interaction.success("moderation/giveaway:GIVEAWAY_CREATED", null, { ephemeral: true });
+			});
+		} else if (command === "reroll") {
+			const giveaway_id = interaction.options.getString("giveaway_id");
+
+			client.giveawaysManager.reroll(giveaway_id, {
+				messages: {
+					congrat: interaction.translate("moderation/giveaway:REROLL_CONGRAT"),
+					error: interaction.translate("moderation/giveaway:REROLL_ERROR")
+				}
+			}).then(() => {
+				return interaction.success("moderation/giveaway:GIVEAWAY_REROLLED");
+			}).catch(() => {
+				return interaction.error("moderation/giveaway:NOT_FOUND_ENDED", {
+					messageId: giveaway_id
+				}, { ephemeral: true });
+			});
+		} else if (command === "end") {
+			const giveaway_id = interaction.options.getString("giveaway_id");
+
+			try {
+				client.giveawaysManager.end(giveaway_id);
+				return interaction.success("moderation/giveaway:GIVEAWAY_ENDED");
+			} catch (e) {
+				return interaction.error("moderation/giveaway:NOT_FOUND", {
+					messageId: giveaway_id
+				}, { ephemeral: true });
 			}
-		});
+		} else if (command === "delete") {
+			const giveaway_id = interaction.options.getString("giveaway_id");
+
+			client.giveawaysManager.delete(giveaway_id).then(() => {
+				return interaction.success("moderation/giveaway:GIVEAWAY_DELETED");
+			}).catch(() => {
+				return interaction.error("moderation/giveaway:NOT_FOUND", {
+					messageId: giveaway_id
+				}, { ephemeral: true });
+			});
+		}
 	}
 }
 
diff --git a/commands/Owner/debug.js b/commands/Owner/debug.js
index 20c6e6ab..3c1e8883 100644
--- a/commands/Owner/debug.js
+++ b/commands/Owner/debug.js
@@ -68,7 +68,7 @@ class Debug extends BaseCommand {
 	 * @param {import("discord.js").ChatInputCommandInteraction} interaction
 	 * @param {Array} data
 	 */
-	async execute(client, interaction,) {
+	async execute(client, interaction) {
 		const command = interaction.options.getSubcommand();
 
 		if (command === "set") {
diff --git a/dashboard/public/docs/updates.md b/dashboard/public/docs/updates.md
index 29ea926c..621e0a64 100644
--- a/dashboard/public/docs/updates.md
+++ b/dashboard/public/docs/updates.md
@@ -1,3 +1,18 @@
+### JaBa v4.1.8
+* Добавлено
+	* Возможность сразу сократить ссылку в команде *lmgtfy*.
+
+* Изменения
+	* Переписаны подсказки к командам.
+	* Переписана команда *giveaway*.
+
+* Исправления
+	* Фикс ошибки *shorturl* с некотырыми ссылками.
+
+### JaBa v4.1.7
+* Добавлено
+	* Переписана команда *leaderboard*.
+
 ### JaBa v4.1.6
 * Изменения
 	* Изменён способ указания типа повтора в *loop*. Теперь вы указываете тип аргументом (подсказки имеются), а не из выпадающего списка в отдельном сообщении. Это одновременно удобно, быстро и меньше кода =)
diff --git a/languages/ru-RU/administration/automod.json b/languages/ru-RU/administration/automod.json
index d983f208..102bd094 100644
--- a/languages/ru-RU/administration/automod.json
+++ b/languages/ru-RU/administration/automod.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Включить или отключить автоудаление ссылок-приглашений",
-	"USAGE": "[true/false] (#канал)",
-	"EXAMPLES": "automod true\nautomod false #general\nautomod false",
+	"USAGE": "[state] (#channel)",
+	"EXAMPLES": "automod state:True\nautomod state:False channel:#general\nautomod state:False",
 	"ENABLED": "Ссылки-приглашения будут удаляться автоматически\nИспользуйте `automod false #channel` для игнорирования канала!",
 	"DISABLED_CHANNEL": "Автомодерация не будет выполняться в {{channel}}!",
 	"DISABLED": "Автомодерация отключена!",
diff --git a/languages/ru-RU/administration/autorole.json b/languages/ru-RU/administration/autorole.json
index 4107af09..5cc25023 100644
--- a/languages/ru-RU/administration/autorole.json
+++ b/languages/ru-RU/administration/autorole.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Включить или отключить автоназначение роли при входе на сервер",
-	"USAGE": "[true/false] (@роль)",
-	"EXAMPLES": "autorole true @новенький\nautorole false",
+	"USAGE": "[state] (@role)",
+	"EXAMPLES": "autorole state:True role:@новенький\nautorole state:False",
 	"MISSING_ROLE": "Укажите роль!",
 	"SUCCESS_ENABLED": "Автоназначение роли включено!\nНовые пользователи будут автоматически получать {{role}} при входе на сервер.",
 	"SUCCESS_DISABLED": "Автоназначение роли отключено!"
diff --git a/languages/ru-RU/administration/deletemod.json b/languages/ru-RU/administration/deletemod.json
index 3b02ad11..5bc13b47 100644
--- a/languages/ru-RU/administration/deletemod.json
+++ b/languages/ru-RU/administration/deletemod.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Включить или отключить автоудаление команд модерации",
-	"USAGE": "[true/false]",
-	"EXAMPLES": "deletemod true",
+	"USAGE": "[state]",
+	"EXAMPLES": "deletemod state:True\ndeletemod state:False",
 	"ENABLED": "Автоудаление команд модерации включено!",
 	"DISABLED": "Автоудаление команд модерации отключено!"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/administration/goodbye.json b/languages/ru-RU/administration/goodbye.json
index ce341599..265db674 100644
--- a/languages/ru-RU/administration/goodbye.json
+++ b/languages/ru-RU/administration/goodbye.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Включить или отключить сообщения при выходе пользователя с сервера",
-	"USAGE": "(test)",
-	"EXAMPLES": "goodbye\ngoodbye test",
+	"USAGE": "config [state] [#channel] [message] [image] \nИли [test]",
+	"EXAMPLES": "goodbye state:True channel:#welcome Прощай! image:True\ngoodbye test",
 	"TEST": "Проверить",
 	"TEST_SUCCESS": "Тест выполнен...",
 	"CONFIG": "Настроить",
diff --git a/languages/ru-RU/administration/set.json b/languages/ru-RU/administration/set.json
index 9f52595f..30ed99cb 100644
--- a/languages/ru-RU/administration/set.json
+++ b/languages/ru-RU/administration/set.json
@@ -1,6 +1,6 @@
 {
 	"DESCRIPTION": "Изменить пользователю опыт, уровень, кредиты или банк",
-	"USAGE": "[level/xp/credits/bank] [@пользователь] [значение]",
-	"EXAMPLES": "set level @Jonny_Bro#4226 10",
+	"USAGE": "[type] [@user] [int]",
+	"EXAMPLES": "set type:Уровень user:@Jonny_Bro#4226 int:10",
 	"INVALID_NUMBER": "Значение должно быть больше нуля"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/administration/setbirthdays.json b/languages/ru-RU/administration/setbirthdays.json
index eda48c47..32a91576 100644
--- a/languages/ru-RU/administration/setbirthdays.json
+++ b/languages/ru-RU/administration/setbirthdays.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Установить канал для поздравлений с днём рождения",
-	"USAGE": "[true/false] (#канал)",
-	"EXAMPLES": "setbirthdays true #birthdays\nsetbirthdays false",
+	"USAGE": "[state] (#channel)",
+	"EXAMPLES": "setbirthdays state:True channel:#birthdays\nsetbirthdays state:False",
 	"ENABLED": "Поздравления включены в канале **{{channel}}**!",
 	"DISABLED": "Поздравления отключены!"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/administration/setlang.json b/languages/ru-RU/administration/setlang.json
index fa5d1380..653b6a8d 100644
--- a/languages/ru-RU/administration/setlang.json
+++ b/languages/ru-RU/administration/setlang.json
@@ -1,6 +1,6 @@
 {
 	"DESCRIPTION": "Изменить язык бота на сервере",
-	"USAGE": "[язык]",
-	"EXAMPLES": "setlang Русский",
+	"USAGE": "[languagee]",
+	"EXAMPLES": "setlang language:Русский",
 	"SUCCESS": ":flag_ru: Язык сервера изменён на **{{lang}}**!"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/administration/setmodlogs.json b/languages/ru-RU/administration/setmodlogs.json
index 60a3397a..7005d2f7 100644
--- a/languages/ru-RU/administration/setmodlogs.json
+++ b/languages/ru-RU/administration/setmodlogs.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Установить канал для логов модерации",
-	"USAGE": "[true/false] (#канал)",
-	"EXAMPLES": "setmodlogs true #логи\nsetmodlogs false",
+	"USAGE": "[state] (#channel)",
+	"EXAMPLES": "setmodlogs state:True channel:#логи\nsetmodlogs state:False",
 	"ENABLED": "Логи модерации включены в канале **{{channel}}**!",
 	"DISABLED": "Логи модерации отключены!"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/administration/setnews.json b/languages/ru-RU/administration/setnews.json
index 93bc6866..ee9458b7 100644
--- a/languages/ru-RU/administration/setnews.json
+++ b/languages/ru-RU/administration/setnews.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Установить канал для новостей бота",
-	"USAGE": "[true/false] (#канал)",
-	"EXAMPLES": "setnews true #bot-news\nsetnews false",
+	"USAGE": "[state] (#channel)",
+	"EXAMPLES": "setnews state:True channel:#bot-news\nsetnews state:False",
 	"ENABLED": "Новости бота включены в канале **{{channel}}**!",
 	"DISABLED": "Новости бота отключены!"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/administration/setreports.json b/languages/ru-RU/administration/setreports.json
index bd97ced5..9974ba75 100644
--- a/languages/ru-RU/administration/setreports.json
+++ b/languages/ru-RU/administration/setreports.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Установить канал для жалоб",
-	"USAGE": "[true/false] (#канал)",
-	"EXAMPLES": "setreports true #жалобы\nsetreports false",
+	"USAGE": "[state] (#channel)",
+	"EXAMPLES": "setreports state:True channel:#жалобы\nsetreports state:False",
 	"ENABLED": "Жалобы будут отправляться в **{{channel}}**!",
 	"DISABLED": "Жалобы отключены!"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/administration/setsuggests.json b/languages/ru-RU/administration/setsuggests.json
index bf91d4a4..c724cbc0 100644
--- a/languages/ru-RU/administration/setsuggests.json
+++ b/languages/ru-RU/administration/setsuggests.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Установить канал для предложений",
-	"USAGE": "[true/false] (#канал)",
-	"EXAMPLES": "setsuggests true #предложения\nsetsuggests false",
+	"USAGE": "[state] (#channel)",
+	"EXAMPLES": "setsuggests state:True channel:#предложения\nsetsuggests state:False",
 	"ENABLED": "Предложения будут отправляться в **{{channel}}**!",
 	"DISABLED": "Предложения отключены!"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/administration/stealemoji.json b/languages/ru-RU/administration/stealemoji.json
index e50da254..cc0532fc 100644
--- a/languages/ru-RU/administration/stealemoji.json
+++ b/languages/ru-RU/administration/stealemoji.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Скопировать эмодзи на текущий сервер",
-	"USAGE": "[эмодзи]",
-	"EXAMPLES": "stealemoji :coolstorybob:",
+	"USAGE": "[emoji]",
+	"EXAMPLES": "stealemoji emoji::coolstorybob:",
 	"SUCCESS": "{{emoji}} добавлен!",
-	"ERROR": "Произошла ошибка при добавлении {{emoji}}.\n{{e}}"
+	"ERROR": "Произошла ошибка при добавлении {{emoji}}.\n```{{e}}```"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/administration/welcome.json b/languages/ru-RU/administration/welcome.json
index 06f47514..b1d08b6e 100644
--- a/languages/ru-RU/administration/welcome.json
+++ b/languages/ru-RU/administration/welcome.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Включить или отключить сообщения при входе пользователя на сервер",
-	"USAGE": "(test)",
-	"EXAMPLES": "welcome\nwelcome test",
+	"USAGE": "config [state] [#channel] [message] [image] \nИли [test]",
+	"EXAMPLES": "welcome state:True channel:#welcome Добро пожаловать! image:True\nwelcome test",
 	"ENABLED": "Приветствующие сообщения включены в {{channel}}!\nИспользуйте `welcome test` для просмотра сообщения!",
 	"DISABLED": "Приветствующие сообщения отключены!",
 	"DEFAULT_MESSAGE": "Добро пожаловать {user}! Нас теперь {membercount}!",
diff --git a/languages/ru-RU/common.json b/languages/ru-RU/common.json
index 28a220d1..7a5c7205 100644
--- a/languages/ru-RU/common.json
+++ b/languages/ru-RU/common.json
@@ -1,62 +1,64 @@
 {
-	"YES": "Да",
-	"NO": "Нет",
-	"APPLY": "Применить",
 	"ACCEPT": "Принять",
-	"CANCEL": "Отменить",
-	"DECLINE": "Отказаться",
-	"ENABLE": "Включить",
-	"DISABLE": "Выключить",
-	"ENABLED": "Включено",
-	"DISABLED": "Отключено",
-	"NOT_DEFINED": "Не установлено",
-	"AUTHOR": "Автор",
-	"DATE": "Дата",
-	"MISSING": "Отсутствует",
-	"CONTENT": "Содержимое",
-	"REASON": "Причина",
-	"USER": "Пользователь",
-	"CREATION": "Создан",
-	"MEMBERS": "Участники",
-	"NAME": "Название",
-	"CHANNELS": "Каналы",
-	"ID": "ID сервера",
-	"OWNER": "Владелец",
-	"USERNAME": "Имя пользователя",
-	"STATS": "Статистика",
-	"STATE": "Состояние",
-	"ROBOT": "Бот",
 	"ACTIVITY": "Активность",
-	"STATUS": "Статус",
-	"STATUS_ONLINE": "В сети",
-	"STATUS_OFFLINE": "Не в сети",
-	"STATUS_IDLE": "Неактивен",
-	"STATUS_DND": "Не беспокоить",
+	"APPLY": "Применить",
+	"AUTHOR": "Автор",
+	"AVAILABLE_OPTIONS": "Доступные параметры:",
+	"CANCEL": "Отменить",
+	"CHANNEL": "Канал",
+	"CHANNELS": "Каналы",
+	"COLOR": "Цвет",
+	"CONTENT": "Содержимое",
+	"CREATION": "Создан",
+	"CREDITS": "Кредиты",
+	"DATE": "Дата",
+	"DECLINE": "Отказаться",
+	"DEFEAT": "Поражение",
+	"DISABLE": "Выключить",
+	"DISABLED": "Отключено",
+	"DURATION": "Длительность (30s, 5m, 2h, 5d, 1w)",
+	"EMOJI": "Эмодзи",
+	"ENABLE": "Включить",
+	"ENABLED": "Включено",
+	"ID": "ID сервера",
+	"INT": "Целое число",
+	"IP": "IP адрес",
+	"JOINED": "Присоеденился",
+	"LANGUAGE": "Язык",
+	"LEVEL": "Уровень",
+	"MEMBER": "Участник",
+	"MEMBERS": "Участники",
+	"MESSAGE": "Сообщение",
+	"MISSING": "Отсутствует",
+	"MODERATOR": "Модератор",
+	"NAME": "Название",
+	"NICKNAME": "Ник на сервере",
+	"NO": "Нет",
+	"NOTHING_SELECTED": "Ничего не выбрано",
+	"NOT_DEFINED": "Не установлено",
+	"OWNER": "Владелец",
+	"PAGE": "Страница",
+	"PROFILE": "Профиль",
+	"REASON": "Причина",
+	"REP": "Очки репутации",
+	"ROBOT": "Бот",
 	"ROLE": "Роль",
 	"ROLES": "Роли",
-	"JOINED": "Присоеденился",
-	"COLOR": "Цвет",
-	"NICKNAME": "Ник на сервере",
-	"CREDITS": "Кредиты",
-	"LEVEL": "Уровень",
-	"REP": "Очки репутации",
-	"XP": "Опыт",
+	"SERVERS": "Сервера",
+	"SETTINGS": "Настройки",
+	"STATE": "Состояние",
+	"STATS": "Статистика",
+	"STATUS": "Статус",
+	"STATUS_DND": "Не беспокоить",
+	"STATUS_IDLE": "Неактивен",
+	"STATUS_OFFLINE": "Не в сети",
+	"STATUS_ONLINE": "В сети",
+	"UNKNOWN": "Неизвестно",
+	"USER": "Пользователь",
+	"USERNAME": "Имя пользователя",
+	"USERS": "Пользователи",
 	"VICTORY": "Победа",
 	"VIEWS": "Просмотры",
-	"DEFEAT": "Поражение",
-	"MODERATOR": "Модератор",
-	"DURATION": "Длительность (30s, 5m, 2h, 5d, 1w)",
-	"SERVERS": "Сервера",
-	"PAGE": "Страница",
-	"MESSAGE": "Сообщение",
-	"PROFILE": "Профиль",
-	"SETTINGS": "Настройки",
-	"EMOJI": "Эмодзи",
-	"IP": "IP адрес",
-	"INT": "Целое число",
-	"LANGUAGE": "Язык",
-	"CHANNEL": "Канал",
-	"UNKNOWN": "Неизвестно",
-	"NOTHING_SELECTED": "Ничего не выбрано",
-	"AVAILABLE_OPTIONS": "Доступные параметры:"
+	"XP": "Опыт",
+	"YES": "Да"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/dashboard.json b/languages/ru-RU/dashboard.json
index 917b03e7..f6239186 100644
--- a/languages/ru-RU/dashboard.json
+++ b/languages/ru-RU/dashboard.json
@@ -1,35 +1,35 @@
 {
-	"FIRST_LOGIN": "{{user}} авторизовался в панели управления в первый раз! :tada:",
-	"NOT_FOUND": "Упс! Страница не найдена.",
-	"NOT_FOUND_CONTENT": "Я не нашёл то, что вы искали. А пока вы можете вернуться в панель управления.",
+	"AUTOROLE_CONF": "🎖️ Автоматическое назначение роли",
+	"BASIC_CONF": "📝 Основные настройки",
+	"BIRTHDAYS": "Поздравления с днём рождения",
+	"CAN_USE": "Можно использовать",
+	"CHANNELS_CONF": "🌀 Специальные каналы",
+	"COOLDOWNS": "Откаты",
 	"ERR_OCCURRED": "Упс! Что-то пошло не так.",
 	"ERR_OCCURRED_CONTENT": "Я постараюсь исправить это как можно скорее (можете сообщить владельцу о проблеме). А пока вы можете вернуться в панель управления.",
-	"SEARCH": "Поиск по серверам...",
-	"SERVERS_LIST": "Список серверов",
-	"SERVERS_MANAGEMENT": "Управление серверами",
+	"FIRST_LOGIN": "{{user}} авторизовался в панели управления в первый раз! :tada:",
+	"GOODBYE_CONF": "😢 Сообщение при выходе пользователя с сервера",
+	"GOODBYE_IMG": "😢 Добавлять карточку",
+	"MANAGE": "Управление",
+	"MODLOGS": "Логи модерации",
+	"NEWS": "Новости бота",
+	"NOT_FOUND": "Упс! Страница не найдена.",
+	"NOT_FOUND_CONTENT": "Я не нашёл то, что вы искали. А пока вы можете вернуться в панель управления.",
+	"NO_CHANNEL": "Канал не выбран",
+	"NO_DEFENCE": "Вы беспомощны",
 	"NO_SERVER": "Сервер не найден",
 	"NO_SERVER_CONTENT": "Нечего отображать. Убедитесь, что вы вошли в систему с правильной учетной записью, и повторите попытку.",
-	"BASIC_CONF": "📝 Основные настройки",
-	"WELCOME_CONF": "👋 Сообщение при входе пользователя на сервер",
-	"GOODBYE_CONF": "😢 Сообщение при выходе пользователя с сервера",
-	"WELCOME_IMG": "👋 Добавлять карточку",
-	"GOODBYE_IMG": "😢 Добавлять карточку",
-	"CHANNELS_CONF": "🌀 Специальные каналы",
-	"AUTOROLE_CONF": "🎖️ Автоматическое назначение роли",
-	"NO_CHANNEL": "Канал не выбран",
-	"NEWS": "Новости бота",
-	"REPORTS": "Жалобы",
-	"MODLOGS": "Логи модерации",
-	"SUGGESTIONS": "Предложения",
-	"BIRTHDAYS": "Поздравления с днём рождения",
-	"SELECTOR": "Выбор серверов",
-	"MANAGE": "Управление",
-	"COOLDOWNS": "Откаты",
 	"REP": "Команда rep",
-	"WORK": "Зарплата в work",
+	"REPORTS": "Жалобы",
 	"ROB": "Защита от rob",
-	"CAN_USE": "Можно использовать",
-	"NO_DEFENCE": "Вы беспомощны",
+	"SEARCH": "Поиск по серверам...",
+	"SELECTOR": "Выбор серверов",
+	"SERVERS_LIST": "Список серверов",
+	"SERVERS_MANAGEMENT": "Управление серверами",
+	"SUGGESTIONS": "Предложения",
+	"TOP_CREDITS": "Первый по кредитам",
 	"TOP_LEVEL": "Первый по уровню",
-	"TOP_CREDITS": "Первый по кредитам"
+	"WELCOME_CONF": "👋 Сообщение при входе пользователя на сервер",
+	"WELCOME_IMG": "👋 Добавлять карточку",
+	"WORK": "Зарплата в work"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/economy/achievements.json b/languages/ru-RU/economy/achievements.json
index 966702d7..c0a99ac6 100644
--- a/languages/ru-RU/economy/achievements.json
+++ b/languages/ru-RU/economy/achievements.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Показать список достижений пользователя",
-	"USAGE": "(@пользователь)",
-	"EXAMPLES": "achievements\nachievements @Jonny_Bro#4226",
+	"USAGE": "(@user)",
+	"EXAMPLES": "achievements\nachievements user:@Jonny_Bro#4226",
 	"SEND_CMD": "Используйте свою первую команду!",
 	"CLAIM_SALARY": "Получите зарплату 10 раз!",
 	"MARRY": "Найдите вторую половинку и женитесь!",
diff --git a/languages/ru-RU/economy/bank.json b/languages/ru-RU/economy/bank.json
index 4014efec..720e772d 100644
--- a/languages/ru-RU/economy/bank.json
+++ b/languages/ru-RU/economy/bank.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Управление банковским счётом",
-	"USAGE": "[deposit/withdraw] [сумма/all]",
-	"EXAMPLES": "bank deposit 1000\nbank withdraw all",
+	"USAGE": "[option] [credits/all]",
+	"EXAMPLES": "bank option:deposit credits:1000\nbank option:withdraw credits:all",
 	"OPTION": "Действие",
 	"DEPOSIT": "Внести",
 	"WITHDRAW": "Снять",
diff --git a/languages/ru-RU/economy/birthdate.json b/languages/ru-RU/economy/birthdate.json
index bee21b33..948dc996 100644
--- a/languages/ru-RU/economy/birthdate.json
+++ b/languages/ru-RU/economy/birthdate.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Установить дату рождения",
-	"USAGE": "[ДД] [ММ] [ГГГГ]",
-	"EXAMPLES": "birthdate 17 03 2002",
+	"USAGE": "[day] [month] [year]",
+	"EXAMPLES": "birthdate day:17 month:03 year:2000",
 	"DAY": "День",
 	"MONTH": "Месяц",
 	"YEAR": "Год",
diff --git a/languages/ru-RU/economy/leaderboard.json b/languages/ru-RU/economy/leaderboard.json
index b4c158cb..fb8ea28a 100644
--- a/languages/ru-RU/economy/leaderboard.json
+++ b/languages/ru-RU/economy/leaderboard.json
@@ -1,11 +1,10 @@
 {
 	"DESCRIPTION": "Показать таблицу лидеров по кредитам, уровню или очкам репутации",
-	"USAGE": "[rep/level/credits]",
-	"EXAMPLES": "leaderboard credits",
+	"USAGE": "[type]",
+	"EXAMPLES": "leaderboard type:Уровень",
 	"LEVEL": "Уровень",
 	"MONEY": "Кредиты",
 	"REP": "Репутация",
 	"MOBILE": ":confused: Я заметил, что вы онлайн с телефона... Таблица лидеров может отображаться некорректно на маленьких экранах. Попробуйте позже с другого устройства!",
-	"TABLE": "Таблица лидеров {{name}}",
-	"TOP": "Топ 20"
+	"TABLE": "Таблица лидеров {{name}}"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/economy/marry.json b/languages/ru-RU/economy/marry.json
index 685af2f8..93193cf5 100644
--- a/languages/ru-RU/economy/marry.json
+++ b/languages/ru-RU/economy/marry.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Женитесь на том, кого любите",
-	"USAGE": "[@пользователь]",
-	"EXAMPLES": "marry @Jonny_Bro#4226",
+	"USAGE": "[@user]",
+	"EXAMPLES": "marry user:@Jonny_Bro#4226",
 	"ALREADY_MARRIED": "Вы уже состоите в браке! Вы можете развестить с помощью команды `divorce`.",
 	"ALREADY_MARRIED_USER": "Вы опоздали! {{user}} уже состоит в браке!",
 	"YOURSELF": "Вы не можете жениться на себе!",
diff --git a/languages/ru-RU/economy/money.json b/languages/ru-RU/economy/money.json
index d486a84b..d1f0fea3 100644
--- a/languages/ru-RU/economy/money.json
+++ b/languages/ru-RU/economy/money.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Показать количество кредитов у пользователя",
-	"USAGE": "(@пользователь)",
-	"EXAMPLES": "money\nmoney @Jonny_Bro#4226",
+	"USAGE": "(@user)",
+	"EXAMPLES": "money\nmoney user:@Jonny_Bro#4226",
 	"BOT_USER": "Никто не знает сколько у ботов денег...",
 	"TITLE": "Кредиты {{username}}"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/economy/pay.json b/languages/ru-RU/economy/pay.json
index 0a0b06e9..00e7b2c5 100644
--- a/languages/ru-RU/economy/pay.json
+++ b/languages/ru-RU/economy/pay.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Отправить кредиты пользователю",
-	"USAGE": "[@пользователь] [сумма]",
-	"EXAMPLES": "pay @Jonny_Bro#4226 1000",
+	"USAGE": "[@user] [amount]",
+	"EXAMPLES": "pay user:@Jonny_Bro#4226 amount:1000",
 	"BOT_USER": "Ботам не нужны деньги B)!",
 	"YOURSELF": "Вы не можете перевести кредиты самому себе!",
 	"INVALID_AMOUNT": "Укажите сумму",
diff --git a/languages/ru-RU/economy/profile.json b/languages/ru-RU/economy/profile.json
index a0771bb7..d8ba3279 100644
--- a/languages/ru-RU/economy/profile.json
+++ b/languages/ru-RU/economy/profile.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Показать профиль пользователя",
-	"USAGE": "(@пользователь)",
-	"EXAMPLES": "profile\nprofile @Jonny_Bro#4226",
+	"USAGE": "(@user)",
+	"EXAMPLES": "profile\nprofile user:@Jonny_Bro#4226",
 	"BOT_USER": "У ботов нет профиля!",
 	"TITLE": "Профиль {{user}}",
 	"LINK": "Профиль",
diff --git a/languages/ru-RU/economy/rep.json b/languages/ru-RU/economy/rep.json
index 23265ef9..76395ff4 100644
--- a/languages/ru-RU/economy/rep.json
+++ b/languages/ru-RU/economy/rep.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Дать репутацию пользователю",
-	"USAGE": "[@пользователь]",
-	"EXAMPLES": "rep @Jonny_Bro#4226",
+	"USAGE": "[@user]",
+	"EXAMPLES": "rep user:@Jonny_Bro#4226",
 	"COOLDOWN": "Вы должны подождать **{{time}}** до следующего использования!",
 	"BOT_USER": "Боты и так крутые B)",
 	"YOURSELF": "Вы не можете дать очко репутации самому себе!",
diff --git a/languages/ru-RU/economy/rob.json b/languages/ru-RU/economy/rob.json
index d5921174..1957d1e5 100644
--- a/languages/ru-RU/economy/rob.json
+++ b/languages/ru-RU/economy/rob.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Попытаться ограбить пользователя",
-	"USAGE": "[@пользователь] [сумма]",
-	"EXAMPLES": "rob @Jonny_Bro#4226 100",
+	"USAGE": "[@user] [amount]",
+	"EXAMPLES": "rob user:@Jonny_Bro#4226 amount:100",
 	"BOT_USER": "Вы не можете ограбить бота!",
 	"YOURSELF": "Вы не можете ограбить себя!",
 	"NOT_ENOUGH_AUTHOR": "У вас должно быть хотя бы {{moneyMin}}, чтобы грабить данного пользователя (сейчас у вас {{moneyCurrent}})!",
diff --git a/languages/ru-RU/economy/setbio.json b/languages/ru-RU/economy/setbio.json
index 1fb6adcb..9b9c3974 100644
--- a/languages/ru-RU/economy/setbio.json
+++ b/languages/ru-RU/economy/setbio.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Установить биографию",
-	"USAGE": "[текст]",
-	"EXAMPLES": "setbio Меня зовут Жоня :shock:",
+	"USAGE": "[text]",
+	"EXAMPLES": "setbio text:Меня зовут Жоня :shock:",
 	"MAX_CHARACTERS": "Ваша биография не должна превышать 150 символов!",
 	"SUCCESS": "Ваша биография изменена!"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/economy/slots.json b/languages/ru-RU/economy/slots.json
index e8a7af6b..595969d9 100644
--- a/languages/ru-RU/economy/slots.json
+++ b/languages/ru-RU/economy/slots.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Казино \"Casino JaBa\"",
-	"USAGE": "[сумма]",
-	"EXAMPLES": "slots 100",
+	"USAGE": "[amount]",
+	"EXAMPLES": "slots amount:100",
 	"DEFEAT": "{{user}} поставил {{money}} и всё проиграл.",
 	"VICTORY": "{{user}} поставил {{money}} и выиграл {{won}}!",
 	"NOT_ENOUGH": "У вас нет {{money}}."
diff --git a/languages/ru-RU/economy/tictactoe.json b/languages/ru-RU/economy/tictactoe.json
index 09645ec2..c1c3dbfb 100644
--- a/languages/ru-RU/economy/tictactoe.json
+++ b/languages/ru-RU/economy/tictactoe.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Крестики-нолики",
-	"USAGE": "[@пользователь]",
-	"EXAMPLES": "tictactoe  @Jonny_Bro#4226",
+	"USAGE": "[@user]",
+	"EXAMPLES": "tictactoe user:@Jonny_Bro#4226",
 	"BOT_USER": "Вы не можете играть против бота!",
 	"YOURSELF": "Вы не можете играть с самим собой!",
 	"INVITE_USER": "<@{{opponent}}>, вам предложили сыграть в крестики-нолики!",
diff --git a/languages/ru-RU/economy/transactions.json b/languages/ru-RU/economy/transactions.json
index ac2b6d55..6e304e3b 100644
--- a/languages/ru-RU/economy/transactions.json
+++ b/languages/ru-RU/economy/transactions.json
@@ -1,7 +1,7 @@
 {
-	"DESCRIPTION": "Посмотреть историю транзакций",
-	"USAGE": "",
-	"EXAMPLES": "transactions",
+	"DESCRIPTION": "Посмотреть или очистить историю своих транзакций",
+	"USAGE": "(clear)",
+	"EXAMPLES": "transactions\n transactions clear:True",
 	"CLEAR": "Очистить список транзакций?",
 	"CLEARED": "Список транзакций очищен",
 	"NO_TRANSACTIONS": "У вас нет транзакций",
diff --git a/languages/ru-RU/fun/8ball.json b/languages/ru-RU/fun/8ball.json
index 314142ea..3c18595f 100644
--- a/languages/ru-RU/fun/8ball.json
+++ b/languages/ru-RU/fun/8ball.json
@@ -1,9 +1,10 @@
 {
 	"DESCRIPTION": "Я говорю правду",
-	"USAGE": "[вопрос]",
+	"USAGE": "[question]",
 	"QUESTION": "Вопрос",
-	"EXAMPLES": "8ball JaBa крутой?",
-	"ERR_QUESTION": "Вопрос должен оканчиваться на `?`.",
+	"EXAMPLES": "8ball question:JaBa крутой?",
+	"ERR_QUESTION": "Вопрос должен оканчиваться на `?`",
+	"ANSWER": "**Вопрос:** {{question}}\n**Ответ:** {{answer}}",
 	"RESPONSE_1": "Бесспорно",
 	"RESPONSE_2": "Предрешено",
 	"RESPONSE_3": "Никаких сомнений",
diff --git a/languages/ru-RU/fun/lmgtfy.json b/languages/ru-RU/fun/lmgtfy.json
index 8ba3d72e..a846020b 100644
--- a/languages/ru-RU/fun/lmgtfy.json
+++ b/languages/ru-RU/fun/lmgtfy.json
@@ -1,5 +1,6 @@
 {
 	"DESCRIPTION": "Создать LMGTFY (давай я загуглю это для тебя) ссылку",
-	"USAGE": "[запрос]",
-	"EXAMPLES": "lmgtfy Как создать Discord бота?"
+	"USAGE": "[query] [short]",
+	"QUERY": "Запрос",
+	"EXAMPLES": "lmgtfy query:Как создать Discord бота? short:False"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/fun/lovecalc.json b/languages/ru-RU/fun/lovecalc.json
index e092d326..b0440f36 100644
--- a/languages/ru-RU/fun/lovecalc.json
+++ b/languages/ru-RU/fun/lovecalc.json
@@ -1,6 +1,6 @@
 {
 	"DESCRIPTION": "Калькулятор любви",
-	"USAGE": "[@пользователь1] (@пользователь2)",
-	"EXAMPLES": "lovecalc @Jonny_Bro#4226\nlovecalc @Jonny_Bro#4226 @JaBa#9042",
+	"USAGE": "[@first_member] (@second_member)",
+	"EXAMPLES": "lovecalc first_member:@Jonny_Bro#4226\nlovecalc first_member:@Jonny_Bro#4226 second_member:@JaBa#9042",
 	"CONTENT": "{{firstMember}} любит {{secondMember}} на **{{percent}}%**!"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/general/afk.json b/languages/ru-RU/general/afk.json
index e534405e..fe9866b2 100644
--- a/languages/ru-RU/general/afk.json
+++ b/languages/ru-RU/general/afk.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Установить AFK статус (пользователь который упомянет вас получит сообщение)",
-	"USAGE": "[причина]",
-	"EXAMPLES": "afk Сру =)",
+	"USAGE": "[message]",
+	"EXAMPLES": "afk message:Сру =)",
 	"SUCCESS": "Теперь вы AFK по причине: **{{reason}}**",
 	"DELETED": "**{{username}}**, ваш AFK статус удалён!",
 	"IS_AFK": "**{{user}}** сейчас AFK, причина:\n```{{reason}}```"
diff --git a/languages/ru-RU/general/avatar.json b/languages/ru-RU/general/avatar.json
index 8731e416..a245536d 100644
--- a/languages/ru-RU/general/avatar.json
+++ b/languages/ru-RU/general/avatar.json
@@ -1,5 +1,5 @@
 {
 	"DESCRIPTION": "Возвращает аватар пользователя",
-	"USAGE": "(@пользователь)",
-	"EXAMPLES": "avatar\navatar @Jonny_Bro#4226"
+	"USAGE": "(@user)",
+	"EXAMPLES": "avatar\navatar user:@Jonny_Bro#4226"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/general/emoji.json b/languages/ru-RU/general/emoji.json
index abe07314..075abffd 100644
--- a/languages/ru-RU/general/emoji.json
+++ b/languages/ru-RU/general/emoji.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Показать информацию об эмодзи",
-	"USAGE": "[эмодзи]",
-	"EXAMPLES": "emoji :tada:",
+	"USAGE": "[emoji]",
+	"EXAMPLES": "emoji emoji::tada:",
 	"TITLE": "Информация об {{emoji}}",
 	"ANIMATED": "Анимирован",
 	"ID": "ID",
diff --git a/languages/ru-RU/general/help.json b/languages/ru-RU/general/help.json
index b92db36d..0055852b 100644
--- a/languages/ru-RU/general/help.json
+++ b/languages/ru-RU/general/help.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Показать список команд или помощь по данной команде",
-	"USAGE": "(команда)",
-	"EXAMPLES": "help\nhelp ping",
+	"USAGE": "(command)",
+	"EXAMPLES": "help\nhelp command:ping",
 	"NOT_FOUND": "Команда {{command}} не найдена",
 	"COMMANDS_IN": "Доступные команды в категории `{{category}}`:",
 	"FIELD_USAGE": "Использование",
diff --git a/languages/ru-RU/general/minecraft.json b/languages/ru-RU/general/minecraft.json
index 5e1898e3..6b8adc9f 100644
--- a/languages/ru-RU/general/minecraft.json
+++ b/languages/ru-RU/general/minecraft.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Показать информацию о Minecraft сервере",
 	"USAGE": "[IP]",
-	"EXAMPLES": "minecraft mc.hypixel.net",
+	"EXAMPLES": "minecraft IP:mc.hypixel.net",
 	"FAILED": "Сервер недоступен или доступ запрещён!",
 	"ONLINE": "Онлайн",
 	"OFFLINE": "Оффлайн",
diff --git a/languages/ru-RU/general/remindme.json b/languages/ru-RU/general/remindme.json
index b28ec46c..b941ab2c 100644
--- a/languages/ru-RU/general/remindme.json
+++ b/languages/ru-RU/general/remindme.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Создать напоминание",
-	"USAGE": "[время] [сообщение]",
-	"EXAMPLES": "remindme 12h Использовать команду work\nremindme 5m Достать курицу из морозилки!",
+	"USAGE": "[time] [message]",
+	"EXAMPLES": "remindme time:12h message:Использовать команду work\nremindme time:5m message:Достать курицу из морозилки!",
 	"TIME": "Время (Например: 10s, 5m, 2h, 1d, 3w)",
 	"SAVED": "Напоминание `{{message}}` сохранено **{{time}}**",
 	"TITLE": "Напоминание от JaBa",
diff --git a/languages/ru-RU/general/report.json b/languages/ru-RU/general/report.json
index 51f7936a..eb747bc1 100644
--- a/languages/ru-RU/general/report.json
+++ b/languages/ru-RU/general/report.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Отправить жалобу в специальный канал",
-	"USAGE": "[@пользователь] (причина)",
-	"EXAMPLES": "report @Jonny_Bro#4226 Нарушение правил",
+	"USAGE": "[@user] (message)",
+	"EXAMPLES": "report user:@Jonny_Bro#4226 message:Нарушение правил",
 	"MISSING_CHANNEL": "Канал для жалоб не настроен!",
 	"INVALID_USER": "Вы не можете пожаловаться на себя",
 	"SUCCESS": "Ваша жалоба отправлена в {{channel}}!",
diff --git a/languages/ru-RU/general/shorturl.json b/languages/ru-RU/general/shorturl.json
index 113b6c38..76e304f3 100644
--- a/languages/ru-RU/general/shorturl.json
+++ b/languages/ru-RU/general/shorturl.json
@@ -1,6 +1,6 @@
 {
 	"DESCRIPTION": "Укоротить ссылку",
-	"USAGE": "[URL]",
-	"EXAMPLES": "shorturl https://google.com",
+	"USAGE": "[url]",
+	"EXAMPLES": "shorturl url:https://google.com",
 	"URL": "Ссылка"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/general/suggest.json b/languages/ru-RU/general/suggest.json
index df0fd522..e4c549c0 100644
--- a/languages/ru-RU/general/suggest.json
+++ b/languages/ru-RU/general/suggest.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Отправить предложение в специальный канал",
-	"USAGE": "[предложение]",
-	"EXAMPLES": "suggest Новый канал #nsfw :smiling_imp:",
+	"USAGE": "[message]",
+	"EXAMPLES": "suggest message:Новый канал #nsfw :smiling_imp:",
 	"MISSING_CHANNEL": "Канал для предложений не настроен!",
 	"MISSING_CONTENT": "Введите предложение!",
 	"TITLE": "Предложение - {{user}}",
diff --git a/languages/ru-RU/general/userinfo.json b/languages/ru-RU/general/userinfo.json
index 7d24c4fa..dac68d28 100644
--- a/languages/ru-RU/general/userinfo.json
+++ b/languages/ru-RU/general/userinfo.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Показать информацию о пользователе",
-	"USAGE": "(@пользователь)",
-	"EXAMPLES": "userinfo\nuserinfo @Jonny_Bro#4226",
+	"USAGE": "(@user)",
+	"EXAMPLES": "userinfo\nuserinfo user:@Jonny_Bro#4226",
 	"CUSTOM": "Пользовательский статус",
 	"NO_ACTIVITY": "Не играет",
 	"NO_ROLE": "Нет роли",
diff --git a/languages/ru-RU/general/whois.json b/languages/ru-RU/general/whois.json
index eecfb303..f2b41f43 100644
--- a/languages/ru-RU/general/whois.json
+++ b/languages/ru-RU/general/whois.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Получить информацию об IP адресе",
 	"USAGE": "[IP]",
-	"EXAMPLES": "whois 8.8.8.8",
+	"EXAMPLES": "whois IP:8.8.8.8",
 	"ERROR": "Произошла ошибка при получении данных об {{ip}}",
 	"INFO_ABOUT": "Информация об {{ip}}",
 	"COUNTRY": "Страна",
diff --git a/languages/ru-RU/misc.json b/languages/ru-RU/misc.json
index 943d3466..583c5f4b 100644
--- a/languages/ru-RU/misc.json
+++ b/languages/ru-RU/misc.json
@@ -1,17 +1,17 @@
 {
-	"MORE_THAN_ZERO": "Укажите целое число больше 0!",
-	"OPTION_NAN_ALL": "Укажите целое число больше 0 или `all`!",
-	"TIMES_UP": "Время вышло! Используйте команду снова!",
-	"SELECT_CANCELED": "Выбор отменён...",
-	"INVALID_NUMBER_RANGE": "Укажите число от **{{min}}** до **{{max}}**!",
-	"FORCE_STOP": "Игра принудительно окончена {{user}}, никто не победил!",
-	"STATS_FOOTER": "● [Панель управления]({{dashboardLink}})\n● [Документация]({{docsLink}})\n● [Пригласить JaBa на свой сервер]({{inviteLink}})\n● [Поддержать]({{donateLink}}) (укажите ваш Discord тэг для выдачи ачивки, для других способов поддержки пишите в ЛС <@{{owner}}>)",
 	"BOT_USER": "Вы не можете сделать это с ботом!",
-	"HELLO_SERVER": "Привет, **{{username}}**! Все мои команды доступны через **/** Используйте `/help`, чтобы получить список команд!",
+	"FORCE_STOP": "Игра принудительно окончена {{user}}, никто не победил!",
 	"GUILD_ONLY": "Данную команду можно использовать только на сервере!",
-	"NSFW_COMMAND": "Данную команду можно использовать только в NSFW канале!",
-	"OWNER_ONLY": "Данную команду может использовать только владелец бота!",
+	"HELLO_SERVER": "Привет, **{{username}}**! Все мои команды доступны через **/** Используйте `/help`, чтобы получить список команд!",
+	"INVALID_NUMBER_RANGE": "Укажите число от **{{min}}** до **{{max}}**!",
+	"MORE_THAN_ZERO": "Укажите целое число больше 0!",
 	"NO_ARGS": "Агрументы не требуются",
+	"NSFW_COMMAND": "Данную команду можно использовать только в NSFW канале!",
+	"OPTION_NAN_ALL": "Укажите целое число больше 0 или `all`!",
+	"OWNER_ONLY": "Данную команду может использовать только владелец бота!",
+	"SELECT_CANCELED": "Выбор отменён...",
+	"STATS_FOOTER": "● [Панель управления]({{dashboardLink}})\n● [Документация]({{docsLink}})\n● [Пригласить JaBa на свой сервер]({{inviteLink}})\n● [Поддержать]({{donateLink}}) (укажите ваш Discord тэг для выдачи ачивки, для других способов поддержки пишите в ЛС <@{{owner}}>)",
+	"TIMES_UP": "Время вышло! Используйте команду снова!",
 
 	"PERMISSIONS": {
 		"CreateInstantInvite": "Создание приглашения",
diff --git a/languages/ru-RU/moderation/clear.json b/languages/ru-RU/moderation/clear.json
index 940c5162..e88129e2 100644
--- a/languages/ru-RU/moderation/clear.json
+++ b/languages/ru-RU/moderation/clear.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Очистка сообщений в канале",
-	"USAGE": "[кол-во_сообщений] (@пользователь)",
-	"EXAMPLES": "clear 10\r 10 @Jonny_Bro#4226\nclear all",
+	"USAGE": "[option] (@user)",
+	"EXAMPLES": "clear option:10\nclear option:10 user:@Jonny_Bro#4226\nclear option:all",
 	"OPTION": "Целое число / all",
 	"ALL_CONFIRM": "**Все сообщения в канале будут удалены! Вы уверены?**",
 	"CHANNEL_CLEARED": "Канал очищен!",
diff --git a/languages/ru-RU/moderation/clearwarns.json b/languages/ru-RU/moderation/clearwarns.json
index 82b05dd3..007343de 100644
--- a/languages/ru-RU/moderation/clearwarns.json
+++ b/languages/ru-RU/moderation/clearwarns.json
@@ -1,6 +1,6 @@
 {
 	"DESCRIPTION": "Снять все предупреждения с пользователя",
-	"USAGE": "[@пользователь]",
-	"EXAMPLES": "clearwarns @Jonny_Bro#4226",
+	"USAGE": "[@user]",
+	"EXAMPLES": "clearwarns user:@Jonny_Bro#4226",
 	"SUCCESS": "Предупреждения пользователя {{user}} удалены!"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/moderation/giveaway.json b/languages/ru-RU/moderation/giveaway.json
index a15e8793..674568f3 100644
--- a/languages/ru-RU/moderation/giveaway.json
+++ b/languages/ru-RU/moderation/giveaway.json
@@ -1,17 +1,15 @@
 {
 	"DESCRIPTION": "Управление раздачами",
-	"USAGE": "[create/reroll/delete/end] [время] [кол-во победителей] [приз] (Дроп?)",
-	"EXAMPLES": "giveaway create 1d 2 Discord Нитро!\ngiveaway create 1d 2 true Discord Нитро\ngiveaway reroll 597812898022031374",
-	"CREATE": "Создать",
-	"REROLL": "Заролить снова",
-	"DELETE": "Удалить",
-	"END": "Закончить принудительно",
-	"INVALID_CREATE": "Какой-то из аргументов указан неверно, попробуйте снова!",
+	"USAGE": "[create] [duration] [winners_count] [prize] [isdrop]]\nИли [reroll/end/delete] [giveaway_id]",
+	"EXAMPLES": "create duration:1w winners_count:1 prize:Discord Nitro isdrop:False\ngiveaway reroll giveaway_id:597812898022031374",
+	"CREATE": "Создать раздачу",
+	"REROLL": "Заролить раздачу повторно",
+	"DELETE": "Удалить раздачу",
+	"END": "Закончить раздачу принудительно",
 	"GIVEAWAY_ID": "ID сообщения раздачи",
 	"WINNERS_COUNT": "Количество победителей",
 	"PRIZE": "Приз",
 	"ISDROP": "Это дроп?",
-	"MISSING_ID": "Укажите ID сообщения раздачи!",
 	"NOT_FOUND": "Раздач с ID `{{messageId}}` не найдено!",
 	"NOT_FOUND_ENDED": "**Оконченных** раздач с ID `{{messageId}} не найдено!`!",
 	"MAX_DURATION": "Максимальная длительность раздачи - 10 дней.",
@@ -25,13 +23,13 @@
 	"DROP": "Будь первым кто отреагирует 🎉!",
 	"FOOTER": "Раздача",
 	"NO_WINNER": "Раздача отменена, никто не участвовал.",
-	"WINNERS": "Победитель(и)",
+	"WINNERS": "Победитель(и):",
 	"END_AT": "Закончилась:",
-	"HOSTEDBY": "Организатор: {this.hostedBy}",
+	"HOSTED_BY": "Организатор: {this.hostedBy}",
 	"REROLL_CONGRAT": "🎉 Новый(е) победитель(и): {winners}! Поздравляем!",
 	"REROLL_ERROR": "Нет действительных участников, никто не выиграл!",
-	"GIVEAWAY_CREATED": "Раздача начата!",
-	"GIVEAWAY_REROLLED": "Раздача перезапущена!",
-	"GIVEAWAY_ENDED": "Раздача принудительно окончена!",
-	"GIVEAWAY_DELETED": "Раздача удалена!"
+	"GIVEAWAY_CREATED": "Раздача начата",
+	"GIVEAWAY_REROLLED": "Раздача перезапущена",
+	"GIVEAWAY_ENDED": "Раздача принудительно окончена",
+	"GIVEAWAY_DELETED": "Раздача удалена"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/moderation/poll.json b/languages/ru-RU/moderation/poll.json
index b651962f..7841c3d4 100644
--- a/languages/ru-RU/moderation/poll.json
+++ b/languages/ru-RU/moderation/poll.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Запустить опрос в текущем канале",
-	"USAGE": "[вопрос]",
-	"EXAMPLES": "poll Земля плоская?",
+	"USAGE": "[question]",
+	"EXAMPLES": "poll question:Земля плоская?",
 	"QUESTION": "Текст вопроса",
 	"NOTHING": "Без упоминания",
 	"SELECT_MENTION": "Выберите упоминание:",
diff --git a/languages/ru-RU/moderation/unban.json b/languages/ru-RU/moderation/unban.json
index 6c7a1b5e..d7bcedfc 100644
--- a/languages/ru-RU/moderation/unban.json
+++ b/languages/ru-RU/moderation/unban.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Разбанить пользователя на сервере",
-	"USAGE": "[ID]",
-	"EXAMPLES": "unban 281361531411890186",
+	"USAGE": "[user_id]",
+	"EXAMPLES": "unban user_id:281361531411890186",
 	"ID": "ID пользователя",
 	"NOT_BANNED": "Пользователь с ID **{{id}}** не найден",
 	"UNBANNED": "**{{id}}** разбанен!"
diff --git a/languages/ru-RU/moderation/warn.json b/languages/ru-RU/moderation/warn.json
index fa6b7fc1..30789888 100644
--- a/languages/ru-RU/moderation/warn.json
+++ b/languages/ru-RU/moderation/warn.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Выдать предупреждение пользователю",
-	"USAGE": "ПКМ на пользователя - Приложения - warn",
-	"EXAMPLES": "",
+	"USAGE": "ПКМ на пользователя > Приложения > warn (С аватаркой JaBa)",
+	"EXAMPLES": "warn",
 	"YOURSELF": "Вы не можете подать жалобу на себя!",
 	"MODAL_TITLE": "Выдать предупреждение {{nickname}}",
 	"MODAL_REASON": "Причина предупреждения",
diff --git a/languages/ru-RU/moderation/warns.json b/languages/ru-RU/moderation/warns.json
index de6cdc54..cfe9a46b 100644
--- a/languages/ru-RU/moderation/warns.json
+++ b/languages/ru-RU/moderation/warns.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Показать список нарушений пользователя",
-	"USAGE": "[@пользователь]",
-	"EXAMPLES": "warns @Jonny_Bro#4226",
+	"USAGE": "[@user]",
+	"EXAMPLES": "warns user:@Jonny_Bro#4226",
 	"SANCTIONS_OF": "Нарушения {{member}}",
 	"NO_SANCTIONS": "У **{{member}}** нет нарушений."
 }
\ No newline at end of file
diff --git a/languages/ru-RU/music/play.json b/languages/ru-RU/music/play.json
index 9fc5beee..776f11fc 100644
--- a/languages/ru-RU/music/play.json
+++ b/languages/ru-RU/music/play.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Начать воспроизведение трека",
-	"USAGE": "[название-трека/ссылка]",
-	"EXAMPLES": "play Never Gonna Give You Up",
+	"USAGE": "[query]",
+	"EXAMPLES": "play query:Never Gonna Give You Up",
 	"QUERY": "Название / Прямая ссылка / Ссылка на YouTube или SoundCloud",
 	"NO_VOICE_CHANNEL": "Вы должны находиться в голосовом канале!",
 	"VOICE_CHANNEL_CONNECT": "Я не могу присоедениться к вашему голосовому каналу!",
diff --git a/languages/ru-RU/music/seek.json b/languages/ru-RU/music/seek.json
index 88172a99..ea4338ab 100644
--- a/languages/ru-RU/music/seek.json
+++ b/languages/ru-RU/music/seek.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Перемотать вперед или назад на данное время в текущем треке",
-	"USAGE": "[время]",
-	"EXAMPLES": "seek 10s\nseek -10s",
+	"USAGE": "[time]",
+	"EXAMPLES": "seek time:10s\nseek time:-10s",
 	"TIME": "Время в секундах",
 	"SUCCESS": "Трек перемотан на {{time}}!"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/music/skipto.json b/languages/ru-RU/music/skipto.json
index e2d5d80c..fb4eb1ef 100644
--- a/languages/ru-RU/music/skipto.json
+++ b/languages/ru-RU/music/skipto.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Перейти на заданный трек",
-	"USAGE": "[номер]",
-	"EXAMPLES": "skipto 3",
+	"USAGE": "[position]",
+	"EXAMPLES": "skipto position:3",
 	"POSITION": "Номер трека в очереди",
 	"SUCCESS": "Выполнен переход на трек под номером **{{position}}**",
 	"ERROR": "На позиции {{position}} ничего не найдено",
diff --git a/languages/ru-RU/owner/announcement.json b/languages/ru-RU/owner/announcement.json
index ba885df3..ca709268 100644
--- a/languages/ru-RU/owner/announcement.json
+++ b/languages/ru-RU/owner/announcement.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Отправить объявление на все сервера где есть JaBa",
-	"USAGE": "[текст] [true/false]",
-	"EXAMPLES": "announcement Обновление v1.0! true",
+	"USAGE": "[message] [tag]",
+	"EXAMPLES": "announcement message:Обновление v1.0! tag:True",
 	"TAG": "Подставить @everyone в сообщение?",
 	"TOO_LONG": "Текст должен быть короче 1000 символов!",
 	"TITLE": "📢 Объявление:",
diff --git a/languages/ru-RU/owner/debug.json b/languages/ru-RU/owner/debug.json
index 76751037..5ecf664d 100644
--- a/languages/ru-RU/owner/debug.json
+++ b/languages/ru-RU/owner/debug.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Позволяет изменять данные пользователя",
-	"USAGE": "[set/add] [тип] [@пользователь] [значение]",
-	"EXAMPLES": "debug set level @Jonny_Bro#4226 10000",
+	"USAGE": "[set/add] [type] [@user] [int]",
+	"EXAMPLES": "debug set type:Уровень user:@Jonny_Bro#4226 int:100",
 	"TYPE": "Тип данных",
 	"SET": "Установить значение",
 	"ADD": "Добавить к значению",
diff --git a/languages/ru-RU/owner/eval.json b/languages/ru-RU/owner/eval.json
index 2216ad9f..7653bf1c 100644
--- a/languages/ru-RU/owner/eval.json
+++ b/languages/ru-RU/owner/eval.json
@@ -1,6 +1,6 @@
 {
 	"DESCRIPTION": "Выполнить код",
-	"USAGE": "",
-	"CODE": "Выполняемый код",
-	"EXAMPLES": "eval interaction.channel.send({ content: \"Hello World!\" })"
+	"USAGE": "[code]",
+	"EXAMPLES": "eval code:interaction.channel.send({ content: \"Hello World!\" })",
+	"CODE": "Выполняемый код"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/owner/reload.json b/languages/ru-RU/owner/reload.json
index 19571489..db62687d 100644
--- a/languages/ru-RU/owner/reload.json
+++ b/languages/ru-RU/owner/reload.json
@@ -1,7 +1,7 @@
 {
 	"DESCRIPTION": "Перезагрузить команду",
-	"USAGE": "[название_команды]",
-	"EXAMPLES": "reload help",
+	"USAGE": "[command]",
+	"EXAMPLES": "reload command:help",
 	"COMMAND": "Команда",
 	"NOT_FOUND": "Команда `{{command}}` не найдена!",
 	"SUCCESS": "Команда `{{command}}` успешно перезагружена!"
diff --git a/languages/ru-RU/owner/say.json b/languages/ru-RU/owner/say.json
index 12edb338..3d5bb7a9 100644
--- a/languages/ru-RU/owner/say.json
+++ b/languages/ru-RU/owner/say.json
@@ -1,6 +1,6 @@
 {
 	"DESCRIPTION": "Написать сообщение от имени бота",
-	"USAGE": "[текст] (#канал)",
-	"EXAMPLES": "say Hello World!\nsay Hello World! #новости",
+	"USAGE": "[message] (#channel)",
+	"EXAMPLES": "say message:Hello World!\nsay message:Hello World! channel:#новости",
 	"DONE": "Сообщение `{{message}}` отправлено в {{channel}}!"
 }
\ No newline at end of file
diff --git a/languages/uk-UA/moderation/giveaway.json b/languages/uk-UA/moderation/giveaway.json
index a4805587..2b9aeec7 100644
--- a/languages/uk-UA/moderation/giveaway.json
+++ b/languages/uk-UA/moderation/giveaway.json
@@ -20,7 +20,7 @@
 	"NO_WINNER": "Роздача скасована, ніхто не брав участь.",
 	"WINNERS": "Переможець(і)",
 	"END_AT": "Закінчилась:",
-	"HOSTEDBY": "Організатор: {this.hostedBy}",
+	"HOSTED_BY": "Організатор: {this.hostedBy}",
 	"REROLL_CONGRAT": "🎉 Новий переможець(и): {winners}! Вітаємо!",
 	"REROLL_ERROR": "Немає дійсних учасників, ніхто не виграв!",
 	"GIVEAWAY_CREATED": "Роздача розпочата!",
diff --git a/package.json b/package.json
index 971149d5..9e809726 100644
--- a/package.json
+++ b/package.json
@@ -1,6 +1,6 @@
 {
     "name": "jaba",
-    "version": "4.1.7",
+    "version": "4.1.8",
     "description": "My Discord Bot",
     "main": "index.js",
     "private": true,

From 6383332e8cb4495a5dcd3bf74dfc7eda1c6aa59a Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Sun, 2 Oct 2022 23:44:20 +0500
Subject: [PATCH 24/47] =?UTF-8?q?=D0=9E=D1=87=D0=B5=D0=BF=D1=8F=D1=82?=
 =?UTF-8?q?=D0=BA=D0=B0?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 dashboard/public/docs/updates.md | 2 +-
 1 file changed, 1 insertion(+), 1 deletion(-)

diff --git a/dashboard/public/docs/updates.md b/dashboard/public/docs/updates.md
index 621e0a64..0e334445 100644
--- a/dashboard/public/docs/updates.md
+++ b/dashboard/public/docs/updates.md
@@ -7,7 +7,7 @@
 	* Переписана команда *giveaway*.
 
 * Исправления
-	* Фикс ошибки *shorturl* с некотырыми ссылками.
+	* Фикс ошибки *shorturl* с некоторыми ссылками.
 
 ### JaBa v4.1.7
 * Добавлено

From 625ab84df00d5194c736b83b091e5a4861f76605 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Mon, 3 Oct 2022 19:31:19 +0500
Subject: [PATCH 25/47] =?UTF-8?q?=D0=9F=D0=BE=D1=87=D0=B5=D0=BC=D1=83=20?=
 =?UTF-8?q?=F0=9F=92=80?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 config.sample.js | 2 +-
 1 file changed, 1 insertion(+), 1 deletion(-)

diff --git a/config.sample.js b/config.sample.js
index dd3e0bea..72d654f4 100644
--- a/config.sample.js
+++ b/config.sample.js
@@ -3,9 +3,9 @@ module.exports = {
 	token: "XXXXXXXXXXX",
 	/* ID of Bot's user */
 	user: "XXXXXXXXXXX",
-	/* For the support server */
 	/* Set to true for production */
 	production: true,
+	/* For the support server */
 	support: {
 		id: "XXXXXXXXXXX", // The ID of the support server
 		logs: "XXXXXXXXXXX", // And the ID of the logs channel of your server (new servers for example)

From 76ab9c38a0dd06b77fd14cbba1433c8e006cdd0e Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Mon, 3 Oct 2022 20:21:42 +0500
Subject: [PATCH 26/47] 4.1.9 - https://github.com/JonnyBro/JaBa-logs

---
 base/JaBa.js                      | 34 +++++++++++++++----------------
 commands/Administration/set.js    |  8 +++++---
 commands/Economy/money.js         |  6 +++---
 commands/Economy/number.js        |  2 +-
 commands/Economy/pay.js           |  2 +-
 commands/Economy/profile.js       |  4 ++--
 commands/Economy/rob.js           |  2 +-
 commands/Economy/tictactoe.js     |  2 +-
 commands/Moderation/clearwarns.js |  2 +-
 commands/Moderation/warn.js       |  2 +-
 commands/Moderation/warns.js      |  2 +-
 commands/Owner/debug.js           | 12 ++++++-----
 dashboard/public/docs/updates.md  |  7 +++++++
 dashboard/routes/guild-manager.js |  2 +-
 dashboard/routes/guild-stats.js   |  2 +-
 events/CommandHandler.js          |  2 +-
 events/Guild/guildMemberAdd.js    |  2 +-
 events/MessageHandler.js          | 29 ++++++++++++++++++--------
 events/ready.js                   |  7 -------
 helpers/cleanup.js                |  6 +++---
 helpers/extenders.js              | 33 +++---------------------------
 languages/ru-RU/misc.json         |  1 +
 package.json                      |  2 +-
 23 files changed, 81 insertions(+), 90 deletions(-)

diff --git a/base/JaBa.js b/base/JaBa.js
index ef635a6d..e6b0b62a 100644
--- a/base/JaBa.js
+++ b/base/JaBa.js
@@ -111,7 +111,7 @@ class JaBa extends Client {
 
 	/**
 	 * Load commands from directory
-	 * @param {String} dir Directory where's all commands/subdirectories located
+	 * @param {String} dir Directory where's all commands located
 	 * @returns
 	 */
 	async loadCommands(dir) {
@@ -211,7 +211,7 @@ class JaBa extends Client {
 
 	/**
 	 * Load events from directory
-	 * @param {String} dir Directory where's all events/subdirectories located
+	 * @param {String} dir Directory where's all events located
 	 * @returns
 	 */
 	async loadEvents(dir) {
@@ -340,34 +340,34 @@ class JaBa extends Client {
 	 * @param {Boolean} isLean Return JSON instead Mongoose model?
 	 * @returns {import("./Member")} Mongoose model or JSON of this member
 	 */
-	async findOrCreateMember({ id: memberID, guildID }, isLean) {
-		if (this.databaseCache.members.get(`${memberID}${guildID}`)) return isLean ? this.databaseCache.members.get(`${memberID}${guildID}`).toJSON() : this.databaseCache.members.get(`${memberID}${guildID}`);
+	async findOrCreateMember({ id: memberID, guildId }, isLean) {
+		if (this.databaseCache.members.get(`${memberID}${guildId}`)) return isLean ? this.databaseCache.members.get(`${memberID}${guildId}`).toJSON() : this.databaseCache.members.get(`${memberID}${guildId}`);
 		else {
 			let memberData = (isLean ? await this.membersData.findOne({
-				guildID,
+				guildID: guildId,
 				id: memberID
 			}).lean() : await this.membersData.findOne({
-				guildID,
+				guildID: guildId,
 				id: memberID
 			}));
 			if (memberData) {
-				if (!isLean) this.databaseCache.members.set(`${memberID}${guildID}`, memberData);
+				if (!isLean) this.databaseCache.members.set(`${memberID}${guildId}`, memberData);
 
 				return memberData;
 			} else {
 				memberData = new this.membersData({
 					id: memberID,
-					guildID: guildID
+					guildID: guildId
 				});
 				await memberData.save();
 				const guild = await this.findOrCreateGuild({
-					id: guildID
+					id: guildId
 				});
 				if (guild) {
 					guild.members.push(memberData._id);
 					await guild.save();
 				}
-				this.databaseCache.members.set(`${memberID}${guildID}`, memberData);
+				this.databaseCache.members.set(`${memberID}${guildId}`, memberData);
 
 				return isLean ? memberData.toJSON() : memberData;
 			}
@@ -380,24 +380,24 @@ class JaBa extends Client {
 	 * @param {Boolean} isLean Return JSON instead Mongoose model?
 	 * @returns {import("./Guild")} Mongoose model or JSON of this guild
 	 */
-	async findOrCreateGuild({ id: guildID }, isLean) {
-		if (this.databaseCache.guilds.get(guildID)) return isLean ? this.databaseCache.guilds.get(guildID).toJSON() : this.databaseCache.guilds.get(guildID);
+	async findOrCreateGuild({ id: guildId }, isLean) {
+		if (this.databaseCache.guilds.get(guildId)) return isLean ? this.databaseCache.guilds.get(guildId).toJSON() : this.databaseCache.guilds.get(guildId);
 		else {
 			let guildData = (isLean ? await this.guildsData.findOne({
-				id: guildID
+				id: guildId
 			}).populate("members").lean() : await this.guildsData.findOne({
-				id: guildID
+				id: guildId
 			}).populate("members"));
 			if (guildData) {
-				if (!isLean) this.databaseCache.guilds.set(guildID, guildData);
+				if (!isLean) this.databaseCache.guilds.set(guildId, guildData);
 
 				return guildData;
 			} else {
 				guildData = new this.guildsData({
-					id: guildID
+					id: guildId
 				});
 				await guildData.save();
-				this.databaseCache.guilds.set(guildID, guildData);
+				this.databaseCache.guilds.set(guildId, guildData);
 
 				return isLean ? guildData.toJSON() : guildData;
 			}
diff --git a/commands/Administration/set.js b/commands/Administration/set.js
index 6b60cd6b..79073313 100644
--- a/commands/Administration/set.js
+++ b/commands/Administration/set.js
@@ -46,12 +46,14 @@ class Set extends BaseCommand {
 	 * @param {import("discord.js").ChatInputCommandInteraction} interaction
 	 * @param {Object} data
 	 */
-	async execute(client, interaction) {
+	async execute(client, interaction, data) {
 		const type = interaction.options.getString("type");
 		const member = interaction.options.getMember("user");
 		if (member.user.bot) return interaction.error("misc:BOT_USER", null, { ephemeral: true });
-		const memberData = await client.findOrCreateMember({
-			id: member.id
+
+		const memberData = member.id === interaction.user.id ? data : await client.findOrCreateMember({
+			id: member.id,
+			guildId: interaction.guildId
 		});
 		const int = interaction.options.getInteger("int");
 		if (int < 0) return interaction.error("administration/set:INVALID_NUMBER", null, { ephemeral: true });
diff --git a/commands/Economy/money.js b/commands/Economy/money.js
index de97d0d0..5d165343 100644
--- a/commands/Economy/money.js
+++ b/commands/Economy/money.js
@@ -45,9 +45,9 @@ class Money extends BaseCommand {
 		const member = interaction.options.getMember("user") || interaction.member;
 		if (member.user.bot) return interaction.error("economy/money:BOT_USER");
 
-		const memberData = (member.id === interaction.user.id) ? data.memberData : await client.findOrCreateMember({
+		const memberData = member.id === interaction.user.id ? data.memberData : await client.findOrCreateMember({
 			id: member.id,
-			guildID: interaction.guildId
+			guildId: interaction.guildId
 		});
 
 		const guilds = client.guilds.cache.filter(g => g.members.cache.find(m => m.id === member.id));
@@ -55,7 +55,7 @@ class Money extends BaseCommand {
 		await asyncForEach(guilds, async guild => {
 			const data = await client.findOrCreateMember({
 				id: member.id,
-				guildID: guild.id
+				guildId: guild.id
 			});
 			globalMoney += data.money + data.bankSold;
 		});
diff --git a/commands/Economy/number.js b/commands/Economy/number.js
index d6f8b491..5fef8ec5 100644
--- a/commands/Economy/number.js
+++ b/commands/Economy/number.js
@@ -79,7 +79,7 @@ class Number extends BaseCommand {
 
 					const memberData = await client.findOrCreateMember({
 						id: msg.author.id,
-						guildID: interaction.guildId
+						guildId: interaction.guildId
 					});
 
 					const info = {
diff --git a/commands/Economy/pay.js b/commands/Economy/pay.js
index a718d4e9..4907b0a4 100644
--- a/commands/Economy/pay.js
+++ b/commands/Economy/pay.js
@@ -50,7 +50,7 @@ class Pay extends BaseCommand {
 
 		const memberData = await client.findOrCreateMember({
 			id: member.id,
-			guildID: interaction.guildId
+			guildId: interaction.guildId
 		});
 
 		const info = {
diff --git a/commands/Economy/profile.js b/commands/Economy/profile.js
index 3dbb9e70..8a81e9b2 100644
--- a/commands/Economy/profile.js
+++ b/commands/Economy/profile.js
@@ -48,7 +48,7 @@ class Profile extends BaseCommand {
 
 		const memberData = (member.id === interaction.user.id ? data.memberData : await client.findOrCreateMember({
 			id: member.id,
-			guildID: interaction.guildId
+			guildId: interaction.guildId
 		}));
 		const userData = (member.id === interaction.user.id ? data.userData : await client.findOrCreateUser({
 			id: member.id
@@ -60,7 +60,7 @@ class Profile extends BaseCommand {
 		await asyncForEach(guilds, async guild => {
 			const data = await client.findOrCreateMember({
 				id: member.id,
-				guildID: guild.id
+				guildId: guild.id
 			});
 			globalMoney += data.money + data.bankSold;
 		});
diff --git a/commands/Economy/rob.js b/commands/Economy/rob.js
index 2548cddf..187f4265 100644
--- a/commands/Economy/rob.js
+++ b/commands/Economy/rob.js
@@ -45,7 +45,7 @@ class Rob extends BaseCommand {
 
 		const memberData = await client.findOrCreateMember({
 			id: member.id,
-			guildID: interaction.guildId
+			guildId: interaction.guildId
 		});
 		if (amount > memberData.money) return interaction.error("economy/rob:NOT_ENOUGH_MEMBER", { user: member.toString() });
 		const isInCooldown = memberData.cooldowns.rob || 0;
diff --git a/commands/Economy/tictactoe.js b/commands/Economy/tictactoe.js
index 06c9cc52..2ca298cf 100644
--- a/commands/Economy/tictactoe.js
+++ b/commands/Economy/tictactoe.js
@@ -42,7 +42,7 @@ class TicTacToe extends BaseCommand {
 		}).then(async winner => {
 			const memberData = await client.findOrCreateMember({
 				id: winner.id,
-				guildID: interaction.guildId
+				guildId: interaction.guildId
 			});
 
 			const info = {
diff --git a/commands/Moderation/clearwarns.js b/commands/Moderation/clearwarns.js
index bdde63e3..7817e83e 100644
--- a/commands/Moderation/clearwarns.js
+++ b/commands/Moderation/clearwarns.js
@@ -38,7 +38,7 @@ class Clearwarns extends BaseCommand {
 
 		const memberData = await client.findOrCreateMember({
 			id: member.id,
-			guildID: interaction.guildId
+			guildId: interaction.guildId
 		});
 
 		memberData.sanctions = [];
diff --git a/commands/Moderation/warn.js b/commands/Moderation/warn.js
index b4184bad..4bd07df4 100644
--- a/commands/Moderation/warn.js
+++ b/commands/Moderation/warn.js
@@ -40,7 +40,7 @@ class Warn extends BaseCommand {
 
 		const memberData = await client.findOrCreateMember({
 			id: member.id,
-			guildID: interaction.guildId
+			guildId: interaction.guildId
 		});
 
 		const modal = new ModalBuilder()
diff --git a/commands/Moderation/warns.js b/commands/Moderation/warns.js
index 19124397..3efb9f99 100644
--- a/commands/Moderation/warns.js
+++ b/commands/Moderation/warns.js
@@ -39,7 +39,7 @@ class Warns extends BaseCommand {
 
 		const memberData = await client.findOrCreateMember({
 			id: member.id,
-			guildID: interaction.guildId
+			guildId: interaction.guildId
 		});
 
 		const embed = new EmbedBuilder()
diff --git a/commands/Owner/debug.js b/commands/Owner/debug.js
index 3c1e8883..73052fd5 100644
--- a/commands/Owner/debug.js
+++ b/commands/Owner/debug.js
@@ -68,7 +68,7 @@ class Debug extends BaseCommand {
 	 * @param {import("discord.js").ChatInputCommandInteraction} interaction
 	 * @param {Array} data
 	 */
-	async execute(client, interaction) {
+	async execute(client, interaction, data) {
 		const command = interaction.options.getSubcommand();
 
 		if (command === "set") {
@@ -78,8 +78,9 @@ class Debug extends BaseCommand {
 			const userData = await client.findOrCreateUser({
 				id: member.id
 			});
-			const memberData = await client.findOrCreateMember({
-				id: member.id
+			const memberData = member.id === interaction.user.id ? data : await client.findOrCreateMember({
+				id: member.id,
+				guildId: interaction.guildId
 			});
 			const int = interaction.options.getInteger("int");
 
@@ -136,8 +137,9 @@ class Debug extends BaseCommand {
 			const userData = await client.findOrCreateUser({
 				id: member.id
 			});
-			const memberData = await client.findOrCreateMember({
-				id: member.id
+			const memberData = member.id === interaction.user.id ? data : await client.findOrCreateMember({
+				id: member.id,
+				guildId: interaction.guildId
 			});
 			const int = interaction.options.getInteger("int");
 
diff --git a/dashboard/public/docs/updates.md b/dashboard/public/docs/updates.md
index 0e334445..f42c32d3 100644
--- a/dashboard/public/docs/updates.md
+++ b/dashboard/public/docs/updates.md
@@ -1,3 +1,10 @@
+### JaBa v4.1.9
+* Изменения
+	* Переписана система опыта. Теперь при достижении нового уровня опыт сбрасывается и бот оповещает о получении нового уровня.
+
+* Исправления
+	* Команды *set* и *debug* ничего не делали.
+
 ### JaBa v4.1.8
 * Добавлено
 	* Возможность сразу сократить ссылку в команде *lmgtfy*.
diff --git a/dashboard/routes/guild-manager.js b/dashboard/routes/guild-manager.js
index f8656c1c..3156b0d2 100644
--- a/dashboard/routes/guild-manager.js
+++ b/dashboard/routes/guild-manager.js
@@ -17,7 +17,7 @@ router.get("/:serverID", CheckAuth, async(req, res) => {
 
 	// Fetch guild informations
 	const guildInfos = await utils.fetchGuild(guild.id, req.client, req.user.guilds);
-	const memberData = await req.client.findOrCreateMember({ id: req.userInfos.id, guildID: guild.id });
+	const memberData = await req.client.findOrCreateMember({ id: req.userInfos.id, guildId: guild.id });
 
 	res.render("manager/guild", {
 		guild: guildInfos,
diff --git a/dashboard/routes/guild-stats.js b/dashboard/routes/guild-stats.js
index 19b75b94..f6c7b458 100644
--- a/dashboard/routes/guild-stats.js
+++ b/dashboard/routes/guild-stats.js
@@ -14,7 +14,7 @@ router.get("/:serverID", CheckAuth, async (req, res) => {
 		});
 	}
 
-	const memberData = await req.client.findOrCreateMember({ id: req.userInfos.id, guildID: guild.id });
+	const memberData = await req.client.findOrCreateMember({ id: req.userInfos.id, guildId: guild.id });
 
 	// Fetch guild informations
 	const membersData = await req.client.membersData.find({
diff --git a/events/CommandHandler.js b/events/CommandHandler.js
index cab24135..3b8eecee 100644
--- a/events/CommandHandler.js
+++ b/events/CommandHandler.js
@@ -36,7 +36,7 @@ class CommandHandler extends BaseEvent {
 
 			const memberData = await client.findOrCreateMember({
 				id: interaction.member.id,
-				guildID: interaction.guildId
+				guildId: interaction.guildId
 			});
 			data.memberData = memberData;
 		}
diff --git a/events/Guild/guildMemberAdd.js b/events/Guild/guildMemberAdd.js
index 26f2f7e2..10c99121 100644
--- a/events/Guild/guildMemberAdd.js
+++ b/events/Guild/guildMemberAdd.js
@@ -40,7 +40,7 @@ class GuildMemberAdd extends BaseEvent {
 
 		const memberData = await client.findOrCreateMember({
 			id: member.id,
-			guildID: member.guild.id
+			guildId: member.guild.id
 		});
 		if (memberData.mute.muted && memberData.mute.endDate > Date.now()) {
 			member.guild.channels.cache.forEach((channel) => {
diff --git a/events/MessageHandler.js b/events/MessageHandler.js
index 42b39b43..abc8da7d 100644
--- a/events/MessageHandler.js
+++ b/events/MessageHandler.js
@@ -33,7 +33,7 @@ class MessageCreate extends BaseEvent {
 		if (message.guild) {
 			const memberData = await client.findOrCreateMember({
 				id: message.author.id,
-				guildID: message.guild.id
+				guildId: message.guild.id
 			});
 			data.memberData = memberData;
 		}
@@ -75,24 +75,37 @@ class MessageCreate extends BaseEvent {
 	}
 }
 
+/**
+ *
+ * @param {import("../base/JaBa")} client
+ * @param {import("discord.js").Message} msg
+ * @param {*} data
+ * @returns
+ */
 async function updateXp(client, msg, data) {
-	const points = parseInt(data.memberData.exp);
-	const level = parseInt(data.memberData.level);
-	const isInCooldown = xpCooldown[msg.author.id];
+	const points = parseInt(data.memberData.exp),
+		level = parseInt(data.memberData.level),
+		isInCooldown = xpCooldown[msg.author.id];
+
 	if (isInCooldown) {
 		if (isInCooldown > Date.now()) return;
 	}
 
-	const toWait = Date.now() + 60000; // 1 min
+	const toWait = Date.now() + (60 * 1000); // 1 min
 	xpCooldown[msg.author.id] = toWait;
 
-	const won = client.functions.randomNum(1, 4);
+	const won = client.functions.randomNum(1, 2);
 	const newXp = parseInt(points + won, 10);
 	const neededXp = 5 * (level * level) + 80 * level + 100;
 
-	if (newXp > neededXp) data.memberData.level = parseInt(level + 1, 10);
+	if (newXp > neededXp) {
+		data.memberData.level = parseInt(level + 1, 10);
+		data.memberData.exp = 0;
+		msg.replyT("misc:LEVEL_UP", {
+			level: data.memberData.level
+		}, { mention: false });
+	} else data.memberData.exp = parseInt(newXp, 10);
 
-	data.memberData.exp = parseInt(newXp, 10);
 	await data.memberData.save();
 }
 
diff --git a/events/ready.js b/events/ready.js
index 880bf781..4a8774bd 100644
--- a/events/ready.js
+++ b/events/ready.js
@@ -18,31 +18,24 @@ class Ready extends BaseEvent {
 		let tUsers = client.users.cache.size - hiddenGuild.memberCount;
 		let tServers = client.guilds.cache.size - 1;
 
-		// Logs some informations using logger
 		client.logger.log(`Loaded a total of ${commands.length} command(s).`, "ready");
 		client.logger.log(`${client.user.tag}, ready to serve ${tUsers} users in ${tServers} servers.`, "ready");
 		client.logger.log(`Invite Link: ${client.generateInvite({ scopes: ["bot", "applications.commands"] , permissions: [ PermissionsBitField.Flags.Administrator ] })}`, "ready");
 
-		// Birthday Announce
 		const birthdays = require("../helpers/birthdays");
 		birthdays.init(client);
 
-		// Unmute users
 		const checkUnmutes = require("../helpers/checkUnmutes");
 		checkUnmutes.init(client);
 
-		// Send reminds
 		const checkReminds = require("../helpers/checkReminds");
 		checkReminds.init(client);
 
-		// Clear transactions
 		const cleanup = require("../helpers/cleanup");
 		cleanup.init(client);
 
-		// Start the dashboard
 		if (client.config.dashboard.enabled) client.dashboard.init(client);
 
-		// Update status
 		const version = require("../package.json").version;
 		const status = [
 			{ name: "help", type: ActivityType.Watching },
diff --git a/helpers/cleanup.js b/helpers/cleanup.js
index f701c390..6f46b5df 100644
--- a/helpers/cleanup.js
+++ b/helpers/cleanup.js
@@ -25,9 +25,9 @@ module.exports.init = async function (client) {
 			for (const user of res) {
 				client.users.fetch(user.id).then(u => {
 					if (u.username.match(/.*Deleted User.* [A-z0-9]+/g)) {
-						client.databaseCache.users.delete(user.id);
-						client.usersData.deleteOne({ id: user.id });
-						console.log(`Removed from database deleted user - ID: ${u.id} Username: ${u.username}`);
+						client.databaseCache.users.delete(u.id);
+						client.usersData.deleteOne({ id: u.id });
+						client.logger.log(`Removed from database deleted user - ID: ${u.id} Username: ${u.username}`);
 					}
 				});
 			}
diff --git a/helpers/extenders.js b/helpers/extenders.js
index aa4f098d..d9d4070b 100644
--- a/helpers/extenders.js
+++ b/helpers/extenders.js
@@ -1,25 +1,12 @@
 const { Message, CommandInteraction } = require("discord.js");
 
-/**
- *
- * @param {String} key
- * @param {Array} args
- * @returns {String}
- */
 CommandInteraction.prototype.translate = function (key, args) {
 	const language = this.client.translations.get(this.guild ? this.guild.data.language : "ru-RU");
-	if (!language) throw "Message: Invalid language set in data.";
+	if (!language) throw "Interaction: Invalid language set in data.";
 
 	return language(key, args);
 };
 
-/**
- *
- * @param {String} key
- * @param {Array} args
- * @param {Array} options
- * @returns {import("discord.js").BaseCommandInteraction}
- */
 CommandInteraction.prototype.replyT = function (key, args, options = {}) {
 	let string = this.translate(key, args, this.guild ? this.guild.data.language : "ru-RU");
 	if (options.prefixEmoji) string = `${this.client.customEmojis[options.prefixEmoji]} | ${string}`;
@@ -28,26 +15,12 @@ CommandInteraction.prototype.replyT = function (key, args, options = {}) {
 	else return this.reply({ content: string, ephemeral: options.ephemeral || false });
 };
 
-/**
- *
- * @param {String} key
- * @param {Array} args
- * @param {Array} options
- * @returns {import("discord.js").BaseCommandInteraction}
- */
 CommandInteraction.prototype.error = function (key, args, options = {}) {
 	options.prefixEmoji = "error";
 
 	return this.replyT(key, args, options);
 };
 
-/**
- *
- * @param {String} key
- * @param {Array} args
- * @param {Array} options
- * @returns {import("discord.js").BaseCommandInteraction}
- */
 CommandInteraction.prototype.success = function (key, args, options = {}) {
 	options.prefixEmoji = "success";
 
@@ -65,8 +38,8 @@ Message.prototype.replyT = function (key, args, options = {}) {
 	let string = this.translate(key, args, this.guild ? this.guild.data.language : "ru-RU");
 	if (options.prefixEmoji) string = `${this.client.customEmojis[options.prefixEmoji]} | ${string}`;
 
-	if (options.edit) return this.edit({ content: string });
-	else return this.reply({ content: string });
+	if (options.edit) return this.edit({ content: string, allowedMentions: { repliedUser: options.mention || true } });
+	else return this.reply({ content: string, allowedMentions: { repliedUser: options.mention || true } });
 };
 
 Message.prototype.error = function (key, args, options = {}) {
diff --git a/languages/ru-RU/misc.json b/languages/ru-RU/misc.json
index 583c5f4b..7b52d477 100644
--- a/languages/ru-RU/misc.json
+++ b/languages/ru-RU/misc.json
@@ -1,6 +1,7 @@
 {
 	"BOT_USER": "Вы не можете сделать это с ботом!",
 	"FORCE_STOP": "Игра принудительно окончена {{user}}, никто не победил!",
+	"LEVEL_UP": "Вы достигли следующего уровня! Ваш новый уровень: **{{level}}**",
 	"GUILD_ONLY": "Данную команду можно использовать только на сервере!",
 	"HELLO_SERVER": "Привет, **{{username}}**! Все мои команды доступны через **/** Используйте `/help`, чтобы получить список команд!",
 	"INVALID_NUMBER_RANGE": "Укажите число от **{{min}}** до **{{max}}**!",
diff --git a/package.json b/package.json
index 9e809726..6f578380 100644
--- a/package.json
+++ b/package.json
@@ -1,6 +1,6 @@
 {
     "name": "jaba",
-    "version": "4.1.8",
+    "version": "4.1.9",
     "description": "My Discord Bot",
     "main": "index.js",
     "private": true,

From daf475054babef41a7f37285424b1c6dda584a57 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Mon, 3 Oct 2022 20:24:49 +0500
Subject: [PATCH 27/47] =?UTF-8?q?=D1=83=D0=BF=D1=81=D0=B8?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 commands/Administration/set.js | 4 ++--
 commands/Owner/debug.js        | 6 +++---
 2 files changed, 5 insertions(+), 5 deletions(-)

diff --git a/commands/Administration/set.js b/commands/Administration/set.js
index 79073313..b04e5a04 100644
--- a/commands/Administration/set.js
+++ b/commands/Administration/set.js
@@ -46,12 +46,12 @@ class Set extends BaseCommand {
 	 * @param {import("discord.js").ChatInputCommandInteraction} interaction
 	 * @param {Object} data
 	 */
-	async execute(client, interaction, data) {
+	async execute(client, interaction) {
 		const type = interaction.options.getString("type");
 		const member = interaction.options.getMember("user");
 		if (member.user.bot) return interaction.error("misc:BOT_USER", null, { ephemeral: true });
 
-		const memberData = member.id === interaction.user.id ? data : await client.findOrCreateMember({
+		const memberData = await client.findOrCreateMember({
 			id: member.id,
 			guildId: interaction.guildId
 		});
diff --git a/commands/Owner/debug.js b/commands/Owner/debug.js
index 73052fd5..6b6cf5d0 100644
--- a/commands/Owner/debug.js
+++ b/commands/Owner/debug.js
@@ -68,7 +68,7 @@ class Debug extends BaseCommand {
 	 * @param {import("discord.js").ChatInputCommandInteraction} interaction
 	 * @param {Array} data
 	 */
-	async execute(client, interaction, data) {
+	async execute(client, interaction) {
 		const command = interaction.options.getSubcommand();
 
 		if (command === "set") {
@@ -78,7 +78,7 @@ class Debug extends BaseCommand {
 			const userData = await client.findOrCreateUser({
 				id: member.id
 			});
-			const memberData = member.id === interaction.user.id ? data : await client.findOrCreateMember({
+			const memberData = await client.findOrCreateMember({
 				id: member.id,
 				guildId: interaction.guildId
 			});
@@ -137,7 +137,7 @@ class Debug extends BaseCommand {
 			const userData = await client.findOrCreateUser({
 				id: member.id
 			});
-			const memberData = member.id === interaction.user.id ? data : await client.findOrCreateMember({
+			const memberData = await client.findOrCreateMember({
 				id: member.id,
 				guildId: interaction.guildId
 			});

From f52ddc6e2562ed5f0a9175f1b62d744ee53c785f Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Mon, 3 Oct 2022 20:27:51 +0500
Subject: [PATCH 28/47] =?UTF-8?q?=D0=94=D0=B0=20=D0=B1=D0=BB=D1=8F=D1=82?=
 =?UTF-8?q?=D1=8C?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 helpers/extenders.js | 4 ++--
 1 file changed, 2 insertions(+), 2 deletions(-)

diff --git a/helpers/extenders.js b/helpers/extenders.js
index d9d4070b..ccb7b1c9 100644
--- a/helpers/extenders.js
+++ b/helpers/extenders.js
@@ -38,8 +38,8 @@ Message.prototype.replyT = function (key, args, options = {}) {
 	let string = this.translate(key, args, this.guild ? this.guild.data.language : "ru-RU");
 	if (options.prefixEmoji) string = `${this.client.customEmojis[options.prefixEmoji]} | ${string}`;
 
-	if (options.edit) return this.edit({ content: string, allowedMentions: { repliedUser: options.mention || true } });
-	else return this.reply({ content: string, allowedMentions: { repliedUser: options.mention || true } });
+	if (options.edit) return this.edit({ content: string, allowedMentions: { repliedUser: options.mention ? true : false } });
+	else return this.reply({ content: string, allowedMentions: { repliedUser: options.mention ? true : false } });
 };
 
 Message.prototype.error = function (key, args, options = {}) {

From 3c560b5c7acd33ab3f22a6a3da160e5c1b6c69e9 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Sun, 9 Oct 2022 14:26:22 +0500
Subject: [PATCH 29/47] =?UTF-8?q?=D0=9C=D0=B5=D0=BB=D0=BA=D0=B8=D0=B5=20?=
 =?UTF-8?q?=D0=BF=D1=80=D0=B0=D0=B2=D0=BA=D0=B8=20=D0=BA=D0=BE=D0=B4=D0=B0?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 commands/Economy/bank.js      |  9 ++++-----
 commands/Economy/number.js    |  4 ++--
 commands/Economy/pay.js       | 24 ++++++++++++++++--------
 commands/Economy/rob.js       |  1 +
 commands/Economy/slots.js     |  3 ++-
 commands/Economy/tictactoe.js |  6 +++---
 commands/Economy/work.js      |  6 +++---
 events/MessageHandler.js      |  2 +-
 helpers/cleanup.js            | 28 +++++++++++++++++++++-------
 9 files changed, 53 insertions(+), 30 deletions(-)

diff --git a/commands/Economy/bank.js b/commands/Economy/bank.js
index 74739421..05fcec36 100644
--- a/commands/Economy/bank.js
+++ b/commands/Economy/bank.js
@@ -48,19 +48,18 @@ class Bank extends BaseCommand {
 			if (isNaN(credits) || credits < 1) return interaction.error("misc:OPTION_NAN_ALL");
 			if (data.memberData.money < credits) return interaction.error("economy/bank:NOT_ENOUGH_CREDIT", { money: `**${credits}** ${client.getNoun(credits, interaction.translate("misc:NOUNS:CREDIT:1"), interaction.translate("misc:NOUNS:CREDIT:2"), interaction.translate("misc:NOUNS:CREDIT:5"))}` });
 
+			data.memberData.money -= credits;
+			data.memberData.bankSold += credits;
+			await data.memberData.save();
+
 			const info = {
 				user: interaction.translate("economy/transactions:BANK"),
 				amount: credits,
 				date: Date.now(),
 				type: "send"
 			};
-
 			data.memberData.transactions.push(info);
 
-			data.memberData.money -= credits;
-			data.memberData.bankSold += credits;
-			await data.memberData.save();
-
 			interaction.success("economy/bank:SUCCESS_DEP", {
 				money: `**${credits}** ${client.getNoun(credits, interaction.translate("misc:NOUNS:CREDIT:1"), interaction.translate("misc:NOUNS:CREDIT:2"), interaction.translate("misc:NOUNS:CREDIT:5"))}`
 			});
diff --git a/commands/Economy/number.js b/commands/Economy/number.js
index 5fef8ec5..59d07032 100644
--- a/commands/Economy/number.js
+++ b/commands/Economy/number.js
@@ -82,16 +82,16 @@ class Number extends BaseCommand {
 						guildId: interaction.guildId
 					});
 
+					memberData.money += won;
+
 					const info = {
 						user: interaction.translate("economy/transactions:NUMBERS"),
 						amount: won,
 						date: Date.now(),
 						type: "got"
 					};
-
 					data.memberData.transactions.push(info);
 
-					memberData.money += won;
 					await memberData.save();
 				}
 				collector.stop();
diff --git a/commands/Economy/pay.js b/commands/Economy/pay.js
index 4907b0a4..1ff5e8db 100644
--- a/commands/Economy/pay.js
+++ b/commands/Economy/pay.js
@@ -53,20 +53,28 @@ class Pay extends BaseCommand {
 			guildId: interaction.guildId
 		});
 
-		const info = {
-			user: member.user.tag,
-			amount: amount,
-			date: Date.now(),
-			type: "send"
-		};
-
-		data.memberData.transactions.push(info);
 		data.memberData.money -= amount;
 		await data.memberData.save();
 
 		memberData.money += amount;
 		memberData.save();
 
+		const info1 = {
+			user: member.user.tag,
+			amount: amount,
+			date: Date.now(),
+			type: "send"
+		};
+		data.memberData.transactions.push(info1);
+
+		const info2 = {
+			user: member.user.tag,
+			amount: amount,
+			date: Date.now(),
+			type: "got"
+		};
+		data.memberData.transactions.push(info2);
+
 		interaction.success("economy/pay:SUCCESS", {
 			user: member.toString(),
 			amount: `**${amount}** ${client.getNoun(amount, interaction.translate("misc:NOUNS:CREDIT:1"), interaction.translate("misc:NOUNS:CREDIT:2"), interaction.translate("misc:NOUNS:CREDIT:5"))}`
diff --git a/commands/Economy/rob.js b/commands/Economy/rob.js
index 187f4265..3e65de95 100644
--- a/commands/Economy/rob.js
+++ b/commands/Economy/rob.js
@@ -48,6 +48,7 @@ class Rob extends BaseCommand {
 			guildId: interaction.guildId
 		});
 		if (amount > memberData.money) return interaction.error("economy/rob:NOT_ENOUGH_MEMBER", { user: member.toString() });
+
 		const isInCooldown = memberData.cooldowns.rob || 0;
 		if (isInCooldown) {
 			if (isInCooldown > Date.now()) return interaction.error("economy/rob:COOLDOWN", { user: member.toString() });
diff --git a/commands/Economy/slots.js b/commands/Economy/slots.js
index 3e0d9833..36d38da0 100644
--- a/commands/Economy/slots.js
+++ b/commands/Economy/slots.js
@@ -101,6 +101,8 @@ class Slots extends BaseCommand {
 
 				const toAdd = credits - amount;
 
+				data.memberData.money += toAdd;
+
 				const info = {
 					user: interaction.translate("economy/slots:DESCRIPTION"),
 					amount: toAdd,
@@ -108,7 +110,6 @@ class Slots extends BaseCommand {
 					type: "got"
 				};
 				data.memberData.transactions.push(info);
-				data.memberData.money += toAdd;
 
 				if (!data.userData.achievements.slots.achieved) {
 					data.userData.achievements.slots.progress.now += 1;
diff --git a/commands/Economy/tictactoe.js b/commands/Economy/tictactoe.js
index 2ca298cf..41850320 100644
--- a/commands/Economy/tictactoe.js
+++ b/commands/Economy/tictactoe.js
@@ -45,6 +45,9 @@ class TicTacToe extends BaseCommand {
 				guildId: interaction.guildId
 			});
 
+			memberData.money += 100;
+			await memberData.save();
+
 			const info = {
 				user: interaction.translate("economy/transactions:TTT"),
 				amount: 100,
@@ -52,9 +55,6 @@ class TicTacToe extends BaseCommand {
 				type: "got"
 			};
 			memberData.transactions.push(info);
-
-			memberData.money += 100;
-			await memberData.save();
 		});
 	}
 }
diff --git a/commands/Economy/work.js b/commands/Economy/work.js
index ce6c78cf..6926b4ab 100644
--- a/commands/Economy/work.js
+++ b/commands/Economy/work.js
@@ -98,16 +98,16 @@ class Work extends BaseCommand {
 			]);
 		}
 
+		data.memberData.money += won;
+		await data.memberData.save();
+
 		const info = {
 			user: interaction.translate("economy/work:SALARY"),
 			amount: won,
 			date: Date.now(),
 			type: "got"
 		};
-
 		data.memberData.transactions.push(info);
-		data.memberData.money += won;
-		await data.memberData.save();
 
 		const messageOptions = {
 			embeds: [embed]
diff --git a/events/MessageHandler.js b/events/MessageHandler.js
index abc8da7d..fde55198 100644
--- a/events/MessageHandler.js
+++ b/events/MessageHandler.js
@@ -61,7 +61,7 @@ class MessageCreate extends BaseEvent {
 				await data.userData.save();
 				message.replyT("general/afk:DELETED", {
 					username: message.author.username
-				});
+				}, { mention: true });
 			}
 
 			message.mentions.users.forEach(async (u) => {
diff --git a/helpers/cleanup.js b/helpers/cleanup.js
index 6f46b5df..53b10017 100644
--- a/helpers/cleanup.js
+++ b/helpers/cleanup.js
@@ -1,10 +1,26 @@
+// Thanks Stackoverflow <3
+function setDaysTimeout(callback, days) {
+	// 86400 seconds in a day
+	const msInDay = 86400 * 1000;
+
+	let dayCount = 0;
+	const timer = setInterval(function () {
+		dayCount++; // a day has passed
+
+		if (dayCount === days) {
+			clearInterval(timer);
+			callback.apply(this, []);
+		}
+	}, msInDay);
+}
+
 /**
  *
  * @param {import("../base/JaBa")} client
  */
 module.exports.init = async function (client) {
-	setInterval(async () => {
-		const timestamp = Date.now() + (30 * 24 * 60 * 60 * 1000); // 1 month
+	setDaysTimeout(async () => {
+		const timestamp = Date.now() + (29 * 24 * 60 * 60 * 1000); // 29 days
 		const members = client.membersData.find({ transactions: { $gt: [] } });
 
 		for (const member of members) {
@@ -17,10 +33,9 @@ module.exports.init = async function (client) {
 				}
 			}
 		}
-	}, (7 * 24 * 60 * 60 * 1000)); // every 7 days
+	}, 14);
 
-	/*
-	setInterval(async () => {
+	setDaysTimeout(async () => {
 		client.usersData.find({}, function (err, res) {
 			for (const user of res) {
 				client.users.fetch(user.id).then(u => {
@@ -32,6 +47,5 @@ module.exports.init = async function (client) {
 				});
 			}
 		});
-	}, (7 * 24 * 60 * 60 * 1000)); // every 7 days
-	*/
+	}, 30);
 };
\ No newline at end of file

From 4c3166b0e66a1a063fd6117dae33c2bea4606afa Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Sun, 9 Oct 2022 17:48:40 +0500
Subject: [PATCH 30/47] 4.1.10 - https://github.com/JonnyBro/JaBa-logs

---
 commands/Fun/crab.js               |  2 +-
 commands/Fun/lmgtfy.js             |  2 +-
 commands/Fun/memes.js              |  2 +-
 commands/General/afk.js            |  2 +-
 commands/General/avatar.js         |  2 +-
 commands/General/emoji.js          |  2 +-
 commands/General/help.js           |  2 +-
 commands/General/minecraft.js      |  2 +-
 commands/General/ping.js           |  2 +-
 commands/General/shorturl.js       |  2 +-
 commands/General/stats.js          |  2 +-
 commands/General/whois.js          |  2 +-
 commands/Music/shuffle.js          | 44 ++++++++++++++++++++++++++++++
 commands/NSFW/nsfw.js              |  2 +-
 dashboard/public/docs/updates.md   |  9 +++++-
 languages/ru-RU/general/help.json  |  4 ++-
 languages/ru-RU/music/back.json    |  4 +--
 languages/ru-RU/music/clips.json   |  4 +--
 languages/ru-RU/music/shuffle.json |  6 ++++
 package.json                       |  2 +-
 20 files changed, 79 insertions(+), 20 deletions(-)
 create mode 100644 commands/Music/shuffle.js
 create mode 100644 languages/ru-RU/music/shuffle.json

diff --git a/commands/Fun/crab.js b/commands/Fun/crab.js
index 1e3e309a..d7a89b8c 100644
--- a/commands/Fun/crab.js
+++ b/commands/Fun/crab.js
@@ -14,7 +14,7 @@ class Crab extends BaseCommand {
 				.setDescription(client.translate("fun/crab:DESCRIPTION")),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
+			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Fun/lmgtfy.js b/commands/Fun/lmgtfy.js
index 3d8580c8..37227755 100644
--- a/commands/Fun/lmgtfy.js
+++ b/commands/Fun/lmgtfy.js
@@ -20,7 +20,7 @@ class LMGTFY extends BaseCommand {
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
+			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Fun/memes.js b/commands/Fun/memes.js
index 3d727e07..cce63dab 100644
--- a/commands/Fun/memes.js
+++ b/commands/Fun/memes.js
@@ -14,7 +14,7 @@ class Memes extends BaseCommand {
 				.setDescription(client.translate("fun/memes:DESCRIPTION")),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
+			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/afk.js b/commands/General/afk.js
index 9a762d3f..70162a80 100644
--- a/commands/General/afk.js
+++ b/commands/General/afk.js
@@ -16,7 +16,7 @@ class Afk extends BaseCommand {
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
+			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/avatar.js b/commands/General/avatar.js
index 63f7ca6d..a400a772 100644
--- a/commands/General/avatar.js
+++ b/commands/General/avatar.js
@@ -15,7 +15,7 @@ class Avatar extends BaseCommand {
 					.setDescription(client.translate("common:USER"))),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
+			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/emoji.js b/commands/General/emoji.js
index 7cb6b314..1372b663 100644
--- a/commands/General/emoji.js
+++ b/commands/General/emoji.js
@@ -16,7 +16,7 @@ class Emoji extends BaseCommand {
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
+			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/help.js b/commands/General/help.js
index a658a9f8..3d0bb3ee 100644
--- a/commands/General/help.js
+++ b/commands/General/help.js
@@ -151,7 +151,7 @@ function generateCommandHelp(interaction, command) {
 			},
 			{
 				name: interaction.translate("general/help:FIELD_USAGE"),
-				value: usage
+				value: `*${cmd.guildOnly ? interaction.translate("general/help:GUILD_ONLY") : interaction.translate("general/help:NOT_GUILD_ONLY")}*\n\n` + usage
 			},
 			{
 				name: interaction.translate("general/help:FIELD_EXAMPLES"),
diff --git a/commands/General/minecraft.js b/commands/General/minecraft.js
index 5994278b..890f7430 100644
--- a/commands/General/minecraft.js
+++ b/commands/General/minecraft.js
@@ -17,7 +17,7 @@ class Minecraft extends BaseCommand {
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
+			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/ping.js b/commands/General/ping.js
index 32adcf23..e50a1662 100644
--- a/commands/General/ping.js
+++ b/commands/General/ping.js
@@ -13,7 +13,7 @@ class Ping extends BaseCommand {
 				.setDescription(client.translate("general/ping:DESCRIPTION")),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
+			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/shorturl.js b/commands/General/shorturl.js
index 7de1468e..6dbd624a 100644
--- a/commands/General/shorturl.js
+++ b/commands/General/shorturl.js
@@ -17,7 +17,7 @@ class Shorturl extends BaseCommand {
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
+			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/stats.js b/commands/General/stats.js
index f8095a07..d423f8dc 100644
--- a/commands/General/stats.js
+++ b/commands/General/stats.js
@@ -14,7 +14,7 @@ class Stats extends BaseCommand {
 				.setDescription(client.translate("general/stats:DESCRIPTION")),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
+			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/whois.js b/commands/General/whois.js
index db9f9740..a65181b7 100644
--- a/commands/General/whois.js
+++ b/commands/General/whois.js
@@ -17,7 +17,7 @@ class Whois extends BaseCommand {
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
+			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Music/shuffle.js b/commands/Music/shuffle.js
new file mode 100644
index 00000000..05342315
--- /dev/null
+++ b/commands/Music/shuffle.js
@@ -0,0 +1,44 @@
+const { SlashCommandBuilder } = require("discord.js");
+const BaseCommand = require("../../base/BaseCommand");
+
+class Shuffle extends BaseCommand {
+	/**
+	 *
+	 * @param {import("../base/JaBa")} client
+	 */
+	constructor(client) {
+		super({
+			command: new SlashCommandBuilder()
+				.setName("shuffle")
+				.setDescription(client.translate("music/shuffle:DESCRIPTION")),
+			aliases: [],
+			dirname: __dirname,
+			guildOnly: true,
+			ownerOnly: false
+		});
+	}
+	/**
+	 *
+	 * @param {import("../../base/JaBa")} client
+	 */
+	async onLoad() {
+		//...
+	}
+	/**
+	 *
+	 * @param {import("../../base/JaBa")} client
+	 * @param {import("discord.js").ChatInputCommandInteraction} interaction
+	 * @param {Object} data
+	 */
+	async execute(client, interaction) {
+		const voice = interaction.member.voice.channel;
+		if (!voice) return interaction.error("music/play:NO_VOICE_CHANNEL", null, { ephemeral: true });
+		const queue = client.player.getQueue(interaction.guildId);
+		if (!queue) return interaction.error("music/play:NOT_PLAYING", null, { ephemeral: true });
+
+		const shuffled = queue.shuffle();
+		if (shuffled) interaction.success("music/shuffle:SUCCESS");
+	}
+}
+
+module.exports = Shuffle;
\ No newline at end of file
diff --git a/commands/NSFW/nsfw.js b/commands/NSFW/nsfw.js
index 74700372..b3ea43a2 100644
--- a/commands/NSFW/nsfw.js
+++ b/commands/NSFW/nsfw.js
@@ -14,7 +14,7 @@ class NSFW extends BaseCommand {
 				.setDescription(client.translate("nsfw/nsfw:DESCRIPTION")),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
+			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/dashboard/public/docs/updates.md b/dashboard/public/docs/updates.md
index f42c32d3..1bac1d24 100644
--- a/dashboard/public/docs/updates.md
+++ b/dashboard/public/docs/updates.md
@@ -1,3 +1,10 @@
+### JaBa v4.1.10
+* Добавлено
+	* Команда *shuffle* - Перемешать очередь.
+
+* Изменения
+	* Многие команды теперь можно использовать в ЛС с ботом. Узнать где именно можно использовать команду через *help*.
+
 ### JaBa v4.1.9
 * Изменения
 	* Переписана система опыта. Теперь при достижении нового уровня опыт сбрасывается и бот оповещает о получении нового уровня.
@@ -17,7 +24,7 @@
 	* Фикс ошибки *shorturl* с некоторыми ссылками.
 
 ### JaBa v4.1.7
-* Добавлено
+* Изменения
 	* Переписана команда *leaderboard*.
 
 ### JaBa v4.1.6
diff --git a/languages/ru-RU/general/help.json b/languages/ru-RU/general/help.json
index 0055852b..f6b2155a 100644
--- a/languages/ru-RU/general/help.json
+++ b/languages/ru-RU/general/help.json
@@ -13,5 +13,7 @@
 	"INFO": "● Чтобы получить помощь по определённой команде используйте `help [команда]`",
 	"FIELD_PERMISSIONS": "Необходимые права",
 	"NO_REQUIRED_PERMISSION": "Никаких особых прав не нужно",
-	"TITLE": "{{name}} | Команды"
+	"TITLE": "{{name}} | Команды",
+	"GUILD_ONLY": "Только на сервере",
+	"NOT_GUILD_ONLY": "На сервере и в ЛС бота"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/music/back.json b/languages/ru-RU/music/back.json
index 811a3dd0..ea191b6b 100644
--- a/languages/ru-RU/music/back.json
+++ b/languages/ru-RU/music/back.json
@@ -2,6 +2,6 @@
 	"DESCRIPTION": "Включить предыдущий трек",
 	"USAGE": "",
 	"EXAMPLES": "back",
-	"NO_PREV_SONG": "Предыдущий трек отсутствует!",
-	"SUCCESS": "Играет предыдущий трек!"
+	"NO_PREV_SONG": "Предыдущий трек отсутствует",
+	"SUCCESS": "Играет предыдущий трек"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/music/clips.json b/languages/ru-RU/music/clips.json
index 2fa69aa4..43b66f5e 100644
--- a/languages/ru-RU/music/clips.json
+++ b/languages/ru-RU/music/clips.json
@@ -3,7 +3,7 @@
 	"USAGE": "",
 	"EXAMPLES": "clips",
 	"AVAILABLE_CLIPS": "Список доступных клипов:",
-	"ACTIVE_QUEUE": "Не могу воспроизвести клип, т.к. на сервере есть активная очередь!",
-	"ACTIVE_CLIP": "Уже воспроизводится какой-то файл!",
+	"ACTIVE_QUEUE": "Не могу воспроизвести клип, т.к. на сервере есть активная очередь",
+	"ACTIVE_CLIP": "Уже воспроизводится какой-то файл",
 	"PLAYING": "Начато проигрывание клипа `{{clip}}`"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/music/shuffle.json b/languages/ru-RU/music/shuffle.json
new file mode 100644
index 00000000..4e24d328
--- /dev/null
+++ b/languages/ru-RU/music/shuffle.json
@@ -0,0 +1,6 @@
+{
+	"DESCRIPTION": "Перемешать очередь",
+	"USAGE": "",
+	"EXAMPLES": "shuffle",
+	"SUCCESS": "Очередь успешно перемешана"
+}
\ No newline at end of file
diff --git a/package.json b/package.json
index 6f578380..5d47866b 100644
--- a/package.json
+++ b/package.json
@@ -1,6 +1,6 @@
 {
     "name": "jaba",
-    "version": "4.1.9",
+    "version": "4.1.10",
     "description": "My Discord Bot",
     "main": "index.js",
     "private": true,

From 8185da4ce1ddb6107e3288adc19711f3fd1a4ed2 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Sun, 9 Oct 2022 17:57:55 +0500
Subject: [PATCH 31/47] yes

---
 base/JaBa.js | 6 +++---
 1 file changed, 3 insertions(+), 3 deletions(-)

diff --git a/base/JaBa.js b/base/JaBa.js
index e6b0b62a..b0275044 100644
--- a/base/JaBa.js
+++ b/base/JaBa.js
@@ -151,15 +151,15 @@ class JaBa extends Client {
 		}
 
 		try {
-			if (!this.config.production) {
+			if (this.config.production) {
 				await rest.put(
-					Routes.applicationGuildCommands(this.config.user, this.config.support.id), {
+					Routes.applicationCommands(this.config.user), {
 						body: commands
 					}
 				);
 			} else {
 				await rest.put(
-					Routes.applicationCommands(this.config.user), {
+					Routes.applicationGuildCommands(this.config.user, this.config.support.id), {
 						body: commands
 					}
 				);

From 40e62c5af532f669abf2273aba5da5661158d7cb Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Sun, 9 Oct 2022 18:01:33 +0500
Subject: [PATCH 32/47] =?UTF-8?q?=D0=97=D0=B0=D0=B1=D1=8B=D0=BB=20=D0=BA?=
 =?UTF-8?q?=D0=BE=D0=BC=D0=B0=D0=BD=D0=B4=D1=8B=20Owner?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 commands/Owner/announcement.js | 2 +-
 commands/Owner/eval.js         | 2 +-
 commands/Owner/reload.js       | 2 +-
 commands/Owner/servers.js      | 2 +-
 4 files changed, 4 insertions(+), 4 deletions(-)

diff --git a/commands/Owner/announcement.js b/commands/Owner/announcement.js
index f4bf9bc9..83ac9010 100644
--- a/commands/Owner/announcement.js
+++ b/commands/Owner/announcement.js
@@ -19,7 +19,7 @@ class Announcement extends BaseCommand {
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
+			guildOnly: false,
 			ownerOnly: true
 		});
 	}
diff --git a/commands/Owner/eval.js b/commands/Owner/eval.js
index 3bcab8f8..c70d7228 100644
--- a/commands/Owner/eval.js
+++ b/commands/Owner/eval.js
@@ -16,7 +16,7 @@ class Eval extends BaseCommand {
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
+			guildOnly: false,
 			ownerOnly: true
 		});
 	}
diff --git a/commands/Owner/reload.js b/commands/Owner/reload.js
index 3a4445a6..e57671ee 100644
--- a/commands/Owner/reload.js
+++ b/commands/Owner/reload.js
@@ -18,7 +18,7 @@ class Reload extends BaseCommand {
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
+			guildOnly: false,
 			ownerOnly: true
 		});
 	}
diff --git a/commands/Owner/servers.js b/commands/Owner/servers.js
index 8a328f9e..07a9bc0a 100644
--- a/commands/Owner/servers.js
+++ b/commands/Owner/servers.js
@@ -13,7 +13,7 @@ class Servers extends BaseCommand {
 				.setDescription(client.translate("owner/servers:DESCRIPTION")),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
+			guildOnly: false,
 			ownerOnly: true
 		});
 	}

From 4b84ea832ff8b5bed53e4ed29cd9007d26542576 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Sun, 9 Oct 2022 18:16:10 +0500
Subject: [PATCH 33/47] =?UTF-8?q?=D0=A4=D0=B8=D0=BA=D1=81=20=D0=BA=D0=BE?=
 =?UTF-8?q?=D0=BC=D0=B0=D0=BD=D0=B4=20=D0=B2=20=D0=9B=D0=A1=20(=D0=9E?=
 =?UTF-8?q?=D0=BD=D0=B8=20=D0=B2=D1=81=D1=91=20=D1=8D=D1=82=D0=BE=20=D0=B2?=
 =?UTF-8?q?=D1=80=D0=B5=D0=BC=D1=8F=20=D0=BD=D0=B5=20=D1=80=D0=B0=D0=B1?=
 =?UTF-8?q?=D0=BE=D1=82=D0=B0=D0=BB=D0=B8..)?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 base/BaseCommand.js      | 4 ++--
 commands/General/help.js | 2 +-
 events/CommandHandler.js | 2 +-
 3 files changed, 4 insertions(+), 4 deletions(-)

diff --git a/base/BaseCommand.js b/base/BaseCommand.js
index c6bd2d6d..fc848c75 100644
--- a/base/BaseCommand.js
+++ b/base/BaseCommand.js
@@ -14,11 +14,11 @@ class BaseCommand {
 		/**
 		 * @type {Boolean}
 		 */
-		this.guildOnly = options.guildOnly || true;
+		this.guildOnly = (options.guildOnly === true ? true : false) || false;
 		/**
 		 * @type {Boolean}
 		 */
-		this.ownerOnly = options.ownerOnly || false;
+		this.ownerOnly = (options.ownerOnly === true ? true : false) || false;
 		this.dirname = options.dirname || false;
 		/**
 		 * @type {String}
diff --git a/commands/General/help.js b/commands/General/help.js
index 3d0bb3ee..a1c463b8 100644
--- a/commands/General/help.js
+++ b/commands/General/help.js
@@ -16,7 +16,7 @@ class Help extends BaseCommand {
 						.setDescription(client.translate("owner/reload:COMMAND"))),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
+			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/events/CommandHandler.js b/events/CommandHandler.js
index 3b8eecee..92a908b6 100644
--- a/events/CommandHandler.js
+++ b/events/CommandHandler.js
@@ -26,7 +26,7 @@ class CommandHandler extends BaseEvent {
 		data.userData = userData;
 
 		if (command.guildOnly && !interaction.inGuild()) return interaction.replyT("misc:GUILD_ONLY", { ephemeral: true });
-		if (command.ownerOnly && interaction.member.id !== client.config.owner.id) return interaction.replyT("misc:OWNER_ONLY", { ephemeral: true });
+		if (command.ownerOnly && interaction.user.id !== client.config.owner.id) return interaction.replyT("misc:OWNER_ONLY", { ephemeral: true });
 
 		if (interaction.inGuild()) {
 			const guildData = await client.findOrCreateGuild({

From 0a5720892ace76d4e6d57bbe7a9002d11b579f31 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Tue, 11 Oct 2022 15:09:30 +0500
Subject: [PATCH 34/47] =?UTF-8?q?=D0=A4=D0=B8=D0=BA=D1=81=20nsfw=20=D0=B2?=
 =?UTF-8?q?=20=D0=9B=D0=A1?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 commands/NSFW/nsfw.js | 4 ++--
 1 file changed, 2 insertions(+), 2 deletions(-)

diff --git a/commands/NSFW/nsfw.js b/commands/NSFW/nsfw.js
index b3ea43a2..9f77f786 100644
--- a/commands/NSFW/nsfw.js
+++ b/commands/NSFW/nsfw.js
@@ -1,4 +1,4 @@
-const { SlashCommandBuilder, EmbedBuilder, ActionRowBuilder, SelectMenuBuilder } = require("discord.js");
+const { SlashCommandBuilder, EmbedBuilder, ActionRowBuilder, SelectMenuBuilder, ChannelType } = require("discord.js");
 const BaseCommand = require("../../base/BaseCommand"),
 	fetch = require("node-fetch");
 
@@ -34,7 +34,7 @@ class NSFW extends BaseCommand {
 	async execute(client, interaction) {
 		await interaction.deferReply({ ephemeral: true });
 
-		if (!interaction.channel.nsfw) return interaction.replyT("misc:NSFW_COMMAND", null, { ephemeral: true, edit: true });
+		if (!interaction.channel.nsfw || interaction.channel.type === ChannelType.DM) return interaction.replyT("misc:NSFW_COMMAND", null, { ephemeral: true, edit: true });
 
 		const tags = ["hentai", "ecchi", "lewdanimegirls", "hentaifemdom", "animefeets", "animebooty", "biganimetiddies", "sideoppai", "ahegao"].map(tag =>
 			JSON.parse(JSON.stringify({

From c5343ad76e0e8660fa031857679af7ee9c2f98da Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Tue, 11 Oct 2022 15:16:51 +0500
Subject: [PATCH 35/47] =?UTF-8?q?=D0=A3=D1=80=D0=B0?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 commands/NSFW/nsfw.js | 100 +++++++++++++++++++++---------------------
 index.js              |   2 +-
 2 files changed, 51 insertions(+), 51 deletions(-)

diff --git a/commands/NSFW/nsfw.js b/commands/NSFW/nsfw.js
index 9f77f786..78e2f25d 100644
--- a/commands/NSFW/nsfw.js
+++ b/commands/NSFW/nsfw.js
@@ -34,60 +34,60 @@ class NSFW extends BaseCommand {
 	async execute(client, interaction) {
 		await interaction.deferReply({ ephemeral: true });
 
-		if (!interaction.channel.nsfw || interaction.channel.type === ChannelType.DM) return interaction.replyT("misc:NSFW_COMMAND", null, { ephemeral: true, edit: true });
-
-		const tags = ["hentai", "ecchi", "lewdanimegirls", "hentaifemdom", "animefeets", "animebooty", "biganimetiddies", "sideoppai", "ahegao"].map(tag =>
-			JSON.parse(JSON.stringify({
-				label: tag,
-				value: tag
-			}))
-		);
-
-		const row = new ActionRowBuilder()
-			.addComponents(
-				new SelectMenuBuilder()
-					.setCustomId("nsfw_select")
-					.setPlaceholder(client.translate("common:NOTHING_SELECTED"))
-					.addOptions(tags)
+		if (interaction.channel.type === ChannelType.DM || interaction.channel.nsfw) {
+			const tags = ["hentai", "ecchi", "lewdanimegirls", "hentaifemdom", "animefeets", "animebooty", "biganimetiddies", "sideoppai", "ahegao"].map(tag =>
+				JSON.parse(JSON.stringify({
+					label: tag,
+					value: tag
+				}))
 			);
 
-		await interaction.editReply({
-			content: interaction.translate("common:AVAILABLE_OPTIONS"),
-			ephemeral: true,
-			components: [row]
-		});
+			const row = new ActionRowBuilder()
+				.addComponents(
+					new SelectMenuBuilder()
+						.setCustomId("nsfw_select")
+						.setPlaceholder(client.translate("common:NOTHING_SELECTED"))
+						.addOptions(tags)
+				);
 
-		const filter = i => i.user.id === interaction.user.id;
-		const collector = interaction.channel.createMessageComponentCollector({ filter, idle: (2 * 60 * 1000) });
-
-		collector.on("collect", async i => {
-			if (i.isSelectMenu() && i.customId === "nsfw_select") {
-				i.deferUpdate();
-
-				const tag = i?.values[0];
-				const res = await fetch(`https://meme-api.herokuapp.com/gimme/${tag}`).then(response => response.json());
-
-				const embed = new EmbedBuilder()
-					.setColor(client.config.embed.color)
-					.setFooter({
-						text: client.config.embed.footer
-					})
-					.setTitle(res.title)
-					.setDescription(`${interaction.translate("fun/memes:SUBREDDIT")}: **${res.subreddit}**\n${interaction.translate("common:AUTHOR")}: **${res.author}**\n${interaction.translate("fun/memes:UPS")}: **${res.ups}**`)
-					.setImage(res.url)
-					.setTimestamp();
-
-				await interaction.editReply({
-					embeds: [embed]
-				});
-			}
-		});
-
-		collector.on("end", () => {
-			return interaction.editReply({
-				components: []
+			await interaction.editReply({
+				content: interaction.translate("common:AVAILABLE_OPTIONS"),
+				ephemeral: true,
+				components: [row]
 			});
-		});
+
+			const filter = i => i.user.id === interaction.user.id;
+			const collector = interaction.channel.createMessageComponentCollector({ filter, idle: (2 * 60 * 1000) });
+
+			collector.on("collect", async i => {
+				if (i.isSelectMenu() && i.customId === "nsfw_select") {
+					i.deferUpdate();
+
+					const tag = i?.values[0];
+					const res = await fetch(`https://meme-api.herokuapp.com/gimme/${tag}`).then(response => response.json());
+
+					const embed = new EmbedBuilder()
+						.setColor(client.config.embed.color)
+						.setFooter({
+							text: client.config.embed.footer
+						})
+						.setTitle(res.title)
+						.setDescription(`${interaction.translate("fun/memes:SUBREDDIT")}: **${res.subreddit}**\n${interaction.translate("common:AUTHOR")}: **${res.author}**\n${interaction.translate("fun/memes:UPS")}: **${res.ups}**`)
+						.setImage(res.url)
+						.setTimestamp();
+
+					await interaction.editReply({
+						embeds: [embed]
+					});
+				}
+			});
+
+			collector.on("end", () => {
+				return interaction.editReply({
+					components: []
+				});
+			});
+		} else return interaction.replyT("misc:NSFW_COMMAND", null, { ephemeral: true, edit: true });
 	}
 }
 
diff --git a/index.js b/index.js
index 048e7340..dfdf3c1e 100644
--- a/index.js
+++ b/index.js
@@ -4,7 +4,7 @@ const { GatewayIntentBits } = require("discord.js"),
 	JaBa = require("./base/JaBa");
 
 const client = new JaBa({
-	intents: [ GatewayIntentBits.Guilds, GatewayIntentBits.GuildMembers, GatewayIntentBits.GuildBans, GatewayIntentBits.GuildEmojisAndStickers, GatewayIntentBits.GuildIntegrations, GatewayIntentBits.GuildInvites, GatewayIntentBits.GuildVoiceStates, GatewayIntentBits.GuildPresences, GatewayIntentBits.GuildMessages, GatewayIntentBits.GuildMessageReactions, GatewayIntentBits.GuildMessageTyping, GatewayIntentBits.MessageContent ],
+	intents: [ GatewayIntentBits.Guilds, GatewayIntentBits.GuildMembers, GatewayIntentBits.GuildBans, GatewayIntentBits.GuildEmojisAndStickers, GatewayIntentBits.GuildIntegrations, GatewayIntentBits.GuildInvites, GatewayIntentBits.GuildVoiceStates, GatewayIntentBits.GuildPresences, GatewayIntentBits.GuildMessages, GatewayIntentBits.GuildMessageReactions, GatewayIntentBits.GuildMessageTyping, GatewayIntentBits.MessageContent, GatewayIntentBits.DirectMessageTyping, GatewayIntentBits.DirectMessages, GatewayIntentBits.DirectMessageReactions ],
 	allowedMentions: { parse: ["everyone", "roles", "users"] }
 });
 

From ba19dd7ca0918daef6ebba38b731d5b35d230d75 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Tue, 11 Oct 2022 15:19:22 +0500
Subject: [PATCH 36/47] =?UTF-8?q?=D0=9E=D1=82=D0=BA=D0=B0=D1=82?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 commands/NSFW/nsfw.js | 94 +++++++++++++++++++++----------------------
 1 file changed, 47 insertions(+), 47 deletions(-)

diff --git a/commands/NSFW/nsfw.js b/commands/NSFW/nsfw.js
index 78e2f25d..74700372 100644
--- a/commands/NSFW/nsfw.js
+++ b/commands/NSFW/nsfw.js
@@ -1,4 +1,4 @@
-const { SlashCommandBuilder, EmbedBuilder, ActionRowBuilder, SelectMenuBuilder, ChannelType } = require("discord.js");
+const { SlashCommandBuilder, EmbedBuilder, ActionRowBuilder, SelectMenuBuilder } = require("discord.js");
 const BaseCommand = require("../../base/BaseCommand"),
 	fetch = require("node-fetch");
 
@@ -14,7 +14,7 @@ class NSFW extends BaseCommand {
 				.setDescription(client.translate("nsfw/nsfw:DESCRIPTION")),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: false,
+			guildOnly: true,
 			ownerOnly: false
 		});
 	}
@@ -34,60 +34,60 @@ class NSFW extends BaseCommand {
 	async execute(client, interaction) {
 		await interaction.deferReply({ ephemeral: true });
 
-		if (interaction.channel.type === ChannelType.DM || interaction.channel.nsfw) {
-			const tags = ["hentai", "ecchi", "lewdanimegirls", "hentaifemdom", "animefeets", "animebooty", "biganimetiddies", "sideoppai", "ahegao"].map(tag =>
-				JSON.parse(JSON.stringify({
-					label: tag,
-					value: tag
-				}))
+		if (!interaction.channel.nsfw) return interaction.replyT("misc:NSFW_COMMAND", null, { ephemeral: true, edit: true });
+
+		const tags = ["hentai", "ecchi", "lewdanimegirls", "hentaifemdom", "animefeets", "animebooty", "biganimetiddies", "sideoppai", "ahegao"].map(tag =>
+			JSON.parse(JSON.stringify({
+				label: tag,
+				value: tag
+			}))
+		);
+
+		const row = new ActionRowBuilder()
+			.addComponents(
+				new SelectMenuBuilder()
+					.setCustomId("nsfw_select")
+					.setPlaceholder(client.translate("common:NOTHING_SELECTED"))
+					.addOptions(tags)
 			);
 
-			const row = new ActionRowBuilder()
-				.addComponents(
-					new SelectMenuBuilder()
-						.setCustomId("nsfw_select")
-						.setPlaceholder(client.translate("common:NOTHING_SELECTED"))
-						.addOptions(tags)
-				);
+		await interaction.editReply({
+			content: interaction.translate("common:AVAILABLE_OPTIONS"),
+			ephemeral: true,
+			components: [row]
+		});
 
-			await interaction.editReply({
-				content: interaction.translate("common:AVAILABLE_OPTIONS"),
-				ephemeral: true,
-				components: [row]
-			});
+		const filter = i => i.user.id === interaction.user.id;
+		const collector = interaction.channel.createMessageComponentCollector({ filter, idle: (2 * 60 * 1000) });
 
-			const filter = i => i.user.id === interaction.user.id;
-			const collector = interaction.channel.createMessageComponentCollector({ filter, idle: (2 * 60 * 1000) });
+		collector.on("collect", async i => {
+			if (i.isSelectMenu() && i.customId === "nsfw_select") {
+				i.deferUpdate();
 
-			collector.on("collect", async i => {
-				if (i.isSelectMenu() && i.customId === "nsfw_select") {
-					i.deferUpdate();
+				const tag = i?.values[0];
+				const res = await fetch(`https://meme-api.herokuapp.com/gimme/${tag}`).then(response => response.json());
 
-					const tag = i?.values[0];
-					const res = await fetch(`https://meme-api.herokuapp.com/gimme/${tag}`).then(response => response.json());
+				const embed = new EmbedBuilder()
+					.setColor(client.config.embed.color)
+					.setFooter({
+						text: client.config.embed.footer
+					})
+					.setTitle(res.title)
+					.setDescription(`${interaction.translate("fun/memes:SUBREDDIT")}: **${res.subreddit}**\n${interaction.translate("common:AUTHOR")}: **${res.author}**\n${interaction.translate("fun/memes:UPS")}: **${res.ups}**`)
+					.setImage(res.url)
+					.setTimestamp();
 
-					const embed = new EmbedBuilder()
-						.setColor(client.config.embed.color)
-						.setFooter({
-							text: client.config.embed.footer
-						})
-						.setTitle(res.title)
-						.setDescription(`${interaction.translate("fun/memes:SUBREDDIT")}: **${res.subreddit}**\n${interaction.translate("common:AUTHOR")}: **${res.author}**\n${interaction.translate("fun/memes:UPS")}: **${res.ups}**`)
-						.setImage(res.url)
-						.setTimestamp();
-
-					await interaction.editReply({
-						embeds: [embed]
-					});
-				}
-			});
-
-			collector.on("end", () => {
-				return interaction.editReply({
-					components: []
+				await interaction.editReply({
+					embeds: [embed]
 				});
+			}
+		});
+
+		collector.on("end", () => {
+			return interaction.editReply({
+				components: []
 			});
-		} else return interaction.replyT("misc:NSFW_COMMAND", null, { ephemeral: true, edit: true });
+		});
 	}
 }
 

From 7bccb1fe4d1aac9eae53995f4e8e84402a17d2cb Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Thu, 13 Oct 2022 00:05:36 +0500
Subject: [PATCH 37/47] 4.1.11 - https://github.com/JonnyBro/JaBa-logs

---
 TO REWRITE/seek.js                      |  1 -
 base/BaseCommand.js                     |  4 ----
 commands/Administration/automod.js      |  3 ++-
 commands/Administration/autorole.js     |  3 ++-
 commands/Administration/config.js       |  3 ++-
 commands/Administration/goodbye.js      |  3 ++-
 commands/Administration/set.js          |  2 +-
 commands/Administration/setbirthdays.js |  3 ++-
 commands/Administration/setlang.js      |  3 ++-
 commands/Administration/setmodlogs.js   |  3 ++-
 commands/Administration/setnews.js      |  3 ++-
 commands/Administration/setreports.js   |  3 ++-
 commands/Administration/setsuggests.js  |  3 ++-
 commands/Administration/stealemoji.js   |  3 ++-
 commands/Administration/welcome.js      |  3 ++-
 commands/Economy/achievements.js        |  2 +-
 commands/Economy/bank.js                |  2 +-
 commands/Economy/birthdate.js           |  2 +-
 commands/Economy/divorce.js             |  4 ++--
 commands/Economy/importmee6.js          |  4 ++--
 commands/Economy/leaderboard.js         |  2 +-
 commands/Economy/marry.js               |  2 +-
 commands/Economy/money.js               |  2 +-
 commands/Economy/number.js              |  4 ++--
 commands/Economy/pay.js                 |  2 +-
 commands/Economy/profile.js             |  2 +-
 commands/Economy/rep.js                 |  2 +-
 commands/Economy/rob.js                 |  2 +-
 commands/Economy/setbio.js              |  2 +-
 commands/Economy/slots.js               |  2 +-
 commands/Economy/tictactoe.js           |  2 +-
 commands/Economy/transactions.js        |  2 +-
 commands/Economy/work.js                |  4 ++--
 commands/Fun/8ball.js                   |  2 +-
 commands/Fun/crab.js                    |  4 ++--
 commands/Fun/lmgtfy.js                  |  2 +-
 commands/Fun/lovecalc.js                |  2 +-
 commands/Fun/memes.js                   |  9 +++++----
 commands/General/activity.js            |  4 ++--
 commands/General/afk.js                 |  2 +-
 commands/General/avatar.js              |  2 +-
 commands/General/emoji.js               |  2 +-
 commands/General/help.js                |  2 +-
 commands/General/minecraft.js           |  2 +-
 commands/General/ping.js                |  4 ++--
 commands/General/remindme.js            |  2 +-
 commands/General/report.js              |  2 +-
 commands/General/serverinfo.js          |  4 ++--
 commands/General/shorturl.js            |  2 +-
 commands/General/staff.js               |  4 ++--
 commands/General/stats.js               |  4 ++--
 commands/General/suggest.js             |  2 +-
 commands/General/userinfo.js            |  2 +-
 commands/General/whois.js               |  2 +-
 commands/Moderation/clear.js            |  3 ++-
 commands/Moderation/clearwarns.js       |  3 ++-
 commands/Moderation/giveaway.js         |  3 ++-
 commands/Moderation/poll.js             |  3 ++-
 commands/Moderation/unban.js            |  3 ++-
 commands/Moderation/warn.js             |  3 ++-
 commands/Moderation/warns.js            |  3 ++-
 commands/Music/back.js                  |  4 ++--
 commands/Music/clips.js                 |  4 ++--
 commands/Music/loop.js                  |  2 +-
 commands/Music/nowplaying.js            |  4 ++--
 commands/Music/play.js                  |  2 +-
 commands/Music/queue.js                 |  4 ++--
 commands/Music/shuffle.js               |  4 ++--
 commands/Music/skip.js                  |  4 ++--
 commands/Music/skipto.js                |  2 +-
 commands/Music/stop.js                  |  4 ++--
 commands/NSFW/nsfw.js                   | 11 ++++++-----
 commands/Owner/announcement.js          |  2 +-
 commands/Owner/debug.js                 |  2 +-
 commands/Owner/eval.js                  |  2 +-
 commands/Owner/reload.js                |  2 +-
 commands/Owner/say.js                   |  2 +-
 commands/Owner/servers.js               |  9 +++++----
 dashboard/public/docs/updates.md        |  7 +++++++
 package.json                            |  2 +-
 80 files changed, 133 insertions(+), 109 deletions(-)

diff --git a/TO REWRITE/seek.js b/TO REWRITE/seek.js
index 30289020..b48ac7e9 100644
--- a/TO REWRITE/seek.js	
+++ b/TO REWRITE/seek.js	
@@ -16,7 +16,6 @@ class Seek extends BaseCommand {
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/base/BaseCommand.js b/base/BaseCommand.js
index fc848c75..7a6a2a98 100644
--- a/base/BaseCommand.js
+++ b/base/BaseCommand.js
@@ -11,10 +11,6 @@ class BaseCommand {
 		 * @type {Array<String>}
 		 */
 		this.aliases = options.aliases || [];
-		/**
-		 * @type {Boolean}
-		 */
-		this.guildOnly = (options.guildOnly === true ? true : false) || false;
 		/**
 		 * @type {Boolean}
 		 */
diff --git a/commands/Administration/automod.js b/commands/Administration/automod.js
index f65afbf6..05aa9fce 100644
--- a/commands/Administration/automod.js
+++ b/commands/Administration/automod.js
@@ -11,6 +11,7 @@ class Automod extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("automod")
 				.setDescription(client.translate("administration/automod:DESCRIPTION"))
+				.setDMPermission(false)
 				.setDefaultMemberPermissions(PermissionFlagsBits.ManageGuild)
 				.addBooleanOption(option => option.setName("state")
 					.setDescription(client.translate("common:STATE"))
@@ -20,7 +21,7 @@ class Automod extends BaseCommand {
 					.addChannelTypes(ChannelType.GuildText)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true
+			ownerOnly: false
 		});
 	}
 	/**
diff --git a/commands/Administration/autorole.js b/commands/Administration/autorole.js
index ff79cefc..de3fa825 100644
--- a/commands/Administration/autorole.js
+++ b/commands/Administration/autorole.js
@@ -11,6 +11,7 @@ class Autorole extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("autorole")
 				.setDescription(client.translate("administration/autorole:DESCRIPTION"))
+				.setDMPermission(false)
 				.setDefaultMemberPermissions(PermissionFlagsBits.ManageGuild)
 				.addBooleanOption(option => option.setName("state")
 					.setDescription(client.translate("common:STATE"))
@@ -19,7 +20,7 @@ class Autorole extends BaseCommand {
 					.setDescription(client.translate("common:ROLE"))),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true
+			ownerOnly: false
 		});
 	}
 	/**
diff --git a/commands/Administration/config.js b/commands/Administration/config.js
index 59188106..ebccb11a 100644
--- a/commands/Administration/config.js
+++ b/commands/Administration/config.js
@@ -11,10 +11,11 @@ class Config extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("config")
 				.setDescription(client.translate("administration/config:DESCRIPTION"))
+				.setDMPermission(false)
 				.setDefaultMemberPermissions(PermissionFlagsBits.ManageGuild),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true
+			ownerOnly: false
 		});
 	}
 	/**
diff --git a/commands/Administration/goodbye.js b/commands/Administration/goodbye.js
index 563400cc..9e082a53 100644
--- a/commands/Administration/goodbye.js
+++ b/commands/Administration/goodbye.js
@@ -11,6 +11,7 @@ class Goodbye extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("goodbye")
 				.setDescription(client.translate("administration/goodbye:DESCRIPTION"))
+				.setDMPermission(false)
 				.setDefaultMemberPermissions(PermissionFlagsBits.ManageGuild)
 				.addSubcommand(subcommand => subcommand.setName("test")
 					.setDescription(client.translate("administration/goodbye:TEST"))
@@ -29,7 +30,7 @@ class Goodbye extends BaseCommand {
 				),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true
+			ownerOnly: false
 		});
 	}
 	/**
diff --git a/commands/Administration/set.js b/commands/Administration/set.js
index b04e5a04..f73ef992 100644
--- a/commands/Administration/set.js
+++ b/commands/Administration/set.js
@@ -11,6 +11,7 @@ class Set extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("set")
 				.setDescription(client.translate("administration/set:DESCRIPTION"))
+				.setDMPermission(false)
 				.setDefaultMemberPermissions(PermissionFlagsBits.ManageGuild)
 				.addStringOption(option => option.setName("type")
 					.setDescription(client.translate("owner/debug:TYPE"))
@@ -29,7 +30,6 @@ class Set extends BaseCommand {
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Administration/setbirthdays.js b/commands/Administration/setbirthdays.js
index 9a6a1cfb..d7a8de29 100644
--- a/commands/Administration/setbirthdays.js
+++ b/commands/Administration/setbirthdays.js
@@ -11,6 +11,7 @@ class Setbirthdays extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("setbirthdays")
 				.setDescription(client.translate("administration/setbirthdays:DESCRIPTION"))
+				.setDMPermission(false)
 				.setDefaultMemberPermissions(PermissionFlagsBits.ManageGuild)
 				.addBooleanOption(option => option.setName("state")
 					.setDescription(client.translate("common:STATE"))
@@ -20,7 +21,7 @@ class Setbirthdays extends BaseCommand {
 					.addChannelTypes(ChannelType.GuildText)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true
+			ownerOnly: false
 		});
 	}
 	/**
diff --git a/commands/Administration/setlang.js b/commands/Administration/setlang.js
index 2533ff99..c2b39071 100644
--- a/commands/Administration/setlang.js
+++ b/commands/Administration/setlang.js
@@ -11,6 +11,7 @@ class Setlang extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("setlang")
 				.setDescription(client.translate("administration/setlang:DESCRIPTION"))
+				.setDMPermission(false)
 				.setDefaultMemberPermissions(PermissionFlagsBits.ManageGuild)
 				.addStringOption(option => option.setName("language")
 					.setDescription(client.translate("common:LANGUAGE"))
@@ -21,7 +22,7 @@ class Setlang extends BaseCommand {
 					)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true
+			ownerOnly: false
 		});
 	}
 	/**
diff --git a/commands/Administration/setmodlogs.js b/commands/Administration/setmodlogs.js
index 0fcc618e..903a8db5 100644
--- a/commands/Administration/setmodlogs.js
+++ b/commands/Administration/setmodlogs.js
@@ -11,6 +11,7 @@ class Setmodlogs extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("setmodlogs")
 				.setDescription(client.translate("administration/setmodlogs:DESCRIPTION"))
+				.setDMPermission(false)
 				.setDefaultMemberPermissions(PermissionFlagsBits.ManageGuild)
 				.addBooleanOption(option => option.setName("state")
 					.setDescription(client.translate("common:STATE"))
@@ -20,7 +21,7 @@ class Setmodlogs extends BaseCommand {
 					.addChannelTypes(ChannelType.GuildText)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true
+			ownerOnly: false
 		});
 	}
 	/**
diff --git a/commands/Administration/setnews.js b/commands/Administration/setnews.js
index 920f4c8d..c13c6c55 100644
--- a/commands/Administration/setnews.js
+++ b/commands/Administration/setnews.js
@@ -11,6 +11,7 @@ class Setnews extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("setnews")
 				.setDescription(client.translate("administration/setnews:DESCRIPTION"))
+				.setDMPermission(false)
 				.setDefaultMemberPermissions(PermissionFlagsBits.ManageGuild)
 				.addBooleanOption(option => option.setName("state")
 					.setDescription(client.translate("common:STATE"))
@@ -20,7 +21,7 @@ class Setnews extends BaseCommand {
 					.addChannelTypes(ChannelType.GuildText)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true
+			ownerOnly: false
 		});
 	}
 	/**
diff --git a/commands/Administration/setreports.js b/commands/Administration/setreports.js
index 99fbd4da..02081461 100644
--- a/commands/Administration/setreports.js
+++ b/commands/Administration/setreports.js
@@ -11,6 +11,7 @@ class Setreports extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("setreports")
 				.setDescription(client.translate("administration/setreports:DESCRIPTION"))
+				.setDMPermission(false)
 				.setDefaultMemberPermissions(PermissionFlagsBits.ManageGuild)
 				.addBooleanOption(option => option.setName("state")
 					.setDescription(client.translate("common:STATE"))
@@ -20,7 +21,7 @@ class Setreports extends BaseCommand {
 					.addChannelTypes(ChannelType.GuildText)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true
+			ownerOnly: false
 		});
 	}
 	/**
diff --git a/commands/Administration/setsuggests.js b/commands/Administration/setsuggests.js
index 1af1f001..a0e32a99 100644
--- a/commands/Administration/setsuggests.js
+++ b/commands/Administration/setsuggests.js
@@ -11,6 +11,7 @@ class Setsuggests extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("setsuggests")
 				.setDescription(client.translate("administration/setsuggests:DESCRIPTION"))
+				.setDMPermission(false)
 				.setDefaultMemberPermissions(PermissionFlagsBits.ManageGuild)
 				.addBooleanOption(option => option.setName("state")
 					.setDescription(client.translate("common:STATE"))
@@ -20,7 +21,7 @@ class Setsuggests extends BaseCommand {
 					.addChannelTypes(ChannelType.GuildText)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true
+			ownerOnly: false
 		});
 	}
 	/**
diff --git a/commands/Administration/stealemoji.js b/commands/Administration/stealemoji.js
index 82bf1220..2fb38d57 100644
--- a/commands/Administration/stealemoji.js
+++ b/commands/Administration/stealemoji.js
@@ -11,13 +11,14 @@ class Stealemoji extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("stealemoji")
 				.setDescription(client.translate("administration/stealemoji:DESCRIPTION"))
+				.setDMPermission(false)
 				.setDefaultMemberPermissions(PermissionFlagsBits.ManageGuild)
 				.addStringOption(option => option.setName("emoji")
 					.setDescription(client.translate("common:EMOJI"))
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true
+			ownerOnly: false
 		});
 	}
 	/**
diff --git a/commands/Administration/welcome.js b/commands/Administration/welcome.js
index 37f9bae5..22ea2c09 100644
--- a/commands/Administration/welcome.js
+++ b/commands/Administration/welcome.js
@@ -11,6 +11,7 @@ class Welcome extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("welcome")
 				.setDescription(client.translate("administration/welcome:DESCRIPTION"))
+				.setDMPermission(false)
 				.setDefaultMemberPermissions(PermissionFlagsBits.ManageGuild)
 				.addSubcommand(subcommand => subcommand.setName("test")
 					.setDescription(client.translate("administration/goodbye:TEST"))
@@ -29,7 +30,7 @@ class Welcome extends BaseCommand {
 				),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true
+			ownerOnly: false
 		});
 	}
 	/**
diff --git a/commands/Economy/achievements.js b/commands/Economy/achievements.js
index 76403b8c..a8f8da36 100644
--- a/commands/Economy/achievements.js
+++ b/commands/Economy/achievements.js
@@ -11,11 +11,11 @@ class Achievements extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("achievements")
 				.setDescription(client.translate("economy/achievements:DESCRIPTION"))
+				.setDMPermission(false)
 				.addUserOption(option => option.setName("user")
 					.setDescription(client.translate("common:USER"))),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Economy/bank.js b/commands/Economy/bank.js
index 05fcec36..c9900881 100644
--- a/commands/Economy/bank.js
+++ b/commands/Economy/bank.js
@@ -11,6 +11,7 @@ class Bank extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("bank")
 				.setDescription(client.translate("economy/bank:DESCRIPTION"))
+				.setDMPermission(false)
 				.addStringOption(option => option.setName("option")
 					.setDescription(client.translate("economy/bank:OPTION"))
 					.setRequired(true)
@@ -23,7 +24,6 @@ class Bank extends BaseCommand {
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Economy/birthdate.js b/commands/Economy/birthdate.js
index 0d425772..2c53af5c 100644
--- a/commands/Economy/birthdate.js
+++ b/commands/Economy/birthdate.js
@@ -11,6 +11,7 @@ class Birthdate extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("birthdate")
 				.setDescription(client.translate("economy/birthdate:DESCRIPTION"))
+				.setDMPermission(false)
 				.addIntegerOption(option => option.setName("day")
 					.setDescription(client.translate("economy/birthdate:DAY"))
 					.setRequired(true))
@@ -36,7 +37,6 @@ class Birthdate extends BaseCommand {
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Economy/divorce.js b/commands/Economy/divorce.js
index d6645993..2885c44a 100644
--- a/commands/Economy/divorce.js
+++ b/commands/Economy/divorce.js
@@ -10,10 +10,10 @@ class Divorce extends BaseCommand {
 		super({
 			command: new SlashCommandBuilder()
 				.setName("divorce")
-				.setDescription(client.translate("economy/divorce:DESCRIPTION")),
+				.setDescription(client.translate("economy/divorce:DESCRIPTION"))
+				.setDMPermission(false),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Economy/importmee6.js b/commands/Economy/importmee6.js
index ebac4149..022abc7f 100644
--- a/commands/Economy/importmee6.js
+++ b/commands/Economy/importmee6.js
@@ -11,10 +11,10 @@ class ImportMee6 extends BaseCommand {
 		super({
 			command: new SlashCommandBuilder()
 				.setName("importmee6")
-				.setDescription(client.translate("economy/importmee6:DESCRIPTION")),
+				.setDescription(client.translate("economy/importmee6:DESCRIPTION"))
+				.setDMPermission(false),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Economy/leaderboard.js b/commands/Economy/leaderboard.js
index 40bde59a..363d6c4c 100644
--- a/commands/Economy/leaderboard.js
+++ b/commands/Economy/leaderboard.js
@@ -19,6 +19,7 @@ class Leaderboard extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("leaderboard")
 				.setDescription(client.translate("economy/leaderboard:DESCRIPTION"))
+				.setDMPermission(false)
 				.addStringOption(option => option.setName("type")
 					.setDescription(client.translate("owner/debug:TYPE"))
 					.setRequired(true)
@@ -29,7 +30,6 @@ class Leaderboard extends BaseCommand {
 					)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Economy/marry.js b/commands/Economy/marry.js
index 3fe1ffde..5f27cffb 100644
--- a/commands/Economy/marry.js
+++ b/commands/Economy/marry.js
@@ -12,12 +12,12 @@ class Marry extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("marry")
 				.setDescription(client.translate("economy/marry:DESCRIPTION"))
+				.setDMPermission(false)
 				.addUserOption(option => option.setName("user")
 					.setDescription(client.translate("common:USER"))
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Economy/money.js b/commands/Economy/money.js
index 5d165343..9fde6e72 100644
--- a/commands/Economy/money.js
+++ b/commands/Economy/money.js
@@ -19,11 +19,11 @@ class Money extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("money")
 				.setDescription(client.translate("economy/money:DESCRIPTION"))
+				.setDMPermission(false)
 				.addUserOption(option => option.setName("user")
 					.setDescription(client.translate("common:USER"))),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Economy/number.js b/commands/Economy/number.js
index 59d07032..f4239713 100644
--- a/commands/Economy/number.js
+++ b/commands/Economy/number.js
@@ -11,10 +11,10 @@ class Number extends BaseCommand {
 		super({
 			command: new SlashCommandBuilder()
 				.setName("number")
-				.setDescription(client.translate("economy/number:DESCRIPTION")),
+				.setDescription(client.translate("economy/number:DESCRIPTION"))
+				.setDMPermission(false),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Economy/pay.js b/commands/Economy/pay.js
index 1ff5e8db..7c6ec732 100644
--- a/commands/Economy/pay.js
+++ b/commands/Economy/pay.js
@@ -11,6 +11,7 @@ class Pay extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("pay")
 				.setDescription(client.translate("economy/pay:DESCRIPTION"))
+				.setDMPermission(false)
 				.addUserOption(option => option.setName("user")
 					.setDescription(client.translate("common:USER"))
 					.setRequired(true))
@@ -19,7 +20,6 @@ class Pay extends BaseCommand {
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Economy/profile.js b/commands/Economy/profile.js
index 8a81e9b2..29b0fb7f 100644
--- a/commands/Economy/profile.js
+++ b/commands/Economy/profile.js
@@ -19,11 +19,11 @@ class Profile extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("profile")
 				.setDescription(client.translate("economy/profile:DESCRIPTION"))
+				.setDMPermission(false)
 				.addUserOption(option => option.setName("user")
 					.setDescription(client.translate("common:USER"))),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Economy/rep.js b/commands/Economy/rep.js
index 202946b1..ee5a0c14 100644
--- a/commands/Economy/rep.js
+++ b/commands/Economy/rep.js
@@ -11,12 +11,12 @@ class Rep extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("rep")
 				.setDescription(client.translate("economy/rep:DESCRIPTION"))
+				.setDMPermission(false)
 				.addUserOption(option => option.setName("user")
 					.setDescription(client.translate("common:USER"))
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Economy/rob.js b/commands/Economy/rob.js
index 3e65de95..9acb7988 100644
--- a/commands/Economy/rob.js
+++ b/commands/Economy/rob.js
@@ -11,6 +11,7 @@ class Rob extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("rob")
 				.setDescription(client.translate("economy/rob:DESCRIPTION"))
+				.setDMPermission(false)
 				.addUserOption(option => option.setName("user")
 					.setDescription(client.translate("common:USER"))
 					.setRequired(true))
@@ -19,7 +20,6 @@ class Rob extends BaseCommand {
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Economy/setbio.js b/commands/Economy/setbio.js
index ec3246e2..ee457386 100644
--- a/commands/Economy/setbio.js
+++ b/commands/Economy/setbio.js
@@ -11,12 +11,12 @@ class Setbio extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("setbio")
 				.setDescription(client.translate("economy/setbio:DESCRIPTION"))
+				.setDMPermission(true)
 				.addStringOption(option => option.setName("text")
 					.setDescription(client.translate("economy/profile:BIO"))
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Economy/slots.js b/commands/Economy/slots.js
index 36d38da0..24bb0644 100644
--- a/commands/Economy/slots.js
+++ b/commands/Economy/slots.js
@@ -11,12 +11,12 @@ class Slots extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("slots")
 				.setDescription(client.translate("economy/slots:DESCRIPTION"))
+				.setDMPermission(false)
 				.addIntegerOption(option => option.setName("amount")
 					.setDescription(client.translate("common:INT"))
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Economy/tictactoe.js b/commands/Economy/tictactoe.js
index 41850320..65a6ac16 100644
--- a/commands/Economy/tictactoe.js
+++ b/commands/Economy/tictactoe.js
@@ -12,12 +12,12 @@ class TicTacToe extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("tictactoe")
 				.setDescription(client.translate("economy/tictactoe:DESCRIPTION"))
+				.setDMPermission(false)
 				.addUserOption(option => option.setName("user")
 					.setDescription(client.translate("common:USER"))
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Economy/transactions.js b/commands/Economy/transactions.js
index 08b7f377..57568606 100644
--- a/commands/Economy/transactions.js
+++ b/commands/Economy/transactions.js
@@ -11,11 +11,11 @@ class Transactions extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("transactions")
 				.setDescription(client.translate("economy/transactions:DESCRIPTION"))
+				.setDMPermission(false)
 				.addBooleanOption(option => option.setName("clear")
 					.setDescription(client.translate("economy/transactions:CLEAR"))),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Economy/work.js b/commands/Economy/work.js
index 6926b4ab..e10e2855 100644
--- a/commands/Economy/work.js
+++ b/commands/Economy/work.js
@@ -10,10 +10,10 @@ class Work extends BaseCommand {
 		super({
 			command: new SlashCommandBuilder()
 				.setName("work")
-				.setDescription(client.translate("economy/work:DESCRIPTION")),
+				.setDescription(client.translate("economy/work:DESCRIPTION"))
+				.setDMPermission(false),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Fun/8ball.js b/commands/Fun/8ball.js
index dc56c3fb..6a058b36 100644
--- a/commands/Fun/8ball.js
+++ b/commands/Fun/8ball.js
@@ -11,12 +11,12 @@ class Eightball extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("8ball")
 				.setDescription(client.translate("fun/8ball:DESCRIPTION"))
+				.setDMPermission(true)
 				.addStringOption(option => option.setName("question")
 					.setDescription(client.translate("fun/8ball:QUESTION"))
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Fun/crab.js b/commands/Fun/crab.js
index d7a89b8c..b8f02ed2 100644
--- a/commands/Fun/crab.js
+++ b/commands/Fun/crab.js
@@ -11,10 +11,10 @@ class Crab extends BaseCommand {
 		super({
 			command: new SlashCommandBuilder()
 				.setName("crab")
-				.setDescription(client.translate("fun/crab:DESCRIPTION")),
+				.setDescription(client.translate("fun/crab:DESCRIPTION"))
+				.setDMPermission(true),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Fun/lmgtfy.js b/commands/Fun/lmgtfy.js
index 37227755..ff8c8321 100644
--- a/commands/Fun/lmgtfy.js
+++ b/commands/Fun/lmgtfy.js
@@ -12,6 +12,7 @@ class LMGTFY extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("lmgtfy")
 				.setDescription(client.translate("fun/lmgtfy:DESCRIPTION"))
+				.setDMPermission(true)
 				.addStringOption(option => option.setName("query")
 					.setDescription(client.translate("fun/lmgtfy:QUERY"))
 					.setRequired(true))
@@ -20,7 +21,6 @@ class LMGTFY extends BaseCommand {
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Fun/lovecalc.js b/commands/Fun/lovecalc.js
index a5d41144..4a92eb35 100644
--- a/commands/Fun/lovecalc.js
+++ b/commands/Fun/lovecalc.js
@@ -12,6 +12,7 @@ class Lovecalc extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("lovecalc")
 				.setDescription(client.translate("fun/lovecalc:DESCRIPTION"))
+				.setDMPermission(false)
 				.addUserOption(option =>
 					option.setName("first_member")
 						.setDescription(client.translate("common:USER"))
@@ -21,7 +22,6 @@ class Lovecalc extends BaseCommand {
 						.setDescription(client.translate("common:USER"))),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Fun/memes.js b/commands/Fun/memes.js
index cce63dab..c0af1d98 100644
--- a/commands/Fun/memes.js
+++ b/commands/Fun/memes.js
@@ -11,10 +11,10 @@ class Memes extends BaseCommand {
 		super({
 			command: new SlashCommandBuilder()
 				.setName("memes")
-				.setDescription(client.translate("fun/memes:DESCRIPTION")),
+				.setDescription(client.translate("fun/memes:DESCRIPTION"))
+				.setDMPermission(false),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: false,
 			ownerOnly: false
 		});
 	}
@@ -49,13 +49,14 @@ class Memes extends BaseCommand {
 					.addOptions(tags)
 			);
 
-		await interaction.editReply({
+		const msg = await interaction.editReply({
 			content: interaction.translate("common:AVAILABLE_OPTIONS"),
+			fetchReply: true,
 			components: [row]
 		});
 
 		const filter = i => i.user.id === interaction.user.id;
-		const collector = interaction.channel.createMessageComponentCollector({ filter, idle: (2 * 60 * 1000) });
+		const collector = msg.createMessageComponentCollector({ filter, idle: (2 * 60 * 1000) });
 
 		collector.on("collect", async i => {
 			if (i.isSelectMenu() && i.customId === "memes_select") {
diff --git a/commands/General/activity.js b/commands/General/activity.js
index d25d567a..7f35e6d4 100644
--- a/commands/General/activity.js
+++ b/commands/General/activity.js
@@ -11,10 +11,10 @@ class Activity extends BaseCommand {
 		super({
 			command: new SlashCommandBuilder()
 				.setName("activity")
-				.setDescription(client.translate("general/activity:DESCRIPTION")),
+				.setDescription(client.translate("general/activity:DESCRIPTION"))
+				.setDMPermission(false),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/afk.js b/commands/General/afk.js
index 70162a80..21c1893d 100644
--- a/commands/General/afk.js
+++ b/commands/General/afk.js
@@ -11,12 +11,12 @@ class Afk extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("afk")
 				.setDescription(client.translate("general/afk:DESCRIPTION"))
+				.setDMPermission(true)
 				.addStringOption(option => option.setName("message")
 					.setDescription(client.translate("common:MESSAGE"))
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/avatar.js b/commands/General/avatar.js
index a400a772..a90eb7ac 100644
--- a/commands/General/avatar.js
+++ b/commands/General/avatar.js
@@ -11,11 +11,11 @@ class Avatar extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("avatar")
 				.setDescription(client.translate("general/avatar:DESCRIPTION"))
+				.setDMPermission(true)
 				.addUserOption(option => option.setName("user")
 					.setDescription(client.translate("common:USER"))),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/emoji.js b/commands/General/emoji.js
index 1372b663..42f49e5f 100644
--- a/commands/General/emoji.js
+++ b/commands/General/emoji.js
@@ -11,12 +11,12 @@ class Emoji extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("emoji")
 				.setDescription(client.translate("general/emoji:DESCRIPTION"))
+				.setDMPermission(true)
 				.addStringOption(option => option.setName("emoji")
 					.setDescription(client.translate("common:EMOJI"))
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/help.js b/commands/General/help.js
index a1c463b8..d6726fa4 100644
--- a/commands/General/help.js
+++ b/commands/General/help.js
@@ -11,12 +11,12 @@ class Help extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("help")
 				.setDescription(client.translate("general/help:DESCRIPTION"))
+				.setDMPermission(true)
 				.addStringOption(option =>
 					option.setName("command")
 						.setDescription(client.translate("owner/reload:COMMAND"))),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/minecraft.js b/commands/General/minecraft.js
index 890f7430..19e724f5 100644
--- a/commands/General/minecraft.js
+++ b/commands/General/minecraft.js
@@ -12,12 +12,12 @@ class Minecraft extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("minecraft")
 				.setDescription(client.translate("general/minecraft:DESCRIPTION"))
+				.setDMPermission(true)
 				.addStringOption(option => option.setName("ip")
 					.setDescription(client.translate("common:IP"))
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/ping.js b/commands/General/ping.js
index e50a1662..b90b7cfe 100644
--- a/commands/General/ping.js
+++ b/commands/General/ping.js
@@ -10,10 +10,10 @@ class Ping extends BaseCommand {
 		super({
 			command: new SlashCommandBuilder()
 				.setName("ping")
-				.setDescription(client.translate("general/ping:DESCRIPTION")),
+				.setDescription(client.translate("general/ping:DESCRIPTION"))
+				.setDMPermission(true),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/remindme.js b/commands/General/remindme.js
index f500e90e..f0888886 100644
--- a/commands/General/remindme.js
+++ b/commands/General/remindme.js
@@ -13,6 +13,7 @@ class Remindme extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("remindme")
 				.setDescription(client.translate("general/remindme:DESCRIPTION"))
+				.setDMPermission(true)
 				.addStringOption(option => option.setName("time")
 					.setDescription(client.translate("owner/remindme:TIME"))
 					.setRequired(true))
@@ -21,7 +22,6 @@ class Remindme extends BaseCommand {
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/report.js b/commands/General/report.js
index 1fde346f..92393284 100644
--- a/commands/General/report.js
+++ b/commands/General/report.js
@@ -11,6 +11,7 @@ class Report extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("report")
 				.setDescription(client.translate("general/report:DESCRIPTION"))
+				.setDMPermission(false)
 				.addUserOption(option => option.setName("user")
 					.setDescription(client.translate("common:USER"))
 					.setRequired(true))
@@ -19,7 +20,6 @@ class Report extends BaseCommand {
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/serverinfo.js b/commands/General/serverinfo.js
index 7a39b8c5..6798e7fc 100644
--- a/commands/General/serverinfo.js
+++ b/commands/General/serverinfo.js
@@ -10,10 +10,10 @@ class Serverinfo extends BaseCommand {
 		super({
 			command: new SlashCommandBuilder()
 				.setName("serverinfo")
-				.setDescription(client.translate("general/serverinfo:DESCRIPTION")),
+				.setDescription(client.translate("general/serverinfo:DESCRIPTION"))
+				.setDMPermission(false),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/shorturl.js b/commands/General/shorturl.js
index 6dbd624a..b4adc1b9 100644
--- a/commands/General/shorturl.js
+++ b/commands/General/shorturl.js
@@ -12,12 +12,12 @@ class Shorturl extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("shorturl")
 				.setDescription(client.translate("general/shorturl:DESCRIPTION"))
+				.setDMPermission(true)
 				.addStringOption(option => option.setName("url")
 					.setDescription(client.translate("general/shorturl:URL"))
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/staff.js b/commands/General/staff.js
index a9947193..621ea3c4 100644
--- a/commands/General/staff.js
+++ b/commands/General/staff.js
@@ -10,10 +10,10 @@ class Staff extends BaseCommand {
 		super({
 			command: new SlashCommandBuilder()
 				.setName("staff")
-				.setDescription(client.translate("general/staff:DESCRIPTION")),
+				.setDescription(client.translate("general/staff:DESCRIPTION"))
+				.setDMPermission(false),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/stats.js b/commands/General/stats.js
index d423f8dc..0800e713 100644
--- a/commands/General/stats.js
+++ b/commands/General/stats.js
@@ -11,10 +11,10 @@ class Stats extends BaseCommand {
 		super({
 			command: new SlashCommandBuilder()
 				.setName("stats")
-				.setDescription(client.translate("general/stats:DESCRIPTION")),
+				.setDescription(client.translate("general/stats:DESCRIPTION"))
+				.setDMPermission(true),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/suggest.js b/commands/General/suggest.js
index 77ec155c..af0f0dbf 100644
--- a/commands/General/suggest.js
+++ b/commands/General/suggest.js
@@ -11,12 +11,12 @@ class Suggest extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("suggest")
 				.setDescription(client.translate("general/suggest:DESCRIPTION"))
+				.setDMPermission(false)
 				.addStringOption(option => option.setName("message")
 					.setDescription(client.translate("common:MESSAGE"))
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/userinfo.js b/commands/General/userinfo.js
index cb0e7225..57f28728 100644
--- a/commands/General/userinfo.js
+++ b/commands/General/userinfo.js
@@ -11,11 +11,11 @@ class Userinfo extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("userinfo")
 				.setDescription(client.translate("general/userinfo:DESCRIPTION"))
+				.setDMPermission(false)
 				.addUserOption(option => option.setName("user")
 					.setDescription(client.translate("common:USER"))),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/General/whois.js b/commands/General/whois.js
index a65181b7..76de6598 100644
--- a/commands/General/whois.js
+++ b/commands/General/whois.js
@@ -12,12 +12,12 @@ class Whois extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("whois")
 				.setDescription(client.translate("general/whois:DESCRIPTION"))
+				.setDMPermission(true)
 				.addStringOption(option => option.setName("ip")
 					.setDescription(client.translate("common:IP"))
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: false,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Moderation/clear.js b/commands/Moderation/clear.js
index 0c4d8423..78b7ca1c 100644
--- a/commands/Moderation/clear.js
+++ b/commands/Moderation/clear.js
@@ -11,6 +11,7 @@ class Clear extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("clear")
 				.setDescription(client.translate("moderation/clear:DESCRIPTION"))
+				.setDMPermission(false)
 				.setDefaultMemberPermissions(PermissionFlagsBits.ModerateMembers && PermissionFlagsBits.ManageMessages)
 				.addStringOption(option => option.setName("option")
 					.setDescription(client.translate("moderation/clear:OPTION"))
@@ -19,7 +20,7 @@ class Clear extends BaseCommand {
 					.setDescription(client.translate("common:USER"))),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true
+			ownerOnly: false
 		});
 	}
 	/**
diff --git a/commands/Moderation/clearwarns.js b/commands/Moderation/clearwarns.js
index 7817e83e..80f6db2b 100644
--- a/commands/Moderation/clearwarns.js
+++ b/commands/Moderation/clearwarns.js
@@ -11,13 +11,14 @@ class Clearwarns extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("clearwarns")
 				.setDescription(client.translate("moderation/clearwarns:DESCRIPTION"))
+				.setDMPermission(false)
 				.setDefaultMemberPermissions(PermissionFlagsBits.ModerateMembers && PermissionFlagsBits.ManageMessages)
 				.addUserOption(option => option.setName("user")
 					.setDescription(client.translate("common:USER"))
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true
+			ownerOnly: false
 		});
 	}
 	/**
diff --git a/commands/Moderation/giveaway.js b/commands/Moderation/giveaway.js
index 856da26e..2300734a 100644
--- a/commands/Moderation/giveaway.js
+++ b/commands/Moderation/giveaway.js
@@ -12,6 +12,7 @@ class Giveaway extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("giveaway")
 				.setDescription(client.translate("moderation/giveaway:DESCRIPTION"))
+				.setDMPermission(false)
 				.setDefaultMemberPermissions(PermissionFlagsBits.ModerateMembers && PermissionFlagsBits.ManageMessages)
 				.addSubcommand(subcommand => subcommand.setName("create")
 					.setDescription(client.translate("moderation/giveaway:CREATE"))
@@ -48,7 +49,7 @@ class Giveaway extends BaseCommand {
 				),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true
+			ownerOnly: false
 		});
 	}
 	/**
diff --git a/commands/Moderation/poll.js b/commands/Moderation/poll.js
index b14154da..d4f27050 100644
--- a/commands/Moderation/poll.js
+++ b/commands/Moderation/poll.js
@@ -11,13 +11,14 @@ class Poll extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("poll")
 				.setDescription(client.translate("moderation/poll:DESCRIPTION"))
+				.setDMPermission(false)
 				.setDefaultMemberPermissions(PermissionFlagsBits.ModerateMembers && PermissionFlagsBits.ManageMessages)
 				.addStringOption(option => option.setName("question")
 					.setDescription(client.translate("moderation/poll:QUESTION"))
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true
+			ownerOnly: false
 		});
 	}
 	/**
diff --git a/commands/Moderation/unban.js b/commands/Moderation/unban.js
index 11d7b9b4..89804c59 100644
--- a/commands/Moderation/unban.js
+++ b/commands/Moderation/unban.js
@@ -11,13 +11,14 @@ class Unban extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("unban")
 				.setDescription(client.translate("moderation/unban:DESCRIPTION"))
+				.setDMPermission(false)
 				.setDefaultMemberPermissions(PermissionFlagsBits.ModerateMembers && PermissionFlagsBits.ManageMessages)
 				.addStringOption(option => option.setName("user_id")
 					.setDescription(client.translate("moderation/unban:ID"))
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true
+			ownerOnly: false
 		});
 	}
 	/**
diff --git a/commands/Moderation/warn.js b/commands/Moderation/warn.js
index 4bd07df4..9760ab0e 100644
--- a/commands/Moderation/warn.js
+++ b/commands/Moderation/warn.js
@@ -11,10 +11,11 @@ class Warn extends BaseCommand {
 			command: new ContextMenuCommandBuilder()
 				.setName("warn")
 				.setType(ApplicationCommandType.User)
+				.setDMPermission(false)
 				.setDefaultMemberPermissions(PermissionFlagsBits.ModerateMembers && PermissionFlagsBits.ManageMessages),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true
+			ownerOnly: false
 		});
 	}
 	/**
diff --git a/commands/Moderation/warns.js b/commands/Moderation/warns.js
index 3efb9f99..ab897374 100644
--- a/commands/Moderation/warns.js
+++ b/commands/Moderation/warns.js
@@ -11,13 +11,14 @@ class Warns extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("warns")
 				.setDescription(client.translate("moderation/warns:DESCRIPTION"))
+				.setDMPermission(false)
 				.setDefaultMemberPermissions(PermissionFlagsBits.ModerateMembers && PermissionFlagsBits.ManageMessages)
 				.addUserOption(option => option.setName("user")
 					.setDescription(client.translate("common:USER"))
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true
+			ownerOnly: false
 		});
 	}
 	/**
diff --git a/commands/Music/back.js b/commands/Music/back.js
index b46212f7..b9f6db07 100644
--- a/commands/Music/back.js
+++ b/commands/Music/back.js
@@ -10,10 +10,10 @@ class Back extends BaseCommand {
 		super({
 			command: new SlashCommandBuilder()
 				.setName("back")
-				.setDescription(client.translate("music/back:DESCRIPTION")),
+				.setDescription(client.translate("music/back:DESCRIPTION"))
+				.setDMPermission(false),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Music/clips.js b/commands/Music/clips.js
index 4e3abef5..c328b2af 100644
--- a/commands/Music/clips.js
+++ b/commands/Music/clips.js
@@ -12,10 +12,10 @@ class Clips extends BaseCommand {
 		super({
 			command: new SlashCommandBuilder()
 				.setName("clips")
-				.setDescription(client.translate("music/clips:DESCRIPTION")),
+				.setDescription(client.translate("music/clips:DESCRIPTION"))
+				.setDMPermission(false),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Music/loop.js b/commands/Music/loop.js
index 135ae411..eab0494f 100644
--- a/commands/Music/loop.js
+++ b/commands/Music/loop.js
@@ -12,6 +12,7 @@ class Loop extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("loop")
 				.setDescription(client.translate("music/loop:DESCRIPTION"))
+				.setDMPermission(false)
 				.addStringOption(option => option.setName("option")
 					.setDescription(client.translate("economy/bank:OPTION"))
 					.setRequired(true)
@@ -23,7 +24,6 @@ class Loop extends BaseCommand {
 					)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Music/nowplaying.js b/commands/Music/nowplaying.js
index ae6797f2..0f992ebb 100644
--- a/commands/Music/nowplaying.js
+++ b/commands/Music/nowplaying.js
@@ -11,10 +11,10 @@ class Nowplaying extends BaseCommand {
 		super({
 			command: new SlashCommandBuilder()
 				.setName("nowplaying")
-				.setDescription(client.translate("music/nowplaying:DESCRIPTION")),
+				.setDescription(client.translate("music/nowplaying:DESCRIPTION"))
+				.setDMPermission(false),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Music/play.js b/commands/Music/play.js
index ad04fa25..23354441 100644
--- a/commands/Music/play.js
+++ b/commands/Music/play.js
@@ -12,12 +12,12 @@ class Play extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("play")
 				.setDescription(client.translate("music/play:DESCRIPTION"))
+				.setDMPermission(false)
 				.addStringOption(option => option.setName("query")
 					.setDescription(client.translate("music/play:QUERY"))
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Music/queue.js b/commands/Music/queue.js
index 9497eba2..54b63057 100644
--- a/commands/Music/queue.js
+++ b/commands/Music/queue.js
@@ -11,10 +11,10 @@ class Queue extends BaseCommand {
 		super({
 			command: new SlashCommandBuilder()
 				.setName("queue")
-				.setDescription(client.translate("music/queue:DESCRIPTION")),
+				.setDescription(client.translate("music/queue:DESCRIPTION"))
+				.setDMPermission(false),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Music/shuffle.js b/commands/Music/shuffle.js
index 05342315..ae0c8faa 100644
--- a/commands/Music/shuffle.js
+++ b/commands/Music/shuffle.js
@@ -10,10 +10,10 @@ class Shuffle extends BaseCommand {
 		super({
 			command: new SlashCommandBuilder()
 				.setName("shuffle")
-				.setDescription(client.translate("music/shuffle:DESCRIPTION")),
+				.setDescription(client.translate("music/shuffle:DESCRIPTION"))
+				.setDMPermission(false),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Music/skip.js b/commands/Music/skip.js
index 02c51f3f..e35644fd 100644
--- a/commands/Music/skip.js
+++ b/commands/Music/skip.js
@@ -10,10 +10,10 @@ class Skip extends BaseCommand {
 		super({
 			command: new SlashCommandBuilder()
 				.setName("skip")
-				.setDescription(client.translate("music/skip:DESCRIPTION")),
+				.setDescription(client.translate("music/skip:DESCRIPTION"))
+				.setDMPermission(false),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Music/skipto.js b/commands/Music/skipto.js
index 96bcea7d..6e02f341 100644
--- a/commands/Music/skipto.js
+++ b/commands/Music/skipto.js
@@ -11,12 +11,12 @@ class Skipto extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("skipto")
 				.setDescription(client.translate("music/skipto:DESCRIPTION"))
+				.setDMPermission(false)
 				.addIntegerOption(option => option.setName("position")
 					.setDescription(client.translate("music/skipto:POSITION"))
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/Music/stop.js b/commands/Music/stop.js
index 581878ad..7d259226 100644
--- a/commands/Music/stop.js
+++ b/commands/Music/stop.js
@@ -10,10 +10,10 @@ class Stop extends BaseCommand {
 		super({
 			command: new SlashCommandBuilder()
 				.setName("stop")
-				.setDescription(client.translate("music/stop:DESCRIPTION")),
+				.setDescription(client.translate("music/stop:DESCRIPTION"))
+				.setDMPermission(false),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
diff --git a/commands/NSFW/nsfw.js b/commands/NSFW/nsfw.js
index 74700372..40f14942 100644
--- a/commands/NSFW/nsfw.js
+++ b/commands/NSFW/nsfw.js
@@ -11,10 +11,10 @@ class NSFW extends BaseCommand {
 		super({
 			command: new SlashCommandBuilder()
 				.setName("nsfw")
-				.setDescription(client.translate("nsfw/nsfw:DESCRIPTION")),
+				.setDescription(client.translate("nsfw/nsfw:DESCRIPTION"))
+				.setDMPermission(true),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: false
 		});
 	}
@@ -34,7 +34,7 @@ class NSFW extends BaseCommand {
 	async execute(client, interaction) {
 		await interaction.deferReply({ ephemeral: true });
 
-		if (!interaction.channel.nsfw) return interaction.replyT("misc:NSFW_COMMAND", null, { ephemeral: true, edit: true });
+		if ((interaction.guildId && !interaction.channel.nsfw)) return interaction.replyT("misc:NSFW_COMMAND", null, { ephemeral: true, edit: true });
 
 		const tags = ["hentai", "ecchi", "lewdanimegirls", "hentaifemdom", "animefeets", "animebooty", "biganimetiddies", "sideoppai", "ahegao"].map(tag =>
 			JSON.parse(JSON.stringify({
@@ -51,14 +51,15 @@ class NSFW extends BaseCommand {
 					.addOptions(tags)
 			);
 
-		await interaction.editReply({
+		const msg = await interaction.editReply({
 			content: interaction.translate("common:AVAILABLE_OPTIONS"),
 			ephemeral: true,
+			fetchReply: true,
 			components: [row]
 		});
 
 		const filter = i => i.user.id === interaction.user.id;
-		const collector = interaction.channel.createMessageComponentCollector({ filter, idle: (2 * 60 * 1000) });
+		const collector = msg.createMessageComponentCollector({ filter, idle: (2 * 60 * 1000) });
 
 		collector.on("collect", async i => {
 			if (i.isSelectMenu() && i.customId === "nsfw_select") {
diff --git a/commands/Owner/announcement.js b/commands/Owner/announcement.js
index 83ac9010..b280926a 100644
--- a/commands/Owner/announcement.js
+++ b/commands/Owner/announcement.js
@@ -11,6 +11,7 @@ class Announcement extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("announcement")
 				.setDescription(client.translate("owner/announcement:DESCRIPTION"))
+				.setDMPermission(true)
 				.addStringOption(option => option.setName("message")
 					.setDescription(client.translate("common:MESSAGE"))
 					.setRequired(true))
@@ -19,7 +20,6 @@ class Announcement extends BaseCommand {
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: false,
 			ownerOnly: true
 		});
 	}
diff --git a/commands/Owner/debug.js b/commands/Owner/debug.js
index 6b6cf5d0..1dab6793 100644
--- a/commands/Owner/debug.js
+++ b/commands/Owner/debug.js
@@ -11,6 +11,7 @@ class Debug extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("debug")
 				.setDescription(client.translate("owner/debug:DESCRIPTION"))
+				.setDMPermission(false)
 				.addSubcommand(subcommand => subcommand.setName("set")
 					.setDescription(client.translate("owner/debug:SET"))
 					.addStringOption(option => option.setName("type")
@@ -51,7 +52,6 @@ class Debug extends BaseCommand {
 				),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: true
 		});
 	}
diff --git a/commands/Owner/eval.js b/commands/Owner/eval.js
index c70d7228..da18b8f3 100644
--- a/commands/Owner/eval.js
+++ b/commands/Owner/eval.js
@@ -11,12 +11,12 @@ class Eval extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("eval")
 				.setDescription(client.translate("owner/eval:DESCRIPTION"))
+				.setDMPermission(true)
 				.addStringOption(option => option.setName("code")
 					.setDescription(client.translate("owner/eval:CODE"))
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: false,
 			ownerOnly: true
 		});
 	}
diff --git a/commands/Owner/reload.js b/commands/Owner/reload.js
index e57671ee..d1d096b5 100644
--- a/commands/Owner/reload.js
+++ b/commands/Owner/reload.js
@@ -13,12 +13,12 @@ class Reload extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("reload")
 				.setDescription(client.translate("owner/reload:DESCRIPTION"))
+				.setDMPermission(true)
 				.addStringOption(option => option.setName("command")
 					.setDescription(client.translate("owner/reload:COMMAND"))
 					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: false,
 			ownerOnly: true
 		});
 	}
diff --git a/commands/Owner/say.js b/commands/Owner/say.js
index 41df8370..98faefc0 100644
--- a/commands/Owner/say.js
+++ b/commands/Owner/say.js
@@ -11,6 +11,7 @@ class Say extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("say")
 				.setDescription(client.translate("owner/say:DESCRIPTION"))
+				.setDMPermission(false)
 				.addStringOption(option => option.setName("message")
 					.setDescription(client.translate("common:MESSAGE"))
 					.setRequired(true))
@@ -18,7 +19,6 @@ class Say extends BaseCommand {
 					.setDescription(client.translate("common:CHANNEL"))),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: true,
 			ownerOnly: true
 		});
 	}
diff --git a/commands/Owner/servers.js b/commands/Owner/servers.js
index 07a9bc0a..f880f15f 100644
--- a/commands/Owner/servers.js
+++ b/commands/Owner/servers.js
@@ -10,10 +10,10 @@ class Servers extends BaseCommand {
 		super({
 			command: new SlashCommandBuilder()
 				.setName("servers")
-				.setDescription(client.translate("owner/servers:DESCRIPTION")),
+				.setDescription(client.translate("owner/servers:DESCRIPTION"))
+				.setDMPermission(true),
 			aliases: [],
 			dirname: __dirname,
-			guildOnly: false,
 			ownerOnly: true
 		});
 	}
@@ -56,14 +56,15 @@ class Servers extends BaseCommand {
 					.setEmoji("⏹️"),
 			);
 
-		await interaction.editReply({
+		const msg = await interaction.editReply({
 			content: `${interaction.translate("common:PAGE")}: **${currentPage + 1}**/**${embeds.length}**`,
+			fetchReply: true,
 			embeds: [embeds[currentPage]],
 			components: [row]
 		});
 
 		const filter = i => i.user.id === interaction.user.id;
-		const collector = interaction.channel.createMessageComponentCollector({ filter, idle: (20 * 1000) });
+		const collector = msg.createMessageComponentCollector({ filter, idle: (20 * 1000) });
 
 		collector.on("collect", async i => {
 			if (i.isButton()) {
diff --git a/dashboard/public/docs/updates.md b/dashboard/public/docs/updates.md
index 1bac1d24..55438bfa 100644
--- a/dashboard/public/docs/updates.md
+++ b/dashboard/public/docs/updates.md
@@ -1,3 +1,10 @@
+### JaBa v4.1.11
+* Изменения
+	* Команды которые нельзя использовать в ЛС с ботом не будут там отображаться.
+
+* Исправления
+	* Переписаны команды *nsfw* и *memes* для работы в ЛС с ботом.
+
 ### JaBa v4.1.10
 * Добавлено
 	* Команда *shuffle* - Перемешать очередь.
diff --git a/package.json b/package.json
index 5d47866b..062d6d46 100644
--- a/package.json
+++ b/package.json
@@ -1,6 +1,6 @@
 {
     "name": "jaba",
-    "version": "4.1.10",
+    "version": "4.1.11",
     "description": "My Discord Bot",
     "main": "index.js",
     "private": true,

From 192480cdbd4ce6c7467d9be6fd06364322004f4c Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Thu, 13 Oct 2022 00:10:08 +0500
Subject: [PATCH 38/47] =?UTF-8?q?=D0=A4=D0=B8=D0=BA=D1=81?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 commands/General/help.js | 2 +-
 1 file changed, 1 insertion(+), 1 deletion(-)

diff --git a/commands/General/help.js b/commands/General/help.js
index d6726fa4..17b6b66a 100644
--- a/commands/General/help.js
+++ b/commands/General/help.js
@@ -50,7 +50,7 @@ class Help extends BaseCommand {
 
 		commands.forEach(c => {
 			if (!categories.includes(c.category)) {
-				if (c.category === "Owner" && interaction.member.id !== client.config.owner.id) return;
+				if (c.category === "Owner" && interaction.user.id !== client.config.owner.id) return;
 				categories.push(c.category);
 			}
 		});

From fbef5c76bc4a9a401f683baad5757cc971e46455 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Thu, 13 Oct 2022 00:11:31 +0500
Subject: [PATCH 39/47] =?UTF-8?q?=D0=95=D1=89=D1=91=20=D0=BE=D0=B4=D0=B8?=
 =?UTF-8?q?=D0=BD=20=D1=84=D0=B8=D0=BA=D1=81?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 commands/General/help.js | 5 +++--
 1 file changed, 3 insertions(+), 2 deletions(-)

diff --git a/commands/General/help.js b/commands/General/help.js
index 17b6b66a..eda74b1e 100644
--- a/commands/General/help.js
+++ b/commands/General/help.js
@@ -70,13 +70,14 @@ class Help extends BaseCommand {
 					.addOptions(categoriesRows)
 			);
 
-		await interaction.editReply({
+		const msg = await interaction.editReply({
 			content: interaction.translate("common:AVAILABLE_OPTIONS"),
+			fetchReply: true,
 			components: [row]
 		});
 
 		const filter = i => i.user.id === interaction.user.id;
-		const collector = interaction.channel.createMessageComponentCollector({ filter, idle: (15 * 1000) });
+		const collector = msg.createMessageComponentCollector({ filter, idle: (15 * 1000) });
 
 		collector.on("collect", async i => {
 			if (i.isSelectMenu() && (i.customId === "help_category_select" || i.customId === "help_commands_select")) {

From e831a0eb761685ff29781bf6fbdd2df256104103 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Thu, 13 Oct 2022 00:16:39 +0500
Subject: [PATCH 40/47] =?UTF-8?q?=D0=9F=D1=80=D0=B0=D0=B2=D0=B8=D0=BB?=
 =?UTF-8?q?=D1=8C=D0=BD=D0=B0=D1=8F=20=D1=81=D0=BE=D1=80=D1=82=D0=B8=D1=80?=
 =?UTF-8?q?=D0=BE=D0=B2=D0=BA=D0=B0=20=D1=81=D0=B5=D1=80=D0=B2=D0=B5=D1=80?=
 =?UTF-8?q?=D0=BE=D0=B2=3F?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 commands/Owner/servers.js | 10 +---------
 1 file changed, 1 insertion(+), 9 deletions(-)

diff --git a/commands/Owner/servers.js b/commands/Owner/servers.js
index f880f15f..944474bb 100644
--- a/commands/Owner/servers.js
+++ b/commands/Owner/servers.js
@@ -151,7 +151,7 @@ function generateServersEmbeds(interaction, servers) {
 	let k = 10;
 
 	for (let i = 0; i < servers.size; i += 10) {
-		const current = servers.map(g => g).slice(i, k).sort((a, b) => b.memberCount - a.memberCount);
+		const current = servers.sort((a, b) => b.memberCount - a.memberCount).map(g => g).slice(i, k);
 		let j = i;
 		k += 10;
 
@@ -171,12 +171,4 @@ function generateServersEmbeds(interaction, servers) {
 	return embeds;
 }
 
-// `${interaction.translate("common:SERVERS")}: ${interaction.client.guilds.cache.size}\n\n` +
-// 	interaction.client.guilds.cache
-// 		.sort((a, b) => b.memberCount - a.memberCount)
-// 		.map(g => g)
-// 		.map((g, i) => `${i + 1}. ${g.name} | ${g.memberCount} ${interaction.client.getNoun(g.memberCount, interaction.translate("misc:NOUNS:MEMBERS:1"), interaction.translate("misc:NOUNS:MEMBERS:2"), interaction.translate("misc:NOUNS:MEMBERS:5"))}`)
-// 		.slice(i, k)
-// 		.join("\n")
-
 module.exports = Servers;
\ No newline at end of file

From 6b95a2c8a3bb6f8991715003f0312bf282d8cb0d Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Fri, 14 Oct 2022 20:40:37 +0500
Subject: [PATCH 41/47] =?UTF-8?q?=D0=A4=D0=B8=D0=BA=D1=81=20=D1=80=D0=B0?=
 =?UTF-8?q?=D0=BD=D0=B4=D0=BE=D0=BC=D0=BD=D0=BE=D0=B9=20=D0=BE=D1=88=D0=B8?=
 =?UTF-8?q?=D0=B1=D0=BA=D0=B8?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 events/CommandHandler.js | 3 ++-
 1 file changed, 2 insertions(+), 1 deletion(-)

diff --git a/events/CommandHandler.js b/events/CommandHandler.js
index 92a908b6..d24d722f 100644
--- a/events/CommandHandler.js
+++ b/events/CommandHandler.js
@@ -46,7 +46,8 @@ class CommandHandler extends BaseEvent {
 			userData.achievements.firstCommand.achieved = true;
 			userData.markModified("achievements.firstCommand");
 			await userData.save();
-			await interaction.followUp({
+			await interaction.channel.send({
+				content: interaction.user.toString(),
 				files: [{
 					name: "achievement_unlocked2.png",
 					attachment: "./assets/img/achievements/achievement_unlocked2.png"

From 7a3fa0bea5244a8bc409344698d0541e70f9c4c3 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Sat, 29 Oct 2022 20:45:04 +0500
Subject: [PATCH 42/47] v4.1.12 - https://github.com/JonnyBro/JaBa-logs

---
 commands/Music/play.js           |  8 +++----
 dashboard/public/docs/updates.md |  4 ++++
 package-lock.json                | 39 ++++++++++++++++++++++++--------
 package.json                     |  4 ++--
 4 files changed, 39 insertions(+), 16 deletions(-)

diff --git a/commands/Music/play.js b/commands/Music/play.js
index 23354441..7e4b897c 100644
--- a/commands/Music/play.js
+++ b/commands/Music/play.js
@@ -1,5 +1,4 @@
-const { SlashCommandBuilder, EmbedBuilder, ActionRowBuilder, ButtonBuilder, ButtonStyle, PermissionsBitField } = require("discord.js"),
-	{ QueryType } = require("discord-player-play-dl");
+const { SlashCommandBuilder, EmbedBuilder, ActionRowBuilder, ButtonBuilder, ButtonStyle, PermissionsBitField } = require("discord.js");
 const BaseCommand = require("../../base/BaseCommand");
 
 class Play extends BaseCommand {
@@ -45,8 +44,7 @@ class Play extends BaseCommand {
 
 		try {
 			var searchResult = await client.player.search(query, {
-				requestedBy: interaction.user,
-				searchEngine: QueryType.AUTO
+				requestedBy: interaction.user
 			});
 
 			if (!searchResult.tracks[0] || !searchResult)
@@ -194,7 +192,7 @@ class Play extends BaseCommand {
 							components: [row1, row2, row3]
 						});
 
-						collector.end();
+						collector.stop();
 						return;
 					}
 				}
diff --git a/dashboard/public/docs/updates.md b/dashboard/public/docs/updates.md
index 55438bfa..76c7daae 100644
--- a/dashboard/public/docs/updates.md
+++ b/dashboard/public/docs/updates.md
@@ -1,3 +1,7 @@
+### JaBa v4.1.12
+* Исправления
+	* Временный фикс поиска по ссылкам пока официальный модуль не обновился.
+
 ### JaBa v4.1.11
 * Изменения
 	* Команды которые нельзя использовать в ЛС с ботом не будут там отображаться.
diff --git a/package-lock.json b/package-lock.json
index 08278862..564e3c06 100644
--- a/package-lock.json
+++ b/package-lock.json
@@ -1,12 +1,12 @@
 {
     "name": "jaba",
-    "version": "4.1.4",
+    "version": "4.1.12",
     "lockfileVersion": 2,
     "requires": true,
     "packages": {
         "": {
             "name": "jaba",
-            "version": "4.1.4",
+            "version": "4.1.12",
             "license": "ISC",
             "dependencies": {
                 "@discord-player/extractor": "^3.0.2",
@@ -20,7 +20,7 @@
                 "cron": "^2.1.0",
                 "discord-api-types": "^0.37.5",
                 "discord-giveaways": "^6.0.1",
-                "discord-player-play-dl": "^5.3.6",
+                "discord-player-play-dl": "^5.3.7",
                 "discord.js": "^14.3.0",
                 "ejs": "^3.1.3",
                 "express": "^4.17.1",
@@ -1480,13 +1480,14 @@
             }
         },
         "node_modules/discord-player-play-dl": {
-            "version": "5.3.6",
-            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.6.tgz",
-            "integrity": "sha512-xHcGl5RvyEP85FqN3EBJT4Ws/D1oA3yhCrbxNhhNI8BTX6eNS7Y0EY1pSTP9GLae/ql6nq106CWr18krj+r0ZA==",
+            "version": "5.3.7",
+            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.7.tgz",
+            "integrity": "sha512-lj4QfiewbbU3jxhCfPcHdbOVYFcIiykBYYUxu/7okqp825igcU5Biv4NE8i+HV3XLxRyy6DDfyTQDJdbe61u3w==",
             "dependencies": {
                 "@discordjs/voice": "^0.11.0",
                 "libsodium-wrappers": "^0.7.10",
                 "play-dl": "^1.9.5",
+                "play-dl2": "^1.9.6",
                 "spotify-url-info": "^3.1.2",
                 "tiny-typed-emitter": "^2.1.0",
                 "tslib": "^2.4.0"
@@ -3662,6 +3663,17 @@
                 "node": ">=16.0.0"
             }
         },
+        "node_modules/play-dl2": {
+            "version": "1.9.6",
+            "resolved": "https://registry.npmjs.org/play-dl2/-/play-dl2-1.9.6.tgz",
+            "integrity": "sha512-CLx1K5+rIeGFO15OyDD05Uncc7EipLrO2JhbW4+IvopEQUb1z+Cg9ojSp7aVzQUhq/ZHlEnB6G1a+G0gBxT3HQ==",
+            "dependencies": {
+                "play-audio": "^0.5.2"
+            },
+            "engines": {
+                "node": ">=16.0.0"
+            }
+        },
         "node_modules/prelude-ls": {
             "version": "1.2.1",
             "resolved": "https://registry.npmjs.org/prelude-ls/-/prelude-ls-1.2.1.tgz",
@@ -5837,13 +5849,14 @@
             }
         },
         "discord-player-play-dl": {
-            "version": "5.3.6",
-            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.6.tgz",
-            "integrity": "sha512-xHcGl5RvyEP85FqN3EBJT4Ws/D1oA3yhCrbxNhhNI8BTX6eNS7Y0EY1pSTP9GLae/ql6nq106CWr18krj+r0ZA==",
+            "version": "5.3.7",
+            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.7.tgz",
+            "integrity": "sha512-lj4QfiewbbU3jxhCfPcHdbOVYFcIiykBYYUxu/7okqp825igcU5Biv4NE8i+HV3XLxRyy6DDfyTQDJdbe61u3w==",
             "requires": {
                 "@discordjs/voice": "^0.11.0",
                 "libsodium-wrappers": "^0.7.10",
                 "play-dl": "^1.9.5",
+                "play-dl2": "^1.9.6",
                 "spotify-url-info": "^3.1.2",
                 "tiny-typed-emitter": "^2.1.0",
                 "tslib": "^2.4.0"
@@ -7463,6 +7476,14 @@
                 "play-audio": "^0.5.2"
             }
         },
+        "play-dl2": {
+            "version": "1.9.6",
+            "resolved": "https://registry.npmjs.org/play-dl2/-/play-dl2-1.9.6.tgz",
+            "integrity": "sha512-CLx1K5+rIeGFO15OyDD05Uncc7EipLrO2JhbW4+IvopEQUb1z+Cg9ojSp7aVzQUhq/ZHlEnB6G1a+G0gBxT3HQ==",
+            "requires": {
+                "play-audio": "^0.5.2"
+            }
+        },
         "prelude-ls": {
             "version": "1.2.1",
             "resolved": "https://registry.npmjs.org/prelude-ls/-/prelude-ls-1.2.1.tgz",
diff --git a/package.json b/package.json
index 062d6d46..f48d5549 100644
--- a/package.json
+++ b/package.json
@@ -1,6 +1,6 @@
 {
     "name": "jaba",
-    "version": "4.1.11",
+    "version": "4.1.12",
     "description": "My Discord Bot",
     "main": "index.js",
     "private": true,
@@ -23,7 +23,7 @@
         "cron": "^2.1.0",
         "discord-api-types": "^0.37.5",
         "discord-giveaways": "^6.0.1",
-        "discord-player-play-dl": "^5.3.6",
+        "discord-player-play-dl": "^5.3.7",
         "discord.js": "^14.3.0",
         "ejs": "^3.1.3",
         "express": "^4.17.1",

From 4c419cdd40f9bd0835f78f14216e3b920f2e5181 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Mon, 31 Oct 2022 13:17:36 +0500
Subject: [PATCH 43/47] =?UTF-8?q?=D0=9E=D0=B1=D0=BD=D0=BE=D0=B2=D0=BB?=
 =?UTF-8?q?=D0=B5=D0=BD=D0=B8=D0=B5=20=D0=B7=D0=B0=D0=B2=D0=B8=D1=81=D0=B8?=
 =?UTF-8?q?=D0=BC=D0=BE=D1=81=D1=82=D0=B5=D0=B9?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 base/JaBa.js      | 14 ++++++-------
 package-lock.json | 51 +++++++++++++----------------------------------
 package.json      |  6 ++----
 3 files changed, 22 insertions(+), 49 deletions(-)

diff --git a/base/JaBa.js b/base/JaBa.js
index b0275044..66cdf5e4 100644
--- a/base/JaBa.js
+++ b/base/JaBa.js
@@ -46,16 +46,14 @@ class JaBa extends Client {
 
 		this.discordTogether = new DiscordTogether(this);
 
-		playdl.getFreeClientID().then(clientID => {
-			playdl.setToken({
-				soundcloud: {
-					client_id: clientID
-				}
-			});
-		});
-
 		this.player = new Player(this);
 
+		playdl.getFreeClientID().then(id => playdl.setToken({
+			soundcloud: {
+				client_id: id
+			}
+		}));
+
 		this.player.on("trackStart", async (queue, track) => {
 			const m = await queue.metadata.channel.send({ content: this.translate("music/play:NOW_PLAYING", { songName: track.title }, queue.metadata.channel.guild.data.language) });
 			if (track.durationMS > 1) {
diff --git a/package-lock.json b/package-lock.json
index 564e3c06..0c60c1ce 100644
--- a/package-lock.json
+++ b/package-lock.json
@@ -20,7 +20,7 @@
                 "cron": "^2.1.0",
                 "discord-api-types": "^0.37.5",
                 "discord-giveaways": "^6.0.1",
-                "discord-player-play-dl": "^5.3.7",
+                "discord-player-play-dl": "^5.3.8",
                 "discord.js": "^14.3.0",
                 "ejs": "^3.1.3",
                 "express": "^4.17.1",
@@ -32,9 +32,7 @@
                 "md5": "^2.2.1",
                 "moment": "^2.26.0",
                 "mongoose": "^5.13.15",
-                "ms": "^2.1.3",
-                "play-dl": "^1.9.5",
-                "tiny-typed-emitter": "^2.1.0"
+                "ms": "^2.1.3"
             },
             "devDependencies": {
                 "eslint": "^8.23.0"
@@ -1480,14 +1478,13 @@
             }
         },
         "node_modules/discord-player-play-dl": {
-            "version": "5.3.7",
-            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.7.tgz",
-            "integrity": "sha512-lj4QfiewbbU3jxhCfPcHdbOVYFcIiykBYYUxu/7okqp825igcU5Biv4NE8i+HV3XLxRyy6DDfyTQDJdbe61u3w==",
+            "version": "5.3.8",
+            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.8.tgz",
+            "integrity": "sha512-b6FksqGgExsmGNkbkgwLeug8rZbx0mR9QJmkgRbztoKuJNu21h/XZLx4cmuMLZVXpTbm0Hchi4nmOuIr+b67gA==",
             "dependencies": {
                 "@discordjs/voice": "^0.11.0",
                 "libsodium-wrappers": "^0.7.10",
-                "play-dl": "^1.9.5",
-                "play-dl2": "^1.9.6",
+                "play-dl": "^1.9.6",
                 "spotify-url-info": "^3.1.2",
                 "tiny-typed-emitter": "^2.1.0",
                 "tslib": "^2.4.0"
@@ -3653,20 +3650,9 @@
             "integrity": "sha512-ZAqHUKkQLix2Iga7pPbsf1LpUoBjcpwU93F1l3qBIfxYddQLhxS6GKmS0d3jV8kSVaUbr6NnOEcEMFvuX93SWQ=="
         },
         "node_modules/play-dl": {
-            "version": "1.9.5",
-            "resolved": "https://registry.npmjs.org/play-dl/-/play-dl-1.9.5.tgz",
-            "integrity": "sha512-tfjBgpU6AD63snK6sXiSuAOi+3iLsqVvsFcvCritOetF/zIo2OcB4BURX+WaQLUmEX3sUJhzP/vqG8SSl7WEpA==",
-            "dependencies": {
-                "play-audio": "^0.5.2"
-            },
-            "engines": {
-                "node": ">=16.0.0"
-            }
-        },
-        "node_modules/play-dl2": {
             "version": "1.9.6",
-            "resolved": "https://registry.npmjs.org/play-dl2/-/play-dl2-1.9.6.tgz",
-            "integrity": "sha512-CLx1K5+rIeGFO15OyDD05Uncc7EipLrO2JhbW4+IvopEQUb1z+Cg9ojSp7aVzQUhq/ZHlEnB6G1a+G0gBxT3HQ==",
+            "resolved": "https://registry.npmjs.org/play-dl/-/play-dl-1.9.6.tgz",
+            "integrity": "sha512-JW44bQbME9fNfGhGXQ/rdcsHr4BfgJabVlSgpS9QY/NscfprFH1asv+q9atrZThP3+hHIpgtFNABccg9rFWlwg==",
             "dependencies": {
                 "play-audio": "^0.5.2"
             },
@@ -5849,14 +5835,13 @@
             }
         },
         "discord-player-play-dl": {
-            "version": "5.3.7",
-            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.7.tgz",
-            "integrity": "sha512-lj4QfiewbbU3jxhCfPcHdbOVYFcIiykBYYUxu/7okqp825igcU5Biv4NE8i+HV3XLxRyy6DDfyTQDJdbe61u3w==",
+            "version": "5.3.8",
+            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.8.tgz",
+            "integrity": "sha512-b6FksqGgExsmGNkbkgwLeug8rZbx0mR9QJmkgRbztoKuJNu21h/XZLx4cmuMLZVXpTbm0Hchi4nmOuIr+b67gA==",
             "requires": {
                 "@discordjs/voice": "^0.11.0",
                 "libsodium-wrappers": "^0.7.10",
-                "play-dl": "^1.9.5",
-                "play-dl2": "^1.9.6",
+                "play-dl": "^1.9.6",
                 "spotify-url-info": "^3.1.2",
                 "tiny-typed-emitter": "^2.1.0",
                 "tslib": "^2.4.0"
@@ -7469,17 +7454,9 @@
             "integrity": "sha512-ZAqHUKkQLix2Iga7pPbsf1LpUoBjcpwU93F1l3qBIfxYddQLhxS6GKmS0d3jV8kSVaUbr6NnOEcEMFvuX93SWQ=="
         },
         "play-dl": {
-            "version": "1.9.5",
-            "resolved": "https://registry.npmjs.org/play-dl/-/play-dl-1.9.5.tgz",
-            "integrity": "sha512-tfjBgpU6AD63snK6sXiSuAOi+3iLsqVvsFcvCritOetF/zIo2OcB4BURX+WaQLUmEX3sUJhzP/vqG8SSl7WEpA==",
-            "requires": {
-                "play-audio": "^0.5.2"
-            }
-        },
-        "play-dl2": {
             "version": "1.9.6",
-            "resolved": "https://registry.npmjs.org/play-dl2/-/play-dl2-1.9.6.tgz",
-            "integrity": "sha512-CLx1K5+rIeGFO15OyDD05Uncc7EipLrO2JhbW4+IvopEQUb1z+Cg9ojSp7aVzQUhq/ZHlEnB6G1a+G0gBxT3HQ==",
+            "resolved": "https://registry.npmjs.org/play-dl/-/play-dl-1.9.6.tgz",
+            "integrity": "sha512-JW44bQbME9fNfGhGXQ/rdcsHr4BfgJabVlSgpS9QY/NscfprFH1asv+q9atrZThP3+hHIpgtFNABccg9rFWlwg==",
             "requires": {
                 "play-audio": "^0.5.2"
             }
diff --git a/package.json b/package.json
index f48d5549..d336509c 100644
--- a/package.json
+++ b/package.json
@@ -23,7 +23,7 @@
         "cron": "^2.1.0",
         "discord-api-types": "^0.37.5",
         "discord-giveaways": "^6.0.1",
-        "discord-player-play-dl": "^5.3.7",
+        "discord-player-play-dl": "^5.3.8",
         "discord.js": "^14.3.0",
         "ejs": "^3.1.3",
         "express": "^4.17.1",
@@ -35,9 +35,7 @@
         "md5": "^2.2.1",
         "moment": "^2.26.0",
         "mongoose": "^5.13.15",
-        "ms": "^2.1.3",
-        "play-dl": "^1.9.5",
-        "tiny-typed-emitter": "^2.1.0"
+        "ms": "^2.1.3"
     },
     "devDependencies": {
         "eslint": "^8.23.0"

From 655fb3ba0e505f96b7fc409aad540a5237f47748 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Mon, 31 Oct 2022 14:17:55 +0500
Subject: [PATCH 44/47] =?UTF-8?q?=D0=9E=D0=B1=D0=BD=D0=BE=D0=B2=D0=BB?=
 =?UTF-8?q?=D0=B5=D0=BD=D0=B8=D0=B5=20=D0=B7=D0=B0=D0=B2=D0=B8=D1=81=D0=B8?=
 =?UTF-8?q?=D0=BC=D0=BE=D1=81=D1=82=D0=B5=D0=B9=20/=20=D1=84=D0=B8=D0=BA?=
 =?UTF-8?q?=D1=81=20SC?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 package-lock.json | 14 +++++++-------
 package.json      |  2 +-
 2 files changed, 8 insertions(+), 8 deletions(-)

diff --git a/package-lock.json b/package-lock.json
index 0c60c1ce..92c0b30f 100644
--- a/package-lock.json
+++ b/package-lock.json
@@ -20,7 +20,7 @@
                 "cron": "^2.1.0",
                 "discord-api-types": "^0.37.5",
                 "discord-giveaways": "^6.0.1",
-                "discord-player-play-dl": "^5.3.8",
+                "discord-player-play-dl": "^5.3.9",
                 "discord.js": "^14.3.0",
                 "ejs": "^3.1.3",
                 "express": "^4.17.1",
@@ -1478,9 +1478,9 @@
             }
         },
         "node_modules/discord-player-play-dl": {
-            "version": "5.3.8",
-            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.8.tgz",
-            "integrity": "sha512-b6FksqGgExsmGNkbkgwLeug8rZbx0mR9QJmkgRbztoKuJNu21h/XZLx4cmuMLZVXpTbm0Hchi4nmOuIr+b67gA==",
+            "version": "5.3.9",
+            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.9.tgz",
+            "integrity": "sha512-WHhu9tNl9sedMe3zgeDAwqpwRwysThhDJmXPoFIpnJCTXb8H5NdvCmNpcZ+0WcJVNE3SRhDhS6e8SEYv1aURMg==",
             "dependencies": {
                 "@discordjs/voice": "^0.11.0",
                 "libsodium-wrappers": "^0.7.10",
@@ -5835,9 +5835,9 @@
             }
         },
         "discord-player-play-dl": {
-            "version": "5.3.8",
-            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.8.tgz",
-            "integrity": "sha512-b6FksqGgExsmGNkbkgwLeug8rZbx0mR9QJmkgRbztoKuJNu21h/XZLx4cmuMLZVXpTbm0Hchi4nmOuIr+b67gA==",
+            "version": "5.3.9",
+            "resolved": "https://registry.npmjs.org/discord-player-play-dl/-/discord-player-play-dl-5.3.9.tgz",
+            "integrity": "sha512-WHhu9tNl9sedMe3zgeDAwqpwRwysThhDJmXPoFIpnJCTXb8H5NdvCmNpcZ+0WcJVNE3SRhDhS6e8SEYv1aURMg==",
             "requires": {
                 "@discordjs/voice": "^0.11.0",
                 "libsodium-wrappers": "^0.7.10",
diff --git a/package.json b/package.json
index d336509c..ac9cd49f 100644
--- a/package.json
+++ b/package.json
@@ -23,7 +23,7 @@
         "cron": "^2.1.0",
         "discord-api-types": "^0.37.5",
         "discord-giveaways": "^6.0.1",
-        "discord-player-play-dl": "^5.3.8",
+        "discord-player-play-dl": "^5.3.9",
         "discord.js": "^14.3.0",
         "ejs": "^3.1.3",
         "express": "^4.17.1",

From 689e308aa0fc9343ae5e2a3e224587fdd789894b Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Mon, 31 Oct 2022 14:27:38 +0500
Subject: [PATCH 45/47] =?UTF-8?q?=D0=B4=D0=BE=D0=BA=D0=B8?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 dashboard/public/docs/updates.md | 3 ++-
 1 file changed, 2 insertions(+), 1 deletion(-)

diff --git a/dashboard/public/docs/updates.md b/dashboard/public/docs/updates.md
index 76c7daae..bf21c6fd 100644
--- a/dashboard/public/docs/updates.md
+++ b/dashboard/public/docs/updates.md
@@ -1,6 +1,7 @@
 ### JaBa v4.1.12
 * Исправления
-	* Временный фикс поиска по ссылкам пока официальный модуль не обновился.
+	* Фикс поиска по ссылкам.
+	* Фикс воспроизведения с SoundCloud.
 
 ### JaBa v4.1.11
 * Изменения

From 8c09d603bd2affdcad1b637bbe1ce79704a1fad2 Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Wed, 2 Nov 2022 21:39:41 +0500
Subject: [PATCH 46/47] 4.1.13 - https://github.com/JonnyBro/JaBa-logs

---
 commands/Music/clips.js          | 225 +++++++++++++++++++++++--------
 commands/Owner/servers.js        |   7 +-
 dashboard/public/docs/updates.md |   4 +
 languages/ru-RU/music/clips.json |   6 +-
 package.json                     |   2 +-
 5 files changed, 178 insertions(+), 66 deletions(-)

diff --git a/commands/Music/clips.js b/commands/Music/clips.js
index c328b2af..4abe0412 100644
--- a/commands/Music/clips.js
+++ b/commands/Music/clips.js
@@ -1,4 +1,4 @@
-const { SlashCommandBuilder, ActionRowBuilder, SelectMenuBuilder, } = require("discord.js"),
+const { SlashCommandBuilder, ActionRowBuilder, ButtonBuilder, EmbedBuilder, ButtonStyle } = require("discord.js"),
 	{ joinVoiceChannel, createAudioResource, createAudioPlayer, getVoiceConnection, AudioPlayerStatus } = require("@discordjs/voice");
 const BaseCommand = require("../../base/BaseCommand"),
 	fs = require("fs");
@@ -13,7 +13,10 @@ class Clips extends BaseCommand {
 			command: new SlashCommandBuilder()
 				.setName("clips")
 				.setDescription(client.translate("music/clips:DESCRIPTION"))
-				.setDMPermission(false),
+				.setDMPermission(false)
+				.addStringOption(option => option.setName("query")
+					.setDescription(client.translate("music/clips:QUERY"))
+					.setRequired(true)),
 			aliases: [],
 			dirname: __dirname,
 			ownerOnly: false
@@ -36,6 +39,8 @@ class Clips extends BaseCommand {
 		fs.readdir("./clips", async function (err, files) {
 			await interaction.deferReply();
 
+			const query = interaction.options.getString("query");
+
 			if (err) {
 				interaction.editReply({
 					content: "```js\n" + err + "```"
@@ -43,80 +48,182 @@ class Clips extends BaseCommand {
 				return console.log("Unable to read directory: " + err);
 			}
 
-			const clips = files.map(file => {
-				const fileName = file.substring(0, file.length - 4);
-				return {
-					label: fileName,
-					value: fileName
-				};
-			});
+			if (query === "list") {
+				const clips = files.map(file => file.substring(0, file.length - 4));
+				let currentPage = 0;
+				const embeds = generateClipsEmbeds(interaction, clips);
 
-			const row = new ActionRowBuilder()
-				.addComponents(
-					new SelectMenuBuilder()
-						.setCustomId("clips_select")
-						.setPlaceholder(client.translate("common:NOTHING_SELECTED"))
-						.addOptions(clips)
-				);
+				const row = new ActionRowBuilder()
+					.addComponents(
+						new ButtonBuilder()
+							.setCustomId("clips_prev_page")
+							.setStyle(ButtonStyle.Primary)
+							.setEmoji("⬅️"),
+						new ButtonBuilder()
+							.setCustomId("clips_next_page")
+							.setStyle(ButtonStyle.Primary)
+							.setEmoji("➡️"),
+						new ButtonBuilder()
+							.setCustomId("clips_jump_page")
+							.setStyle(ButtonStyle.Secondary)
+							.setEmoji("↗️"),
+						new ButtonBuilder()
+							.setCustomId("clips_stop")
+							.setStyle(ButtonStyle.Danger)
+							.setEmoji("⏹️"),
+					);
 
-			await interaction.editReply({
-				content: interaction.translate("music/clips:AVAILABLE_CLIPS"),
-				components: [row]
-			});
+				await interaction.editReply({
+					content: `${interaction.translate("common:PAGE")}: **${currentPage + 1}**/**${embeds.length}**`,
+					embeds: [embeds[currentPage]],
+					components: [row]
+				});
 
-			const filter = i => i.user.id === interaction.user.id;
-			const collector = interaction.channel.createMessageComponentCollector({ filter, idle: (15 * 1000) });
+				const filter = i => i.user.id === interaction.user.id;
+				const collector = interaction.channel.createMessageComponentCollector({ filter, idle: (20 * 1000) });
 
-			collector.on("collect", async i => {
-				if (i.isSelectMenu() && i.customId === "clips_select") {
-					const clip = i?.values[0];
-					const voice = i.member.voice.channel;
-					if (!voice) return i.update({ content: interaction.translate("music/play:NO_VOICE_CHANNEL"), components: [] });
-					const queue = client.player.getQueue(i.guild.id);
-					if (queue) return i.update({ content: interaction.translate("music/clips:ACTIVE_QUEUE"), components: [] });
-					if (getVoiceConnection(i.guild.id)) return i.update({ content: interaction.translate("music/clips:ACTIVE_CLIP"), components: [] });
-					if (!fs.existsSync(`./clips/${clip}.mp3`)) return i.update({ content: interaction.translate("music/clips:NO_FILE", { file: clip }), components: [] });
+				collector.on("collect", async i => {
+					if (i.isButton()) {
+						if (i.customId === "clips_prev_page") {
+							i.deferUpdate();
 
-					try {
-						const connection = joinVoiceChannel({
-							channelId: voice.id,
-							guildId: interaction.guild.id,
-							adapterCreator: interaction.guild.voiceAdapterCreator
-						});
+							if (currentPage !== 0) {
+								--currentPage;
+								interaction.editReply({
+									content: `${interaction.translate("common:PAGE")}: **${currentPage + 1}**/**${embeds.length}**`,
+									embeds: [embeds[currentPage]],
+									components: [row]
+								});
+							}
+						} else if (i.customId === "clips_next_page") {
+							i.deferUpdate();
 
-						const resource = createAudioResource(fs.createReadStream(`./clips/${clip}.mp3`));
-						const player = createAudioPlayer()
-							.on("error", err => {
-								connection.destroy();
-								console.error(err.message);
+							if (currentPage < embeds.length - 1) {
+								currentPage++;
+								interaction.editReply({
+									content: `${interaction.translate("common:PAGE")}: **${currentPage + 1}**/**${embeds.length}**`,
+									embeds: [embeds[currentPage]],
+									components: [row]
+								});
+							}
+						} else if (i.customId === "clips_jump_page") {
+							i.deferUpdate();
+
+							const msg = await interaction.followUp({
+								content: interaction.translate("music/queue:PAGE_TO_JUMP", {
+									length: embeds.length
+								}),
+								fetchReply: true
 							});
 
-						player.play(resource);
-						connection.subscribe(player);
+							const filter = res => {
+								return res.author.id === interaction.user.id && !isNaN(res.content);
+							};
 
-						player.on(AudioPlayerStatus.Idle, () => {
-							connection.destroy();
-						});
-					} catch (error) {
-						console.error(error);
+							interaction.channel.awaitMessages({ filter, max: 1, time: (10 * 1000) }).then(collected => {
+								if (embeds[collected.first().content - 1]) {
+									currentPage = collected.first().content - 1;
+									interaction.editReply({
+										content: `${interaction.translate("common:PAGE")}: **${currentPage + 1}**/**${embeds.length}**`,
+										embeds: [embeds[currentPage]],
+										components: [row]
+									});
+
+									if (collected.first().deletable) collected.first().delete();
+									if (msg.deletable) msg.delete();
+								} else {
+									if (collected.first().deletable) collected.first().delete();
+									if (msg.deletable) msg.delete();
+									return;
+								}
+							});
+						} else if (i.customId === "clips_stop") {
+							i.deferUpdate();
+							collector.stop();
+						}
 					}
+				});
 
-					await interaction.editReply({
-						content: interaction.translate("music/clips:PLAYING", {
-							clip
-						}),
-						components: []
+				collector.on("end", () => {
+					row.components.forEach(component => {
+						component.setDisabled(true);
 					});
-				}
-			});
 
-			collector.on("end", () => {
-				return interaction.editReply({
+					return interaction.editReply({
+						components: [row]
+					});
+				});
+			} else {
+				const voice = interaction.member.voice.channel;
+				if (!voice) return interaction.editReply({ content: interaction.translate("music/play:NO_VOICE_CHANNEL") });
+				const queue = client.player.getQueue(interaction.guild.id);
+				if (queue) return interaction.editReply({ content: interaction.translate("music/clips:ACTIVE_QUEUE") });
+				if (getVoiceConnection(interaction.guild.id)) return interaction.editReply({ content: interaction.translate("music/clips:ACTIVE_CLIP") });
+				if (!fs.existsSync(`./clips/${query}.mp3`)) return interaction.editReply({ content: interaction.translate("music/clips:NO_FILE", { file: query }) });
+
+				try {
+					const connection = joinVoiceChannel({
+						channelId: voice.id,
+						guildId: interaction.guild.id,
+						adapterCreator: interaction.guild.voiceAdapterCreator
+					});
+
+					const resource = createAudioResource(fs.createReadStream(`./clips/${query}.mp3`));
+					const player = createAudioPlayer()
+						.on("error", err => {
+							connection.destroy();
+							console.error(err.message);
+						});
+
+					player.play(resource);
+					connection.subscribe(player);
+
+					player.on(AudioPlayerStatus.Idle, () => {
+						connection.destroy();
+					});
+				} catch (error) {
+					console.error(error);
+				}
+
+				await interaction.editReply({
+					content: interaction.translate("music/clips:PLAYING", {
+						clip: query
+					}),
 					components: []
 				});
-			});
+			}
 		});
 	}
 }
 
+/**
+ *
+ * @param {import("discord.js").ChatInputCommandInteraction} interaction
+ * @param {Array} clips
+ * @returns
+ */
+function generateClipsEmbeds(interaction, clips) {
+	const embeds = [];
+	let k = 10;
+
+	for (let i = 0; i < clips.length; i += 10) {
+		const current = clips.slice(i, k);
+		k += 10;
+
+		const page = current.join("\n");
+
+		const embed = new EmbedBuilder()
+			.setColor(interaction.client.config.embed.color)
+			.setFooter({
+				text: interaction.client.config.embed.footer
+			})
+			.setTitle(interaction.translate("music/clips:CLIPS_LIST"))
+			.setDescription(page)
+			.setTimestamp();
+		embeds.push(embed);
+	}
+
+	return embeds;
+}
+
 module.exports = Clips;
\ No newline at end of file
diff --git a/commands/Owner/servers.js b/commands/Owner/servers.js
index 944474bb..62c1a140 100644
--- a/commands/Owner/servers.js
+++ b/commands/Owner/servers.js
@@ -56,15 +56,14 @@ class Servers extends BaseCommand {
 					.setEmoji("⏹️"),
 			);
 
-		const msg = await interaction.editReply({
+		await interaction.editReply({
 			content: `${interaction.translate("common:PAGE")}: **${currentPage + 1}**/**${embeds.length}**`,
-			fetchReply: true,
 			embeds: [embeds[currentPage]],
 			components: [row]
 		});
 
 		const filter = i => i.user.id === interaction.user.id;
-		const collector = msg.createMessageComponentCollector({ filter, idle: (20 * 1000) });
+		const collector = interaction.channel.createMessageComponentCollector({ filter, idle: (20 * 1000) });
 
 		collector.on("collect", async i => {
 			if (i.isButton()) {
@@ -143,7 +142,7 @@ class Servers extends BaseCommand {
 /**
  *
  * @param {import("discord.js").ChatInputCommandInteraction} interaction
- * @param {*} servers
+ * @param {Array} servers
  * @returns
  */
 function generateServersEmbeds(interaction, servers) {
diff --git a/dashboard/public/docs/updates.md b/dashboard/public/docs/updates.md
index bf21c6fd..13971ccc 100644
--- a/dashboard/public/docs/updates.md
+++ b/dashboard/public/docs/updates.md
@@ -1,3 +1,7 @@
+### JaBa v4.1.13
+* Изменения
+	* Переписана команда *clips*.
+
 ### JaBa v4.1.12
 * Исправления
 	* Фикс поиска по ссылкам.
diff --git a/languages/ru-RU/music/clips.json b/languages/ru-RU/music/clips.json
index 43b66f5e..68cf9758 100644
--- a/languages/ru-RU/music/clips.json
+++ b/languages/ru-RU/music/clips.json
@@ -2,8 +2,10 @@
 	"DESCRIPTION": "Показать список доступных звуков и воспроизвести выбранный",
 	"USAGE": "",
 	"EXAMPLES": "clips",
-	"AVAILABLE_CLIPS": "Список доступных клипов:",
+	"QUERY": "Название клипа / list",
+	"CLIPS_LIST": "Список доступных клипов",
+	"NO_CLIP": "Данный файл не существует",
 	"ACTIVE_QUEUE": "Не могу воспроизвести клип, т.к. на сервере есть активная очередь",
 	"ACTIVE_CLIP": "Уже воспроизводится какой-то файл",
-	"PLAYING": "Начато проигрывание клипа `{{clip}}`"
+	"PLAYING": "Начато проигрывание клипа **{{clip}}**"
 }
\ No newline at end of file
diff --git a/package.json b/package.json
index ac9cd49f..a89135bc 100644
--- a/package.json
+++ b/package.json
@@ -1,6 +1,6 @@
 {
     "name": "jaba",
-    "version": "4.1.12",
+    "version": "4.1.13",
     "description": "My Discord Bot",
     "main": "index.js",
     "private": true,

From 06628715190c3df72d89c19d12b2114f7e151cec Mon Sep 17 00:00:00 2001
From: JonnyBro <niktom.nikto@yandex.ru>
Date: Fri, 4 Nov 2022 22:51:05 +0500
Subject: [PATCH 47/47] =?UTF-8?q?=D0=98=D1=81=D0=BF=D1=80=D0=B0=D0=B2?=
 =?UTF-8?q?=D0=BB=D0=B5=D0=BD=D0=B8=D0=B5=20=D0=BE=D1=88=D0=B8=D0=B1=D0=BE?=
 =?UTF-8?q?=D0=BA=20=D0=B2=20=D0=BB=D0=BE=D0=BA=D0=B0=D0=BB=D0=B8=D0=B7?=
 =?UTF-8?q?=D0=B0=D1=86=D0=B8=D0=B8?=
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit

---
 commands/Music/clips.js           | 2 +-
 commands/Music/queue.js           | 2 +-
 commands/Owner/servers.js         | 2 +-
 languages/ru-RU/misc.json         | 1 +
 languages/ru-RU/music/clips.json  | 2 +-
 languages/ru-RU/music/loop.json   | 2 +-
 languages/ru-RU/music/queue.json  | 1 -
 languages/ru-RU/music/seek.json   | 2 +-
 languages/ru-RU/music/skip.json   | 2 +-
 languages/ru-RU/music/skipto.json | 2 +-
 languages/ru-RU/music/stop.json   | 2 +-
 11 files changed, 10 insertions(+), 10 deletions(-)

diff --git a/commands/Music/clips.js b/commands/Music/clips.js
index 4abe0412..00c40991 100644
--- a/commands/Music/clips.js
+++ b/commands/Music/clips.js
@@ -110,7 +110,7 @@ class Clips extends BaseCommand {
 							i.deferUpdate();
 
 							const msg = await interaction.followUp({
-								content: interaction.translate("music/queue:PAGE_TO_JUMP", {
+								content: interaction.translate("misc:JUMP_TO_PAGE", {
 									length: embeds.length
 								}),
 								fetchReply: true
diff --git a/commands/Music/queue.js b/commands/Music/queue.js
index 54b63057..77f77799 100644
--- a/commands/Music/queue.js
+++ b/commands/Music/queue.js
@@ -102,7 +102,7 @@ class Queue extends BaseCommand {
 					if (embeds != generateQueueEmbeds(interaction, queue)) embeds = generateQueueEmbeds(interaction, queue);
 
 					const msg = await interaction.followUp({
-						content: interaction.translate("music/queue:PAGE_TO_JUMP", {
+						content: interaction.translate("misc:JUMP_TO_PAGE", {
 							length: embeds.length
 						}),
 						fetchReply: true
diff --git a/commands/Owner/servers.js b/commands/Owner/servers.js
index 62c1a140..d0cf53f4 100644
--- a/commands/Owner/servers.js
+++ b/commands/Owner/servers.js
@@ -93,7 +93,7 @@ class Servers extends BaseCommand {
 					i.deferUpdate();
 
 					const msg = await interaction.followUp({
-						content: interaction.translate("music/queue:PAGE_TO_JUMP", {
+						content: interaction.translate("misc:JUMP_TO_PAGE", {
 							length: embeds.length
 						}),
 						fetchReply: true
diff --git a/languages/ru-RU/misc.json b/languages/ru-RU/misc.json
index 7b52d477..3d85028c 100644
--- a/languages/ru-RU/misc.json
+++ b/languages/ru-RU/misc.json
@@ -13,6 +13,7 @@
 	"SELECT_CANCELED": "Выбор отменён...",
 	"STATS_FOOTER": "● [Панель управления]({{dashboardLink}})\n● [Документация]({{docsLink}})\n● [Пригласить JaBa на свой сервер]({{inviteLink}})\n● [Поддержать]({{donateLink}}) (укажите ваш Discord тэг для выдачи ачивки, для других способов поддержки пишите в ЛС <@{{owner}}>)",
 	"TIMES_UP": "Время вышло! Используйте команду снова!",
+	"JUMP_TO_PAGE": "Укажите страницу к которой хотите перейти (максимум **{{length}}**):",
 
 	"PERMISSIONS": {
 		"CreateInstantInvite": "Создание приглашения",
diff --git a/languages/ru-RU/music/clips.json b/languages/ru-RU/music/clips.json
index 68cf9758..88a596a5 100644
--- a/languages/ru-RU/music/clips.json
+++ b/languages/ru-RU/music/clips.json
@@ -1,5 +1,5 @@
 {
-	"DESCRIPTION": "Показать список доступных звуков и воспроизвести выбранный",
+	"DESCRIPTION": "Показать список доступных звуков и/или воспроизвести выбранный",
 	"USAGE": "",
 	"EXAMPLES": "clips",
 	"QUERY": "Название клипа / list",
diff --git a/languages/ru-RU/music/loop.json b/languages/ru-RU/music/loop.json
index 3ad84400..d741a09d 100644
--- a/languages/ru-RU/music/loop.json
+++ b/languages/ru-RU/music/loop.json
@@ -1,5 +1,5 @@
 {
-	"DESCRIPTION": "Включить или отключить повтор очереди/одного трека",
+	"DESCRIPTION": "Выбор режима повтора",
 	"USAGE": "",
 	"EXAMPLES": "loop",
 	"AUTOPLAY": "Автовоспроизведение",
diff --git a/languages/ru-RU/music/queue.json b/languages/ru-RU/music/queue.json
index 37b2eb80..330aba0d 100644
--- a/languages/ru-RU/music/queue.json
+++ b/languages/ru-RU/music/queue.json
@@ -9,6 +9,5 @@
 	"NEXT_PAGE": "След. страница",
 	"PREV_PAGE": "Пред. страница",
 	"JUMP_PAGE": "Перейти к странице",
-	"PAGE_TO_JUMP": "Укажите страницу к которой хотите перейти (максимум **{{length}}**):",
 	"NEXT": "Далее"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/music/seek.json b/languages/ru-RU/music/seek.json
index ea4338ab..7467daa7 100644
--- a/languages/ru-RU/music/seek.json
+++ b/languages/ru-RU/music/seek.json
@@ -3,5 +3,5 @@
 	"USAGE": "[time]",
 	"EXAMPLES": "seek time:10s\nseek time:-10s",
 	"TIME": "Время в секундах",
-	"SUCCESS": "Трек перемотан на {{time}}!"
+	"SUCCESS": "Трек перемотан на {{time}}"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/music/skip.json b/languages/ru-RU/music/skip.json
index fe9f8e0a..50554b35 100644
--- a/languages/ru-RU/music/skip.json
+++ b/languages/ru-RU/music/skip.json
@@ -2,5 +2,5 @@
 	"DESCRIPTION": "Пропустить текущий трек",
 	"USAGE": "",
 	"EXAMPLES": "skip",
-	"SUCCESS": "Трек пропущен!"
+	"SUCCESS": "Трек пропущен"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/music/skipto.json b/languages/ru-RU/music/skipto.json
index fb4eb1ef..78e39964 100644
--- a/languages/ru-RU/music/skipto.json
+++ b/languages/ru-RU/music/skipto.json
@@ -5,5 +5,5 @@
 	"POSITION": "Номер трека в очереди",
 	"SUCCESS": "Выполнен переход на трек под номером **{{position}}**",
 	"ERROR": "На позиции {{position}} ничего не найдено",
-	"NO_PREV_SONG": "Вы не можете перейти назад, для этого используйте команду `back`!"
+	"NO_PREV_SONG": "Вы не можете перейти назад, для этого используйте команду `back`"
 }
\ No newline at end of file
diff --git a/languages/ru-RU/music/stop.json b/languages/ru-RU/music/stop.json
index 6b8f427f..351e0063 100644
--- a/languages/ru-RU/music/stop.json
+++ b/languages/ru-RU/music/stop.json
@@ -2,5 +2,5 @@
 	"DESCRIPTION": "Остановить воспроизведение очереди",
 	"USAGE": "",
 	"EXAMPLES": "stop",
-	"SUCCESS": "Воспроизведение остановлено!"
+	"SUCCESS": "Воспроизведение остановлено"
 }
\ No newline at end of file