forked from lavina/lavina
1
0
Fork 0
lavina/crates/lavina-core/src/player.rs

469 lines
16 KiB
Rust
Raw Normal View History

2023-02-04 01:01:49 +00:00
//! Domain of chat participants.
//!
//! Player is a single user account, which is used to participate in chats,
//! including sending messages, receiving messaged, retrieving history and running privileged actions.
//! A player corresponds to a single user account. Usually a person has only one account,
//! but it is possible to have multiple accounts for one person and therefore multiple player entities.
//!
//! A player actor is a serial handler of commands from a single player. It is preferable to run all per-player validations in the player actor,
//! so that they don't overload the room actor.
use std::collections::{HashMap, HashSet};
use std::sync::Arc;
2023-02-03 22:43:59 +00:00
2023-02-12 22:23:52 +00:00
use prometheus::{IntGauge, Registry as MetricsRegistry};
2023-02-15 17:10:54 +00:00
use serde::Serialize;
use tokio::sync::mpsc::{channel, Receiver, Sender};
use tokio::sync::RwLock;
2023-02-03 22:43:59 +00:00
2023-09-30 23:12:11 +00:00
use crate::prelude::*;
use crate::repo::Storage;
2023-09-30 23:12:11 +00:00
use crate::room::{RoomHandle, RoomId, RoomInfo, RoomRegistry};
use crate::table::{AnonTable, Key as AnonKey};
2023-02-03 22:43:59 +00:00
2023-02-14 19:07:07 +00:00
/// Opaque player identifier. Cannot contain spaces, must be shorter than 32.
2023-02-15 17:10:54 +00:00
#[derive(Debug, Clone, PartialEq, Eq, Hash, Serialize)]
2023-04-13 22:38:26 +00:00
pub struct PlayerId(Str);
2023-02-14 19:07:07 +00:00
impl PlayerId {
2023-04-13 22:38:26 +00:00
pub fn from(str: impl Into<Str>) -> Result<PlayerId> {
let bytes = str.into();
2023-02-14 19:07:07 +00:00
if bytes.len() > 32 {
return Err(fail("Nickname cannot be longer than 32 symbols"));
2023-02-14 19:07:07 +00:00
}
2023-04-13 19:15:48 +00:00
if bytes.contains(' ') {
2023-02-14 19:07:07 +00:00
return Err(anyhow::Error::msg("Nickname cannot contain spaces"));
}
Ok(PlayerId(bytes))
}
2023-04-13 22:38:26 +00:00
pub fn as_inner(&self) -> &Str {
&self.0
}
2023-04-13 22:38:26 +00:00
pub fn into_inner(self) -> Str {
2023-04-13 19:15:48 +00:00
self.0
}
2023-02-14 19:07:07 +00:00
}
2023-02-03 22:43:59 +00:00
/// Node-local identifier of a connection. It is used to address a connection within a player actor.
2023-02-13 18:32:52 +00:00
#[derive(Debug, Clone, PartialEq, Eq, Hash)]
pub struct ConnectionId(pub AnonKey);
/// Representation of an authenticated client connection.
/// The public API available to projections through which all client actions are executed.
///
/// The connection is used to send commands to the player actor and to receive updates that might be sent to the client.
2023-02-13 19:16:00 +00:00
pub struct PlayerConnection {
pub connection_id: ConnectionId,
pub receiver: Receiver<Updates>,
player_handle: PlayerHandle,
}
impl PlayerConnection {
/// Handled in [Player::send_message].
2023-04-13 22:38:26 +00:00
pub async fn send_message(&mut self, room_id: RoomId, body: Str) -> Result<()> {
let (promise, deferred) = oneshot();
let cmd = ClientCommand::SendMessage { room_id, body, promise };
self.player_handle.send(ActorCommand::ClientCommand(cmd, self.connection_id.clone())).await;
Ok(deferred.await?)
2023-02-13 19:16:00 +00:00
}
/// Handled in [Player::join_room].
2023-02-16 21:49:17 +00:00
pub async fn join_room(&mut self, room_id: RoomId) -> Result<JoinResult> {
let (promise, deferred) = oneshot();
let cmd = ClientCommand::JoinRoom { room_id, promise };
self.player_handle.send(ActorCommand::ClientCommand(cmd, self.connection_id.clone())).await;
Ok(deferred.await?)
2023-02-13 19:16:00 +00:00
}
2023-02-14 18:28:49 +00:00
/// Handled in [Player::change_topic].
2023-04-13 22:38:26 +00:00
pub async fn change_topic(&mut self, room_id: RoomId, new_topic: Str) -> Result<()> {
let (promise, deferred) = oneshot();
let cmd = ClientCommand::ChangeTopic {
room_id,
new_topic,
promise,
};
self.player_handle.send(ActorCommand::ClientCommand(cmd, self.connection_id.clone())).await;
Ok(deferred.await?)
}
/// Handled in [Player::leave_room].
2023-02-15 17:54:48 +00:00
pub async fn leave_room(&mut self, room_id: RoomId) -> Result<()> {
let (promise, deferred) = oneshot();
let cmd = ClientCommand::LeaveRoom { room_id, promise };
self.player_handle.send(ActorCommand::ClientCommand(cmd, self.connection_id.clone())).await;
2023-02-15 17:54:48 +00:00
Ok(deferred.await?)
}
2023-02-15 16:47:48 +00:00
pub async fn terminate(self) {
self.player_handle.send(ActorCommand::TerminateConnection(self.connection_id)).await;
2023-02-15 16:47:48 +00:00
}
/// Handled in [Player::get_rooms].
2023-02-15 20:49:52 +00:00
pub async fn get_rooms(&self) -> Result<Vec<RoomInfo>> {
let (promise, deferred) = oneshot();
let cmd = ClientCommand::GetRooms { promise };
self.player_handle.send(ActorCommand::ClientCommand(cmd, self.connection_id.clone())).await;
2023-02-15 20:49:52 +00:00
Ok(deferred.await?)
2023-02-14 18:28:49 +00:00
}
2023-02-13 19:16:00 +00:00
}
2023-02-04 01:01:49 +00:00
/// Handle to a player actor.
2023-02-03 22:43:59 +00:00
#[derive(Clone)]
pub struct PlayerHandle {
tx: Sender<ActorCommand>,
2023-02-03 22:43:59 +00:00
}
impl PlayerHandle {
pub async fn subscribe(&self) -> PlayerConnection {
2023-02-13 19:16:00 +00:00
let (sender, receiver) = channel(32);
2023-02-13 18:32:52 +00:00
let (promise, deferred) = oneshot();
let cmd = ActorCommand::AddConnection { sender, promise };
2023-03-21 21:50:40 +00:00
let _ = self.tx.send(cmd).await;
2023-02-13 18:32:52 +00:00
let connection_id = deferred.await.unwrap();
2023-02-13 19:16:00 +00:00
PlayerConnection {
connection_id,
player_handle: self.clone(),
receiver,
}
2023-02-03 22:43:59 +00:00
}
async fn send(&self, command: ActorCommand) {
// TODO either handle the error or doc why it is safe to ignore
2023-03-21 21:50:40 +00:00
let _ = self.tx.send(command).await;
}
2023-02-03 22:43:59 +00:00
pub async fn update(&self, update: Updates) {
self.send(ActorCommand::Update(update)).await;
}
2023-02-03 22:43:59 +00:00
}
/// Messages sent to the player actor.
enum ActorCommand {
/// Establish a new connection.
AddConnection {
2023-02-03 22:43:59 +00:00
sender: Sender<Updates>,
promise: Promise<ConnectionId>,
2023-02-03 22:43:59 +00:00
},
/// Terminate an existing connection.
2023-02-15 16:47:48 +00:00
TerminateConnection(ConnectionId),
/// Player-issued command.
ClientCommand(ClientCommand, ConnectionId),
/// Update which is sent from a room the player is member of.
Update(Updates),
2023-10-02 21:35:23 +00:00
Stop,
}
/// Client-issued command sent to the player actor. The actor will respond with by fulfilling the promise.
pub enum ClientCommand {
2023-02-03 22:43:59 +00:00
JoinRoom {
room_id: RoomId,
2023-02-16 21:49:17 +00:00
promise: Promise<JoinResult>,
2023-02-03 22:43:59 +00:00
},
2023-02-15 17:54:48 +00:00
LeaveRoom {
room_id: RoomId,
promise: Promise<()>,
},
2023-02-03 22:43:59 +00:00
SendMessage {
room_id: RoomId,
2023-04-13 22:38:26 +00:00
body: Str,
promise: Promise<()>,
},
ChangeTopic {
room_id: RoomId,
2023-04-13 22:38:26 +00:00
new_topic: Str,
promise: Promise<()>,
2023-02-03 22:43:59 +00:00
},
GetRooms {
promise: Promise<Vec<RoomInfo>>,
},
}
2023-02-16 21:49:17 +00:00
pub enum JoinResult {
Success(RoomInfo),
Banned,
}
/// Player update event type which is sent to a player actor and from there to a connection handler.
2023-07-22 14:22:49 +00:00
#[derive(Clone, Debug)]
pub enum Updates {
RoomTopicChanged {
room_id: RoomId,
2023-04-13 22:38:26 +00:00
new_topic: Str,
},
NewMessage {
2023-02-03 22:43:59 +00:00
room_id: RoomId,
author_id: PlayerId,
2023-04-13 22:38:26 +00:00
body: Str,
2023-02-03 22:43:59 +00:00
},
RoomJoined {
room_id: RoomId,
new_member_id: PlayerId,
},
2023-02-15 17:54:48 +00:00
RoomLeft {
room_id: RoomId,
former_member_id: PlayerId,
},
2023-02-16 21:49:17 +00:00
/// The player was banned from the room and left it immediately.
BannedFrom(RoomId),
2023-02-03 22:43:59 +00:00
}
2023-02-04 01:01:49 +00:00
/// Handle to a player registry — a shared data structure containing information about players.
2023-02-03 22:43:59 +00:00
#[derive(Clone)]
pub struct PlayerRegistry(Arc<RwLock<PlayerRegistryInner>>);
impl PlayerRegistry {
pub fn empty(
room_registry: RoomRegistry,
storage: Storage,
metrics: &mut MetricsRegistry,
) -> Result<PlayerRegistry> {
2023-09-30 23:12:11 +00:00
let metric_active_players = IntGauge::new("chat_players_active", "Number of alive player actors")?;
2023-02-12 22:23:52 +00:00
metrics.register(Box::new(metric_active_players.clone()))?;
2023-02-03 22:43:59 +00:00
let inner = PlayerRegistryInner {
room_registry,
storage,
2023-02-03 22:43:59 +00:00
players: HashMap::new(),
2023-02-12 22:23:52 +00:00
metric_active_players,
2023-02-03 22:43:59 +00:00
};
2023-02-12 22:23:52 +00:00
Ok(PlayerRegistry(Arc::new(RwLock::new(inner))))
2023-02-03 22:43:59 +00:00
}
pub async fn get_or_launch_player(&mut self, id: &PlayerId) -> PlayerHandle {
let mut inner = self.0.write().await;
if let Some((handle, _)) = inner.players.get(id) {
2023-02-13 18:32:52 +00:00
handle.clone()
} else {
let (handle, fiber) = Player::launch(id.clone(), inner.room_registry.clone(), inner.storage.clone()).await;
inner.players.insert(id.clone(), (handle.clone(), fiber));
2023-02-13 18:32:52 +00:00
inner.metric_active_players.inc();
handle
}
2023-02-03 22:43:59 +00:00
}
2023-02-13 19:16:00 +00:00
pub async fn connect_to_player(&mut self, id: &PlayerId) -> PlayerConnection {
let player_handle = self.get_or_launch_player(id).await;
2023-02-13 19:16:00 +00:00
player_handle.subscribe().await
}
2023-08-24 12:10:31 +00:00
pub async fn shutdown_all(&mut self) -> Result<()> {
let mut inner = self.0.write().await;
2023-08-24 12:10:31 +00:00
for (i, (k, j)) in inner.players.drain() {
k.send(ActorCommand::Stop).await;
2023-08-24 12:10:31 +00:00
drop(k);
j.await?;
log::debug!("Player stopped #{i:?}")
}
log::debug!("All players stopped");
Ok(())
}
2023-02-03 22:43:59 +00:00
}
2023-02-04 01:01:49 +00:00
/// The player registry state representation.
2023-02-03 22:43:59 +00:00
struct PlayerRegistryInner {
room_registry: RoomRegistry,
storage: Storage,
/// Active player actors.
2023-02-03 22:43:59 +00:00
players: HashMap<PlayerId, (PlayerHandle, JoinHandle<Player>)>,
2023-02-12 22:23:52 +00:00
metric_active_players: IntGauge,
2023-02-03 22:43:59 +00:00
}
2023-02-04 01:01:49 +00:00
/// Player actor inner state representation.
2023-02-03 22:43:59 +00:00
struct Player {
2023-02-14 22:38:40 +00:00
player_id: PlayerId,
storage_id: u32,
connections: AnonTable<Sender<Updates>>,
2023-02-14 22:38:40 +00:00
my_rooms: HashMap<RoomId, RoomHandle>,
2023-02-16 21:49:17 +00:00
banned_from: HashSet<RoomId>,
rx: Receiver<ActorCommand>,
2023-02-14 22:38:40 +00:00
handle: PlayerHandle,
rooms: RoomRegistry,
storage: Storage,
2023-02-03 22:43:59 +00:00
}
impl Player {
async fn launch(player_id: PlayerId, rooms: RoomRegistry, storage: Storage) -> (PlayerHandle, JoinHandle<Player>) {
2023-02-14 22:49:56 +00:00
let (tx, rx) = channel(32);
2023-02-03 22:43:59 +00:00
let handle = PlayerHandle { tx };
let handle_clone = handle.clone();
let storage_id = storage.retrieve_user_id_by_name(player_id.as_inner()).await.unwrap().unwrap();
2023-02-14 22:38:40 +00:00
let player = Player {
player_id,
storage_id,
// connections are empty when the actor is just started
2023-02-14 22:38:40 +00:00
connections: AnonTable::new(),
// room handlers will be loaded later in the started task
2023-02-14 22:38:40 +00:00
my_rooms: HashMap::new(),
// TODO implement and load bans
banned_from: HashSet::new(),
2023-02-14 22:38:40 +00:00
rx,
handle,
rooms,
storage,
2023-02-14 22:38:40 +00:00
};
let fiber = tokio::task::spawn(player.main_loop());
(handle_clone, fiber)
}
async fn main_loop(mut self) -> Self {
let rooms = self.storage.get_rooms_of_a_user(self.storage_id).await.unwrap();
for room_id in rooms {
let room = self.rooms.get_room(&room_id).await;
if let Some(room) = room {
self.my_rooms.insert(room_id, room);
} else {
tracing::error!("Room #{room_id:?} not found");
}
}
2023-02-14 22:38:40 +00:00
while let Some(cmd) = self.rx.recv().await {
match cmd {
ActorCommand::AddConnection { sender, promise } => {
2023-02-14 22:38:40 +00:00
let connection_id = self.connections.insert(sender);
2023-02-15 16:47:48 +00:00
if let Err(connection_id) = promise.send(ConnectionId(connection_id)) {
log::warn!("Connection {connection_id:?} terminated before finalization");
self.terminate_connection(connection_id);
}
}
ActorCommand::TerminateConnection(connection_id) => {
2023-02-15 16:47:48 +00:00
self.terminate_connection(connection_id);
2023-02-14 22:38:40 +00:00
}
ActorCommand::Update(update) => self.handle_update(update).await,
ActorCommand::ClientCommand(cmd, connection_id) => self.handle_cmd(cmd, connection_id).await,
ActorCommand::Stop => break,
2023-02-03 22:43:59 +00:00
}
2023-02-14 22:38:40 +00:00
}
2023-08-24 12:10:31 +00:00
log::debug!("Shutting down player actor #{:?}", self.player_id);
2023-02-14 22:38:40 +00:00
self
}
/// Handle an incoming update by changing the internal state and broadcasting it to all connections if necessary.
async fn handle_update(&mut self, update: Updates) {
log::info!(
"Player received an update, broadcasting to {} connections",
self.connections.len()
);
match update {
Updates::BannedFrom(ref room_id) => {
self.banned_from.insert(room_id.clone());
self.my_rooms.remove(room_id);
}
_ => {}
}
for (_, connection) in &self.connections {
let _ = connection.send(update.clone()).await;
}
}
2023-02-15 16:47:48 +00:00
fn terminate_connection(&mut self, connection_id: ConnectionId) {
if let None = self.connections.pop(connection_id.0) {
log::warn!("Connection {connection_id:?} already terminated");
}
}
/// Dispatches a client command to the appropriate handler.
async fn handle_cmd(&mut self, cmd: ClientCommand, connection_id: ConnectionId) {
2023-02-14 22:38:40 +00:00
match cmd {
ClientCommand::JoinRoom { room_id, promise } => {
let result = self.join_room(connection_id, room_id).await;
let _ = promise.send(result);
2023-02-14 22:38:40 +00:00
}
ClientCommand::LeaveRoom { room_id, promise } => {
self.leave_room(connection_id, room_id).await;
2023-03-21 21:50:40 +00:00
let _ = promise.send(());
2023-02-15 17:54:48 +00:00
}
ClientCommand::SendMessage { room_id, body, promise } => {
self.send_message(connection_id, room_id, body).await;
2023-03-21 21:50:40 +00:00
let _ = promise.send(());
2023-02-14 22:38:40 +00:00
}
ClientCommand::ChangeTopic {
2023-02-14 22:38:40 +00:00
room_id,
new_topic,
promise,
} => {
self.change_topic(connection_id, room_id, new_topic).await;
2023-03-21 21:50:40 +00:00
let _ = promise.send(());
2023-02-14 22:38:40 +00:00
}
ClientCommand::GetRooms { promise } => {
let result = self.get_rooms().await;
let _ = promise.send(result);
}
}
}
async fn join_room(&mut self, connection_id: ConnectionId, room_id: RoomId) -> JoinResult {
if self.banned_from.contains(&room_id) {
return JoinResult::Banned;
}
let room = match self.rooms.get_or_create_room(room_id.clone()).await {
Ok(room) => room,
Err(e) => {
log::error!("Failed to get or create room: {e}");
todo!();
}
};
room.add_member(&self.player_id, self.storage_id).await;
room.subscribe(&self.player_id, self.handle.clone()).await;
self.my_rooms.insert(room_id.clone(), room.clone());
let room_info = room.get_room_info().await;
let update = Updates::RoomJoined {
room_id,
new_member_id: self.player_id.clone(),
};
self.broadcast_update(update, connection_id).await;
JoinResult::Success(room_info)
}
async fn leave_room(&mut self, connection_id: ConnectionId, room_id: RoomId) {
let room = self.my_rooms.remove(&room_id);
if let Some(room) = room {
room.unsubscribe(&self.player_id).await;
room.remove_member(&self.player_id, self.storage_id).await;
}
let update = Updates::RoomLeft {
room_id,
former_member_id: self.player_id.clone(),
};
self.broadcast_update(update, connection_id).await;
}
async fn send_message(&mut self, connection_id: ConnectionId, room_id: RoomId, body: Str) {
let Some(room) = self.my_rooms.get(&room_id) else {
tracing::info!("no room found");
return;
};
room.send_message(&self.player_id, body.clone()).await;
let update = Updates::NewMessage {
room_id,
author_id: self.player_id.clone(),
body,
};
self.broadcast_update(update, connection_id).await;
}
async fn change_topic(&mut self, connection_id: ConnectionId, room_id: RoomId, new_topic: Str) {
let Some(room) = self.my_rooms.get(&room_id) else {
tracing::info!("no room found");
return;
};
room.set_topic(&self.player_id, new_topic.clone()).await;
let update = Updates::RoomTopicChanged { room_id, new_topic };
self.broadcast_update(update, connection_id).await;
}
async fn get_rooms(&self) -> Vec<RoomInfo> {
let mut response = vec![];
for (_, handle) in &self.my_rooms {
response.push(handle.get_room_info().await);
2023-02-14 22:38:40 +00:00
}
response
2023-02-14 22:38:40 +00:00
}
/// Broadcasts an update to all connections except the one with the given id.
///
/// This is called after handling a client command.
/// Sending the update to the connection which sent the command is handled by the connection itself.
2023-02-14 22:38:40 +00:00
async fn broadcast_update(&self, update: Updates, except: ConnectionId) {
for (a, b) in &self.connections {
if ConnectionId(a) == except {
continue;
}
2023-03-21 21:50:40 +00:00
let _ = b.send(update.clone()).await;
2023-02-14 22:38:40 +00:00
}
2023-02-03 22:43:59 +00:00
}
}