first commit

This commit is contained in:
creations 2025-02-09 13:36:51 -05:00
commit 6fb7c5f837
Signed by: creations
GPG key ID: 8F553AA4320FC711
16 changed files with 792 additions and 0 deletions

12
.editorconfig Normal file
View file

@ -0,0 +1,12 @@
# EditorConfig is awesome: https://EditorConfig.org
# top-most EditorConfig file
root = true
[*]
indent_style = tab
indent_size = 4
end_of_line = lf
charset = utf-8
trim_trailing_whitespace = true
insert_final_newline = true

6
.env.example Normal file
View file

@ -0,0 +1,6 @@
HOST= 0.0.0.0
PORT= 6679
#NODE_ENV= development
DISCORD_TOKEN= YOUR_DISCORD_BOT_TOKEN
DISCORD_PREFIX= YOUR_DISCORD_BOT_PREFIX

1
.gitattributes vendored Normal file
View file

@ -0,0 +1 @@
* text=auto eol=lf

178
.gitignore vendored Normal file
View file

@ -0,0 +1,178 @@
# Based on https://raw.githubusercontent.com/github/gitignore/main/Node.gitignore
# Logs
logs
_.log
npm-debug.log_
yarn-debug.log*
yarn-error.log*
lerna-debug.log*
.pnpm-debug.log*
bun.lock
# Caches
.cache
# Diagnostic reports (https://nodejs.org/api/report.html)
report.[0-9]_.[0-9]_.[0-9]_.[0-9]_.json
# Runtime data
pids
_.pid
_.seed
*.pid.lock
# Directory for instrumented libs generated by jscoverage/JSCover
lib-cov
# Coverage directory used by tools like istanbul
coverage
*.lcov
# nyc test coverage
.nyc_output
# Grunt intermediate storage (https://gruntjs.com/creating-plugins#storing-task-files)
.grunt
# Bower dependency directory (https://bower.io/)
bower_components
# node-waf configuration
.lock-wscript
# Compiled binary addons (https://nodejs.org/api/addons.html)
build/Release
# Dependency directories
node_modules/
jspm_packages/
# Snowpack dependency directory (https://snowpack.dev/)
web_modules/
# TypeScript cache
*.tsbuildinfo
# Optional npm cache directory
.npm
# Optional eslint cache
.eslintcache
# Optional stylelint cache
.stylelintcache
# Microbundle cache
.rpt2_cache/
.rts2_cache_cjs/
.rts2_cache_es/
.rts2_cache_umd/
# Optional REPL history
.node_repl_history
# Output of 'npm pack'
*.tgz
# Yarn Integrity file
.yarn-integrity
# dotenv environment variable files
.env
.env.development.local
.env.test.local
.env.production.local
.env.local
# parcel-bundler cache (https://parceljs.org/)
.parcel-cache
# Next.js build output
.next
out
# Nuxt.js build / generate output
.nuxt
dist
# Gatsby files
# Comment in the public line in if your project uses Gatsby and not Next.js
# https://nextjs.org/blog/next-9-1#public-directory-support
# public
# vuepress build output
.vuepress/dist
# vuepress v2.x temp and cache directory
.temp
# Docusaurus cache and generated files
.docusaurus
# Serverless directories
.serverless/
# FuseBox cache
.fusebox/
# DynamoDB Local files
.dynamodb/
# TernJS port file
.tern-port
# Stores VSCode versions used for testing VSCode extensions
.vscode-test
# yarn v2
.yarn/cache
.yarn/unplugged
.yarn/build-state.yml
.yarn/install-state.gz
.pnp.*
# IntelliJ based IDEs
.idea
# Finder (MacOS) folder config
.DS_Store
/config/database
/config/secrets.ts

1
README.md Normal file
View file

@ -0,0 +1 @@
# atums.world Discord bot

12
config/environment.ts Normal file
View file

@ -0,0 +1,12 @@
export const environment: Environment = {
port: parseInt(process.env.PORT || "3000"),
host: process.env.HOST || "localhost",
development:
process.argv.includes("--dev") ||
process.argv.includes("--development"),
};
export const discord: Discord = {
token: process.env.DISCORD_TOKEN || "",
prefix: process.env.DISCORD_PREFIX || "!",
};

79
eslint.config.js Normal file
View file

@ -0,0 +1,79 @@
import tseslintPlugin from "@typescript-eslint/eslint-plugin";
import tsParser from "@typescript-eslint/parser";
import prettier from "eslint-plugin-prettier";
import promisePlugin from "eslint-plugin-promise";
import simpleImportSort from "eslint-plugin-simple-import-sort";
import unicorn from "eslint-plugin-unicorn";
import unusedImports from "eslint-plugin-unused-imports";
import globals from "globals";
/** @type {import('eslint').Linter.FlatConfig[]} */
export default [
{
files: ["**/*.{ts,tsx}"],
languageOptions: {
parser: tsParser,
globals: globals.node,
},
plugins: {
"@typescript-eslint": tseslintPlugin,
"simple-import-sort": simpleImportSort,
"unused-imports": unusedImports,
promise: promisePlugin,
prettier: prettier,
unicorn: unicorn,
},
rules: {
...tseslintPlugin.configs.recommended.rules,
quotes: ["error", "double"],
"eol-last": ["error", "always"],
"no-multiple-empty-lines": ["error", { max: 1, maxEOF: 1 }],
"no-mixed-spaces-and-tabs": ["error", "smart-tabs"],
"simple-import-sort/imports": "error",
"simple-import-sort/exports": "error",
"unused-imports/no-unused-imports": "error",
"unused-imports/no-unused-vars": [
"warn",
{
vars: "all",
varsIgnorePattern: "^_",
args: "after-used",
argsIgnorePattern: "^_",
},
],
"promise/always-return": "error",
"promise/no-return-wrap": "error",
"promise/param-names": "error",
"promise/catch-or-return": "error",
"promise/no-nesting": "warn",
"promise/no-promise-in-callback": "warn",
"promise/no-callback-in-promise": "warn",
"prettier/prettier": [
"error",
{
useTabs: true,
tabWidth: 4,
},
],
indent: ["error", "tab", { SwitchCase: 1 }],
"unicorn/filename-case": [
"error",
{
case: "camelCase",
},
],
"@typescript-eslint/explicit-function-return-type": ["error"],
"@typescript-eslint/explicit-module-boundary-types": ["error"],
"@typescript-eslint/typedef": [
"error",
{
arrowParameter: true,
variableDeclaration: true,
propertyDeclaration: true,
memberVariableDeclaration: true,
parameter: true,
},
],
},
},
];

31
package.json Normal file
View file

@ -0,0 +1,31 @@
{
"name": "discord-bot",
"module": "src/index.ts",
"devDependencies": {
"@types/bun": "^1.2.2",
"@typescript-eslint/eslint-plugin": "^8.23.0",
"@typescript-eslint/parser": "^8.23.0",
"eslint": "^9.20.0",
"eslint-plugin-prettier": "^5.2.3",
"eslint-plugin-promise": "^7.2.1",
"eslint-plugin-simple-import-sort": "^12.1.1",
"eslint-plugin-unicorn": "^56.0.1",
"eslint-plugin-unused-imports": "^4.1.4",
"globals": "^15.14.0",
"prettier": "^3.5.0"
},
"peerDependencies": {
"typescript": "^5.7.3"
},
"scripts": {
"start": "bun run src/index.ts",
"dev": "bun run --watch src/index.ts --dev",
"lint": "eslint",
"lint:fix": "bun lint --fix",
"cleanup": "rm -rf logs node_modules bun.lock"
},
"type": "module",
"dependencies": {
"oceanic.js": "^1.11.2"
}
}

20
src/commands/ping.ts Normal file
View file

@ -0,0 +1,20 @@
import { CommandInteraction, Message } from "oceanic.js";
export const interaction: (
interaction: CommandInteraction,
) => Promise<void> = async (interaction: CommandInteraction): Promise<void> => {
await interaction.reply({ content: "Pong!" });
};
export const legacy: (message: Message) => Promise<void> = async (
message: Message,
): Promise<void> => {
if (!message.channel) return;
await message.channel.createMessage({ content: "Pong!" });
};
export default {
name: "ping",
description: "Replies with Pong!",
};

6
src/helpers/char.ts Normal file
View file

@ -0,0 +1,6 @@
export function timestampToReadable(timestamp?: number): string {
const date: Date =
timestamp && !isNaN(timestamp) ? new Date(timestamp) : new Date();
if (isNaN(date.getTime())) return "Invalid Date";
return date.toISOString().replace("T", " ").replace("Z", "");
}

226
src/helpers/logger.ts Normal file
View file

@ -0,0 +1,226 @@
import type { Stats } from "fs";
import {
createWriteStream,
existsSync,
mkdirSync,
statSync,
WriteStream,
} from "fs";
import { EOL } from "os";
import { basename, join, resolve } from "path";
import { timestampToReadable } from "./char";
class Logger {
private static instance: Logger;
private static log: string = resolve("logs");
public static getInstance(): Logger {
if (!Logger.instance) {
Logger.instance = new Logger();
}
return Logger.instance;
}
private writeToLog(logMessage: string): void {
const date: Date = new Date();
const logDir: string = Logger.log;
const logFile: string = join(
logDir,
`${date.getFullYear()}-${date.getMonth() + 1}-${date.getDate()}.log`,
);
if (!existsSync(logDir)) {
mkdirSync(logDir, { recursive: true });
}
let addSeparator: boolean = false;
if (existsSync(logFile)) {
const fileStats: Stats = statSync(logFile);
if (fileStats.size > 0) {
const lastModified: Date = new Date(fileStats.mtime);
if (
lastModified.getFullYear() === date.getFullYear() &&
lastModified.getMonth() === date.getMonth() &&
lastModified.getDate() === date.getDate() &&
lastModified.getHours() !== date.getHours()
) {
addSeparator = true;
}
}
}
const stream: WriteStream = createWriteStream(logFile, { flags: "a" });
if (addSeparator) {
stream.write(`${EOL}${date.toISOString()}${EOL}`);
}
stream.write(`${logMessage}${EOL}`);
stream.close();
}
private extractFileName(stack: string): string {
const stackLines: string[] = stack.split("\n");
let callerFile: string = "";
for (let i: number = 2; i < stackLines.length; i++) {
const line: string = stackLines[i].trim();
if (line && !line.includes("Logger.") && line.includes("(")) {
callerFile = line.split("(")[1]?.split(")")[0] || "";
break;
}
}
return basename(callerFile);
}
private getCallerInfo(stack: unknown): {
filename: string;
timestamp: string;
} {
const filename: string =
typeof stack === "string" ? this.extractFileName(stack) : "unknown";
const readableTimestamp: string = timestampToReadable();
return { filename, timestamp: readableTimestamp };
}
public debug(
message: string | string[] | Error | Error[] | ErrorEvent,
breakLine: boolean = false,
): void {
const stack: string = new Error().stack || "";
const { filename, timestamp } = this.getCallerInfo(stack);
const messages: (string | Error | ErrorEvent)[] = Array.isArray(message)
? message
: [message];
const joinedMessage: string = messages
.map((msg: string | Error | ErrorEvent): string =>
typeof msg === "string" ? msg : msg.message,
)
.join(" ");
const logMessageParts: ILogMessageParts = {
readableTimestamp: { value: timestamp, color: "90" },
level: { value: "[DEBUG]", color: "34" },
filename: { value: `(${filename})`, color: "36" },
message: { value: joinedMessage, color: "0" },
};
this.writeToLog(`${timestamp} [ERROR] (${filename}) ${joinedMessage}`);
this.writeConsoleMessageColored(logMessageParts, breakLine);
}
public info(message: string | string[], breakLine: boolean = false): void {
const stack: string = new Error().stack || "";
const { filename, timestamp } = this.getCallerInfo(stack);
const joinedMessage: string = Array.isArray(message)
? message.join(" ")
: message;
const logMessageParts: ILogMessageParts = {
readableTimestamp: { value: timestamp, color: "90" },
level: { value: "[INFO]", color: "32" },
filename: { value: `(${filename})`, color: "36" },
message: { value: joinedMessage, color: "0" },
};
this.writeToLog(`${timestamp} [INFO] (${filename}) ${joinedMessage}`);
this.writeConsoleMessageColored(logMessageParts, breakLine);
}
public warn(message: string | string[], breakLine: boolean = false): void {
const stack: string = new Error().stack || "";
const { filename, timestamp } = this.getCallerInfo(stack);
const joinedMessage: string = Array.isArray(message)
? message.join(" ")
: message;
const logMessageParts: ILogMessageParts = {
readableTimestamp: { value: timestamp, color: "90" },
level: { value: "[WARN]", color: "33" },
filename: { value: `(${filename})`, color: "36" },
message: { value: joinedMessage, color: "0" },
};
this.writeToLog(`${timestamp} [WARN] (${filename}) ${joinedMessage}`);
this.writeConsoleMessageColored(logMessageParts, breakLine);
}
public error(
message: string | string[] | Error | Error[],
breakLine: boolean = false,
): void {
const stack: string = new Error().stack || "";
const { filename, timestamp } = this.getCallerInfo(stack);
const messages: (string | Error)[] = Array.isArray(message)
? message
: [message];
const joinedMessage: string = messages
.map((msg: string | Error): string =>
typeof msg === "string" ? msg : msg.message,
)
.join(" ");
const logMessageParts: ILogMessageParts = {
readableTimestamp: { value: timestamp, color: "90" },
level: { value: "[ERROR]", color: "31" },
filename: { value: `(${filename})`, color: "36" },
message: { value: joinedMessage, color: "0" },
};
this.writeToLog(`${timestamp} [ERROR] (${filename}) ${joinedMessage}`);
this.writeConsoleMessageColored(logMessageParts, breakLine);
}
public custom(
bracketMessage: string,
bracketMessage2: string,
message: string | string[],
color: string,
breakLine: boolean = false,
): void {
const stack: string = new Error().stack || "";
const { timestamp } = this.getCallerInfo(stack);
const joinedMessage: string = Array.isArray(message)
? message.join(" ")
: message;
const logMessageParts: ILogMessageParts = {
readableTimestamp: { value: timestamp, color: "90" },
level: { value: bracketMessage, color },
filename: { value: `${bracketMessage2}`, color: "36" },
message: { value: joinedMessage, color: "0" },
};
this.writeToLog(
`${timestamp} ${bracketMessage} (${bracketMessage2}) ${joinedMessage}`,
);
this.writeConsoleMessageColored(logMessageParts, breakLine);
}
private writeConsoleMessageColored(
logMessageParts: ILogMessageParts,
breakLine: boolean = false,
): void {
const logMessage: string = Object.keys(logMessageParts)
.map((key: string) => {
const part: ILogMessagePart = logMessageParts[key];
return `\x1b[${part.color}m${part.value}\x1b[0m`;
})
.join(" ");
console.log(logMessage + (breakLine ? EOL : ""));
}
}
const logger: Logger = Logger.getInstance();
export { logger };

137
src/index.ts Normal file
View file

@ -0,0 +1,137 @@
import { readdir } from "node:fs/promises";
import { resolve } from "node:path";
import { discord } from "@config/environment";
import { logger } from "@helpers/logger";
import {
type AnyInteractionGateway,
ApplicationCommandTypes,
Client,
CommandInteraction,
Message,
} from "oceanic.js";
const client: Client & { commands: Map<string, Command> } = Object.assign(
new Client({
auth: `Bot ${discord.token}`,
allowedMentions: {
everyone: false,
repliedUser: false,
roles: true,
users: true,
},
defaultImageFormat: "png",
defaultImageSize: 4096,
disableCache: false,
gateway: {
intents: ["ALL"],
},
}),
{ commands: new Map<string, Command>() },
);
const loadCommands: () => Promise<void> = async () => {
const commandsPath: string = resolve("src", "commands");
const commandFiles: string[] = await readdir(commandsPath);
for (const file of commandFiles) {
if (!file.endsWith(".ts")) continue;
const commandModule: Import = await import(resolve(commandsPath, file));
if (commandModule.default && commandModule.default.name) {
client.commands.set(commandModule.default.name, {
...commandModule.default,
interaction: commandModule.interaction,
legacy: commandModule.legacy,
});
logger.info(`Loaded command: ${commandModule.default.name}`);
} else {
logger.warn(`Command file ${file} is missing a valid export.`);
}
}
const globalCommands: Array<{
name: string;
description: string;
options: [];
type: ApplicationCommandTypes;
}> = Array.from(client.commands.values()).map((cmd: Command) => ({
name: cmd.name,
description: cmd.description,
options: cmd.options || [],
type: ApplicationCommandTypes.CHAT_INPUT,
}));
await client.application.bulkEditGlobalCommands(globalCommands);
};
client.on("ready", async (): Promise<void> => {
logger.info(`Ready as ${client.user.tag}`, true);
logger.info("Loading client.commands...");
await loadCommands();
});
client.on(
"interactionCreate",
async (interaction: AnyInteractionGateway): Promise<void> => {
if (interaction instanceof CommandInteraction) {
const command: Command | undefined = client.commands.get(
interaction.data.name,
);
if (command && command.interaction) {
try {
await command.interaction(interaction);
} catch (error) {
logger.error(
`Error executing interaction command ${interaction.data.name}:`,
);
logger.error(error as Error);
await interaction.createMessage({
content: "There was an error executing that command.",
});
}
} else {
logger.warn(
`No interaction handler found for ${interaction.data.name}`,
);
}
}
},
);
client.on("messageCreate", async (message: Message) => {
if (message.author.bot || !message.content.startsWith(discord.prefix))
return;
const args: string[] = message.content
.slice(discord.prefix.length)
.trim()
.split(/\s+/);
const commandName: string | undefined = args.shift()?.toLowerCase();
if (!commandName) return;
const command: Command | undefined = client.commands.get(commandName);
if (command && command.legacy) {
try {
await command.legacy(message);
} catch (error) {
logger.error(`Error executing legacy command ${commandName}:`);
logger.error(error as Error);
if (message.channel)
await message.channel.createMessage({
content: "There was an error executing this command.",
});
}
} else {
logger.warn(`No legacy handler found for ${commandName}`);
}
});
client.on("error", (err: string | Error) => {
logger.error("Client error:");
logger.error(err);
});
client.connect();

51
tsconfig.json Normal file
View file

@ -0,0 +1,51 @@
{
"compilerOptions": {
"baseUrl": "./",
"paths": {
"@/*": [
"src/*"
],
"@config/*": [
"config/*"
],
"@types/*": [
"types/*"
],
"@helpers/*": [
"src/helpers/*"
]
},
"typeRoots": [
"./src/types",
"./node_modules/@types"
],
// Enable latest features
"lib": [
"ESNext",
"DOM"
],
"target": "ESNext",
"module": "ESNext",
"moduleDetection": "force",
"jsx": "react-jsx",
"allowJs": true,
// Bundler mode
"moduleResolution": "bundler",
"allowImportingTsExtensions": true,
"verbatimModuleSyntax": true,
"noEmit": true,
// Best practices
"strict": true,
"skipLibCheck": true,
"noFallthroughCasesInSwitch": true,
// Some stricter flags (disabled by default)
"noUnusedLocals": false,
"noUnusedParameters": false,
"noPropertyAccessFromIndexSignature": false,
},
"include": [
"src",
"types",
"config"
],
}

10
types/config.d.ts vendored Normal file
View file

@ -0,0 +1,10 @@
type Environment = {
port: number;
host: string;
development: boolean;
};
type Discord = {
token: string;
prefix: string;
};

9
types/logger.d.ts vendored Normal file
View file

@ -0,0 +1,9 @@
type ILogMessagePart = { value: string; color: string };
type ILogMessageParts = {
level: ILogMessagePart;
filename: ILogMessagePart;
readableTimestamp: ILogMessagePart;
message: ILogMessagePart;
[key: string]: ILogMessagePart;
};

13
types/oceanic.d.ts vendored Normal file
View file

@ -0,0 +1,13 @@
type Command = {
name: string;
options?: [];
description: string;
interaction?: (interaction: CommandInteraction) => Promise<void>;
legacy?: (message: Message) => Promise<void>;
};
type Import = {
default: Omit<Command, "interaction" | "legacy">;
interaction?: (interaction: CommandInteraction) => Promise<void>;
legacy?: (message: Message) => Promise<void>;
};