cleanup
All checks were successful
tests / build (push) Successful in 1m4s
tests / fmt (push) Successful in 2m17s
tests / clippy (push) Successful in 2m14s
tests / pre-commit (push) Successful in 2m12s
tests / test (push) Successful in 2m27s
deploy / release-image (push) Successful in 6m11s

This commit is contained in:
2024-06-19 19:14:44 +02:00
parent cad6cf22fa
commit 4a69e0f578
6 changed files with 191 additions and 173 deletions

View File

@@ -1,10 +1,40 @@
use crate::state::{State, StateRef}; use crate::state::{State, StateRef};
use anyhow::Context;
use std::{error::Error, sync::Arc}; use std::{error::Error, sync::Arc};
use twilight_model::{ use twilight_model::{
gateway::payload::incoming::InteractionCreate, gateway::payload::incoming::InteractionCreate,
id::{marker::GuildMarker, Id}, id::{marker::GuildMarker, Id},
}; };
pub(crate) async fn leave_if_alone(
guild_id: Id<GuildMarker>,
state: State,
) -> Result<(), Box<dyn Error + Send + Sync + 'static>> {
let user = state
.cache
.current_user()
.context("Cannot get current user")?;
let user_voice_state = state
.cache
.voice_state(user.id, guild_id)
.context("Cannot get voice state")?;
let channel = state
.cache
.channel(user_voice_state.channel_id())
.context("Cannot get channel")?;
let channel_voice_states = state
.cache
.voice_channel_states(channel.id)
.context("Cannot get voice channel")?;
let count = channel_voice_states.count();
// count is 1 if the bot is the only one in the channel
if count == 1 {
leave_channel(guild_id, Arc::clone(&state)).await?;
}
Ok(())
}
pub(crate) async fn leave_channel( pub(crate) async fn leave_channel(
guild_id: Id<GuildMarker>, guild_id: Id<GuildMarker>,
state: Arc<StateRef>, state: Arc<StateRef>,

View File

@@ -3,7 +3,7 @@ pub(crate) use join::join;
mod leave; mod leave;
pub(crate) use leave::leave; pub(crate) use leave::leave;
pub(crate) use leave::leave_channel; pub(crate) use leave::leave_if_alone;
mod pause; mod pause;
pub(crate) use pause::pause; pub(crate) use pause::pause;

View File

@@ -1,75 +1,19 @@
use crate::commands::queue::{build_action_row, build_queue_embeds, TRACKS_PER_PAGE}; use crate::commands::queue::{build_action_row, build_queue_embeds, TRACKS_PER_PAGE};
use crate::commands::{ use crate::commands::{
delete, join, leave, leave_channel, loop_queue, pause, play, queue, resume, skip, stop, delete, join, leave, leave_if_alone, loop_queue, pause, play, queue, resume, skip, stop,
}; };
use crate::interaction_commands::InteractionCommand;
use crate::state::State; use crate::state::State;
use futures::Future; use crate::utils::spawn;
use std::error::Error; use anyhow::Context;
use std::sync::Arc; use std::sync::Arc;
use tracing::debug;
use twilight_gateway::Event; use twilight_gateway::Event;
use twilight_model::application::interaction::application_command::{ use twilight_model::application::interaction::message_component::MessageComponentInteractionData;
CommandData, CommandOptionValue,
};
use twilight_model::application::interaction::InteractionData; use twilight_model::application::interaction::InteractionData;
use twilight_model::gateway::payload::incoming::VoiceStateUpdate; use twilight_model::gateway::payload::incoming::InteractionCreate;
use twilight_model::http::interaction::{InteractionResponse, InteractionResponseType}; use twilight_model::http::interaction::{InteractionResponse, InteractionResponseType};
use twilight_util::builder::InteractionResponseDataBuilder; use twilight_util::builder::InteractionResponseDataBuilder;
#[derive(Debug)]
enum InteractionCommand {
Play(String),
Stop,
Pause,
Skip,
Loop,
Resume,
Leave,
Join,
Queue,
NotImplemented,
}
fn spawn(
fut: impl Future<Output = Result<(), Box<dyn Error + Send + Sync + 'static>>> + Send + 'static,
) {
tokio::spawn(async move {
if let Err(why) = fut.await {
tracing::debug!("handler error: {:?}", why);
}
});
}
pub(crate) async fn leave_if_alone(
update: VoiceStateUpdate,
state: State,
) -> Result<(), Box<dyn Error + Send + Sync + 'static>> {
let guild_id = update.guild_id.ok_or("Guild ID not found")?;
let user = state
.cache
.current_user()
.ok_or("Cannot get current user")?;
let user_voice_state = state
.cache
.voice_state(user.id, guild_id)
.ok_or("Cannot get voice state")?;
let channel = state
.cache
.channel(user_voice_state.channel_id())
.ok_or("Cannot get channel")?;
let channel_voice_states = state
.cache
.voice_channel_states(channel.id)
.ok_or("Cannot get voice channel")?;
let count = channel_voice_states.count();
// count is 1 if the bot is the only one in the channel
if count == 1 {
leave_channel(guild_id, Arc::clone(&state)).await?;
}
Ok(())
}
pub(crate) struct Handler { pub(crate) struct Handler {
state: State, state: State,
} }
@@ -79,6 +23,13 @@ impl Handler {
Self { state } Self { state }
} }
pub(crate) async fn act(&self, event: Event) -> anyhow::Result<()> { pub(crate) async fn act(&self, event: Event) -> anyhow::Result<()> {
self.handle_messages(&event).await?;
self.handle_voice_state_update(&event).await?;
self.handle_interaction(&event).await?;
Ok(())
}
async fn handle_messages(&self, event: &Event) -> anyhow::Result<()> {
match event { match event {
Event::MessageCreate(message) if message.content.starts_with('!') => { Event::MessageCreate(message) if message.content.starts_with('!') => {
if message.content.contains("!delete") { if message.content.contains("!delete") {
@@ -86,51 +37,66 @@ impl Handler {
} }
Ok(()) Ok(())
} }
_ => Ok(()),
}
}
async fn handle_voice_state_update(&self, event: &Event) -> anyhow::Result<()> {
match event {
Event::VoiceStateUpdate(update) => { Event::VoiceStateUpdate(update) => {
spawn(leave_if_alone(*update.clone(), Arc::clone(&self.state))); let guild_id = update.guild_id.context("Guild ID not found")?;
spawn(leave_if_alone(guild_id, Arc::clone(&self.state)));
Ok(()) Ok(())
} }
Event::InteractionCreate(interaction) => { _ => Ok(()),
tracing::info!("interaction: {:?}", &interaction); }
match &interaction.data { }
async fn handle_interaction(&self, event: &Event) -> anyhow::Result<()> {
match event {
Event::InteractionCreate(interaction) => match &interaction.data {
Some(InteractionData::ApplicationCommand(command)) => { Some(InteractionData::ApplicationCommand(command)) => {
let interaction_command = parse_interaction_command(command); self.handle_application_command(command.clone().into(), interaction.clone())
debug!("{:?}", interaction_command); }
match interaction_command { Some(InteractionData::MessageComponent(data)) => {
self.handle_message_component(data, interaction.clone())
.await
}
_ => Ok(()),
},
_ => Ok(()),
}
}
fn handle_application_command(
&self,
command: InteractionCommand,
interaction: Box<InteractionCreate>,
) -> anyhow::Result<()> {
{
match command {
InteractionCommand::Play(query) => { InteractionCommand::Play(query) => {
spawn(play(interaction, Arc::clone(&self.state), query)) spawn(play(interaction, Arc::clone(&self.state), query))
} }
InteractionCommand::Stop => { InteractionCommand::Stop => spawn(stop(interaction, Arc::clone(&self.state))),
spawn(stop(interaction, Arc::clone(&self.state))) InteractionCommand::Pause => spawn(pause(interaction, Arc::clone(&self.state))),
} InteractionCommand::Skip => spawn(skip(interaction, Arc::clone(&self.state))),
InteractionCommand::Pause => { InteractionCommand::Loop => spawn(loop_queue(interaction, Arc::clone(&self.state))),
spawn(pause(interaction, Arc::clone(&self.state))) InteractionCommand::Resume => spawn(resume(interaction, Arc::clone(&self.state))),
} InteractionCommand::Leave => spawn(leave(interaction, Arc::clone(&self.state))),
InteractionCommand::Skip => { InteractionCommand::Join => spawn(join(interaction, Arc::clone(&self.state))),
spawn(skip(interaction, Arc::clone(&self.state))) InteractionCommand::Queue => spawn(queue(interaction, Arc::clone(&self.state))),
}
InteractionCommand::Loop => {
spawn(loop_queue(interaction, Arc::clone(&self.state)))
}
InteractionCommand::Resume => {
spawn(resume(interaction, Arc::clone(&self.state)))
}
InteractionCommand::Leave => {
spawn(leave(interaction, Arc::clone(&self.state)))
}
InteractionCommand::Join => {
spawn(join(interaction, Arc::clone(&self.state)))
}
InteractionCommand::Queue => {
spawn(queue(interaction, Arc::clone(&self.state)))
}
_ => {} _ => {}
} }
Ok(()) Ok(())
} }
Some(InteractionData::MessageComponent(data)) => { }
tracing::info!("message component: {:?}", data);
async fn handle_message_component(
&self,
data: &MessageComponentInteractionData,
interaction: Box<InteractionCreate>,
) -> anyhow::Result<()> {
if !data.custom_id.starts_with("page:") { if !data.custom_id.starts_with("page:") {
return Ok(()); return Ok(());
} }
@@ -139,7 +105,6 @@ impl Handler {
.trim_start_matches("page:") .trim_start_matches("page:")
.parse::<usize>() .parse::<usize>()
.unwrap_or(0); .unwrap_or(0);
tracing::info!("page: {:?}", page);
if let Some(guild_id) = interaction.guild_id { if let Some(guild_id) = interaction.guild_id {
let mut queue = Vec::new(); let mut queue = Vec::new();
@@ -170,39 +135,4 @@ impl Handler {
Ok(()) Ok(())
} }
} }
_ => Ok(()),
}
}
event => {
tracing::info!("unhandled event: {:?}", event);
Ok(())
}
}
}
}
fn parse_interaction_command(command: &CommandData) -> InteractionCommand {
debug!("command: {:?}", command);
match command.name.as_str() {
"play" => {
if let Some(query_option) = command.options.iter().find(|opt| opt.name == "query") {
if let CommandOptionValue::String(query) = &query_option.value {
InteractionCommand::Play(query.clone())
} else {
InteractionCommand::NotImplemented
}
} else {
InteractionCommand::NotImplemented
}
}
"stop" => InteractionCommand::Stop,
"pause" => InteractionCommand::Pause,
"skip" => InteractionCommand::Skip,
"loop" => InteractionCommand::Loop,
"resume" => InteractionCommand::Resume,
"leave" => InteractionCommand::Leave,
"join" => InteractionCommand::Join,
"queue" => InteractionCommand::Queue,
_ => InteractionCommand::NotImplemented,
}
} }

View File

@@ -0,0 +1,44 @@
use twilight_model::application::interaction::application_command::{
CommandData, CommandOptionValue,
};
#[derive(Debug)]
pub(crate) enum InteractionCommand {
Play(String),
Stop,
Pause,
Skip,
Loop,
Resume,
Leave,
Join,
Queue,
NotImplemented,
}
impl From<Box<CommandData>> for InteractionCommand {
fn from(command: Box<CommandData>) -> InteractionCommand {
match command.name.as_str() {
"play" => {
if let Some(query_option) = command.options.iter().find(|opt| opt.name == "query") {
if let CommandOptionValue::String(query) = &query_option.value {
InteractionCommand::Play(query.clone())
} else {
InteractionCommand::NotImplemented
}
} else {
InteractionCommand::NotImplemented
}
}
"stop" => InteractionCommand::Stop,
"pause" => InteractionCommand::Pause,
"skip" => InteractionCommand::Skip,
"loop" => InteractionCommand::Loop,
"resume" => InteractionCommand::Resume,
"leave" => InteractionCommand::Leave,
"join" => InteractionCommand::Join,
"queue" => InteractionCommand::Queue,
_ => InteractionCommand::NotImplemented,
}
}
}

View File

@@ -2,9 +2,11 @@ mod handler;
use handler::Handler; use handler::Handler;
mod colors; mod colors;
mod commands; mod commands;
mod interaction_commands;
mod metadata; mod metadata;
mod signal; mod signal;
mod state; mod state;
mod utils;
use crate::commands::get_chat_commands; use crate::commands::get_chat_commands;
use dotenv::dotenv; use dotenv::dotenv;

12
src/utils.rs Normal file
View File

@@ -0,0 +1,12 @@
use futures::Future;
use std::error::Error;
pub(crate) fn spawn(
fut: impl Future<Output = Result<(), Box<dyn Error + Send + Sync + 'static>>> + Send + 'static,
) {
tokio::spawn(async move {
if let Err(why) = fut.await {
tracing::debug!("handler error: {:?}", why);
}
});
}