twilight_lavalink/node.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758
//! Nodes for communicating with a Lavalink server.
//!
//! Using nodes, you can send events to a server and receive events.
//!
//! This is a bit more low level than using the [`Lavalink`] client because you
//! will need to provide your own `VoiceUpdate` events when your bot joins
//! channels, meaning you will have to accumulate and combine voice state update
//! and voice server update events from the Discord gateway to send them to
//! a node.
//!
//! Additionally, you will have to create and manage your own [`PlayerManager`]
//! and make your own players for guilds when your bot joins voice channels.
//!
//! This can be a lot of work, and there's not really much reason to do it
//! yourself. For that reason, you should almost always use the `Lavalink`
//! client which does all of this for you.
//!
//! [`Lavalink`]: crate::client::Lavalink
use crate::{
model::{IncomingEvent, Opcode, OutgoingEvent, PlayerUpdate, Stats, StatsCpu, StatsMemory},
player::PlayerManager,
};
use futures_util::{
lock::BiLock,
sink::SinkExt,
stream::{Stream, StreamExt},
};
use http::header::{HeaderName, AUTHORIZATION};
use std::{
error::Error,
fmt::{Debug, Display, Formatter, Result as FmtResult},
net::SocketAddr,
pin::Pin,
task::{Context, Poll},
time::Duration,
};
use tokio::{
net::TcpStream,
sync::mpsc::{self, UnboundedReceiver, UnboundedSender},
time as tokio_time,
};
use tokio_websockets::{
upgrade, ClientBuilder, Error as WebsocketError, MaybeTlsStream, Message, WebSocketStream,
};
use twilight_model::id::{marker::UserMarker, Id};
/// An error occurred while either initializing a connection or while running
/// its event loop.
#[derive(Debug)]
pub struct NodeError {
kind: NodeErrorType,
source: Option<Box<dyn Error + Send + Sync>>,
}
impl NodeError {
/// Immutable reference to the type of error that occurred.
#[must_use = "retrieving the type has no effect if left unused"]
pub const fn kind(&self) -> &NodeErrorType {
&self.kind
}
/// Consume the error, returning the source error if there is any.
#[must_use = "consuming the error and retrieving the source has no effect if left unused"]
pub fn into_source(self) -> Option<Box<dyn Error + Send + Sync>> {
self.source
}
/// Consume the error, returning the owned error type and the source error.
#[must_use = "consuming the error into its parts has no effect if left unused"]
pub fn into_parts(self) -> (NodeErrorType, Option<Box<dyn Error + Send + Sync>>) {
(self.kind, self.source)
}
}
impl Display for NodeError {
fn fmt(&self, f: &mut Formatter<'_>) -> FmtResult {
match &self.kind {
NodeErrorType::BuildingConnectionRequest { .. } => {
f.write_str("failed to build connection request")
}
NodeErrorType::Connecting { .. } => f.write_str("Failed to connect to the node"),
NodeErrorType::SerializingMessage { .. } => {
f.write_str("failed to serialize outgoing message as json")
}
NodeErrorType::Unauthorized { address, .. } => {
f.write_str("the authorization used to connect to node ")?;
Display::fmt(address, f)?;
f.write_str(" is invalid")
}
}
}
}
impl Error for NodeError {
fn source(&self) -> Option<&(dyn Error + 'static)> {
self.source
.as_ref()
.map(|source| &**source as &(dyn Error + 'static))
}
}
/// Type of [`NodeError`] that occurred.
#[derive(Debug)]
#[non_exhaustive]
pub enum NodeErrorType {
/// Building the HTTP request to initialize a connection failed.
BuildingConnectionRequest,
/// Connecting to the Lavalink server failed after several backoff attempts.
Connecting,
/// Serializing a JSON message to be sent to a Lavalink node failed.
SerializingMessage {
/// The message that couldn't be serialized.
message: OutgoingEvent,
},
/// The given authorization for the node is incorrect.
Unauthorized {
/// The address of the node that failed to authorize.
address: SocketAddr,
/// The authorization used to connect to the node.
authorization: String,
},
}
/// An error that can occur while sending an event over a node.
#[derive(Debug)]
pub struct NodeSenderError {
kind: NodeSenderErrorType,
source: Option<Box<dyn Error + Send + Sync>>,
}
impl NodeSenderError {
/// Immutable reference to the type of error that occurred.
pub const fn kind(&self) -> &NodeSenderErrorType {
&self.kind
}
/// Consume the error, returning the source error if there is any.
pub fn into_source(self) -> Option<Box<dyn Error + Send + Sync>> {
self.source
}
/// Consume the error, returning the owned error type and the source error.
#[must_use = "consuming the error into its parts has no effect if left unused"]
pub fn into_parts(self) -> (NodeSenderErrorType, Option<Box<dyn Error + Send + Sync>>) {
(self.kind, self.source)
}
}
impl Display for NodeSenderError {
fn fmt(&self, f: &mut Formatter<'_>) -> FmtResult {
match &self.kind {
NodeSenderErrorType::Sending => f.write_str("failed to send over channel"),
}
}
}
impl Error for NodeSenderError {
fn source(&self) -> Option<&(dyn Error + 'static)> {
self.source
.as_ref()
.map(|source| &**source as &(dyn Error + 'static))
}
}
/// Type of [`NodeSenderError`] that occurred.
#[derive(Debug)]
#[non_exhaustive]
pub enum NodeSenderErrorType {
/// Error occurred while sending over the channel.
Sending,
}
/// Stream of incoming events from a node.
pub struct IncomingEvents {
inner: UnboundedReceiver<IncomingEvent>,
}
impl IncomingEvents {
/// Closes the receiving half of a channel without dropping it.
pub fn close(&mut self) {
self.inner.close();
}
}
impl Stream for IncomingEvents {
type Item = IncomingEvent;
fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> {
self.inner.poll_recv(cx)
}
}
/// Send outgoing events to the associated node.
pub struct NodeSender {
inner: UnboundedSender<OutgoingEvent>,
}
impl NodeSender {
/// Returns whether this channel is closed without needing a context.
pub fn is_closed(&self) -> bool {
self.inner.is_closed()
}
/// Sends a message along this channel.
///
/// This is an unbounded sender, so this function differs from `Sink::send`
/// by ensuring the return type reflects that the channel is always ready to
/// receive messages.
///
/// # Errors
///
/// Returns a [`NodeSenderErrorType::Sending`] error type if node is no
/// longer connected.
pub fn send(&self, msg: OutgoingEvent) -> Result<(), NodeSenderError> {
self.inner.send(msg).map_err(|source| NodeSenderError {
kind: NodeSenderErrorType::Sending,
source: Some(Box::new(source)),
})
}
}
/// The configuration that a [`Node`] uses to connect to a Lavalink server.
#[derive(Clone, Eq, PartialEq)]
#[non_exhaustive]
// Keep fields in sync with its Debug implementation.
pub struct NodeConfig {
/// The address of the node.
pub address: SocketAddr,
/// The password to use when authenticating.
pub authorization: String,
/// The details for resuming a Lavalink session, if any.
///
/// Set this to `None` to disable resume capability.
pub resume: Option<Resume>,
/// The user ID of the bot.
pub user_id: Id<UserMarker>,
}
impl Debug for NodeConfig {
fn fmt(&self, f: &mut Formatter<'_>) -> FmtResult {
/// Debug as `<redacted>`. Necessary because debugging a struct field
/// with a value of of `"<redacted>"` will insert quotations in the
/// string, which doesn't align with other token debugs.
struct Redacted;
impl Debug for Redacted {
fn fmt(&self, f: &mut Formatter<'_>) -> FmtResult {
f.write_str("<redacted>")
}
}
f.debug_struct("NodeConfig")
.field("address", &self.address)
.field("authorization", &Redacted)
.field("resume", &self.resume)
.field("user_id", &self.user_id)
.finish()
}
}
/// Configuration for a session which can be resumed.
#[derive(Clone, Debug, Eq, PartialEq)]
#[non_exhaustive]
pub struct Resume {
/// The number of seconds that the Lavalink server will allow the session to
/// be resumed for after a disconnect.
///
/// The default is 60.
pub timeout: u64,
}
impl Resume {
/// Configure resume capability, providing the number of seconds that the
/// Lavalink server should queue events for when the connection is resumed.
pub const fn new(seconds: u64) -> Self {
Self { timeout: seconds }
}
}
impl Default for Resume {
fn default() -> Self {
Self { timeout: 60 }
}
}
impl NodeConfig {
/// Create a new configuration for connecting to a node via
/// [`Node::connect`].
///
/// If adding a node through the [`Lavalink`] client then you don't need to
/// do this yourself.
///
/// [`Lavalink`]: crate::client::Lavalink
pub fn new(
user_id: Id<UserMarker>,
address: impl Into<SocketAddr>,
authorization: impl Into<String>,
resume: impl Into<Option<Resume>>,
) -> Self {
Self::_new(user_id, address.into(), authorization.into(), resume.into())
}
const fn _new(
user_id: Id<UserMarker>,
address: SocketAddr,
authorization: String,
resume: Option<Resume>,
) -> Self {
Self {
address,
authorization,
resume,
user_id,
}
}
}
/// A connection to a single Lavalink server. It receives events and forwards
/// events from players to the server.
///
/// Please refer to the [module] documentation.
///
/// [module]: crate
#[derive(Debug)]
pub struct Node {
config: NodeConfig,
lavalink_tx: UnboundedSender<OutgoingEvent>,
players: PlayerManager,
stats: BiLock<Stats>,
}
impl Node {
/// Connect to a node, providing a player manager so that the node can
/// update player details.
///
/// Please refer to the [module] documentation for some additional
/// information about directly creating and using nodes. You are encouraged
/// to use the [`Lavalink`] client instead.
///
/// [`Lavalink`]: crate::client::Lavalink
/// [module]: crate
///
/// # Errors
///
/// Returns an error of type [`Connecting`] if the connection fails after
/// several backoff attempts.
///
/// Returns an error of type [`BuildingConnectionRequest`] if the request
/// failed to build.
///
/// Returns an error of type [`Unauthorized`] if the supplied authorization
/// is rejected by the node.
///
/// [`Connecting`]: crate::node::NodeErrorType::Connecting
/// [`BuildingConnectionRequest`]: crate::node::NodeErrorType::BuildingConnectionRequest
/// [`Unauthorized`]: crate::node::NodeErrorType::Unauthorized
pub async fn connect(
config: NodeConfig,
players: PlayerManager,
) -> Result<(Self, IncomingEvents), NodeError> {
let (bilock_left, bilock_right) = BiLock::new(Stats {
cpu: StatsCpu {
cores: 0,
lavalink_load: 0f64,
system_load: 0f64,
},
frames: None,
memory: StatsMemory {
allocated: 0,
free: 0,
used: 0,
reservable: 0,
},
players: 0,
playing_players: 0,
op: Opcode::Stats,
uptime: 0,
});
tracing::debug!("starting connection to {}", config.address);
let (conn_loop, lavalink_tx, lavalink_rx) =
Connection::connect(config.clone(), players.clone(), bilock_right).await?;
tracing::debug!("started connection to {}", config.address);
tokio::spawn(conn_loop.run());
Ok((
Self {
config,
lavalink_tx,
players,
stats: bilock_left,
},
IncomingEvents { inner: lavalink_rx },
))
}
/// Retrieve an immutable reference to the node's configuration.
pub const fn config(&self) -> &NodeConfig {
&self.config
}
/// Retrieve an immutable reference to the player manager used by the node.
pub const fn players(&self) -> &PlayerManager {
&self.players
}
/// Retrieve an immutable reference to the node's configuration.
///
/// Note that sending player events through the node's sender won't update
/// player states, such as whether it's paused.
///
/// # Errors
///
/// Returns a [`NodeSenderErrorType::Sending`] error type if node is no
/// longer connected.
pub fn send(&self, event: OutgoingEvent) -> Result<(), NodeSenderError> {
self.sender().send(event)
}
/// Retrieve a unique sender to send events to the Lavalink server.
///
/// Note that sending player events through the node's sender won't update
/// player states, such as whether it's paused.
pub fn sender(&self) -> NodeSender {
NodeSender {
inner: self.lavalink_tx.clone(),
}
}
/// Retrieve a copy of the node's stats.
pub async fn stats(&self) -> Stats {
(*self.stats.lock().await).clone()
}
/// Retrieve the calculated penalty score of the node.
///
/// This score can be used to calculate how loaded the server is. A higher
/// number means it is more heavily loaded.
#[allow(clippy::cast_precision_loss, clippy::cast_possible_truncation)]
pub async fn penalty(&self) -> i32 {
let stats = self.stats.lock().await;
let cpu = 1.05f64.powf(100f64 * stats.cpu.system_load) * 10f64 - 10f64;
let (deficit_frame, null_frame) = (
1.03f64
.powf(500f64 * (stats.frames.as_ref().map_or(0, |f| f.deficit) as f64 / 3000f64))
* 300f64
- 300f64,
(1.03f64
.powf(500f64 * (stats.frames.as_ref().map_or(0, |f| f.nulled) as f64 / 3000f64))
* 300f64
- 300f64)
* 2f64,
);
stats.playing_players as i32 + cpu as i32 + deficit_frame as i32 + null_frame as i32
}
}
struct Connection {
config: NodeConfig,
stream: WebSocketStream<MaybeTlsStream<TcpStream>>,
node_from: UnboundedReceiver<OutgoingEvent>,
node_to: UnboundedSender<IncomingEvent>,
players: PlayerManager,
stats: BiLock<Stats>,
}
impl Connection {
async fn connect(
config: NodeConfig,
players: PlayerManager,
stats: BiLock<Stats>,
) -> Result<
(
Self,
UnboundedSender<OutgoingEvent>,
UnboundedReceiver<IncomingEvent>,
),
NodeError,
> {
let stream = reconnect(&config).await?;
let (to_node, from_lavalink) = mpsc::unbounded_channel();
let (to_lavalink, from_node) = mpsc::unbounded_channel();
Ok((
Self {
config,
stream,
node_from: from_node,
node_to: to_node,
players,
stats,
},
to_lavalink,
from_lavalink,
))
}
async fn run(mut self) -> Result<(), NodeError> {
loop {
tokio::select! {
incoming = self.stream.next() => {
if let Some(Ok(incoming)) = incoming {
self.incoming(incoming).await?;
} else {
tracing::debug!("connection to {} closed, reconnecting", self.config.address);
self.stream = reconnect(&self.config).await?;
}
}
outgoing = self.node_from.recv() => {
if let Some(outgoing) = outgoing {
tracing::debug!(
"forwarding event to {}: {outgoing:?}",
self.config.address,
);
let payload = serde_json::to_string(&outgoing).map_err(|source| NodeError {
kind: NodeErrorType::SerializingMessage { message: outgoing },
source: Some(Box::new(source)),
})?;
let msg = Message::text(payload);
self.stream.send(msg).await.unwrap();
} else {
tracing::debug!("node {} closed, ending connection", self.config.address);
break;
}
}
}
}
Ok(())
}
async fn incoming(&mut self, incoming: Message) -> Result<bool, NodeError> {
tracing::debug!(
"received message from {}: {incoming:?}",
self.config.address,
);
let text = if incoming.is_text() {
incoming.as_text().expect("message is text")
} else if incoming.is_close() {
tracing::debug!("got close, closing connection");
return Ok(false);
} else {
tracing::debug!("got ping, pong or binary payload: {incoming:?}");
return Ok(true);
};
let Ok(event) = serde_json::from_str(text) else {
tracing::warn!("unknown message from lavalink node: {text}");
return Ok(true);
};
match &event {
IncomingEvent::PlayerUpdate(update) => self.player_update(update)?,
IncomingEvent::Stats(stats) => self.stats(stats).await?,
_ => {}
}
// It's fine if the rx end dropped, often users don't need to care about
// these events.
if !self.node_to.is_closed() {
let _result = self.node_to.send(event);
}
Ok(true)
}
fn player_update(&self, update: &PlayerUpdate) -> Result<(), NodeError> {
let Some(player) = self.players.get(&update.guild_id) else {
tracing::warn!(
"invalid player update for guild {}: {update:?}",
update.guild_id,
);
return Ok(());
};
player.set_position(update.state.position.unwrap_or(0));
player.set_time(update.state.time);
Ok(())
}
async fn stats(&self, stats: &Stats) -> Result<(), NodeError> {
*self.stats.lock().await = stats.clone();
Ok(())
}
}
impl Drop for Connection {
fn drop(&mut self) {
// Cleanup local players associated with the node
self.players
.players
.retain(|_, v| v.node().config().address != self.config.address);
}
}
fn connect_request(state: &NodeConfig) -> Result<ClientBuilder, NodeError> {
let mut builder = ClientBuilder::new()
.uri(&format!("ws://{}", state.address))
.map_err(|source| NodeError {
kind: NodeErrorType::BuildingConnectionRequest,
source: Some(Box::new(source)),
})?
.add_header(AUTHORIZATION, state.authorization.parse().unwrap())
.expect("allowed header")
.add_header(
HeaderName::from_static("user-id"),
state.user_id.get().into(),
)
.expect("allowed header");
if state.resume.is_some() {
builder = builder
.add_header(
HeaderName::from_static("resume-key"),
state.address.to_string().parse().unwrap(),
)
.expect("allowed header");
}
Ok(builder)
}
async fn reconnect(
config: &NodeConfig,
) -> Result<WebSocketStream<MaybeTlsStream<TcpStream>>, NodeError> {
let (mut stream, res) = backoff(config).await?;
let headers = res.headers();
if let Some(resume) = config.resume.as_ref() {
let header = HeaderName::from_static("session-resumed");
if let Some(value) = headers.get(header) {
if value.as_bytes() == b"false" {
tracing::debug!("session to node {} didn't resume", config.address);
let payload = serde_json::json!({
"op": "configureResuming",
"key": config.address,
"timeout": resume.timeout,
});
let msg = Message::text(serde_json::to_string(&payload).unwrap());
stream.send(msg).await.unwrap();
} else {
tracing::debug!("session to {} resumed", config.address);
}
}
}
Ok(stream)
}
async fn backoff(
config: &NodeConfig,
) -> Result<
(
WebSocketStream<MaybeTlsStream<TcpStream>>,
upgrade::Response,
),
NodeError,
> {
let mut seconds = 1;
loop {
let request = connect_request(config)?;
match request.connect().await {
Ok((stream, response)) => return Ok((stream, response)),
Err(source) => {
tracing::warn!("failed to connect to node {source}: {:?}", config.address);
if matches!(
&source,
WebsocketError::Upgrade(upgrade::Error::DidNotSwitchProtocols(401))
) {
return Err(NodeError {
kind: NodeErrorType::Unauthorized {
address: config.address,
authorization: config.authorization.clone(),
},
source: None,
});
}
if seconds > 64 {
tracing::debug!("no longer trying to connect to node {}", config.address);
return Err(NodeError {
kind: NodeErrorType::Connecting,
source: Some(Box::new(source)),
});
}
tracing::debug!(
"waiting {seconds} seconds before attempting to connect to node {} again",
config.address,
);
tokio_time::sleep(Duration::from_secs(seconds)).await;
seconds *= 2;
continue;
}
}
}
}
#[cfg(test)]
mod tests {
use super::{Node, NodeConfig, NodeError, NodeErrorType, Resume};
use static_assertions::{assert_fields, assert_impl_all};
use std::{
error::Error,
fmt::Debug,
net::{Ipv4Addr, SocketAddr, SocketAddrV4},
};
use twilight_model::id::Id;
assert_fields!(NodeConfig: address, authorization, resume, user_id);
assert_impl_all!(NodeConfig: Clone, Debug, Send, Sync);
assert_fields!(NodeErrorType::SerializingMessage: message);
assert_fields!(NodeErrorType::Unauthorized: address, authorization);
assert_impl_all!(NodeErrorType: Debug, Send, Sync);
assert_impl_all!(NodeError: Error, Send, Sync);
assert_impl_all!(Node: Debug, Send, Sync);
assert_fields!(Resume: timeout);
assert_impl_all!(Resume: Clone, Debug, Default, Eq, PartialEq, Send, Sync);
#[test]
fn node_config_debug() {
let config = NodeConfig {
address: SocketAddr::V4(SocketAddrV4::new(Ipv4Addr::new(127, 0, 0, 1), 1312)),
authorization: "some auth".to_owned(),
resume: None,
user_id: Id::new(123),
};
assert!(format!("{config:?}").contains("authorization: <redacted>"));
}
}