initial commit

This commit is contained in:
Jacob Janzen 2024-12-08 01:56:35 +00:00
commit 0fbf84b271
5 changed files with 1392 additions and 0 deletions

68
app.js Normal file
View file

@ -0,0 +1,68 @@
import 'dotenv/config';
import express from 'express';
import cron from 'node-cron';
import {
InteractionType,
InteractionResponseType,
verifyKeyMiddleware,
} from 'discord-interactions';
// Create an express app
const app = express();
// Get port, or default to 3000
const PORT = process.env.PORT || 3000;
/**
* Interactions endpoint URL where Discord will send HTTP requests
* Parse request body and verifies incoming requests using discord-interactions package
*/
app.post('/', verifyKeyMiddleware(process.env.PUBLIC_KEY), async function (req, res) {
// Interaction type and data
const { type, data } = req.body;
/**
* Handle verification requests
*/
if (type === InteractionType.PING) {
return res.send({ type: InteractionResponseType.PONG });
}
/**
* Handle slash command requests
* See https://discord.com/developers/docs/interactions/application-commands#slash-commands
*/
if (type === InteractionType.APPLICATION_COMMAND) {
const { name, options } = data;
if (name === 'schedule_message') {
const message = options[0].value;
const crontab = options[1].value;
const valid = cron.validate(crontab);
const content = valid ? 'registered message "' + message + '" with cron "' + crontab + '"' : 'invalid cron';
if (valid) {
cron.schedule(crontab, () => {
console.log(message);
});
}
return res.send({
type: InteractionResponseType.CHANNEL_MESSAGE_WITH_SOURCE,
data: {
content: content,
},
});
}
console.error(`unknown command: ${name}`);
return res.status(400).json({ error: 'unknown command' });
}
console.error('unknown interaction type', type);
return res.status(400).json({ error: 'unknown interaction type' });
});
app.listen(PORT, () => {
console.log('Listening on port', PORT);
});

35
commands.js Normal file
View file

@ -0,0 +1,35 @@
import 'dotenv/config';
import {InstallGlobalCommands} from './utils.js';
const SCHEDULE_MESSAGE = {
name: 'schedule_message',
description: 'Register a message to be sent at a specific time',
type: 1,
options: [
{
type: 3,
name: 'message',
description: 'the message to send',
required: true,
},
{
type: 3,
name: 'crontab_string',
description: 'the time the message should be sent at in crontab format',
required: true,
},
{
type: 4,
name: 'repeat',
description: 'how many times should the message be repeated? (0 is infinite and the default)',
required: false,
min_value: 0,
},
],
integration_types: [0, 1],
contexts: [0, 1, 2],
};
const ALL_COMMANDS = [SCHEDULE_MESSAGE];
InstallGlobalCommands(process.env.APP_ID, ALL_COMMANDS);

1215
package-lock.json generated Normal file

File diff suppressed because it is too large Load diff

27
package.json Normal file
View file

@ -0,0 +1,27 @@
{
"name": "sily-bot",
"private": true,
"version": "0.0.1",
"description": "Fun Discord Bot",
"main": "app.js",
"type": "module",
"engines": {
"node": ">=18.x"
},
"scripts": {
"start": "node app.js",
"register": "node commands.js",
"dev": "nodemon app.js"
},
"author": "Jacob Janzen",
"license": "MIT",
"dependencies": {
"discord-interactions": "^4.0.0",
"dotenv": "^16.0.3",
"express": "^4.18.2",
"node-cron": "^3.0.3"
},
"devDependencies": {
"nodemon": "^3.0.0"
}
}

47
utils.js Normal file
View file

@ -0,0 +1,47 @@
import 'dotenv/config';
export async function DiscordRequest(endpoint, options) {
// append endpoint to root API URL
const url = 'https://discord.com/api/v10/' + endpoint;
// Stringify payloads
if (options.body) options.body = JSON.stringify(options.body);
// Use fetch to make requests
const res = await fetch(url, {
headers: {
Authorization: `Bot ${process.env.DISCORD_TOKEN}`,
'Content-Type': 'application/json; charset=UTF-8',
'User-Agent': 'DiscordBot (https://github.com/discord/discord-example-app, 1.0.0)',
},
...options
});
// throw API errors
if (!res.ok) {
const data = await res.json();
console.log(res.status);
throw new Error(JSON.stringify(data));
}
// return original response
return res;
}
export async function InstallGlobalCommands(appId, commands) {
// API endpoint to overwrite global commands
const endpoint = `applications/${appId}/commands`;
try {
// This is calling the bulk overwrite endpoint: https://discord.com/developers/docs/interactions/application-commands#bulk-overwrite-global-application-commands
await DiscordRequest(endpoint, { method: 'PUT', body: commands });
} catch (err) {
console.error(err);
}
}
// Simple method that returns a random emoji from list
export function getRandomEmoji() {
const emojiList = ['😭','😄','😌','🤓','😎','😤','🤖','😶‍🌫️','🌏','📸','💿','👋','🌊','✨'];
return emojiList[Math.floor(Math.random() * emojiList.length)];
}
export function capitalize(str) {
return str.charAt(0).toUpperCase() + str.slice(1);
}