add files
This commit is contained in:
24
TomatenMusicCore/Commands/Checks/OnlyGuildCheck.cs
Normal file
24
TomatenMusicCore/Commands/Checks/OnlyGuildCheck.cs
Normal file
@@ -0,0 +1,24 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
using DSharpPlus.SlashCommands;
|
||||
using DSharpPlus;
|
||||
using TomatenMusic.Music;
|
||||
|
||||
namespace TomatenMusic.Commands.Checks
|
||||
{
|
||||
public class OnlyGuildCheck : SlashCheckBaseAttribute
|
||||
{
|
||||
public override async Task<bool> ExecuteChecksAsync(InteractionContext ctx)
|
||||
{
|
||||
if (ctx.Guild == null)
|
||||
{
|
||||
await ctx.CreateResponseAsync(InteractionResponseType.ChannelMessageWithSource, new DSharpPlus.Entities.DiscordInteractionResponseBuilder().WithContent("This Command is only available on Guilds.").AsEphemeral(true));
|
||||
return false;
|
||||
}
|
||||
|
||||
return true;
|
||||
}
|
||||
}
|
||||
}
|
41
TomatenMusicCore/Commands/Checks/UserInMusicChannelCheck.cs
Normal file
41
TomatenMusicCore/Commands/Checks/UserInMusicChannelCheck.cs
Normal file
@@ -0,0 +1,41 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
using DSharpPlus.SlashCommands;
|
||||
using DSharpPlus.EventArgs;
|
||||
using DSharpPlus;
|
||||
using TomatenMusic.Music;
|
||||
using Emzi0767.Utilities;
|
||||
using Lavalink4NET;
|
||||
using Microsoft.Extensions.DependencyInjection;
|
||||
|
||||
namespace TomatenMusic.Commands.Checks
|
||||
{
|
||||
public class UserInMusicChannelCheck : SlashCheckBaseAttribute
|
||||
{
|
||||
public bool _passIfNull { get; set; }
|
||||
public UserInMusicChannelCheck(bool passIfNull = false)
|
||||
{
|
||||
_passIfNull = passIfNull;
|
||||
}
|
||||
public override async Task<bool> ExecuteChecksAsync(InteractionContext ctx)
|
||||
{
|
||||
IAudioService audioService = TomatenMusicBot.ServiceProvider.GetRequiredService<IAudioService>();
|
||||
|
||||
GuildPlayer player = audioService.GetPlayer<GuildPlayer>(ctx.Guild.Id);
|
||||
bool allowed;
|
||||
//TODO
|
||||
if (player != null)
|
||||
{
|
||||
allowed = ctx.Member.VoiceState.Channel != null && ctx.Member.VoiceState.Channel.Id == player.VoiceChannelId;
|
||||
}
|
||||
else
|
||||
allowed = _passIfNull;
|
||||
|
||||
if (!allowed)
|
||||
await ctx.CreateResponseAsync(InteractionResponseType.ChannelMessageWithSource, new DSharpPlus.Entities.DiscordInteractionResponseBuilder().WithContent("❌ Please connect to the Bots Channel to use this Command").AsEphemeral(true));
|
||||
return allowed;
|
||||
}
|
||||
}
|
||||
}
|
27
TomatenMusicCore/Commands/Checks/UserInVoiceChannelCheck.cs
Normal file
27
TomatenMusicCore/Commands/Checks/UserInVoiceChannelCheck.cs
Normal file
@@ -0,0 +1,27 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
using DSharpPlus.SlashCommands;
|
||||
using DSharpPlus;
|
||||
using TomatenMusic.Music;
|
||||
|
||||
namespace TomatenMusic.Commands.Checks
|
||||
{
|
||||
class UserInVoiceChannelCheck : SlashCheckBaseAttribute
|
||||
{
|
||||
|
||||
public override async Task<bool> ExecuteChecksAsync(InteractionContext ctx)
|
||||
{
|
||||
|
||||
if (ctx.Member.VoiceState == null || ctx.Member.VoiceState.Channel == null)
|
||||
{
|
||||
await ctx.CreateResponseAsync(InteractionResponseType.ChannelMessageWithSource, new DSharpPlus.Entities.DiscordInteractionResponseBuilder().WithContent("You are not in a Voice Channel.").AsEphemeral(true));
|
||||
return false;
|
||||
}
|
||||
|
||||
return true;
|
||||
|
||||
}
|
||||
}
|
||||
}
|
266
TomatenMusicCore/Commands/MusicCommands.cs
Normal file
266
TomatenMusicCore/Commands/MusicCommands.cs
Normal file
@@ -0,0 +1,266 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using DSharpPlus;
|
||||
using DSharpPlus.SlashCommands;
|
||||
using DSharpPlus.Entities;
|
||||
using System.Threading.Tasks;
|
||||
using TomatenMusic.Music;
|
||||
using TomatenMusic.Music.Entitites;
|
||||
using TomatenMusic.Commands.Checks;
|
||||
using TomatenMusic.Util;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using TomatenMusic.Prompt;
|
||||
using TomatenMusic.Prompt.Model;
|
||||
using TomatenMusic.Prompt.Implementation;
|
||||
using TomatenMusic.Prompt.Option;
|
||||
using System.Linq;
|
||||
using Lavalink4NET;
|
||||
using Lavalink4NET.Player;
|
||||
|
||||
namespace TomatenMusic.Commands
|
||||
{
|
||||
public class MusicCommands : ApplicationCommandModule
|
||||
{
|
||||
public IAudioService _audioService { get; set; }
|
||||
public ILogger<MusicCommands> _logger { get; set; }
|
||||
public TrackProvider _trackProvider { get; set; }
|
||||
|
||||
public MusicCommands(IAudioService audioService, ILogger<MusicCommands> logger, TrackProvider trackProvider)
|
||||
{
|
||||
_audioService = audioService;
|
||||
_logger = logger;
|
||||
_trackProvider = trackProvider;
|
||||
}
|
||||
|
||||
[SlashCommand("stop", "Stops the current Playback and clears the Queue")]
|
||||
[OnlyGuildCheck]
|
||||
[UserInMusicChannelCheck]
|
||||
public async Task StopCommand(InteractionContext ctx)
|
||||
{
|
||||
|
||||
GuildPlayer player = (GuildPlayer)_audioService.GetPlayer(ctx.Guild.Id);
|
||||
try
|
||||
{
|
||||
await player.DisconnectAsync();
|
||||
}catch (Exception ex)
|
||||
{
|
||||
await ctx.CreateResponseAsync(new DiscordInteractionResponseBuilder
|
||||
{
|
||||
Content = $"❌ An Error occured : ``{ex.Message}``",
|
||||
IsEphemeral = true
|
||||
});
|
||||
return;
|
||||
}
|
||||
await ctx.CreateResponseAsync(new DiscordInteractionResponseBuilder
|
||||
{
|
||||
Content = $"✔️ The Bot was stopped successfully",
|
||||
IsEphemeral = true
|
||||
});
|
||||
|
||||
}
|
||||
|
||||
|
||||
[SlashCommand("skip", "Skips the current song and plays the next one in the queue")]
|
||||
[OnlyGuildCheck]
|
||||
[UserInMusicChannelCheck]
|
||||
public async Task SkipCommand(InteractionContext ctx)
|
||||
{
|
||||
|
||||
GuildPlayer player = (GuildPlayer)_audioService.GetPlayer(ctx.Guild.Id);
|
||||
|
||||
LavalinkTrack oldTrack = player.CurrentTrack;
|
||||
try
|
||||
{
|
||||
await player.SkipAsync();
|
||||
}
|
||||
catch (Exception e)
|
||||
{
|
||||
await ctx.CreateResponseAsync(InteractionResponseType.ChannelMessageWithSource, new DiscordInteractionResponseBuilder().WithContent($"⛔ Could not Skip Song, Queue Empty!").AsEphemeral(true));
|
||||
return;
|
||||
}
|
||||
|
||||
_ = ctx.CreateResponseAsync(InteractionResponseType.ChannelMessageWithSource, new DiscordInteractionResponseBuilder().WithContent($"Skipped From Song ``{oldTrack.Title}`` To Song:")
|
||||
.AddEmbed(Common.AsEmbed(player.CurrentTrack, loopType: player.PlayerQueue.LoopType)).AsEphemeral(true));
|
||||
}
|
||||
|
||||
[SlashCommand("fav", "Shows the favorite Song Panel")]
|
||||
[OnlyGuildCheck]
|
||||
public async Task FavCommand(InteractionContext ctx)
|
||||
{
|
||||
|
||||
}
|
||||
|
||||
[SlashCommand("search", "Searches for a specific query")]
|
||||
[OnlyGuildCheck]
|
||||
public async Task SearchCommand(InteractionContext ctx, [Option("query", "The Search Query")] string query)
|
||||
{
|
||||
await ctx.DeferAsync(true);
|
||||
|
||||
GuildPlayer player = (GuildPlayer)_audioService.GetPlayer(ctx.Guild.Id);
|
||||
MusicActionResponse response;
|
||||
try
|
||||
{
|
||||
response = await _trackProvider.SearchAsync(query, true);
|
||||
}catch (Exception e)
|
||||
{
|
||||
await ctx.EditResponseAsync(new DiscordWebhookBuilder().WithContent($"❌ Search failed: ``{e.Message}``"));
|
||||
return;
|
||||
}
|
||||
|
||||
var prompt = new SongSelectorPrompt($"Search results for {query}", response.Tracks);
|
||||
prompt.ConfirmCallback = async (tracks) =>
|
||||
{
|
||||
var selectPrompt = new SongListActionPrompt(tracks, ctx.Member, prompt);
|
||||
await selectPrompt.UseAsync(prompt.Interaction, prompt.Message);
|
||||
};
|
||||
|
||||
await prompt.UseAsync(ctx.Interaction, await ctx.GetOriginalResponseAsync());
|
||||
}
|
||||
|
||||
[SlashCommand("time", "Sets the playing position of the current Song.")]
|
||||
[OnlyGuildCheck]
|
||||
[UserInMusicChannelCheck]
|
||||
public async Task TimeCommand(InteractionContext ctx, [Option("time", "The time formatted like this: Hours: 1h, Minutes: 1m, Seconds 1s")] string time)
|
||||
{
|
||||
await ctx.DeferAsync(true);
|
||||
|
||||
GuildPlayer player = (GuildPlayer)_audioService.GetPlayer(ctx.Guild.Id);
|
||||
|
||||
TimeSpan timeSpan;
|
||||
|
||||
try
|
||||
{
|
||||
timeSpan = TimeSpan.Parse(time);
|
||||
}
|
||||
catch (Exception e)
|
||||
{
|
||||
try
|
||||
{
|
||||
timeSpan = Common.ToTimeSpan(time);
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
await ctx.EditResponseAsync(new DiscordWebhookBuilder().WithContent("❌ An Error occured when parsing your input."));
|
||||
return;
|
||||
}
|
||||
}
|
||||
|
||||
try
|
||||
{
|
||||
await player.SeekPositionAsync(timeSpan);
|
||||
}catch (Exception ex)
|
||||
{
|
||||
await ctx.EditResponseAsync(new DiscordWebhookBuilder().WithContent($"❌ An Error occured while Seeking the Track: ``{ex.Message}``"));
|
||||
return;
|
||||
}
|
||||
await ctx.EditResponseAsync(new DiscordWebhookBuilder().WithContent($"✔️ You successfully set the Song to ``{Common.GetTimestamp(timeSpan)}``."));
|
||||
}
|
||||
|
||||
[SlashCommand("pause", "Pauses or Resumes the current Song.")]
|
||||
[OnlyGuildCheck]
|
||||
[UserInMusicChannelCheck]
|
||||
public async Task PauseCommand(InteractionContext ctx)
|
||||
{
|
||||
await ctx.DeferAsync(true);
|
||||
|
||||
GuildPlayer player = (GuildPlayer)_audioService.GetPlayer(ctx.Guild.Id);
|
||||
try
|
||||
{
|
||||
await player.TogglePauseAsync();
|
||||
}catch (Exception ex)
|
||||
{
|
||||
await ctx.EditResponseAsync(new DiscordWebhookBuilder().WithContent($"❌ An Error occured changing the pause state of the Song: ``{ex.Message}``"));
|
||||
return;
|
||||
}
|
||||
|
||||
await ctx.EditResponseAsync(new DiscordWebhookBuilder().WithContent($"✔️ You {(player.State == PlayerState.Paused ? "successfully paused the Track" : "successfully resumed the Track")}"));
|
||||
|
||||
}
|
||||
|
||||
[SlashCommand("shuffle", "Shuffles the Queue.")]
|
||||
[OnlyGuildCheck]
|
||||
[UserInMusicChannelCheck]
|
||||
public async Task ShuffleCommand(InteractionContext ctx)
|
||||
{
|
||||
await ctx.DeferAsync(true);
|
||||
|
||||
GuildPlayer player = _audioService.GetPlayer<GuildPlayer>(ctx.Guild.Id);
|
||||
try
|
||||
{
|
||||
await player.ShuffleAsync();
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
await ctx.EditResponseAsync(new DiscordWebhookBuilder().WithContent($"❌ An error occured while shuffling the Queue: ``{ex.Message}``"));
|
||||
return;
|
||||
}
|
||||
await ctx.EditResponseAsync(new DiscordWebhookBuilder().WithContent($"😀 You shuffled the Queue."));
|
||||
|
||||
}
|
||||
|
||||
[SlashCommand("loop", "Sets the loop type of the current player.")]
|
||||
[OnlyGuildCheck]
|
||||
[UserInMusicChannelCheck]
|
||||
public async Task LoopCommand(InteractionContext ctx, [Option("Looptype", "The loop type which the player should be set to")] LoopType type)
|
||||
{
|
||||
await ctx.DeferAsync(true);
|
||||
|
||||
GuildPlayer player = _audioService.GetPlayer<GuildPlayer>(ctx.Guild.Id);
|
||||
|
||||
try
|
||||
{
|
||||
await player.SetLoopAsync(type);
|
||||
}catch (Exception ex)
|
||||
{
|
||||
await ctx.EditResponseAsync(new DiscordWebhookBuilder().WithContent($"❌ An error occured while change the Queue Loop: ``{ex.Message}``"));
|
||||
|
||||
}
|
||||
|
||||
await ctx.EditResponseAsync(new DiscordWebhookBuilder().WithContent($"😀 You have set the Loop to ``{type.ToString()}``."));
|
||||
|
||||
}
|
||||
|
||||
[SlashCommand("autoplay", "Enables/Disables Autoplay")]
|
||||
[OnlyGuildCheck]
|
||||
[UserInMusicChannelCheck]
|
||||
public async Task AutoplayCommand(InteractionContext ctx)
|
||||
{
|
||||
await ctx.DeferAsync(true);
|
||||
|
||||
GuildPlayer player = _audioService.GetPlayer<GuildPlayer>(ctx.Guild.Id);
|
||||
|
||||
player.Autoplay = !player.Autoplay;
|
||||
|
||||
await ctx.EditResponseAsync(new DiscordWebhookBuilder().WithContent($"You have set Autoplay to ``{(player.Autoplay ? "Enabled" : "Disabled")}``"));
|
||||
|
||||
}
|
||||
|
||||
[SlashCommand("queue", "Shows the Queue")]
|
||||
[OnlyGuildCheck]
|
||||
public async Task QueueCommand(InteractionContext ctx)
|
||||
{
|
||||
await ctx.DeferAsync(true);
|
||||
GuildPlayer player = _audioService.GetPlayer<GuildPlayer>(ctx.Guild.Id);
|
||||
|
||||
if (player == null)
|
||||
{
|
||||
_ = ctx.EditResponseAsync(new DiscordWebhookBuilder().WithContent("❌ ``Theres currently nothing playing``"));
|
||||
return;
|
||||
}
|
||||
|
||||
LavalinkTrack track = player.CurrentTrack;
|
||||
|
||||
if (track == null)
|
||||
{
|
||||
_ = ctx.EditResponseAsync(new DiscordWebhookBuilder().WithContent("❌ ``Theres currently nothing playing``"));
|
||||
return;
|
||||
}
|
||||
|
||||
QueuePrompt prompt = new QueuePrompt(player);
|
||||
|
||||
_ = prompt.UseAsync(ctx.Interaction, await ctx.GetOriginalResponseAsync());
|
||||
}
|
||||
|
||||
}
|
||||
}
|
289
TomatenMusicCore/Commands/PlayCommandGroup.cs
Normal file
289
TomatenMusicCore/Commands/PlayCommandGroup.cs
Normal file
@@ -0,0 +1,289 @@
|
||||
using DSharpPlus.Entities;
|
||||
using DSharpPlus.SlashCommands;
|
||||
using Lavalink4NET;
|
||||
using Lavalink4NET.Player;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
using TomatenMusic.Commands.Checks;
|
||||
using TomatenMusic.Music;
|
||||
using TomatenMusic.Music.Entitites;
|
||||
using TomatenMusic.Util;
|
||||
|
||||
namespace TomatenMusic.Commands
|
||||
{
|
||||
|
||||
[SlashCommandGroup("playnow", "Plays the specified Song now and prepends the Current song to the Queue.")]
|
||||
public class PlayNowGroup : ApplicationCommandModule
|
||||
{
|
||||
public IAudioService _audioService { get; set; }
|
||||
public ILogger<PlayNowGroup> _logger { get; set; }
|
||||
public TrackProvider _trackProvider { get; set; }
|
||||
|
||||
public PlayNowGroup(IAudioService audioService, ILogger<PlayNowGroup> logger, TrackProvider trackProvider)
|
||||
{
|
||||
_audioService = audioService;
|
||||
_logger = logger;
|
||||
_trackProvider = trackProvider;
|
||||
}
|
||||
|
||||
[SlashCommand("query", "Play a song with its youtube/spotify link. (or youtube search)")]
|
||||
[UserInVoiceChannelCheck]
|
||||
[UserInMusicChannelCheck(true)]
|
||||
[OnlyGuildCheck]
|
||||
public async Task PlayQueryCommand(InteractionContext ctx, [Option("query", "The song search query.")] string query)
|
||||
{
|
||||
await ctx.DeferAsync(true);
|
||||
|
||||
GuildPlayer player = (GuildPlayer)_audioService.GetPlayer(ctx.Guild.Id);
|
||||
|
||||
MusicActionResponse response;
|
||||
|
||||
try
|
||||
{
|
||||
response = await _trackProvider.SearchAsync(query);
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
await ctx.EditResponseAsync(new DiscordWebhookBuilder()
|
||||
.WithContent($"❌ An error occured while resolving your query: ``{ex.Message}``, ```{ex.StackTrace}```")
|
||||
);
|
||||
return;
|
||||
}
|
||||
|
||||
try
|
||||
{
|
||||
player = await _audioService.JoinAsync<GuildPlayer>(ctx.Guild.Id, ctx.Member.VoiceState.Channel.Id, true);
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
player = _audioService.GetPlayer<GuildPlayer>(ctx.Guild.Id);
|
||||
|
||||
if (player == null || player.VoiceChannelId == null)
|
||||
{
|
||||
await ctx.EditResponseAsync(new DiscordWebhookBuilder()
|
||||
.WithContent($"❌ An error occured while connecting to your Channel: ``{ex.Message}``")
|
||||
);
|
||||
return;
|
||||
}
|
||||
}
|
||||
|
||||
try
|
||||
{
|
||||
if (response.isPlaylist)
|
||||
{
|
||||
LavalinkPlaylist playlist = response.Playlist;
|
||||
await player.PlayPlaylistNowAsync(playlist);
|
||||
|
||||
_ = ctx.EditResponseAsync(new DiscordWebhookBuilder().WithContent("Now Playing:").AddEmbed(
|
||||
Common.AsEmbed(playlist)
|
||||
));
|
||||
|
||||
}
|
||||
else
|
||||
{
|
||||
LavalinkTrack track = response.Track;
|
||||
|
||||
_ = ctx.EditResponseAsync(new DiscordWebhookBuilder().WithContent("Playing Now")
|
||||
.AddEmbed(Common.AsEmbed(track, player.PlayerQueue.LoopType, 0)));
|
||||
|
||||
await player.PlayNowAsync(response.Track);
|
||||
}
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
await ctx.EditResponseAsync(new DiscordWebhookBuilder()
|
||||
.WithContent($"❌ An error occured while playing your Query: ``{ex.Message}``")
|
||||
);
|
||||
return;
|
||||
}
|
||||
}
|
||||
|
||||
[SlashCommand("file", "Play a song file. (mp3/mp4)")]
|
||||
[UserInVoiceChannelCheck]
|
||||
[UserInMusicChannelCheck(true)]
|
||||
[OnlyGuildCheck]
|
||||
public async Task PlayFileCommand(InteractionContext ctx, [Option("File", "The File that should be played.")] DiscordAttachment file)
|
||||
{
|
||||
|
||||
await ctx.DeferAsync(true);
|
||||
|
||||
GuildPlayer player = (GuildPlayer)_audioService.GetPlayer(ctx.Guild.Id);
|
||||
|
||||
MusicActionResponse response;
|
||||
|
||||
try
|
||||
{
|
||||
response = await _trackProvider.SearchAsync(new Uri(file.Url));
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
await ctx.EditResponseAsync(new DiscordWebhookBuilder()
|
||||
.WithContent($"❌ An error occured while resolving your file: ``{ex.Message}``")
|
||||
);
|
||||
return;
|
||||
}
|
||||
|
||||
try
|
||||
{
|
||||
player = await _audioService.JoinAsync<GuildPlayer>(ctx.Guild.Id, ctx.Member.VoiceState.Channel.Id, true);
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
player = _audioService.GetPlayer<GuildPlayer>(ctx.Guild.Id);
|
||||
if (player == null || player.VoiceChannelId == null)
|
||||
{
|
||||
await ctx.EditResponseAsync(new DiscordWebhookBuilder()
|
||||
.WithContent($"❌ An error occured while connecting to your Channel: ``{ex.Message}``")
|
||||
);
|
||||
return;
|
||||
}
|
||||
}
|
||||
|
||||
LavalinkTrack track = response.Track;
|
||||
|
||||
_ = ctx.EditResponseAsync(new DiscordWebhookBuilder().WithContent("Playing Now")
|
||||
.AddEmbed(Common.AsEmbed(track, player.PlayerQueue.LoopType, 0)));
|
||||
|
||||
await player.PlayNowAsync(response.Track);
|
||||
}
|
||||
}
|
||||
|
||||
[SlashCommandGroup("play", "Queues or plays the Song")]
|
||||
public class PlayQueueGroup : ApplicationCommandModule
|
||||
{
|
||||
public IAudioService _audioService { get; set; }
|
||||
public ILogger<PlayQueueGroup> _logger { get; set; }
|
||||
public TrackProvider _trackProvider { get; set; }
|
||||
|
||||
public PlayQueueGroup(IAudioService audioService, ILogger<PlayQueueGroup> logger, TrackProvider trackProvider)
|
||||
{
|
||||
_audioService = audioService;
|
||||
_logger = logger;
|
||||
_trackProvider = trackProvider;
|
||||
}
|
||||
|
||||
|
||||
[SlashCommand("query", "Play a song with its youtube/spotify link. (or youtube search)")]
|
||||
[UserInVoiceChannelCheck]
|
||||
[UserInMusicChannelCheck(true)]
|
||||
[OnlyGuildCheck]
|
||||
public async Task PlayQueryCommand(InteractionContext ctx, [Option("query", "The song search query.")] string query)
|
||||
{
|
||||
await ctx.DeferAsync(true);
|
||||
|
||||
GuildPlayer player = (GuildPlayer)_audioService.GetPlayer(ctx.Guild.Id);
|
||||
|
||||
MusicActionResponse response;
|
||||
|
||||
try
|
||||
{
|
||||
response = await _trackProvider.SearchAsync(query);
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
await ctx.EditResponseAsync(new DiscordWebhookBuilder()
|
||||
.WithContent($"❌ An error occured while resolving your query: ``{ex.Message}``, ```{ex.StackTrace}```")
|
||||
);
|
||||
return;
|
||||
}
|
||||
|
||||
try
|
||||
{
|
||||
player = await _audioService.JoinAsync<GuildPlayer>(ctx.Guild.Id, ctx.Member.VoiceState.Channel.Id, true);
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
player = _audioService.GetPlayer<GuildPlayer>(ctx.Guild.Id);
|
||||
if (player == null || player.VoiceChannelId == null)
|
||||
{
|
||||
await ctx.EditResponseAsync(new DiscordWebhookBuilder()
|
||||
.WithContent($"❌ An error occured while connecting to your Channel: ``{ex.Message}``")
|
||||
);
|
||||
return;
|
||||
}
|
||||
}
|
||||
|
||||
try
|
||||
{
|
||||
if (response.isPlaylist)
|
||||
{
|
||||
LavalinkPlaylist playlist = response.Playlist;
|
||||
await player.PlayPlaylistAsync(playlist);
|
||||
|
||||
_ = ctx.EditResponseAsync(new DiscordWebhookBuilder().WithContent("Now Playing:").AddEmbed(
|
||||
Common.AsEmbed(playlist)
|
||||
));
|
||||
|
||||
}
|
||||
else
|
||||
{
|
||||
LavalinkTrack track = response.Track;
|
||||
|
||||
_ = ctx.EditResponseAsync(new DiscordWebhookBuilder().WithContent(player.State == PlayerState.NotPlaying ? "Now Playing:" : "Added to Queue")
|
||||
.AddEmbed(Common.AsEmbed(track, player.PlayerQueue.LoopType, player.State == PlayerState.NotPlaying ? 0 : player.PlayerQueue.Queue.Count + 1)));
|
||||
|
||||
await player.PlayAsync(response.Track);
|
||||
}
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
await ctx.EditResponseAsync(new DiscordWebhookBuilder()
|
||||
.WithContent($"❌ An error occured while playing your Track: ``{ex.Message}``")
|
||||
);
|
||||
return;
|
||||
}
|
||||
}
|
||||
|
||||
[SlashCommand("file", "Play a song file. (mp3/mp4)")]
|
||||
[UserInVoiceChannelCheck]
|
||||
[UserInMusicChannelCheck(true)]
|
||||
[OnlyGuildCheck]
|
||||
public async Task PlayFileCommand(InteractionContext ctx, [Option("File", "The File that should be played.")] DiscordAttachment file)
|
||||
{
|
||||
|
||||
await ctx.DeferAsync(true);
|
||||
|
||||
GuildPlayer player = (GuildPlayer)_audioService.GetPlayer(ctx.Guild.Id);
|
||||
|
||||
MusicActionResponse response;
|
||||
|
||||
try
|
||||
{
|
||||
response = await _trackProvider.SearchAsync(new Uri(file.Url));
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
await ctx.EditResponseAsync(new DiscordWebhookBuilder()
|
||||
.WithContent($"❌ An error occured while resolving your file: ``{ex.Message}``")
|
||||
);
|
||||
return;
|
||||
}
|
||||
|
||||
try
|
||||
{
|
||||
player = await _audioService.JoinAsync<GuildPlayer>(ctx.Guild.Id, ctx.Member.VoiceState.Channel.Id, true);
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
player = _audioService.GetPlayer<GuildPlayer>(ctx.Guild.Id);
|
||||
if (player == null || player.VoiceChannelId == null)
|
||||
{
|
||||
await ctx.EditResponseAsync(new DiscordWebhookBuilder()
|
||||
.WithContent($"❌ An error occured while connecting to your Channel: ``{ex.Message}``")
|
||||
);
|
||||
return;
|
||||
}
|
||||
}
|
||||
|
||||
LavalinkTrack track = response.Track;
|
||||
|
||||
_ = ctx.EditResponseAsync(new DiscordWebhookBuilder().WithContent(player.State == PlayerState.NotPlaying ? "Now Playing:" : "Added to Queue")
|
||||
.AddEmbed(Common.AsEmbed(track, player.PlayerQueue.LoopType, player.State == PlayerState.NotPlaying ? 0 : player.PlayerQueue.Queue.Count + 1)));
|
||||
|
||||
await player.PlayAsync(response.Track);
|
||||
}
|
||||
}
|
||||
}
|
69
TomatenMusicCore/Music/Entitites/FullTrackContext.cs
Normal file
69
TomatenMusicCore/Music/Entitites/FullTrackContext.cs
Normal file
@@ -0,0 +1,69 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
using TomatenMusic.Services;
|
||||
using System.Linq;
|
||||
using SpotifyAPI.Web;
|
||||
using Lavalink4NET.Player;
|
||||
using Microsoft.Extensions.DependencyInjection;
|
||||
using Lavalink4NET;
|
||||
|
||||
namespace TomatenMusic.Music.Entitites
|
||||
{
|
||||
public class FullTrackContext
|
||||
{
|
||||
public bool IsFile { get; set; }
|
||||
public string YoutubeDescription { get; set; }
|
||||
public Uri YoutubeUri { get; set; }
|
||||
public IEnumerable<string> YoutubeTags { get; set; }
|
||||
public ulong YoutubeViews { get; set; }
|
||||
public ulong YoutubeLikes { get; set; }
|
||||
public Uri YoutubeThumbnail { get; set; }
|
||||
public DateTime YoutubeUploadDate { get; set; }
|
||||
//
|
||||
// Summary:
|
||||
// Gets the author of the track.
|
||||
public Uri YoutubeAuthorThumbnail { get; set; }
|
||||
public ulong YoutubeAuthorSubs { get; set; }
|
||||
public Uri YoutubeAuthorUri { get; set; }
|
||||
public ulong? YoutubeCommentCount { get; set; }
|
||||
public string SpotifyIdentifier { get; set; }
|
||||
public SimpleAlbum SpotifyAlbum { get; set; }
|
||||
public List<SimpleArtist> SpotifyArtists { get; set; }
|
||||
public int SpotifyPopularity { get; set; }
|
||||
public Uri SpotifyUri { get; set; }
|
||||
|
||||
public static async Task<LavalinkTrack> PopulateAsync(LavalinkTrack track, string spotifyIdentifier = null)
|
||||
{
|
||||
FullTrackContext context = (FullTrackContext)track.Context;
|
||||
|
||||
if (context == null)
|
||||
context = new FullTrackContext();
|
||||
|
||||
var spotifyService = TomatenMusicBot.ServiceProvider.GetRequiredService<ISpotifyService>();
|
||||
var youtubeService = TomatenMusicBot.ServiceProvider.GetRequiredService<YoutubeService>();
|
||||
context.SpotifyIdentifier = spotifyIdentifier;
|
||||
context.YoutubeUri = new Uri($"https://youtu.be/{track.TrackIdentifier}");
|
||||
track.Context = context;
|
||||
Console.WriteLine(context);
|
||||
await youtubeService.PopulateTrackInfoAsync(track);
|
||||
await spotifyService.PopulateTrackAsync(track);
|
||||
|
||||
return track;
|
||||
}
|
||||
|
||||
public static async Task<IEnumerable<LavalinkTrack>> PopulateTracksAsync(IEnumerable<LavalinkTrack> tracks)
|
||||
{
|
||||
foreach (var trackItem in tracks)
|
||||
{
|
||||
await PopulateAsync(trackItem);
|
||||
}
|
||||
|
||||
return tracks;
|
||||
}
|
||||
|
||||
|
||||
|
||||
}
|
||||
}
|
34
TomatenMusicCore/Music/Entitites/LavalinkPlaylist.cs
Normal file
34
TomatenMusicCore/Music/Entitites/LavalinkPlaylist.cs
Normal file
@@ -0,0 +1,34 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using System.Linq;
|
||||
using TomatenMusic.Util;
|
||||
using DSharpPlus.Entities;
|
||||
using Lavalink4NET.Player;
|
||||
|
||||
namespace TomatenMusic.Music.Entitites
|
||||
{
|
||||
public interface LavalinkPlaylist
|
||||
{
|
||||
public string Name { get; }
|
||||
public IEnumerable<LavalinkTrack> Tracks { get; }
|
||||
public Uri Url { get; }
|
||||
public string AuthorName { get; set; }
|
||||
public Uri AuthorUri { get; set; }
|
||||
public string Description { get; set; }
|
||||
public string Identifier { get; }
|
||||
public Uri AuthorThumbnail { get; set; }
|
||||
|
||||
public TimeSpan GetLength()
|
||||
{
|
||||
TimeSpan timeSpan = TimeSpan.FromTicks(0);
|
||||
|
||||
foreach (var track in Tracks)
|
||||
{
|
||||
timeSpan = timeSpan.Add(track.Duration);
|
||||
}
|
||||
|
||||
return timeSpan;
|
||||
}
|
||||
}
|
||||
}
|
29
TomatenMusicCore/Music/Entitites/SpotifyPlaylist.cs
Normal file
29
TomatenMusicCore/Music/Entitites/SpotifyPlaylist.cs
Normal file
@@ -0,0 +1,29 @@
|
||||
using Lavalink4NET.Player;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
|
||||
namespace TomatenMusic.Music.Entitites
|
||||
{
|
||||
public class SpotifyPlaylist : LavalinkPlaylist
|
||||
{
|
||||
public string Name { get; }
|
||||
public IEnumerable<LavalinkTrack> Tracks { get; }
|
||||
public Uri Url { get; set; }
|
||||
public string AuthorName { get; set; }
|
||||
public Uri AuthorUri { get; set; }
|
||||
public string Description { get; set; }
|
||||
public int Followers { get; set; }
|
||||
public string Identifier { get; }
|
||||
public Uri AuthorThumbnail { get; set; }
|
||||
|
||||
|
||||
public SpotifyPlaylist(string name, string id, IEnumerable<LavalinkTrack> tracks, Uri uri)
|
||||
{
|
||||
Name = name;
|
||||
Identifier = id;
|
||||
Tracks = tracks;
|
||||
Url = uri;
|
||||
}
|
||||
}
|
||||
}
|
38
TomatenMusicCore/Music/Entitites/YoutubePlaylist.cs
Normal file
38
TomatenMusicCore/Music/Entitites/YoutubePlaylist.cs
Normal file
@@ -0,0 +1,38 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using System.Linq;
|
||||
using Google.Apis.YouTube.v3.Data;
|
||||
using Lavalink4NET.Player;
|
||||
|
||||
namespace TomatenMusic.Music.Entitites
|
||||
{
|
||||
public class YoutubePlaylist : LavalinkPlaylist
|
||||
{
|
||||
public string Name { get; }
|
||||
|
||||
public IEnumerable<LavalinkTrack> Tracks { get; }
|
||||
|
||||
public int TrackCount { get; }
|
||||
|
||||
public Uri Url { get; }
|
||||
|
||||
public string AuthorName { get; set; }
|
||||
public Uri AuthorUri { get; set; }
|
||||
public string Description { get; set; }
|
||||
public Uri Thumbnail { get; set; }
|
||||
public DateTime CreationTime { get; set; }
|
||||
public string Identifier { get; }
|
||||
public Playlist YoutubeItem { get; set; }
|
||||
public Uri AuthorThumbnail { get; set; }
|
||||
|
||||
public YoutubePlaylist(string name, IEnumerable<LavalinkTrack> tracks, Uri uri)
|
||||
{
|
||||
Identifier = uri.ToString().Replace("https://www.youtube.com/playlist?list=", "");
|
||||
Name = name;
|
||||
Tracks = tracks;
|
||||
Url = uri;
|
||||
TrackCount = tracks.Count();
|
||||
}
|
||||
}
|
||||
}
|
342
TomatenMusicCore/Music/GuildPlayer.cs
Normal file
342
TomatenMusicCore/Music/GuildPlayer.cs
Normal file
@@ -0,0 +1,342 @@
|
||||
using DSharpPlus;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using DSharpPlus.Entities;
|
||||
using System.Threading.Tasks;
|
||||
using System.Linq;
|
||||
using TomatenMusic.Music.Entitites;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using TomatenMusic.Services;
|
||||
using TomatenMusic.Prompt.Implementation;
|
||||
using Lavalink4NET.Player;
|
||||
using Lavalink4NET.Events;
|
||||
using Lavalink4NET;
|
||||
using Lavalink4NET.Rest;
|
||||
using Microsoft.Extensions.DependencyInjection;
|
||||
using Lavalink4NET.Decoding;
|
||||
|
||||
namespace TomatenMusic.Music
|
||||
{
|
||||
public class GuildPlayer : LavalinkPlayer
|
||||
{
|
||||
|
||||
ILogger<GuildPlayer> _logger { get; set; }
|
||||
public PlayerQueue PlayerQueue { get;} = new PlayerQueue();
|
||||
public DiscordClient _client { get; set; }
|
||||
public ISpotifyService _spotify { get; set; }
|
||||
public IAudioService _audioService { get; set; }
|
||||
|
||||
public bool Autoplay { get; set; } = false;
|
||||
|
||||
public GuildPlayer()
|
||||
{
|
||||
IServiceProvider serviceProvider = TomatenMusicBot.ServiceProvider;
|
||||
_logger = serviceProvider.GetRequiredService<ILogger<GuildPlayer>>();
|
||||
var client = serviceProvider.GetRequiredService<DiscordShardedClient>();
|
||||
_client = client.GetShard(GuildId);
|
||||
|
||||
_spotify = serviceProvider.GetRequiredService<ISpotifyService>();
|
||||
_audioService = serviceProvider.GetRequiredService<IAudioService>();
|
||||
}
|
||||
|
||||
|
||||
|
||||
public async override Task PlayAsync(LavalinkTrack track, TimeSpan? startTime = null, TimeSpan? endTime = null, bool noReplace = true)
|
||||
{
|
||||
|
||||
EnsureConnected();
|
||||
EnsureNotDestroyed();
|
||||
|
||||
if (State == PlayerState.NotPlaying)
|
||||
{
|
||||
PlayerQueue.LastTrack = track;
|
||||
await base.PlayAsync(track, startTime, endTime, noReplace);
|
||||
_logger.LogInformation("Started playing Track {0} on Guild {1}", track.Title, (await GetGuildAsync()).Name);
|
||||
}else
|
||||
PlayerQueue.QueueTrack(track);
|
||||
|
||||
QueuePrompt.UpdateFor(GuildId);
|
||||
}
|
||||
|
||||
public async Task PlayNowAsync(LavalinkTrack track, TimeSpan? startTime = null, TimeSpan? endTime = null, bool withoutQueuePrepend = false)
|
||||
{
|
||||
|
||||
EnsureConnected();
|
||||
EnsureNotDestroyed();
|
||||
|
||||
if (!withoutQueuePrepend)
|
||||
PlayerQueue.Queue = new Queue<LavalinkTrack>(PlayerQueue.Queue.Prepend(PlayerQueue.LastTrack));
|
||||
|
||||
PlayerQueue.LastTrack = track;
|
||||
await base.PlayAsync(track, startTime, endTime);
|
||||
_logger.LogInformation("Started playing Track {0} now on Guild {1}", track.Title, (await GetGuildAsync()).Name);
|
||||
|
||||
|
||||
QueuePrompt.UpdateFor(GuildId);
|
||||
}
|
||||
|
||||
public async Task PlayTracksAsync(List<LavalinkTrack> tracks)
|
||||
{
|
||||
EnsureNotDestroyed();
|
||||
EnsureConnected();
|
||||
|
||||
_logger.LogInformation("Started playing TrackList {0} on Guild {1}", tracks.ToString(), (await GetGuildAsync()).Name);
|
||||
|
||||
await PlayerQueue.QueueTracksAsync(tracks);
|
||||
|
||||
if (State == PlayerState.NotPlaying)
|
||||
{
|
||||
LavalinkTrack nextTrack = PlayerQueue.NextTrack().Track;
|
||||
await base.PlayAsync(nextTrack);
|
||||
}
|
||||
QueuePrompt.UpdateFor(GuildId);
|
||||
}
|
||||
public async Task PlayTracksNowAsync(IEnumerable<LavalinkTrack> tracks)
|
||||
{
|
||||
|
||||
EnsureConnected();
|
||||
EnsureNotDestroyed();
|
||||
Queue<LavalinkTrack> reversedTracks = new Queue<LavalinkTrack>(tracks);
|
||||
|
||||
LavalinkTrack track = reversedTracks.Dequeue();
|
||||
PlayerQueue.LastTrack = track;
|
||||
await base.PlayAsync(track);
|
||||
_logger.LogInformation("Started playing Track {0} on Guild {1}", track.Title, (await GetGuildAsync()).Name);
|
||||
|
||||
reversedTracks.Reverse();
|
||||
|
||||
foreach (var item in reversedTracks)
|
||||
{
|
||||
PlayerQueue.Queue = new Queue<LavalinkTrack>(PlayerQueue.Queue.Prepend(PlayerQueue.LastTrack));
|
||||
}
|
||||
|
||||
QueuePrompt.UpdateFor(GuildId);
|
||||
}
|
||||
|
||||
public async Task PlayPlaylistAsync(LavalinkPlaylist playlist)
|
||||
{
|
||||
EnsureNotDestroyed();
|
||||
EnsureConnected();
|
||||
|
||||
_logger.LogInformation("Started playing Playlist {0} on Guild {1}", playlist.Name, (await GetGuildAsync()).Name);
|
||||
|
||||
await PlayerQueue.QueuePlaylistAsync(playlist);
|
||||
|
||||
|
||||
if (State == PlayerState.NotPlaying)
|
||||
{
|
||||
LavalinkTrack nextTrack = PlayerQueue.NextTrack().Track;
|
||||
await base.PlayAsync(nextTrack);
|
||||
}
|
||||
QueuePrompt.UpdateFor(GuildId);
|
||||
}
|
||||
|
||||
public async Task PlayPlaylistNowAsync(LavalinkPlaylist playlist)
|
||||
{
|
||||
|
||||
EnsureConnected();
|
||||
EnsureNotDestroyed();
|
||||
if (!PlayerQueue.Queue.Any())
|
||||
PlayerQueue.CurrentPlaylist = playlist;
|
||||
|
||||
Queue<LavalinkTrack> reversedTracks = new Queue<LavalinkTrack>(playlist.Tracks);
|
||||
|
||||
LavalinkTrack track = reversedTracks.Dequeue();
|
||||
PlayerQueue.LastTrack = track;
|
||||
await base.PlayAsync(track);
|
||||
_logger.LogInformation("Started playing Track {0} on Guild {1}", track.Title, (await GetGuildAsync()).Name);
|
||||
|
||||
reversedTracks.Reverse();
|
||||
|
||||
foreach (var item in reversedTracks)
|
||||
{
|
||||
PlayerQueue.Queue = new Queue<LavalinkTrack>(PlayerQueue.Queue.Prepend(PlayerQueue.LastTrack));
|
||||
}
|
||||
|
||||
QueuePrompt.UpdateFor(GuildId);
|
||||
}
|
||||
|
||||
public async Task RewindAsync()
|
||||
{
|
||||
MusicActionResponse response = PlayerQueue.Rewind();
|
||||
|
||||
_logger.LogInformation($"Rewinded Track {CurrentTrack.Title} for Track {response.Track.Title}");
|
||||
await base.PlayAsync(response.Track);
|
||||
QueuePrompt.UpdateFor(GuildId);
|
||||
}
|
||||
|
||||
public async Task SkipAsync()
|
||||
{
|
||||
MusicActionResponse response = PlayerQueue.NextTrack(true);
|
||||
|
||||
_logger.LogInformation($"Skipped Track {CurrentTrack.Title} for Track {response.Track.Title}");
|
||||
await base.PlayAsync(response.Track);
|
||||
QueuePrompt.UpdateFor(GuildId);
|
||||
}
|
||||
|
||||
public async Task TogglePauseAsync()
|
||||
{
|
||||
EnsureNotDestroyed();
|
||||
EnsureConnected();
|
||||
|
||||
if (State == PlayerState.NotPlaying) throw new InvalidOperationException("Cant pause Song! Nothing is Playing.");
|
||||
|
||||
|
||||
if (State == PlayerState.Paused)
|
||||
await ResumeAsync();
|
||||
else
|
||||
await PauseAsync();
|
||||
|
||||
QueuePrompt.UpdateFor(GuildId);
|
||||
}
|
||||
|
||||
public async Task SetLoopAsync(LoopType type)
|
||||
{
|
||||
|
||||
EnsureNotDestroyed();
|
||||
EnsureConnected();
|
||||
|
||||
if (State == PlayerState.NotPlaying) throw new InvalidOperationException("Cant change LoopType! Nothing is Playing.");
|
||||
|
||||
_ = PlayerQueue.SetLoopAsync(type);
|
||||
QueuePrompt.UpdateFor(GuildId);
|
||||
|
||||
}
|
||||
|
||||
public async Task ShuffleAsync()
|
||||
{
|
||||
|
||||
EnsureNotDestroyed();
|
||||
EnsureConnected();
|
||||
|
||||
await PlayerQueue.ShuffleAsync();
|
||||
|
||||
QueuePrompt.UpdateFor(GuildId);
|
||||
}
|
||||
public async override Task ConnectAsync(ulong voiceChannelId, bool selfDeaf = true, bool selfMute = false)
|
||||
{
|
||||
EnsureNotDestroyed();
|
||||
|
||||
DiscordChannel channel = await _client.GetChannelAsync(voiceChannelId);
|
||||
|
||||
if (channel.Type != ChannelType.Voice && channel.Type != ChannelType.Stage) throw new ArgumentException("The channel Id provided was not a voice channel");
|
||||
|
||||
if (State != PlayerState.NotConnected)
|
||||
throw new InvalidOperationException("The Bot is already connected.");
|
||||
|
||||
await base.ConnectAsync(voiceChannelId, selfDeaf, selfMute);
|
||||
|
||||
if (channel.Type == ChannelType.Stage)
|
||||
{
|
||||
DiscordStageInstance stageInstance = await channel.GetStageInstanceAsync();
|
||||
|
||||
if (stageInstance == null)
|
||||
stageInstance = await channel.CreateStageInstanceAsync("Music");
|
||||
await stageInstance.Channel.UpdateCurrentUserVoiceStateAsync(false);
|
||||
}
|
||||
|
||||
_logger.LogInformation("Connected to Channel {0} on Guild {1}", channel.Name, channel.Guild.Name);
|
||||
}
|
||||
public override Task DisconnectAsync()
|
||||
{
|
||||
_logger.LogInformation("Disconnected from Channel {0} on Guild {1}", VoiceChannelId, GuildId);
|
||||
|
||||
QueuePrompt.InvalidateFor(GuildId);
|
||||
return base.DisconnectAsync();
|
||||
}
|
||||
|
||||
public override async Task SeekPositionAsync(TimeSpan timeSpan)
|
||||
{
|
||||
EnsureNotDestroyed();
|
||||
EnsureConnected();
|
||||
|
||||
if (State == PlayerState.NotPlaying) throw new InvalidOperationException("Cant change LoopType! Nothing is Playing.");
|
||||
|
||||
if (timeSpan.CompareTo(CurrentTrack.Duration) == 1) throw new ArgumentException("Please specify a TimeSpan shorter than the Track");
|
||||
|
||||
await base.SeekPositionAsync(timeSpan);
|
||||
QueuePrompt.UpdateFor(GuildId);
|
||||
}
|
||||
protected override void Dispose(bool disposing)
|
||||
{
|
||||
QueuePrompt.InvalidateFor(GuildId);
|
||||
|
||||
base.Dispose(disposing);
|
||||
}
|
||||
|
||||
public async override Task OnTrackEndAsync(TrackEndEventArgs eventArgs)
|
||||
{
|
||||
DisconnectOnStop = false;
|
||||
YoutubeService youtube = TomatenMusicBot.ServiceProvider.GetRequiredService<YoutubeService>();
|
||||
var oldTrack = CurrentTrack;
|
||||
|
||||
if (eventArgs.Reason != TrackEndReason.Finished)
|
||||
return;
|
||||
|
||||
if (eventArgs.MayStartNext)
|
||||
{
|
||||
try
|
||||
{
|
||||
MusicActionResponse response = PlayerQueue.NextTrack();
|
||||
_ = PlayNowAsync(response.Track, withoutQueuePrepend: true);
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
if (!Autoplay)
|
||||
{
|
||||
_logger.LogInformation("Track has ended and Queue was Empty... Idling");
|
||||
await base.OnTrackEndAsync(eventArgs);
|
||||
return;
|
||||
}
|
||||
|
||||
LavalinkTrack newTrack = await youtube.GetRelatedTrackAsync(oldTrack.TrackIdentifier);
|
||||
_logger.LogInformation($"Autoplaying for track {oldTrack.TrackIdentifier} with Track {newTrack.TrackIdentifier}");
|
||||
await PlayNowAsync(newTrack, withoutQueuePrepend: true);
|
||||
|
||||
/* try
|
||||
{
|
||||
LavalinkTrack track = await youtube.GetRelatedTrackAsync(eventArgs.TrackIdentifier);
|
||||
_logger.LogInformation($"Autoplaying for track {eventArgs.TrackIdentifier} with Track {track.TrackIdentifier}");
|
||||
await PlayAsync(track);
|
||||
}
|
||||
catch (Exception ex2)
|
||||
{
|
||||
await base.OnTrackEndAsync(eventArgs);
|
||||
}*/
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
}
|
||||
|
||||
public async Task<DiscordChannel> GetChannelAsync()
|
||||
{
|
||||
EnsureConnected();
|
||||
EnsureNotDestroyed();
|
||||
DiscordGuild guild = await GetGuildAsync();
|
||||
|
||||
return guild.GetChannel((ulong) VoiceChannelId);
|
||||
}
|
||||
|
||||
public async Task<DiscordGuild> GetGuildAsync()
|
||||
{
|
||||
return await _client.GetGuildAsync(GuildId);
|
||||
}
|
||||
public async Task<bool> AreActionsAllowedAsync(DiscordMember member)
|
||||
{
|
||||
if (member.VoiceState == null || member.VoiceState.Channel == null)
|
||||
{
|
||||
return false;
|
||||
}
|
||||
|
||||
if (await GetChannelAsync() != null && await GetChannelAsync() != member.VoiceState.Channel)
|
||||
{
|
||||
return false;
|
||||
}
|
||||
|
||||
return true;
|
||||
}
|
||||
|
||||
}
|
||||
}
|
17
TomatenMusicCore/Music/LoopType.cs
Normal file
17
TomatenMusicCore/Music/LoopType.cs
Normal file
@@ -0,0 +1,17 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using DSharpPlus.SlashCommands;
|
||||
|
||||
namespace TomatenMusic.Music
|
||||
{
|
||||
public enum LoopType
|
||||
{
|
||||
[ChoiceName("Track")]
|
||||
TRACK,
|
||||
[ChoiceName("Queue")]
|
||||
QUEUE,
|
||||
[ChoiceName("None")]
|
||||
NONE
|
||||
}
|
||||
}
|
23
TomatenMusicCore/Music/MusicActionResponse.cs
Normal file
23
TomatenMusicCore/Music/MusicActionResponse.cs
Normal file
@@ -0,0 +1,23 @@
|
||||
using Lavalink4NET.Player;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using TomatenMusic.Music.Entitites;
|
||||
|
||||
namespace TomatenMusic.Music
|
||||
{
|
||||
public class MusicActionResponse
|
||||
{
|
||||
public LavalinkPlaylist Playlist { get; }
|
||||
public LavalinkTrack Track { get; }
|
||||
public IEnumerable<LavalinkTrack> Tracks { get; }
|
||||
public bool isPlaylist { get; }
|
||||
public MusicActionResponse(LavalinkTrack track = null, LavalinkPlaylist playlist = null, IEnumerable<LavalinkTrack> tracks = null)
|
||||
{
|
||||
Playlist = playlist;
|
||||
Track = track;
|
||||
isPlaylist = playlist != null;
|
||||
Tracks = tracks;
|
||||
}
|
||||
}
|
||||
}
|
161
TomatenMusicCore/Music/PlayerQueue.cs
Normal file
161
TomatenMusicCore/Music/PlayerQueue.cs
Normal file
@@ -0,0 +1,161 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using DSharpPlus;
|
||||
using TomatenMusic.Music.Entitites;
|
||||
using System.Threading.Tasks;
|
||||
using System.Linq;
|
||||
using TomatenMusic.Util;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using Lavalink4NET.Player;
|
||||
using Microsoft.Extensions.DependencyInjection;
|
||||
|
||||
namespace TomatenMusic.Music
|
||||
{
|
||||
public class PlayerQueue
|
||||
{
|
||||
|
||||
public Queue<LavalinkTrack> Queue { get; set; } = new Queue<LavalinkTrack>();
|
||||
public Queue<LavalinkTrack> PlayedTracks { get; set; } = new Queue<LavalinkTrack>();
|
||||
public ILogger<PlayerQueue> _logger { get; set; } = TomatenMusicBot.ServiceProvider.GetRequiredService<ILogger<PlayerQueue>>();
|
||||
public LavalinkPlaylist CurrentPlaylist { get; set; }
|
||||
|
||||
public LoopType LoopType { get; private set; } = LoopType.NONE;
|
||||
|
||||
public LavalinkTrack LastTrack { get; set; }
|
||||
|
||||
public List<LavalinkTrack> QueueLoopList { get; private set; }
|
||||
|
||||
public void QueueTrack(LavalinkTrack track)
|
||||
{
|
||||
CurrentPlaylist = null;
|
||||
Queue.Enqueue(track);
|
||||
_logger.LogInformation("Queued Track {0}", track.Title);
|
||||
|
||||
if (LoopType == LoopType.QUEUE)
|
||||
QueueLoopList.Add(track);
|
||||
}
|
||||
|
||||
public Task QueuePlaylistAsync(LavalinkPlaylist playlist)
|
||||
{
|
||||
return Task.Run(() =>
|
||||
{
|
||||
if (CurrentPlaylist == null)
|
||||
CurrentPlaylist = playlist;
|
||||
|
||||
_logger.LogInformation("Queued Playlist {0}", playlist.Name);
|
||||
foreach (LavalinkTrack track in playlist.Tracks)
|
||||
{
|
||||
Queue.Enqueue(track);
|
||||
}
|
||||
|
||||
|
||||
|
||||
if (LoopType == LoopType.QUEUE)
|
||||
QueueLoopList.AddRange(playlist.Tracks);
|
||||
});
|
||||
|
||||
}
|
||||
|
||||
public Task QueueTracksAsync(List<LavalinkTrack> tracks)
|
||||
{
|
||||
return Task.Run(() =>
|
||||
{
|
||||
CurrentPlaylist = null;
|
||||
_logger.LogInformation("Queued TrackList {0}", tracks.ToString());
|
||||
foreach (LavalinkTrack track in tracks)
|
||||
{
|
||||
Queue.Enqueue(track);
|
||||
}
|
||||
if (LoopType == LoopType.QUEUE)
|
||||
QueueLoopList.AddRange(tracks);
|
||||
});
|
||||
|
||||
}
|
||||
|
||||
public void Clear()
|
||||
{
|
||||
Queue.Clear();
|
||||
PlayedTracks.Clear();
|
||||
}
|
||||
|
||||
public void RemoveAt(int index)
|
||||
{
|
||||
if (Queue.Count == 0) throw new InvalidOperationException("Queue was Empty");
|
||||
List<LavalinkTrack> tracks = Queue.ToList();
|
||||
tracks.RemoveAt(index);
|
||||
Queue = new Queue<LavalinkTrack>(tracks);
|
||||
|
||||
}
|
||||
|
||||
public MusicActionResponse NextTrack(bool ignoreLoop = false)
|
||||
{
|
||||
if (LastTrack != null)
|
||||
PlayedTracks = new Queue<LavalinkTrack>(PlayedTracks.Prepend(LastTrack));
|
||||
|
||||
switch (LoopType)
|
||||
{
|
||||
case LoopType.NONE:
|
||||
if (Queue.Count == 0) throw new InvalidOperationException("Queue was Empty");
|
||||
|
||||
LastTrack = Queue.Dequeue();
|
||||
|
||||
return new MusicActionResponse(LastTrack);
|
||||
case LoopType.TRACK:
|
||||
if (ignoreLoop)
|
||||
{
|
||||
LastTrack = Queue.Dequeue();
|
||||
return new MusicActionResponse(LastTrack);
|
||||
}
|
||||
|
||||
return new MusicActionResponse(LastTrack);
|
||||
case LoopType.QUEUE:
|
||||
if (!Queue.Any())
|
||||
{
|
||||
if (CurrentPlaylist != null)
|
||||
Queue = new Queue<LavalinkTrack>(CurrentPlaylist.Tracks);
|
||||
else
|
||||
Queue = new Queue<LavalinkTrack>(QueueLoopList);
|
||||
}
|
||||
|
||||
LastTrack = Queue.Dequeue();
|
||||
|
||||
return new MusicActionResponse(LastTrack);
|
||||
default:
|
||||
throw new NullReferenceException("LoopType was null");
|
||||
}
|
||||
}
|
||||
|
||||
public MusicActionResponse Rewind()
|
||||
{
|
||||
|
||||
if (!PlayedTracks.Any()) throw new InvalidOperationException("There are no songs that could be rewinded to yet.");
|
||||
|
||||
Queue = new Queue<LavalinkTrack>(Queue.Prepend(LastTrack));
|
||||
LastTrack = PlayedTracks.Dequeue();
|
||||
|
||||
return new MusicActionResponse(LastTrack);
|
||||
}
|
||||
|
||||
public Task ShuffleAsync()
|
||||
{
|
||||
if (Queue.Count == 0) throw new InvalidOperationException("Queue is Empty");
|
||||
|
||||
List<LavalinkTrack> tracks = new List<LavalinkTrack>(Queue);
|
||||
tracks.Shuffle();
|
||||
Queue = new Queue<LavalinkTrack>(tracks);
|
||||
return Task.CompletedTask;
|
||||
}
|
||||
|
||||
public async Task SetLoopAsync(LoopType type)
|
||||
{
|
||||
LoopType = type;
|
||||
|
||||
if (type == LoopType.QUEUE)
|
||||
{
|
||||
QueueLoopList = new List<LavalinkTrack>(Queue);
|
||||
QueueLoopList.Add(LastTrack);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
79
TomatenMusicCore/Music/TrackProvider.cs
Normal file
79
TomatenMusicCore/Music/TrackProvider.cs
Normal file
@@ -0,0 +1,79 @@
|
||||
using Lavalink4NET;
|
||||
using Lavalink4NET.Rest;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Linq;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
using TomatenMusic.Music.Entitites;
|
||||
using TomatenMusic.Services;
|
||||
|
||||
namespace TomatenMusic.Music
|
||||
{
|
||||
public class TrackProvider
|
||||
{
|
||||
public ISpotifyService _spotifyService { get; set; }
|
||||
public IAudioService _audioService { get; set; }
|
||||
|
||||
public TrackProvider(ISpotifyService spotify, IAudioService audioService)
|
||||
{
|
||||
_audioService = audioService;
|
||||
_spotifyService = spotify;
|
||||
}
|
||||
|
||||
public async Task<MusicActionResponse> SearchAsync(string query, bool withSearchResults = false)
|
||||
{
|
||||
|
||||
Uri uri;
|
||||
TrackLoadResponsePayload loadResult;
|
||||
bool isSearch = true;
|
||||
|
||||
if (query.StartsWith("https://open.spotify.com"))
|
||||
{
|
||||
return await _spotifyService.ConvertURL(query);
|
||||
}
|
||||
|
||||
if (Uri.TryCreate(query, UriKind.Absolute, out uri))
|
||||
{
|
||||
loadResult = await _audioService.LoadTracksAsync(uri.ToString());
|
||||
isSearch = false;
|
||||
}
|
||||
else
|
||||
loadResult = await _audioService.LoadTracksAsync(query, SearchMode.YouTube);
|
||||
|
||||
|
||||
if (loadResult.LoadType == TrackLoadType.LoadFailed) throw new ArgumentException("Track loading failed");
|
||||
|
||||
if (loadResult.LoadType == TrackLoadType.NoMatches) throw new FileNotFoundException("Query resulted in no Matches");
|
||||
|
||||
if (withSearchResults && loadResult.LoadType == TrackLoadType.SearchResult)
|
||||
{
|
||||
return new MusicActionResponse(tracks: await FullTrackContext.PopulateTracksAsync(loadResult.Tracks));
|
||||
}
|
||||
|
||||
if (loadResult.LoadType == TrackLoadType.PlaylistLoaded && !isSearch)
|
||||
return new MusicActionResponse(
|
||||
playlist: new YoutubePlaylist(loadResult.PlaylistInfo.Name, await FullTrackContext.PopulateTracksAsync(loadResult.Tracks), uri));
|
||||
else
|
||||
return new MusicActionResponse(await FullTrackContext.PopulateAsync(loadResult.Tracks.First()));
|
||||
|
||||
}
|
||||
|
||||
public async Task<MusicActionResponse> SearchAsync(Uri fileUri)
|
||||
{
|
||||
|
||||
var loadResult = await _audioService.GetTrackAsync(fileUri.ToString());
|
||||
loadResult.Context = new FullTrackContext
|
||||
{
|
||||
IsFile = true
|
||||
};
|
||||
|
||||
if (loadResult == null)
|
||||
throw new FileNotFoundException("The file was not found");
|
||||
|
||||
return new MusicActionResponse(loadResult);
|
||||
|
||||
}
|
||||
|
||||
}
|
||||
}
|
56
TomatenMusicCore/Prompt/Buttons/AddToQueueButton.cs
Normal file
56
TomatenMusicCore/Prompt/Buttons/AddToQueueButton.cs
Normal file
@@ -0,0 +1,56 @@
|
||||
using DSharpPlus.Entities;
|
||||
using Lavalink4NET;
|
||||
using Lavalink4NET.Player;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
using TomatenMusic.Music;
|
||||
using TomatenMusic.Music.Entitites;
|
||||
using Microsoft.Extensions.DependencyInjection;
|
||||
|
||||
namespace TomatenMusic.Prompt.Buttons
|
||||
{
|
||||
class AddToQueueButton : ButtonPromptOption
|
||||
{
|
||||
public List<LavalinkTrack> Tracks { get; set; }
|
||||
|
||||
public AddToQueueButton(List<LavalinkTrack> tracks, int row, DiscordMember requestMember)
|
||||
{
|
||||
Tracks = tracks;
|
||||
Emoji = new DiscordComponentEmoji("▶️");
|
||||
Row = row;
|
||||
Style = DSharpPlus.ButtonStyle.Primary;
|
||||
UpdateMethod = (prompt) =>
|
||||
{
|
||||
if (requestMember.VoiceState == null || requestMember.VoiceState.Channel == null)
|
||||
prompt.Disabled = true;
|
||||
|
||||
return Task.FromResult(prompt);
|
||||
};
|
||||
Run = async (args, sender, option) =>
|
||||
{
|
||||
IAudioService audioService = TomatenMusicBot.ServiceProvider.GetRequiredService<IAudioService>();
|
||||
GuildPlayer player;player = audioService.GetPlayer<GuildPlayer>(args.Guild.Id);
|
||||
|
||||
try
|
||||
{
|
||||
try
|
||||
{
|
||||
player = await audioService.JoinAsync<GuildPlayer>(args.Guild.Id, ((DiscordMember)args.User).VoiceState.Channel.Id, true);
|
||||
|
||||
}catch (Exception ex)
|
||||
{
|
||||
player = audioService.GetPlayer<GuildPlayer>(args.Guild.Id);
|
||||
}
|
||||
await player.PlayTracksAsync(Tracks);
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
|
||||
}
|
||||
};
|
||||
}
|
||||
}
|
||||
}
|
275
TomatenMusicCore/Prompt/Implementation/QueuePrompt.cs
Normal file
275
TomatenMusicCore/Prompt/Implementation/QueuePrompt.cs
Normal file
@@ -0,0 +1,275 @@
|
||||
using DSharpPlus.Entities;
|
||||
using Lavalink4NET.Player;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
using System.Timers;
|
||||
using TomatenMusic.Music;
|
||||
using TomatenMusic.Prompt.Model;
|
||||
using TomatenMusic.Prompt.Option;
|
||||
using TomatenMusic.Util;
|
||||
|
||||
namespace TomatenMusic.Prompt.Implementation
|
||||
{
|
||||
class QueuePrompt : ButtonPrompt
|
||||
{
|
||||
|
||||
public static void InvalidateFor(ulong guildId)
|
||||
{
|
||||
foreach (var prompt in ActivePrompts)
|
||||
{
|
||||
if (prompt.State != PromptState.OPEN)
|
||||
continue;
|
||||
if (!(prompt is QueuePrompt))
|
||||
continue;
|
||||
if (((QueuePrompt)prompt).Player.GuildId != guildId)
|
||||
continue;
|
||||
_ = prompt.InvalidateAsync();
|
||||
|
||||
}
|
||||
}
|
||||
public static void UpdateFor(ulong guildId)
|
||||
{
|
||||
_ = Task.Delay(600).ContinueWith(async (task) =>
|
||||
{
|
||||
foreach (var prompt in ActivePrompts)
|
||||
{
|
||||
if (prompt.State != PromptState.OPEN)
|
||||
continue;
|
||||
if (!(prompt is QueuePrompt))
|
||||
continue;
|
||||
if (((QueuePrompt)prompt).Player.GuildId != guildId)
|
||||
continue;
|
||||
_ = prompt.UpdateAsync();
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
public GuildPlayer Player { get; private set; }
|
||||
|
||||
public QueuePrompt(GuildPlayer player, DiscordPromptBase lastPrompt = null, List<DiscordEmbed> embeds = null) : base(lastPrompt, embeds: embeds)
|
||||
{
|
||||
Player = player;
|
||||
|
||||
AddOption(
|
||||
new ButtonPromptOption()
|
||||
{
|
||||
Emoji = new DiscordComponentEmoji("⏯️"),
|
||||
Row = 1,
|
||||
UpdateMethod = (option) =>
|
||||
{
|
||||
ButtonPromptOption button = (ButtonPromptOption)option;
|
||||
if (player.State == PlayerState.Paused)
|
||||
button.Style = DSharpPlus.ButtonStyle.Danger;
|
||||
else
|
||||
button.Style = DSharpPlus.ButtonStyle.Success;
|
||||
|
||||
return Task.FromResult((IPromptOption) button);
|
||||
},
|
||||
Run = async (args, sender, option) =>
|
||||
{
|
||||
if (!await Player.AreActionsAllowedAsync((DiscordMember)args.User))
|
||||
{
|
||||
_ = args.Interaction.EditOriginalResponseAsync(new DiscordWebhookBuilder().WithContent("Please connect to the bots Channel to use this Interaction"));
|
||||
return;
|
||||
}
|
||||
|
||||
await Player.TogglePauseAsync();
|
||||
}
|
||||
}
|
||||
);
|
||||
|
||||
AddOption(new ButtonPromptOption()
|
||||
{
|
||||
Emoji = new DiscordComponentEmoji("⏮️"),
|
||||
Row = 1,
|
||||
Style = DSharpPlus.ButtonStyle.Secondary,
|
||||
Run = async (args, sender, option) =>
|
||||
{
|
||||
if (!await Player.AreActionsAllowedAsync((DiscordMember)args.User))
|
||||
{
|
||||
_ = args.Interaction.EditOriginalResponseAsync(new DiscordWebhookBuilder().WithContent("Please connect to the bots Channel to use this Interaction"));
|
||||
return;
|
||||
}
|
||||
try
|
||||
{
|
||||
await Player.RewindAsync();
|
||||
}catch (Exception ex)
|
||||
{
|
||||
|
||||
}
|
||||
}
|
||||
}
|
||||
);
|
||||
AddOption(new ButtonPromptOption()
|
||||
{
|
||||
Emoji = new DiscordComponentEmoji("⏹️"),
|
||||
Row = 1,
|
||||
Style = DSharpPlus.ButtonStyle.Secondary,
|
||||
Run = async (args, sender, option) =>
|
||||
{
|
||||
if (!await Player.AreActionsAllowedAsync((DiscordMember)args.User))
|
||||
{
|
||||
_ = args.Interaction.EditOriginalResponseAsync(new DiscordWebhookBuilder().WithContent("Please connect to the bots Channel to use this Interaction"));
|
||||
return;
|
||||
}
|
||||
|
||||
await Player.DisconnectAsync();
|
||||
}
|
||||
});
|
||||
AddOption(new ButtonPromptOption()
|
||||
{
|
||||
Emoji = new DiscordComponentEmoji("⏭️"),
|
||||
Row = 1,
|
||||
Style = DSharpPlus.ButtonStyle.Secondary,
|
||||
Run = async (args, sender, option) =>
|
||||
{
|
||||
if (!await Player.AreActionsAllowedAsync((DiscordMember)args.User))
|
||||
{
|
||||
_ = args.Interaction.EditOriginalResponseAsync(new DiscordWebhookBuilder().WithContent("Please connect to the bots Channel to use this Interaction"));
|
||||
return;
|
||||
}
|
||||
|
||||
await Player.SkipAsync();
|
||||
|
||||
System.Timers.Timer timer = new System.Timers.Timer(800);
|
||||
timer.Elapsed += (s, args) =>
|
||||
{
|
||||
_ = UpdateAsync();
|
||||
timer.Stop();
|
||||
};
|
||||
timer.Start();
|
||||
}
|
||||
}
|
||||
);
|
||||
|
||||
|
||||
AddOption(
|
||||
new ButtonPromptOption()
|
||||
{
|
||||
Row = 1,
|
||||
UpdateMethod = (option) =>
|
||||
{
|
||||
ButtonPromptOption button = (ButtonPromptOption)option;
|
||||
|
||||
if (player.PlayerQueue.LoopType == LoopType.TRACK)
|
||||
{
|
||||
button.Style = DSharpPlus.ButtonStyle.Success;
|
||||
button.Emoji = new DiscordComponentEmoji("🔂");
|
||||
}
|
||||
else if (player.PlayerQueue.LoopType == LoopType.QUEUE)
|
||||
{
|
||||
button.Style = DSharpPlus.ButtonStyle.Success;
|
||||
button.Emoji = new DiscordComponentEmoji("🔁");
|
||||
}
|
||||
else
|
||||
{
|
||||
button.Style = DSharpPlus.ButtonStyle.Danger;
|
||||
button.Emoji = null;
|
||||
button.Content = "Loop";
|
||||
}
|
||||
|
||||
|
||||
return Task.FromResult((IPromptOption)button);
|
||||
},
|
||||
Run = async (args, sender, option) =>
|
||||
{
|
||||
if (!await Player.AreActionsAllowedAsync((DiscordMember)args.User))
|
||||
{
|
||||
_ = args.Interaction.EditOriginalResponseAsync(new DiscordWebhookBuilder().WithContent("Please connect to the bots Channel to use this Interaction"));
|
||||
return;
|
||||
}
|
||||
|
||||
switch (player.PlayerQueue.LoopType)
|
||||
{
|
||||
case LoopType.NONE:
|
||||
_ = Player.SetLoopAsync(LoopType.QUEUE);
|
||||
break;
|
||||
case LoopType.QUEUE:
|
||||
_ = Player.SetLoopAsync(LoopType.TRACK);
|
||||
break;
|
||||
case LoopType.TRACK:
|
||||
_ = Player.SetLoopAsync(LoopType.NONE);
|
||||
break;
|
||||
}
|
||||
}
|
||||
}
|
||||
);
|
||||
|
||||
AddOption(new ButtonPromptOption()
|
||||
{
|
||||
Emoji = new DiscordComponentEmoji("🔀"),
|
||||
Row = 2,
|
||||
Style = DSharpPlus.ButtonStyle.Secondary,
|
||||
Run = async (args, sender, option) =>
|
||||
{
|
||||
if (!await Player.AreActionsAllowedAsync((DiscordMember)args.User))
|
||||
{
|
||||
_ = args.Interaction.EditOriginalResponseAsync(new DiscordWebhookBuilder().WithContent("Please connect to the bots Channel to use this Interaction"));
|
||||
return;
|
||||
}
|
||||
|
||||
await Player.ShuffleAsync();
|
||||
|
||||
}
|
||||
});
|
||||
|
||||
AddOption(new ButtonPromptOption()
|
||||
{
|
||||
Emoji = new DiscordComponentEmoji("🚫"),
|
||||
Row = 2,
|
||||
Style = DSharpPlus.ButtonStyle.Secondary,
|
||||
Run = async (args, sender, option) =>
|
||||
{
|
||||
if (!await Player.AreActionsAllowedAsync((DiscordMember)args.User))
|
||||
{
|
||||
_ = args.Interaction.EditOriginalResponseAsync(new DiscordWebhookBuilder().WithContent("Please connect to the bots Channel to use this Interaction"));
|
||||
return;
|
||||
}
|
||||
|
||||
Player.PlayerQueue.Queue.Clear();
|
||||
|
||||
_ = UpdateAsync();
|
||||
}
|
||||
});
|
||||
|
||||
AddOption(
|
||||
new ButtonPromptOption()
|
||||
{
|
||||
Emoji = new DiscordComponentEmoji("➡️"),
|
||||
Content = "AutoPlay",
|
||||
Row = 2,
|
||||
UpdateMethod = (option) =>
|
||||
{
|
||||
ButtonPromptOption button = (ButtonPromptOption)option;
|
||||
if (player.Autoplay)
|
||||
button.Style = DSharpPlus.ButtonStyle.Success;
|
||||
else
|
||||
button.Style = DSharpPlus.ButtonStyle.Danger;
|
||||
|
||||
return Task.FromResult((IPromptOption)button);
|
||||
},
|
||||
Run = async (args, sender, option) =>
|
||||
{
|
||||
if (!await Player.AreActionsAllowedAsync((DiscordMember)args.User))
|
||||
{
|
||||
_ = args.Interaction.EditOriginalResponseAsync(new DiscordWebhookBuilder().WithContent("Please connect to the bots Channel to use this Interaction"));
|
||||
return;
|
||||
}
|
||||
|
||||
Player.Autoplay = !Player.Autoplay;
|
||||
|
||||
_ = UpdateAsync();
|
||||
}
|
||||
}
|
||||
);
|
||||
}
|
||||
|
||||
protected async override Task<DiscordMessageBuilder> GetMessageAsync()
|
||||
{
|
||||
return new DiscordMessageBuilder().AddEmbed(Common.GetQueueEmbed(Player)).AddEmbed(await Common.CurrentSongEmbedAsync(Player)).AddEmbeds(Embeds);
|
||||
}
|
||||
}
|
||||
}
|
29
TomatenMusicCore/Prompt/Implementation/SongActionPrompt.cs
Normal file
29
TomatenMusicCore/Prompt/Implementation/SongActionPrompt.cs
Normal file
@@ -0,0 +1,29 @@
|
||||
using DSharpPlus.Entities;
|
||||
using Lavalink4NET.Player;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
using TomatenMusic.Music.Entitites;
|
||||
using TomatenMusic.Prompt.Buttons;
|
||||
using TomatenMusic.Prompt.Model;
|
||||
|
||||
namespace TomatenMusic.Prompt.Implementation
|
||||
{
|
||||
class SongActionPrompt : ButtonPrompt
|
||||
{
|
||||
public LavalinkTrack Track { get; set; }
|
||||
public SongActionPrompt(LavalinkTrack track, DiscordMember requestMember, List<DiscordEmbed> embeds = null)
|
||||
{
|
||||
Embeds = embeds;
|
||||
Track = track;
|
||||
|
||||
AddOption(new AddToQueueButton(new List<LavalinkTrack>() { track }, 1, requestMember));
|
||||
}
|
||||
|
||||
protected async override Task<DiscordMessageBuilder> GetMessageAsync()
|
||||
{
|
||||
return new DiscordMessageBuilder().AddEmbeds(Embeds);
|
||||
}
|
||||
}
|
||||
}
|
@@ -0,0 +1,40 @@
|
||||
using DSharpPlus.Entities;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
using TomatenMusic.Music.Entitites;
|
||||
using TomatenMusic.Prompt.Model;
|
||||
using System.Linq;
|
||||
using TomatenMusic.Util;
|
||||
using TomatenMusic.Music;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using TomatenMusic.Prompt.Buttons;
|
||||
using Lavalink4NET.Player;
|
||||
|
||||
namespace TomatenMusic.Prompt.Implementation
|
||||
{
|
||||
class SongListActionPrompt : ButtonPrompt
|
||||
{
|
||||
//TODO
|
||||
public List<LavalinkTrack> Tracks { get; private set; }
|
||||
|
||||
public SongListActionPrompt(List<LavalinkTrack> tracks, DiscordMember requestMember, DiscordPromptBase lastPrompt = null) : base(lastPrompt)
|
||||
{
|
||||
Tracks = tracks;
|
||||
|
||||
AddOption(new AddToQueueButton(tracks, 1, requestMember));
|
||||
}
|
||||
|
||||
protected override Task<DiscordMessageBuilder> GetMessageAsync()
|
||||
{
|
||||
|
||||
DiscordEmbedBuilder builder = new DiscordEmbedBuilder()
|
||||
.WithTitle("What do you want to do with these Tracks?");
|
||||
|
||||
builder.WithDescription(Common.TrackListString(Tracks));
|
||||
|
||||
return Task.FromResult(new DiscordMessageBuilder().WithEmbed(builder.Build()));
|
||||
}
|
||||
}
|
||||
}
|
100
TomatenMusicCore/Prompt/Implementation/SongSelectorPrompt.cs
Normal file
100
TomatenMusicCore/Prompt/Implementation/SongSelectorPrompt.cs
Normal file
@@ -0,0 +1,100 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using TomatenMusic.Prompt.Model;
|
||||
using DSharpPlus;
|
||||
using System.Threading.Tasks;
|
||||
using DSharpPlus.EventArgs;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using DSharpPlus.Entities;
|
||||
using TomatenMusic.Util;
|
||||
using TomatenMusic.Music.Entitites;
|
||||
using TomatenMusic.Music;
|
||||
using System.Linq;
|
||||
using Lavalink4NET.Player;
|
||||
|
||||
namespace TomatenMusic.Prompt.Implementation
|
||||
{
|
||||
sealed class SongSelectorPrompt : PaginatedSelectPrompt<LavalinkTrack>
|
||||
{
|
||||
public bool IsConfirmed { get; set; }
|
||||
public Func<List<LavalinkTrack>, Task> ConfirmCallback { get; set; } = (tracks) =>
|
||||
{
|
||||
return Task.CompletedTask;
|
||||
};
|
||||
|
||||
public IEnumerable<LavalinkTrack> Tracks { get; private set; }
|
||||
|
||||
public SongSelectorPrompt(string title, IEnumerable<LavalinkTrack> tracks, DiscordPromptBase lastPrompt = null, List<DiscordEmbed> embeds = null) : base(title, tracks.ToList(), lastPrompt, embeds)
|
||||
{
|
||||
Title = title;
|
||||
Tracks = tracks;
|
||||
AddOption(new ButtonPromptOption
|
||||
{
|
||||
Emoji = new DiscordComponentEmoji("✔️"),
|
||||
Row = 3,
|
||||
Style = ButtonStyle.Success,
|
||||
Run = async (args, client, option) =>
|
||||
{
|
||||
if (SelectedItems.Count == 0)
|
||||
{
|
||||
await args.Interaction.CreateFollowupMessageAsync(new DiscordFollowupMessageBuilder().WithContent("Please Select a Song!").AsEphemeral(true));
|
||||
return;
|
||||
}
|
||||
IsConfirmed = true;
|
||||
_ = ConfirmCallback.Invoke(SelectedItems);
|
||||
}
|
||||
});
|
||||
}
|
||||
public override Task<PaginatedSelectMenuOption<LavalinkTrack>> ConvertToOption(LavalinkTrack item)
|
||||
{
|
||||
return Task.FromResult<PaginatedSelectMenuOption<LavalinkTrack>>(new PaginatedSelectMenuOption<LavalinkTrack>
|
||||
{
|
||||
Label = item.Title,
|
||||
Description = item.Author
|
||||
});
|
||||
|
||||
}
|
||||
|
||||
public override Task OnSelect(LavalinkTrack item, ComponentInteractionCreateEventArgs args, DiscordClient sender)
|
||||
{
|
||||
_logger.LogDebug($"Added {item.Title}, {SelectedItems}");
|
||||
return Task.CompletedTask;
|
||||
}
|
||||
|
||||
public override Task OnUnselect(LavalinkTrack item, ComponentInteractionCreateEventArgs args, DiscordClient sender)
|
||||
{
|
||||
_logger.LogDebug($"Removed {item.Title}");
|
||||
return Task.CompletedTask;
|
||||
|
||||
}
|
||||
|
||||
public async Task<List<LavalinkTrack>> AwaitSelectionAsync()
|
||||
{
|
||||
return await Task.Run(() =>
|
||||
{
|
||||
while (!IsConfirmed)
|
||||
{
|
||||
if (State == PromptState.INVALID)
|
||||
throw new InvalidOperationException("Prompt has been Invalidated");
|
||||
}
|
||||
IsConfirmed = false;
|
||||
return SelectedItems;
|
||||
});
|
||||
}
|
||||
|
||||
protected override DiscordMessageBuilder PopulateMessage(DiscordEmbedBuilder builder)
|
||||
{
|
||||
|
||||
builder.WithTitle(Title);
|
||||
builder.WithDescription(Common.TrackListString(PageManager.GetPage(CurrentPage)));
|
||||
List<DiscordEmbed> embeds = new List<DiscordEmbed>();
|
||||
embeds.Add(builder.Build());
|
||||
|
||||
if (Embeds != null)
|
||||
embeds.AddRange(Embeds);
|
||||
|
||||
return new DiscordMessageBuilder().AddEmbeds(embeds);
|
||||
}
|
||||
}
|
||||
}
|
@@ -0,0 +1,45 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using TomatenMusic.Prompt.Model;
|
||||
using DSharpPlus;
|
||||
using System.Threading.Tasks;
|
||||
using DSharpPlus.EventArgs;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using DSharpPlus.Entities;
|
||||
|
||||
namespace TomatenMusic.Prompt.Implementation
|
||||
{
|
||||
class StringSelectorPrompt : PaginatedSelectPrompt<string>
|
||||
{
|
||||
public StringSelectorPrompt(string title, List<string> strings, DiscordPromptBase lastPrompt = null) : base(title, strings, lastPrompt)
|
||||
{
|
||||
}
|
||||
public async override Task<PaginatedSelectMenuOption<string>> ConvertToOption(string item)
|
||||
{
|
||||
return new PaginatedSelectMenuOption<string>
|
||||
{
|
||||
Label = item
|
||||
};
|
||||
}
|
||||
|
||||
public async override Task OnSelect(string item, ComponentInteractionCreateEventArgs args, DiscordClient sender)
|
||||
{
|
||||
}
|
||||
|
||||
public async override Task OnUnselect(string item, ComponentInteractionCreateEventArgs args, DiscordClient sender)
|
||||
{
|
||||
|
||||
}
|
||||
|
||||
protected override DiscordMessageBuilder PopulateMessage(DiscordEmbedBuilder builder)
|
||||
{
|
||||
foreach (var item in PageManager.GetPage(CurrentPage))
|
||||
{
|
||||
builder.AddField(item, item);
|
||||
}
|
||||
|
||||
return new DiscordMessageBuilder().WithEmbed(builder);
|
||||
}
|
||||
}
|
||||
}
|
41
TomatenMusicCore/Prompt/Model/ButtonPrompt.cs
Normal file
41
TomatenMusicCore/Prompt/Model/ButtonPrompt.cs
Normal file
@@ -0,0 +1,41 @@
|
||||
using DSharpPlus.Entities;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using TomatenMusic.Prompt.Option;
|
||||
using System.Linq;
|
||||
using System.Threading.Tasks;
|
||||
|
||||
namespace TomatenMusic.Prompt.Model
|
||||
{
|
||||
class ButtonPrompt : DiscordPromptBase
|
||||
{
|
||||
public string Content { get; protected set; } = "";
|
||||
public List<DiscordEmbed> Embeds { get; protected set; } = new List<DiscordEmbed>();
|
||||
|
||||
public ButtonPrompt(DiscordPromptBase lastPrompt = null, string content = " ", List<DiscordEmbed> embeds = null) : base(lastPrompt)
|
||||
{
|
||||
this.Content = content;
|
||||
this.Embeds = embeds == null ? new List<DiscordEmbed>() : embeds;
|
||||
}
|
||||
|
||||
protected override Task<DiscordComponent> GetComponentAsync(IPromptOption option)
|
||||
{
|
||||
var myOption = (ButtonPromptOption)option;
|
||||
DiscordComponent component;
|
||||
|
||||
if (myOption.Link != null)
|
||||
component = new DiscordLinkButtonComponent(myOption.Link, myOption.Content, myOption.Disabled, myOption.Emoji);
|
||||
else
|
||||
component = new DiscordButtonComponent(myOption.Style, myOption.CustomID, myOption.Content, myOption.Disabled, myOption.Emoji);
|
||||
return Task.FromResult<DiscordComponent>(component);
|
||||
}
|
||||
|
||||
protected override Task<DiscordMessageBuilder> GetMessageAsync()
|
||||
{
|
||||
return Task.FromResult<DiscordMessageBuilder>(new DiscordMessageBuilder()
|
||||
.WithContent(Content)
|
||||
.AddEmbeds(Embeds));
|
||||
}
|
||||
}
|
||||
}
|
62
TomatenMusicCore/Prompt/Model/CombinedPrompt.cs
Normal file
62
TomatenMusicCore/Prompt/Model/CombinedPrompt.cs
Normal file
@@ -0,0 +1,62 @@
|
||||
using DSharpPlus.Entities;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using TomatenMusic.Prompt.Option;
|
||||
using System.Linq;
|
||||
using System.Threading.Tasks;
|
||||
using TomatenMusic.Util;
|
||||
using Microsoft.Extensions.Logging;
|
||||
|
||||
|
||||
namespace TomatenMusic.Prompt.Model
|
||||
{
|
||||
class CombinedPrompt : DiscordPromptBase
|
||||
{
|
||||
public string Content { get; protected set; } = "";
|
||||
public List<DiscordEmbed> Embeds { get; protected set; } = new List<DiscordEmbed>();
|
||||
|
||||
public CombinedPrompt(DiscordPromptBase lastPrompt = null, string content = "Example Content", List<DiscordEmbed> embeds = null) : base(lastPrompt)
|
||||
{
|
||||
this.LastPrompt = lastPrompt;
|
||||
|
||||
this.Content = content;
|
||||
this.Embeds = embeds == null ? new List<DiscordEmbed>() : embeds;
|
||||
}
|
||||
|
||||
protected async override Task<DiscordComponent> GetComponentAsync(IPromptOption option)
|
||||
{
|
||||
if (option is SelectMenuPromptOption)
|
||||
{
|
||||
SelectMenuPromptOption selectOption = (SelectMenuPromptOption)option;
|
||||
List<DiscordSelectComponentOption> options = new List<DiscordSelectComponentOption>();
|
||||
foreach (var item in selectOption.Options)
|
||||
{
|
||||
options.Add(new DiscordSelectComponentOption(item.Label, item.CustomID, item.Description, item.Default, item.Emoji));
|
||||
}
|
||||
|
||||
return new DiscordSelectComponent(selectOption.CustomID, selectOption.Content, options, selectOption.Disabled, selectOption.MinValues, selectOption.MaxValues);
|
||||
}
|
||||
else
|
||||
{
|
||||
var myOption = (ButtonPromptOption)option;
|
||||
DiscordComponent component;
|
||||
|
||||
if (myOption.Link != null)
|
||||
component = new DiscordLinkButtonComponent(myOption.Link, myOption.Content, myOption.Disabled, myOption.Emoji);
|
||||
else
|
||||
component = new DiscordButtonComponent(myOption.Style, myOption.CustomID, myOption.Content, myOption.Disabled, myOption.Emoji);
|
||||
return component;
|
||||
}
|
||||
|
||||
|
||||
}
|
||||
|
||||
protected async override Task<DiscordMessageBuilder> GetMessageAsync()
|
||||
{
|
||||
return new DiscordMessageBuilder()
|
||||
.WithContent(Content)
|
||||
.AddEmbeds(Embeds);
|
||||
}
|
||||
}
|
||||
}
|
471
TomatenMusicCore/Prompt/Model/DiscordPromptBase.cs
Normal file
471
TomatenMusicCore/Prompt/Model/DiscordPromptBase.cs
Normal file
@@ -0,0 +1,471 @@
|
||||
using DSharpPlus.Entities;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
using System.Linq;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using TomatenMusic.Prompt.Option;
|
||||
using TomatenMusic.Util;
|
||||
using DSharpPlus.Exceptions;
|
||||
using Microsoft.Extensions.DependencyInjection;
|
||||
using DSharpPlus;
|
||||
|
||||
namespace TomatenMusic.Prompt.Model
|
||||
{
|
||||
abstract class DiscordPromptBase
|
||||
{
|
||||
public static List<DiscordPromptBase> ActivePrompts { get; } = new List<DiscordPromptBase>();
|
||||
|
||||
public PromptState State { get; protected set; }
|
||||
public DiscordMessage Message { get; private set; }
|
||||
public DiscordInteraction Interaction { get; private set; }
|
||||
public List<IPromptOption> Options { get; protected set; } = new List<IPromptOption>();
|
||||
public DiscordClient _client { get; set; }
|
||||
public DiscordPromptBase LastPrompt { get; protected set; }
|
||||
|
||||
protected ILogger<DiscordPromptBase> _logger { get; set; }
|
||||
|
||||
protected EventId eventId = new EventId(16, "Prompts");
|
||||
|
||||
protected DiscordPromptBase(DiscordPromptBase lastPrompt)
|
||||
{
|
||||
LastPrompt = lastPrompt;
|
||||
Options = new List<IPromptOption>();
|
||||
IServiceProvider serviceProvider = TomatenMusicBot.ServiceProvider;
|
||||
|
||||
_logger = serviceProvider.GetRequiredService<ILogger<DiscordPromptBase>>();
|
||||
|
||||
|
||||
if (lastPrompt != null)
|
||||
{
|
||||
Options.Add(new ButtonPromptOption
|
||||
{
|
||||
Style = DSharpPlus.ButtonStyle.Danger,
|
||||
Row = 5,
|
||||
Emoji = new DiscordComponentEmoji("↩️"),
|
||||
Run = async (args, sender, option) =>
|
||||
{
|
||||
_ = BackAsync();
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
Options.Add(new ButtonPromptOption
|
||||
{
|
||||
Style = DSharpPlus.ButtonStyle.Danger,
|
||||
Row = 5,
|
||||
Emoji = new DiscordComponentEmoji("❌"),
|
||||
Run = async (args, sender, option) =>
|
||||
{
|
||||
_ = InvalidateAsync();
|
||||
}
|
||||
});
|
||||
|
||||
}
|
||||
|
||||
public async Task InvalidateAsync(bool withEdit = true, bool destroyHistory = false)
|
||||
{
|
||||
foreach (var option in Options)
|
||||
option.UpdateMethod = (prompt) =>
|
||||
{
|
||||
prompt.Disabled = true;
|
||||
return Task.FromResult<IPromptOption>(prompt);
|
||||
};
|
||||
|
||||
if (withEdit)
|
||||
await EditMessageAsync(new DiscordWebhookBuilder().WithContent("This Prompt is invalid!"));
|
||||
ActivePrompts.Remove(this);
|
||||
if (destroyHistory)
|
||||
{
|
||||
if (LastPrompt != null)
|
||||
await LastPrompt.InvalidateAsync(false);
|
||||
await EditMessageAsync(new DiscordWebhookBuilder().WithContent("This Prompt is invalid!"));
|
||||
}
|
||||
|
||||
if (State == PromptState.INVALID)
|
||||
return;
|
||||
State = PromptState.INVALID;
|
||||
|
||||
|
||||
_client.ComponentInteractionCreated -= Discord_ComponentInteractionCreated;
|
||||
|
||||
}
|
||||
|
||||
public async Task SendAsync(DiscordChannel channel)
|
||||
{
|
||||
if (State == PromptState.INVALID)
|
||||
return;
|
||||
|
||||
IServiceProvider serviceProvider = TomatenMusicBot.ServiceProvider;
|
||||
var client = serviceProvider.GetRequiredService<DiscordShardedClient>();
|
||||
_client = client.GetShard( (ulong) channel.GuildId);
|
||||
|
||||
_client.ComponentInteractionCreated += Discord_ComponentInteractionCreated;
|
||||
ActivePrompts.Add(this);
|
||||
AddGuids();
|
||||
DiscordMessageBuilder builder = await GetMessageAsync();
|
||||
builder = await AddComponentsAsync(builder);
|
||||
|
||||
|
||||
Message = await builder.SendAsync(channel);
|
||||
State = PromptState.OPEN;
|
||||
}
|
||||
|
||||
public async Task SendAsync(DiscordInteraction interaction, bool ephemeral = false)
|
||||
{
|
||||
if (State == PromptState.INVALID)
|
||||
return;
|
||||
|
||||
IServiceProvider serviceProvider = TomatenMusicBot.ServiceProvider;
|
||||
var client = serviceProvider.GetRequiredService<DiscordShardedClient>();
|
||||
_client = client.GetShard((ulong)interaction.GuildId);
|
||||
|
||||
_client.ComponentInteractionCreated += Discord_ComponentInteractionCreated;
|
||||
ActivePrompts.Add(this);
|
||||
|
||||
AddGuids();
|
||||
DiscordFollowupMessageBuilder builder = await GetFollowupMessageAsync();
|
||||
builder = await AddComponentsAsync(builder);
|
||||
builder.AsEphemeral(ephemeral);
|
||||
|
||||
Interaction = interaction;
|
||||
Message = await interaction.CreateFollowupMessageAsync(builder);
|
||||
State = PromptState.OPEN;
|
||||
}
|
||||
|
||||
public async Task UseAsync(DiscordMessage message)
|
||||
{
|
||||
if (State == PromptState.INVALID)
|
||||
return;
|
||||
|
||||
IServiceProvider serviceProvider = TomatenMusicBot.ServiceProvider;
|
||||
var client = serviceProvider.GetRequiredService<DiscordShardedClient>();
|
||||
_client = client.GetShard((ulong)message.Channel.GuildId);
|
||||
|
||||
_client.ComponentInteractionCreated += Discord_ComponentInteractionCreated;
|
||||
ActivePrompts.Add(this);
|
||||
|
||||
AddGuids();
|
||||
DiscordWebhookBuilder builder = await GetWebhookMessageAsync();
|
||||
|
||||
await EditMessageAsync(builder);
|
||||
State = PromptState.OPEN;
|
||||
|
||||
}
|
||||
|
||||
public async Task UseAsync(DiscordInteraction interaction, DiscordMessage message)
|
||||
{
|
||||
if (State == PromptState.INVALID)
|
||||
return;
|
||||
|
||||
IServiceProvider serviceProvider = TomatenMusicBot.ServiceProvider;
|
||||
var client = serviceProvider.GetRequiredService<DiscordShardedClient>();
|
||||
_client = client.GetShard((ulong)interaction.GuildId);
|
||||
|
||||
_client.ComponentInteractionCreated += Discord_ComponentInteractionCreated;
|
||||
ActivePrompts.Add(this);
|
||||
AddGuids();
|
||||
DiscordWebhookBuilder builder = await GetWebhookMessageAsync();
|
||||
Interaction = interaction;
|
||||
Message = message;
|
||||
await EditMessageAsync(builder);
|
||||
State = PromptState.OPEN;
|
||||
}
|
||||
|
||||
private void AddGuids()
|
||||
{
|
||||
foreach (var item in Options)
|
||||
{
|
||||
item.CustomID = RandomUtil.GenerateGuid();
|
||||
if (item is SelectMenuPromptOption)
|
||||
{
|
||||
SelectMenuPromptOption menuItem = (SelectMenuPromptOption)item;
|
||||
foreach (var option in menuItem.Options)
|
||||
{
|
||||
option.CustomID = RandomUtil.GenerateGuid();
|
||||
}
|
||||
}
|
||||
|
||||
}
|
||||
//this.Options = options;
|
||||
}
|
||||
|
||||
protected abstract Task<DiscordComponent> GetComponentAsync(IPromptOption option);
|
||||
|
||||
protected abstract Task<DiscordMessageBuilder> GetMessageAsync();
|
||||
|
||||
private async Task<DiscordFollowupMessageBuilder> GetFollowupMessageAsync()
|
||||
{
|
||||
DiscordMessageBuilder oldBuilder = await GetMessageAsync();
|
||||
|
||||
return new DiscordFollowupMessageBuilder()
|
||||
.WithContent(oldBuilder.Content)
|
||||
.AddEmbeds(oldBuilder.Embeds);
|
||||
|
||||
}
|
||||
private async Task<DiscordWebhookBuilder> GetWebhookMessageAsync()
|
||||
{
|
||||
DiscordMessageBuilder oldBuilder = await GetMessageAsync();
|
||||
|
||||
return new DiscordWebhookBuilder()
|
||||
.WithContent(oldBuilder.Content)
|
||||
.AddEmbeds(oldBuilder.Embeds);
|
||||
|
||||
}
|
||||
|
||||
public async Task UpdateAsync()
|
||||
{
|
||||
if (State == PromptState.INVALID)
|
||||
return;
|
||||
await EditMessageAsync(await GetWebhookMessageAsync());
|
||||
|
||||
}
|
||||
|
||||
private async Task UpdateOptionsAsync()
|
||||
{
|
||||
List<IPromptOption> options = new List<IPromptOption>();
|
||||
foreach (var option in this.Options)
|
||||
options.Add(await option.UpdateMethod.Invoke(option));
|
||||
this.Options = options;
|
||||
}
|
||||
|
||||
protected async Task Discord_ComponentInteractionCreated(DSharpPlus.DiscordClient sender, DSharpPlus.EventArgs.ComponentInteractionCreateEventArgs e)
|
||||
{
|
||||
if (State == PromptState.INVALID)
|
||||
return;
|
||||
|
||||
foreach (var option in Options)
|
||||
{
|
||||
if (option.CustomID == e.Id)
|
||||
{
|
||||
|
||||
await e.Interaction.CreateResponseAsync(DSharpPlus.InteractionResponseType.DeferredMessageUpdate);
|
||||
_ = option.Run.Invoke(e, sender, option);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public async Task EditMessageAsync(DiscordWebhookBuilder builder)
|
||||
{
|
||||
try
|
||||
{
|
||||
if (Interaction != null)
|
||||
{
|
||||
await AddComponentsAsync(builder);
|
||||
try
|
||||
{
|
||||
Message = await Interaction.EditFollowupMessageAsync(Message.Id, builder);
|
||||
}catch (Exception e)
|
||||
{
|
||||
Message = await Interaction.EditOriginalResponseAsync(builder);
|
||||
}
|
||||
|
||||
}
|
||||
else
|
||||
{
|
||||
DiscordMessageBuilder msgbuilder = new DiscordMessageBuilder()
|
||||
.AddEmbeds(builder.Embeds)
|
||||
.WithContent(builder.Content);
|
||||
await AddComponentsAsync(msgbuilder);
|
||||
Message = await Message.ModifyAsync(msgbuilder);
|
||||
}
|
||||
}catch (BadRequestException e)
|
||||
{
|
||||
_logger.LogError(e.Errors);
|
||||
}
|
||||
|
||||
}
|
||||
|
||||
protected async Task<DiscordMessageBuilder> AddComponentsAsync(DiscordMessageBuilder builder)
|
||||
{
|
||||
await UpdateOptionsAsync();
|
||||
builder.ClearComponents();
|
||||
|
||||
List<DiscordComponent> row1 = new List<DiscordComponent>(5);
|
||||
List<DiscordComponent> row2 = new List<DiscordComponent>(5);
|
||||
List<DiscordComponent> row3 = new List<DiscordComponent>(5);
|
||||
List<DiscordComponent> row4 = new List<DiscordComponent>(5);
|
||||
List<DiscordComponent> row5 = new List<DiscordComponent>(5);
|
||||
|
||||
foreach (var option in Options)
|
||||
{
|
||||
switch (option.Row)
|
||||
{
|
||||
case 1:
|
||||
row1.Add(await GetComponentAsync(option));
|
||||
break;
|
||||
case 2:
|
||||
row2.Add(await GetComponentAsync(option));
|
||||
break;
|
||||
case 3:
|
||||
row3.Add(await GetComponentAsync(option));
|
||||
break;
|
||||
case 4:
|
||||
row4.Add(await GetComponentAsync(option));
|
||||
break;
|
||||
case 5:
|
||||
row5.Add(await GetComponentAsync(option));
|
||||
break;
|
||||
default:
|
||||
throw new ArgumentException("Invalid Row! Must be between 1 and 5", "Row");
|
||||
}
|
||||
}
|
||||
if (row1.Count != 0)
|
||||
{
|
||||
builder.AddComponents(row1);
|
||||
}
|
||||
if (row2.Count != 0)
|
||||
{
|
||||
builder.AddComponents(row2);
|
||||
}
|
||||
if (row3.Count != 0)
|
||||
{
|
||||
builder.AddComponents(row3);
|
||||
}
|
||||
if (row4.Count != 0)
|
||||
{
|
||||
builder.AddComponents(row4);
|
||||
}
|
||||
if (row5.Count != 0)
|
||||
{
|
||||
builder.AddComponents(row5);
|
||||
}
|
||||
return builder;
|
||||
}
|
||||
|
||||
protected async Task<DiscordFollowupMessageBuilder> AddComponentsAsync(DiscordFollowupMessageBuilder builder)
|
||||
{
|
||||
await UpdateOptionsAsync();
|
||||
builder.ClearComponents();
|
||||
|
||||
List<DiscordComponent> row1 = new List<DiscordComponent>(5);
|
||||
List<DiscordComponent> row2 = new List<DiscordComponent>(5);
|
||||
List<DiscordComponent> row3 = new List<DiscordComponent>(5);
|
||||
List<DiscordComponent> row4 = new List<DiscordComponent>(5);
|
||||
List<DiscordComponent> row5 = new List<DiscordComponent>(5);
|
||||
|
||||
foreach (var option in Options)
|
||||
{
|
||||
switch (option.Row)
|
||||
{
|
||||
case 1:
|
||||
row1.Add(await GetComponentAsync(option));
|
||||
break;
|
||||
case 2:
|
||||
row2.Add(await GetComponentAsync(option));
|
||||
break;
|
||||
case 3:
|
||||
row3.Add(await GetComponentAsync(option));
|
||||
break;
|
||||
case 4:
|
||||
row4.Add(await GetComponentAsync(option));
|
||||
break;
|
||||
case 5:
|
||||
row5.Add(await GetComponentAsync(option));
|
||||
break;
|
||||
default:
|
||||
throw new ArgumentException("Invalid Row! Must be between 1 and 5", "Row");
|
||||
}
|
||||
}
|
||||
if (row1.Count != 0)
|
||||
{
|
||||
builder.AddComponents(row1);
|
||||
}
|
||||
if (row2.Count != 0)
|
||||
{
|
||||
builder.AddComponents(row2);
|
||||
}
|
||||
if (row3.Count != 0)
|
||||
{
|
||||
builder.AddComponents(row3);
|
||||
}
|
||||
if (row4.Count != 0)
|
||||
{
|
||||
builder.AddComponents(row4);
|
||||
}
|
||||
if (row5.Count != 0)
|
||||
{
|
||||
builder.AddComponents(row5);
|
||||
}
|
||||
return builder;
|
||||
}
|
||||
|
||||
protected async Task<DiscordWebhookBuilder> AddComponentsAsync(DiscordWebhookBuilder builder)
|
||||
{
|
||||
await UpdateOptionsAsync();
|
||||
builder.ClearComponents();
|
||||
|
||||
List<DiscordComponent> row1 = new List<DiscordComponent>(5);
|
||||
List<DiscordComponent> row2 = new List<DiscordComponent>(5);
|
||||
List<DiscordComponent> row3 = new List<DiscordComponent>(5);
|
||||
List<DiscordComponent> row4 = new List<DiscordComponent>(5);
|
||||
List<DiscordComponent> row5 = new List<DiscordComponent>(5);
|
||||
|
||||
foreach (var option in Options)
|
||||
{
|
||||
switch (option.Row)
|
||||
{
|
||||
case 1:
|
||||
row1.Add(await GetComponentAsync(option));
|
||||
break;
|
||||
case 2:
|
||||
row2.Add(await GetComponentAsync(option));
|
||||
break;
|
||||
case 3:
|
||||
row3.Add(await GetComponentAsync(option));
|
||||
break;
|
||||
case 4:
|
||||
row4.Add(await GetComponentAsync(option));
|
||||
break;
|
||||
case 5:
|
||||
row5.Add(await GetComponentAsync(option));
|
||||
break;
|
||||
default:
|
||||
throw new ArgumentException("Invalid Row! Must be between 1 and 5", "Row");
|
||||
}
|
||||
}
|
||||
if (row1.Count != 0)
|
||||
{
|
||||
builder.AddComponents(row1);
|
||||
}
|
||||
if (row2.Count != 0)
|
||||
{
|
||||
builder.AddComponents(row2);
|
||||
}
|
||||
if (row3.Count != 0)
|
||||
{
|
||||
builder.AddComponents(row3);
|
||||
}
|
||||
if (row4.Count != 0)
|
||||
{
|
||||
builder.AddComponents(row4);
|
||||
}
|
||||
if (row5.Count != 0)
|
||||
{
|
||||
builder.AddComponents(row5);
|
||||
}
|
||||
return builder;
|
||||
}
|
||||
|
||||
public async Task BackAsync()
|
||||
{
|
||||
|
||||
if (LastPrompt == null)
|
||||
return;
|
||||
_client.ComponentInteractionCreated -= LastPrompt.Discord_ComponentInteractionCreated;
|
||||
|
||||
await InvalidateAsync(false);
|
||||
if (Interaction == null)
|
||||
await LastPrompt.UseAsync(Message);
|
||||
else
|
||||
await LastPrompt.UseAsync(Interaction, Message);
|
||||
}
|
||||
|
||||
public void AddOption(IPromptOption option)
|
||||
{
|
||||
Options.Add(option);
|
||||
}
|
||||
|
||||
}
|
||||
}
|
138
TomatenMusicCore/Prompt/Model/PaginatedButtonPrompt.cs
Normal file
138
TomatenMusicCore/Prompt/Model/PaginatedButtonPrompt.cs
Normal file
@@ -0,0 +1,138 @@
|
||||
using DSharpPlus.Entities;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
using TomatenMusic.Util;
|
||||
using DSharpPlus;
|
||||
using DSharpPlus.EventArgs;
|
||||
using Microsoft.Extensions.Logging;
|
||||
|
||||
|
||||
|
||||
namespace TomatenMusic.Prompt.Model
|
||||
{
|
||||
abstract class PaginatedButtonPrompt<T> : ButtonPrompt
|
||||
{
|
||||
protected PageManager<T> PageManager { get; set; }
|
||||
protected int CurrentPage { get; set; } = 1;
|
||||
public string Title { get; set; }
|
||||
|
||||
public PaginatedButtonPrompt(string title, List<T> items, DiscordPromptBase lastPrompt = null) : base(lastPrompt)
|
||||
{
|
||||
PageManager = new PageManager<T>(items, 9);
|
||||
Title = title;
|
||||
|
||||
for (int i = 0; i < 9; i++)
|
||||
{
|
||||
int currentNumber = i + 1;
|
||||
ButtonPromptOption option = new ButtonPromptOption()
|
||||
{
|
||||
Style = DSharpPlus.ButtonStyle.Primary,
|
||||
Row = i < 5 ? 1 : 2,
|
||||
UpdateMethod = async (option) =>
|
||||
{
|
||||
option.Disabled = PageManager.GetPage(CurrentPage).Count < currentNumber;
|
||||
return option;
|
||||
},
|
||||
Run = async (args, sender, prompt) =>
|
||||
{
|
||||
List<T> items = PageManager.GetPage(CurrentPage);
|
||||
await OnSelect(items[currentNumber-1], args, sender);
|
||||
}
|
||||
};
|
||||
|
||||
switch (i)
|
||||
{
|
||||
case 0:
|
||||
option.Emoji = new DiscordComponentEmoji("1️⃣");
|
||||
break;
|
||||
case 1:
|
||||
option.Emoji = new DiscordComponentEmoji("2️⃣");
|
||||
break;
|
||||
case 2:
|
||||
option.Emoji = new DiscordComponentEmoji("3️⃣");
|
||||
break;
|
||||
case 3:
|
||||
option.Emoji = new DiscordComponentEmoji("4️⃣");
|
||||
break;
|
||||
case 4:
|
||||
option.Emoji = new DiscordComponentEmoji("5️⃣");
|
||||
break;
|
||||
case 5:
|
||||
option.Emoji = new DiscordComponentEmoji("6️⃣");
|
||||
break;
|
||||
case 6:
|
||||
option.Emoji = new DiscordComponentEmoji("7️⃣");
|
||||
break;
|
||||
case 7:
|
||||
option.Emoji = new DiscordComponentEmoji("8️⃣");
|
||||
break;
|
||||
case 8:
|
||||
option.Emoji = new DiscordComponentEmoji("9️⃣");
|
||||
break;
|
||||
}
|
||||
|
||||
AddOption(option);
|
||||
}
|
||||
|
||||
AddOption(new ButtonPromptOption
|
||||
{
|
||||
Style = ButtonStyle.Secondary,
|
||||
Emoji= new DiscordComponentEmoji("⬅️"),
|
||||
Row = 3,
|
||||
UpdateMethod = async (prompt) =>
|
||||
{
|
||||
prompt.Disabled = CurrentPage - 1 == 0;
|
||||
return prompt;
|
||||
},
|
||||
Run = async (args, sender, prompt) =>
|
||||
{
|
||||
CurrentPage--;
|
||||
await UpdateAsync();
|
||||
|
||||
}
|
||||
});
|
||||
AddOption(new ButtonPromptOption
|
||||
{
|
||||
Style = ButtonStyle.Secondary,
|
||||
Emoji = new DiscordComponentEmoji("➡️"),
|
||||
Row = 3,
|
||||
UpdateMethod = async (prompt) =>
|
||||
{
|
||||
prompt.Disabled = PageManager.GetTotalPages() == CurrentPage;
|
||||
return prompt;
|
||||
},
|
||||
Run = async (args, sender, prompt) =>
|
||||
{
|
||||
CurrentPage++;
|
||||
await UpdateAsync();
|
||||
}
|
||||
});
|
||||
|
||||
}
|
||||
|
||||
public abstract Task OnSelect(T item, ComponentInteractionCreateEventArgs args, DiscordClient sender);
|
||||
|
||||
protected int GetTotalPages()
|
||||
{
|
||||
return PageManager.GetTotalPages();
|
||||
}
|
||||
|
||||
protected async override Task<DiscordMessageBuilder> GetMessageAsync()
|
||||
{
|
||||
DiscordEmbedBuilder builder = new DiscordEmbedBuilder()
|
||||
.WithTitle(Title)
|
||||
.WithFooter($"Page {CurrentPage} of {GetTotalPages()}")
|
||||
.WithDescription("Select your desired Tracks");
|
||||
|
||||
return PopulateMessage(builder);
|
||||
|
||||
}
|
||||
|
||||
protected abstract DiscordMessageBuilder PopulateMessage(DiscordEmbedBuilder builder);
|
||||
|
||||
|
||||
|
||||
}
|
||||
}
|
160
TomatenMusicCore/Prompt/Model/PaginatedSelectPrompt.cs
Normal file
160
TomatenMusicCore/Prompt/Model/PaginatedSelectPrompt.cs
Normal file
@@ -0,0 +1,160 @@
|
||||
using DSharpPlus.Entities;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
using TomatenMusic.Util;
|
||||
using DSharpPlus;
|
||||
using DSharpPlus.EventArgs;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using TomatenMusic.Prompt.Option;
|
||||
using System.Linq;
|
||||
|
||||
namespace TomatenMusic.Prompt.Model
|
||||
{
|
||||
abstract class PaginatedSelectPrompt<T> : CombinedPrompt
|
||||
{
|
||||
protected PageManager<T> PageManager { get; set; }
|
||||
protected int CurrentPage { get; set; } = 1;
|
||||
|
||||
public string Title { get; set; }
|
||||
public List<T> SelectedItems { get; set; } = new List<T>();
|
||||
|
||||
|
||||
public PaginatedSelectPrompt(string title, List<T> items, DiscordPromptBase lastPrompt = null, List<DiscordEmbed> embeds = null) : base(lastPrompt)
|
||||
{
|
||||
Embeds = embeds;
|
||||
PageManager = new PageManager<T>(items, 25);
|
||||
Title = title;
|
||||
AddOption(new SelectMenuPromptOption
|
||||
{
|
||||
Row = 1,
|
||||
MinValues = 1,
|
||||
MaxValues = PageManager.GetPage(CurrentPage).Count,
|
||||
Content = "Select a Value",
|
||||
UpdateMethod = async (option) =>
|
||||
{
|
||||
SelectMenuPromptOption _option = (SelectMenuPromptOption)option;
|
||||
|
||||
_option.MaxValues = PageManager.GetPage(CurrentPage).Count;
|
||||
_option.Options.Clear();
|
||||
foreach (var item in PageManager.GetPage(CurrentPage))
|
||||
{
|
||||
_option.Options.Add(await GetOption(item));
|
||||
}
|
||||
foreach (var item in _option.Options)
|
||||
{
|
||||
foreach (var sOption in SelectedItems)
|
||||
{
|
||||
PaginatedSelectMenuOption<T> _item = (PaginatedSelectMenuOption<T>)item;
|
||||
if (_item.Item.Equals(sOption))
|
||||
{
|
||||
_option.CurrentValues.Add(_item.CustomID);
|
||||
}
|
||||
}
|
||||
|
||||
}
|
||||
|
||||
return _option;
|
||||
}
|
||||
});
|
||||
|
||||
|
||||
AddOption(new ButtonPromptOption
|
||||
{
|
||||
Style = ButtonStyle.Secondary,
|
||||
Emoji = new DiscordComponentEmoji("⬅️"),
|
||||
Row = 2,
|
||||
UpdateMethod = async (prompt) =>
|
||||
{
|
||||
prompt.Disabled = CurrentPage - 1 == 0;
|
||||
return prompt;
|
||||
},
|
||||
Run = async (args, sender, prompt) =>
|
||||
{
|
||||
CurrentPage--;
|
||||
await UpdateAsync();
|
||||
|
||||
}
|
||||
});
|
||||
AddOption(new ButtonPromptOption
|
||||
{
|
||||
Style = ButtonStyle.Secondary,
|
||||
Emoji = new DiscordComponentEmoji("➡️"),
|
||||
Row = 2,
|
||||
UpdateMethod = async (prompt) =>
|
||||
{
|
||||
prompt.Disabled = PageManager.GetTotalPages() == CurrentPage;
|
||||
return prompt;
|
||||
},
|
||||
Run = async (args, sender, prompt) =>
|
||||
{
|
||||
CurrentPage++;
|
||||
await UpdateAsync();
|
||||
}
|
||||
});
|
||||
|
||||
}
|
||||
|
||||
private async Task<PaginatedSelectMenuOption<T>> GetOption(T item)
|
||||
{
|
||||
var option = await ConvertToOption(item);
|
||||
option.Item = item;
|
||||
option.CustomID = RandomUtil.GenerateGuid();
|
||||
option.Default = SelectedItems.Contains(item);
|
||||
option.OnSelected = async (args, sender, option) =>
|
||||
{
|
||||
PaginatedSelectMenuOption<T> _option = (PaginatedSelectMenuOption<T>)option;
|
||||
if (!SelectedItems.Contains(_option.Item))
|
||||
SelectedItems.Add(_option.Item);
|
||||
await OnSelect(_option.Item, args, sender);
|
||||
|
||||
};
|
||||
option.OnUnselected = async (args, sender, option) =>
|
||||
{
|
||||
PaginatedSelectMenuOption<T> _option = (PaginatedSelectMenuOption<T>)option;
|
||||
SelectedItems.Remove(_option.Item);
|
||||
await OnUnselect(_option.Item, args, sender);
|
||||
};
|
||||
|
||||
|
||||
return option;
|
||||
}
|
||||
public abstract Task<PaginatedSelectMenuOption<T>> ConvertToOption(T item);
|
||||
|
||||
public abstract Task OnSelect(T item, ComponentInteractionCreateEventArgs args, DiscordClient sender);
|
||||
|
||||
public abstract Task OnUnselect(T item, ComponentInteractionCreateEventArgs args, DiscordClient sender);
|
||||
|
||||
protected int GetTotalPages()
|
||||
{
|
||||
return PageManager.GetTotalPages();
|
||||
}
|
||||
|
||||
protected async override Task<DiscordMessageBuilder> GetMessageAsync()
|
||||
{
|
||||
DiscordEmbedBuilder builder;
|
||||
if (Embeds != null)
|
||||
{
|
||||
builder = new DiscordEmbedBuilder(Embeds[0]);
|
||||
}else
|
||||
{
|
||||
builder = new DiscordEmbedBuilder();
|
||||
}
|
||||
|
||||
builder
|
||||
.WithTitle(Title)
|
||||
.WithFooter($"Page {CurrentPage} of {GetTotalPages()}");
|
||||
|
||||
return PopulateMessage(builder);
|
||||
|
||||
}
|
||||
|
||||
protected abstract DiscordMessageBuilder PopulateMessage(DiscordEmbedBuilder builder);
|
||||
|
||||
public class PaginatedSelectMenuOption<I> : SelectMenuOption
|
||||
{
|
||||
public I Item { get; set; }
|
||||
}
|
||||
}
|
||||
}
|
15
TomatenMusicCore/Prompt/Model/PromptState.cs
Normal file
15
TomatenMusicCore/Prompt/Model/PromptState.cs
Normal file
@@ -0,0 +1,15 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
|
||||
namespace TomatenMusic.Prompt.Model
|
||||
{
|
||||
enum PromptState
|
||||
{
|
||||
|
||||
PREPARED,
|
||||
OPEN,
|
||||
INVALID,
|
||||
RESPONDED
|
||||
}
|
||||
}
|
48
TomatenMusicCore/Prompt/Model/SelectPrompt.cs
Normal file
48
TomatenMusicCore/Prompt/Model/SelectPrompt.cs
Normal file
@@ -0,0 +1,48 @@
|
||||
using DSharpPlus.Entities;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
using TomatenMusic.Prompt.Option;
|
||||
using System.Linq;
|
||||
using DSharpPlus;
|
||||
using DSharpPlus.EventArgs;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using TomatenMusic.Util;
|
||||
|
||||
|
||||
namespace TomatenMusic.Prompt.Model
|
||||
{
|
||||
class SelectPrompt : DiscordPromptBase
|
||||
{
|
||||
public List<DiscordEmbed> Embeds { get; protected set; } = new List<DiscordEmbed>();
|
||||
public string Content { get; protected set; } = "";
|
||||
public SelectPrompt(DiscordPromptBase lastPrompt = null, string content = " Example", List<DiscordEmbed> embeds = null) : base(lastPrompt)
|
||||
{
|
||||
|
||||
this.Content = content;
|
||||
this.Embeds = embeds == null ? new List<DiscordEmbed>() : embeds;
|
||||
}
|
||||
|
||||
protected async override Task<DiscordComponent> GetComponentAsync(IPromptOption option)
|
||||
{
|
||||
|
||||
SelectMenuPromptOption selectOption = (SelectMenuPromptOption)option;
|
||||
List<DiscordSelectComponentOption> options = new List<DiscordSelectComponentOption>();
|
||||
foreach ( var item in selectOption.Options)
|
||||
{
|
||||
options.Add(new DiscordSelectComponentOption(item.Label, item.CustomID, item.Description, item.Default, item.Emoji));
|
||||
}
|
||||
|
||||
return new DiscordSelectComponent(selectOption.CustomID, selectOption.Content, options, selectOption.Disabled, selectOption.MinValues, selectOption.MaxValues);
|
||||
}
|
||||
|
||||
protected async override Task<DiscordMessageBuilder> GetMessageAsync()
|
||||
{
|
||||
return new DiscordMessageBuilder()
|
||||
.WithContent(Content)
|
||||
.AddEmbeds(Embeds);
|
||||
}
|
||||
|
||||
}
|
||||
}
|
32
TomatenMusicCore/Prompt/Option/ButtonPromptOption.cs
Normal file
32
TomatenMusicCore/Prompt/Option/ButtonPromptOption.cs
Normal file
@@ -0,0 +1,32 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using DSharpPlus;
|
||||
using DSharpPlus.Entities;
|
||||
using System.Threading.Tasks;
|
||||
using TomatenMusic.Prompt.Option;
|
||||
using TomatenMusic.Prompt.Model;
|
||||
|
||||
|
||||
namespace TomatenMusic.Prompt
|
||||
{
|
||||
class ButtonPromptOption : IPromptOption
|
||||
{
|
||||
|
||||
public ButtonStyle Style { get; set; } = ButtonStyle.Primary;
|
||||
public string Content { get; set; } = " ";
|
||||
public DiscordComponentEmoji Emoji { get; set; }
|
||||
public bool Disabled { get; set; } = false;
|
||||
public string CustomID { get; set; }
|
||||
public string Link { get; set; }
|
||||
public int Row { get; set; }
|
||||
public Func<Option.IPromptOption, Task<Option.IPromptOption>> UpdateMethod { get; set; } = async prompt =>
|
||||
{
|
||||
return prompt;
|
||||
};
|
||||
public Func<DSharpPlus.EventArgs.ComponentInteractionCreateEventArgs, DiscordClient, IPromptOption, Task> Run { get; set; } = async (args, sender, prompt) =>
|
||||
{
|
||||
|
||||
};
|
||||
}
|
||||
}
|
26
TomatenMusicCore/Prompt/Option/IPromptOption.cs
Normal file
26
TomatenMusicCore/Prompt/Option/IPromptOption.cs
Normal file
@@ -0,0 +1,26 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using DSharpPlus;
|
||||
using DSharpPlus.Entities;
|
||||
using System.Threading.Tasks;
|
||||
using TomatenMusic.Prompt.Option;
|
||||
using TomatenMusic.Prompt.Model;
|
||||
|
||||
|
||||
namespace TomatenMusic.Prompt.Option
|
||||
{
|
||||
interface IPromptOption
|
||||
{
|
||||
public string Content { get; set; }
|
||||
public string CustomID { get; set; }
|
||||
public int Row { get; set; }
|
||||
public bool Disabled { get; set; }
|
||||
public Func<IPromptOption, Task<IPromptOption>> UpdateMethod { get; set; }
|
||||
public Func<DSharpPlus.EventArgs.ComponentInteractionCreateEventArgs, DiscordClient, IPromptOption, Task> Run { get; set; }
|
||||
|
||||
|
||||
|
||||
|
||||
}
|
||||
}
|
23
TomatenMusicCore/Prompt/Option/SelectMenuOption.cs
Normal file
23
TomatenMusicCore/Prompt/Option/SelectMenuOption.cs
Normal file
@@ -0,0 +1,23 @@
|
||||
using DSharpPlus;
|
||||
using DSharpPlus.EventArgs;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
using TomatenMusic.Prompt.Model;
|
||||
using DSharpPlus.Entities;
|
||||
|
||||
namespace TomatenMusic.Prompt.Option
|
||||
{
|
||||
class SelectMenuOption
|
||||
{
|
||||
public string Label { get; set; }
|
||||
public string CustomID { get; set; }
|
||||
public string Description { get; set; }
|
||||
public bool Default { get; set; }
|
||||
public DiscordComponentEmoji Emoji { get; set; }
|
||||
public Func<ComponentInteractionCreateEventArgs, DiscordClient, SelectMenuOption, Task> OnSelected { get; set; }
|
||||
public Func<ComponentInteractionCreateEventArgs, DiscordClient, SelectMenuOption, Task> OnUnselected { get; set; }
|
||||
|
||||
}
|
||||
}
|
50
TomatenMusicCore/Prompt/Option/SelectMenuPromptOption.cs
Normal file
50
TomatenMusicCore/Prompt/Option/SelectMenuPromptOption.cs
Normal file
@@ -0,0 +1,50 @@
|
||||
using DSharpPlus;
|
||||
using DSharpPlus.Entities;
|
||||
using DSharpPlus.EventArgs;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using TomatenMusic.Prompt.Model;
|
||||
using System.Linq;
|
||||
|
||||
|
||||
namespace TomatenMusic.Prompt.Option
|
||||
{
|
||||
class SelectMenuPromptOption : IPromptOption
|
||||
{
|
||||
public string Content { get; set; } = " ";
|
||||
public string CustomID { get; set; }
|
||||
public int Row { get; set; } = 1;
|
||||
public bool Disabled { get; set; } = false;
|
||||
public List<SelectMenuOption> Options { get; set; } = new List<SelectMenuOption>();
|
||||
public int MinValues { get; set; } = 1;
|
||||
public int MaxValues { get; set; } = 1;
|
||||
public List<string> CurrentValues { get; set; } = new List<string>();
|
||||
|
||||
|
||||
public Func<IPromptOption, Task<IPromptOption>> UpdateMethod { get; set; } = async (prompt) =>
|
||||
{
|
||||
return prompt;
|
||||
};
|
||||
public Func<ComponentInteractionCreateEventArgs, DiscordClient, IPromptOption, Task> Run { get; set; } = async (args, sender, option) =>
|
||||
{
|
||||
SelectMenuPromptOption _option = (SelectMenuPromptOption)option;
|
||||
foreach (var item in _option.Options)
|
||||
{
|
||||
if (_option.CurrentValues.Contains(item.CustomID) && !args.Values.Contains(item.CustomID))
|
||||
{
|
||||
await item.OnUnselected.Invoke(args, sender, item);
|
||||
}
|
||||
if (!_option.CurrentValues.Contains(item.CustomID) && args.Values.Contains(item.CustomID))
|
||||
{
|
||||
await item.OnSelected.Invoke(args, sender, item);
|
||||
}
|
||||
}
|
||||
_option.CurrentValues = new List<string>(args.Values);
|
||||
|
||||
};
|
||||
|
||||
}
|
||||
}
|
156
TomatenMusicCore/Services/SpotifyService.cs
Normal file
156
TomatenMusicCore/Services/SpotifyService.cs
Normal file
@@ -0,0 +1,156 @@
|
||||
using SpotifyAPI.Web;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
using DSharpPlus;
|
||||
using System.Linq;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using TomatenMusic.Music.Entitites;
|
||||
using TomatenMusic.Services;
|
||||
using TomatenMusic.Music;
|
||||
using Lavalink4NET;
|
||||
using Lavalink4NET.Player;
|
||||
|
||||
namespace TomatenMusic.Services
|
||||
{
|
||||
|
||||
public interface ISpotifyService
|
||||
{
|
||||
public Task<MusicActionResponse> ConvertURL(string url);
|
||||
public Task<SpotifyPlaylist> PopulateSpotifyPlaylistAsync(SpotifyPlaylist playlist);
|
||||
public Task<SpotifyPlaylist> PopulateSpotifyAlbumAsync(SpotifyPlaylist playlist);
|
||||
public Task<LavalinkTrack> PopulateTrackAsync(LavalinkTrack track);
|
||||
|
||||
}
|
||||
|
||||
public class SpotifyService : SpotifyClient, ISpotifyService
|
||||
{
|
||||
public ILogger _logger { get; set; }
|
||||
public IAudioService _audioService { get; set; }
|
||||
|
||||
public SpotifyService(SpotifyClientConfig config, ILogger<SpotifyService> logger, IAudioService audioService) : base(config)
|
||||
{
|
||||
_logger = logger;
|
||||
_audioService = audioService;
|
||||
}
|
||||
|
||||
public async Task<MusicActionResponse> ConvertURL(string url)
|
||||
{
|
||||
string trackId = url
|
||||
.Replace("https://open.spotify.com/track/", "")
|
||||
.Replace("https://open.spotify.com/album/", "")
|
||||
.Replace("https://open.spotify.com/playlist/", "")
|
||||
.Substring(0, 22);
|
||||
|
||||
if (url.StartsWith("https://open.spotify.com/track"))
|
||||
{
|
||||
FullTrack sTrack = await Tracks.Get(trackId);
|
||||
|
||||
_logger.LogInformation($"Searching youtube from spotify with query: {sTrack.Name} {String.Join(" ", sTrack.Artists)}");
|
||||
|
||||
var track = await _audioService.GetTrackAsync($"{sTrack.Name} {String.Join(" ", sTrack.Artists.ConvertAll(artist => artist.Name))}", Lavalink4NET.Rest.SearchMode.YouTube);
|
||||
|
||||
if (track == null) throw new ArgumentException("This Spotify Track was not found on Youtube");
|
||||
|
||||
return new MusicActionResponse(await FullTrackContext.PopulateAsync(track, trackId));
|
||||
|
||||
}
|
||||
else if (url.StartsWith("https://open.spotify.com/album"))
|
||||
{
|
||||
List<LavalinkTrack> tracks = new List<LavalinkTrack>();
|
||||
|
||||
FullAlbum album = await Albums.Get(trackId);
|
||||
|
||||
foreach (var sTrack in await PaginateAll(album.Tracks))
|
||||
{
|
||||
_logger.LogInformation($"Searching youtube from spotify with query: {sTrack.Name} {String.Join(" ", sTrack.Artists.ConvertAll(artist => artist.Name))}");
|
||||
|
||||
var track = await _audioService.GetTrackAsync($"{sTrack.Name} {String.Join(" ", sTrack.Artists.ConvertAll(artist => artist.Name))}", Lavalink4NET.Rest.SearchMode.YouTube);
|
||||
|
||||
if (track == null) throw new ArgumentException("This Spotify Track was not found on Youtube");
|
||||
|
||||
tracks.Add(await FullTrackContext.PopulateAsync(track, sTrack.Uri));
|
||||
}
|
||||
Uri uri;
|
||||
Uri.TryCreate(url, UriKind.Absolute, out uri);
|
||||
|
||||
SpotifyPlaylist playlist = new SpotifyPlaylist(album.Name, album.Id, tracks, uri);
|
||||
await PopulateSpotifyAlbumAsync(playlist);
|
||||
|
||||
return new MusicActionResponse(playlist: playlist);
|
||||
|
||||
}
|
||||
else if (url.StartsWith("https://open.spotify.com/playlist"))
|
||||
{
|
||||
List<LavalinkTrack> tracks = new List<LavalinkTrack>();
|
||||
|
||||
FullPlaylist spotifyPlaylist = await Playlists.Get(trackId);
|
||||
|
||||
foreach (var sTrack in await PaginateAll(spotifyPlaylist.Tracks))
|
||||
{
|
||||
if (sTrack.Track is FullTrack)
|
||||
{
|
||||
FullTrack fullTrack = (FullTrack)sTrack.Track;
|
||||
_logger.LogInformation($"Searching youtube from spotify with query: {fullTrack.Name} {String.Join(" ", fullTrack.Artists.ConvertAll(artist => artist.Name))}");
|
||||
|
||||
var track = await _audioService.GetTrackAsync($"{fullTrack.Name} {String.Join(" ", fullTrack.Artists.ConvertAll(artist => artist.Name))}", Lavalink4NET.Rest.SearchMode.YouTube);
|
||||
|
||||
if (track == null) throw new ArgumentException("This Spotify Track was not found on Youtube");
|
||||
|
||||
tracks.Add(await FullTrackContext.PopulateAsync(track, fullTrack.Uri));
|
||||
}
|
||||
|
||||
}
|
||||
Uri uri;
|
||||
Uri.TryCreate(url, UriKind.Absolute, out uri);
|
||||
SpotifyPlaylist playlist = new SpotifyPlaylist(spotifyPlaylist.Name, spotifyPlaylist.Id, tracks, uri);
|
||||
await PopulateSpotifyPlaylistAsync(playlist);
|
||||
|
||||
return new MusicActionResponse(playlist: playlist);
|
||||
}
|
||||
return null;
|
||||
}
|
||||
|
||||
public async Task<SpotifyPlaylist> PopulateSpotifyPlaylistAsync(SpotifyPlaylist playlist)
|
||||
{
|
||||
var list = await this.Playlists.Get(playlist.Identifier);
|
||||
playlist.Description = list.Description;
|
||||
playlist.AuthorUri = new Uri(list.Owner.Uri);
|
||||
playlist.AuthorName = list.Owner.DisplayName;
|
||||
playlist.Followers = list.Followers.Total;
|
||||
playlist.Url = new Uri(list.Uri);
|
||||
playlist.AuthorThumbnail = new Uri(list.Owner.Images.First().Url);
|
||||
return playlist;
|
||||
}
|
||||
|
||||
public async Task<SpotifyPlaylist> PopulateSpotifyAlbumAsync(SpotifyPlaylist playlist)
|
||||
{
|
||||
var list = await this.Albums.Get(playlist.Identifier);
|
||||
playlist.Description = list.Label;
|
||||
playlist.AuthorUri = new Uri(list.Artists.First().Uri);
|
||||
playlist.AuthorName = list.Artists.First().Name;
|
||||
playlist.Followers = list.Popularity;
|
||||
playlist.Url = new Uri(list.Uri);
|
||||
|
||||
return playlist;
|
||||
}
|
||||
|
||||
public async Task<LavalinkTrack> PopulateTrackAsync(LavalinkTrack track)
|
||||
{
|
||||
FullTrackContext context = (FullTrackContext)track.Context;
|
||||
if (context.SpotifyIdentifier == null)
|
||||
return track;
|
||||
|
||||
var spotifyTrack = await this.Tracks.Get(context.SpotifyIdentifier);
|
||||
|
||||
context.SpotifyAlbum = spotifyTrack.Album;
|
||||
context.SpotifyArtists = spotifyTrack.Artists;
|
||||
context.SpotifyPopularity = spotifyTrack.Popularity;
|
||||
context.SpotifyUri = new Uri(spotifyTrack.Uri);
|
||||
track.Context = context;
|
||||
|
||||
return track;
|
||||
}
|
||||
}
|
||||
}
|
127
TomatenMusicCore/Services/YoutubeService.cs
Normal file
127
TomatenMusicCore/Services/YoutubeService.cs
Normal file
@@ -0,0 +1,127 @@
|
||||
using Google.Apis.Services;
|
||||
using Google.Apis.YouTube.v3;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
using TomatenMusic.Music.Entitites;
|
||||
using System.Linq;
|
||||
using Google.Apis.YouTube.v3.Data;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using static TomatenMusic.TomatenMusicBot;
|
||||
using Lavalink4NET.Player;
|
||||
using Microsoft.Extensions.DependencyInjection;
|
||||
using Lavalink4NET;
|
||||
|
||||
namespace TomatenMusic.Services
|
||||
{
|
||||
public class YoutubeService
|
||||
{
|
||||
public YouTubeService Service { get; }
|
||||
public ILogger<YoutubeService> _logger { get; set; }
|
||||
public YoutubeService(ILogger<YoutubeService> logger, ConfigJson config)
|
||||
{
|
||||
Service = new YouTubeService(new BaseClientService.Initializer()
|
||||
{
|
||||
ApiKey = config.YoutubeAPIKey,
|
||||
ApplicationName = "TomatenMusic"
|
||||
});
|
||||
_logger = logger;
|
||||
}
|
||||
|
||||
public async Task<LavalinkTrack> PopulateTrackInfoAsync(LavalinkTrack track)
|
||||
{
|
||||
var video = await GetVideoAsync(track.TrackIdentifier);
|
||||
var channel = await GetChannelAsync(video.Snippet.ChannelId);
|
||||
FullTrackContext context = track.Context == null ? new FullTrackContext() : (FullTrackContext)track.Context;
|
||||
|
||||
if (channel.Statistics.SubscriberCount != null)
|
||||
context.YoutubeAuthorSubs = (ulong) channel.Statistics.SubscriberCount;
|
||||
context.YoutubeAuthorThumbnail = new Uri(channel.Snippet.Thumbnails.High.Url);
|
||||
context.YoutubeAuthorUri = new Uri($"https://www.youtube.com/channel/{channel.Id}");
|
||||
context.YoutubeDescription = video.Snippet.Description;
|
||||
if (video.Statistics.LikeCount != null)
|
||||
context.YoutubeLikes = (ulong) video.Statistics.LikeCount;
|
||||
context.YoutubeTags = video.Snippet.Tags;
|
||||
context.YoutubeThumbnail = new Uri(video.Snippet.Thumbnails.High.Url);
|
||||
context.YoutubeUploadDate = (DateTime)video.Snippet.PublishedAt;
|
||||
context.YoutubeViews = (ulong)video.Statistics.ViewCount;
|
||||
context.YoutubeCommentCount = video.Statistics.CommentCount;
|
||||
track.Context = context;
|
||||
return track;
|
||||
}
|
||||
|
||||
public async Task<List<LavalinkTrack>> PopulateMultiTrackListAsync(IEnumerable<LavalinkTrack> tracks)
|
||||
{
|
||||
List<LavalinkTrack> newTracks = new List<LavalinkTrack>();
|
||||
foreach (var track in tracks)
|
||||
newTracks.Add(await PopulateTrackInfoAsync(track));
|
||||
|
||||
return newTracks;
|
||||
}
|
||||
public async Task<LavalinkPlaylist> PopulatePlaylistAsync(YoutubePlaylist playlist)
|
||||
{
|
||||
var list = await GetPlaylistAsync(playlist.Identifier);
|
||||
var channel = await GetChannelAsync(list.Snippet.ChannelId);
|
||||
|
||||
string desc = list.Snippet.Description;
|
||||
|
||||
playlist.Description = desc.Substring(0, Math.Min(desc.Length, 4092)) + (desc.Length > 4092 ? "..." : " ");
|
||||
playlist.Thumbnail = new Uri(list.Snippet.Thumbnails.High.Url);
|
||||
playlist.CreationTime = (DateTime)list.Snippet.PublishedAt;
|
||||
playlist.YoutubeItem = list;
|
||||
playlist.AuthorThumbnail = new Uri(channel.Snippet.Thumbnails.High.Url);
|
||||
playlist.AuthorUri = new Uri($"https://www.youtube.com/playlist?list={playlist.Identifier}");
|
||||
|
||||
return playlist;
|
||||
}
|
||||
|
||||
public async Task<Video> GetVideoAsync(string id)
|
||||
{
|
||||
var search = Service.Videos.List("contentDetails,id,liveStreamingDetails,localizations,player,recordingDetails,snippet,statistics,status,topicDetails");
|
||||
search.Id = id;
|
||||
var response = await search.ExecuteAsync();
|
||||
return response.Items.First();
|
||||
}
|
||||
|
||||
public async Task<Channel> GetChannelAsync(string id)
|
||||
{
|
||||
var search = Service.Channels.List("brandingSettings,contentDetails,contentOwnerDetails,id,localizations,snippet,statistics,status,topicDetails");
|
||||
search.Id = id;
|
||||
var response = await search.ExecuteAsync();
|
||||
|
||||
return response.Items.First();
|
||||
}
|
||||
public async Task<Playlist> GetPlaylistAsync(string id)
|
||||
{
|
||||
var search = Service.Playlists.List("snippet,contentDetails,status");
|
||||
search.Id = id;
|
||||
var response = await search.ExecuteAsync();
|
||||
|
||||
return response.Items.First();
|
||||
}
|
||||
|
||||
public async Task<SearchResult> GetRelatedVideoAsync(string id)
|
||||
{
|
||||
var search = Service.Search.List("snippet");
|
||||
search.RelatedToVideoId = id;
|
||||
search.Type = "video";
|
||||
var response = await search.ExecuteAsync();
|
||||
return response.Items.First(s => s.Snippet != null);
|
||||
}
|
||||
|
||||
public async Task<LavalinkTrack> GetRelatedTrackAsync(string id)
|
||||
{
|
||||
var audioService = TomatenMusicBot.ServiceProvider.GetRequiredService<IAudioService>();
|
||||
|
||||
var video = await GetRelatedVideoAsync(id);
|
||||
var loadResult = await audioService.GetTrackAsync($"https://youtu.be/{video.Id.VideoId}");
|
||||
|
||||
if (loadResult == null)
|
||||
throw new Exception("An Error occurred while processing the Request");
|
||||
|
||||
return await FullTrackContext.PopulateAsync(loadResult);
|
||||
}
|
||||
|
||||
}
|
||||
}
|
211
TomatenMusicCore/TomatenMusicBot.cs
Normal file
211
TomatenMusicCore/TomatenMusicBot.cs
Normal file
@@ -0,0 +1,211 @@
|
||||
using System;
|
||||
using System.Threading.Tasks;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using DSharpPlus;
|
||||
using DSharpPlus.EventArgs;
|
||||
using DSharpPlus.Entities;
|
||||
using DSharpPlus.Net;
|
||||
using System.Linq;
|
||||
using DSharpPlus.SlashCommands;
|
||||
using DSharpPlus.SlashCommands.EventArgs;
|
||||
using TomatenMusic.Commands;
|
||||
using Newtonsoft.Json;
|
||||
using System.IO;
|
||||
using System.Text;
|
||||
using Microsoft.Extensions.DependencyInjection;
|
||||
using TomatenMusic.Music;
|
||||
using SpotifyAPI.Web.Auth;
|
||||
using SpotifyAPI.Web;
|
||||
using DSharpPlus.Exceptions;
|
||||
using Lavalink4NET;
|
||||
using Lavalink4NET.DSharpPlus;
|
||||
using Lavalink4NET.MemoryCache;
|
||||
using TomatenMusic.Services;
|
||||
using Lavalink4NET.Tracking;
|
||||
using Lavalink4NET.Lyrics;
|
||||
using Microsoft.Extensions.Hosting;
|
||||
using Lavalink4NET.Logging;
|
||||
using Lavalink4NET.Logging.Microsoft;
|
||||
using TomatenMusic.Music.Entitites;
|
||||
|
||||
namespace TomatenMusic
|
||||
{
|
||||
public class TomatenMusicBot
|
||||
{
|
||||
|
||||
public class ConfigJson
|
||||
{
|
||||
[JsonProperty("TOKEN")]
|
||||
public string Token { get; private set; }
|
||||
[JsonProperty("LavaLinkPassword")]
|
||||
public string LavaLinkPassword { get; private set; }
|
||||
[JsonProperty("SpotifyClientId")]
|
||||
public string SpotifyClientId { get; private set; }
|
||||
[JsonProperty("SpotifyClientSecret")]
|
||||
public string SpotifyClientSecret { get; private set; }
|
||||
[JsonProperty("YoutubeApiKey")]
|
||||
public string YoutubeAPIKey { get; private set; }
|
||||
|
||||
}
|
||||
|
||||
public static IServiceProvider ServiceProvider { get; private set; }
|
||||
|
||||
public IHost _host { get; set; }
|
||||
|
||||
private async Task<IServiceProvider> BuildServiceProvider()
|
||||
{
|
||||
var json = "";
|
||||
using (var fs = File.OpenRead("config.json"))
|
||||
using (var sr = new StreamReader(fs, new UTF8Encoding(false)))
|
||||
json = await sr.ReadToEndAsync();
|
||||
ConfigJson config = JsonConvert.DeserializeObject<ConfigJson>(json);
|
||||
|
||||
|
||||
|
||||
_host = Host.CreateDefaultBuilder()
|
||||
.ConfigureServices((_, services) =>
|
||||
services
|
||||
.AddSingleton(config)
|
||||
.AddMicrosoftExtensionsLavalinkLogging()
|
||||
.AddSingleton<TrackProvider>()
|
||||
.AddSingleton<DiscordShardedClient>()
|
||||
.AddSingleton( s => new DiscordConfiguration
|
||||
{
|
||||
Token = config.Token,
|
||||
Intents = DiscordIntents.All,
|
||||
LoggerFactory = s.GetRequiredService<ILoggerFactory>()
|
||||
|
||||
})
|
||||
|
||||
// Lavalink
|
||||
.AddSingleton<IDiscordClientWrapper, DiscordShardedClientWrapper>()
|
||||
.AddSingleton<IAudioService, LavalinkNode>()
|
||||
.AddSingleton(new InactivityTrackingOptions
|
||||
{
|
||||
TrackInactivity = true
|
||||
})
|
||||
.AddSingleton<InactivityTrackingService>()
|
||||
|
||||
.AddSingleton(
|
||||
new LavalinkNodeOptions
|
||||
{
|
||||
RestUri = "http://116.202.92.16:2333",
|
||||
Password = config.LavaLinkPassword,
|
||||
WebSocketUri = "ws://116.202.92.16:2333",
|
||||
AllowResuming = true
|
||||
|
||||
})
|
||||
|
||||
.AddSingleton<ILavalinkCache, LavalinkCache>()
|
||||
.AddSingleton<ISpotifyService, SpotifyService>()
|
||||
.AddSingleton<YoutubeService>()
|
||||
.AddSingleton<LyricsOptions>()
|
||||
.AddSingleton<LyricsService>()
|
||||
.AddSingleton(SpotifyClientConfig.CreateDefault().WithAuthenticator(new ClientCredentialsAuthenticator(config.SpotifyClientId, config.SpotifyClientSecret))))
|
||||
.Build();
|
||||
|
||||
ServiceProvider = _host.Services;
|
||||
return ServiceProvider;
|
||||
}
|
||||
|
||||
|
||||
|
||||
public async Task InitBotAsync()
|
||||
{
|
||||
await BuildServiceProvider();
|
||||
|
||||
//_ = _host.StartAsync();
|
||||
|
||||
_host.Start();
|
||||
var client = ServiceProvider.GetRequiredService<DiscordShardedClient>();
|
||||
var audioService = ServiceProvider.GetRequiredService<IAudioService>();
|
||||
var logger = ServiceProvider.GetRequiredService<ILogger<TomatenMusicBot>>();
|
||||
|
||||
client.ClientErrored += Discord_ClientErrored;
|
||||
var slash = await client.UseSlashCommandsAsync(new SlashCommandsConfiguration
|
||||
{
|
||||
Services = ServiceProvider
|
||||
});
|
||||
/*
|
||||
slash.RegisterCommands<MusicCommands>(888493810554900491);
|
||||
slash.RegisterCommands<PlayQueueGroup>(888493810554900491);
|
||||
slash.RegisterCommands<PlayNowGroup>(888493810554900491);
|
||||
|
||||
slash.RegisterCommands<MusicCommands>(835089895092387872);
|
||||
slash.RegisterCommands<PlayQueueGroup>(835089895092387872);
|
||||
slash.RegisterCommands<PlayNowGroup>(835089895092387872);
|
||||
*/
|
||||
|
||||
slash.RegisterCommands<MusicCommands>();
|
||||
slash.RegisterCommands<PlayQueueGroup>();
|
||||
slash.RegisterCommands<PlayNowGroup>();
|
||||
|
||||
await client.StartAsync();
|
||||
client.Ready += Client_Ready;
|
||||
await audioService.InitializeAsync();
|
||||
|
||||
var trackingService = ServiceProvider.GetRequiredService<InactivityTrackingService>();
|
||||
trackingService.ClearTrackers();
|
||||
trackingService.AddTracker(DefaultInactivityTrackers.UsersInactivityTracker);
|
||||
trackingService.AddTracker(DefaultInactivityTrackers.ChannelInactivityTracker);
|
||||
|
||||
}
|
||||
|
||||
private Task Client_Ready(DiscordClient sender, ReadyEventArgs e)
|
||||
{
|
||||
var logger = ServiceProvider.GetRequiredService<ILogger<TomatenMusicBot>>();
|
||||
var slash = sender.GetSlashCommands();
|
||||
slash.SlashCommandInvoked += Slash_SlashCommandInvoked;
|
||||
slash.SlashCommandErrored += Slash_SlashCommandErrored;
|
||||
sender.UpdateStatusAsync(new DiscordActivity($"/ commands! Shard {sender.ShardId}", ActivityType.Watching));
|
||||
|
||||
|
||||
return Task.CompletedTask;
|
||||
}
|
||||
|
||||
public async Task ShutdownBotAsync()
|
||||
{
|
||||
var audioService = ServiceProvider.GetRequiredService<IAudioService>();
|
||||
var client = ServiceProvider.GetRequiredService<DiscordShardedClient>();
|
||||
|
||||
|
||||
audioService.Dispose();
|
||||
await client.StopAsync();
|
||||
}
|
||||
|
||||
|
||||
private Task Discord_ClientErrored(DiscordClient sender, ClientErrorEventArgs e)
|
||||
{
|
||||
var logger = ServiceProvider.GetRequiredService<ILogger<TomatenMusicBot>>();
|
||||
|
||||
logger.LogDebug("Event {0} errored with Exception {3}", e.EventName, e.Exception);
|
||||
if (e.Exception is NotFoundException)
|
||||
logger.LogDebug($"{ ((NotFoundException)e.Exception).JsonMessage }");
|
||||
if (e.Exception is BadRequestException)
|
||||
logger.LogDebug($"{ ((BadRequestException)e.Exception).Errors }");
|
||||
return Task.CompletedTask;
|
||||
}
|
||||
|
||||
private Task Slash_SlashCommandErrored(SlashCommandsExtension sender, SlashCommandErrorEventArgs e)
|
||||
{
|
||||
var logger = ServiceProvider.GetRequiredService<ILogger<TomatenMusicBot>>();
|
||||
|
||||
logger.LogInformation("Command {0} invoked by {1} on Guild {2} with Exception {3}", e.Context.CommandName, e.Context.Member, e.Context.Guild, e.Exception);
|
||||
if (e.Exception is NotFoundException)
|
||||
logger.LogDebug($"{ ((NotFoundException)e.Exception).JsonMessage }");
|
||||
if (e.Exception is BadRequestException)
|
||||
logger.LogDebug($"{ ((BadRequestException)e.Exception).JsonMessage }");
|
||||
return Task.CompletedTask;
|
||||
|
||||
}
|
||||
|
||||
private Task Slash_SlashCommandInvoked(SlashCommandsExtension sender, DSharpPlus.SlashCommands.EventArgs.SlashCommandInvokedEventArgs e)
|
||||
{
|
||||
var logger = ServiceProvider.GetRequiredService<ILogger<TomatenMusicBot>>();
|
||||
|
||||
logger.LogInformation("Command {0} invoked by {1} on Guild {2}", e.Context.CommandName, e.Context.Member, e.Context.Guild);
|
||||
|
||||
return Task.CompletedTask;
|
||||
}
|
||||
}
|
||||
}
|
35
TomatenMusicCore/TomatenMusicCore.csproj
Normal file
35
TomatenMusicCore/TomatenMusicCore.csproj
Normal file
@@ -0,0 +1,35 @@
|
||||
<Project Sdk="Microsoft.NET.Sdk">
|
||||
|
||||
<PropertyGroup>
|
||||
<TargetFramework>net6.0</TargetFramework>
|
||||
<ImplicitUsings>enable</ImplicitUsings>
|
||||
<Nullable>enable</Nullable>
|
||||
<RestoreAdditionalProjectSources>
|
||||
https://api.nuget.org/v3/index.json;
|
||||
https://nuget.emzi0767.com/api/v3/index.json
|
||||
</RestoreAdditionalProjectSources>
|
||||
</PropertyGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<PackageReference Include="DSharpPlus" Version="4.2.0-nightly-01088" />
|
||||
<PackageReference Include="DSharpPlus.Interactivity" Version="4.2.0-nightly-01084" />
|
||||
<PackageReference Include="DSharpPlus.SlashCommands" Version="4.2.0-nightly-01088" />
|
||||
<PackageReference Include="Google.Apis.YouTube.v3" Version="1.56.0.2617" />
|
||||
<PackageReference Include="HtmlAgilityPack" Version="1.11.42" />
|
||||
<PackageReference Include="Lavalink4NET" Version="2.1.1" />
|
||||
<PackageReference Include="Lavalink4NET.DSharpPlus" Version="2.1.1" />
|
||||
<PackageReference Include="Lavalink4NET.Logging.Microsoft" Version="2.1.1-preview.5" />
|
||||
<PackageReference Include="Lavalink4NET.MemoryCache" Version="2.1.1" />
|
||||
<PackageReference Include="Microsoft.AspNet.WebApi.OwinSelfHost" Version="5.2.7" />
|
||||
<PackageReference Include="Microsoft.Extensions.Hosting" Version="6.0.1" />
|
||||
<PackageReference Include="SpotifyAPI.Web" Version="6.2.2" />
|
||||
<PackageReference Include="SpotifyAPI.Web.Auth" Version="6.2.2" />
|
||||
</ItemGroup>
|
||||
|
||||
<ItemGroup>
|
||||
<None Update="config.json">
|
||||
<CopyToOutputDirectory>Always</CopyToOutputDirectory>
|
||||
</None>
|
||||
</ItemGroup>
|
||||
|
||||
</Project>
|
56
TomatenMusicCore/Util/CollectionUtil.cs
Normal file
56
TomatenMusicCore/Util/CollectionUtil.cs
Normal file
@@ -0,0 +1,56 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using System.Security.Cryptography;
|
||||
using System.Linq;
|
||||
|
||||
namespace TomatenMusic.Util
|
||||
{
|
||||
static class CollectionUtil
|
||||
{
|
||||
public static void Shuffle<T>(this IList<T> list)
|
||||
{
|
||||
RNGCryptoServiceProvider provider = new RNGCryptoServiceProvider();
|
||||
int n = list.Count;
|
||||
while (n > 1)
|
||||
{
|
||||
byte[] box = new byte[1];
|
||||
do provider.GetBytes(box);
|
||||
while (!(box[0] < n * (Byte.MaxValue / n)));
|
||||
int k = (box[0] % n);
|
||||
n--;
|
||||
T value = list[k];
|
||||
list[k] = list[n];
|
||||
list[n] = value;
|
||||
}
|
||||
}
|
||||
|
||||
/* public static void Remove<T>(this IList<T> list, T item)
|
||||
{
|
||||
List<T> newList = new List<T>();
|
||||
bool done = false;
|
||||
foreach (var i in list)
|
||||
{
|
||||
if (i.Equals(item) && !done)
|
||||
{
|
||||
done = true;
|
||||
continue;
|
||||
}
|
||||
|
||||
newList.Add(i);
|
||||
}
|
||||
|
||||
list = newList;
|
||||
}*/
|
||||
|
||||
|
||||
|
||||
public static class Arrays
|
||||
{
|
||||
public static IList<T> AsList<T>(params T[] source)
|
||||
{
|
||||
return source;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
284
TomatenMusicCore/Util/Common.cs
Normal file
284
TomatenMusicCore/Util/Common.cs
Normal file
@@ -0,0 +1,284 @@
|
||||
using DSharpPlus.Entities;
|
||||
using HtmlAgilityPack;
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Net;
|
||||
using System.Text;
|
||||
using System.Text.RegularExpressions;
|
||||
using TomatenMusic.Music.Entitites;
|
||||
using TomatenMusic.Util;
|
||||
using Microsoft.Extensions.Logging;
|
||||
using TomatenMusic.Music;
|
||||
using System.Threading.Tasks;
|
||||
using System.Linq;
|
||||
using Lavalink4NET.Player;
|
||||
|
||||
namespace TomatenMusic.Util
|
||||
{
|
||||
class Common
|
||||
{
|
||||
|
||||
public static DiscordEmbed AsEmbed(LavalinkTrack track, LoopType loopType, int position = -1)
|
||||
{
|
||||
FullTrackContext context = (FullTrackContext)track.Context;
|
||||
|
||||
DiscordEmbedBuilder builder = new DiscordEmbedBuilder()
|
||||
.WithTitle(track.Title)
|
||||
.AddField("Length", Common.GetTimestamp(track.Duration), true);
|
||||
if (context.IsFile)
|
||||
{
|
||||
builder.WithAuthor(track.Author);
|
||||
}
|
||||
else
|
||||
builder
|
||||
.WithAuthor(track.Author, context.YoutubeAuthorUri.ToString(), context.YoutubeAuthorThumbnail.ToString())
|
||||
.WithUrl(context.YoutubeUri)
|
||||
.WithImageUrl(context.YoutubeThumbnail)
|
||||
.WithDescription(context.YoutubeDescription);
|
||||
|
||||
|
||||
|
||||
if (position != -1)
|
||||
{
|
||||
builder.AddField("Position", (position == 0 ? "Now Playing" : position.ToString()), true);
|
||||
}
|
||||
builder.AddField("Current Queue Loop", loopType.ToString(), true);
|
||||
if (!context.IsFile)
|
||||
{
|
||||
builder.AddField("Views", $"{context.YoutubeViews:N0} Views", true);
|
||||
builder.AddField("Rating", $"{context.YoutubeLikes:N0} 👍", true);
|
||||
builder.AddField("Upload Date", $"{context.YoutubeUploadDate.ToString("dd. MMMM, yyyy")}", true);
|
||||
builder.AddField("Comments", context.YoutubeCommentCount == null ? "Comments Disabled" : $"{context.YoutubeCommentCount:N0} Comments", true);
|
||||
builder.AddField("Channel Subscriptions", $"{context.YoutubeAuthorSubs:N0} Subscribers", true);
|
||||
}
|
||||
|
||||
return builder;
|
||||
}
|
||||
|
||||
public static DiscordEmbed AsEmbed(LavalinkTrack track, int position = -1)
|
||||
{
|
||||
FullTrackContext context = (FullTrackContext)track.Context;
|
||||
|
||||
DiscordEmbedBuilder builder = new DiscordEmbedBuilder()
|
||||
.WithTitle(track.Title)
|
||||
.WithUrl(context.YoutubeUri)
|
||||
.WithImageUrl(context.YoutubeThumbnail)
|
||||
.WithDescription(context.YoutubeDescription)
|
||||
.AddField("Length", Common.GetTimestamp(track.Duration), true);
|
||||
|
||||
if (context.IsFile)
|
||||
{
|
||||
builder.WithAuthor(track.Author);
|
||||
}
|
||||
else
|
||||
builder
|
||||
.WithAuthor(track.Author, context.YoutubeAuthorUri.ToString(), context.YoutubeAuthorThumbnail.ToString())
|
||||
.WithUrl(context.YoutubeUri);
|
||||
|
||||
if (position != -1)
|
||||
{
|
||||
builder.AddField("Position", (position == 0 ? "Now Playing" : position.ToString()), true);
|
||||
}
|
||||
|
||||
if (!context.IsFile)
|
||||
{
|
||||
builder.AddField("Views", $"{context.YoutubeViews:N0} Views", true);
|
||||
builder.AddField("Rating", $"{context.YoutubeLikes:N0} 👍", true);
|
||||
builder.AddField("Upload Date", $"{context.YoutubeUploadDate.ToString("dd. MMMM, yyyy")}", true);
|
||||
builder.AddField("Comments", context.YoutubeCommentCount == null ? "Comments Disabled" : $"{context.YoutubeCommentCount:N0} Comments", true);
|
||||
builder.AddField("Channel Subscriptions", $"{context.YoutubeAuthorSubs:N0} Subscribers", true);
|
||||
}
|
||||
|
||||
return builder;
|
||||
}
|
||||
|
||||
public static DiscordEmbed AsEmbed(LavalinkPlaylist playlist)
|
||||
{
|
||||
|
||||
DiscordEmbedBuilder builder = new DiscordEmbedBuilder();
|
||||
|
||||
if (playlist is YoutubePlaylist)
|
||||
{
|
||||
YoutubePlaylist youtubePlaylist = (YoutubePlaylist)playlist;
|
||||
builder
|
||||
.WithAuthor(playlist.AuthorName, playlist.AuthorUri.ToString(), youtubePlaylist.AuthorThumbnail.ToString())
|
||||
.WithTitle(playlist.Name)
|
||||
.WithUrl(playlist.Url)
|
||||
.WithDescription(playlist.Description)
|
||||
.WithImageUrl(youtubePlaylist.Thumbnail)
|
||||
.AddField("Tracks", TrackListString(playlist.Tracks), false)
|
||||
.AddField("Track Count", $"{playlist.Tracks.Count()} Tracks", true)
|
||||
.AddField("Length", $"{Common.GetTimestamp(playlist.GetLength())}", true)
|
||||
.AddField("Create Date", $"{youtubePlaylist.CreationTime:dd. MMMM, yyyy}", true);
|
||||
|
||||
}else if (playlist is SpotifyPlaylist)
|
||||
{
|
||||
SpotifyPlaylist spotifyPlaylist = (SpotifyPlaylist)playlist;
|
||||
builder
|
||||
.WithAuthor(playlist.AuthorName, playlist.AuthorUri.ToString(), spotifyPlaylist.AuthorThumbnail.ToString())
|
||||
.WithTitle(playlist.Name)
|
||||
.WithUrl(playlist.Url)
|
||||
.WithDescription(playlist.Description)
|
||||
.AddField("Tracks", TrackListString(playlist.Tracks), false)
|
||||
.AddField("Track Count", $"{playlist.Tracks.Count()} Tracks", true)
|
||||
.AddField("Length", $"{Common.GetTimestamp(playlist.GetLength())}", true)
|
||||
.AddField("Spotify Followers", $"{spotifyPlaylist.Followers:N0}", true);
|
||||
}
|
||||
|
||||
return builder;
|
||||
}
|
||||
|
||||
public static DiscordEmbed GetQueueEmbed(GuildPlayer player)
|
||||
{
|
||||
DiscordEmbedBuilder builder = new DiscordEmbedBuilder();
|
||||
|
||||
builder.WithDescription(TrackListString(player.PlayerQueue.Queue));
|
||||
builder.WithTitle("Current Queue");
|
||||
builder.WithAuthor($"{player.PlayerQueue.Queue.Count} Songs");
|
||||
|
||||
TimeSpan timeSpan = TimeSpan.FromTicks(0);
|
||||
|
||||
foreach (var track in player.PlayerQueue.Queue)
|
||||
{
|
||||
timeSpan = timeSpan.Add(track.Duration);
|
||||
}
|
||||
|
||||
builder.AddField("Length", GetTimestamp(timeSpan), true);
|
||||
builder.AddField("Loop Type", player.PlayerQueue.LoopType.ToString(), true);
|
||||
builder.AddField("Autoplay", player.Autoplay ? "✅" : "❌", true);
|
||||
if (player.PlayerQueue.PlayedTracks.Any())
|
||||
builder.AddField("History", TrackListString(player.PlayerQueue.PlayedTracks), true);
|
||||
if (player.PlayerQueue.CurrentPlaylist != null)
|
||||
builder.AddField("Current Playlist", $"[{player.PlayerQueue.CurrentPlaylist.Name}]({player.PlayerQueue.CurrentPlaylist.Url})", true);
|
||||
|
||||
return builder;
|
||||
}
|
||||
|
||||
public static string TrackListString(IEnumerable<LavalinkTrack> tracks)
|
||||
{
|
||||
StringBuilder builder = new StringBuilder();
|
||||
int count = 1;
|
||||
foreach (LavalinkTrack track in tracks)
|
||||
{
|
||||
FullTrackContext context = (FullTrackContext)track.Context;
|
||||
if (count > 15)
|
||||
{
|
||||
builder.Append(String.Format("***And {0} more...***", tracks.Count() - 15));
|
||||
break;
|
||||
}
|
||||
|
||||
builder.Append(count).Append(": ").Append($"[{track.Title}]({context.YoutubeUri})").Append(" [").Append(Common.GetTimestamp(track.Duration)).Append("] | ");
|
||||
builder.Append($"[{track.Author}]({context.YoutubeAuthorUri})").Append("\n\n");
|
||||
count++;
|
||||
}
|
||||
builder.Append(" ");
|
||||
return builder.ToString();
|
||||
}
|
||||
|
||||
public static string GetTimestamp(TimeSpan timeSpan)
|
||||
{
|
||||
if (timeSpan.Hours > 0)
|
||||
return String.Format("{0:hh\\:mm\\:ss}", timeSpan);
|
||||
else
|
||||
return String.Format("{0:mm\\:ss}", timeSpan);
|
||||
}
|
||||
|
||||
public static TimeSpan ToTimeSpan(string text)
|
||||
{
|
||||
string[] input = text.Split(" ");
|
||||
TimeSpan timeSpan = TimeSpan.FromMilliseconds(0);
|
||||
|
||||
foreach (var item in input)
|
||||
{
|
||||
var l = item.Length - 1;
|
||||
var value = item.Substring(0, l);
|
||||
var type = item.Substring(l, 1);
|
||||
|
||||
switch (type)
|
||||
{
|
||||
case "d":
|
||||
timeSpan = timeSpan.Add(TimeSpan.FromDays(double.Parse(value)));
|
||||
break;
|
||||
case "h":
|
||||
timeSpan = timeSpan.Add(TimeSpan.FromHours(double.Parse(value)));
|
||||
break;
|
||||
case "m":
|
||||
timeSpan = timeSpan.Add(TimeSpan.FromMinutes(double.Parse(value)));
|
||||
break;
|
||||
case "s":
|
||||
timeSpan = timeSpan.Add(TimeSpan.FromSeconds(double.Parse(value)));
|
||||
break;
|
||||
case "f":
|
||||
timeSpan = timeSpan.Add(TimeSpan.FromMilliseconds(double.Parse(value)));
|
||||
break;
|
||||
case "z":
|
||||
timeSpan = timeSpan.Add(TimeSpan.FromTicks(long.Parse(value)));
|
||||
break;
|
||||
default:
|
||||
timeSpan = timeSpan.Add(TimeSpan.FromDays(double.Parse(value)));
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
return timeSpan;
|
||||
}
|
||||
|
||||
public static string ProgressBar(int current, int max)
|
||||
{
|
||||
int percentage = (current * 100) / max;
|
||||
int rounded = (int) Math.Round(((double) percentage / 10));
|
||||
|
||||
StringBuilder builder = new StringBuilder();
|
||||
|
||||
for (int i = 0; i <= 10; i++)
|
||||
{
|
||||
if (i == rounded)
|
||||
builder.Append("🔘");
|
||||
else
|
||||
builder.Append("─");
|
||||
}
|
||||
|
||||
return builder.ToString();
|
||||
}
|
||||
|
||||
public async static Task<DiscordEmbed> CurrentSongEmbedAsync(GuildPlayer player)
|
||||
{
|
||||
|
||||
DiscordEmbedBuilder builder = new DiscordEmbedBuilder();
|
||||
LavalinkTrack track = player.CurrentTrack;
|
||||
|
||||
if (track == null)
|
||||
{
|
||||
builder.WithColor(DiscordColor.Red);
|
||||
builder.WithTitle("Nothing Playing");
|
||||
builder.WithImageUrl("https://media.tomatentum.net/TMBanner.gif");
|
||||
return builder;
|
||||
}
|
||||
|
||||
FullTrackContext context = (FullTrackContext)track.Context;
|
||||
|
||||
string progressBar = $"|{ProgressBar((int)player.Position.Position.TotalSeconds, (int)track.Duration.TotalSeconds)}|\n [{Common.GetTimestamp(player.Position.Position)}/{Common.GetTimestamp(track.Duration)}]";
|
||||
|
||||
builder.WithAuthor(track.Author, context.YoutubeAuthorUri.ToString(), context.YoutubeAuthorThumbnail.ToString());
|
||||
builder.WithTitle(track.Title);
|
||||
builder.WithUrl(context.YoutubeUri);
|
||||
builder.WithImageUrl(context.YoutubeThumbnail);
|
||||
builder.WithColor(player.State == PlayerState.Paused ? DiscordColor.Orange : DiscordColor.Green);
|
||||
builder.AddField("Length", Common.GetTimestamp(track.Duration), true);
|
||||
builder.AddField("Loop", player.PlayerQueue.LoopType.ToString(), true);
|
||||
builder.AddField("Progress", progressBar, true);
|
||||
if (!context.IsFile)
|
||||
{
|
||||
builder.AddField("Views", $"{context.YoutubeViews:N0} Views", true);
|
||||
builder.AddField("Rating", $"{context.YoutubeLikes:N0} 👍", true);
|
||||
builder.AddField("Upload Date", $"{context.YoutubeUploadDate.ToString("dd. MMMM, yyyy")}", true);
|
||||
builder.AddField("Comments", $"{context.YoutubeCommentCount:N0} Comments", true);
|
||||
builder.AddField("Channel Subscriptions", $"{context.YoutubeAuthorSubs:N0} Subscribers", true);
|
||||
|
||||
}
|
||||
|
||||
|
||||
return builder;
|
||||
}
|
||||
}
|
||||
}
|
68
TomatenMusicCore/Util/PageManager.cs
Normal file
68
TomatenMusicCore/Util/PageManager.cs
Normal file
@@ -0,0 +1,68 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
|
||||
|
||||
namespace TomatenMusic.Util
|
||||
{
|
||||
class PageManager<T>
|
||||
{
|
||||
|
||||
private List<T> Items;
|
||||
private int PageSize;
|
||||
|
||||
public PageManager(List<T> allItems, int pageSize)
|
||||
{
|
||||
this.Items = allItems;
|
||||
this.PageSize = pageSize;
|
||||
}
|
||||
|
||||
public List<T> GetPage(int page)
|
||||
{
|
||||
if (page <= GetTotalPages() && page > 0)
|
||||
{
|
||||
List<T> onPage = new List<T>();
|
||||
page--;
|
||||
|
||||
int lowerBound = page * PageSize;
|
||||
int upperBound = Math.Min(lowerBound + PageSize, Items.Count);
|
||||
|
||||
for (int i = lowerBound; i < upperBound; i++)
|
||||
{
|
||||
onPage.Add(Items[i]);
|
||||
}
|
||||
|
||||
return onPage;
|
||||
}
|
||||
else
|
||||
return new List<T>();
|
||||
}
|
||||
|
||||
public void AddItem(T Item)
|
||||
{
|
||||
if (Items.Contains(Item))
|
||||
{
|
||||
return;
|
||||
}
|
||||
Items.Add(Item);
|
||||
}
|
||||
|
||||
public void RemoveItem(T Item)
|
||||
{
|
||||
|
||||
if (Items.Contains(Item))
|
||||
Items.Remove(Item);
|
||||
}
|
||||
|
||||
public int GetTotalPages()
|
||||
{
|
||||
int totalPages = (int)Math.Ceiling((double)Items.Count / PageSize);
|
||||
|
||||
return totalPages;
|
||||
}
|
||||
|
||||
public List<T> GetContents()
|
||||
{
|
||||
return Items;
|
||||
}
|
||||
}
|
||||
}
|
16
TomatenMusicCore/Util/RandomUtil.cs
Normal file
16
TomatenMusicCore/Util/RandomUtil.cs
Normal file
@@ -0,0 +1,16 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Text;
|
||||
using System.Linq;
|
||||
|
||||
namespace TomatenMusic.Util
|
||||
{
|
||||
class RandomUtil
|
||||
{
|
||||
|
||||
public static string GenerateGuid()
|
||||
{
|
||||
return String.Concat(Guid.NewGuid().ToString("N").Select(c => (char)(c + 17))).ToLower();
|
||||
}
|
||||
}
|
||||
}
|
Reference in New Issue
Block a user