feat: implemented local song player
This commit is contained in:
parent
800a0bcd3b
commit
18927e7493
10 changed files with 317 additions and 18 deletions
|
@ -20,7 +20,7 @@ sqlx = {version="0.8.2", features=["runtime-tokio", "sqlite"]}
|
||||||
form_urlencoded = "1.2.1"
|
form_urlencoded = "1.2.1"
|
||||||
tenorv2 = { path = "./tenor-v2/tenorv2" }
|
tenorv2 = { path = "./tenor-v2/tenorv2" }
|
||||||
librespot = { version = "0.6.0", default-features = false, features = ["rodio-backend"] }
|
librespot = { version = "0.6.0", default-features = false, features = ["rodio-backend"] }
|
||||||
songbird = "0.4.6"
|
songbird = { version = "0.4.6", features = ["driver"] }
|
||||||
|
|
||||||
[features]
|
[features]
|
||||||
DEBUG = []
|
DEBUG = []
|
||||||
|
|
5
makefile
5
makefile
|
@ -4,9 +4,8 @@ dev:
|
||||||
release:
|
release:
|
||||||
cargo build --release --features RELEASE
|
cargo build --release --features RELEASE
|
||||||
|
|
||||||
run:
|
run: dev
|
||||||
cargo build --features DEBUG,GUILD_COMMAND
|
|
||||||
./target/debug/moover_rust
|
./target/debug/moover_rust
|
||||||
|
|
||||||
run_rel:
|
run_rel: release
|
||||||
./target/release/moover_rust
|
./target/release/moover_rust
|
|
@ -1 +1 @@
|
||||||
pub mod spotify;
|
pub mod player;
|
255
src/commands/voice/player.rs
Normal file
255
src/commands/voice/player.rs
Normal file
|
@ -0,0 +1,255 @@
|
||||||
|
use std::vec;
|
||||||
|
|
||||||
|
use serenity::{all::ChannelId, async_trait};
|
||||||
|
use songbird::events::{Event, EventContext, EventHandler as VoiceEventHandler};
|
||||||
|
use songbird::input::{File, Input};
|
||||||
|
use songbird::TrackEvent;
|
||||||
|
|
||||||
|
use crate::util::debug::send_error;
|
||||||
|
use crate::util::poise_context_extension::ContextExt;
|
||||||
|
use crate::util::utilities::get_local_songs;
|
||||||
|
use crate::{types::{Context, Error}, util::utilities::get_channel_by_name};
|
||||||
|
|
||||||
|
#[poise::command(
|
||||||
|
slash_command,
|
||||||
|
description_localized("en-US", "Play song")
|
||||||
|
)]
|
||||||
|
pub async fn play(ctx: Context<'_>,
|
||||||
|
#[description = "Song: "]
|
||||||
|
_url: String
|
||||||
|
) -> Result<(), Error> {
|
||||||
|
|
||||||
|
ctx.reply("Done!").await?;
|
||||||
|
Ok(())
|
||||||
|
}
|
||||||
|
|
||||||
|
/// Returns either voice channel to which the user is currently connected to or the one passed via name
|
||||||
|
async fn get_voice_channel(ctx: &Context<'_>, name: Option<String>) -> Result<ChannelId, String> {
|
||||||
|
if name.is_none() || name.as_ref().is_some_and(|n| n.is_empty()) {
|
||||||
|
match ctx.guild().and_then(|guild|
|
||||||
|
guild.voice_states.get(&ctx.author().id).and_then(|voice_state|
|
||||||
|
voice_state.channel_id
|
||||||
|
)
|
||||||
|
) {
|
||||||
|
Some(c) => Ok(c),
|
||||||
|
None => Err("You must be in a voice channel or specify explicit voice channel by name".to_string())
|
||||||
|
}
|
||||||
|
}
|
||||||
|
else {
|
||||||
|
match ctx.guild().and_then(|guild|
|
||||||
|
get_channel_by_name(guild, name.unwrap())
|
||||||
|
) {
|
||||||
|
Some(c) => Ok(c),
|
||||||
|
None => Err("Channel with this name does not exist".to_string())
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
#[poise::command(
|
||||||
|
slash_command,
|
||||||
|
description_localized("en-US", "Connect to channel")
|
||||||
|
)]
|
||||||
|
pub async fn connect(ctx: Context<'_>,
|
||||||
|
#[autocomplete = "autocomplete_channel"]
|
||||||
|
#[description = "Voice channel name: "]
|
||||||
|
name: Option<String>
|
||||||
|
) -> Result<(), Error> {
|
||||||
|
|
||||||
|
if ctx.guild().is_none() {
|
||||||
|
ctx.reply_ephemeral("Can't use this outside of guild").await?;
|
||||||
|
return Ok(());
|
||||||
|
}
|
||||||
|
|
||||||
|
let voice_channel = match get_voice_channel(&ctx, name).await {
|
||||||
|
Ok(c) => c,
|
||||||
|
Err(e) => {
|
||||||
|
ctx.reply_ephemeral(e.as_str()).await?;
|
||||||
|
return Ok(())
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
let manager = songbird::get(ctx.serenity_context())
|
||||||
|
.await
|
||||||
|
.expect("Songbird Voice client placed in at initialisation.")
|
||||||
|
.clone();
|
||||||
|
|
||||||
|
let Some(guild_id) = ctx.guild_id() else {
|
||||||
|
ctx.reply_ephemeral("Guild id not found").await?;
|
||||||
|
return Ok(())
|
||||||
|
};
|
||||||
|
|
||||||
|
if let Ok(handler_lock) = manager.join(guild_id, voice_channel).await {
|
||||||
|
let mut handler = handler_lock.lock().await;
|
||||||
|
handler.add_global_event(TrackEvent::Error.into(), TrackErrorNotifier);
|
||||||
|
}
|
||||||
|
|
||||||
|
ctx.reply_ephemeral("Done!").await?;
|
||||||
|
Ok(())
|
||||||
|
}
|
||||||
|
|
||||||
|
struct TrackErrorNotifier;
|
||||||
|
|
||||||
|
#[async_trait]
|
||||||
|
impl VoiceEventHandler for TrackErrorNotifier {
|
||||||
|
async fn act(&self, ctx: &EventContext<'_>) -> Option<Event> {
|
||||||
|
if let EventContext::Track(track_list) = ctx {
|
||||||
|
for (state, handle) in *track_list {
|
||||||
|
println!(
|
||||||
|
"Track {:?} encountered an error: {:?}",
|
||||||
|
handle.uuid(),
|
||||||
|
state.playing
|
||||||
|
);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
None
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
async fn autocomplete_channel(
|
||||||
|
ctx: Context<'_>,
|
||||||
|
_partial: &str,
|
||||||
|
) -> Vec<String> {
|
||||||
|
|
||||||
|
use crate::util::utilities::get_vc_names;
|
||||||
|
match ctx.guild() {
|
||||||
|
Some(guild) => get_vc_names(guild),
|
||||||
|
None => [].to_vec()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
#[poise::command(
|
||||||
|
slash_command,
|
||||||
|
description_localized("en-US", "Disconnect from voice channel")
|
||||||
|
)]
|
||||||
|
pub async fn disconnect(
|
||||||
|
ctx: Context<'_>
|
||||||
|
) -> Result<(), Error> {
|
||||||
|
|
||||||
|
let Some(guild_id) = ctx.guild_id() else {
|
||||||
|
ctx.reply("Can't use this outside of guild").await?;
|
||||||
|
return Ok(());
|
||||||
|
};
|
||||||
|
|
||||||
|
let manager = songbird::get(ctx.serenity_context())
|
||||||
|
.await
|
||||||
|
.expect("Songbird Voice client placed in at initialisation.")
|
||||||
|
.clone();
|
||||||
|
|
||||||
|
let has_handler = manager.get(guild_id).is_some();
|
||||||
|
|
||||||
|
if ! has_handler {
|
||||||
|
ctx.reply("I am not connected to a channel!").await?;
|
||||||
|
return Ok(())
|
||||||
|
}
|
||||||
|
|
||||||
|
match manager.remove(guild_id).await {
|
||||||
|
Ok(()) => {
|
||||||
|
ctx.reply("Disconnected").await?;
|
||||||
|
return Ok(())
|
||||||
|
}
|
||||||
|
Err(e) => {
|
||||||
|
let _ = send_error(ctx.serenity_context().http.clone(), e.to_string()).await;
|
||||||
|
return Ok(())
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
async fn autocomplete_song(
|
||||||
|
_ctx: Context<'_>,
|
||||||
|
partial: &str,
|
||||||
|
) -> Vec<String> {
|
||||||
|
|
||||||
|
match get_local_songs(partial) {
|
||||||
|
Ok(names) => names,
|
||||||
|
Err(_) => vec![]
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
#[poise::command(
|
||||||
|
slash_command,
|
||||||
|
description_localized("en-US", "Connect to channel")
|
||||||
|
)]
|
||||||
|
pub async fn play_local(ctx: Context<'_>,
|
||||||
|
#[autocomplete = "autocomplete_channel"]
|
||||||
|
#[description = "Voice channel name: "]
|
||||||
|
_channel: Option<String>,
|
||||||
|
#[autocomplete = "autocomplete_song"]
|
||||||
|
#[description = "Filename of local song: "]
|
||||||
|
file_name: String
|
||||||
|
) -> Result<(), Error> {
|
||||||
|
|
||||||
|
if ctx.guild().is_none() {
|
||||||
|
ctx.reply_ephemeral("Can't use this outside of guild").await?;
|
||||||
|
return Ok(());
|
||||||
|
}
|
||||||
|
|
||||||
|
let manager = songbird::get(ctx.serenity_context())
|
||||||
|
.await
|
||||||
|
.expect("Songbird Voice client placed in at initialisation.")
|
||||||
|
.clone();
|
||||||
|
|
||||||
|
let Some(guild_id) = ctx.guild_id() else {
|
||||||
|
ctx.reply_ephemeral("Guild id not found").await?;
|
||||||
|
return Ok(())
|
||||||
|
};
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
if let Some(handler_lock) = manager.get(guild_id) {
|
||||||
|
let mut handler = handler_lock.lock().await;
|
||||||
|
|
||||||
|
let input_file = File::new(format!("/home/emil/Music/{file_name}"));
|
||||||
|
let input = Input::Lazy(Box::new(input_file));
|
||||||
|
let _ = handler.play_input(input);
|
||||||
|
}
|
||||||
|
else {
|
||||||
|
|
||||||
|
ctx.reply_ephemeral("Not in a voice channel").await?;
|
||||||
|
return Ok(())
|
||||||
|
}
|
||||||
|
|
||||||
|
ctx.reply_ephemeral("Done!").await?;
|
||||||
|
Ok(())
|
||||||
|
}
|
||||||
|
|
||||||
|
// #[poise::command(
|
||||||
|
// slash_command,
|
||||||
|
// description_localized("en-US", "Connect to channel")
|
||||||
|
// )]
|
||||||
|
// pub async fn play_local(ctx: Context<'_>,
|
||||||
|
// #[autocomplete = "autocomplete_song"]
|
||||||
|
// #[description = "Voice channel name: "]
|
||||||
|
// file_name: String
|
||||||
|
// ) -> Result<(), Error> {
|
||||||
|
|
||||||
|
// if ctx.guild().is_none() {
|
||||||
|
// ctx.reply_ephemeral("Can't use this outside of guild").await?;
|
||||||
|
// return Ok(());
|
||||||
|
// }
|
||||||
|
|
||||||
|
// let manager = songbird::get(ctx.serenity_context())
|
||||||
|
// .await
|
||||||
|
// .expect("Songbird Voice client placed in at initialisation.")
|
||||||
|
// .clone();
|
||||||
|
|
||||||
|
// let Some(guild_id) = ctx.guild_id() else {
|
||||||
|
// ctx.reply_ephemeral("Guild id not found").await?;
|
||||||
|
// return Ok(())
|
||||||
|
// };
|
||||||
|
|
||||||
|
// if let Some(handler_lock) = manager.get(guild_id) {
|
||||||
|
// let mut handler = handler_lock.lock().await;
|
||||||
|
|
||||||
|
// let input_file = File::new(format!("/home/emil/Music/{file_name}"));
|
||||||
|
// let input = Input::Lazy(Box::new(input_file));
|
||||||
|
// let _ = handler.play_input(input);
|
||||||
|
// }
|
||||||
|
// else {
|
||||||
|
// ctx.reply_ephemeral("Not in a voice channel").await?;
|
||||||
|
// return Ok(())
|
||||||
|
// }
|
||||||
|
|
||||||
|
// ctx.reply_ephemeral("Done!").await?;
|
||||||
|
// Ok(())
|
||||||
|
// }
|
0
src/commands/voice/soundcloud/souncloud.rs
Normal file
0
src/commands/voice/soundcloud/souncloud.rs
Normal file
0
src/commands/voice/spotify/spotify.rs
Normal file
0
src/commands/voice/spotify/spotify.rs
Normal file
13
src/main.rs
13
src/main.rs
|
@ -56,7 +56,7 @@ impl EventHandler for Handler {
|
||||||
|
|
||||||
#[cfg(feature="RELEASE")] {
|
#[cfg(feature="RELEASE")] {
|
||||||
use util::debug::hello;
|
use util::debug::hello;
|
||||||
hello(ctx.http.clone()).await;
|
let _ = hello(ctx.http.clone()).await;
|
||||||
}
|
}
|
||||||
|
|
||||||
let sched = JobScheduler::new().await.unwrap();
|
let sched = JobScheduler::new().await.unwrap();
|
||||||
|
@ -84,8 +84,9 @@ async fn main() -> anyhow::Result<()> {
|
||||||
commands: vec![
|
commands: vec![
|
||||||
commands::say(),
|
commands::say(),
|
||||||
commands::hug(),
|
commands::hug(),
|
||||||
// commands::spotify::player::play(),
|
commands::player::play_local(),
|
||||||
commands::spotify::player::connect(),
|
commands::player::connect(),
|
||||||
|
commands::player::disconnect(),
|
||||||
],
|
],
|
||||||
prefix_options: poise::PrefixFrameworkOptions {
|
prefix_options: poise::PrefixFrameworkOptions {
|
||||||
prefix: Some("/".into()),
|
prefix: Some("/".into()),
|
||||||
|
@ -107,7 +108,6 @@ async fn main() -> anyhow::Result<()> {
|
||||||
let framework = poise::Framework::builder()
|
let framework = poise::Framework::builder()
|
||||||
.setup(move |ctx, _ready, framework| {
|
.setup(move |ctx, _ready, framework| {
|
||||||
Box::pin(async move {
|
Box::pin(async move {
|
||||||
|
|
||||||
|
|
||||||
#[cfg(feature="GUILD_COMMAND")] {
|
#[cfg(feature="GUILD_COMMAND")] {
|
||||||
use poise::samples::register_in_guild;
|
use poise::samples::register_in_guild;
|
||||||
|
@ -119,10 +119,12 @@ async fn main() -> anyhow::Result<()> {
|
||||||
|
|
||||||
register_in_guild(ctx, &framework.options().commands, GuildId::new(debug_guild_id)).await?;
|
register_in_guild(ctx, &framework.options().commands, GuildId::new(debug_guild_id)).await?;
|
||||||
}
|
}
|
||||||
|
|
||||||
#[cfg(not(feature="GUILD_COMMAND"))] {
|
#[cfg(not(feature="GUILD_COMMAND"))] {
|
||||||
use poise::samples::register_globally;
|
use poise::samples::register_globally;
|
||||||
register_globally(ctx, &framework.options().commands).await?;
|
register_globally(ctx, &framework.options().commands).await?;
|
||||||
}
|
}
|
||||||
|
|
||||||
Ok(())
|
Ok(())
|
||||||
})
|
})
|
||||||
})
|
})
|
||||||
|
@ -136,7 +138,8 @@ async fn main() -> anyhow::Result<()> {
|
||||||
|
|
||||||
let token = env::var(token_str).context("TOKEN not found in env")?;
|
let token = env::var(token_str).context("TOKEN not found in env")?;
|
||||||
|
|
||||||
let intents = GatewayIntents::GUILD_MESSAGES
|
let intents = GatewayIntents::GUILDS
|
||||||
|
| GatewayIntents::GUILD_MESSAGES
|
||||||
| GatewayIntents::MESSAGE_CONTENT
|
| GatewayIntents::MESSAGE_CONTENT
|
||||||
| GatewayIntents::GUILD_VOICE_STATES
|
| GatewayIntents::GUILD_VOICE_STATES
|
||||||
| GatewayIntents::GUILD_MESSAGE_REACTIONS
|
| GatewayIntents::GUILD_MESSAGE_REACTIONS
|
||||||
|
|
|
@ -1,3 +1,4 @@
|
||||||
pub mod debug;
|
pub mod debug;
|
||||||
pub mod utilities;
|
pub mod utilities;
|
||||||
pub mod gifs;
|
pub mod gifs;
|
||||||
|
pub mod poise_context_extension;
|
22
src/util/poise_context_extension.rs
Normal file
22
src/util/poise_context_extension.rs
Normal file
|
@ -0,0 +1,22 @@
|
||||||
|
use poise::CreateReply;
|
||||||
|
use serenity::async_trait;
|
||||||
|
|
||||||
|
use crate::types::Context;
|
||||||
|
|
||||||
|
|
||||||
|
/// Trait to extend `Context` with additional methods.
|
||||||
|
#[async_trait]
|
||||||
|
pub trait ContextExt {
|
||||||
|
async fn reply_ephemeral(&self, content: &str) -> anyhow::Result<()>;
|
||||||
|
}
|
||||||
|
|
||||||
|
#[async_trait]
|
||||||
|
impl ContextExt for Context<'_> {
|
||||||
|
async fn reply_ephemeral(&self, content: &str) -> anyhow::Result<()> {
|
||||||
|
self.send(CreateReply::default()
|
||||||
|
.ephemeral(true)
|
||||||
|
.content(content)
|
||||||
|
).await?;
|
||||||
|
Ok(())
|
||||||
|
}
|
||||||
|
}
|
|
@ -1,11 +1,9 @@
|
||||||
use std::sync::Arc;
|
use std::{fs, io, path::Path, sync::Arc, vec};
|
||||||
|
|
||||||
use serenity::{all::{ChannelId, ChannelType, CreateMessage, GuildChannel, GuildId, GuildRef, Message}, http::Http};
|
use serenity::{all::{ChannelId, ChannelType, CreateMessage, GuildId, GuildRef, Message}, http::Http};
|
||||||
|
|
||||||
use crate::types;
|
|
||||||
use anyhow::Context;
|
|
||||||
|
|
||||||
pub async fn get_system_channel(guild_id: GuildId, http: &Http) -> anyhow::Result<ChannelId> {
|
pub async fn get_system_channel(guild_id: GuildId, http: &Http) -> anyhow::Result<ChannelId> {
|
||||||
|
use anyhow::Context;
|
||||||
return http.get_guild(guild_id).await?.system_channel_id
|
return http.get_guild(guild_id).await?.system_channel_id
|
||||||
.context(format!("System channel of guild: {} not found", guild_id.get()));
|
.context(format!("System channel of guild: {} not found", guild_id.get()));
|
||||||
}
|
}
|
||||||
|
@ -31,11 +29,32 @@ pub fn get_vc_names(guild: GuildRef) -> Vec<String> {
|
||||||
pub fn get_channel_by_name(guild: GuildRef, name: String) -> Option<ChannelId> {
|
pub fn get_channel_by_name(guild: GuildRef, name: String) -> Option<ChannelId> {
|
||||||
let mut result = None;
|
let mut result = None;
|
||||||
for (_, channel) in &guild.channels {
|
for (_, channel) in &guild.channels {
|
||||||
if channel.name == name {
|
if channel.name.contains(&name) {
|
||||||
result = Some(channel.id);
|
result = Some(channel.id);
|
||||||
break;
|
break;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
result
|
result
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub fn get_local_songs(partial: &str) -> io::Result<Vec<String>> {
|
||||||
|
let mut result: Vec<String> = vec![];
|
||||||
|
let path = Path::new("/home/emil/Music");
|
||||||
|
for entry in fs::read_dir(path)? {
|
||||||
|
let entry = entry?;
|
||||||
|
let path = entry.path();
|
||||||
|
if path.is_dir() {
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
|
||||||
|
let name = entry.file_name();
|
||||||
|
if name.to_str().is_some_and(|name| !name.to_lowercase().contains(&partial.to_lowercase())) {
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
|
||||||
|
result.push(name.to_str().unwrap().into());
|
||||||
|
}
|
||||||
|
|
||||||
|
Ok(result)
|
||||||
|
}
|
||||||
|
|
Loading…
Reference in a new issue