use serenity::{ client::{ bridge::{ gateway::GatewayIntents, voice::ClientVoiceManager, }, Client, Context, }, framework::standard::{ Args, CommandResult, StandardFramework, macros::{ command, group, } }, model::{ channel::Message, guild::Guild, }, prelude::{ Mutex as SerenityMutex, * }, voice::ffmpeg, }; use sqlx::{ Pool, mysql::{ MySqlPool, MySqlConnection, } }; use dotenv::dotenv; use tokio::{ fs::File, process::Command, sync::RwLockReadGuard, }; use std::{ env, path::Path, sync::Arc, time::Duration, }; use std::fmt::Formatter; struct SQLPool; impl TypeMapKey for SQLPool { type Value = Pool; } struct VoiceManager; impl TypeMapKey for VoiceManager { type Value = Arc>; } static THEME_COLOR: u32 = 0x00e0f3; #[group] #[commands(play, info, help, change_volume, change_prefix, upload_new_sound)] struct General; struct Sound { name: String, id: u32, plays: u32, public: bool, server_id: u64, uploader_id: u64, src: Vec, } #[derive(Debug)] enum ErrorTypes { InvalidFile, } impl std::error::Error for ErrorTypes {} impl std::fmt::Display for ErrorTypes { fn fmt(&self, f: &mut Formatter<'_>) -> std::fmt::Result { write!(f, "ErrorTypes") } } impl Sound { async fn search_for_sound(query: &str, guild_id: u64, user_id: u64, db_pool: MySqlPool) -> Result { fn extract_id(s: &str) -> Option { if s.to_lowercase().starts_with("id:") { match s[3..].parse::() { Ok(id) => Some(id), Err(_) => None } } else { None } } if let Some(id) = extract_id(&query[3..]) { let sound = sqlx::query_as_unchecked!( Self, " SELECT * FROM sounds WHERE id = ? AND ( public = 1 OR uploader_id = ? OR server_id = ? ) LIMIT 1 ", id, user_id, guild_id ) .fetch_one(&db_pool) .await?; Ok(sound) } else { let name = query; let sound = sqlx::query_as_unchecked!( Self, " SELECT * FROM sounds WHERE name = ? AND ( public = 1 OR uploader_id = ? OR server_id = ? ) ORDER BY rand(), public = 1, server_id = ?, uploader_id = ? LIMIT 1 ", name, user_id, guild_id, guild_id, user_id ) .fetch_one(&db_pool) .await?; Ok(sound) } } async fn store_sound_source(&self) -> Result> { let caching_location = env::var("CACHING_LOCATION").unwrap_or(String::from("/tmp")); let path_name = format!("{}/sound-{}", caching_location, self.id); let path = Path::new(&path_name); if !path.exists() { use tokio::prelude::*; let mut file = File::create(&path).await?; file.write_all(self.src.as_ref()).await?; } Ok(path_name) } async fn commit(&self, db_pool: MySqlPool) -> Result<(), Box> { sqlx::query!( " UPDATE sounds SET plays = ?, public = ? WHERE id = ? ", self.plays, self.public, self.id ) .execute(&db_pool) .await?; Ok(()) } async fn create_anon(name: &str, src_url: &str, server_id: u64, user_id: u64, db_pool: MySqlPool) -> Result> { async fn process_src(src_url: &str) -> Option> { let future = Command::new("ffmpeg") .arg("-i") .arg(src_url) .arg("-loglevel") .arg("error") .arg("-b:a") .arg("28000") .arg("-f") .arg("opus") .arg("pipe:1") .output(); let output = future.await; match output { Ok(out) => { if out.status.success() && out.stdout.len() < 1024 * 1024 { Some(out.stdout) } else { None } } Err(_) => None, } } let source = process_src(src_url).await; match source { Some(data) => { match sqlx::query!( " INSERT INTO sounds (name, server_id, uploader_id, public, src) VALUES (?, ?, ?, 1, ?) ", name, server_id, user_id, data ) .execute(&db_pool) .await { Ok(u) => Ok(u), Err(e) => Err(Box::new(e)) } } None => Err(Box::new(ErrorTypes::InvalidFile)) } } } struct GuildData { id: u64, pub name: Option, pub prefix: String, pub volume: u8, } impl GuildData { async fn get_from_id(guild_id: u64, db_pool: MySqlPool) -> Option { let guild = sqlx::query_as!( GuildData, " SELECT * FROM servers WHERE id = ? ", guild_id ) .fetch_one(&db_pool) .await; match guild { Ok(guild) => Some(guild), Err(_) => None, } } async fn create_from_guild(guild: RwLockReadGuard<'_, Guild>, db_pool: MySqlPool) -> Result> { let guild_data = sqlx::query!( " INSERT INTO servers (id, name) VALUES (?, ?) ", guild.id.as_u64(), guild.name ) .execute(&db_pool) .await?; Ok(GuildData { id: *guild.id.as_u64(), name: Some(guild.name.clone()), prefix: String::from("?"), volume: 100, }) } async fn commit(&self, db_pool: MySqlPool) -> Result<(), Box> { sqlx::query!( " UPDATE servers SET name = ?, prefix = ?, volume = ? WHERE id = ? ", self.name, self.prefix, self.volume, self.id ) .execute(&db_pool) .await?; Ok(()) } } // create event handler for bot struct Handler; #[serenity::async_trait] impl EventHandler for Handler {} // entry point #[tokio::main] async fn main() -> Result<(), Box> { dotenv()?; let framework = StandardFramework::new() .configure(|c| c.dynamic_prefix(|ctx, msg| Box::pin(async move { let pool = ctx.data.read().await .get::().cloned().expect("Could not get SQLPool from data"); match GuildData::get_from_id(*msg.guild_id.unwrap().as_u64(), pool).await { Some(guild) => Some(guild.prefix), None => Some(String::from("?")) } }))) .group(&GENERAL_GROUP); let mut client = Client::new_with_extras( &env::var("DISCORD_TOKEN").expect("Missing token from environment"), |extras| { extras .framework(framework) .event_handler(Handler) .intents(GatewayIntents::GUILD_VOICE_STATES | GatewayIntents::GUILD_MESSAGES | GatewayIntents::GUILDS) }).await.expect("Error occurred creating client"); { let pool = MySqlPool::new(&env::var("DATABASE_URL").expect("No database URL provided")).await.unwrap(); let mut data = client.data.write().await; data.insert::(pool); data.insert::(Arc::clone(&client.voice_manager)); } client.start().await?; Ok(()) } #[command("play")] #[aliases("p")] async fn play(ctx: &mut Context, msg: &Message, args: Args) -> CommandResult { let guild = match msg.guild(&ctx.cache).await { Some(guild) => guild, None => { return Ok(()); } }; let guild_id = guild.read().await.id; let channel_to_join = guild.read().await .voice_states.get(&msg.author.id) .and_then(|voice_state| voice_state.channel_id); match channel_to_join { Some(user_channel) => { let search_term = args.rest(); let pool = ctx.data.read().await .get::().cloned().expect("Could not get SQLPool from data"); let sound_res = Sound::search_for_sound( search_term, *guild_id.as_u64(), *msg.author.id.as_u64(), pool).await; match sound_res { Ok(sound) => { let fp = sound.store_sound_source().await?; let voice_manager_lock = ctx.data.read().await .get::().cloned().expect("Could not get VoiceManager from data"); let mut voice_manager = voice_manager_lock.lock().await; match voice_manager.get_mut(guild_id) { Some(handler) => { // play sound handler.play(ffmpeg(fp).await?); } None => { // try & join a voice channel match voice_manager.join(guild_id, user_channel) { Some(handler) => { handler.play(ffmpeg(fp).await?); } None => { msg.channel_id.say(&ctx, "Failed to join channel").await?; } }; } } } Err(_) => { msg.channel_id.say(&ctx, "Couldn't find sound by term provided").await?; } } } None => { msg.channel_id.say(&ctx, "You are not in a voice chat!").await?; } } Ok(()) } #[command] async fn help(ctx: &mut Context, msg: &Message, _args: Args) -> CommandResult { msg.channel_id.send_message(&ctx, |m| m .embed(|e| e .title("Help") .color(THEME_COLOR) .description("Please visit our website at https://soundfx.jellywx.com/help"))).await?; Ok(()) } #[command] async fn info(ctx: &mut Context, msg: &Message, _args: Args) -> CommandResult { msg.channel_id.send_message(&ctx, |m| m .embed(|e| e .title("Info") .color(THEME_COLOR) .description("Default prefix: `?` Reset prefix: `@SoundFX prefix ?` Invite me: https://discordapp.com/oauth2/authorize?client_id=430384808200372245&scope=bot&permissions=36703232 **Welcome to SoundFX!** Developer: <@203532103185465344> Find me on https://discord.jellywx.com/ and on https://github.com/JellyWX :) **An online dashboard is available!** Visit https://soundfx.jellywx.com/dashboard There is a maximum sound limit per user. This can be removed by donating at https://patreon.com/jellywx"))).await?; Ok(()) } #[command("volume")] async fn change_volume(ctx: &mut Context, msg: &Message, mut args: Args) -> CommandResult { let guild = match msg.guild(&ctx.cache).await { Some(guild) => guild, None => { return Ok(()); } }; let pool = ctx.data.read().await .get::().cloned().expect("Could not get SQLPool from data"); let mut guild_data_opt = GuildData::get_from_id(*guild.read().await.id.as_u64(), pool.clone()).await; if guild_data_opt.is_none() { guild_data_opt = Some(GuildData::create_from_guild(guild.read().await, pool.clone()).await.unwrap()) } let mut guild_data = guild_data_opt.unwrap(); if args.len() == 1 { match args.single::() { Ok(volume) => { guild_data.volume = volume; guild_data.commit(pool).await?; msg.channel_id.say(&ctx, format!("Volume changed to {}%", volume)).await?; } Err(_) => { msg.channel_id.say(&ctx, format!("Current server volume: {vol}%. Change the volume with ```{prefix}volume ```", vol = guild_data.volume, prefix = guild_data.prefix)).await?; } } } else { msg.channel_id.say(&ctx, format!("Current server volume: {vol}%. Change the volume with ```{prefix}volume ```", vol = guild_data.volume, prefix = guild_data.prefix)).await?; } Ok(()) } #[command("prefix")] async fn change_prefix(ctx: &mut Context, msg: &Message, mut args: Args) -> CommandResult { let guild = match msg.guild(&ctx.cache).await { Some(guild) => guild, None => { return Ok(()); } }; let pool = ctx.data.read().await .get::().cloned().expect("Could not get SQLPool from data"); let mut guild_data; { let mut guild_data_opt = GuildData::get_from_id(*guild.read().await.id.as_u64(), pool.clone()).await; if guild_data_opt.is_none() { guild_data_opt = Some(GuildData::create_from_guild(guild.read().await, pool.clone()).await.unwrap()) } guild_data = guild_data_opt.unwrap(); } if args.len() == 1 { match args.single::() { Ok(prefix) => { if prefix.len() <= 5 { guild_data.prefix = prefix; guild_data.commit(pool).await?; msg.channel_id.say(&ctx, format!("Prefix changed to `{}`", guild_data.prefix)).await?; } else { msg.channel_id.say(&ctx, "Prefix must be less than 5 characters long").await?; } } Err(_) => { msg.channel_id.say(&ctx, format!("Usage: `{prefix}prefix `", prefix = guild_data.prefix)).await?; } } } else { msg.channel_id.say(&ctx, format!("Usage: `{prefix}prefix `", prefix = guild_data.prefix)).await?; } Ok(()) } #[command("upload")] async fn upload_new_sound(ctx: &mut Context, msg: &Message, mut args: Args) -> CommandResult { let new_name = args.rest(); if !new_name.is_empty() && new_name.len() <= 20 { // need to check how many sounds user currently has // need to check if user is patreon or nah msg.channel_id.say(&ctx, "Please now upload an audio file under 1MB in size:").await?; let reply = msg.channel_id.await_reply(&ctx) .author_id(msg.author.id) .timeout(Duration::from_secs(30)) .await; match reply { Some(reply_msg) => { let pool = ctx.data.read().await .get::().cloned().expect("Could not get SQLPool from data"); if reply_msg.attachments.len() == 1 { match Sound::create_anon( new_name, &reply_msg.attachments[0].url, *msg.guild_id.unwrap().as_u64(), *msg.author.id.as_u64(), pool).await { Ok(_) => { msg.channel_id.say(&ctx, "Sound has been uploaded").await?; } Err(_) => { msg.channel_id.say(&ctx, "Sound failed to upload. Size may be too large").await?; } } } else { msg.channel_id.say(&ctx, "Please upload 1 attachment following your upload command. Aborted").await?; } } None => { msg.channel_id.say(&ctx, "Upload timed out. Please redo the command").await?; } } } else { msg.channel_id.say(&ctx, "Usage: `?upload `. Please ensure the name provided is less than 20 characters in length").await?; } Ok(()) }