GroupUp/mod.ts

1268 lines
46 KiB
TypeScript
Raw Normal View History

import {
2022-07-10 17:48:38 -07:00
ActionRow,
botId,
ButtonComponent,
ButtonData,
cache,
cacheHandlers,
// MySQL Driver deps
Client,
2022-07-10 17:48:38 -07:00
DebugArg,
deleteMessage,
DiscordActivityTypes,
DiscordButtonStyles,
DiscordenoGuild,
DiscordenoMessage,
DiscordInteractionResponseTypes,
DiscordInteractionTypes,
editBotNickname,
editBotStatus,
Embed,
getGuild,
getMessage,
getUser,
hasGuildPermissions,
initLog,
Intents,
log,
// Log4Deno deps
2022-07-10 17:48:38 -07:00
LT,
sendDirectMessage,
sendInteractionResponse,
sendMessage,
// Discordeno deps
startBot,
} from './deps.ts';
2022-07-10 17:48:38 -07:00
import { ActiveLFG, BuildingLFG, GuildCleanChannels, GuildModRoles, GuildPrefixes } from './src/mod.d.ts';
import intervals from './src/intervals.ts';
import { LFGActivities } from './src/games.ts';
import { JoinLeaveType } from './src/lfgHandlers.d.ts';
import { handleLFGStep, handleMemberJoin, handleMemberLeave, urlToIds } from './src/lfgHandlers.ts';
import { constantCmds, editBtns, lfgStepQuestions } from './src/constantCmds.ts';
import { jsonParseBig, jsonStringifyBig } from './src/utils.ts';
2022-07-10 17:48:38 -07:00
import { DEBUG, LOCALMODE } from './flags.ts';
import config from './config.ts';
// Initialize DB client
const dbClient = await new Client().connect({
hostname: LOCALMODE ? config.db.localhost : config.db.host,
port: config.db.port,
db: config.db.name,
username: config.db.username,
2022-07-10 17:48:38 -07:00
password: config.db.password,
});
// Initialize logging client with folder to use for logs, needs --allow-write set on Deno startup
2022-07-10 17:48:38 -07:00
initLog('logs', DEBUG);
log(LT.INFO, `${config.name} Starting up . . .`);
// Handle idling out the active builders
const activeBuilders: Array<BuildingLFG> = [];
setInterval(() => {
2022-07-10 17:48:38 -07:00
intervals.buildingTimeout(activeBuilders);
}, 1000);
2022-07-10 17:48:38 -07:00
const activeLFGPosts: Array<ActiveLFG> = jsonParseBig(localStorage.getItem('activeLFGPosts') || '[]');
log(LT.INFO, `Loaded ${activeLFGPosts.length} activeLFGPosts`);
setInterval(() => {
intervals.lfgNotifier(activeLFGPosts);
}, 60000);
const guildPrefixes: Map<bigint, string> = new Map();
2022-07-10 17:48:38 -07:00
const getGuildPrefixes = await dbClient.query('SELECT * FROM guild_prefix');
getGuildPrefixes.forEach((g: GuildPrefixes) => {
guildPrefixes.set(g.guildId, g.prefix);
});
const guildModRoles: Map<bigint, bigint> = new Map();
2022-07-10 17:48:38 -07:00
const getGuildModRoles = await dbClient.query('SELECT * FROM guild_mod_role');
getGuildModRoles.forEach((g: GuildModRoles) => {
guildModRoles.set(g.guildId, g.roleId);
});
const cleanChannels: Map<bigint, Array<bigint>> = new Map();
2022-07-10 17:48:38 -07:00
const getCleanChannels = await dbClient.query('SELECT * FROM guild_clean_channel');
getCleanChannels.forEach((g: GuildCleanChannels) => {
const tempArr = cleanChannels.get(g.guildId) || [];
tempArr.push(g.channelId);
cleanChannels.set(g.guildId, tempArr);
});
2022-07-10 17:48:38 -07:00
const ALPHABET = 'ABCDEFGHIJKLMNOPQRSTUVWXYZ';
// Start up the Discord Bot
startBot({
token: LOCALMODE ? config.localtoken : config.token,
intents: [Intents.GuildMessages, Intents.DirectMessages, Intents.Guilds],
eventHandlers: {
ready: () => {
log(LT.INFO, `${config.name} Logged in!`);
editBotStatus({
activities: [{
2022-07-10 17:48:38 -07:00
name: 'Booting up . . .',
type: DiscordActivityTypes.Game,
2022-07-10 17:48:38 -07:00
createdAt: new Date().getTime(),
}],
2022-07-10 17:48:38 -07:00
status: 'online',
});
// Interval to rotate the status text every 30 seconds to show off more commands
setInterval(async () => {
2022-07-10 17:48:38 -07:00
log(LT.LOG, 'Changing bot status');
try {
2022-07-10 17:48:38 -07:00
const cachedCount = await cacheHandlers.size('guilds');
// Wrapped in try-catch due to hard crash possible
editBotStatus({
activities: [{
name: intervals.getRandomStatus(cachedCount),
type: DiscordActivityTypes.Game,
2022-07-10 17:48:38 -07:00
createdAt: new Date().getTime(),
}],
2022-07-10 17:48:38 -07:00
status: 'online',
});
} catch (e) {
log(LT.ERROR, `Failed to update status: ${jsonStringifyBig(e)}`);
}
}, 30000);
// Interval to update bot list stats every 24 hours
2022-07-10 17:48:38 -07:00
LOCALMODE ? log(LT.INFO, 'updateListStatistics not running') : setInterval(() => {
log(LT.LOG, 'Updating all bot lists statistics');
intervals.updateListStatistics(botId, cache.guilds.size);
}, 86400000);
// setTimeout added to make sure the startup message does not error out
setTimeout(() => {
LOCALMODE && editBotNickname(config.devServer, `LOCAL - ${config.name}`);
2022-07-10 17:48:38 -07:00
LOCALMODE ? log(LT.INFO, 'updateListStatistics not running') : intervals.updateListStatistics(botId, cache.guilds.size);
editBotStatus({
activities: [{
2022-07-10 17:48:38 -07:00
name: 'Booting Complete',
type: DiscordActivityTypes.Game,
2022-07-10 17:48:38 -07:00
createdAt: new Date().getTime(),
}],
2022-07-10 17:48:38 -07:00
status: 'online',
});
2022-07-10 17:48:38 -07:00
sendMessage(config.logChannel, `${config.name} has started, running version ${config.version}.`).catch((e) => {
log(LT.ERROR, `Failed to send message: ${jsonStringifyBig(e)}`);
});
}, 1000);
},
guildCreate: (guild: DiscordenoGuild) => {
log(LT.LOG, `Handling joining guild ${jsonStringifyBig(guild)}`);
2022-07-10 17:48:38 -07:00
sendMessage(config.logChannel, `New guild joined: ${guild.name} (id: ${guild.id}). This guild has ${guild.memberCount} members!`).catch((e) => {
log(LT.ERROR, `Failed to send message: ${jsonStringifyBig(e)}`);
});
},
guildDelete: async (guild: DiscordenoGuild) => {
log(LT.LOG, `Handling leaving guild ${jsonStringifyBig(guild)}`);
2022-07-10 17:48:38 -07:00
sendMessage(config.logChannel, `I have been removed from: ${guild.name} (id: ${guild.id}).`).catch((e) => {
log(LT.ERROR, `Failed to send message: ${jsonStringifyBig(e)}`);
});
try {
2022-07-10 17:48:38 -07:00
await dbClient.execute('DELETE FROM guild_prefix WHERE guildId = ?', [guild.id]);
await dbClient.execute('DELETE FROM guild_mod_role WHERE guildId = ?', [guild.id]);
await dbClient.execute('DELETE FROM guild_clean_channel WHERE guildId = ?', [guild.id]);
} catch (e) {
log(LT.WARN, `Failed to remove guild from DB: ${jsonStringifyBig(e)}`);
}
},
debug: (dmsg: string | DebugArg, data?: string) => log(LT.LOG, `Debug Message | ${jsonStringifyBig(dmsg)} | ${jsonStringifyBig(data)}`, false),
messageCreate: async (message: DiscordenoMessage) => {
// Ignore all other bots
if (message.isBot) return;
2022-07-10 17:48:38 -07:00
const prefix = guildPrefixes.get(message.guildId) || config.prefix;
// Handle messages not starting with the prefix
if (message.content.indexOf(prefix) !== 0) {
// Mentions
if (message.mentionedUserIds[0] === botId && (message.content.trim().startsWith(`<@${botId}>`) || message.content.trim().startsWith(`<@!${botId}>`))) {
// Light telemetry to see how many times a command is being run
2022-07-10 17:48:38 -07:00
await dbClient.execute(`CALL INC_CNT("prefix");`).catch((e) => {
log(LT.ERROR, `Failed to call stored procedure INC_CNT: ${jsonStringifyBig(e)}`);
});
if (message.content.trim() === `<@${botId}>` || message.content.trim() === `<@!${botId}>`) {
message.send({
embeds: [{
title: `Hello ${message.member?.username}, and thanks for using Group Up!`,
fields: [
{
name: `My prefix in this guild is: \`${prefix}\``,
2022-07-10 17:48:38 -07:00
value: 'Mention me with a new prefix to change it.',
},
],
}],
}).catch((e) => {
log(LT.WARN, `Failed to send message | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
} else if (await hasGuildPermissions(message.guildId, message.authorId, ['ADMINISTRATOR'])) {
const newPrefix = message.content.replace(`<@!${botId}>`, '').replace(`<@${botId}>`, '').trim();
if (newPrefix.length <= 10) {
let success = true;
if (guildPrefixes.has(message.guildId)) {
// Execute the DB update
2022-07-10 17:48:38 -07:00
await dbClient.execute('UPDATE guild_prefix SET prefix = ? WHERE guildId = ?', [newPrefix, message.guildId]).catch((e) => {
log(LT.ERROR, `Failed to insert into database: ${jsonStringifyBig(e)}`);
success = false;
});
} else {
// Execute the DB insertion
2022-07-10 17:48:38 -07:00
await dbClient.execute('INSERT INTO guild_prefix(guildId,prefix) values(?,?)', [message.guildId, newPrefix]).catch((e) => {
log(LT.ERROR, `Failed to insert into database: ${jsonStringifyBig(e)}`);
success = false;
});
}
if (success) {
guildPrefixes.set(message.guildId, newPrefix);
message.send({
embeds: [{
fields: [
{
name: `My prefix in this guild is now: \`${newPrefix}\``,
2022-07-10 17:48:38 -07:00
value: 'Mention me with a new prefix to change it.',
},
],
}],
}).catch((e) => {
log(LT.WARN, `Failed to send message | ${jsonStringifyBig(e)}`);
});
} else {
message.send({
embeds: [{
fields: [
{
2022-07-10 17:48:38 -07:00
name: 'Something went wrong!',
value: `My prefix is still \`${prefix}\`. Please try again, and if the problem persists, please report this to the developers using \`${prefix}report\`.`,
},
],
}],
}).catch((e) => {
log(LT.WARN, `Failed to send message | ${jsonStringifyBig(e)}`);
});
}
} else {
message.send({
embeds: [{
fields: [
{
2022-07-10 17:48:38 -07:00
name: 'Prefix too long, please set a prefix less than 10 characters long.',
value: 'Mention me with a new prefix to change it.',
},
],
}],
}).catch((e) => {
log(LT.WARN, `Failed to send message | ${jsonStringifyBig(e)}`);
});
}
}
return;
}
// Other
2022-07-10 17:48:38 -07:00
const activeIdx = activeBuilders.findIndex((x) => (message.channelId === x.channelId && message.authorId === x.userId));
if (activeIdx > -1) {
activeBuilders[activeIdx].lastTouch = new Date();
activeBuilders[activeIdx] = await handleLFGStep(activeBuilders[activeIdx], message.content);
2022-07-10 17:48:38 -07:00
if (activeBuilders[activeIdx].step === 'done') {
if (message.member) {
const memberJoined = handleMemberJoin(activeBuilders[activeIdx].lfgMsg.embeds[0].fields || [], message.member, false);
2022-07-10 17:48:38 -07:00
const newTimestamp = new Date(parseInt(memberJoined.embed[1].value.split('#')[1]));
const newLfgUid = ALPHABET[Math.floor(Math.random() * 26)] + ALPHABET[Math.floor(Math.random() * 26)];
2022-07-10 17:48:38 -07:00
const tempMembers = memberJoined.embed[4].name.split(':')[1].split('/');
const currentMembers = parseInt(tempMembers[0]);
const maxMembers = parseInt(tempMembers[1]);
2022-07-10 17:48:38 -07:00
if (activeBuilders[activeIdx].editing) {
if (currentMembers > maxMembers) {
2022-07-10 17:48:38 -07:00
const currentPeople = memberJoined.embed[4].value.split('\n');
const newAlts = currentPeople.splice(maxMembers);
2022-07-10 17:48:38 -07:00
memberJoined.embed[4].value = currentPeople.join('\n') || 'None';
memberJoined.embed[5].value = `${newAlts.join('\n')}\n${memberJoined.embed[5].value === 'None' ? '' : memberJoined.embed[5].value}`;
memberJoined.embed[4].name = `Members Joined: ${maxMembers}/${maxMembers}`;
}
}
await activeBuilders[activeIdx].lfgMsg.edit({
2022-07-10 17:48:38 -07:00
content: '',
embeds: [{
fields: memberJoined.embed,
footer: {
text: `Created by: ${message.member.username} | ${newLfgUid}`,
},
2022-07-10 17:48:38 -07:00
timestamp: newTimestamp.toISOString(),
}],
components: [
{
type: 1,
components: [
{
type: 2,
2022-07-10 17:48:38 -07:00
label: 'Join',
customId: 'active@join_group',
style: DiscordButtonStyles.Success,
},
{
type: 2,
2022-07-10 17:48:38 -07:00
label: 'Leave',
customId: 'active@leave_group',
style: DiscordButtonStyles.Danger,
},
{
type: 2,
2022-07-10 17:48:38 -07:00
label: 'Join as Alternate',
customId: 'active@alternate_group',
style: DiscordButtonStyles.Primary,
},
],
},
],
}).catch((e) => {
log(LT.WARN, `Failed to edit message | ${jsonStringifyBig(e)}`);
});
if (activeBuilders[activeIdx]) {
2022-07-10 17:48:38 -07:00
const activeLFGIdx = activeLFGPosts.findIndex(
(lfg) => (lfg.channelId === activeBuilders[activeIdx].channelId && lfg.messageId === activeBuilders[activeIdx].lfgMsg.id && lfg.ownerId === activeBuilders[activeIdx].userId),
);
if (activeLFGIdx >= 0) {
activeLFGPosts[activeLFGIdx].lfgUid = newLfgUid;
activeLFGPosts[activeLFGIdx].lfgTime = newTimestamp.getTime();
activeLFGPosts[activeLFGIdx].notified = false;
activeLFGPosts[activeLFGIdx].locked = false;
} else {
activeLFGPosts.push({
messageId: activeBuilders[activeIdx].lfgMsg.id,
channelId: activeBuilders[activeIdx].lfgMsg.channelId,
ownerId: message.authorId,
lfgUid: newLfgUid,
lfgTime: newTimestamp.getTime(),
notified: false,
2022-07-10 17:48:38 -07:00
locked: false,
});
}
2022-07-10 17:48:38 -07:00
localStorage.setItem('activeLFGPosts', jsonStringifyBig(activeLFGPosts));
}
}
2022-07-10 17:48:38 -07:00
await activeBuilders[activeIdx].questionMsg.delete().catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
activeBuilders.splice(activeIdx, 1);
}
2022-07-10 17:48:38 -07:00
await message.delete().catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
return;
}
// Should this get cleaned up?
const enabledCleanChannels = cleanChannels.get(message.guildId);
if (enabledCleanChannels && enabledCleanChannels.length && enabledCleanChannels.indexOf(message.channelId) > -1) {
2022-07-10 17:48:38 -07:00
message.delete('Cleaning Channel').catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
return;
}
return;
} else {
// User is sending a command, make sure its a lfg command if its being sent in a clean channel
const enabledCleanChannels = cleanChannels.get(message.guildId);
if (enabledCleanChannels && enabledCleanChannels.length && enabledCleanChannels.indexOf(message.channelId) > -1 && message.content.indexOf(`${prefix}lfg`) !== 0) {
2022-07-10 17:48:38 -07:00
message.delete('Cleaning Channel').catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
return;
}
}
2022-07-10 17:48:38 -07:00
log(LT.LOG, `Handling message ${jsonStringifyBig(message)}`);
// Split into standard command + args format
const args = message.content.slice(prefix.length).trim().split(/[ \n]+/g);
const command = args.shift()?.toLowerCase();
// All commands below here
// ping
// Its a ping test, what else do you want.
2022-07-10 17:48:38 -07:00
if (command === 'ping') {
// Light telemetry to see how many times a command is being run
2022-07-10 17:48:38 -07:00
dbClient.execute(`CALL INC_CNT("ping");`).catch((e) => {
log(LT.ERROR, `Failed to call stored procedure INC_CNT: ${jsonStringifyBig(e)}`);
});
// Calculates ping between sending a message and editing it, giving a nice round-trip latency.
try {
const m = await message.send({
embeds: [{
2022-07-10 17:48:38 -07:00
title: 'Ping?',
}],
});
m.edit({
embeds: [{
2022-07-10 17:48:38 -07:00
title: `Pong! Latency is ${m.timestamp - message.timestamp}ms.`,
}],
});
} catch (e) {
log(LT.ERROR, `Failed to send message: ${jsonStringifyBig(message)} | ${jsonStringifyBig(e)}`);
}
2022-07-10 17:48:38 -07:00
} // lfg
// Handles all LFG commands, creating, editing, deleting
2022-07-10 17:48:38 -07:00
else if (command === 'lfg') {
// Light telemetry to see how many times a command is being run
2022-07-10 17:48:38 -07:00
dbClient.execute(`CALL INC_CNT("lfg");`).catch((e) => {
log(LT.ERROR, `Failed to call stored procedure INC_CNT: ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
const subcmd = (args[0] || 'help').toLowerCase();
const lfgUid = (args[1] || '').toUpperCase();
// Learn how the LFG command works
2022-07-10 17:48:38 -07:00
if (subcmd === 'help' || subcmd === 'h' || subcmd === '?') {
message.send(constantCmds.lfgHelp).catch((e) => {
log(LT.ERROR, `Failed to send message: ${jsonStringifyBig(message)} | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
} // Create a new LFG
else if (subcmd === 'create' || subcmd === 'c') {
try {
const lfgMsg = await message.send(`Creating new LFG post for <@${message.authorId}>. Please reply with the requested information and watch as your LFG post gets created!`);
2022-07-10 17:48:38 -07:00
const gameButtons: Array<ButtonComponent> = Object.keys(LFGActivities).map((game) => {
return {
type: 2,
label: game,
customId: `building@set_game#${game}`,
2022-07-10 17:48:38 -07:00
style: DiscordButtonStyles.Primary,
};
});
const buttonComps: Array<ActionRow> = [];
2022-07-10 17:48:38 -07:00
const temp: Array<ActionRow['components']> = [];
gameButtons.forEach((btn, idx) => {
2022-07-10 17:48:38 -07:00
if (!temp[Math.floor(idx / 5)]) {
temp[Math.floor(idx / 5)] = [btn];
} else {
2022-07-10 17:48:38 -07:00
temp[Math.floor(idx / 5)].push(btn);
}
});
2022-07-10 17:48:38 -07:00
temp.forEach((btns) => {
if (btns.length && btns.length <= 5) {
buttonComps.push({
type: 1,
2022-07-10 17:48:38 -07:00
components: btns,
});
}
});
const question = await message.send({
content: lfgStepQuestions.set_game,
2022-07-10 17:48:38 -07:00
components: buttonComps,
});
activeBuilders.push({
userId: message.authorId,
channelId: message.channelId,
2022-07-10 17:48:38 -07:00
step: 'set_game',
lfgMsg: lfgMsg,
questionMsg: question,
lastTouch: new Date(),
maxIdle: 60,
2022-07-10 17:48:38 -07:00
editing: false,
});
2022-07-10 17:48:38 -07:00
message.delete().catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
} catch (e) {
log(LT.WARN, `LFG failed at step | create | ${jsonStringifyBig(e)}`);
}
2022-07-10 17:48:38 -07:00
} // Delete an existing LFG
else if (subcmd === 'delete' || subcmd === 'd') {
try {
// User provided a Uid, use it
if (lfgUid) {
2022-07-10 17:48:38 -07:00
const matches = activeLFGPosts.filter((lfg) => (message.authorId === lfg.ownerId && message.channelId === lfg.channelId && lfgUid === lfg.lfgUid));
// Found one, delete
if (matches.length) {
2022-07-10 17:48:38 -07:00
await deleteMessage(matches[0].channelId, matches[0].messageId, 'User requested LFG to be deleted.').catch((e) => {
log(LT.WARN, `Failed to find message to delete | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
const lfgIdx = activeLFGPosts.findIndex((lfg) => (message.authorId === lfg.ownerId && message.channelId === lfg.channelId && lfgUid === lfg.lfgUid));
activeLFGPosts.splice(lfgIdx, 1);
2022-07-10 17:48:38 -07:00
localStorage.setItem('activeLFGPosts', jsonStringifyBig(activeLFGPosts));
const m = await message.send(constantCmds.lfgDelete3);
2022-07-10 17:48:38 -07:00
m.delete('Channel Cleanup', 5000).catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
message.delete('Channel Cleanup', 5000).catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
} // Did not find one
else {
const m = await message.send(constantCmds.lfgDelete1);
2022-07-10 17:48:38 -07:00
m.delete('Channel Cleanup', 5000).catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
message.delete('Channel Cleanup', 5000).catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
}
2022-07-10 17:48:38 -07:00
} // User did not provide a Uid, find it automatically
else {
2022-07-10 17:48:38 -07:00
const matches = activeLFGPosts.filter((lfg) => (message.authorId === lfg.ownerId && message.channelId === lfg.channelId));
// Found one, delete
if (matches.length === 1) {
2022-07-10 17:48:38 -07:00
await deleteMessage(matches[0].channelId, matches[0].messageId, 'User requested LFG to be deleted.').catch((e) => {
log(LT.WARN, `Failed to find message to delete | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
const lfgIdx = activeLFGPosts.findIndex((lfg) => (message.authorId === lfg.ownerId && message.channelId === lfg.channelId));
activeLFGPosts.splice(lfgIdx, 1);
2022-07-10 17:48:38 -07:00
localStorage.setItem('activeLFGPosts', jsonStringifyBig(activeLFGPosts));
const m = await message.send(constantCmds.lfgDelete3);
2022-07-10 17:48:38 -07:00
m.delete('Channel Cleanup', 5000).catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
message.delete('Channel Cleanup', 5000).catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
} // Found multiple, notify user
else if (matches.length) {
const deleteMsg = constantCmds.lfgDelete2;
const deepCloningFailedSoThisIsTheSolution = constantCmds.lfgDelete2.embeds[0].fields[0].value;
2022-07-10 17:48:38 -07:00
matches.forEach((mt) => {
deleteMsg.embeds[0].fields[0].value += `[${mt.lfgUid}](https://discord.com/channels/${message.guildId}/${mt.channelId}/${mt.messageId})\n`;
});
2022-07-10 17:48:38 -07:00
deleteMsg.embeds[0].fields[0].value += '\nThis message will self descruct in 30 seconds.';
const m = await message.send(deleteMsg);
constantCmds.lfgDelete2.embeds[0].fields[0].value = deepCloningFailedSoThisIsTheSolution;
2022-07-10 17:48:38 -07:00
m.delete('Channel Cleanup', 30000).catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
message.delete('Channel Cleanup', 30000).catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
} // Found none, notify user you cannot delete other's lfgs
else {
const m = await message.send(constantCmds.lfgDelete1);
2022-07-10 17:48:38 -07:00
m.delete('Channel Cleanup', 5000).catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
message.delete('Channel Cleanup', 5000).catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
}
2022-07-10 17:48:38 -07:00
}
} catch (e) {
log(LT.WARN, `LFG failed at step | delete | ${jsonStringifyBig(e)}`);
}
2022-07-10 17:48:38 -07:00
} // Edit an existing LFG
else if (subcmd === 'edit' || subcmd === 'e') {
try {
// User provided a Uid, use it
if (lfgUid) {
2022-07-10 17:48:38 -07:00
const matches = activeLFGPosts.filter((lfg) => (message.authorId === lfg.ownerId && message.channelId === lfg.channelId && lfgUid === lfg.lfgUid));
// Found one, edit
if (matches.length) {
const lfgMessage = await (await getMessage(matches[0].channelId, matches[0].messageId)).edit({
2022-07-10 17:48:38 -07:00
content: `Editing new LFG post for <@${matches[0].ownerId}>. Please reply with the requested information and watch as your LFG post gets edited!`,
});
const question = await message.send({
2022-07-10 17:48:38 -07:00
content: 'Please select an item to edit from the buttons below:',
components: [{
type: 1,
2022-07-10 17:48:38 -07:00
components: editBtns,
}],
});
activeBuilders.push({
userId: matches[0].ownerId,
channelId: matches[0].channelId,
2022-07-10 17:48:38 -07:00
step: 'edit_btn',
lfgMsg: lfgMessage,
questionMsg: question,
lastTouch: new Date(),
maxIdle: 60,
2022-07-10 17:48:38 -07:00
editing: true,
});
2022-07-10 17:48:38 -07:00
message.delete().catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
} // Did not find one
else {
const m = await message.send(constantCmds.lfgEdit1);
2022-07-10 17:48:38 -07:00
m.delete('Channel Cleanup', 5000).catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
message.delete('Channel Cleanup', 5000).catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
}
2022-07-10 17:48:38 -07:00
} // User did not provide a Uid, find it automatically
else {
2022-07-10 17:48:38 -07:00
const matches = activeLFGPosts.filter((lfg) => (message.authorId === lfg.ownerId && message.channelId === lfg.channelId));
// Found one, edit
if (matches.length === 1) {
const lfgMessage = await (await getMessage(matches[0].channelId, matches[0].messageId)).edit({
2022-07-10 17:48:38 -07:00
content: `Editing new LFG post for <@${matches[0].ownerId}>. Please reply with the requested information and watch as your LFG post gets edited!`,
});
const question = await message.send({
2022-07-10 17:48:38 -07:00
content: 'Please select an item to edit from the buttons below:',
components: [{
type: 1,
2022-07-10 17:48:38 -07:00
components: editBtns,
}],
});
activeBuilders.push({
userId: matches[0].ownerId,
channelId: matches[0].channelId,
2022-07-10 17:48:38 -07:00
step: 'edit_btn',
lfgMsg: lfgMessage,
questionMsg: question,
lastTouch: new Date(),
maxIdle: 60,
2022-07-10 17:48:38 -07:00
editing: true,
});
2022-07-10 17:48:38 -07:00
message.delete().catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
} // Found multiple, notify user
else if (matches.length) {
const deleteMsg = constantCmds.lfgEdit2;
const deepCloningFailedSoThisIsTheSolution = constantCmds.lfgEdit2.embeds[0].fields[0].value;
2022-07-10 17:48:38 -07:00
matches.forEach((mt) => {
deleteMsg.embeds[0].fields[0].value += `[${mt.lfgUid}](https://discord.com/channels/${message.guildId}/${mt.channelId}/${mt.messageId})\n`;
});
2022-07-10 17:48:38 -07:00
deleteMsg.embeds[0].fields[0].value += '\nThis message will self descruct in 30 seconds.';
const m = await message.send(deleteMsg);
constantCmds.lfgEdit2.embeds[0].fields[0].value = deepCloningFailedSoThisIsTheSolution;
2022-07-10 17:48:38 -07:00
m.delete('Channel Cleanup', 30000).catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
message.delete('Channel Cleanup', 30000).catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
} // Found none, notify user you cannot edit other's lfgs
else {
const m = await message.send(constantCmds.lfgEdit1);
2022-07-10 17:48:38 -07:00
m.delete('Channel Cleanup', 5000).catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
message.delete('Channel Cleanup', 5000).catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
}
}
2022-07-10 17:48:38 -07:00
} catch (e) {
log(LT.WARN, `LFG failed at step | edit | ${jsonStringifyBig(e)}`);
}
2022-07-10 17:48:38 -07:00
} // Join a LFG on behalf of a user
// gu!lfg join [url] [join/leave/alternate] [member?]
else if (subcmd === 'join' || subcmd === 'leave' || subcmd === 'alternate') {
try {
const action = subcmd;
2022-07-10 17:48:38 -07:00
const lfgIds = urlToIds(args[1] || '');
const memberStr = args[2] || `<@${message.authorId}>`;
const member = await message.guild?.members.get(BigInt(memberStr.substr(3, memberStr.length - 4)));
2022-07-10 17:48:38 -07:00
const modRole = guildModRoles.get(message.guildId) || 0n;
// Join yourself (or others if you are a guild mod) to an LFG
if (lfgIds.guildId === message.guildId && member && (member.id === message.authorId || message.guildMember?.roles.includes(modRole))) {
const lfgMessage = await getMessage(lfgIds.channelId, lfgIds.messageId);
const embeds = lfgMessage.embeds[0].fields || [];
let results: JoinLeaveType = {
embed: [],
success: false,
full: true,
2022-07-10 17:48:38 -07:00
justFilled: false,
};
let actionResp: string;
switch (action) {
2022-07-10 17:48:38 -07:00
case 'join':
results = handleMemberJoin(embeds, member, false);
2022-07-10 17:48:38 -07:00
actionResp = 'joined';
break;
2022-07-10 17:48:38 -07:00
case 'leave':
results = handleMemberLeave(embeds, member);
2022-07-10 17:48:38 -07:00
actionResp = 'left';
break;
2022-07-10 17:48:38 -07:00
case 'alternate':
results = handleMemberJoin(embeds, member, true);
2022-07-10 17:48:38 -07:00
actionResp = 'joined as alternate';
break;
}
let resp: string;
if (results.success && lfgMessage.components) {
const buttonRow: ActionRow = lfgMessage.components[0] as ActionRow;
await lfgMessage.edit({
embeds: [{
fields: results.embed,
footer: lfgMessage.embeds[0].footer,
2022-07-10 17:48:38 -07:00
timestamp: lfgMessage.embeds[0].timestamp,
}],
2022-07-10 17:48:38 -07:00
components: [buttonRow],
});
if (results.justFilled) {
2022-07-10 17:48:38 -07:00
const thisLFGPost = activeLFGPosts.filter((lfg) => (lfgMessage.id === lfg.messageId && lfgMessage.channelId === lfg.channelId))[0];
const thisLFG = (await getMessage(thisLFGPost.channelId, thisLFGPost.messageId)).embeds[0].fields || [];
sendDirectMessage(thisLFGPost.ownerId, {
embeds: [{
2022-07-10 17:48:38 -07:00
title: `Hello ${(await getUser(thisLFGPost.ownerId)).username}! Your event in ${
lfgMessage.guild?.name || (await getGuild(message.guildId, { counts: false, addToCache: false })).name
} has filled up!`,
fields: [
thisLFG[0],
{
2022-07-10 17:48:38 -07:00
name: 'Your members are:',
value: thisLFG[4].value,
},
],
}],
});
}
resp = `Successfully ${actionResp} LFG.`;
} else {
2022-07-10 17:48:38 -07:00
resp = `Failed to ${action} LFG.`;
}
const m = await message.send({
embeds: [{
2022-07-10 17:48:38 -07:00
title: resp,
}],
});
2022-07-10 17:48:38 -07:00
m.delete('Channel Cleanup', 5000).catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
message.delete('Channel Cleanup', 5000).catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
}
2022-07-10 17:48:38 -07:00
} catch (e) {
log(LT.WARN, `Member Join/Leave/Alt command failed: ${jsonStringifyBig(message)} | ${jsonStringifyBig(e)}`);
const m = await message.send({
embeds: [{
2022-07-10 17:48:38 -07:00
title: 'Failed to find LFG.',
}],
});
2022-07-10 17:48:38 -07:00
m.delete('Channel Cleanup').catch((e) => {
log(LT.WARN, `Failed to clean up joiner | joining on behalf | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
message.delete('Channel Cleanup', 5000).catch((e) => {
log(LT.WARN, `Failed to clean up joiner | joining on behalf | ${jsonStringifyBig(e)}`);
});
}
2022-07-10 17:48:38 -07:00
} // Sets the mod role
else if (subcmd === 'set_mod_role' && (await hasGuildPermissions(message.guildId, message.authorId, ['ADMINISTRATOR']))) {
const mentionedRole = args[1] || '';
const roleId = BigInt(mentionedRole.substr(3, mentionedRole.length - 4));
if (message.guild?.roles.has(roleId)) {
let success = true;
if (guildModRoles.has(message.guildId)) {
// Execute the DB update
2022-07-10 17:48:38 -07:00
await dbClient.execute('UPDATE guild_mod_role SET roleId = ? WHERE guildId = ?', [roleId, message.guildId]).catch((e) => {
log(LT.ERROR, `Failed to insert into database: ${jsonStringifyBig(e)}`);
success = false;
});
} else {
// Execute the DB insertion
2022-07-10 17:48:38 -07:00
await dbClient.execute('INSERT INTO guild_mod_role(guildId,roleId) values(?,?)', [message.guildId, roleId]).catch((e) => {
log(LT.ERROR, `Failed to insert into database: ${jsonStringifyBig(e)}`);
success = false;
});
}
if (success) {
guildModRoles.set(message.guildId, roleId);
message.send({
embeds: [{
fields: [
{
2022-07-10 17:48:38 -07:00
name: 'LFG Mod Role set successfully',
value: `LFG Mod Role set to ${args[1]}.`,
},
],
}],
}).catch((e) => {
log(LT.WARN, `Failed to send message | ${jsonStringifyBig(e)}`);
});
} else {
message.send({
embeds: [{
fields: [
{
2022-07-10 17:48:38 -07:00
name: 'Something went wrong!',
value: 'LFG Mod Role has been left unchanged.',
},
],
}],
}).catch((e) => {
log(LT.WARN, `Failed to send message | ${jsonStringifyBig(e)}`);
});
}
} else {
if (guildModRoles.has(message.guildId)) {
message.send({
embeds: [{
fields: [
{
2022-07-10 17:48:38 -07:00
name: 'LFG Mod Role is currently set to:',
value: `<@&${guildModRoles.get(message.guildId)}>`,
},
],
}],
}).catch((e) => {
log(LT.WARN, `Failed to send message | ${jsonStringifyBig(e)}`);
});
} else {
message.send({
embeds: [{
fields: [
{
2022-07-10 17:48:38 -07:00
name: 'There is no LFG Mod Role set for this guild.',
value: `To set one, run this command again with the role mentioned.\n\nExample: \`${prefix}lfg set_mod_role @newModRole\``,
},
],
}],
}).catch((e) => {
log(LT.WARN, `Failed to send message | ${jsonStringifyBig(e)}`);
});
}
}
2022-07-10 17:48:38 -07:00
} // Sets the channel cleaning up for LFG channels to keep LFG events visible and prevent conversations
else if (subcmd === 'set_clean_channel' && (await hasGuildPermissions(message.guildId, message.authorId, ['ADMINISTRATOR']))) {
const cleanSetting = (args[1] || 'list').toLowerCase();
let success = true;
2022-07-10 17:48:38 -07:00
if (cleanSetting === 'on') {
// Execute the DB insertion
2022-07-10 17:48:38 -07:00
await dbClient.execute('INSERT INTO guild_clean_channel(guildId,channelId) values(?,?)', [message.guildId, message.channelId]).catch((e) => {
log(LT.ERROR, `Failed to insert into database: ${jsonStringifyBig(e)}`);
success = false;
});
if (success) {
const tempArr = cleanChannels.get(message.guildId) || [];
tempArr.push(message.channelId);
cleanChannels.set(message.guildId, tempArr);
const m = await message.send({
embeds: [{
fields: [
{
2022-07-10 17:48:38 -07:00
name: 'Channel Cleaning turned ON.',
value: 'This message will self destruct in 5 seconds.',
},
],
}],
}).catch((e) => {
log(LT.WARN, `Failed to send message | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
m && m.delete('Channel Cleanup', 5000).catch((e) => {
log(LT.WARN, `Failed to clean up | set_clean_channel | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
message.delete('Channel Cleanup', 5000).catch((e) => {
log(LT.WARN, `Failed to clean up | set_clean_channel | ${jsonStringifyBig(e)}`);
});
} else {
message.send({
embeds: [{
fields: [
{
2022-07-10 17:48:38 -07:00
name: 'Something went wrong!',
value: 'Channel Clean status left off.',
},
],
}],
}).catch((e) => {
log(LT.WARN, `Failed to send message | ${jsonStringifyBig(e)}`);
});
}
2022-07-10 17:48:38 -07:00
} else if (cleanSetting === 'off') {
// turns clean off for channel
// Execute the DB insertion
2022-07-10 17:48:38 -07:00
await dbClient.execute('DELETE FROM guild_clean_channel WHERE guildId = ? AND channelId = ?', [message.guildId, message.channelId]).catch((e) => {
log(LT.ERROR, `Failed to delete from database: ${jsonStringifyBig(e)}`);
success = false;
});
if (success) {
let tempArr = cleanChannels.get(message.guildId) || [];
2022-07-10 17:48:38 -07:00
tempArr = tempArr.filter((channelId) => channelId !== message.channelId);
cleanChannels.set(message.guildId, tempArr);
const m = await message.send({
embeds: [{
fields: [
{
2022-07-10 17:48:38 -07:00
name: 'Channel Cleaning turned OFF.',
value: 'This message will self destruct in 5 seconds.',
},
],
}],
}).catch((e) => {
log(LT.WARN, `Failed to send message | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
m && m.delete('Channel Cleanup', 5000).catch((e) => {
log(LT.WARN, `Failed to clean up | set_clean_channel | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
message.delete('Channel Cleanup', 5000).catch((e) => {
log(LT.WARN, `Failed to clean up | set_clean_channel | ${jsonStringifyBig(e)}`);
});
} else {
message.send({
embeds: [{
fields: [
{
2022-07-10 17:48:38 -07:00
name: 'Something went wrong!',
value: 'Channel Clean status left on.',
},
],
}],
}).catch((e) => {
log(LT.WARN, `Failed to send message | ${jsonStringifyBig(e)}`);
});
}
2022-07-10 17:48:38 -07:00
} else if (cleanSetting === 'list') {
// send list of channels with clean on
2022-07-10 17:48:38 -07:00
let cleanChannelStr = '';
for (const channelId of cleanChannels.get(message.guildId) || []) {
cleanChannelStr += `<#${channelId}>\n`;
}
cleanChannelStr = cleanChannelStr.substr(0, cleanChannelStr.length - 1);
const tmpEmbed: Embed = {};
if (cleanChannelStr) {
tmpEmbed.fields = [
{
2022-07-10 17:48:38 -07:00
name: 'Clean Channels enabled for this guild:',
value: cleanChannelStr,
},
];
} else {
2022-07-10 17:48:38 -07:00
tmpEmbed.title = 'No Clean Channels are enabled for this guild.';
}
await message.send({
2022-07-10 17:48:38 -07:00
embeds: [tmpEmbed],
}).catch((e) => {
log(LT.WARN, `Failed to send message | ${jsonStringifyBig(e)}`);
});
}
}
2022-07-10 17:48:38 -07:00
} // report or r (command that failed)
// Manually report something that screwed up
2022-07-10 17:48:38 -07:00
else if (command === 'report' || command === 'r') {
// Light telemetry to see how many times a command is being run
2022-07-10 17:48:38 -07:00
dbClient.execute(`CALL INC_CNT("report");`).catch((e) => {
log(LT.ERROR, `Failed to call stored procedure INC_CNT: ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
sendMessage(config.reportChannel, 'USER REPORT:\n' + args.join(' ')).catch((e) => {
log(LT.ERROR, `Failed to send message: ${jsonStringifyBig(message)} | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
message.send(constantCmds.report).catch((e) => {
log(LT.ERROR, `Failed to send message: ${jsonStringifyBig(message)} | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
} // version or v
// Returns version of the bot
2022-07-10 17:48:38 -07:00
else if (command === 'version' || command === 'v') {
// Light telemetry to see how many times a command is being run
2022-07-10 17:48:38 -07:00
dbClient.execute(`CALL INC_CNT("version");`).catch((e) => {
log(LT.ERROR, `Failed to call stored procedure INC_CNT: ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
message.send(constantCmds.version).catch((e) => {
log(LT.ERROR, `Failed to send message: ${jsonStringifyBig(message)} | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
} // info or i
// Info command, prints short desc on bot and some links
2022-07-10 17:48:38 -07:00
else if (command === 'info' || command === 'i') {
// Light telemetry to see how many times a command is being run
2022-07-10 17:48:38 -07:00
dbClient.execute(`CALL INC_CNT("info");`).catch((e) => {
log(LT.ERROR, `Failed to call stored procedure INC_CNT: ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
message.send(constantCmds.info).catch((e) => {
log(LT.ERROR, `Failed to send message: ${jsonStringifyBig(message)} | ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
} // help or h or ?
// Help command, prints available commands
2022-07-10 17:48:38 -07:00
else if (command === 'help' || command === 'h' || command === '?') {
// Light telemetry to see how many times a command is being run
2022-07-10 17:48:38 -07:00
dbClient.execute(`CALL INC_CNT("help");`).catch((e) => {
log(LT.ERROR, `Failed to call stored procedure INC_CNT: ${jsonStringifyBig(e)}`);
});
2022-07-10 17:48:38 -07:00
message.send(constantCmds.help).catch((e) => {
log(LT.ERROR, `Failed to send message: ${jsonStringifyBig(message)} | ${jsonStringifyBig(e)}`);
});
} // announce
// Sends important announcement about rewrite of bot to all server owners
else if (command === 'announce' && message.authorId === config.owner) {
message.send('Sending Announcement to all Server Owners:');
const owners: Array<bigint> = [];
cache.guilds.forEach(x => {
if (!owners.includes(x.ownerId)) {
owners.push(x.ownerId);
}
});
message.send(`Sending DM to following user Ids: ${owners.join(', ')}`);
for (const ownerId of owners) {
if (args[0] === 'all') {
console.log(`Message sent to ${ownerId}`);
sendDirectMessage(ownerId, constantCmds.announcement)
} else if (args[0] === 'dry') {
console.log(`Fake Message sent to ${ownerId}`);
}
}
message.send(constantCmds.announcement);
}
},
interactionCreate: async (interact, member) => {
try {
if (interact.type === DiscordInteractionTypes.MessageComponent) {
if (interact.message && interact.data && (interact.data as ButtonData).customId && member) {
log(LT.INFO, `Handling Button ${(interact.data as ButtonData).customId}`);
log(LT.LOG, `Button Data | ${jsonStringifyBig(interact)}`);
sendInteractionResponse(BigInt(interact.id), interact.token, {
2022-07-10 17:48:38 -07:00
type: DiscordInteractionResponseTypes.DeferredUpdateMessage,
});
2022-07-10 17:48:38 -07:00
const [handler, stepInfo] = (interact.data as ButtonData).customId.split('@');
const [action, value] = stepInfo.split('#');
switch (handler) {
2022-07-10 17:48:38 -07:00
case 'building': {
await activeBuilders.some(async (x, i) => {
2022-07-10 17:48:38 -07:00
if (x.channelId === BigInt(interact.channelId || '0') && member && x.userId === BigInt(member.id)) {
x.lastTouch = new Date();
x = await handleLFGStep(x, value);
2022-07-10 17:48:38 -07:00
if (x.step === 'done' && x.lfgMsg.components) {
const currentLFG = (x.lfgMsg.embeds[0].fields || []);
2022-07-10 17:48:38 -07:00
const newTimestamp = new Date(parseInt(currentLFG[1].value.split('#')[1]));
const newLfgUid = ALPHABET[Math.floor(Math.random() * 26)] + ALPHABET[Math.floor(Math.random() * 26)];
2022-07-10 17:48:38 -07:00
const tempMembers = currentLFG[4].name.split(':')[1].split('/');
const currentMembers = parseInt(tempMembers[0]);
const maxMembers = parseInt(tempMembers[1]);
const buttonRow: ActionRow = x.lfgMsg.components[0] as ActionRow;
if (currentMembers > maxMembers) {
2022-07-10 17:48:38 -07:00
const currentPeople = currentLFG[4].value.split('\n');
const newAlts = currentPeople.splice(maxMembers - 1);
2022-07-10 17:48:38 -07:00
currentLFG[4].value = currentPeople.join('\n');
currentLFG[5].value = `${newAlts.join('\n')}\n${currentLFG[5].value}`;
currentLFG[4].name = `Members Joined: ${maxMembers}/${maxMembers}`;
}
await x.lfgMsg.edit({
2022-07-10 17:48:38 -07:00
content: '',
embeds: [{
fields: currentLFG,
footer: {
text: `Created by: ${member.username} | ${newLfgUid}`,
},
2022-07-10 17:48:38 -07:00
timestamp: newTimestamp.toISOString(),
}],
2022-07-10 17:48:38 -07:00
components: [buttonRow],
});
2022-07-10 17:48:38 -07:00
const activeIdx = activeLFGPosts.findIndex((lfg) => (lfg.channelId === x.channelId && lfg.messageId === x.lfgMsg.id && lfg.ownerId === x.userId));
activeLFGPosts[activeIdx].lfgTime = newTimestamp.getTime();
activeLFGPosts[activeIdx].lfgUid = newLfgUid;
2022-07-10 17:48:38 -07:00
localStorage.setItem('activeLFGPosts', jsonStringifyBig(activeLFGPosts));
2022-07-10 17:48:38 -07:00
await activeBuilders[i].questionMsg.delete().catch((e) => {
log(LT.WARN, `Failed to delete message | ${jsonStringifyBig(e)}`);
});
activeBuilders.splice(i, 1);
} else {
activeBuilders[i] = x;
}
return true;
}
});
break;
}
2022-07-10 17:48:38 -07:00
case 'active': {
const message = await getMessage(BigInt(interact.channelId || '0'), BigInt(interact.message.id));
const embeds = message.embeds[0].fields || [];
let results: JoinLeaveType = {
embed: [],
success: false,
full: true,
2022-07-10 17:48:38 -07:00
justFilled: false,
};
switch (action) {
2022-07-10 17:48:38 -07:00
case 'join_group':
results = handleMemberJoin(embeds, member, false);
break;
2022-07-10 17:48:38 -07:00
case 'leave_group':
results = handleMemberLeave(embeds, member);
break;
2022-07-10 17:48:38 -07:00
case 'alternate_group':
results = handleMemberJoin(embeds, member, true);
break;
}
if (results.success && message.components) {
await message.edit({
embeds: [{
fields: results.embed,
footer: message.embeds[0].footer,
2022-07-10 17:48:38 -07:00
timestamp: message.embeds[0].timestamp,
}],
});
if (results.justFilled) {
2022-07-10 17:48:38 -07:00
const thisLFGPost = activeLFGPosts.filter((lfg) => (message.id === lfg.messageId && message.channelId === lfg.channelId))[0];
const thisLFG = (await getMessage(thisLFGPost.channelId, thisLFGPost.messageId)).embeds[0].fields || [];
sendDirectMessage(thisLFGPost.ownerId, {
embeds: [{
2022-07-10 17:48:38 -07:00
title: `Hello ${(await getUser(thisLFGPost.ownerId)).username}! Your event in ${
message.guild?.name || (await getGuild(message.guildId, { counts: false, addToCache: false })).name
} has filled up!`,
fields: [
thisLFG[0],
{
2022-07-10 17:48:38 -07:00
name: 'Your members are:',
value: thisLFG[4].value,
},
],
}],
});
}
}
break;
}
2022-07-10 17:48:38 -07:00
case 'editing': {
await activeBuilders.some(async (x, i) => {
2022-07-10 17:48:38 -07:00
if (x.editing && x.channelId === BigInt(interact.channelId || '0') && member && x.userId === BigInt(member.id)) {
x.step = action;
x.lastTouch = new Date();
2022-07-10 17:48:38 -07:00
let nextQuestion = '';
const nextComponents: Array<ActionRow> = [];
switch (action) {
2022-07-10 17:48:38 -07:00
case 'set_game': {
nextQuestion = lfgStepQuestions.set_game;
2022-07-10 17:48:38 -07:00
const gameButtons: Array<ButtonComponent> = Object.keys(LFGActivities).map((game) => {
return {
type: 2,
label: game,
customId: `building@set_game#${game}`,
2022-07-10 17:48:38 -07:00
style: DiscordButtonStyles.Primary,
};
});
2022-07-10 17:48:38 -07:00
const temp: Array<ActionRow['components']> = [];
gameButtons.forEach((btn, idx) => {
2022-07-10 17:48:38 -07:00
if (!temp[Math.floor(idx / 5)]) {
temp[Math.floor(idx / 5)] = [btn];
} else {
2022-07-10 17:48:38 -07:00
temp[Math.floor(idx / 5)].push(btn);
}
});
2022-07-10 17:48:38 -07:00
temp.forEach((btns) => {
if (btns.length && btns.length <= 5) {
nextComponents.push({
type: 1,
2022-07-10 17:48:38 -07:00
components: btns,
});
}
});
break;
}
2022-07-10 17:48:38 -07:00
case 'set_time': {
nextQuestion = 'Please enter the time of the activity:';
break;
}
2022-07-10 17:48:38 -07:00
case 'set_desc': {
nextQuestion = 'Please enter a description for the activity. Enter `none` to skip:';
break;
}
default:
break;
}
x.questionMsg = await x.questionMsg.edit({
content: nextQuestion,
2022-07-10 17:48:38 -07:00
components: nextComponents,
});
activeBuilders[i] = x;
return true;
}
});
break;
}
default:
break;
}
}
}
2022-07-10 17:48:38 -07:00
} catch (e) {
log(LT.ERROR, `Interaction failed: ${jsonStringifyBig(interact)} | ${jsonStringifyBig(member)} | ${jsonStringifyBig(e)}`);
}
2022-07-10 17:48:38 -07:00
},
},
});