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

349 lines
12 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.
2023-02-03 22:43:59 +00:00
use std::{
collections::HashMap,
sync::{Arc, RwLock},
};
2023-02-12 22:23:52 +00:00
use prometheus::{IntGauge, Registry as MetricsRegistry};
2023-02-03 22:43:59 +00:00
use tokio::{
sync::mpsc::{channel, Receiver, Sender},
task::JoinHandle,
};
use crate::{
core::room::{RoomHandle, RoomId, RoomInfo, RoomRegistry},
2023-02-12 22:23:52 +00:00
prelude::*,
2023-02-13 18:32:52 +00:00
util::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-12 23:31:16 +00:00
#[derive(Debug, Clone, PartialEq, Eq, Hash)]
2023-02-14 19:07:07 +00:00
pub struct PlayerId(ByteVec);
impl PlayerId {
pub fn from_bytes(bytes: ByteVec) -> Result<PlayerId> {
if bytes.len() > 32 {
return Err(fail("Nickname cannot be longer than 32 symbols"));
2023-02-14 19:07:07 +00:00
}
if bytes.contains(&b' ') {
return Err(anyhow::Error::msg("Nickname cannot contain spaces"));
}
Ok(PlayerId(bytes))
}
pub fn as_bytes(&self) -> &ByteVec {
&self.0
}
2023-02-14 19:07:07 +00:00
}
2023-02-03 22:43:59 +00:00
2023-02-13 18:32:52 +00:00
#[derive(Debug, Clone, PartialEq, Eq, Hash)]
pub struct ConnectionId(pub AnonKey);
2023-02-13 19:16:00 +00:00
pub struct PlayerConnection {
pub connection_id: ConnectionId,
pub receiver: Receiver<Updates>,
player_handle: PlayerHandle,
}
impl PlayerConnection {
pub async fn send_message(&mut self, room_id: RoomId, body: String) -> Result<()> {
2023-02-13 19:16:00 +00:00
self.player_handle
.send_message(room_id, self.connection_id.clone(), body)
.await
}
2023-02-14 00:44:03 +00:00
pub async fn join_room(&mut self, room_id: RoomId) -> Result<RoomInfo> {
self.player_handle
.join_room(room_id, self.connection_id.clone())
.await
2023-02-13 19:16:00 +00:00
}
2023-02-14 18:28:49 +00:00
pub async fn change_topic(&mut self, room_id: RoomId, new_topic: ByteVec) -> Result<()> {
let (promise, deferred) = oneshot();
let cmd = Cmd::ChangeTopic {
room_id,
new_topic,
promise,
};
self.player_handle
.send(PlayerCommand::Cmd(cmd, self.connection_id.clone()))
.await;
Ok(deferred.await?)
}
2023-02-14 18:28:49 +00:00
pub async fn send(&self, command: PlayerCommand) {
self.player_handle.send(command).await;
}
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<PlayerCommand>,
}
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();
self.tx
.send(PlayerCommand::AddConnection { sender, promise })
2023-02-13 18:32:52 +00:00
.await;
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
}
pub async fn send_message(
&self,
room_id: RoomId,
connection_id: ConnectionId,
body: String,
) -> Result<()> {
let (promise, deferred) = oneshot();
let cmd = Cmd::SendMessage {
room_id,
body,
promise,
};
self.tx.send(PlayerCommand::Cmd(cmd, connection_id)).await;
Ok(deferred.await?)
2023-02-03 22:43:59 +00:00
}
pub async fn join_room(
&self,
room_id: RoomId,
connection_id: ConnectionId,
) -> Result<RoomInfo> {
2023-02-14 00:44:03 +00:00
let (promise, deferred) = oneshot();
let cmd = Cmd::JoinRoom {
room_id,
promise: promise,
};
self.tx.send(PlayerCommand::Cmd(cmd, connection_id)).await;
2023-02-14 00:44:03 +00:00
Ok(deferred.await?)
2023-02-03 22:43:59 +00:00
}
async fn send(&self, command: PlayerCommand) {
self.tx.send(command).await;
}
2023-02-03 22:43:59 +00:00
pub async fn update(&self, update: Updates) {
self.send(PlayerCommand::Update(update)).await;
}
2023-02-03 22:43:59 +00:00
}
pub enum PlayerCommand {
/** Commands from connections */
AddConnection {
2023-02-03 22:43:59 +00:00
sender: Sender<Updates>,
promise: Promise<ConnectionId>,
2023-02-03 22:43:59 +00:00
},
Cmd(Cmd, ConnectionId),
/// Query - responds with a list of rooms the player is a member of.
GetRooms(Promise<Vec<RoomInfo>>),
/** Events from rooms */
Update(Updates),
}
pub enum Cmd {
2023-02-03 22:43:59 +00:00
JoinRoom {
room_id: RoomId,
2023-02-14 00:44:03 +00:00
promise: Promise<RoomInfo>,
2023-02-03 22:43:59 +00:00
},
SendMessage {
room_id: RoomId,
body: String,
promise: Promise<()>,
},
ChangeTopic {
room_id: RoomId,
new_topic: ByteVec,
promise: Promise<()>,
2023-02-03 22:43:59 +00:00
},
}
/// Player update event type which is sent to a player actor and from there to a connection handler.
#[derive(Clone)]
pub enum Updates {
RoomTopicChanged {
room_id: RoomId,
new_topic: ByteVec,
},
NewMessage {
2023-02-03 22:43:59 +00:00
room_id: RoomId,
author_id: PlayerId,
2023-02-03 22:43:59 +00:00
body: String,
},
RoomJoined {
room_id: RoomId,
new_member_id: PlayerId,
},
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 {
2023-02-12 22:23:52 +00:00
pub fn empty(
room_registry: RoomRegistry,
metrics: &mut MetricsRegistry,
) -> Result<PlayerRegistry> {
let metric_active_players =
IntGauge::new("chat_players_active", "Number of alive player actors")?;
metrics.register(Box::new(metric_active_players.clone()))?;
2023-02-03 22:43:59 +00:00
let inner = PlayerRegistryInner {
room_registry,
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
}
2023-02-12 23:31:16 +00:00
pub async fn get_or_create_player(&mut self, id: PlayerId) -> PlayerHandle {
2023-02-03 22:43:59 +00:00
let player = Player {
connections: AnonTable::new(),
2023-02-03 22:43:59 +00:00
};
let mut inner = self.0.write().unwrap();
2023-02-13 18:32:52 +00:00
if let Some((handle, _)) = inner.players.get(&id) {
handle.clone()
} else {
let (handle, fiber) = player.launch(id.clone(), inner.room_registry.clone());
inner.players.insert(id, (handle.clone(), fiber));
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 mut player_handle = self.get_or_create_player(id).await;
player_handle.subscribe().await
}
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,
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 {
connections: AnonTable<Sender<Updates>>,
2023-02-03 22:43:59 +00:00
}
impl Player {
fn launch(
mut self,
player_id: PlayerId,
mut rooms: RoomRegistry,
) -> (PlayerHandle, JoinHandle<Player>) {
let (tx, mut rx) = channel(32);
let handle = PlayerHandle { tx };
let handle_clone = handle.clone();
let mut my_rooms: HashMap<RoomId, RoomHandle> = HashMap::new();
2023-02-03 22:43:59 +00:00
let fiber = tokio::task::spawn(async move {
while let Some(cmd) = rx.recv().await {
match cmd {
PlayerCommand::AddConnection { sender, promise } => {
let connection_id = self.connections.insert(sender);
2023-02-13 18:32:52 +00:00
promise.send(ConnectionId(connection_id));
2023-02-03 22:43:59 +00:00
}
2023-02-14 18:28:49 +00:00
PlayerCommand::GetRooms(promise) => {
let mut response = vec![];
for (_, handle) in &my_rooms {
response.push(handle.get_room_info().await);
}
promise.send(response);
}
PlayerCommand::Update(update) => {
log::info!(
"Player received an update, broadcasting to {} connections",
self.connections.len()
2023-02-13 20:58:44 +00:00
);
for (_, connection) in &self.connections {
connection.send(update.clone()).await;
2023-02-14 18:46:42 +00:00
}
}
PlayerCommand::Cmd(cmd, connection_id) => match cmd {
Cmd::JoinRoom { room_id, promise } => {
let mut room = rooms.get_or_create_room(room_id.clone());
room.subscribe(player_id.clone(), handle.clone()).await;
my_rooms.insert(room_id.clone(), room.clone());
let members = room.get_members().await;
promise.send(RoomInfo {
id: room_id.clone(),
members,
topic: b"some topic lol".to_vec(),
});
let update = Updates::RoomJoined {
room_id,
new_member_id: player_id.clone(),
};
for (a, b) in &self.connections {
if ConnectionId(a) == connection_id {
continue;
}
b.send(update.clone()).await;
}
}
Cmd::SendMessage {
room_id,
body,
promise,
} => {
let room = rooms.get_room(&room_id);
if let Some(room) = room {
room.send_message(player_id.clone(), body.clone()).await;
} else {
tracing::info!("no room found");
}
promise.send(());
let update = Updates::NewMessage {
room_id,
author_id: player_id.clone(),
body,
};
for (a, b) in &self.connections {
if ConnectionId(a) == connection_id {
continue;
}
b.send(update.clone()).await;
}
}
Cmd::ChangeTopic {
room_id,
new_topic,
promise,
} => {
let room = rooms.get_room(&room_id);
if let Some(mut room) = room {
room.set_topic(player_id.clone(), new_topic.clone()).await;
} else {
tracing::info!("no room found");
}
promise.send(());
let update = Updates::RoomTopicChanged { room_id, new_topic };
for (a, b) in &self.connections {
if ConnectionId(a) == connection_id {
continue;
}
b.send(update.clone()).await;
}
}
},
2023-02-03 22:43:59 +00:00
}
}
self
});
(handle_clone, fiber)
}
}