Compare commits
40 Commits
9a58bc964d
...
main
Author | SHA1 | Date | |
---|---|---|---|
019e60450f
|
|||
7672107c68
|
|||
ee6ea4eed4
|
|||
fed280e6c5
|
|||
1a8f84b333
|
|||
94bdb91eb0
|
|||
5c030a0557
|
|||
5344e89c26
|
|||
80e6d422e5
|
|||
71fad98d3d
|
|||
83d784c917
|
|||
f4b7e0f5ce | |||
1316fb593c
|
|||
b6d105a519
|
|||
ec31250153
|
|||
f360566824
|
|||
b0c96a11cd
|
|||
062676df26
|
|||
5430f7c632
|
|||
0a8482c030
|
|||
87c88f796d
|
|||
d08744ebb2
|
|||
0b3425a658
|
|||
e7105f1828
|
|||
4f7bd903b8
|
|||
22249ecf7a
|
|||
5610fc7acd
|
|||
c73260badb
|
|||
2645f33940
|
|||
8d76a107c5
|
|||
8ee7693b91
|
|||
0f5532a14a
|
|||
c8c4756cc3
|
|||
ea09f291e5
|
|||
c7658f84dc
|
|||
b562ea4ac5
|
|||
623de96463
|
|||
97f4787b39
|
|||
69f4d6967f
|
|||
af0896a6a0
|
1
.gitignore
vendored
1
.gitignore
vendored
@@ -1,2 +1,3 @@
|
|||||||
.env
|
.env
|
||||||
|
.venv
|
||||||
__pycache__
|
__pycache__
|
||||||
|
@@ -7,4 +7,4 @@ COPY . .
|
|||||||
|
|
||||||
RUN pip install -r requirements.txt
|
RUN pip install -r requirements.txt
|
||||||
|
|
||||||
CMD ["python", "-OO", "main.py"]
|
CMD ["python", "main.py"]
|
||||||
|
19
arguments.py
19
arguments.py
@@ -8,7 +8,9 @@ import utils
|
|||||||
class ArgumentParser:
|
class ArgumentParser:
|
||||||
def __init__(self, command, description):
|
def __init__(self, command, description):
|
||||||
self.parser = argparse.ArgumentParser(
|
self.parser = argparse.ArgumentParser(
|
||||||
command, description=description, exit_on_error=False
|
command,
|
||||||
|
description=description,
|
||||||
|
exit_on_error=False,
|
||||||
)
|
)
|
||||||
|
|
||||||
def print_help(self):
|
def print_help(self):
|
||||||
@@ -26,21 +28,20 @@ class ArgumentParser:
|
|||||||
async def parse_args(self, message, tokens) -> argparse.Namespace | None:
|
async def parse_args(self, message, tokens) -> argparse.Namespace | None:
|
||||||
try:
|
try:
|
||||||
with contextlib.redirect_stdout(io.StringIO()):
|
with contextlib.redirect_stdout(io.StringIO()):
|
||||||
args = self.parser.parse_args(tokens[1:])
|
return self.parser.parse_args(tokens[1:])
|
||||||
return args
|
|
||||||
except SystemExit:
|
except SystemExit:
|
||||||
await utils.reply(message, f"```\n{self.print_help()}```")
|
await utils.reply(message, f"```\n{self.print_help()}```")
|
||||||
except Exception as e:
|
except Exception as e:
|
||||||
await utils.reply(message, f"`{e}`")
|
await utils.reply(message, f"`{e}`")
|
||||||
|
|
||||||
|
|
||||||
def range_type(string: str, min=0, max=100):
|
def range_type(string: str, lower=0, upper=100) -> int:
|
||||||
try:
|
try:
|
||||||
value = int(string)
|
value = int(string)
|
||||||
except ValueError:
|
except ValueError as e:
|
||||||
raise argparse.ArgumentTypeError("value is not a valid integer")
|
raise argparse.ArgumentTypeError("value is not a valid integer") from e
|
||||||
|
|
||||||
if min <= value <= max:
|
if lower <= value <= upper:
|
||||||
return value
|
return value
|
||||||
else:
|
|
||||||
raise argparse.ArgumentTypeError(f"value is not in range {min}-{max}")
|
raise argparse.ArgumentTypeError(f"value is not in range {lower}-{upper}")
|
||||||
|
8
audio/__init__.py
Normal file
8
audio/__init__.py
Normal file
@@ -0,0 +1,8 @@
|
|||||||
|
from . import discord, queue, utils, youtubedl
|
||||||
|
|
||||||
|
__all__ = [
|
||||||
|
"discord",
|
||||||
|
"queue",
|
||||||
|
"utils",
|
||||||
|
"youtubedl",
|
||||||
|
]
|
39
audio/discord.py
Normal file
39
audio/discord.py
Normal file
@@ -0,0 +1,39 @@
|
|||||||
|
import audioop
|
||||||
|
|
||||||
|
import disnake
|
||||||
|
|
||||||
|
|
||||||
|
class TrackedAudioSource(disnake.AudioSource):
|
||||||
|
def __init__(self, source):
|
||||||
|
self._source = source
|
||||||
|
self.read_count = 0
|
||||||
|
|
||||||
|
def read(self) -> bytes:
|
||||||
|
data = self._source.read()
|
||||||
|
if data:
|
||||||
|
self.read_count += 1
|
||||||
|
return data
|
||||||
|
|
||||||
|
def fast_forward(self, seconds: int):
|
||||||
|
for _ in range(int(seconds / 0.02)):
|
||||||
|
self.read()
|
||||||
|
|
||||||
|
@property
|
||||||
|
def progress(self) -> float:
|
||||||
|
return self.read_count * 0.02
|
||||||
|
|
||||||
|
|
||||||
|
class PCMVolumeTransformer(disnake.AudioSource):
|
||||||
|
def __init__(self, original: TrackedAudioSource, volume: float = 1.0) -> None:
|
||||||
|
if original.is_opus():
|
||||||
|
raise disnake.ClientException("AudioSource must not be Opus encoded")
|
||||||
|
|
||||||
|
self.original = original
|
||||||
|
self.volume = volume
|
||||||
|
|
||||||
|
def cleanup(self) -> None:
|
||||||
|
self.original.cleanup()
|
||||||
|
|
||||||
|
def read(self) -> bytes:
|
||||||
|
ret = self.original.read()
|
||||||
|
return audioop.mul(ret, 2, self.volume)
|
112
audio/queue.py
Normal file
112
audio/queue.py
Normal file
@@ -0,0 +1,112 @@
|
|||||||
|
import collections
|
||||||
|
from dataclasses import dataclass
|
||||||
|
from typing import ClassVar, Optional
|
||||||
|
|
||||||
|
import disnake
|
||||||
|
|
||||||
|
from constants import BAR_LENGTH, EMBED_COLOR
|
||||||
|
|
||||||
|
from .utils import format_duration
|
||||||
|
from .youtubedl import YTDLSource
|
||||||
|
|
||||||
|
|
||||||
|
@dataclass
|
||||||
|
class Song:
|
||||||
|
player: YTDLSource
|
||||||
|
trigger_message: disnake.Message
|
||||||
|
|
||||||
|
def format(self, show_queuer=False, hide_preview=False, multiline=False) -> str:
|
||||||
|
title = f"[`{self.player.title}`]({'<' if hide_preview else ''}{self.player.original_url}{'>' if hide_preview else ''})"
|
||||||
|
duration = (
|
||||||
|
format_duration(self.player.duration) if self.player.duration else "stream"
|
||||||
|
)
|
||||||
|
if multiline:
|
||||||
|
queue_time = (
|
||||||
|
self.trigger_message.edited_at or self.trigger_message.created_at
|
||||||
|
)
|
||||||
|
return f"{title}\n**duration:** {duration}" + (
|
||||||
|
f", **queued by:** <@{self.trigger_message.author.id}> <t:{round(queue_time.timestamp())}:R>"
|
||||||
|
if show_queuer
|
||||||
|
else ""
|
||||||
|
)
|
||||||
|
return f"{title} [**{duration}**]" + (
|
||||||
|
f" (<@{self.trigger_message.author.id}>)" if show_queuer else ""
|
||||||
|
)
|
||||||
|
|
||||||
|
def embed(self, is_paused=False):
|
||||||
|
progress = 0
|
||||||
|
if self.player.duration:
|
||||||
|
progress = self.player.original.progress / self.player.duration
|
||||||
|
|
||||||
|
embed = disnake.Embed(
|
||||||
|
color=EMBED_COLOR,
|
||||||
|
title=self.player.title,
|
||||||
|
url=self.player.original_url,
|
||||||
|
description=(
|
||||||
|
f"{'⏸️ ' if is_paused else ''}"
|
||||||
|
f"`[{'#' * int(progress * BAR_LENGTH)}{'-' * int((1 - progress) * BAR_LENGTH)}]` "
|
||||||
|
+ (
|
||||||
|
f"**{format_duration(int(self.player.original.progress))}** / **{format_duration(self.player.duration)}** (**{round(progress * 100)}%**)"
|
||||||
|
if self.player.duration
|
||||||
|
else "[**stream**]"
|
||||||
|
)
|
||||||
|
),
|
||||||
|
timestamp=self.trigger_message.edited_at or self.trigger_message.created_at,
|
||||||
|
)
|
||||||
|
|
||||||
|
uploader_value = None
|
||||||
|
if self.player.uploader_url:
|
||||||
|
if self.player.uploader:
|
||||||
|
uploader_value = f"[{self.player.uploader}]({self.player.uploader_url})"
|
||||||
|
else:
|
||||||
|
uploader_value = self.player.uploader_url
|
||||||
|
elif self.player.uploader:
|
||||||
|
uploader_value = self.player.uploader
|
||||||
|
|
||||||
|
if uploader_value:
|
||||||
|
embed.add_field(name="Uploader", value=uploader_value)
|
||||||
|
if self.player.like_count:
|
||||||
|
embed.add_field(name="Likes", value=f"{self.player.like_count:,}")
|
||||||
|
if self.player.view_count:
|
||||||
|
embed.add_field(name="Views", value=f"{self.player.view_count:,}")
|
||||||
|
if self.player.timestamp:
|
||||||
|
embed.add_field(name="Published", value=f"<t:{int(self.player.timestamp)}>")
|
||||||
|
if self.player.volume:
|
||||||
|
embed.add_field(name="Volume", value=f"{int(self.player.volume * 100)}%")
|
||||||
|
|
||||||
|
if self.player.thumbnail_url:
|
||||||
|
embed.set_image(self.player.thumbnail_url)
|
||||||
|
|
||||||
|
embed.set_footer(
|
||||||
|
text=f"Queued by {self.trigger_message.author.name}",
|
||||||
|
icon_url=(
|
||||||
|
self.trigger_message.author.avatar.url
|
||||||
|
if self.trigger_message.author.avatar
|
||||||
|
else None
|
||||||
|
),
|
||||||
|
)
|
||||||
|
|
||||||
|
return embed
|
||||||
|
|
||||||
|
def __str__(self):
|
||||||
|
return self.__repr__()
|
||||||
|
|
||||||
|
|
||||||
|
@dataclass
|
||||||
|
class Player:
|
||||||
|
queue: ClassVar = collections.deque()
|
||||||
|
current: Optional[Song] = None
|
||||||
|
|
||||||
|
def queue_pop(self):
|
||||||
|
popped = self.queue.popleft()
|
||||||
|
self.current = popped
|
||||||
|
return popped
|
||||||
|
|
||||||
|
def queue_push(self, item):
|
||||||
|
self.queue.append(item)
|
||||||
|
|
||||||
|
def queue_push_front(self, item):
|
||||||
|
self.queue.appendleft(item)
|
||||||
|
|
||||||
|
def __str__(self):
|
||||||
|
return self.__repr__()
|
7
audio/utils.py
Normal file
7
audio/utils.py
Normal file
@@ -0,0 +1,7 @@
|
|||||||
|
def format_duration(duration: int | float) -> str:
|
||||||
|
hours, duration = divmod(int(duration), 3600)
|
||||||
|
minutes, duration = divmod(duration, 60)
|
||||||
|
segments = [hours, minutes, duration]
|
||||||
|
if len(segments) == 3 and segments[0] == 0:
|
||||||
|
del segments[0]
|
||||||
|
return f"{':'.join(f'{s:0>2}' for s in segments)}"
|
76
audio/youtubedl.py
Normal file
76
audio/youtubedl.py
Normal file
@@ -0,0 +1,76 @@
|
|||||||
|
import asyncio
|
||||||
|
from typing import Any, Optional
|
||||||
|
|
||||||
|
import disnake
|
||||||
|
import yt_dlp
|
||||||
|
|
||||||
|
from constants import YTDL_OPTIONS
|
||||||
|
|
||||||
|
from .discord import PCMVolumeTransformer, TrackedAudioSource
|
||||||
|
|
||||||
|
ytdl = yt_dlp.YoutubeDL(YTDL_OPTIONS)
|
||||||
|
|
||||||
|
|
||||||
|
class YTDLSource(PCMVolumeTransformer):
|
||||||
|
def __init__(
|
||||||
|
self,
|
||||||
|
source: TrackedAudioSource,
|
||||||
|
*,
|
||||||
|
data: dict[str, Any],
|
||||||
|
volume: float = 0.5,
|
||||||
|
):
|
||||||
|
super().__init__(source, volume)
|
||||||
|
|
||||||
|
self.description = data.get("description")
|
||||||
|
self.duration = data.get("duration")
|
||||||
|
self.id = data.get("id")
|
||||||
|
self.like_count = data.get("like_count")
|
||||||
|
self.original_url = data.get("original_url")
|
||||||
|
self.thumbnail_url = data.get("thumbnail")
|
||||||
|
self.timestamp = data.get("timestamp")
|
||||||
|
self.title = data.get("title")
|
||||||
|
self.uploader = data.get("uploader")
|
||||||
|
self.uploader_url = data.get("uploader_url")
|
||||||
|
self.view_count = data.get("view_count")
|
||||||
|
|
||||||
|
@classmethod
|
||||||
|
async def from_url(
|
||||||
|
cls,
|
||||||
|
url,
|
||||||
|
*,
|
||||||
|
loop: Optional[asyncio.AbstractEventLoop] = None,
|
||||||
|
stream: bool = False,
|
||||||
|
):
|
||||||
|
loop = loop or asyncio.get_event_loop()
|
||||||
|
data: Any = await loop.run_in_executor(
|
||||||
|
None,
|
||||||
|
lambda: ytdl.extract_info(url, download=not stream),
|
||||||
|
)
|
||||||
|
|
||||||
|
if "entries" in data:
|
||||||
|
if not data["entries"]:
|
||||||
|
raise Exception("no results found!")
|
||||||
|
data = data["entries"][0]
|
||||||
|
if "url" not in data:
|
||||||
|
raise Exception("no url returned!")
|
||||||
|
|
||||||
|
return cls(
|
||||||
|
TrackedAudioSource(
|
||||||
|
disnake.FFmpegPCMAudio(
|
||||||
|
data["url"] if stream else ytdl.prepare_filename(data),
|
||||||
|
before_options="-vn -reconnect 1",
|
||||||
|
),
|
||||||
|
),
|
||||||
|
data=data,
|
||||||
|
)
|
||||||
|
|
||||||
|
def __repr__(self):
|
||||||
|
return f"<YTDLSource title={self.title} original_url={self.original_url} duration={self.duration}>"
|
||||||
|
|
||||||
|
def __str__(self):
|
||||||
|
return self.__repr__()
|
||||||
|
|
||||||
|
|
||||||
|
def __reload_module__():
|
||||||
|
global ytdl
|
||||||
|
ytdl = yt_dlp.YoutubeDL(YTDL_OPTIONS)
|
@@ -3,11 +3,11 @@ from .utils import Command, match, match_token, tokenize
|
|||||||
|
|
||||||
__all__ = [
|
__all__ = [
|
||||||
"bot",
|
"bot",
|
||||||
"tools",
|
|
||||||
"utils",
|
|
||||||
"voice",
|
|
||||||
"Command",
|
"Command",
|
||||||
"match",
|
"match",
|
||||||
"match_token",
|
"match_token",
|
||||||
"tokenize",
|
"tokenize",
|
||||||
|
"tools",
|
||||||
|
"utils",
|
||||||
|
"voice",
|
||||||
]
|
]
|
||||||
|
@@ -8,9 +8,9 @@ from yt_dlp import version
|
|||||||
|
|
||||||
import arguments
|
import arguments
|
||||||
import commands
|
import commands
|
||||||
import utils
|
|
||||||
from constants import EMBED_COLOR
|
from constants import EMBED_COLOR
|
||||||
from state import client, start_time
|
from state import client, start_time
|
||||||
|
from utils import format_duration, reply, surround
|
||||||
|
|
||||||
|
|
||||||
async def status(message):
|
async def status(message):
|
||||||
@@ -25,41 +25,41 @@ async def status(message):
|
|||||||
embed = disnake.Embed(color=EMBED_COLOR)
|
embed = disnake.Embed(color=EMBED_COLOR)
|
||||||
embed.add_field(
|
embed.add_field(
|
||||||
name="Latency",
|
name="Latency",
|
||||||
value=f"```{round(client.latency * 1000, 1)} ms```",
|
value=surround(f"{round(client.latency * 1000, 1)} ms"),
|
||||||
)
|
)
|
||||||
embed.add_field(
|
embed.add_field(
|
||||||
name="Memory",
|
name="Memory",
|
||||||
value=f"```{round(memory_usage, 1)} MiB```",
|
value=surround(f"{round(memory_usage, 1)} MiB"),
|
||||||
)
|
)
|
||||||
embed.add_field(
|
embed.add_field(
|
||||||
name="Threads",
|
name="Threads",
|
||||||
value=f"```{threading.active_count()}```",
|
value=surround(threading.active_count()),
|
||||||
)
|
)
|
||||||
embed.add_field(
|
embed.add_field(
|
||||||
name="Guilds",
|
name="Guilds",
|
||||||
value=f"```{len(client.guilds)}```",
|
value=surround(len(client.guilds)),
|
||||||
)
|
)
|
||||||
embed.add_field(
|
embed.add_field(
|
||||||
name="Members",
|
name="Members",
|
||||||
value=f"```{member_count}```",
|
value=surround(member_count),
|
||||||
)
|
)
|
||||||
embed.add_field(
|
embed.add_field(
|
||||||
name="Channels",
|
name="Channels",
|
||||||
value=f"```{channel_count}```",
|
value=surround(channel_count),
|
||||||
)
|
)
|
||||||
embed.add_field(
|
embed.add_field(
|
||||||
name="Disnake",
|
name="Disnake",
|
||||||
value=f"```{disnake.__version__}```",
|
value=surround(disnake.__version__),
|
||||||
)
|
)
|
||||||
embed.add_field(
|
embed.add_field(
|
||||||
name="yt-dlp",
|
name="yt-dlp",
|
||||||
value=f"```{version.__version__}```",
|
value=surround(version.__version__),
|
||||||
)
|
)
|
||||||
embed.add_field(
|
embed.add_field(
|
||||||
name="Uptime",
|
name="Uptime",
|
||||||
value=f"```{utils.format_duration(int(time.time() - start_time), short=True)}```",
|
value=surround(format_duration(int(time.time() - start_time), short=True)),
|
||||||
)
|
)
|
||||||
await utils.reply(message, embed=embed)
|
await reply(message, embed=embed)
|
||||||
|
|
||||||
|
|
||||||
async def uptime(message):
|
async def uptime(message):
|
||||||
@@ -78,15 +78,13 @@ async def uptime(message):
|
|||||||
return
|
return
|
||||||
|
|
||||||
if args.since:
|
if args.since:
|
||||||
await utils.reply(message, f"{round(start_time)}")
|
await reply(message, f"{round(start_time)}")
|
||||||
else:
|
else:
|
||||||
await utils.reply(
|
await reply(message, f"up {format_duration(int(time.time() - start_time))}")
|
||||||
message, f"up {utils.format_duration(int(time.time() - start_time))}"
|
|
||||||
)
|
|
||||||
|
|
||||||
|
|
||||||
async def ping(message):
|
async def ping(message):
|
||||||
await utils.reply(
|
await reply(
|
||||||
message,
|
message,
|
||||||
embed=disnake.Embed(
|
embed=disnake.Embed(
|
||||||
title="Pong :ping_pong:",
|
title="Pong :ping_pong:",
|
||||||
@@ -97,9 +95,9 @@ async def ping(message):
|
|||||||
|
|
||||||
|
|
||||||
async def help(message):
|
async def help(message):
|
||||||
await utils.reply(
|
await reply(
|
||||||
message,
|
message,
|
||||||
", ".join(
|
", ".join(
|
||||||
[f"`{command.value}`" for command in commands.Command.__members__.values()]
|
[f"`{command.value}`" for command in commands.Command.__members__.values()],
|
||||||
),
|
),
|
||||||
)
|
)
|
||||||
|
@@ -14,13 +14,13 @@ async def lookup(message):
|
|||||||
tokens = commands.tokenize(message.content)
|
tokens = commands.tokenize(message.content)
|
||||||
parser = arguments.ArgumentParser(
|
parser = arguments.ArgumentParser(
|
||||||
tokens[0],
|
tokens[0],
|
||||||
"look up a user or application on discord by their ID",
|
"look up a discord user or application by ID",
|
||||||
)
|
)
|
||||||
parser.add_argument(
|
parser.add_argument(
|
||||||
"-a",
|
"-a",
|
||||||
"--application",
|
"--application",
|
||||||
action="store_true",
|
action="store_true",
|
||||||
help="search for applications instead of users",
|
help="look up applications instead of users",
|
||||||
)
|
)
|
||||||
parser.add_argument(
|
parser.add_argument(
|
||||||
"id",
|
"id",
|
||||||
@@ -41,7 +41,7 @@ async def lookup(message):
|
|||||||
|
|
||||||
embed = disnake.Embed(description=response["description"], color=EMBED_COLOR)
|
embed = disnake.Embed(description=response["description"], color=EMBED_COLOR)
|
||||||
embed.set_thumbnail(
|
embed.set_thumbnail(
|
||||||
url=f"https://cdn.discordapp.com/app-icons/{response['id']}/{response['icon']}.webp"
|
url=f"https://cdn.discordapp.com/app-icons/{response['id']}/{response['icon']}.webp",
|
||||||
)
|
)
|
||||||
embed.add_field(name="Application Name", value=response["name"])
|
embed.add_field(name="Application Name", value=response["name"])
|
||||||
embed.add_field(name="Application ID", value="`" + response["id"] + "`")
|
embed.add_field(name="Application ID", value="`" + response["id"] + "`")
|
||||||
@@ -102,7 +102,9 @@ async def lookup(message):
|
|||||||
for tag in response["tags"]:
|
for tag in response["tags"]:
|
||||||
bot_tags += tag + ", "
|
bot_tags += tag + ", "
|
||||||
embed.add_field(
|
embed.add_field(
|
||||||
name="Tags", value="None" if bot_tags == "" else bot_tags[:-2], inline=False
|
name="Tags",
|
||||||
|
value="None" if bot_tags == "" else bot_tags[:-2],
|
||||||
|
inline=False,
|
||||||
)
|
)
|
||||||
else:
|
else:
|
||||||
try:
|
try:
|
||||||
@@ -117,8 +119,10 @@ async def lookup(message):
|
|||||||
if flag_name != "None":
|
if flag_name != "None":
|
||||||
try:
|
try:
|
||||||
badges += BADGE_EMOJIS[PUBLIC_FLAGS[flag]]
|
badges += BADGE_EMOJIS[PUBLIC_FLAGS[flag]]
|
||||||
except Exception:
|
except Exception as e:
|
||||||
raise Exception(f"unable to find badge: {PUBLIC_FLAGS[flag]}")
|
raise Exception(
|
||||||
|
f"unable to find badge: {PUBLIC_FLAGS[flag]}"
|
||||||
|
) from e
|
||||||
|
|
||||||
user_object = await client.fetch_user(user.id)
|
user_object = await client.fetch_user(user.id)
|
||||||
accent_color = 0x000000
|
accent_color = 0x000000
|
||||||
@@ -161,11 +165,11 @@ async def clear(message):
|
|||||||
tokens = commands.tokenize(message.content)
|
tokens = commands.tokenize(message.content)
|
||||||
parser = arguments.ArgumentParser(
|
parser = arguments.ArgumentParser(
|
||||||
tokens[0],
|
tokens[0],
|
||||||
"bulk delete messages in the current channel matching certain criteria",
|
"bulk delete messages in the current channel matching specified criteria",
|
||||||
)
|
)
|
||||||
parser.add_argument(
|
parser.add_argument(
|
||||||
"count",
|
"count",
|
||||||
type=lambda c: arguments.range_type(c, min=1, max=1000),
|
type=lambda c: arguments.range_type(c, lower=1, upper=1000),
|
||||||
help="amount of messages to delete",
|
help="amount of messages to delete",
|
||||||
)
|
)
|
||||||
group = parser.add_mutually_exclusive_group()
|
group = parser.add_mutually_exclusive_group()
|
||||||
@@ -259,8 +263,10 @@ async def clear(message):
|
|||||||
|
|
||||||
messages = len(
|
messages = len(
|
||||||
await message.channel.purge(
|
await message.channel.purge(
|
||||||
limit=args.count, check=check, oldest_first=args.oldest_first
|
limit=args.count,
|
||||||
)
|
check=check,
|
||||||
|
oldest_first=args.oldest_first,
|
||||||
|
),
|
||||||
)
|
)
|
||||||
|
|
||||||
if not args.delete_command:
|
if not args.delete_command:
|
||||||
|
@@ -30,16 +30,19 @@ class Command(Enum):
|
|||||||
|
|
||||||
@lru_cache
|
@lru_cache
|
||||||
def match_token(token: str) -> list[Command]:
|
def match_token(token: str) -> list[Command]:
|
||||||
if token.lower() == "r":
|
match token.lower():
|
||||||
return [Command.RELOAD]
|
case "r":
|
||||||
elif token.lower() == "s":
|
return [Command.RELOAD]
|
||||||
return [Command.SKIP]
|
case "s":
|
||||||
|
return [Command.SKIP]
|
||||||
|
case "c":
|
||||||
|
return [Command.CURRENT]
|
||||||
|
|
||||||
if exact_match := list(
|
if exact_match := list(
|
||||||
filter(
|
filter(
|
||||||
lambda command: command.value == token.lower(),
|
lambda command: command.value == token.lower(),
|
||||||
Command.__members__.values(),
|
Command.__members__.values(),
|
||||||
)
|
),
|
||||||
):
|
):
|
||||||
return exact_match
|
return exact_match
|
||||||
|
|
||||||
@@ -47,7 +50,7 @@ def match_token(token: str) -> list[Command]:
|
|||||||
filter(
|
filter(
|
||||||
lambda command: command.value.startswith(token.lower()),
|
lambda command: command.value.startswith(token.lower()),
|
||||||
Command.__members__.values(),
|
Command.__members__.values(),
|
||||||
)
|
),
|
||||||
)
|
)
|
||||||
|
|
||||||
|
|
||||||
|
@@ -1,17 +1,14 @@
|
|||||||
import disnake
|
|
||||||
|
|
||||||
import utils
|
import utils
|
||||||
|
|
||||||
from .utils import command_allowed
|
from .utils import command_allowed
|
||||||
|
|
||||||
|
|
||||||
async def join(message):
|
async def join(message):
|
||||||
if message.guild.voice_client:
|
if message.author.voice:
|
||||||
return await message.guild.voice_client.move_to(message.channel)
|
if message.guild.voice_client:
|
||||||
elif message.author.voice:
|
await message.guild.voice_client.move_to(message.channel)
|
||||||
await message.author.voice.channel.connect()
|
else:
|
||||||
elif isinstance(message.channel, disnake.VoiceChannel):
|
await message.author.voice.channel.connect()
|
||||||
await message.channel.connect()
|
|
||||||
else:
|
else:
|
||||||
await utils.reply(message, "you are not connected to a voice channel!")
|
await utils.reply(message, "you are not connected to a voice channel!")
|
||||||
return
|
return
|
||||||
|
@@ -1,11 +1,11 @@
|
|||||||
import arguments
|
|
||||||
import disnake_paginator
|
import disnake_paginator
|
||||||
from constants import EMBED_COLOR
|
|
||||||
from state import players
|
|
||||||
|
|
||||||
|
import arguments
|
||||||
import commands
|
import commands
|
||||||
import sponsorblock
|
import sponsorblock
|
||||||
import utils
|
import utils
|
||||||
|
from constants import EMBED_COLOR
|
||||||
|
from state import players
|
||||||
|
|
||||||
from .utils import command_allowed
|
from .utils import command_allowed
|
||||||
|
|
||||||
@@ -13,7 +13,8 @@ from .utils import command_allowed
|
|||||||
async def playing(message):
|
async def playing(message):
|
||||||
tokens = commands.tokenize(message.content)
|
tokens = commands.tokenize(message.content)
|
||||||
parser = arguments.ArgumentParser(
|
parser = arguments.ArgumentParser(
|
||||||
tokens[0], "get information about the currently playing song"
|
tokens[0],
|
||||||
|
"get information about the currently playing song",
|
||||||
)
|
)
|
||||||
parser.add_argument(
|
parser.add_argument(
|
||||||
"-d",
|
"-d",
|
||||||
@@ -49,7 +50,7 @@ async def playing(message):
|
|||||||
await utils.reply(
|
await utils.reply(
|
||||||
message,
|
message,
|
||||||
embed=players[message.guild.id].current.embed(
|
embed=players[message.guild.id].current.embed(
|
||||||
is_paused=message.guild.voice_client.is_paused()
|
is_paused=message.guild.voice_client.is_paused(),
|
||||||
),
|
),
|
||||||
)
|
)
|
||||||
else:
|
else:
|
||||||
@@ -89,13 +90,13 @@ async def pause(message):
|
|||||||
|
|
||||||
async def fast_forward(message):
|
async def fast_forward(message):
|
||||||
tokens = commands.tokenize(message.content)
|
tokens = commands.tokenize(message.content)
|
||||||
parser = arguments.ArgumentParser(tokens[0], "skip current sponsorblock segment")
|
parser = arguments.ArgumentParser(tokens[0], "skip the current sponsorblock segment")
|
||||||
parser.add_argument(
|
parser.add_argument(
|
||||||
"-s",
|
"-s",
|
||||||
"--seconds",
|
"--seconds",
|
||||||
nargs="?",
|
nargs="?",
|
||||||
type=lambda v: arguments.range_type(v, min=0, max=300),
|
type=lambda v: arguments.range_type(v, lower=0, upper=300),
|
||||||
help="the amount of seconds to fast forward instead",
|
help="the number of seconds to fast forward instead",
|
||||||
)
|
)
|
||||||
if not (args := await parser.parse_args(message, tokens)):
|
if not (args := await parser.parse_args(message, tokens)):
|
||||||
return
|
return
|
||||||
@@ -110,11 +111,12 @@ async def fast_forward(message):
|
|||||||
seconds = args.seconds
|
seconds = args.seconds
|
||||||
if not seconds:
|
if not seconds:
|
||||||
video = await sponsorblock.get_segments(
|
video = await sponsorblock.get_segments(
|
||||||
players[message.guild.id].current.player.id
|
players[message.guild.id].current.player.id,
|
||||||
)
|
)
|
||||||
if not video:
|
if not video:
|
||||||
await utils.reply(
|
await utils.reply(
|
||||||
message, "no sponsorblock segments were found for this video!"
|
message,
|
||||||
|
"no sponsorblock segments were found for this video!",
|
||||||
)
|
)
|
||||||
return
|
return
|
||||||
|
|
||||||
@@ -140,7 +142,7 @@ async def volume(message):
|
|||||||
parser.add_argument(
|
parser.add_argument(
|
||||||
"volume",
|
"volume",
|
||||||
nargs="?",
|
nargs="?",
|
||||||
type=lambda v: arguments.range_type(v, min=0, max=150),
|
type=lambda v: arguments.range_type(v, lower=0, upper=150),
|
||||||
help="the volume level (0 - 150)",
|
help="the volume level (0 - 150)",
|
||||||
)
|
)
|
||||||
if not (args := await parser.parse_args(message, tokens)):
|
if not (args := await parser.parse_args(message, tokens)):
|
||||||
|
@@ -4,30 +4,28 @@ import disnake
|
|||||||
import disnake_paginator
|
import disnake_paginator
|
||||||
|
|
||||||
import arguments
|
import arguments
|
||||||
|
import audio
|
||||||
import commands
|
import commands
|
||||||
import utils
|
import utils
|
||||||
import youtubedl
|
|
||||||
from constants import EMBED_COLOR
|
from constants import EMBED_COLOR
|
||||||
from state import client, players
|
from state import client, players, trusted_users
|
||||||
|
|
||||||
from .playback import resume
|
from .playback import resume
|
||||||
from .utils import command_allowed, ensure_joined, play_next
|
from .utils import command_allowed, ensure_joined, play_next
|
||||||
|
|
||||||
|
|
||||||
async def queue_or_play(message, edited=False):
|
async def queue_or_play(message, edited=False):
|
||||||
if message.guild.id not in players:
|
|
||||||
players[message.guild.id] = youtubedl.QueuedPlayer()
|
|
||||||
|
|
||||||
tokens = commands.tokenize(message.content)
|
tokens = commands.tokenize(message.content)
|
||||||
parser = arguments.ArgumentParser(
|
parser = arguments.ArgumentParser(
|
||||||
tokens[0], "queue a song, list the queue, or resume playback"
|
tokens[0],
|
||||||
|
"queue a song, list the queue, or resume playback",
|
||||||
)
|
)
|
||||||
parser.add_argument("query", nargs="*", help="yt-dlp URL or query to get song")
|
parser.add_argument("query", nargs="*", help="yt-dlp URL or query to get song")
|
||||||
parser.add_argument(
|
parser.add_argument(
|
||||||
"-v",
|
"-v",
|
||||||
"--volume",
|
"--volume",
|
||||||
default=50,
|
default=50,
|
||||||
type=lambda v: arguments.range_type(v, min=0, max=150),
|
type=lambda v: arguments.range_type(v, lower=0, upper=150),
|
||||||
help="the volume level (0 - 150) for the specified song",
|
help="the volume level (0 - 150) for the specified song",
|
||||||
)
|
)
|
||||||
parser.add_argument(
|
parser.add_argument(
|
||||||
@@ -80,19 +78,23 @@ async def queue_or_play(message, edited=False):
|
|||||||
elif not command_allowed(message):
|
elif not command_allowed(message):
|
||||||
return
|
return
|
||||||
|
|
||||||
|
if message.guild.id not in players:
|
||||||
|
players[message.guild.id] = audio.queue.Player()
|
||||||
|
|
||||||
if edited:
|
if edited:
|
||||||
found = None
|
found = next(
|
||||||
for queued in players[message.guild.id].queue:
|
filter(
|
||||||
if queued.trigger_message.id == message.id:
|
lambda queued: queued.trigger_message.id == message.id,
|
||||||
found = queued
|
players[message.guild.id].queue,
|
||||||
break
|
),
|
||||||
|
None,
|
||||||
|
)
|
||||||
if found:
|
if found:
|
||||||
players[message.guild.id].queue.remove(found)
|
players[message.guild.id].queue.remove(found)
|
||||||
|
|
||||||
if args.clear:
|
if args.clear:
|
||||||
players[message.guild.id].queue.clear()
|
players[message.guild.id].queue.clear()
|
||||||
await utils.add_check_reaction(message)
|
await utils.add_check_reaction(message)
|
||||||
return
|
|
||||||
elif indices := args.remove_index:
|
elif indices := args.remove_index:
|
||||||
targets = []
|
targets = []
|
||||||
for i in indices:
|
for i in indices:
|
||||||
@@ -113,15 +115,15 @@ async def queue_or_play(message, edited=False):
|
|||||||
f"removed **{len(targets)}** queued {'song' if len(targets) == 1 else 'songs'}",
|
f"removed **{len(targets)}** queued {'song' if len(targets) == 1 else 'songs'}",
|
||||||
)
|
)
|
||||||
elif args.remove_title or args.remove_queuer:
|
elif args.remove_title or args.remove_queuer:
|
||||||
targets = []
|
targets = set()
|
||||||
for queued in players[message.guild.id].queue:
|
for queued in players[message.guild.id].queue:
|
||||||
if t := args.remove_title:
|
if t := args.remove_title:
|
||||||
if t in queued.player.title:
|
if t in queued.player.title:
|
||||||
targets.append(queued)
|
targets.add(queued)
|
||||||
continue
|
|
||||||
if q := args.remove_queuer:
|
if q := args.remove_queuer:
|
||||||
if q == queued.trigger_message.author.id:
|
if q == queued.trigger_message.author.id:
|
||||||
targets.append(queued)
|
targets.add(queued)
|
||||||
|
targets = list(targets)
|
||||||
if not args.match_multiple:
|
if not args.match_multiple:
|
||||||
targets = targets[:1]
|
targets = targets[:1]
|
||||||
|
|
||||||
@@ -140,11 +142,12 @@ async def queue_or_play(message, edited=False):
|
|||||||
lambda queued: queued.trigger_message.author.id
|
lambda queued: queued.trigger_message.author.id
|
||||||
== message.author.id,
|
== message.author.id,
|
||||||
players[message.guild.id].queue,
|
players[message.guild.id].queue,
|
||||||
)
|
),
|
||||||
)
|
),
|
||||||
)
|
)
|
||||||
>= 5
|
>= 5
|
||||||
and not len(message.guild.voice_client.channel.members) == 2
|
and not len(message.guild.voice_client.channel.members) == 2
|
||||||
|
and message.author.id not in trusted_users
|
||||||
):
|
):
|
||||||
await utils.reply(
|
await utils.reply(
|
||||||
message,
|
message,
|
||||||
@@ -154,20 +157,22 @@ async def queue_or_play(message, edited=False):
|
|||||||
|
|
||||||
try:
|
try:
|
||||||
async with message.channel.typing():
|
async with message.channel.typing():
|
||||||
player = await youtubedl.YTDLSource.from_url(
|
player = await audio.youtubedl.YTDLSource.from_url(
|
||||||
" ".join(query), loop=client.loop, stream=True
|
" ".join(query),
|
||||||
|
loop=client.loop,
|
||||||
|
stream=True,
|
||||||
)
|
)
|
||||||
player.volume = float(args.volume) / 100.0
|
player.volume = float(args.volume) / 100.0
|
||||||
except Exception as e:
|
except Exception as e:
|
||||||
await utils.reply(message, f"**failed to queue:** `{e}`")
|
await utils.reply(message, f"failed to queue: `{e}`")
|
||||||
return
|
return
|
||||||
|
|
||||||
queued = youtubedl.QueuedSong(player, message)
|
queued = audio.queue.Song(player, message)
|
||||||
|
|
||||||
if args.now or args.next:
|
if args.now or args.next:
|
||||||
players[message.guild.id].queue_add_front(queued)
|
players[message.guild.id].queue_push_front(queued)
|
||||||
else:
|
else:
|
||||||
players[message.guild.id].queue_add(queued)
|
players[message.guild.id].queue_push(queued)
|
||||||
|
|
||||||
if not message.guild.voice_client:
|
if not message.guild.voice_client:
|
||||||
await utils.reply(message, "unexpected disconnect from voice channel!")
|
await utils.reply(message, "unexpected disconnect from voice channel!")
|
||||||
@@ -192,7 +197,7 @@ async def queue_or_play(message, edited=False):
|
|||||||
[
|
[
|
||||||
queued.player.duration if queued.player.duration else 0
|
queued.player.duration if queued.player.duration else 0
|
||||||
for queued in players[message.guild.id].queue
|
for queued in players[message.guild.id].queue
|
||||||
]
|
],
|
||||||
),
|
),
|
||||||
natural=True,
|
natural=True,
|
||||||
)
|
)
|
||||||
@@ -217,13 +222,14 @@ async def queue_or_play(message, edited=False):
|
|||||||
[
|
[
|
||||||
f"**{i + 1}.** {queued.format(show_queuer=True, hide_preview=True, multiline=True)}"
|
f"**{i + 1}.** {queued.format(show_queuer=True, hide_preview=True, multiline=True)}"
|
||||||
for i, queued in batch
|
for i, queued in batch
|
||||||
]
|
],
|
||||||
)
|
)
|
||||||
for batch in itertools.batched(
|
for batch in itertools.batched(
|
||||||
enumerate(players[message.guild.id].queue), 10
|
enumerate(players[message.guild.id].queue),
|
||||||
|
10,
|
||||||
)
|
)
|
||||||
],
|
],
|
||||||
)
|
),
|
||||||
),
|
),
|
||||||
).start(utils.MessageInteractionWrapper(message))
|
).start(utils.MessageInteractionWrapper(message))
|
||||||
else:
|
else:
|
||||||
@@ -235,7 +241,7 @@ async def queue_or_play(message, edited=False):
|
|||||||
|
|
||||||
async def skip(message):
|
async def skip(message):
|
||||||
tokens = commands.tokenize(message.content)
|
tokens = commands.tokenize(message.content)
|
||||||
parser = arguments.ArgumentParser(tokens[0], "skip the currently playing song")
|
parser = arguments.ArgumentParser(tokens[0], "skip the song currently playing")
|
||||||
parser.add_argument(
|
parser.add_argument(
|
||||||
"-n",
|
"-n",
|
||||||
"--next",
|
"--next",
|
||||||
|
@@ -1,9 +1,9 @@
|
|||||||
import disnake
|
import disnake
|
||||||
|
|
||||||
|
import audio
|
||||||
import sponsorblock
|
import sponsorblock
|
||||||
import utils
|
import utils
|
||||||
import youtubedl
|
from constants import EMBED_COLOR, SPONSORBLOCK_CATEGORY_NAMES
|
||||||
from constants import EMBED_COLOR
|
|
||||||
from state import players
|
from state import players
|
||||||
|
|
||||||
from .utils import command_allowed
|
from .utils import command_allowed
|
||||||
@@ -21,18 +21,20 @@ async def sponsorblock_command(message):
|
|||||||
video = await sponsorblock.get_segments(players[message.guild.id].current.player.id)
|
video = await sponsorblock.get_segments(players[message.guild.id].current.player.id)
|
||||||
if not video:
|
if not video:
|
||||||
await utils.reply(
|
await utils.reply(
|
||||||
message, "no sponsorblock segments were found for this video!"
|
message,
|
||||||
|
"no sponsorblock segments were found for this video!",
|
||||||
)
|
)
|
||||||
return
|
return
|
||||||
|
|
||||||
text = []
|
text = []
|
||||||
for segment in video["segments"]:
|
for segment in video["segments"]:
|
||||||
begin, end = map(int, segment["segment"])
|
begin, end = map(int, segment["segment"])
|
||||||
category_name = sponsorblock.CATEGORY_NAMES.get(segment["category"])
|
if (category := segment["category"]) in SPONSORBLOCK_CATEGORY_NAMES:
|
||||||
|
category = SPONSORBLOCK_CATEGORY_NAMES[category]
|
||||||
|
|
||||||
current = "**" if progress >= begin and progress < end else ""
|
current = "**" if progress >= begin and progress < end else ""
|
||||||
text.append(
|
text.append(
|
||||||
f"{current}`{youtubedl.format_duration(begin)}` - `{youtubedl.format_duration(end)}`: {category_name if category_name else 'Unknown'}{current}"
|
f"{current}`{audio.utils.format_duration(begin)}` - `{audio.utils.format_duration(end)}`: {category}{current}",
|
||||||
)
|
)
|
||||||
|
|
||||||
await utils.reply(
|
await utils.reply(
|
||||||
|
@@ -24,7 +24,8 @@ def play_next(message, once=False, first=False):
|
|||||||
if message.guild.id in players and players[message.guild.id].queue:
|
if message.guild.id in players and players[message.guild.id].queue:
|
||||||
queued = players[message.guild.id].queue_pop()
|
queued = players[message.guild.id].queue_pop()
|
||||||
message.guild.voice_client.play(
|
message.guild.voice_client.play(
|
||||||
queued.player, after=lambda e: play_after_callback(e, message, once)
|
queued.player,
|
||||||
|
after=lambda e: play_after_callback(e, message, once),
|
||||||
)
|
)
|
||||||
|
|
||||||
embed = queued.embed()
|
embed = queued.embed()
|
||||||
|
49
constants.py
49
constants.py
@@ -19,8 +19,24 @@ BAR_LENGTH = 35
|
|||||||
EMBED_COLOR = 0xFF6600
|
EMBED_COLOR = 0xFF6600
|
||||||
OWNERS = [531392146767347712]
|
OWNERS = [531392146767347712]
|
||||||
PREFIX = "%"
|
PREFIX = "%"
|
||||||
|
SPONSORBLOCK_CATEGORY_NAMES = {
|
||||||
|
"music_offtopic": "non-music",
|
||||||
|
"selfpromo": "self promotion",
|
||||||
|
"sponsor": "sponsored",
|
||||||
|
}
|
||||||
|
REACTIONS = {
|
||||||
|
"cat": ["🐈"],
|
||||||
|
"dog": ["🐕"],
|
||||||
|
"gn": ["💤", "😪", "😴", "🛌"],
|
||||||
|
"pizza": ["🍕"],
|
||||||
|
}
|
||||||
RELOADABLE_MODULES = [
|
RELOADABLE_MODULES = [
|
||||||
"arguments",
|
"arguments",
|
||||||
|
"audio",
|
||||||
|
"audio.discord",
|
||||||
|
"audio.queue",
|
||||||
|
"audio.utils",
|
||||||
|
"audio.youtubedl",
|
||||||
"commands",
|
"commands",
|
||||||
"commands.bot",
|
"commands.bot",
|
||||||
"commands.tools",
|
"commands.tools",
|
||||||
@@ -40,27 +56,28 @@ RELOADABLE_MODULES = [
|
|||||||
"sponsorblock",
|
"sponsorblock",
|
||||||
"tasks",
|
"tasks",
|
||||||
"utils",
|
"utils",
|
||||||
|
"utils.common",
|
||||||
|
"utils.discord",
|
||||||
"voice",
|
"voice",
|
||||||
"youtubedl",
|
|
||||||
"yt_dlp",
|
"yt_dlp",
|
||||||
"yt_dlp.version",
|
"yt_dlp.version",
|
||||||
]
|
]
|
||||||
PUBLIC_FLAGS = {
|
PUBLIC_FLAGS = {
|
||||||
1: "Discord Employee",
|
1 << 0: "Discord Employee",
|
||||||
2: "Discord Partner",
|
1 << 1: "Discord Partner",
|
||||||
4: "HypeSquad Events",
|
1 << 2: "HypeSquad Events",
|
||||||
8: "Bug Hunter Level 1",
|
1 << 3: "Bug Hunter Level 1",
|
||||||
64: "HypeSquad Bravery",
|
1 << 6: "HypeSquad Bravery",
|
||||||
128: "HypeSquad Brilliance",
|
1 << 7: "HypeSquad Brilliance",
|
||||||
256: "HypeSquad Balance",
|
1 << 8: "HypeSquad Balance",
|
||||||
512: "Early Supporter",
|
1 << 9: "Early Supporter",
|
||||||
1024: "Team User",
|
1 << 10: "Team User",
|
||||||
16384: "Bug Hunter Level 2",
|
1 << 14: "Bug Hunter Level 2",
|
||||||
65536: "Verified Bot",
|
1 << 16: "Verified Bot",
|
||||||
131072: "Verified Bot Developer",
|
1 << 17: "Verified Bot Developer",
|
||||||
262144: "Discord Certified Moderator",
|
1 << 18: "Discord Certified Moderator",
|
||||||
524288: "HTTP Interactions Only",
|
1 << 19: "HTTP Interactions Only",
|
||||||
4194304: "Active Developer",
|
1 << 22: "Active Developer",
|
||||||
}
|
}
|
||||||
BADGE_EMOJIS = {
|
BADGE_EMOJIS = {
|
||||||
"Discord Employee": "<:DiscordStaff:879666899980546068>",
|
"Discord Employee": "<:DiscordStaff:879666899980546068>",
|
||||||
|
47
core.py
47
core.py
@@ -3,6 +3,7 @@ import contextlib
|
|||||||
import importlib
|
import importlib
|
||||||
import inspect
|
import inspect
|
||||||
import io
|
import io
|
||||||
|
import signal
|
||||||
import textwrap
|
import textwrap
|
||||||
import time
|
import time
|
||||||
import traceback
|
import traceback
|
||||||
@@ -48,33 +49,23 @@ async def on_message(message, edited=False):
|
|||||||
|
|
||||||
try:
|
try:
|
||||||
if (cooldowns := command_cooldowns.get(message.author.id)) and not edited:
|
if (cooldowns := command_cooldowns.get(message.author.id)) and not edited:
|
||||||
if (end_time := cooldowns.get(matched)) and int(time.time()) < int(
|
if (end_time := cooldowns.get(matched)) and (
|
||||||
end_time
|
remaining_time := round(end_time - time.time()) > 0
|
||||||
):
|
):
|
||||||
await utils.reply(
|
await utils.reply(
|
||||||
message,
|
message,
|
||||||
f"please wait **{utils.format_duration(int(end_time - time.time()), natural=True)}** before using this command again!",
|
f"please wait **{utils.format_duration(remaining_time, natural=True)}** before using this command again!",
|
||||||
)
|
)
|
||||||
return
|
return
|
||||||
|
|
||||||
match matched:
|
match matched:
|
||||||
case C.RELOAD if message.author.id in OWNERS:
|
case C.RELOAD if message.author.id in OWNERS:
|
||||||
reloaded_modules = set()
|
|
||||||
start = time.time()
|
start = time.time()
|
||||||
|
reloaded_modules = reload()
|
||||||
rreload(reloaded_modules, __import__("core"))
|
|
||||||
rreload(reloaded_modules, __import__("extra"))
|
|
||||||
for module in filter(
|
|
||||||
lambda v: inspect.ismodule(v) and v.__name__ in RELOADABLE_MODULES,
|
|
||||||
globals().values(),
|
|
||||||
):
|
|
||||||
rreload(reloaded_modules, module)
|
|
||||||
|
|
||||||
end = time.time()
|
end = time.time()
|
||||||
if __debug__:
|
debug(
|
||||||
debug(
|
f"reloaded {len(reloaded_modules)} modules in {round(end - start, 2)}s",
|
||||||
f"reloaded {len(reloaded_modules)} modules in {round(end - start, 2)}s"
|
)
|
||||||
)
|
|
||||||
|
|
||||||
await utils.add_check_reaction(message)
|
await utils.add_check_reaction(message)
|
||||||
|
|
||||||
@@ -167,6 +158,7 @@ async def on_voice_state_update(_, before, after):
|
|||||||
channel = before.channel
|
channel = before.channel
|
||||||
elif is_empty(after.channel):
|
elif is_empty(after.channel):
|
||||||
channel = after.channel
|
channel = after.channel
|
||||||
|
|
||||||
if channel:
|
if channel:
|
||||||
await channel.guild.voice_client.disconnect()
|
await channel.guild.voice_client.disconnect()
|
||||||
|
|
||||||
@@ -175,9 +167,9 @@ def rreload(reloaded_modules, module):
|
|||||||
reloaded_modules.add(module.__name__)
|
reloaded_modules.add(module.__name__)
|
||||||
|
|
||||||
for submodule in filter(
|
for submodule in filter(
|
||||||
lambda v: inspect.ismodule(v)
|
lambda sm: inspect.ismodule(sm)
|
||||||
and v.__name__ in RELOADABLE_MODULES
|
and sm.__name__ in RELOADABLE_MODULES
|
||||||
and v.__name__ not in reloaded_modules,
|
and sm.__name__ not in reloaded_modules,
|
||||||
vars(module).values(),
|
vars(module).values(),
|
||||||
):
|
):
|
||||||
rreload(reloaded_modules, submodule)
|
rreload(reloaded_modules, submodule)
|
||||||
@@ -186,3 +178,18 @@ def rreload(reloaded_modules, module):
|
|||||||
|
|
||||||
if "__reload_module__" in dir(module):
|
if "__reload_module__" in dir(module):
|
||||||
module.__reload_module__()
|
module.__reload_module__()
|
||||||
|
|
||||||
|
|
||||||
|
def reload(*_):
|
||||||
|
reloaded_modules = set()
|
||||||
|
rreload(reloaded_modules, __import__("core"))
|
||||||
|
rreload(reloaded_modules, __import__("extra"))
|
||||||
|
for module in filter(
|
||||||
|
lambda v: inspect.ismodule(v) and v.__name__ in RELOADABLE_MODULES,
|
||||||
|
globals().values(),
|
||||||
|
):
|
||||||
|
rreload(reloaded_modules, module)
|
||||||
|
return reloaded_modules
|
||||||
|
|
||||||
|
|
||||||
|
signal.signal(signal.SIGUSR1, reload)
|
||||||
|
17
extra.py
17
extra.py
@@ -8,11 +8,15 @@ from state import client, kill, players
|
|||||||
|
|
||||||
|
|
||||||
async def transcript(
|
async def transcript(
|
||||||
message, languages=["en"], max_messages=6, min_messages=3, upper=True
|
message,
|
||||||
|
languages=["en"],
|
||||||
|
max_messages=6,
|
||||||
|
min_messages=3,
|
||||||
|
upper=True,
|
||||||
):
|
):
|
||||||
initial_id = message.guild.voice_client.source.id
|
initial_id = message.guild.voice_client.source.id
|
||||||
transcript_list = youtube_transcript_api.YouTubeTranscriptApi.list_transcripts(
|
transcript_list = youtube_transcript_api.YouTubeTranscriptApi.list_transcripts(
|
||||||
initial_id
|
initial_id,
|
||||||
)
|
)
|
||||||
try:
|
try:
|
||||||
transcript = transcript_list.find_manually_created_transcript(languages).fetch()
|
transcript = transcript_list.find_manually_created_transcript(languages).fetch()
|
||||||
@@ -44,7 +48,7 @@ async def transcript(
|
|||||||
await messages.pop().delete()
|
await messages.pop().delete()
|
||||||
else:
|
else:
|
||||||
await message.channel.delete_messages(
|
await message.channel.delete_messages(
|
||||||
[messages.pop() for _ in range(count)]
|
[messages.pop() for _ in range(count)],
|
||||||
)
|
)
|
||||||
except Exception:
|
except Exception:
|
||||||
pass
|
pass
|
||||||
@@ -77,19 +81,20 @@ def messages_per_second(limit=500):
|
|||||||
average = 1
|
average = 1
|
||||||
print(
|
print(
|
||||||
f"I am receiving **{average} {'message' if average == 1 else 'messages'} per second** "
|
f"I am receiving **{average} {'message' if average == 1 else 'messages'} per second** "
|
||||||
f"from **{len(members)} {'member' if len(members) == 1 else 'members'}** across **{len(guilds)} {'guild' if len(guilds) == 1 else 'guilds'}**"
|
f"from **{len(members)} {'member' if len(members) == 1 else 'members'}** across **{len(guilds)} {'guild' if len(guilds) == 1 else 'guilds'}**",
|
||||||
)
|
)
|
||||||
|
|
||||||
|
|
||||||
async def auto_count(channel_id: int):
|
async def auto_count(channel_id: int):
|
||||||
if (channel := await client.fetch_channel(channel_id)) and isinstance(
|
if (channel := await client.fetch_channel(channel_id)) and isinstance(
|
||||||
channel, disnake.TextChannel
|
channel,
|
||||||
|
disnake.TextChannel,
|
||||||
):
|
):
|
||||||
last_message = (await channel.history(limit=1).flatten())[0]
|
last_message = (await channel.history(limit=1).flatten())[0]
|
||||||
try:
|
try:
|
||||||
result = str(
|
result = str(
|
||||||
int("".join(filter(lambda d: d in string.digits, last_message.content)))
|
int("".join(filter(lambda d: d in string.digits, last_message.content)))
|
||||||
+ 1
|
+ 1,
|
||||||
)
|
)
|
||||||
except Exception:
|
except Exception:
|
||||||
result = "where number"
|
result = "where number"
|
||||||
|
11
fun.py
11
fun.py
@@ -1,10 +1,13 @@
|
|||||||
import random
|
import random
|
||||||
|
|
||||||
import commands
|
import commands
|
||||||
|
from constants import REACTIONS
|
||||||
|
|
||||||
|
|
||||||
async def on_message(message):
|
async def on_message(message):
|
||||||
if random.random() < 0.01 and "gn" in commands.tokenize(
|
if random.random() < 0.01:
|
||||||
message.content, remove_prefix=False
|
tokens = commands.tokenize(message.content, remove_prefix=False)
|
||||||
):
|
for keyword, options in REACTIONS.items():
|
||||||
await message.add_reaction(random.choice(["💤", "😪", "😴", "🛌"]))
|
if keyword in tokens:
|
||||||
|
await message.add_reaction(random.choice(options))
|
||||||
|
break
|
||||||
|
2
main.py
2
main.py
@@ -7,7 +7,7 @@ from state import client
|
|||||||
if __name__ == "__main__":
|
if __name__ == "__main__":
|
||||||
logging.basicConfig(
|
logging.basicConfig(
|
||||||
format=(
|
format=(
|
||||||
"%(asctime)s %(levelname)s %(name):%(module)s %(message)s"
|
"%(asctime)s %(levelname)s %(name)s:%(module)s %(message)s"
|
||||||
if __debug__
|
if __debug__
|
||||||
else "%(asctime)s %(levelname)s %(message)s"
|
else "%(asctime)s %(levelname)s %(message)s"
|
||||||
),
|
),
|
||||||
|
@@ -5,4 +5,4 @@ disnake_paginator
|
|||||||
psutil
|
psutil
|
||||||
PyNaCl
|
PyNaCl
|
||||||
youtube_transcript_api
|
youtube_transcript_api
|
||||||
yt-dlp
|
yt-dlp[default] @ https://github.com/yt-dlp/yt-dlp/archive/master.tar.gz
|
||||||
|
@@ -1,28 +1,36 @@
|
|||||||
import hashlib
|
import hashlib
|
||||||
|
import json
|
||||||
|
|
||||||
import aiohttp
|
import aiohttp
|
||||||
|
|
||||||
from state import sponsorblock_cache
|
from state import sponsorblock_cache
|
||||||
|
|
||||||
CATEGORY_NAMES = {
|
categories = json.dumps(
|
||||||
"music_offtopic": "non-music",
|
[
|
||||||
"sponsor": "sponsored",
|
"interaction",
|
||||||
}
|
"intro",
|
||||||
|
"music_offtopic",
|
||||||
|
"outro",
|
||||||
|
"preview",
|
||||||
|
"selfpromo",
|
||||||
|
"sponsor",
|
||||||
|
],
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
async def get_segments(video_id: str):
|
async def get_segments(video_id: str):
|
||||||
if video_id in sponsorblock_cache:
|
if video_id in sponsorblock_cache:
|
||||||
return sponsorblock_cache[video_id]
|
return sponsorblock_cache[video_id]
|
||||||
|
|
||||||
hashPrefix = hashlib.sha256(video_id.encode()).hexdigest()[:4]
|
hash_prefix = hashlib.sha256(video_id.encode()).hexdigest()[:4]
|
||||||
session = aiohttp.ClientSession()
|
session = aiohttp.ClientSession()
|
||||||
response = await session.get(
|
response = await session.get(
|
||||||
f"https://sponsor.ajay.app/api/skipSegments/{hashPrefix}",
|
f"https://sponsor.ajay.app/api/skipSegments/{hash_prefix}",
|
||||||
params={"categories": '["sponsor", "music_offtopic"]'},
|
params={"categories": categories},
|
||||||
)
|
)
|
||||||
if response.status == 200 and (
|
if response.status == 200 and (
|
||||||
results := list(
|
results := list(
|
||||||
filter(lambda v: video_id == v["videoID"], await response.json())
|
filter(lambda v: video_id == v["videoID"], await response.json()),
|
||||||
)
|
)
|
||||||
):
|
):
|
||||||
sponsorblock_cache[video_id] = results[0]
|
sponsorblock_cache[video_id] = results[0]
|
||||||
|
3
state.py
3
state.py
@@ -15,5 +15,6 @@ idle_tracker = {"is_idle": False, "last_used": time.time()}
|
|||||||
kill = {"transcript": False}
|
kill = {"transcript": False}
|
||||||
message_responses = LimitedSizeDict()
|
message_responses = LimitedSizeDict()
|
||||||
players = {}
|
players = {}
|
||||||
sponsorblock_cache = LimitedSizeDict(size_limit=100)
|
sponsorblock_cache = LimitedSizeDict()
|
||||||
start_time = time.time()
|
start_time = time.time()
|
||||||
|
trusted_users = []
|
||||||
|
5
tasks.py
5
tasks.py
@@ -11,7 +11,7 @@ async def cleanup():
|
|||||||
debug("spawned cleanup thread")
|
debug("spawned cleanup thread")
|
||||||
|
|
||||||
while True:
|
while True:
|
||||||
await asyncio.sleep(3600 * 12)
|
await asyncio.sleep(3600)
|
||||||
|
|
||||||
targets = []
|
targets = []
|
||||||
for guild_id, player in players.items():
|
for guild_id, player in players.items():
|
||||||
@@ -19,8 +19,7 @@ async def cleanup():
|
|||||||
targets.append(guild_id)
|
targets.append(guild_id)
|
||||||
for target in targets:
|
for target in targets:
|
||||||
del players[target]
|
del players[target]
|
||||||
if __debug__:
|
debug(f"cleanup thread removed {len(targets)} empty players")
|
||||||
debug(f"cleanup removed {len(targets)} empty players")
|
|
||||||
|
|
||||||
if (
|
if (
|
||||||
not idle_tracker["is_idle"]
|
not idle_tracker["is_idle"]
|
||||||
|
@@ -1,3 +1,3 @@
|
|||||||
from . import test_filter_secrets, test_format_duration
|
from . import test_filter_secrets, test_format_duration
|
||||||
|
|
||||||
__all__ = ["test_format_duration", "test_filter_secrets"]
|
__all__ = ["test_filter_secrets", "test_format_duration"]
|
||||||
|
@@ -7,15 +7,15 @@ class TestFilterSecrets(unittest.TestCase):
|
|||||||
def test_filter_secrets(self):
|
def test_filter_secrets(self):
|
||||||
secret = "PLACEHOLDER_TOKEN"
|
secret = "PLACEHOLDER_TOKEN"
|
||||||
self.assertFalse(
|
self.assertFalse(
|
||||||
secret in utils.filter_secrets(f"HELLO{secret}WORLD", {"TOKEN": secret})
|
secret in utils.filter_secrets(f"HELLO{secret}WORLD", {"TOKEN": secret}),
|
||||||
)
|
)
|
||||||
self.assertFalse(secret in utils.filter_secrets(secret, {"TOKEN": secret}))
|
self.assertFalse(secret in utils.filter_secrets(secret, {"TOKEN": secret}))
|
||||||
self.assertFalse(
|
self.assertFalse(
|
||||||
secret in utils.filter_secrets(f"123{secret}", {"TOKEN": secret})
|
secret in utils.filter_secrets(f"123{secret}", {"TOKEN": secret}),
|
||||||
)
|
)
|
||||||
self.assertFalse(
|
self.assertFalse(
|
||||||
secret in utils.filter_secrets(f"{secret}{secret}", {"TOKEN": secret})
|
secret in utils.filter_secrets(f"{secret}{secret}", {"TOKEN": secret}),
|
||||||
)
|
)
|
||||||
self.assertFalse(
|
self.assertFalse(
|
||||||
secret in utils.filter_secrets(f"{secret}@#(*&*$)", {"TOKEN": secret})
|
secret in utils.filter_secrets(f"{secret}@#(*&*$)", {"TOKEN": secret}),
|
||||||
)
|
)
|
||||||
|
@@ -1,13 +1,13 @@
|
|||||||
import unittest
|
import unittest
|
||||||
|
|
||||||
|
import audio
|
||||||
import utils
|
import utils
|
||||||
import youtubedl
|
|
||||||
|
|
||||||
|
|
||||||
class TestFormatDuration(unittest.TestCase):
|
class TestFormatDuration(unittest.TestCase):
|
||||||
def test_youtubedl(self):
|
def test_audio(self):
|
||||||
def f(s):
|
def f(s):
|
||||||
return youtubedl.format_duration(s)
|
return audio.utils.format_duration(s)
|
||||||
|
|
||||||
self.assertEqual(f(0), "00:00")
|
self.assertEqual(f(0), "00:00")
|
||||||
self.assertEqual(f(0.5), "00:00")
|
self.assertEqual(f(0.5), "00:00")
|
||||||
|
@@ -1,4 +1,4 @@
|
|||||||
from .common import LimitedSizeDict, filter_secrets, format_duration
|
from .common import LimitedSizeDict, filter_secrets, format_duration, surround
|
||||||
from .discord import (
|
from .discord import (
|
||||||
ChannelResponseWrapper,
|
ChannelResponseWrapper,
|
||||||
MessageInteractionWrapper,
|
MessageInteractionWrapper,
|
||||||
@@ -24,4 +24,5 @@ __all__ = [
|
|||||||
"MessageInteractionWrapper",
|
"MessageInteractionWrapper",
|
||||||
"reply",
|
"reply",
|
||||||
"snowflake_timestamp",
|
"snowflake_timestamp",
|
||||||
|
"surround",
|
||||||
]
|
]
|
||||||
|
@@ -3,7 +3,11 @@ from collections import OrderedDict
|
|||||||
from constants import SECRETS
|
from constants import SECRETS
|
||||||
|
|
||||||
|
|
||||||
def format_duration(duration: int, natural: bool = False, short: bool = False):
|
def surround(inner: str, outer="```") -> str:
|
||||||
|
return outer + str(inner) + outer
|
||||||
|
|
||||||
|
|
||||||
|
def format_duration(duration: int, natural: bool = False, short: bool = False) -> str:
|
||||||
def format_plural(noun, count):
|
def format_plural(noun, count):
|
||||||
if short:
|
if short:
|
||||||
return noun[0]
|
return noun[0]
|
||||||
@@ -46,7 +50,7 @@ def filter_secrets(text: str, secrets=SECRETS) -> str:
|
|||||||
|
|
||||||
class LimitedSizeDict(OrderedDict):
|
class LimitedSizeDict(OrderedDict):
|
||||||
def __init__(self, *args, **kwargs):
|
def __init__(self, *args, **kwargs):
|
||||||
self.size_limit = kwargs.pop("size_limit", 1000)
|
self.size_limit = kwargs.pop("size_limit", 100)
|
||||||
super().__init__(*args, **kwargs)
|
super().__init__(*args, **kwargs)
|
||||||
self._check_size_limit()
|
self._check_size_limit()
|
||||||
|
|
||||||
|
@@ -1,14 +1,18 @@
|
|||||||
import os
|
|
||||||
import time
|
import time
|
||||||
from logging import error, info
|
from logging import error, info
|
||||||
|
from pathlib import Path
|
||||||
|
|
||||||
import disnake
|
import disnake
|
||||||
|
|
||||||
import commands
|
import commands
|
||||||
|
from constants import OWNERS
|
||||||
from state import command_cooldowns, message_responses
|
from state import command_cooldowns, message_responses
|
||||||
|
|
||||||
|
|
||||||
def cooldown(message, cooldown_time: int):
|
def cooldown(message, cooldown_time: int):
|
||||||
|
if message.author.id in OWNERS:
|
||||||
|
return
|
||||||
|
|
||||||
possible_commands = commands.match(message.content)
|
possible_commands = commands.match(message.content)
|
||||||
if not possible_commands or len(possible_commands) > 1:
|
if not possible_commands or len(possible_commands) > 1:
|
||||||
return
|
return
|
||||||
@@ -30,7 +34,9 @@ async def reply(message, *args, **kwargs):
|
|||||||
|
|
||||||
try:
|
try:
|
||||||
await message_responses[message.id].edit(
|
await message_responses[message.id].edit(
|
||||||
*args, **kwargs, allowed_mentions=disnake.AllowedMentions.none()
|
*args,
|
||||||
|
**kwargs,
|
||||||
|
allowed_mentions=disnake.AllowedMentions.none(),
|
||||||
)
|
)
|
||||||
return
|
return
|
||||||
except Exception:
|
except Exception:
|
||||||
@@ -38,7 +44,9 @@ async def reply(message, *args, **kwargs):
|
|||||||
|
|
||||||
try:
|
try:
|
||||||
response = await message.reply(
|
response = await message.reply(
|
||||||
*args, **kwargs, allowed_mentions=disnake.AllowedMentions.none()
|
*args,
|
||||||
|
**kwargs,
|
||||||
|
allowed_mentions=disnake.AllowedMentions.none(),
|
||||||
)
|
)
|
||||||
except Exception:
|
except Exception:
|
||||||
response = await channel_send(message, *args, **kwargs)
|
response = await channel_send(message, *args, **kwargs)
|
||||||
@@ -48,13 +56,15 @@ async def reply(message, *args, **kwargs):
|
|||||||
|
|
||||||
async def channel_send(message, *args, **kwargs):
|
async def channel_send(message, *args, **kwargs):
|
||||||
await message.channel.send(
|
await message.channel.send(
|
||||||
*args, **kwargs, allowed_mentions=disnake.AllowedMentions.none()
|
*args,
|
||||||
|
**kwargs,
|
||||||
|
allowed_mentions=disnake.AllowedMentions.none(),
|
||||||
)
|
)
|
||||||
|
|
||||||
|
|
||||||
def load_opus():
|
def load_opus():
|
||||||
for path in filter(
|
for path in filter(
|
||||||
lambda p: os.path.exists(p),
|
lambda p: Path(p).exists(),
|
||||||
["/usr/lib64/libopus.so.0", "/usr/lib/libopus.so.0"],
|
["/usr/lib64/libopus.so.0", "/usr/lib/libopus.so.0"],
|
||||||
):
|
):
|
||||||
try:
|
try:
|
||||||
@@ -66,8 +76,8 @@ def load_opus():
|
|||||||
raise Exception("could not locate working opus library")
|
raise Exception("could not locate working opus library")
|
||||||
|
|
||||||
|
|
||||||
def snowflake_timestamp(id):
|
def snowflake_timestamp(snowflake) -> int:
|
||||||
return round(((id >> 22) + 1420070400000) / 1000)
|
return round(((snowflake >> 22) + 1420070400000) / 1000)
|
||||||
|
|
||||||
|
|
||||||
async def add_check_reaction(message):
|
async def add_check_reaction(message):
|
||||||
@@ -76,7 +86,8 @@ async def add_check_reaction(message):
|
|||||||
|
|
||||||
async def invalid_user_handler(interaction):
|
async def invalid_user_handler(interaction):
|
||||||
await interaction.response.send_message(
|
await interaction.response.send_message(
|
||||||
"you are not the intended receiver of this message!", ephemeral=True
|
"you are not the intended receiver of this message!",
|
||||||
|
ephemeral=True,
|
||||||
)
|
)
|
||||||
|
|
||||||
|
|
||||||
@@ -86,8 +97,7 @@ class ChannelResponseWrapper:
|
|||||||
self.sent_message = None
|
self.sent_message = None
|
||||||
|
|
||||||
async def send_message(self, **kwargs):
|
async def send_message(self, **kwargs):
|
||||||
if "ephemeral" in kwargs:
|
kwargs.pop("ephemeral", None)
|
||||||
del kwargs["ephemeral"]
|
|
||||||
self.sent_message = await reply(self.message, **kwargs)
|
self.sent_message = await reply(self.message, **kwargs)
|
||||||
|
|
||||||
async def edit_message(self, content=None, embed=None, view=None):
|
async def edit_message(self, content=None, embed=None, view=None):
|
||||||
|
212
youtubedl.py
212
youtubedl.py
@@ -1,212 +0,0 @@
|
|||||||
import asyncio
|
|
||||||
import audioop
|
|
||||||
import collections
|
|
||||||
from dataclasses import dataclass
|
|
||||||
from typing import Any, Optional
|
|
||||||
|
|
||||||
import disnake
|
|
||||||
import yt_dlp
|
|
||||||
|
|
||||||
from constants import BAR_LENGTH, EMBED_COLOR, YTDL_OPTIONS
|
|
||||||
|
|
||||||
ytdl = yt_dlp.YoutubeDL(YTDL_OPTIONS)
|
|
||||||
|
|
||||||
|
|
||||||
class TrackedAudioSource(disnake.AudioSource):
|
|
||||||
def __init__(self, source):
|
|
||||||
self._source = source
|
|
||||||
self.read_count = 0
|
|
||||||
|
|
||||||
def read(self) -> bytes:
|
|
||||||
data = self._source.read()
|
|
||||||
if data:
|
|
||||||
self.read_count += 1
|
|
||||||
return data
|
|
||||||
|
|
||||||
def fast_forward(self, seconds: int):
|
|
||||||
for _ in range(int(seconds / 0.02)):
|
|
||||||
self.read()
|
|
||||||
|
|
||||||
@property
|
|
||||||
def progress(self) -> float:
|
|
||||||
return self.read_count * 0.02
|
|
||||||
|
|
||||||
|
|
||||||
class PCMVolumeTransformer(disnake.AudioSource):
|
|
||||||
def __init__(self, original: TrackedAudioSource, volume: float = 1.0) -> None:
|
|
||||||
if original.is_opus():
|
|
||||||
raise disnake.ClientException("AudioSource must not be Opus encoded.")
|
|
||||||
|
|
||||||
self.original = original
|
|
||||||
self.volume = volume
|
|
||||||
|
|
||||||
def cleanup(self) -> None:
|
|
||||||
self.original.cleanup()
|
|
||||||
|
|
||||||
def read(self) -> bytes:
|
|
||||||
ret = self.original.read()
|
|
||||||
return audioop.mul(ret, 2, self.volume)
|
|
||||||
|
|
||||||
|
|
||||||
class YTDLSource(PCMVolumeTransformer):
|
|
||||||
def __init__(
|
|
||||||
self, source: TrackedAudioSource, *, data: dict[str, Any], volume: float = 0.5
|
|
||||||
):
|
|
||||||
super().__init__(source, volume)
|
|
||||||
|
|
||||||
self.description = data.get("description")
|
|
||||||
self.duration = data.get("duration")
|
|
||||||
self.id = data.get("id")
|
|
||||||
self.like_count = data.get("like_count")
|
|
||||||
self.original_url = data.get("original_url")
|
|
||||||
self.thumbnail_url = data.get("thumbnail")
|
|
||||||
self.timestamp = data.get("timestamp")
|
|
||||||
self.title = data.get("title")
|
|
||||||
self.uploader = data.get("uploader")
|
|
||||||
self.uploader_url = data.get("uploader_url")
|
|
||||||
self.view_count = data.get("view_count")
|
|
||||||
|
|
||||||
@classmethod
|
|
||||||
async def from_url(
|
|
||||||
cls,
|
|
||||||
url,
|
|
||||||
*,
|
|
||||||
loop: Optional[asyncio.AbstractEventLoop] = None,
|
|
||||||
stream: bool = False,
|
|
||||||
):
|
|
||||||
loop = loop or asyncio.get_event_loop()
|
|
||||||
data: Any = await loop.run_in_executor(
|
|
||||||
None, lambda: ytdl.extract_info(url, download=not stream)
|
|
||||||
)
|
|
||||||
|
|
||||||
if "entries" in data:
|
|
||||||
if not data["entries"]:
|
|
||||||
raise Exception("no entries provided by yt-dlp!")
|
|
||||||
data = data["entries"][0]
|
|
||||||
|
|
||||||
return cls(
|
|
||||||
TrackedAudioSource(
|
|
||||||
disnake.FFmpegPCMAudio(
|
|
||||||
data["url"] if stream else ytdl.prepare_filename(data),
|
|
||||||
before_options="-vn -reconnect 1",
|
|
||||||
)
|
|
||||||
),
|
|
||||||
data=data,
|
|
||||||
)
|
|
||||||
|
|
||||||
def __repr__(self):
|
|
||||||
return f"<YTDLSource title={self.title} original_url=<{self.original_url}> duration={self.duration}>"
|
|
||||||
|
|
||||||
def __str__(self):
|
|
||||||
return self.__repr__()
|
|
||||||
|
|
||||||
|
|
||||||
@dataclass
|
|
||||||
class QueuedSong:
|
|
||||||
player: YTDLSource
|
|
||||||
trigger_message: disnake.Message
|
|
||||||
|
|
||||||
def format(self, show_queuer=False, hide_preview=False, multiline=False) -> str:
|
|
||||||
if multiline:
|
|
||||||
return (
|
|
||||||
f"[`{self.player.title}`]({'<' if hide_preview else ''}{self.player.original_url}{'>' if hide_preview else ''})\n**duration:** {format_duration(self.player.duration) if self.player.duration else '[live]'}"
|
|
||||||
+ (
|
|
||||||
f", **queued by:** <@{self.trigger_message.author.id}>"
|
|
||||||
if show_queuer
|
|
||||||
else ""
|
|
||||||
)
|
|
||||||
)
|
|
||||||
else:
|
|
||||||
return (
|
|
||||||
f"[`{self.player.title}`]({'<' if hide_preview else ''}{self.player.original_url}{'>' if hide_preview else ''}) [**{format_duration(self.player.duration) if self.player.duration else 'live'}**]"
|
|
||||||
+ (f" (<@{self.trigger_message.author.id}>)" if show_queuer else "")
|
|
||||||
)
|
|
||||||
|
|
||||||
def embed(self, is_paused=False):
|
|
||||||
progress = 0
|
|
||||||
if self.player.duration:
|
|
||||||
progress = self.player.original.progress / self.player.duration
|
|
||||||
|
|
||||||
embed = disnake.Embed(
|
|
||||||
color=EMBED_COLOR,
|
|
||||||
title=self.player.title,
|
|
||||||
url=self.player.original_url,
|
|
||||||
description=(
|
|
||||||
f"{'⏸️ ' if is_paused else ''}"
|
|
||||||
f"`[{'#' * int(progress * BAR_LENGTH)}{'-' * int((1 - progress) * BAR_LENGTH)}]` "
|
|
||||||
+ (
|
|
||||||
f"**{format_duration(int(self.player.original.progress))}** / **{format_duration(self.player.duration)}** (**{round(progress * 100)}%**)"
|
|
||||||
if self.player.duration
|
|
||||||
else "[**live**]"
|
|
||||||
)
|
|
||||||
),
|
|
||||||
)
|
|
||||||
|
|
||||||
if self.player.uploader_url:
|
|
||||||
embed.add_field(
|
|
||||||
name="Uploader",
|
|
||||||
value=f"[{self.player.uploader}]({self.player.uploader_url})",
|
|
||||||
)
|
|
||||||
else:
|
|
||||||
embed.add_field(
|
|
||||||
name="Uploader",
|
|
||||||
value=self.player.uploader,
|
|
||||||
)
|
|
||||||
embed.add_field(
|
|
||||||
name="Likes",
|
|
||||||
value=f"{self.player.like_count:,}"
|
|
||||||
if self.player.like_count
|
|
||||||
else "Unknown",
|
|
||||||
)
|
|
||||||
embed.add_field(name="Views", value=f"{self.player.view_count:,}")
|
|
||||||
embed.add_field(name="Published", value=f"<t:{self.player.timestamp}>")
|
|
||||||
embed.add_field(name="Volume", value=f"{int(self.player.volume * 100)}%")
|
|
||||||
|
|
||||||
embed.set_image(self.player.thumbnail_url)
|
|
||||||
embed.set_footer(
|
|
||||||
text=f"queued by {self.trigger_message.author.name}",
|
|
||||||
icon_url=(
|
|
||||||
self.trigger_message.author.avatar.url
|
|
||||||
if self.trigger_message.author.avatar
|
|
||||||
else None
|
|
||||||
),
|
|
||||||
)
|
|
||||||
|
|
||||||
return embed
|
|
||||||
|
|
||||||
def __str__(self):
|
|
||||||
return self.__repr__()
|
|
||||||
|
|
||||||
|
|
||||||
@dataclass
|
|
||||||
class QueuedPlayer:
|
|
||||||
queue = collections.deque()
|
|
||||||
current: Optional[QueuedSong] = None
|
|
||||||
|
|
||||||
def queue_pop(self):
|
|
||||||
popped = self.queue.popleft()
|
|
||||||
self.current = popped
|
|
||||||
return popped
|
|
||||||
|
|
||||||
def queue_add(self, item):
|
|
||||||
self.queue.append(item)
|
|
||||||
|
|
||||||
def queue_add_front(self, item):
|
|
||||||
self.queue.appendleft(item)
|
|
||||||
|
|
||||||
def __str__(self):
|
|
||||||
return self.__repr__()
|
|
||||||
|
|
||||||
|
|
||||||
def format_duration(duration: int | float) -> str:
|
|
||||||
hours, duration = divmod(int(duration), 3600)
|
|
||||||
minutes, duration = divmod(duration, 60)
|
|
||||||
segments = [hours, minutes, duration]
|
|
||||||
if len(segments) == 3 and segments[0] == 0:
|
|
||||||
del segments[0]
|
|
||||||
return f"{':'.join(f'{s:0>2}' for s in segments)}"
|
|
||||||
|
|
||||||
|
|
||||||
def __reload_module__():
|
|
||||||
global ytdl
|
|
||||||
ytdl = yt_dlp.YoutubeDL(YTDL_OPTIONS)
|
|
Reference in New Issue
Block a user