From aaf9af16df2a10142c58563494e04bf6d3629c02 Mon Sep 17 00:00:00 2001 From: CapsizeGlimmer <> Date: Mon, 1 Jun 2020 00:33:39 -0400 Subject: [PATCH 01/29] Base implementation of /group /faction /say /region --- client/src/cmd.rs | 25 ++++- common/src/cmd.rs | 136 +++++++++++++++++++-------- common/src/comp/chat.rs | 39 ++++++++ common/src/comp/mod.rs | 2 + common/src/lib.rs | 16 +++- common/src/msg/server.rs | 37 ++++++++ common/src/state.rs | 1 + server/src/cmd.rs | 193 +++++++++++++++++++++++++++++++++------ voxygen/src/hud/chat.rs | 3 +- voxygen/src/hud/mod.rs | 1 + 10 files changed, 378 insertions(+), 75 deletions(-) create mode 100644 common/src/comp/chat.rs diff --git a/client/src/cmd.rs b/client/src/cmd.rs index 911e20dbcf..03e77479c3 100644 --- a/client/src/cmd.rs +++ b/client/src/cmd.rs @@ -25,7 +25,7 @@ impl TabComplete for ArgumentSpec { }, ArgumentSpec::Any(_, _) => vec![], ArgumentSpec::Command(_) => complete_command(part), - ArgumentSpec::Message => complete_player(part, &client), + ArgumentSpec::Message(_) => complete_player(part, &client), ArgumentSpec::SubCommand => complete_command(part), ArgumentSpec::Enum(_, strings, _) => strings .iter() @@ -92,10 +92,25 @@ pub fn complete(line: &str, client: &Client) -> Vec { if i == 0 { // Completing chat command name complete_command(word) - } else if let Ok(cmd) = cmd.parse::() { - if let Some(arg) = cmd.data().args.get(i - 1) { - // Complete ith argument - arg.complete(word, &client) + } else { + if let Ok(cmd) = cmd.parse::() { + if let Some(arg) = cmd.data().args.get(i - 1) { + // Complete ith argument + arg.complete(word, &client) + } else { + // Complete past the last argument + match cmd.data().args.last() { + Some(ArgumentSpec::SubCommand) => { + if let Some(index) = nth_word(line, cmd.data().args.len()) { + complete(&line[index..], &client) + } else { + vec![] + } + }, + Some(ArgumentSpec::Message(_)) => complete_player(word, &client), + _ => vec![], // End of command. Nothing to complete + } + } } else { // Complete past the last argument match cmd.data().args.last() { diff --git a/common/src/cmd.rs b/common/src/cmd.rs index d931139a9c..d39b830e31 100644 --- a/common/src/cmd.rs +++ b/common/src/cmd.rs @@ -9,13 +9,16 @@ pub struct ChatCommandData { pub args: Vec, /// A one-line message that explains what the command does pub description: &'static str, - /// A boolean that is used to check whether the command requires - /// administrator permissions or not. - pub needs_admin: bool, + /// Whether the command requires administrator permissions. + pub needs_admin: IsAdminOnly, } impl ChatCommandData { - pub fn new(args: Vec, description: &'static str, needs_admin: bool) -> Self { + pub fn new( + args: Vec, + description: &'static str, + needs_admin: IsAdminOnly, + ) -> Self { Self { args, description, @@ -33,9 +36,11 @@ pub enum ChatCommand { Debug, DebugColumn, Explosion, + Faction, GiveExp, GiveItem, Goto, + Group, Health, Help, Jump, @@ -46,7 +51,9 @@ pub enum ChatCommand { Motd, Object, Players, + Region, RemoveLights, + Say, SetLevel, SetMotd, Spawn, @@ -56,6 +63,7 @@ pub enum ChatCommand { Tp, Version, Waypoint, + World, } // Thank you for keeping this sorted alphabetically :-) @@ -66,9 +74,11 @@ pub static CHAT_COMMANDS: &[ChatCommand] = &[ ChatCommand::Debug, ChatCommand::DebugColumn, ChatCommand::Explosion, + ChatCommand::Faction, ChatCommand::GiveExp, ChatCommand::GiveItem, ChatCommand::Goto, + ChatCommand::Group, ChatCommand::Health, ChatCommand::Help, ChatCommand::Jump, @@ -79,7 +89,9 @@ pub static CHAT_COMMANDS: &[ChatCommand] = &[ ChatCommand::Motd, ChatCommand::Object, ChatCommand::Players, + ChatCommand::Region, ChatCommand::RemoveLights, + ChatCommand::Say, ChatCommand::SetLevel, ChatCommand::SetMotd, ChatCommand::Spawn, @@ -89,6 +101,7 @@ pub static CHAT_COMMANDS: &[ChatCommand] = &[ ChatCommand::Tp, ChatCommand::Version, ChatCommand::Waypoint, + ChatCommand::World, ]; lazy_static! { @@ -141,31 +154,37 @@ lazy_static! { impl ChatCommand { pub fn data(&self) -> ChatCommandData { use ArgumentSpec::*; + use IsAdminOnly::*; use Requirement::*; let cmd = ChatCommandData::new; match self { ChatCommand::Adminify => cmd( vec![PlayerName(Required)], "Temporarily gives a player admin permissions or removes them", - true, + Admin, ), - ChatCommand::Alias => cmd(vec![Any("name", Required)], "Change your alias", false), - ChatCommand::Build => cmd(vec![], "Toggles build mode on and off", true), - ChatCommand::Debug => cmd(vec![], "Place all debug items into your pack.", true), + ChatCommand::Alias => cmd(vec![Any("name", Required)], "Change your alias", NoAdmin), + ChatCommand::Build => cmd(vec![], "Toggles build mode on and off", Admin), + ChatCommand::Debug => cmd(vec![], "Place all debug items into your pack.", Admin), ChatCommand::DebugColumn => cmd( vec![Integer("x", 15000, Required), Integer("y", 15000, Required)], "Prints some debug information about a column", - false, + NoAdmin, ), ChatCommand::Explosion => cmd( vec![Float("radius", 5.0, Required)], "Explodes the ground around you", - true, + Admin, + ), + ChatCommand::Faction => cmd( + vec![Message(Optional)], + "Send messages to your faction", + NoAdmin, ), ChatCommand::GiveExp => cmd( vec![Integer("amount", 50, Required)], "Give experience to yourself", - true, + Admin, ), ChatCommand::GiveItem => cmd( vec![ @@ -173,7 +192,7 @@ impl ChatCommand { Integer("num", 1, Optional), ], "Give yourself some items", - true, + Admin, ), ChatCommand::Goto => cmd( vec![ @@ -182,17 +201,22 @@ impl ChatCommand { Float("z", 0.0, Required), ], "Teleport to a position", - true, + Admin, + ), + ChatCommand::Group => cmd( + vec![Message(Optional)], + "Send messages to your group", + NoAdmin, ), ChatCommand::Health => cmd( vec![Integer("hp", 100, Required)], "Set your current health", - true, + Admin, ), ChatCommand::Help => ChatCommandData::new( vec![Command(Optional)], "Display information about commands", - false, + NoAdmin, ), ChatCommand::Jump => cmd( vec![ @@ -201,10 +225,10 @@ impl ChatCommand { Float("z", 0.0, Required), ], "Offset your current position", - true, + Admin, ), - ChatCommand::Kill => cmd(vec![], "Kill yourself", false), - ChatCommand::KillNpcs => cmd(vec![], "Kill the NPCs", true), + ChatCommand::Kill => cmd(vec![], "Kill yourself", NoAdmin), + ChatCommand::KillNpcs => cmd(vec![], "Kill the NPCs", Admin), ChatCommand::Lantern => cmd( vec![ Float("strength", 5.0, Required), @@ -213,7 +237,7 @@ impl ChatCommand { Float("b", 1.0, Optional), ], "Change your lantern's strength and color", - true, + Admin, ), ChatCommand::Light => cmd( vec![ @@ -226,24 +250,34 @@ impl ChatCommand { Float("strength", 5.0, Optional), ], "Spawn entity with light", - true, + Admin, ), ChatCommand::Motd => cmd(vec![Message], "View the server description", false), ChatCommand::Object => cmd( vec![Enum("object", OBJECTS.clone(), Required)], "Spawn an object", - true, + Admin, ), - ChatCommand::Players => cmd(vec![], "Lists players currently online", false), + ChatCommand::Players => cmd(vec![], "Lists players currently online", NoAdmin), ChatCommand::RemoveLights => cmd( vec![Float("radius", 20.0, Optional)], "Removes all lights spawned by players", - true, + Admin, + ), + ChatCommand::Region => cmd( + vec![Message(Optional)], + "Send messages to everyone in your region of the world", + NoAdmin, + ), + ChatCommand::Say => cmd( + vec![Message(Optional)], + "Send messages to everyone within shouting distance", + NoAdmin, ), ChatCommand::SetLevel => cmd( vec![Integer("level", 10, Required)], "Set player Level", - true, + Admin, ), ChatCommand::SetMotd => cmd(vec![Message], "Set the server description", true), ChatCommand::Spawn => cmd( @@ -253,32 +287,37 @@ impl ChatCommand { Integer("amount", 1, Optional), ], "Spawn a test entity", - true, + Admin, ), ChatCommand::Sudo => cmd( vec![PlayerName(Required), SubCommand], "Run command as if you were another player", - true, + Admin, ), ChatCommand::Tell => cmd( - vec![PlayerName(Required), Message], + vec![PlayerName(Required), Message(Optional)], "Send a message to another player", - false, + NoAdmin, ), ChatCommand::Time => cmd( vec![Enum("time", TIMES.clone(), Optional)], "Set the time of day", - true, + Admin, ), ChatCommand::Tp => cmd( vec![PlayerName(Optional)], "Teleport to another player", - true, + Admin, ), - ChatCommand::Version => cmd(vec![], "Prints server version", false), + ChatCommand::Version => cmd(vec![], "Prints server version", NoAdmin), ChatCommand::Waypoint => { - cmd(vec![], "Set your waypoint to your current position", true) + cmd(vec![], "Set your waypoint to your current position", Admin) }, + ChatCommand::World => cmd( + vec![Message(Optional)], + "Send messages to everyone on the server", + NoAdmin, + ), } } @@ -291,9 +330,11 @@ impl ChatCommand { ChatCommand::Debug => "debug", ChatCommand::DebugColumn => "debug_column", ChatCommand::Explosion => "explosion", + ChatCommand::Faction => "faction", ChatCommand::GiveExp => "give_exp", ChatCommand::GiveItem => "give_item", ChatCommand::Goto => "goto", + ChatCommand::Group => "group", ChatCommand::Health => "health", ChatCommand::Help => "help", ChatCommand::Jump => "jump", @@ -304,7 +345,9 @@ impl ChatCommand { ChatCommand::Motd => "motd", ChatCommand::Object => "object", ChatCommand::Players => "players", + ChatCommand::Region => "region", ChatCommand::RemoveLights => "remove_lights", + ChatCommand::Say => "say", ChatCommand::SetLevel => "set_level", ChatCommand::SetMotd => "set_motd", ChatCommand::Spawn => "spawn", @@ -314,6 +357,7 @@ impl ChatCommand { ChatCommand::Tp => "tp", ChatCommand::Version => "version", ChatCommand::Waypoint => "waypoint", + ChatCommand::World => "world", } } @@ -329,7 +373,7 @@ impl ChatCommand { /// A boolean that is used to check whether the command requires /// administrator permissions or not. - pub fn needs_admin(&self) -> bool { self.data().needs_admin } + pub fn needs_admin(&self) -> bool { *self.data().needs_admin } /// Returns a format string for parsing arguments with scan_fmt pub fn arg_fmt(&self) -> String { @@ -342,7 +386,7 @@ impl ChatCommand { ArgumentSpec::Integer(_, _, _) => "{d}", ArgumentSpec::Any(_, _) => "{}", ArgumentSpec::Command(_) => "{}", - ArgumentSpec::Message => "{/.*/}", + ArgumentSpec::Message(_) => "{/.*/}", ArgumentSpec::SubCommand => "{} {/.*/}", ArgumentSpec::Enum(_, _, _) => "{}", // TODO }) @@ -369,6 +413,20 @@ impl FromStr for ChatCommand { } } +pub enum IsAdminOnly { + Admin, + NoAdmin, +} +impl Deref for IsAdminOnly { + type Target = bool; + + fn deref(&self) -> &bool { + match self { + IsAdminOnly::Admin => &true, + IsAdminOnly::NoAdmin => &false, + } + } +} pub enum Requirement { Required, Optional, @@ -404,7 +462,7 @@ pub enum ArgumentSpec { Command(Requirement), /// This is the final argument, consuming all characters until the end of /// input. - Message, + Message(Requirement), /// This command is followed by another command (such as in /sudo) SubCommand, /// The argument is likely an enum. The associated values are @@ -452,7 +510,13 @@ impl ArgumentSpec { "[[/]command]".to_string() } }, - ArgumentSpec::Message => "".to_string(), + ArgumentSpec::Message(req) => { + if **req { + "".to_string() + } else { + "".to_string() + } + }, ArgumentSpec::SubCommand => "<[/]command> [args...]".to_string(), ArgumentSpec::Enum(label, _, req) => { if **req { diff --git a/common/src/comp/chat.rs b/common/src/comp/chat.rs new file mode 100644 index 0000000000..0788b67d24 --- /dev/null +++ b/common/src/comp/chat.rs @@ -0,0 +1,39 @@ +use specs::{Component, Entity}; +use specs_idvs::IDVStorage; + +/// Limit chat to a subset of players +pub enum ChatMode { + /// Private message to another player (by entity) + Tell(Entity), + /// Talk to players within shouting distance + Say, + /// Talk to players in your region of the world + Region, + /// Talk to your current group of players + Group, + /// Talk to your faction + Faction, + /// Talk to every player on the server + World, +} +impl Component for ChatMode { + type Storage = IDVStorage; +} + +/// Player groups are useful when forming raiding parties and coordinating +/// gameplay. +/// +/// Groups are currently just an associated String (the group's name) +pub struct Group(String); +impl Component for Group { + type Storage = IDVStorage; +} + +/// Player factions are used to coordinate pvp vs hostile factions or segment +/// chat from the world +/// +/// Factions are currently just an associated String (the faction's name) +pub struct Faction(String); +impl Component for Faction { + type Storage = IDVStorage; +} diff --git a/common/src/comp/mod.rs b/common/src/comp/mod.rs index f25b42cca7..27cc405391 100644 --- a/common/src/comp/mod.rs +++ b/common/src/comp/mod.rs @@ -3,6 +3,7 @@ mod admin; pub mod agent; mod body; mod character_state; +mod chat; mod controller; mod energy; mod inputs; @@ -24,6 +25,7 @@ pub use body::{ humanoid, object, quadruped_medium, quadruped_small, AllBodies, Body, BodyData, }; pub use character_state::{Attacking, CharacterState, StateUpdate}; +pub use chat::{ChatMode, Faction, Group}; pub use controller::{ Climb, ControlAction, ControlEvent, Controller, ControllerInputs, Input, InventoryManip, MountState, Mounting, diff --git a/common/src/lib.rs b/common/src/lib.rs index 213587d337..6d845f65c5 100644 --- a/common/src/lib.rs +++ b/common/src/lib.rs @@ -69,14 +69,22 @@ pub mod net; #[derive(Debug, Clone, Serialize, Deserialize)] pub enum ChatType { + /// Tell all players something (such as players connecting or alias changes) Broadcast, - Chat, - GameUpdate, - Private, + Chat, // TODO Is this still needed? + GameUpdate, // TODO What is this? + Private, // TODO What is this? + /// One-on-one chat Tell, + /// Chat with nearby players Say, + /// Group chat Group, + /// Factional chat Faction, - Meta, + Meta, // TODO What is this? + /// Inform players that someone died Kill, + /// Regional chat + Region, } diff --git a/common/src/msg/server.rs b/common/src/msg/server.rs index dad141c978..5f20f6bd40 100644 --- a/common/src/msg/server.rs +++ b/common/src/msg/server.rs @@ -113,6 +113,7 @@ impl From for RegisterError { } impl ServerMsg { + // TODO is this needed? pub fn chat(message: String) -> ServerMsg { ServerMsg::ChatMsg { chat_type: ChatType::Chat, @@ -141,6 +142,7 @@ impl ServerMsg { } } + // TODO is this needed? pub fn private(message: String) -> ServerMsg { ServerMsg::ChatMsg { chat_type: ChatType::Private, @@ -148,6 +150,41 @@ impl ServerMsg { } } + pub fn group(message: String) -> ServerMsg { + ServerMsg::ChatMsg { + chat_type: ChatType::Group, + message, + } + } + + pub fn region(message: String) -> ServerMsg { + ServerMsg::ChatMsg { + chat_type: ChatType::Region, + message, + } + } + + pub fn say(message: String) -> ServerMsg { + ServerMsg::ChatMsg { + chat_type: ChatType::Say, + message, + } + } + + pub fn faction(message: String) -> ServerMsg { + ServerMsg::ChatMsg { + chat_type: ChatType::Faction, + message, + } + } + + pub fn world(message: String) -> ServerMsg { + ServerMsg::ChatMsg { + chat_type: ChatType::Chat, + message, + } + } + pub fn kill(message: String) -> ServerMsg { ServerMsg::ChatMsg { chat_type: ChatType::Kill, diff --git a/common/src/state.rs b/common/src/state.rs index fa7daf985b..40116849c7 100644 --- a/common/src/state.rs +++ b/common/src/state.rs @@ -155,6 +155,7 @@ impl State { ecs.register::(); ecs.register::(); ecs.register::(); + ecs.register::(); // Register synced resources used by the ECS. ecs.insert(TimeOfDay(0.0)); diff --git a/server/src/cmd.rs b/server/src/cmd.rs index a2c190c957..6edf5ac659 100644 --- a/server/src/cmd.rs +++ b/server/src/cmd.rs @@ -32,7 +32,7 @@ impl ChatCommandExt for ChatCommand { #[allow(clippy::needless_return)] // TODO: Pending review in #587 fn execute(&self, server: &mut Server, entity: EcsEntity, args: String) { let cmd_data = self.data(); - if cmd_data.needs_admin && !server.entity_is_admin(entity) { + if *cmd_data.needs_admin && !server.entity_is_admin(entity) { server.notify_client( entity, ServerMsg::private(format!( @@ -68,9 +68,11 @@ fn get_handler(cmd: &ChatCommand) -> CommandHandler { ChatCommand::Debug => handle_debug, ChatCommand::DebugColumn => handle_debug_column, ChatCommand::Explosion => handle_explosion, + ChatCommand::Faction => handle_faction, ChatCommand::GiveExp => handle_give_exp, ChatCommand::GiveItem => handle_give_item, ChatCommand::Goto => handle_goto, + ChatCommand::Group => handle_group, ChatCommand::Health => handle_health, ChatCommand::Help => handle_help, ChatCommand::Jump => handle_jump, @@ -81,7 +83,9 @@ fn get_handler(cmd: &ChatCommand) -> CommandHandler { ChatCommand::Motd => handle_motd, ChatCommand::Object => handle_object, ChatCommand::Players => handle_players, + ChatCommand::Region => handle_region, ChatCommand::RemoveLights => handle_remove_lights, + ChatCommand::Say => handle_say, ChatCommand::SetLevel => handle_set_level, ChatCommand::SetMotd => handle_set_motd, ChatCommand::Spawn => handle_spawn, @@ -91,6 +95,7 @@ fn get_handler(cmd: &ChatCommand) -> CommandHandler { ChatCommand::Tp => handle_tp, ChatCommand::Version => handle_version, ChatCommand::Waypoint => handle_waypoint, + ChatCommand::World => handle_world, } } @@ -967,6 +972,7 @@ fn handle_tell( action: &ChatCommand, ) { if client != target { + // This happens when [ab]using /sudo server.notify_client( client, ServerMsg::tell(String::from("It's rude to impersonate people")), @@ -981,38 +987,32 @@ fn handle_tell( .find(|(_, player)| player.alias == alias) .map(|(entity, _)| entity) { - if player != target { - if msg.len() > 1 { - if let Some(name) = ecs - .read_storage::() - .get(target) - .map(|s| s.alias.clone()) - { - server.notify_client( - player, - ServerMsg::tell(format!("[{}] tells:{}", name, msg)), - ); - server.notify_client( - client, - ServerMsg::tell(format!("To [{}]:{}", alias, msg)), - ); - } else { - server.notify_client( - client, - ServerMsg::private(String::from("Failed to send message.")), - ); - } - } else { - server.notify_client( - client, - ServerMsg::private(format!("[{}] wants to talk to you.", alias)), - ); - } - } else { + if player == client { server.notify_client( client, ServerMsg::private(format!("You can't /tell yourself.")), ); + return; + } + if msg.is_empty() { + server.notify_client( + client, + ServerMsg::private(format!("[{}] wants to talk to you.", alias)), + ); + return; + } + if let Some(name) = ecs + .read_storage::() + .get(client) + .map(|s| s.alias.clone()) + { + server.notify_client(player, ServerMsg::tell(format!("[{}] tells:{}", name, msg))); + server.notify_client(client, ServerMsg::tell(format!("To [{}]:{}", alias, msg))); + } else { + server.notify_client( + client, + ServerMsg::private(String::from("Failed to send message.")), + ); } } else { server.notify_client( @@ -1028,6 +1028,141 @@ fn handle_tell( } } +fn handle_faction( + server: &mut Server, + client: EcsEntity, + target: EcsEntity, + msg: String, + _action: &ChatCommand, +) { + if client != target { + // This happens when [ab]using /sudo + server.notify_client( + client, + ServerMsg::tell(String::from("It's rude to impersonate people")), + ); + return; + } + let _ = server + .state + .ecs() + .write_storage() + .insert(client, comp::ChatMode::Faction); + if !msg.is_empty() { + server + .state + .notify_registered_clients(ServerMsg::faction(msg.to_string())); + } +} + +fn handle_group( + server: &mut Server, + client: EcsEntity, + target: EcsEntity, + msg: String, + _action: &ChatCommand, +) { + if client != target { + // This happens when [ab]using /sudo + server.notify_client( + client, + ServerMsg::tell(String::from("It's rude to impersonate people")), + ); + return; + } + let _ = server + .state + .ecs() + .write_storage() + .insert(client, comp::ChatMode::Group); + if !msg.is_empty() { + server + .state + .notify_registered_clients(ServerMsg::group(msg.to_string())); + } +} + +fn handle_region( + server: &mut Server, + client: EcsEntity, + target: EcsEntity, + msg: String, + _action: &ChatCommand, +) { + if client != target { + // This happens when [ab]using /sudo + server.notify_client( + client, + ServerMsg::tell(String::from("It's rude to impersonate people")), + ); + return; + } + let _ = server + .state + .ecs() + .write_storage() + .insert(client, comp::ChatMode::Region); + if !msg.is_empty() { + server + .state + .notify_registered_clients(ServerMsg::region(msg.to_string())); + } +} + +fn handle_say( + server: &mut Server, + client: EcsEntity, + target: EcsEntity, + msg: String, + _action: &ChatCommand, +) { + if client != target { + // This happens when [ab]using /sudo + server.notify_client( + client, + ServerMsg::tell(String::from("It's rude to impersonate people")), + ); + return; + } + let _ = server + .state + .ecs() + .write_storage() + .insert(client, comp::ChatMode::Say); + if !msg.is_empty() { + server + .state + .notify_registered_clients(ServerMsg::say(msg.to_string())); + } +} + +fn handle_world( + server: &mut Server, + client: EcsEntity, + target: EcsEntity, + msg: String, + _action: &ChatCommand, +) { + if client != target { + // This happens when [ab]using /sudo + server.notify_client( + client, + ServerMsg::tell(String::from("It's rude to impersonate people")), + ); + return; + } + let _ = server + .state + .ecs() + .write_storage() + .insert(client, comp::ChatMode::World); + if !msg.is_empty() { + server + .state + .notify_registered_clients(ServerMsg::world(msg.to_string())); + } +} + #[cfg(not(feature = "worldgen"))] fn handle_debug_column( server: &mut Server, diff --git a/voxygen/src/hud/chat.rs b/voxygen/src/hud/chat.rs index 384ef4ff1a..33f45936ed 100644 --- a/voxygen/src/hud/chat.rs +++ b/voxygen/src/hud/chat.rs @@ -1,6 +1,6 @@ use super::{ img_ids::Imgs, BROADCAST_COLOR, FACTION_COLOR, GAME_UPDATE_COLOR, GROUP_COLOR, KILL_COLOR, - META_COLOR, PRIVATE_COLOR, SAY_COLOR, TELL_COLOR, TEXT_COLOR, + META_COLOR, PRIVATE_COLOR, REGION_COLOR, SAY_COLOR, TELL_COLOR, TEXT_COLOR, }; use crate::{ui::fonts::ConrodVoxygenFonts, GlobalState}; use client::{cmd, Client, Event as ClientEvent}; @@ -324,6 +324,7 @@ impl<'a> Widget for Chat<'a> { ChatType::Say => SAY_COLOR, ChatType::Group => GROUP_COLOR, ChatType::Faction => FACTION_COLOR, + ChatType::Region => REGION_COLOR, ChatType::Kill => KILL_COLOR, }; let text = Text::new(&message) diff --git a/voxygen/src/hud/mod.rs b/voxygen/src/hud/mod.rs index 409782789d..505187460b 100644 --- a/voxygen/src/hud/mod.rs +++ b/voxygen/src/hud/mod.rs @@ -82,6 +82,7 @@ const GAME_UPDATE_COLOR: Color = Color::Rgba(1.0, 1.0, 0.0, 1.0); const SAY_COLOR: Color = Color::Rgba(1.0, 1.0, 1.0, 1.0); const GROUP_COLOR: Color = Color::Rgba(0.47, 0.84, 1.0, 1.0); const FACTION_COLOR: Color = Color::Rgba(0.24, 1.0, 0.48, 1.0); +const REGION_COLOR: Color = Color::Rgba(1.0, 1.0, 0.0, 1.0); const KILL_COLOR: Color = Color::Rgba(1.0, 0.17, 0.17, 1.0); // UI Color-Theme From 3f43880dc71c3ce62f3d2abc6f2c4ef1652b86fb Mon Sep 17 00:00:00 2001 From: CapsizeGlimmer <> Date: Mon, 1 Jun 2020 22:42:26 -0400 Subject: [PATCH 02/29] Rework chat processing --- chat-cli/src/main.rs | 3 +- client/src/cmd.rs | 17 +----- client/src/lib.rs | 21 +++---- common/src/comp/chat.rs | 56 ++++++++++++++++-- common/src/comp/mod.rs | 2 +- common/src/lib.rs | 22 ------- common/src/msg/client.rs | 6 +- common/src/msg/server.rs | 86 +++++---------------------- server/src/cmd.rs | 120 ++++++++++++++++++-------------------- server/src/sys/message.rs | 61 ++++++++----------- voxygen/src/hud/chat.rs | 82 ++++++++++++++------------ voxygen/src/hud/mod.rs | 45 +++++++------- voxygen/src/hud/popup.rs | 13 ++--- voxygen/src/session.rs | 32 +++++----- 14 files changed, 252 insertions(+), 314 deletions(-) diff --git a/chat-cli/src/main.rs b/chat-cli/src/main.rs index a4bc1eab3a..bf2908ae9d 100644 --- a/chat-cli/src/main.rs +++ b/chat-cli/src/main.rs @@ -84,7 +84,8 @@ fn main() { for event in events { match event { - Event::Chat { message, .. } => println!("{}", message), + // TODO client is now responsible for formatting the `[{player_name}] {}` + Event::Chat(m) => println!("{}", m.message), Event::Disconnect => {}, // TODO Event::DisconnectionNotification(time) => { let message = match time { diff --git a/client/src/cmd.rs b/client/src/cmd.rs index 03e77479c3..de523bd39b 100644 --- a/client/src/cmd.rs +++ b/client/src/cmd.rs @@ -112,22 +112,9 @@ pub fn complete(line: &str, client: &Client) -> Vec { } } } else { - // Complete past the last argument - match cmd.data().args.last() { - Some(ArgumentSpec::SubCommand) => { - if let Some(index) = nth_word(line, cmd.data().args.len()) { - complete(&line[index..], &client) - } else { - vec![] - } - }, - Some(ArgumentSpec::Message) => complete_player(word, &client), - _ => vec![], // End of command. Nothing to complete - } + // Completing for unknown chat command + complete_player(word, &client) } - } else { - // Completing for unknown chat command - complete_player(word, &client) } } else { // Not completing a command diff --git a/client/src/lib.rs b/client/src/lib.rs index 10b4b0467d..69b400e169 100644 --- a/client/src/lib.rs +++ b/client/src/lib.rs @@ -32,7 +32,6 @@ use common::{ sync::{Uid, UidAllocator, WorldSyncExt}, terrain::{block::Block, TerrainChunk, TerrainChunkSize}, vol::RectVolSize, - ChatType, }; use hashbrown::HashMap; use image::DynamicImage; @@ -55,10 +54,7 @@ const SERVER_TIMEOUT: f64 = 20.0; const SERVER_TIMEOUT_GRACE_PERIOD: f64 = 14.0; pub enum Event { - Chat { - chat_type: ChatType, - message: String, - }, + Chat(comp::ChatMsg), Disconnect, DisconnectionNotification(u64), Notification(Notification), @@ -465,8 +461,8 @@ impl Client { /// Send a chat message to the server. pub fn send_chat(&mut self, message: String) { match validate_chat_msg(&message) { - Ok(()) => self.postbox.send_message(ClientMsg::ChatMsg { message }), - Err(ChatMsgValidationError::TooLong) => warn!( + Ok(()) => self.postbox.send_message(ClientMsg::ChatMsg(message)), + Err(ChatMsgValidationError::TooLong) => tracing::warn!( "Attempted to send a message that's too long (Over {} bytes)", MAX_BYTES_CHAT_MSG ), @@ -824,9 +820,7 @@ impl Client { self.last_ping_delta = (self.state.get_time() - self.last_server_ping).round(); }, - ServerMsg::ChatMsg { message, chat_type } => { - frontend_events.push(Event::Chat { message, chat_type }) - }, + ServerMsg::ChatMsg(m) => frontend_events.push(Event::Chat(m)), ServerMsg::SetPlayerEntity(uid) => { if let Some(entity) = self.state.ecs().entity_from_uid(uid) { self.entity = entity; @@ -869,12 +863,13 @@ impl Client { ServerMsg::InventoryUpdate(inventory, event) => { match event { InventoryUpdateEvent::CollectFailed => { - frontend_events.push(Event::Chat { + // TODO This might not be the best way to show an error + frontend_events.push(Event::Chat(comp::ChatMsg { message: String::from( "Failed to collect item. Your inventory may be full!", ), - chat_type: ChatType::Meta, - }) + chat_type: comp::ChatType::Private, + })) }, _ => { self.state.write_component(self.entity, inventory); diff --git a/common/src/comp/chat.rs b/common/src/comp/chat.rs index 0788b67d24..260114c2e7 100644 --- a/common/src/comp/chat.rs +++ b/common/src/comp/chat.rs @@ -1,10 +1,12 @@ -use specs::{Component, Entity}; +use crate::sync::Uid; +use specs::Component; use specs_idvs::IDVStorage; -/// Limit chat to a subset of players +/// A player's current chat mode. +#[derive(Copy, Clone, Debug)] pub enum ChatMode { - /// Private message to another player (by entity) - Tell(Entity), + /// Private message to another player (by uuid) + Tell(Uid), /// Talk to players within shouting distance Say, /// Talk to players in your region of the world @@ -20,6 +22,52 @@ impl Component for ChatMode { type Storage = IDVStorage; } +/// List of chat types. Note that this is a superset of `ChatMode`; this is +/// because `ChatType::Kill`, `ChatType::Broadcast`, and `ChatType::Private` +/// cannot be sent by players. +#[derive(Copy, Debug, Clone, Serialize, Deserialize)] +pub enum ChatType { + /// Tell all players something (such as players connecting or alias changes) + Broadcast, + /// Private messages from the server (such as results of chat commands) + Private, + /// Inform players that someone died + Kill, + /// One-on-one chat (from, to) + Tell(Uid, Uid), + /// Chat with nearby players + Say(Uid), + /// Group chat + Group(Uid), + /// Factional chat + Faction(Uid), + /// Regional chat + Region(Uid), + /// World chat + World(Uid), +} + +#[derive(Debug, Clone, Serialize, Deserialize)] +pub struct ChatMsg { + pub chat_type: ChatType, + pub message: String, +} + +impl ChatMode { + /// Create a message from your current chat mode and uuid. + pub fn msg_from(&self, from: Uid, message: String) -> ChatMsg { + let chat_type = match self { + ChatMode::Tell(to) => ChatType::Tell(from, *to), + ChatMode::Say => ChatType::Say(from), + ChatMode::Region => ChatType::Region(from), + ChatMode::Group => ChatType::Group(from), + ChatMode::Faction => ChatType::Faction(from), + ChatMode::World => ChatType::World(from), + }; + ChatMsg { chat_type, message } + } +} + /// Player groups are useful when forming raiding parties and coordinating /// gameplay. /// diff --git a/common/src/comp/mod.rs b/common/src/comp/mod.rs index 27cc405391..d56fad45a0 100644 --- a/common/src/comp/mod.rs +++ b/common/src/comp/mod.rs @@ -25,7 +25,7 @@ pub use body::{ humanoid, object, quadruped_medium, quadruped_small, AllBodies, Body, BodyData, }; pub use character_state::{Attacking, CharacterState, StateUpdate}; -pub use chat::{ChatMode, Faction, Group}; +pub use chat::{ChatMode, ChatMsg, ChatType, Faction, Group}; pub use controller::{ Climb, ControlAction, ControlEvent, Controller, ControllerInputs, Input, InventoryManip, MountState, Mounting, diff --git a/common/src/lib.rs b/common/src/lib.rs index 6d845f65c5..a53cba2716 100644 --- a/common/src/lib.rs +++ b/common/src/lib.rs @@ -66,25 +66,3 @@ pub use loadout_builder::LoadoutBuilder; /// assert_eq!("bar", scon.next_message().unwrap()); /// ``` pub mod net; - -#[derive(Debug, Clone, Serialize, Deserialize)] -pub enum ChatType { - /// Tell all players something (such as players connecting or alias changes) - Broadcast, - Chat, // TODO Is this still needed? - GameUpdate, // TODO What is this? - Private, // TODO What is this? - /// One-on-one chat - Tell, - /// Chat with nearby players - Say, - /// Group chat - Group, - /// Factional chat - Faction, - Meta, // TODO What is this? - /// Inform players that someone died - Kill, - /// Regional chat - Region, -} diff --git a/common/src/msg/client.rs b/common/src/msg/client.rs index 0ff1e38c91..a609c751ea 100644 --- a/common/src/msg/client.rs +++ b/common/src/msg/client.rs @@ -1,6 +1,7 @@ use crate::{comp, terrain::block::Block}; use vek::*; +/// Messages sent from the client to the server #[derive(Debug, Clone, Serialize, Deserialize)] pub enum ClientMsg { Register { @@ -27,9 +28,8 @@ pub enum ClientMsg { PlaceBlock(Vec3, Block), Ping, Pong, - ChatMsg { - message: String, - }, + /// Send the chat message or command to be processed by the server + ChatMsg(String), PlayerPhysics { pos: comp::Pos, vel: comp::Vel, diff --git a/common/src/msg/server.rs b/common/src/msg/server.rs index 5f20f6bd40..12b6c6f87f 100644 --- a/common/src/msg/server.rs +++ b/common/src/msg/server.rs @@ -3,7 +3,6 @@ use crate::{ character::CharacterItem, comp, state, sync, terrain::{Block, TerrainChunk}, - ChatType, }; use authc::AuthClientError; use hashbrown::HashMap; @@ -45,6 +44,7 @@ pub enum Notification { WaypointSaved, } +/// Messages sent from the server to the client #[derive(Debug, Clone, Serialize, Deserialize)] pub enum ServerMsg { InitialSync { @@ -66,10 +66,9 @@ pub enum ServerMsg { ExitIngameCleanup, Ping, Pong, - ChatMsg { - chat_type: ChatType, - message: String, - }, + /// A message to go into the client chat box. The client is responsible for + /// formatting the message. + ChatMsg(comp::ChatMsg), SetPlayerEntity(u64), TimeOfDay(state::TimeOfDay), EntitySync(sync::EntitySyncPackage), @@ -113,82 +112,29 @@ impl From for RegisterError { } impl ServerMsg { - // TODO is this needed? - pub fn chat(message: String) -> ServerMsg { - ServerMsg::ChatMsg { - chat_type: ChatType::Chat, - message, - } - } - - pub fn tell(message: String) -> ServerMsg { - ServerMsg::ChatMsg { - chat_type: ChatType::Tell, - message, - } - } - - pub fn game(message: String) -> ServerMsg { - ServerMsg::ChatMsg { - chat_type: ChatType::GameUpdate, - message, - } + /// Sends either say, world, group, etc. based on the player's current chat mode. + pub fn chat(mode: comp::ChatMode, uid: sync::Uid, message: String) -> ServerMsg { + ServerMsg::ChatMsg(mode.msg_from(uid, message)) } pub fn broadcast(message: String) -> ServerMsg { - ServerMsg::ChatMsg { - chat_type: ChatType::Broadcast, + ServerMsg::ChatMsg(comp::ChatMsg { + chat_type: comp::ChatType::Broadcast, message, - } + }) } - // TODO is this needed? pub fn private(message: String) -> ServerMsg { - ServerMsg::ChatMsg { - chat_type: ChatType::Private, + ServerMsg::ChatMsg(comp::ChatMsg { + chat_type: comp::ChatType::Private, message, - } - } - - pub fn group(message: String) -> ServerMsg { - ServerMsg::ChatMsg { - chat_type: ChatType::Group, - message, - } - } - - pub fn region(message: String) -> ServerMsg { - ServerMsg::ChatMsg { - chat_type: ChatType::Region, - message, - } - } - - pub fn say(message: String) -> ServerMsg { - ServerMsg::ChatMsg { - chat_type: ChatType::Say, - message, - } - } - - pub fn faction(message: String) -> ServerMsg { - ServerMsg::ChatMsg { - chat_type: ChatType::Faction, - message, - } - } - - pub fn world(message: String) -> ServerMsg { - ServerMsg::ChatMsg { - chat_type: ChatType::Chat, - message, - } + }) } pub fn kill(message: String) -> ServerMsg { - ServerMsg::ChatMsg { - chat_type: ChatType::Kill, + ServerMsg::ChatMsg(comp::ChatMsg { + chat_type: comp::ChatType::Kill, message, - } + }) } } diff --git a/server/src/cmd.rs b/server/src/cmd.rs index 6edf5ac659..ee4e771b39 100644 --- a/server/src/cmd.rs +++ b/server/src/cmd.rs @@ -975,7 +975,7 @@ fn handle_tell( // This happens when [ab]using /sudo server.notify_client( client, - ServerMsg::tell(String::from("It's rude to impersonate people")), + ServerMsg::private(String::from("It's rude to impersonate people")), ); return; } @@ -994,26 +994,23 @@ fn handle_tell( ); return; } - if msg.is_empty() { - server.notify_client( - client, - ServerMsg::private(format!("[{}] wants to talk to you.", alias)), - ); - return; - } - if let Some(name) = ecs - .read_storage::() + let client_uid = *ecs + .read_storage() .get(client) - .map(|s| s.alias.clone()) - { - server.notify_client(player, ServerMsg::tell(format!("[{}] tells:{}", name, msg))); - server.notify_client(client, ServerMsg::tell(format!("To [{}]:{}", alias, msg))); + .expect("Player must have uid"); + let player_uid = *ecs + .read_storage() + .get(player) + .expect("Player must have uid"); + let mode = comp::ChatMode::Tell(player_uid); + let _ = server.state.ecs().write_storage().insert(client, mode); + let msg = if msg.is_empty() { + format!("{} wants to talk to you.", alias) } else { - server.notify_client( - client, - ServerMsg::private(String::from("Failed to send message.")), - ); - } + msg.to_string() + }; + server.notify_client(player, ServerMsg::chat(mode, client_uid, msg.clone())); + server.notify_client(client, ServerMsg::chat(mode, client_uid, msg)); } else { server.notify_client( client, @@ -1039,19 +1036,18 @@ fn handle_faction( // This happens when [ab]using /sudo server.notify_client( client, - ServerMsg::tell(String::from("It's rude to impersonate people")), + ServerMsg::private(String::from("It's rude to impersonate people")), ); return; } - let _ = server - .state - .ecs() - .write_storage() - .insert(client, comp::ChatMode::Faction); + let mode = comp::ChatMode::Faction; + let _ = server.state.ecs().write_storage().insert(client, mode); if !msg.is_empty() { - server - .state - .notify_registered_clients(ServerMsg::faction(msg.to_string())); + if let Some(uid) = server.state.ecs().read_storage().get(client) { + server + .state + .notify_registered_clients(ServerMsg::chat(mode, *uid, msg.to_string())); + } } } @@ -1066,19 +1062,18 @@ fn handle_group( // This happens when [ab]using /sudo server.notify_client( client, - ServerMsg::tell(String::from("It's rude to impersonate people")), + ServerMsg::private(String::from("It's rude to impersonate people")), ); return; } - let _ = server - .state - .ecs() - .write_storage() - .insert(client, comp::ChatMode::Group); + let mode = comp::ChatMode::Group; + let _ = server.state.ecs().write_storage().insert(client, mode); if !msg.is_empty() { - server - .state - .notify_registered_clients(ServerMsg::group(msg.to_string())); + if let Some(uid) = server.state.ecs().read_storage().get(client) { + server + .state + .notify_registered_clients(ServerMsg::chat(mode, *uid, msg.to_string())); + } } } @@ -1093,19 +1088,18 @@ fn handle_region( // This happens when [ab]using /sudo server.notify_client( client, - ServerMsg::tell(String::from("It's rude to impersonate people")), + ServerMsg::private(String::from("It's rude to impersonate people")), ); return; } - let _ = server - .state - .ecs() - .write_storage() - .insert(client, comp::ChatMode::Region); + let mode = comp::ChatMode::Region; + let _ = server.state.ecs().write_storage().insert(client, mode); if !msg.is_empty() { - server - .state - .notify_registered_clients(ServerMsg::region(msg.to_string())); + if let Some(uid) = server.state.ecs().read_storage().get(client) { + server + .state + .notify_registered_clients(ServerMsg::chat(mode, *uid, msg.to_string())); + } } } @@ -1120,19 +1114,18 @@ fn handle_say( // This happens when [ab]using /sudo server.notify_client( client, - ServerMsg::tell(String::from("It's rude to impersonate people")), + ServerMsg::private(String::from("It's rude to impersonate people")), ); return; } - let _ = server - .state - .ecs() - .write_storage() - .insert(client, comp::ChatMode::Say); + let mode = comp::ChatMode::Say; + let _ = server.state.ecs().write_storage().insert(client, mode); if !msg.is_empty() { - server - .state - .notify_registered_clients(ServerMsg::say(msg.to_string())); + if let Some(uid) = server.state.ecs().read_storage().get(client) { + server + .state + .notify_registered_clients(ServerMsg::chat(mode, *uid, msg.to_string())); + } } } @@ -1147,19 +1140,18 @@ fn handle_world( // This happens when [ab]using /sudo server.notify_client( client, - ServerMsg::tell(String::from("It's rude to impersonate people")), + ServerMsg::private(String::from("It's rude to impersonate people")), ); return; } - let _ = server - .state - .ecs() - .write_storage() - .insert(client, comp::ChatMode::World); + let mode = comp::ChatMode::World; + let _ = server.state.ecs().write_storage().insert(client, mode); if !msg.is_empty() { - server - .state - .notify_registered_clients(ServerMsg::world(msg.to_string())); + if let Some(uid) = server.state.ecs().read_storage().get(client) { + server + .state + .notify_registered_clients(ServerMsg::chat(mode, *uid, msg.to_string())); + } } } diff --git a/server/src/sys/message.rs b/server/src/sys/message.rs index b40379d11c..6f6f3bda2b 100644 --- a/server/src/sys/message.rs +++ b/server/src/sys/message.rs @@ -5,8 +5,7 @@ use crate::{ }; use common::{ comp::{ - Admin, CanBuild, ControlEvent, Controller, ForceUpdate, Ori, Player, Pos, SpeechBubble, - Stats, Vel, + CanBuild, ChatMode, ControlEvent, Controller, ForceUpdate, Ori, Player, Pos, Stats, Vel, }, event::{EventBus, ServerEvent}, msg::{ @@ -22,7 +21,6 @@ use hashbrown::HashMap; use specs::{ Entities, Join, Read, ReadExpect, ReadStorage, System, Write, WriteExpect, WriteStorage, }; -use tracing::warn; /// This system will handle new messages from clients pub struct Sys; @@ -37,9 +35,9 @@ impl<'a> System<'a> for Sys { Write<'a, SysTimer>, ReadStorage<'a, Uid>, ReadStorage<'a, CanBuild>, - ReadStorage<'a, Admin>, ReadStorage<'a, ForceUpdate>, ReadStorage<'a, Stats>, + ReadStorage<'a, ChatMode>, WriteExpect<'a, AuthProvider>, Write<'a, BlockChange>, WriteStorage<'a, Pos>, @@ -66,9 +64,9 @@ impl<'a> System<'a> for Sys { mut timer, uids, can_build, - admins, force_updates, stats, + chat_modes, mut accounts, mut block_changes, mut positions, @@ -320,16 +318,24 @@ impl<'a> System<'a> for Sys { }, ClientState::Pending => {}, }, - ClientMsg::ChatMsg { message } => match client.client_state { + ClientMsg::ChatMsg(message) => match client.client_state { ClientState::Connected => client.error_state(RequestStateError::Impossible), ClientState::Registered | ClientState::Spectator | ClientState::Character => match validate_chat_msg(&message) { - Ok(()) => new_chat_msgs.push((Some(entity), ServerMsg::chat(message))), + Ok(()) => { + if let Some(from) = uids.get(entity) { + let mode = chat_modes.get(entity).unwrap_or(&ChatMode::World); + let msg = ServerMsg::chat(*mode, *from, message); + new_chat_msgs.push((Some(entity), msg)); + } else { + tracing::error!("Could not send message. Missing player uid"); + } + }, Err(ChatMsgValidationError::TooLong) => { let max = MAX_BYTES_CHAT_MSG; let len = message.len(); - warn!(?len, ?max, "Recieved a chat message that's too long") + tracing::warn!(?len, ?max, "Recieved a chat message that's too long") }, }, ClientState::Pending => {}, @@ -446,39 +452,18 @@ impl<'a> System<'a> for Sys { // Handle new chat messages. for (entity, msg) in new_chat_msgs { match msg { - ServerMsg::ChatMsg { chat_type, message } => { - let message = if let Some(entity) = entity { - // Handle chat commands. - if message.starts_with("/") && message.len() > 1 { - let argv = String::from(&message[1..]); + ServerMsg::ChatMsg(msg) => { + // Handle chat commands. + if msg.message.starts_with("/") { + if let (Some(entity), true) = (entity, msg.message.len() > 1) { + let argv = String::from(&msg.message[1..]); server_emitter.emit(ServerEvent::ChatCmd(entity, argv)); - continue; - } else { - let bubble = SpeechBubble::player_new(message.clone(), *time); - let _ = speech_bubbles.insert(entity, bubble); - format!( - "{}[{}] {}: {}", - match admins.get(entity) { - Some(_) => "[ADMIN]", - None => "", - }, - match players.get(entity) { - Some(player) => &player.alias, - None => "", - }, - match stats.get(entity) { - Some(stat) => &stat.name, - None => "", - }, - message - ) } } else { - message - }; - let msg = ServerMsg::ChatMsg { chat_type, message }; - for client in (&mut clients).join().filter(|c| c.is_registered()) { - client.notify(msg.clone()); + // TODO FIXME speech bubbles and prefixes are handled by the client now + for client in (&mut clients).join().filter(|c| c.is_registered()) { + client.notify(ServerMsg::ChatMsg(msg.clone())); + } } }, _ => { diff --git a/voxygen/src/hud/chat.rs b/voxygen/src/hud/chat.rs index 33f45936ed..bf94a4c7a4 100644 --- a/voxygen/src/hud/chat.rs +++ b/voxygen/src/hud/chat.rs @@ -1,10 +1,13 @@ use super::{ - img_ids::Imgs, BROADCAST_COLOR, FACTION_COLOR, GAME_UPDATE_COLOR, GROUP_COLOR, KILL_COLOR, - META_COLOR, PRIVATE_COLOR, REGION_COLOR, SAY_COLOR, TELL_COLOR, TEXT_COLOR, + img_ids::Imgs, BROADCAST_COLOR, FACTION_COLOR, GROUP_COLOR, KILL_COLOR, PRIVATE_COLOR, + REGION_COLOR, SAY_COLOR, TELL_COLOR, TEXT_COLOR, WORLD_COLOR, }; use crate::{ui::fonts::ConrodVoxygenFonts, GlobalState}; -use client::{cmd, Client, Event as ClientEvent}; -use common::{msg::validate_chat_msg, ChatType}; +use client::{cmd, Client}; +use common::{ + comp::{ChatMsg, ChatType}, + msg::validate_chat_msg, +}; use conrod_core::{ input::Key, position::Dimension, @@ -32,7 +35,7 @@ const MAX_MESSAGES: usize = 100; #[derive(WidgetCommon)] pub struct Chat<'a> { - new_messages: &'a mut VecDeque, + new_messages: &'a mut VecDeque, force_input: Option, force_cursor: Option, force_completions: Option>, @@ -50,7 +53,7 @@ pub struct Chat<'a> { impl<'a> Chat<'a> { pub fn new( - new_messages: &'a mut VecDeque, + new_messages: &'a mut VecDeque, global_state: &'a GlobalState, imgs: &'a Imgs, fonts: &'a ConrodVoxygenFonts, @@ -105,7 +108,7 @@ impl<'a> Chat<'a> { } pub struct State { - messages: VecDeque, + messages: VecDeque, input: String, ids: Ids, history: VecDeque, @@ -153,7 +156,17 @@ impl<'a> Widget for Chat<'a> { let transp = self.global_state.settings.gameplay.chat_transp; // Maintain scrolling. if !self.new_messages.is_empty() { - state.update(|s| s.messages.extend(self.new_messages.drain(..))); + state.update(|s| { + s.messages.extend( + self.new_messages + .drain(..) + .map(|msg| { + // TODO format!([{}] {}, name, msg) + msg + }) + .collect::>(), + ) + }); ui.scroll_widget(state.ids.message_box, [0.0, std::f64::MAX]); } @@ -312,36 +325,29 @@ impl<'a> Widget for Chat<'a> { // This would be easier if conrod used the v-metrics from rusttype. let widget = if item.i < state.messages.len() { let msg = &state.messages[item.i]; - match msg { - ClientEvent::Chat { chat_type, message } => { - let color = match chat_type { - ChatType::Meta => META_COLOR, - ChatType::Tell => TELL_COLOR, - ChatType::Chat => TEXT_COLOR, - ChatType::Private => PRIVATE_COLOR, - ChatType::Broadcast => BROADCAST_COLOR, - ChatType::GameUpdate => GAME_UPDATE_COLOR, - ChatType::Say => SAY_COLOR, - ChatType::Group => GROUP_COLOR, - ChatType::Faction => FACTION_COLOR, - ChatType::Region => REGION_COLOR, - ChatType::Kill => KILL_COLOR, - }; - let text = Text::new(&message) - .font_size(self.fonts.opensans.scale(15)) - .font_id(self.fonts.opensans.conrod_id) - .w(470.0) - .color(color) - .line_spacing(2.0); - // Add space between messages. - let y = match text.get_y_dimension(ui) { - Dimension::Absolute(y) => y + 2.0, - _ => 0.0, - }; - Some(text.h(y)) - }, - _ => None, - } + let color = match msg.chat_type { + ChatType::Tell(_, _) => TELL_COLOR, + ChatType::Private => PRIVATE_COLOR, + ChatType::Broadcast => BROADCAST_COLOR, + ChatType::Say(_) => SAY_COLOR, + ChatType::Group(_) => GROUP_COLOR, + ChatType::Faction(_) => FACTION_COLOR, + ChatType::Region(_) => REGION_COLOR, + ChatType::Kill => KILL_COLOR, + ChatType::World(_) => WORLD_COLOR, + }; + let text = Text::new(&msg.message) + .font_size(self.fonts.opensans.scale(15)) + .font_id(self.fonts.opensans.conrod_id) + .w(470.0) + .color(color) + .line_spacing(2.0); + // Add space between messages. + let y = match text.get_y_dimension(ui) { + Dimension::Absolute(y) => y + 2.0, + _ => 0.0, + }; + Some(text.h(y)) } else { // Spacer at bottom of the last message so that it is not cut off. // Needs to be larger than the space above. diff --git a/voxygen/src/hud/mod.rs b/voxygen/src/hud/mod.rs index 505187460b..c9d1156e93 100644 --- a/voxygen/src/hud/mod.rs +++ b/voxygen/src/hud/mod.rs @@ -46,7 +46,7 @@ use crate::{ window::{Event as WinEvent, GameInput}, GlobalState, }; -use client::{Client, Event as ClientEvent}; +use client::Client; use common::{assets::load_expect, comp, terrain::TerrainChunk, vol::RectRasterableVol}; use conrod_core::{ text::cursor::Index, @@ -74,16 +74,24 @@ const MANA_COLOR: Color = Color::Rgba(0.29, 0.62, 0.75, 0.9); //const RAGE_COLOR: Color = Color::Rgba(0.5, 0.04, 0.13, 1.0); // Chat Colors -const META_COLOR: Color = Color::Rgba(1.0, 1.0, 0.0, 1.0); +/// Color for a private message from another player const TELL_COLOR: Color = Color::Rgba(0.98, 0.71, 1.0, 1.0); -const PRIVATE_COLOR: Color = Color::Rgba(1.0, 1.0, 0.0, 1.0); // Difference between private and tell? +/// Color for private messages from the server (such as /cmd) +const PRIVATE_COLOR: Color = Color::Rgba(1.0, 1.0, 0.0, 1.0); +/// Color for public messages from the server const BROADCAST_COLOR: Color = Color::Rgba(0.28, 0.83, 0.71, 1.0); -const GAME_UPDATE_COLOR: Color = Color::Rgba(1.0, 1.0, 0.0, 1.0); -const SAY_COLOR: Color = Color::Rgba(1.0, 1.0, 1.0, 1.0); +/// Color for local chat +const SAY_COLOR: Color = Color::Rgba(0.9, 0.2, 0.2, 1.0); +/// Color for group chat const GROUP_COLOR: Color = Color::Rgba(0.47, 0.84, 1.0, 1.0); +/// Color for factional chat const FACTION_COLOR: Color = Color::Rgba(0.24, 1.0, 0.48, 1.0); -const REGION_COLOR: Color = Color::Rgba(1.0, 1.0, 0.0, 1.0); +/// Color for regional chat +const REGION_COLOR: Color = Color::Rgba(0.2, 0.2, 1.0, 1.0); +/// Color for death messages const KILL_COLOR: Color = Color::Rgba(1.0, 0.17, 0.17, 1.0); +/// Color for global messages +const WORLD_COLOR: Color = Color::Rgba(0.9, 1.0, 0.9, 1.0); // UI Color-Theme const UI_MAIN: Color = Color::Rgba(0.61, 0.70, 0.70, 1.0); // Greenish Blue @@ -455,7 +463,8 @@ pub struct Hud { item_imgs: ItemImgs, fonts: ConrodVoxygenFonts, rot_imgs: ImgsRot, - new_messages: VecDeque, + new_messages: VecDeque, + new_notifications: VecDeque, show: Show, //never_show: bool, //intro: bool, @@ -523,6 +532,7 @@ impl Hud { new_messages: VecDeque::new(), //intro: false, //intro_2: false, + new_notifications: VecDeque::new(), show: Show { help: false, intro: true, @@ -1441,11 +1451,11 @@ impl Hud { } } - // Popup + // Popup (waypoint saved and similar notifications) Popup::new( &self.voxygen_i18n, client, - &self.new_messages, + &self.new_notifications, &self.fonts, &self.show, ) @@ -1541,16 +1551,6 @@ impl Hud { .set(self.ids.skillbar, ui_widgets); } - // The chat box breaks if it has non-chat messages left in the queue, so take - // them out. - self.new_messages.retain(|msg| { - if let ClientEvent::Chat { .. } = &msg { - true - } else { - false - } - }); - // Chat box match Chat::new( &mut self.new_messages, @@ -1578,6 +1578,7 @@ impl Hud { } self.new_messages = VecDeque::new(); + self.new_notifications = VecDeque::new(); // Windows @@ -1904,7 +1905,11 @@ impl Hud { events } - pub fn new_message(&mut self, msg: ClientEvent) { self.new_messages.push_back(msg); } + pub fn new_message(&mut self, msg: comp::ChatMsg) { self.new_messages.push_back(msg); } + + pub fn new_notification(&mut self, msg: common::msg::Notification) { + self.new_notifications.push_back(msg); + } pub fn scale_change(&mut self, scale_change: ScaleChange) -> ScaleMode { let scale_mode = match scale_change { diff --git a/voxygen/src/hud/popup.rs b/voxygen/src/hud/popup.rs index cf59572368..2f0e33b005 100644 --- a/voxygen/src/hud/popup.rs +++ b/voxygen/src/hud/popup.rs @@ -1,6 +1,6 @@ use super::Show; use crate::{i18n::VoxygenLocalization, ui::fonts::ConrodVoxygenFonts}; -use client::{self, Client, Event as ClientEvent}; +use client::{self, Client}; use common::msg::Notification; use conrod_core::{ widget::{self, Text}, @@ -23,7 +23,7 @@ widget_ids! { pub struct Popup<'a> { voxygen_i18n: &'a std::sync::Arc, client: &'a Client, - new_messages: &'a VecDeque, + new_notifications: &'a VecDeque, fonts: &'a ConrodVoxygenFonts, #[conrod(common_builder)] common: widget::CommonBuilder, @@ -36,14 +36,14 @@ impl<'a> Popup<'a> { pub fn new( voxygen_i18n: &'a std::sync::Arc, client: &'a Client, - new_messages: &'a VecDeque, + new_notifications: &'a VecDeque, fonts: &'a ConrodVoxygenFonts, show: &'a Show, ) -> Self { Self { voxygen_i18n, client, - new_messages, + new_notifications, fonts, common: widget::CommonBuilder::default(), show, @@ -119,9 +119,9 @@ impl<'a> Widget for Popup<'a> { } // Push waypoint to message queue - for notification in self.new_messages { + for notification in self.new_notifications { match notification { - ClientEvent::Notification(Notification::WaypointSaved) => { + Notification::WaypointSaved => { state.update(|s| { if s.infos.is_empty() { s.last_info_update = Instant::now(); @@ -130,7 +130,6 @@ impl<'a> Widget for Popup<'a> { s.infos.push_back(text.to_string()); }); }, - _ => {}, } } diff --git a/voxygen/src/session.rs b/voxygen/src/session.rs index 72d30ae500..194a4a0210 100644 --- a/voxygen/src/session.rs +++ b/voxygen/src/session.rs @@ -9,17 +9,16 @@ use crate::{ window::{AnalogGameInput, Event, GameInput}, Direction, Error, GlobalState, PlayState, PlayStateResult, }; -use client::{self, Client, Event::Chat}; +use client::{self, Client}; use common::{ assets::{load_watched, watch}, clock::Clock, comp, comp::{Pos, Vel, MAX_PICKUP_RANGE_SQR}, - msg::{ClientState, Notification}, + msg::ClientState, terrain::{Block, BlockKind}, util::Dir, vol::ReadVol, - ChatType, }; use specs::{Join, WorldExt}; use std::{cell::RefCell, rc::Rc, time::Duration}; @@ -84,12 +83,8 @@ impl SessionState { crate::ecs::sys::add_local_systems, )? { match event { - Chat { - chat_type: _, - ref message, - } => { - info!("[CHAT] {}", message); - self.hud.new_message(event); + client::Event::Chat(m) => { + self.hud.new_message(m); }, client::Event::Disconnect => return Ok(TickAction::Disconnect), client::Event::DisconnectionNotification(time) => { @@ -98,14 +93,13 @@ impl SessionState { _ => format!("Connection lost. Kicking in {} seconds", time), }; - self.hud.new_message(Chat { - chat_type: ChatType::Meta, + self.hud.new_message(comp::ChatMsg { + chat_type: comp::ChatType::Private, message, }); }, - client::Event::Notification(Notification::WaypointSaved) => { - self.hud - .new_message(client::Event::Notification(Notification::WaypointSaved)); + client::Event::Notification(n) => { + self.hud.new_notification(n); }, client::Event::SetViewDistance(vd) => { global_state.settings.graphics.view_distance = vd; @@ -507,10 +501,12 @@ impl PlayState for SessionState { self.scene.handle_input_event(Event::AnalogGameInput(other)); }, }, - Event::ScreenshotMessage(screenshot_message) => self.hud.new_message(Chat { - chat_type: ChatType::Meta, - message: screenshot_message, - }), + Event::ScreenshotMessage(screenshot_message) => { + self.hud.new_message(comp::ChatMsg { + chat_type: comp::ChatType::Private, + message: screenshot_message, + }) + }, // Pass all other events to the scene event => { From 5086a309e850e823cc82a74cd4fae0827bdb9c58 Mon Sep 17 00:00:00 2001 From: CapsizeGlimmer <> Date: Tue, 2 Jun 2020 02:11:47 -0400 Subject: [PATCH 03/29] Re-implement names in chat. It is done client-side now and /alias changes are retroactive. --- client/src/lib.rs | 16 ++++- common/src/msg/server.rs | 23 ++++--- server/src/cmd.rs | 44 +++++++++---- server/src/events/entity_manipulation.rs | 5 +- server/src/sys/entity_sync.rs | 2 +- server/src/sys/message.rs | 14 ++-- server/src/sys/subscription.rs | 2 +- voxygen/src/hud/chat.rs | 82 ++++++++++++++++-------- voxygen/src/hud/mod.rs | 5 +- 9 files changed, 127 insertions(+), 66 deletions(-) diff --git a/client/src/lib.rs b/client/src/lib.rs index 69b400e169..cadd2850eb 100644 --- a/client/src/lib.rs +++ b/client/src/lib.rs @@ -66,7 +66,7 @@ pub struct Client { thread_pool: ThreadPool, pub server_info: ServerInfo, pub world_map: (Arc, Vec2), - pub player_list: HashMap, + pub player_list: HashMap, pub character_list: CharacterList, pub active_character_id: Option, @@ -759,6 +759,16 @@ impl Client { ); } }, + ServerMsg::PlayerListUpdate(PlayerListUpdate::Admin(uid, admin)) => { + if let Some(player_info) = self.player_list.get_mut(&uid) { + player_info.is_admin = admin; + } else { + warn!( + "Received msg to update admin status of uid {}, but they were not in the list.", + uid + ); + } + }, ServerMsg::PlayerListUpdate(PlayerListUpdate::SelectedCharacter( uid, char_info, @@ -822,7 +832,7 @@ impl Client { }, ServerMsg::ChatMsg(m) => frontend_events.push(Event::Chat(m)), ServerMsg::SetPlayerEntity(uid) => { - if let Some(entity) = self.state.ecs().entity_from_uid(uid) { + if let Some(entity) = self.state.ecs().entity_from_uid(uid.0) { self.entity = entity; } else { return Err(Error::Other("Failed to find entity from uid.".to_owned())); @@ -853,7 +863,7 @@ impl Client { { self.state .ecs_mut() - .delete_entity_and_clear_from_uid_allocator(entity); + .delete_entity_and_clear_from_uid_allocator(entity.0); } }, // Cleanup for when the client goes back to the `Registered` state diff --git a/common/src/msg/server.rs b/common/src/msg/server.rs index 12b6c6f87f..786b9dbc6a 100644 --- a/common/src/msg/server.rs +++ b/common/src/msg/server.rs @@ -2,6 +2,7 @@ use super::{ClientState, EcsCompPacket}; use crate::{ character::CharacterItem, comp, state, sync, + sync::Uid, terrain::{Block, TerrainChunk}, }; use authc::AuthClientError; @@ -17,18 +18,21 @@ pub struct ServerInfo { pub auth_provider: Option, } +/// Inform the client of updates to the player list. #[derive(Debug, Clone, Serialize, Deserialize)] pub enum PlayerListUpdate { - Init(HashMap), - Add(u64, PlayerInfo), - SelectedCharacter(u64, CharacterInfo), - LevelChange(u64, u32), - Remove(u64), - Alias(u64, String), + Init(HashMap), + Add(Uid, PlayerInfo), + SelectedCharacter(Uid, CharacterInfo), + LevelChange(Uid, u32), + Admin(Uid, bool), + Remove(Uid), + Alias(Uid, String), } #[derive(Debug, Clone, Serialize, Deserialize)] pub struct PlayerInfo { + pub is_admin: bool, pub player_alias: String, pub character: Option, } @@ -69,12 +73,12 @@ pub enum ServerMsg { /// A message to go into the client chat box. The client is responsible for /// formatting the message. ChatMsg(comp::ChatMsg), - SetPlayerEntity(u64), + SetPlayerEntity(Uid), TimeOfDay(state::TimeOfDay), EntitySync(sync::EntitySyncPackage), CompSync(sync::CompSyncPackage), CreateEntity(sync::EntityPackage), - DeleteEntity(u64), + DeleteEntity(Uid), InventoryUpdate(comp::Inventory, comp::InventoryUpdateEvent), TerrainChunkUpdate { key: Vec2, @@ -112,7 +116,8 @@ impl From for RegisterError { } impl ServerMsg { - /// Sends either say, world, group, etc. based on the player's current chat mode. + /// Sends either say, world, group, etc. based on the player's current chat + /// mode. pub fn chat(mode: comp::ChatMode, uid: sync::Uid, message: String) -> ServerMsg { ServerMsg::ChatMsg(mode.msg_from(uid, message)) } diff --git a/server/src/cmd.rs b/server/src/cmd.rs index ee4e771b39..399b102cff 100644 --- a/server/src/cmd.rs +++ b/server/src/cmd.rs @@ -388,7 +388,20 @@ fn handle_alias( args: String, action: &ChatCommand, ) { + if client != target { + // Prevent people abusing /sudo + server.notify_client( + client, + ServerMsg::private(String::from("Don't call people names. It's mean.")), + ); + return; + } if let Ok(alias) = scan_fmt!(&args, &action.arg_fmt(), String) { + if !comp::Player::alias_is_valid(&alias) { + // Prevent silly aliases + server.notify_client(client, ServerMsg::private(String::from("Invalid alias."))); + return; + } let old_alias_optional = server .state .ecs_mut() @@ -932,26 +945,30 @@ fn handle_adminify( let ecs = server.state.ecs(); let opt_player = (&ecs.entities(), &ecs.read_storage::()) .join() - .find(|(_, player)| player.alias == alias) + .find(|(_, player)| alias == player.alias) .map(|(entity, _)| entity); match opt_player { - Some(player) => match server.state.read_component_cloned::(player) { - Some(_admin) => { + Some(player) => { + let is_admin = if server.state.read_component_cloned::(player).is_some() { ecs.write_storage::().remove(player); - }, - None => { - server.state.write_component(player, comp::Admin); - }, + false + } else { + ecs.write_storage().insert(player, comp::Admin).is_ok() + }; + // Update player list so the player shows up as admin in client chat. + let msg = ServerMsg::PlayerListUpdate(PlayerListUpdate::Admin( + *ecs.read_storage::() + .get(player) + .expect("Player should have uid"), + is_admin, + )); + server.state.notify_registered_clients(msg); }, None => { server.notify_client( client, ServerMsg::private(format!("Player '{}' not found!", alias)), ); - server.notify_client( - client, - ServerMsg::private(String::from(action.help_string())), - ); }, } } else { @@ -1319,13 +1336,12 @@ fn handle_set_level( match target { Ok(player) => { - let uid = server + let uid = *server .state .ecs() .read_storage::() .get(player) - .expect("Failed to get uid for player") - .0; + .expect("Failed to get uid for player"); server .state .notify_registered_clients(ServerMsg::PlayerListUpdate( diff --git a/server/src/events/entity_manipulation.rs b/server/src/events/entity_manipulation.rs index 8de46e9df8..e48ec5c29d 100644 --- a/server/src/events/entity_manipulation.rs +++ b/server/src/events/entity_manipulation.rs @@ -471,12 +471,11 @@ pub fn handle_level_up(server: &mut Server, entity: EcsEntity, new_level: u32) { let uids = server.state.ecs().read_storage::(); let uid = uids .get(entity) - .expect("Failed to fetch uid component for entity.") - .0; + .expect("Failed to fetch uid component for entity."); server .state .notify_registered_clients(ServerMsg::PlayerListUpdate(PlayerListUpdate::LevelChange( - uid, new_level, + *uid, new_level, ))); } diff --git a/server/src/sys/entity_sync.rs b/server/src/sys/entity_sync.rs index 041c88cfde..d792e4baa8 100644 --- a/server/src/sys/entity_sync.rs +++ b/server/src/sys/entity_sync.rs @@ -301,7 +301,7 @@ impl<'a> System<'a> for Sys { }) { for uid in &deleted { - client.notify(ServerMsg::DeleteEntity(*uid)); + client.notify(ServerMsg::DeleteEntity(Uid(*uid))); } } } diff --git a/server/src/sys/message.rs b/server/src/sys/message.rs index 6f6f3bda2b..e25e159ab7 100644 --- a/server/src/sys/message.rs +++ b/server/src/sys/message.rs @@ -5,7 +5,8 @@ use crate::{ }; use common::{ comp::{ - CanBuild, ChatMode, ControlEvent, Controller, ForceUpdate, Ori, Player, Pos, Stats, Vel, + Admin, CanBuild, ChatMode, ControlEvent, Controller, ForceUpdate, Ori, Player, Pos, Stats, + Vel, }, event::{EventBus, ServerEvent}, msg::{ @@ -33,6 +34,7 @@ impl<'a> System<'a> for Sys { ReadExpect<'a, CharacterLoader>, ReadExpect<'a, TerrainGrid>, Write<'a, SysTimer>, + ReadStorage<'a, Admin>, ReadStorage<'a, Uid>, ReadStorage<'a, CanBuild>, ReadStorage<'a, ForceUpdate>, @@ -62,6 +64,7 @@ impl<'a> System<'a> for Sys { character_loader, terrain, mut timer, + admins, uids, can_build, force_updates, @@ -86,13 +89,13 @@ impl<'a> System<'a> for Sys { let mut new_chat_msgs = Vec::new(); // Player list to send new players. - let player_list = (&uids, &players, &stats) + let player_list = (&uids, &players, stats.maybe(), admins.maybe()) .join() - .map(|(uid, player, stats)| { + .map(|(uid, player, stats, admin)| { ((*uid).into(), PlayerInfo { + is_admin: admin.is_some(), player_alias: player.alias.clone(), - // TODO: player might not have a character selected - character: Some(CharacterInfo { + character: stats.map(|stats| CharacterInfo { name: stats.name.clone(), level: stats.level.level(), }), @@ -441,6 +444,7 @@ impl<'a> System<'a> for Sys { let msg = ServerMsg::PlayerListUpdate(PlayerListUpdate::Add((*uid).into(), PlayerInfo { player_alias: player.alias.clone(), + is_admin: admins.get(entity).is_some(), character: None, // new players will be on character select. })); for client in (&mut clients).join().filter(|c| c.is_registered()) { diff --git a/server/src/sys/subscription.rs b/server/src/sys/subscription.rs index fbff3e431e..4716fc84c9 100644 --- a/server/src/sys/subscription.rs +++ b/server/src/sys/subscription.rs @@ -169,7 +169,7 @@ impl<'a> System<'a> for Sys { .iter() .flat_map(|v| v.iter()) { - client.notify(ServerMsg::DeleteEntity(*uid)); + client.notify(ServerMsg::DeleteEntity(Uid(*uid))); } } diff --git a/voxygen/src/hud/chat.rs b/voxygen/src/hud/chat.rs index bf94a4c7a4..3e200ad66d 100644 --- a/voxygen/src/hud/chat.rs +++ b/voxygen/src/hud/chat.rs @@ -18,6 +18,7 @@ use conrod_core::{ widget::{self, Button, Id, List, Rectangle, Text, TextEdit}, widget_ids, Colorable, Positionable, Sizeable, Ui, UiCell, Widget, WidgetCommon, }; +use specs::world::WorldExt; use std::collections::VecDeque; widget_ids! { @@ -36,6 +37,7 @@ const MAX_MESSAGES: usize = 100; #[derive(WidgetCommon)] pub struct Chat<'a> { new_messages: &'a mut VecDeque, + client: &'a Client, force_input: Option, force_cursor: Option, force_completions: Option>, @@ -54,12 +56,14 @@ pub struct Chat<'a> { impl<'a> Chat<'a> { pub fn new( new_messages: &'a mut VecDeque, + client: &'a Client, global_state: &'a GlobalState, imgs: &'a Imgs, fonts: &'a ConrodVoxygenFonts, ) -> Self { Self { new_messages, + client, force_input: None, force_cursor: None, force_completions: None, @@ -71,9 +75,9 @@ impl<'a> Chat<'a> { } } - pub fn prepare_tab_completion(mut self, input: String, client: &Client) -> Self { + pub fn prepare_tab_completion(mut self, input: String) -> Self { if let Some(index) = input.find('\t') { - self.force_completions = Some(cmd::complete(&input[..index], &client)); + self.force_completions = Some(cmd::complete(&input[..index], &self.client)); } else { self.force_completions = None; } @@ -305,6 +309,19 @@ impl<'a> Widget for Chat<'a> { } } + let alias_of_uid = |uid| { + self.client + .player_list + .get(uid) + .map_or("".to_string(), |player_info| { + if player_info.is_admin { + format!("ADMIN - {}", player_info.player_alias) + } else { + player_info.player_alias.to_string() + } + }) + }; + let message_format = |uid, message| format!("[{}]: {}", alias_of_uid(uid), message); // Message box Rectangle::fill([470.0, 174.0]) .rgba(0.0, 0.0, 0.0, transp) @@ -323,20 +340,35 @@ impl<'a> Widget for Chat<'a> { .set(state.ids.message_box, ui); while let Some(item) = items.next(ui) { // This would be easier if conrod used the v-metrics from rusttype. - let widget = if item.i < state.messages.len() { - let msg = &state.messages[item.i]; - let color = match msg.chat_type { - ChatType::Tell(_, _) => TELL_COLOR, - ChatType::Private => PRIVATE_COLOR, - ChatType::Broadcast => BROADCAST_COLOR, - ChatType::Say(_) => SAY_COLOR, - ChatType::Group(_) => GROUP_COLOR, - ChatType::Faction(_) => FACTION_COLOR, - ChatType::Region(_) => REGION_COLOR, - ChatType::Kill => KILL_COLOR, - ChatType::World(_) => WORLD_COLOR, + if item.i < state.messages.len() { + let ChatMsg { chat_type, message } = &state.messages[item.i]; + let (color, msg) = match chat_type { + ChatType::Private => (PRIVATE_COLOR, message.to_string()), + ChatType::Broadcast => (BROADCAST_COLOR, message.to_string()), + ChatType::Kill => (KILL_COLOR, message.to_string()), + ChatType::Tell(from, to) => { + let from_alias = alias_of_uid(&from); + let to_alias = alias_of_uid(&to); + if Some(from) + == self + .client + .state() + .ecs() + .read_storage() + .get(self.client.entity()) + { + (TELL_COLOR, format!("To [{}]: {}", to_alias, message)) + } else { + (TELL_COLOR, format!("From [{}]: {}", from_alias, message)) + } + }, + ChatType::Say(uid) => (SAY_COLOR, message_format(uid, message)), + ChatType::Group(uid) => (GROUP_COLOR, message_format(uid, message)), + ChatType::Faction(uid) => (FACTION_COLOR, message_format(uid, message)), + ChatType::Region(uid) => (REGION_COLOR, message_format(uid, message)), + ChatType::World(uid) => (WORLD_COLOR, message_format(uid, message)), }; - let text = Text::new(&msg.message) + let text = Text::new(&msg) .font_size(self.fonts.opensans.scale(15)) .font_id(self.fonts.opensans.conrod_id) .w(470.0) @@ -347,23 +379,17 @@ impl<'a> Widget for Chat<'a> { Dimension::Absolute(y) => y + 2.0, _ => 0.0, }; - Some(text.h(y)) + let widget = text.h(y); + item.set(widget, ui); } else { // Spacer at bottom of the last message so that it is not cut off. // Needs to be larger than the space above. - Some( - Text::new("") - .font_size(self.fonts.opensans.scale(6)) - .font_id(self.fonts.opensans.conrod_id) - .w(470.0), - ) + let widget = Text::new("") + .font_size(self.fonts.opensans.scale(6)) + .font_id(self.fonts.opensans.conrod_id) + .w(470.0); + item.set(widget, ui); }; - match widget { - Some(widget) => { - item.set(widget, ui); - }, - None => {}, - } } // Chat Arrow diff --git a/voxygen/src/hud/mod.rs b/voxygen/src/hud/mod.rs index c9d1156e93..420183cca3 100644 --- a/voxygen/src/hud/mod.rs +++ b/voxygen/src/hud/mod.rs @@ -81,7 +81,7 @@ const PRIVATE_COLOR: Color = Color::Rgba(1.0, 1.0, 0.0, 1.0); /// Color for public messages from the server const BROADCAST_COLOR: Color = Color::Rgba(0.28, 0.83, 0.71, 1.0); /// Color for local chat -const SAY_COLOR: Color = Color::Rgba(0.9, 0.2, 0.2, 1.0); +const SAY_COLOR: Color = Color::Rgba(1.0, 0.8, 0.8, 1.0); /// Color for group chat const GROUP_COLOR: Color = Color::Rgba(0.47, 0.84, 1.0, 1.0); /// Color for factional chat @@ -1554,13 +1554,14 @@ impl Hud { // Chat box match Chat::new( &mut self.new_messages, + &client, global_state, &self.imgs, &self.fonts, ) .and_then(self.force_chat_input.take(), |c, input| c.input(input)) .and_then(self.tab_complete.take(), |c, input| { - c.prepare_tab_completion(input, &client) + c.prepare_tab_completion(input) }) .and_then(self.force_chat_cursor.take(), |c, pos| c.cursor_pos(pos)) .set(self.ids.chat, ui_widgets) From 3742128186631af712577af4f9904bc34b479743 Mon Sep 17 00:00:00 2001 From: CapsizeGlimmer <> Date: Thu, 4 Jun 2020 03:11:35 -0400 Subject: [PATCH 04/29] Move message processing and chat bubbles to the client --- client/src/lib.rs | 7 +- common/src/comp/agent.rs | 4 +- common/src/comp/chat.rs | 122 +++++++++++++++++++++++++++++--- common/src/comp/mod.rs | 4 +- common/src/event.rs | 2 + common/src/msg/ecs_packet.rs | 7 -- common/src/msg/server.rs | 2 +- common/src/state.rs | 1 - common/src/sys/agent.rs | 24 ++++--- server/src/events/mod.rs | 11 ++- server/src/lib.rs | 2 +- server/src/sys/message.rs | 3 +- server/src/sys/mod.rs | 8 +-- server/src/sys/sentinel.rs | 17 +---- server/src/sys/speech_bubble.rs | 29 -------- voxygen/src/hud/chat.rs | 1 + voxygen/src/hud/mod.rs | 43 ++++++++--- voxygen/src/session.rs | 7 +- 18 files changed, 193 insertions(+), 101 deletions(-) delete mode 100644 server/src/sys/speech_bubble.rs diff --git a/client/src/lib.rs b/client/src/lib.rs index cadd2850eb..00fa050aa2 100644 --- a/client/src/lib.rs +++ b/client/src/lib.rs @@ -802,7 +802,11 @@ impl Client { }; } }, - ServerMsg::PlayerListUpdate(PlayerListUpdate::Remove(uid)) => { + ServerMsg::PlayerListUpdate(PlayerListUpdate::Remove(_uid)) => { + // Don't remove players because we need to remember the + // names of disconnected players in chat. + + /* if self.player_list.remove(&uid).is_none() { warn!( "Received msg to remove uid {} from the player list by they \ @@ -810,6 +814,7 @@ impl Client { uid ); } + */ }, ServerMsg::PlayerListUpdate(PlayerListUpdate::Alias(uid, new_name)) => { if let Some(player_info) = self.player_list.get_mut(&uid) { diff --git a/common/src/comp/agent.rs b/common/src/comp/agent.rs index d2bbb837b3..4ad4794181 100644 --- a/common/src/comp/agent.rs +++ b/common/src/comp/agent.rs @@ -1,5 +1,5 @@ -use crate::{path::Chaser, state::Time}; -use specs::{Component, Entity as EcsEntity, FlaggedStorage, HashMapStorage}; +use crate::path::Chaser; +use specs::{Component, Entity as EcsEntity}; use specs_idvs::IDVStorage; use vek::*; diff --git a/common/src/comp/chat.rs b/common/src/comp/chat.rs index 260114c2e7..d6b8b7e1fc 100644 --- a/common/src/comp/chat.rs +++ b/common/src/comp/chat.rs @@ -1,6 +1,7 @@ use crate::sync::Uid; use specs::Component; use specs_idvs::IDVStorage; +use std::time::{Duration, Instant}; /// A player's current chat mode. #[derive(Copy, Clone, Debug)] @@ -18,10 +19,26 @@ pub enum ChatMode { /// Talk to every player on the server World, } + impl Component for ChatMode { type Storage = IDVStorage; } +impl ChatMode { + /// Create a message from your current chat mode and uuid. + pub fn msg_from(&self, from: Uid, message: String) -> ChatMsg { + let chat_type = match self { + ChatMode::Tell(to) => ChatType::Tell(from, *to), + ChatMode::Say => ChatType::Say(from), + ChatMode::Region => ChatType::Region(from), + ChatMode::Group => ChatType::Group(from), + ChatMode::Faction => ChatType::Faction(from), + ChatMode::World => ChatType::World(from), + }; + ChatMsg { chat_type, message } + } +} + /// List of chat types. Note that this is a superset of `ChatMode`; this is /// because `ChatType::Kill`, `ChatType::Broadcast`, and `ChatType::Private` /// cannot be sent by players. @@ -45,6 +62,10 @@ pub enum ChatType { Region(Uid), /// World chat World(Uid), + /// Messages sent from NPCs (Not shown in chat but as speech bubbles) + /// + /// The u16 field is a random number for selecting localization variants. + Npc(Uid, u16), } #[derive(Debug, Clone, Serialize, Deserialize)] @@ -53,18 +74,32 @@ pub struct ChatMsg { pub message: String, } -impl ChatMode { - /// Create a message from your current chat mode and uuid. - pub fn msg_from(&self, from: Uid, message: String) -> ChatMsg { - let chat_type = match self { - ChatMode::Tell(to) => ChatType::Tell(from, *to), - ChatMode::Say => ChatType::Say(from), - ChatMode::Region => ChatType::Region(from), - ChatMode::Group => ChatType::Group(from), - ChatMode::Faction => ChatType::Faction(from), - ChatMode::World => ChatType::World(from), +impl ChatMsg { + pub fn npc(uid: Uid, message: String) -> Self { + let chat_type = ChatType::Npc(uid, rand::random()); + Self { chat_type, message } + } + + pub fn to_bubble(&self) -> Option<(SpeechBubble, Uid)> { + let tuple = match self.chat_type { + ChatType::Broadcast => None, + ChatType::Private => None, + ChatType::Kill => None, + ChatType::Tell(u, _) => Some((SpeechBubbleIcon::Tell, u, None)), + ChatType::Say(u) => Some((SpeechBubbleIcon::Say, u, None)), + ChatType::Group(u) => Some((SpeechBubbleIcon::Group, u, None)), + ChatType::Faction(u) => Some((SpeechBubbleIcon::Faction, u, None)), + ChatType::Region(u) => Some((SpeechBubbleIcon::Region, u, None)), + ChatType::World(u) => Some((SpeechBubbleIcon::World, u, None)), + ChatType::Npc(u, r) => Some((SpeechBubbleIcon::None, u, Some(r))), }; - ChatMsg { chat_type, message } + tuple.map(|(icon, from, npc_rand)| { + if let Some(r) = npc_rand { + (SpeechBubble::npc_new(self.message.clone(), r, icon), from) + } else { + (SpeechBubble::player_new(self.message.clone(), icon), from) + } + }) } } @@ -85,3 +120,68 @@ pub struct Faction(String); impl Component for Faction { type Storage = IDVStorage; } + +/// The contents of a speech bubble +pub enum SpeechBubbleMessage { + /// This message was said by a player and needs no translation + Plain(String), + /// This message was said by an NPC. The fields are a i18n key and a random + /// u16 index + Localized(String, u16), +} + +pub enum SpeechBubbleIcon { + // One for each chat mode + Tell, + Say, + Region, + Group, + Faction, + World, + // For NPCs + Quest, // TODO not implemented + Trade, // TODO not implemented + None, // No icon (default for npcs) +} + +/// Adds a speech bubble above the character +pub struct SpeechBubble { + pub message: SpeechBubbleMessage, + pub icon: SpeechBubbleIcon, + pub timeout: Instant, +} + +impl SpeechBubble { + /// Default duration in seconds of speech bubbles + pub const DEFAULT_DURATION: f64 = 5.0; + + pub fn npc_new(i18n_key: String, r: u16, icon: SpeechBubbleIcon) -> Self { + let message = SpeechBubbleMessage::Localized(i18n_key, r); + let timeout = Instant::now() + Duration::from_secs_f64(SpeechBubble::DEFAULT_DURATION); + Self { + message, + timeout, + icon, + } + } + + pub fn player_new(message: String, icon: SpeechBubbleIcon) -> Self { + let message = SpeechBubbleMessage::Plain(message); + let timeout = Instant::now() + Duration::from_secs_f64(SpeechBubble::DEFAULT_DURATION); + Self { + message, + timeout, + icon, + } + } + + pub fn message(&self, i18n_variation: F) -> String + where + F: Fn(String, u16) -> String, + { + match &self.message { + SpeechBubbleMessage::Plain(m) => m.to_string(), + SpeechBubbleMessage::Localized(k, i) => i18n_variation(k.to_string(), *i).to_string(), + } + } +} diff --git a/common/src/comp/mod.rs b/common/src/comp/mod.rs index d56fad45a0..50e9ba22b4 100644 --- a/common/src/comp/mod.rs +++ b/common/src/comp/mod.rs @@ -19,13 +19,13 @@ mod visual; // Reexports pub use ability::{CharacterAbility, CharacterAbilityType, ItemConfig, Loadout}; pub use admin::Admin; -pub use agent::{Agent, Alignment, SpeechBubble, SPEECH_BUBBLE_DURATION}; +pub use agent::{Agent, Alignment}; pub use body::{ biped_large, bird_medium, bird_small, critter, dragon, fish_medium, fish_small, golem, humanoid, object, quadruped_medium, quadruped_small, AllBodies, Body, BodyData, }; pub use character_state::{Attacking, CharacterState, StateUpdate}; -pub use chat::{ChatMode, ChatMsg, ChatType, Faction, Group}; +pub use chat::{ChatMode, ChatMsg, ChatType, Faction, Group, SpeechBubble}; pub use controller::{ Climb, ControlAction, ControlEvent, Controller, ControllerInputs, Input, InventoryManip, MountState, Mounting, diff --git a/common/src/event.rs b/common/src/event.rs index f848ae4c7e..3790cfb49d 100644 --- a/common/src/event.rs +++ b/common/src/event.rs @@ -119,6 +119,8 @@ pub enum ServerEvent { ClientDisconnect(EcsEntity), ChunkRequest(EcsEntity, Vec2), ChatCmd(EcsEntity, String), + /// Send a chat message from an npc to the player + Chat(comp::ChatMsg), } pub struct EventBus { diff --git a/common/src/msg/ecs_packet.rs b/common/src/msg/ecs_packet.rs index 998e607a91..204b927c19 100644 --- a/common/src/msg/ecs_packet.rs +++ b/common/src/msg/ecs_packet.rs @@ -25,7 +25,6 @@ sum_type! { Sticky(comp::Sticky), Loadout(comp::Loadout), CharacterState(comp::CharacterState), - SpeechBubble(comp::SpeechBubble), Pos(comp::Pos), Vel(comp::Vel), Ori(comp::Ori), @@ -52,7 +51,6 @@ sum_type! { Sticky(PhantomData), Loadout(PhantomData), CharacterState(PhantomData), - SpeechBubble(PhantomData), Pos(PhantomData), Vel(PhantomData), Ori(PhantomData), @@ -79,7 +77,6 @@ impl sync::CompPacket for EcsCompPacket { EcsCompPacket::Sticky(comp) => sync::handle_insert(comp, entity, world), EcsCompPacket::Loadout(comp) => sync::handle_insert(comp, entity, world), EcsCompPacket::CharacterState(comp) => sync::handle_insert(comp, entity, world), - EcsCompPacket::SpeechBubble(comp) => sync::handle_insert(comp, entity, world), EcsCompPacket::Pos(comp) => sync::handle_insert(comp, entity, world), EcsCompPacket::Vel(comp) => sync::handle_insert(comp, entity, world), EcsCompPacket::Ori(comp) => sync::handle_insert(comp, entity, world), @@ -104,7 +101,6 @@ impl sync::CompPacket for EcsCompPacket { EcsCompPacket::Sticky(comp) => sync::handle_modify(comp, entity, world), EcsCompPacket::Loadout(comp) => sync::handle_modify(comp, entity, world), EcsCompPacket::CharacterState(comp) => sync::handle_modify(comp, entity, world), - EcsCompPacket::SpeechBubble(comp) => sync::handle_modify(comp, entity, world), EcsCompPacket::Pos(comp) => sync::handle_modify(comp, entity, world), EcsCompPacket::Vel(comp) => sync::handle_modify(comp, entity, world), EcsCompPacket::Ori(comp) => sync::handle_modify(comp, entity, world), @@ -133,9 +129,6 @@ impl sync::CompPacket for EcsCompPacket { EcsCompPhantom::CharacterState(_) => { sync::handle_remove::(entity, world) }, - EcsCompPhantom::SpeechBubble(_) => { - sync::handle_remove::(entity, world) - }, EcsCompPhantom::Pos(_) => sync::handle_remove::(entity, world), EcsCompPhantom::Vel(_) => sync::handle_remove::(entity, world), EcsCompPhantom::Ori(_) => sync::handle_remove::(entity, world), diff --git a/common/src/msg/server.rs b/common/src/msg/server.rs index 786b9dbc6a..be8010d2b4 100644 --- a/common/src/msg/server.rs +++ b/common/src/msg/server.rs @@ -71,7 +71,7 @@ pub enum ServerMsg { Ping, Pong, /// A message to go into the client chat box. The client is responsible for - /// formatting the message. + /// formatting the message and turning it into a speech bubble. ChatMsg(comp::ChatMsg), SetPlayerEntity(Uid), TimeOfDay(state::TimeOfDay), diff --git a/common/src/state.rs b/common/src/state.rs index 40116849c7..e99b63165a 100644 --- a/common/src/state.rs +++ b/common/src/state.rs @@ -122,7 +122,6 @@ impl State { ecs.register::(); ecs.register::(); ecs.register::(); - ecs.register::(); // Register components send from clients -> server ecs.register::(); diff --git a/common/src/sys/agent.rs b/common/src/sys/agent.rs index c482fd3eb0..cd71b22135 100644 --- a/common/src/sys/agent.rs +++ b/common/src/sys/agent.rs @@ -3,12 +3,13 @@ use crate::{ self, agent::Activity, item::{tool::ToolKind, ItemKind}, - Agent, Alignment, CharacterState, ControlAction, Controller, Loadout, MountState, Ori, Pos, - Scale, SpeechBubble, Stats, + Agent, Alignment, CharacterState, ChatMsg, ControlAction, Controller, Loadout, MountState, + Ori, Pos, Scale, Stats, }, + event::{EventBus, ServerEvent}, path::Chaser, state::{DeltaTime, Time}, - sync::UidAllocator, + sync::{Uid, UidAllocator}, terrain::TerrainGrid, util::Dir, vol::ReadVol, @@ -16,7 +17,7 @@ use crate::{ use rand::{thread_rng, Rng}; use specs::{ saveload::{Marker, MarkerAllocator}, - Entities, Join, Read, ReadExpect, ReadStorage, System, WriteStorage, + Entities, Join, Read, ReadExpect, ReadStorage, System, Write, WriteStorage, }; use vek::*; @@ -28,6 +29,7 @@ impl<'a> System<'a> for Sys { Read<'a, UidAllocator>, Read<'a, Time>, Read<'a, DeltaTime>, + Write<'a, EventBus>, Entities<'a>, ReadStorage<'a, Pos>, ReadStorage<'a, Ori>, @@ -35,11 +37,11 @@ impl<'a> System<'a> for Sys { ReadStorage<'a, Stats>, ReadStorage<'a, Loadout>, ReadStorage<'a, CharacterState>, + ReadStorage<'a, Uid>, ReadExpect<'a, TerrainGrid>, ReadStorage<'a, Alignment>, WriteStorage<'a, Agent>, WriteStorage<'a, Controller>, - WriteStorage<'a, SpeechBubble>, ReadStorage<'a, MountState>, ); @@ -50,6 +52,7 @@ impl<'a> System<'a> for Sys { uid_allocator, time, dt, + event_bus, entities, positions, orientations, @@ -57,11 +60,11 @@ impl<'a> System<'a> for Sys { stats, loadouts, character_states, + uids, terrain, alignments, mut agents, mut controllers, - mut speech_bubbles, mount_states, ): Self::SystemData, ) { @@ -72,6 +75,7 @@ impl<'a> System<'a> for Sys { alignment, loadout, character_state, + uid, agent, controller, mount_state, @@ -82,6 +86,7 @@ impl<'a> System<'a> for Sys { alignments.maybe(), &loadouts, &character_states, + &uids, &mut agents, &mut controllers, mount_states.maybe(), @@ -386,10 +391,9 @@ impl<'a> System<'a> for Sys { { if stats.get(attacker).map_or(false, |a| !a.is_dead) { if agent.can_speak { - let message = - "npc.speech.villager_under_attack".to_string(); - let bubble = SpeechBubble::npc_new(message, *time); - let _ = speech_bubbles.insert(entity, bubble); + let msg = "npc.speech.villager_under_attack".to_string(); + event_bus + .emit_now(ServerEvent::Chat(ChatMsg::npc(*uid, msg))); } agent.activity = Activity::Attack { diff --git a/server/src/events/mod.rs b/server/src/events/mod.rs index e541f22710..9ea1b40fd4 100644 --- a/server/src/events/mod.rs +++ b/server/src/events/mod.rs @@ -1,5 +1,8 @@ -use crate::Server; -use common::event::{EventBus, ServerEvent}; +use crate::{state_ext::StateExt, Server}; +use common::{ + event::{EventBus, ServerEvent}, + msg::ServerMsg, +}; use entity_creation::{ handle_create_npc, handle_create_waypoint, handle_initialize_character, handle_loaded_character_data, handle_shoot, @@ -103,6 +106,10 @@ impl Server { ServerEvent::ChatCmd(entity, cmd) => { chat_commands.push((entity, cmd)); }, + ServerEvent::Chat(msg) => { + self.state + .notify_registered_clients(ServerMsg::ChatMsg(msg)); + }, } } diff --git a/server/src/lib.rs b/server/src/lib.rs index 1821772110..0c7177c3a6 100644 --- a/server/src/lib.rs +++ b/server/src/lib.rs @@ -114,8 +114,8 @@ impl Server { state.ecs_mut().insert(sys::TerrainSyncTimer::default()); state.ecs_mut().insert(sys::TerrainTimer::default()); state.ecs_mut().insert(sys::WaypointTimer::default()); - state.ecs_mut().insert(sys::SpeechBubbleTimer::default()); state.ecs_mut().insert(sys::PersistenceTimer::default()); + //state.ecs_mut().insert(sys::StatsPersistenceTimer::default()); // System schedulers to control execution of systems state diff --git a/server/src/sys/message.rs b/server/src/sys/message.rs index e25e159ab7..78a2fcd79a 100644 --- a/server/src/sys/message.rs +++ b/server/src/sys/message.rs @@ -464,7 +464,8 @@ impl<'a> System<'a> for Sys { server_emitter.emit(ServerEvent::ChatCmd(entity, argv)); } } else { - // TODO FIXME speech bubbles and prefixes are handled by the client now + // Send speech bubble and chat message + // TODO filter group, faction, say, and bubble distance. for client in (&mut clients).join().filter(|c| c.is_registered()) { client.notify(ServerMsg::ChatMsg(msg.clone())); } diff --git a/server/src/sys/mod.rs b/server/src/sys/mod.rs index 2d6cac6057..c89b36bf41 100644 --- a/server/src/sys/mod.rs +++ b/server/src/sys/mod.rs @@ -2,7 +2,6 @@ pub mod entity_sync; pub mod message; pub mod persistence; pub mod sentinel; -pub mod speech_bubble; pub mod subscription; pub mod terrain; pub mod terrain_sync; @@ -21,9 +20,10 @@ pub type SubscriptionTimer = SysTimer; pub type TerrainTimer = SysTimer; pub type TerrainSyncTimer = SysTimer; pub type WaypointTimer = SysTimer; -pub type SpeechBubbleTimer = SysTimer; pub type PersistenceTimer = SysTimer; pub type PersistenceScheduler = SysScheduler; +//pub type StatsPersistenceTimer = SysTimer; +//pub type StatsPersistenceScheduler = SysScheduler; // System names // Note: commented names may be useful in the future @@ -33,14 +33,14 @@ pub type PersistenceScheduler = SysScheduler; //const TERRAIN_SYNC_SYS: &str = "server_terrain_sync_sys"; const TERRAIN_SYS: &str = "server_terrain_sys"; const WAYPOINT_SYS: &str = "waypoint_sys"; -const SPEECH_BUBBLE_SYS: &str = "speech_bubble_sys"; const PERSISTENCE_SYS: &str = "persistence_sys"; +//const STATS_PERSISTENCE_SYS: &str = "stats_persistence_sys"; pub fn add_server_systems(dispatch_builder: &mut DispatcherBuilder) { dispatch_builder.add(terrain::Sys, TERRAIN_SYS, &[]); dispatch_builder.add(waypoint::Sys, WAYPOINT_SYS, &[]); - dispatch_builder.add(speech_bubble::Sys, SPEECH_BUBBLE_SYS, &[]); dispatch_builder.add(persistence::Sys, PERSISTENCE_SYS, &[]); + //dispatch_builder.add(persistence::stats::Sys, STATS_PERSISTENCE_SYS, &[]); } pub fn run_sync_systems(ecs: &mut specs::World) { diff --git a/server/src/sys/sentinel.rs b/server/src/sys/sentinel.rs index 27acbd7a0f..3c90aec221 100644 --- a/server/src/sys/sentinel.rs +++ b/server/src/sys/sentinel.rs @@ -2,7 +2,7 @@ use super::SysTimer; use common::{ comp::{ Body, CanBuild, CharacterState, Collider, Energy, Gravity, Item, LightEmitter, Loadout, - Mass, MountState, Mounting, Ori, Player, Pos, Scale, SpeechBubble, Stats, Sticky, Vel, + Mass, MountState, Mounting, Ori, Player, Pos, Scale, Stats, Sticky, Vel, }, msg::EcsCompPacket, sync::{CompSyncPackage, EntityPackage, EntitySyncPackage, Uid, UpdateTracker, WorldSyncExt}, @@ -54,7 +54,6 @@ pub struct TrackedComps<'a> { pub gravity: ReadStorage<'a, Gravity>, pub loadout: ReadStorage<'a, Loadout>, pub character_state: ReadStorage<'a, CharacterState>, - pub speech_bubble: ReadStorage<'a, SpeechBubble>, } impl<'a> TrackedComps<'a> { pub fn create_entity_package( @@ -126,10 +125,6 @@ impl<'a> TrackedComps<'a> { .get(entity) .cloned() .map(|c| comps.push(c.into())); - self.speech_bubble - .get(entity) - .cloned() - .map(|c| comps.push(c.into())); // Add untracked comps pos.map(|c| comps.push(c.into())); vel.map(|c| comps.push(c.into())); @@ -157,7 +152,6 @@ pub struct ReadTrackers<'a> { pub gravity: ReadExpect<'a, UpdateTracker>, pub loadout: ReadExpect<'a, UpdateTracker>, pub character_state: ReadExpect<'a, UpdateTracker>, - pub speech_bubble: ReadExpect<'a, UpdateTracker>, } impl<'a> ReadTrackers<'a> { pub fn create_sync_packages( @@ -194,12 +188,6 @@ impl<'a> ReadTrackers<'a> { &*self.character_state, &comps.character_state, filter, - ) - .with_component( - &comps.uid, - &*self.speech_bubble, - &comps.speech_bubble, - filter, ); (entity_sync_package, comp_sync_package) @@ -225,7 +213,6 @@ pub struct WriteTrackers<'a> { gravity: WriteExpect<'a, UpdateTracker>, loadout: WriteExpect<'a, UpdateTracker>, character_state: WriteExpect<'a, UpdateTracker>, - speech_bubble: WriteExpect<'a, UpdateTracker>, } fn record_changes(comps: &TrackedComps, trackers: &mut WriteTrackers) { @@ -249,7 +236,6 @@ fn record_changes(comps: &TrackedComps, trackers: &mut WriteTrackers) { trackers .character_state .record_changes(&comps.character_state); - trackers.speech_bubble.record_changes(&comps.speech_bubble); } pub fn register_trackers(world: &mut World) { @@ -270,7 +256,6 @@ pub fn register_trackers(world: &mut World) { world.register_tracker::(); world.register_tracker::(); world.register_tracker::(); - world.register_tracker::(); } /// Deleted entities grouped by region diff --git a/server/src/sys/speech_bubble.rs b/server/src/sys/speech_bubble.rs deleted file mode 100644 index 2a3183fbaf..0000000000 --- a/server/src/sys/speech_bubble.rs +++ /dev/null @@ -1,29 +0,0 @@ -use super::SysTimer; -use common::{comp::SpeechBubble, state::Time}; -use specs::{Entities, Join, Read, System, Write, WriteStorage}; - -/// This system removes timed-out speech bubbles -pub struct Sys; -impl<'a> System<'a> for Sys { - type SystemData = ( - Entities<'a>, - Read<'a, Time>, - WriteStorage<'a, SpeechBubble>, - Write<'a, SysTimer>, - ); - - fn run(&mut self, (entities, time, mut speech_bubbles, mut timer): Self::SystemData) { - timer.start(); - - let expired_ents: Vec<_> = (&entities, &mut speech_bubbles) - .join() - .filter(|(_, speech_bubble)| speech_bubble.timeout.map_or(true, |t| t.0 < time.0)) - .map(|(ent, _)| ent) - .collect(); - for ent in expired_ents { - speech_bubbles.remove(ent); - } - - timer.end(); - } -} diff --git a/voxygen/src/hud/chat.rs b/voxygen/src/hud/chat.rs index 3e200ad66d..450cb1ccde 100644 --- a/voxygen/src/hud/chat.rs +++ b/voxygen/src/hud/chat.rs @@ -367,6 +367,7 @@ impl<'a> Widget for Chat<'a> { ChatType::Faction(uid) => (FACTION_COLOR, message_format(uid, message)), ChatType::Region(uid) => (REGION_COLOR, message_format(uid, message)), ChatType::World(uid) => (WORLD_COLOR, message_format(uid, message)), + ChatType::Npc(_uid, _r) => continue, // Should be filtered by hud/mod.rs }; let text = Text::new(&msg) .font_size(self.fonts.opensans.scale(15)) diff --git a/voxygen/src/hud/mod.rs b/voxygen/src/hud/mod.rs index 420183cca3..efcb3c5190 100644 --- a/voxygen/src/hud/mod.rs +++ b/voxygen/src/hud/mod.rs @@ -47,14 +47,17 @@ use crate::{ GlobalState, }; use client::Client; -use common::{assets::load_expect, comp, terrain::TerrainChunk, vol::RectRasterableVol}; +use common::{assets::load_expect, comp, sync::Uid, terrain::TerrainChunk, vol::RectRasterableVol}; use conrod_core::{ text::cursor::Index, widget::{self, Button, Image, Text}, widget_ids, Color, Colorable, Labelable, Positionable, Sizeable, Widget, }; use specs::{Join, WorldExt}; -use std::collections::VecDeque; +use std::{ + collections::{HashMap, VecDeque}, + time::Instant, +}; use vek::*; const XP_COLOR: Color = Color::Rgba(0.59, 0.41, 0.67, 1.0); @@ -465,6 +468,7 @@ pub struct Hud { rot_imgs: ImgsRot, new_messages: VecDeque, new_notifications: VecDeque, + speech_bubbles: HashMap, show: Show, //never_show: bool, //intro: bool, @@ -530,9 +534,10 @@ impl Hud { fonts, ids, new_messages: VecDeque::new(), + new_notifications: VecDeque::new(), + speech_bubbles: HashMap::new(), //intro: false, //intro_2: false, - new_notifications: VecDeque::new(), show: Show { help: false, intro: true, @@ -606,7 +611,7 @@ impl Hud { let stats = ecs.read_storage::(); let energy = ecs.read_storage::(); let hp_floater_lists = ecs.read_storage::(); - let speech_bubbles = ecs.read_storage::(); + let uids = ecs.read_storage::(); let interpolated = ecs.read_storage::(); let players = ecs.read_storage::(); let scales = ecs.read_storage::(); @@ -934,12 +939,23 @@ impl Hud { } } + // Pop speech bubbles + self.speech_bubbles + .retain(|_uid, bubble| bubble.timeout > Instant::now()); + + // Push speech bubbles + for msg in self.new_messages.iter() { + if let Some((bubble, uid)) = msg.to_bubble() { + self.speech_bubbles.insert(uid, bubble); + } + } + let mut overhead_walker = self.ids.overheads.walk(); let mut sct_walker = self.ids.scts.walk(); let mut sct_bg_walker = self.ids.sct_bgs.walk(); // Render overhead name tags and health bars - for (pos, name, stats, energy, height_offset, hpfl, bubble) in ( + for (pos, name, stats, energy, height_offset, hpfl, uid) in ( &entities, &pos, interpolated.maybe(), @@ -949,7 +965,7 @@ impl Hud { scales.maybe(), &bodies, &hp_floater_lists, - speech_bubbles.maybe(), + &uids, ) .join() .filter(|(entity, _, _, stats, _, _, _, _, _, _)| *entity != me && !stats.is_dead) @@ -966,7 +982,7 @@ impl Hud { }) .powi(2) }) - .map(|(_, pos, interpolated, stats, energy, player, scale, body, hpfl, bubble)| { + .map(|(_, pos, interpolated, stats, energy, player, scale, body, hpfl, uid)| { // TODO: This is temporary // If the player used the default character name display their name instead let name = if stats.name == "Character Name" { @@ -982,10 +998,12 @@ impl Hud { // TODO: when body.height() is more accurate remove the 2.0 body.height() * 2.0 * scale.map_or(1.0, |s| s.0), hpfl, - bubble, + uid, ) }) { + let bubble = self.speech_bubbles.get(uid); + let overhead_id = overhead_walker.next( &mut self.ids.overheads, &mut ui_widgets.widget_id_generator(), @@ -1551,6 +1569,15 @@ impl Hud { .set(self.ids.skillbar, ui_widgets); } + // Don't put NPC messages in chat box. + self.new_messages.retain(|m| { + if let comp::ChatType::Npc(_, _) = m.chat_type { + false + } else { + true + } + }); + // Chat box match Chat::new( &mut self.new_messages, diff --git a/voxygen/src/session.rs b/voxygen/src/session.rs index 194a4a0210..3b7f166fef 100644 --- a/voxygen/src/session.rs +++ b/voxygen/src/session.rs @@ -77,11 +77,8 @@ impl SessionState { fn tick(&mut self, dt: Duration, global_state: &mut GlobalState) -> Result { self.inputs.tick(dt); - for event in self.client.borrow_mut().tick( - self.inputs.clone(), - dt, - crate::ecs::sys::add_local_systems, - )? { + let mut client = self.client.borrow_mut(); + for event in client.tick(self.inputs.clone(), dt, crate::ecs::sys::add_local_systems)? { match event { client::Event::Chat(m) => { self.hud.new_message(m); From 54a3f7e4424c946ea88954e15da5fafdf414219c Mon Sep 17 00:00:00 2001 From: CapsizeGlimmer <> Date: Thu, 4 Jun 2020 05:40:05 -0400 Subject: [PATCH 05/29] Implement /join_group and /join_faction commands --- common/src/cmd.rs | 16 ++++ common/src/comp/chat.rs | 42 ++++++---- common/src/state.rs | 2 + server/src/cmd.rs | 163 +++++++++++++++++++++++++++++++++----- server/src/sys/message.rs | 7 +- voxygen/src/hud/chat.rs | 20 +++-- 6 files changed, 207 insertions(+), 43 deletions(-) diff --git a/common/src/cmd.rs b/common/src/cmd.rs index d39b830e31..d9dedc50b3 100644 --- a/common/src/cmd.rs +++ b/common/src/cmd.rs @@ -43,6 +43,8 @@ pub enum ChatCommand { Group, Health, Help, + JoinFaction, + JoinGroup, Jump, Kill, KillNpcs, @@ -81,6 +83,8 @@ pub static CHAT_COMMANDS: &[ChatCommand] = &[ ChatCommand::Group, ChatCommand::Health, ChatCommand::Help, + ChatCommand::JoinFaction, + ChatCommand::JoinGroup, ChatCommand::Jump, ChatCommand::Kill, ChatCommand::KillNpcs, @@ -218,6 +222,16 @@ impl ChatCommand { "Display information about commands", NoAdmin, ), + ChatCommand::JoinFaction => ChatCommandData::new( + vec![Any("faction", Optional)], + "Join/leave the specified faction", + NoAdmin, + ), + ChatCommand::JoinGroup => ChatCommandData::new( + vec![Any("group", Optional)], + "Join/leave the specified group", + NoAdmin, + ), ChatCommand::Jump => cmd( vec![ Float("x", 0.0, Required), @@ -336,6 +350,8 @@ impl ChatCommand { ChatCommand::Goto => "goto", ChatCommand::Group => "group", ChatCommand::Health => "health", + ChatCommand::JoinFaction => "join_faction", + ChatCommand::JoinGroup => "join_group", ChatCommand::Help => "help", ChatCommand::Jump => "jump", ChatCommand::Kill => "kill", diff --git a/common/src/comp/chat.rs b/common/src/comp/chat.rs index d6b8b7e1fc..33973525ca 100644 --- a/common/src/comp/chat.rs +++ b/common/src/comp/chat.rs @@ -4,7 +4,7 @@ use specs_idvs::IDVStorage; use std::time::{Duration, Instant}; /// A player's current chat mode. -#[derive(Copy, Clone, Debug)] +#[derive(Clone, Debug)] pub enum ChatMode { /// Private message to another player (by uuid) Tell(Uid), @@ -13,9 +13,9 @@ pub enum ChatMode { /// Talk to players in your region of the world Region, /// Talk to your current group of players - Group, + Group(String), /// Talk to your faction - Faction, + Faction(String), /// Talk to every player on the server World, } @@ -31,18 +31,22 @@ impl ChatMode { ChatMode::Tell(to) => ChatType::Tell(from, *to), ChatMode::Say => ChatType::Say(from), ChatMode::Region => ChatType::Region(from), - ChatMode::Group => ChatType::Group(from), - ChatMode::Faction => ChatType::Faction(from), + ChatMode::Group(name) => ChatType::Group(from, name.to_string()), + ChatMode::Faction(name) => ChatType::Faction(from, name.to_string()), ChatMode::World => ChatType::World(from), }; ChatMsg { chat_type, message } } } +impl Default for ChatMode { + fn default() -> Self { Self::World } +} + /// List of chat types. Note that this is a superset of `ChatMode`; this is /// because `ChatType::Kill`, `ChatType::Broadcast`, and `ChatType::Private` /// cannot be sent by players. -#[derive(Copy, Debug, Clone, Serialize, Deserialize)] +#[derive(Debug, Clone, Serialize, Deserialize)] pub enum ChatType { /// Tell all players something (such as players connecting or alias changes) Broadcast, @@ -55,9 +59,9 @@ pub enum ChatType { /// Chat with nearby players Say(Uid), /// Group chat - Group(Uid), + Group(Uid, String), /// Factional chat - Faction(Uid), + Faction(Uid, String), /// Regional chat Region(Uid), /// World chat @@ -81,23 +85,23 @@ impl ChatMsg { } pub fn to_bubble(&self) -> Option<(SpeechBubble, Uid)> { - let tuple = match self.chat_type { + let tuple = match &self.chat_type { ChatType::Broadcast => None, ChatType::Private => None, ChatType::Kill => None, ChatType::Tell(u, _) => Some((SpeechBubbleIcon::Tell, u, None)), ChatType::Say(u) => Some((SpeechBubbleIcon::Say, u, None)), - ChatType::Group(u) => Some((SpeechBubbleIcon::Group, u, None)), - ChatType::Faction(u) => Some((SpeechBubbleIcon::Faction, u, None)), + ChatType::Group(u, _s) => Some((SpeechBubbleIcon::Group, u, None)), + ChatType::Faction(u, _s) => Some((SpeechBubbleIcon::Faction, u, None)), ChatType::Region(u) => Some((SpeechBubbleIcon::Region, u, None)), ChatType::World(u) => Some((SpeechBubbleIcon::World, u, None)), ChatType::Npc(u, r) => Some((SpeechBubbleIcon::None, u, Some(r))), }; tuple.map(|(icon, from, npc_rand)| { if let Some(r) = npc_rand { - (SpeechBubble::npc_new(self.message.clone(), r, icon), from) + (SpeechBubble::npc_new(self.message.clone(), *r, icon), *from) } else { - (SpeechBubble::player_new(self.message.clone(), icon), from) + (SpeechBubble::player_new(self.message.clone(), icon), *from) } }) } @@ -107,19 +111,27 @@ impl ChatMsg { /// gameplay. /// /// Groups are currently just an associated String (the group's name) -pub struct Group(String); +#[derive(Clone, Debug)] +pub struct Group(pub String); impl Component for Group { type Storage = IDVStorage; } +impl From for Group { + fn from(s: String) -> Self { Group(s) } +} /// Player factions are used to coordinate pvp vs hostile factions or segment /// chat from the world /// /// Factions are currently just an associated String (the faction's name) -pub struct Faction(String); +#[derive(Clone, Debug)] +pub struct Faction(pub String); impl Component for Faction { type Storage = IDVStorage; } +impl From for Faction { + fn from(s: String) -> Self { Faction(s) } +} /// The contents of a speech bubble pub enum SpeechBubbleMessage { diff --git a/common/src/state.rs b/common/src/state.rs index e99b63165a..167e75c0d1 100644 --- a/common/src/state.rs +++ b/common/src/state.rs @@ -155,6 +155,8 @@ impl State { ecs.register::(); ecs.register::(); ecs.register::(); + ecs.register::(); + ecs.register::(); // Register synced resources used by the ECS. ecs.insert(TimeOfDay(0.0)); diff --git a/server/src/cmd.rs b/server/src/cmd.rs index 399b102cff..89cfa2a8ab 100644 --- a/server/src/cmd.rs +++ b/server/src/cmd.rs @@ -8,6 +8,7 @@ use common::{ assets, cmd::{ChatCommand, CHAT_COMMANDS}, comp, + comp::Item, event::{EventBus, ServerEvent}, msg::{Notification, PlayerListUpdate, ServerMsg}, npc::{self, get_npc_name}, @@ -75,6 +76,8 @@ fn get_handler(cmd: &ChatCommand) -> CommandHandler { ChatCommand::Group => handle_group, ChatCommand::Health => handle_health, ChatCommand::Help => handle_help, + ChatCommand::JoinFaction => handle_join_faction, + ChatCommand::JoinGroup => handle_join_group, ChatCommand::Jump => handle_jump, ChatCommand::Kill => handle_kill, ChatCommand::KillNpcs => handle_kill_npcs, @@ -1020,13 +1023,20 @@ fn handle_tell( .get(player) .expect("Player must have uid"); let mode = comp::ChatMode::Tell(player_uid); - let _ = server.state.ecs().write_storage().insert(client, mode); + let _ = server + .state + .ecs() + .write_storage() + .insert(client, mode.clone()); let msg = if msg.is_empty() { format!("{} wants to talk to you.", alias) } else { msg.to_string() }; - server.notify_client(player, ServerMsg::chat(mode, client_uid, msg.clone())); + server.notify_client( + player, + ServerMsg::chat(mode.clone(), client_uid, msg.clone()), + ); server.notify_client(client, ServerMsg::chat(mode, client_uid, msg)); } else { server.notify_client( @@ -1057,14 +1067,24 @@ fn handle_faction( ); return; } - let mode = comp::ChatMode::Faction; - let _ = server.state.ecs().write_storage().insert(client, mode); - if !msg.is_empty() { - if let Some(uid) = server.state.ecs().read_storage().get(client) { - server - .state - .notify_registered_clients(ServerMsg::chat(mode, *uid, msg.to_string())); + let ecs = server.state.ecs(); + if let Some(comp::Faction(faction)) = ecs.read_storage().get(client) { + let mode = comp::ChatMode::Faction(faction.to_string()); + let _ = ecs.write_storage().insert(client, mode.clone()); + if !msg.is_empty() { + if let Some(uid) = ecs.read_storage().get(client) { + server.state.notify_registered_clients(ServerMsg::chat( + mode, + *uid, + msg.to_string(), + )); + } } + } else { + server.notify_client( + client, + ServerMsg::private(String::from("Please join a faction with /join_faction")), + ); } } @@ -1083,14 +1103,24 @@ fn handle_group( ); return; } - let mode = comp::ChatMode::Group; - let _ = server.state.ecs().write_storage().insert(client, mode); - if !msg.is_empty() { - if let Some(uid) = server.state.ecs().read_storage().get(client) { - server - .state - .notify_registered_clients(ServerMsg::chat(mode, *uid, msg.to_string())); + let ecs = server.state.ecs(); + if let Some(comp::Group(group)) = ecs.read_storage().get(client) { + let mode = comp::ChatMode::Group(group.to_string()); + let _ = ecs.write_storage().insert(client, mode.clone()); + if !msg.is_empty() { + if let Some(uid) = ecs.read_storage().get(client) { + server.state.notify_registered_clients(ServerMsg::chat( + mode, + *uid, + msg.to_string(), + )); + } } + } else { + server.notify_client( + client, + ServerMsg::private(String::from("Please join a group with /join_group")), + ); } } @@ -1110,7 +1140,11 @@ fn handle_region( return; } let mode = comp::ChatMode::Region; - let _ = server.state.ecs().write_storage().insert(client, mode); + let _ = server + .state + .ecs() + .write_storage() + .insert(client, mode.clone()); if !msg.is_empty() { if let Some(uid) = server.state.ecs().read_storage().get(client) { server @@ -1136,7 +1170,11 @@ fn handle_say( return; } let mode = comp::ChatMode::Say; - let _ = server.state.ecs().write_storage().insert(client, mode); + let _ = server + .state + .ecs() + .write_storage() + .insert(client, mode.clone()); if !msg.is_empty() { if let Some(uid) = server.state.ecs().read_storage().get(client) { server @@ -1162,7 +1200,11 @@ fn handle_world( return; } let mode = comp::ChatMode::World; - let _ = server.state.ecs().write_storage().insert(client, mode); + let _ = server + .state + .ecs() + .write_storage() + .insert(client, mode.clone()); if !msg.is_empty() { if let Some(uid) = server.state.ecs().read_storage().get(client) { server @@ -1172,6 +1214,88 @@ fn handle_world( } } +fn handle_join_faction( + server: &mut Server, + client: EcsEntity, + target: EcsEntity, + args: String, + action: &ChatCommand, +) { + if client != target { + // This happens when [ab]using /sudo + server.notify_client( + client, + ServerMsg::private(String::from("It's rude to impersonate people")), + ); + return; + } + if let Ok(faction) = scan_fmt!(&args, &action.arg_fmt(), String) { + let mode = comp::ChatMode::Faction(faction.clone()); + let _ = server.state.ecs().write_storage().insert(client, mode); + let _ = server + .state + .ecs() + .write_storage() + .insert(client, comp::Faction(faction.clone())); + // TODO notify faction + server.notify_client( + client, + ServerMsg::private(format!("Joined faction {{{}}}", faction)), + ); + } else { + let mode = comp::ChatMode::default(); + let _ = server.state.ecs().write_storage().insert(client, mode); + if let Some(comp::Faction(faction)) = server.state.ecs().write_storage().remove(client) { + // TODO notify faction + server.notify_client( + client, + ServerMsg::private(format!("Left faction {{{}}}", faction)), + ); + } + } +} + +fn handle_join_group( + server: &mut Server, + client: EcsEntity, + target: EcsEntity, + args: String, + action: &ChatCommand, +) { + if client != target { + // This happens when [ab]using /sudo + server.notify_client( + client, + ServerMsg::private(String::from("It's rude to impersonate people")), + ); + return; + } + if let Ok(group) = scan_fmt!(&args, &action.arg_fmt(), String) { + let mode = comp::ChatMode::Group(group.clone()); + let _ = server.state.ecs().write_storage().insert(client, mode); + let _ = server + .state + .ecs() + .write_storage() + .insert(client, comp::Group(group.clone())); + // TODO notify group + server.notify_client( + client, + ServerMsg::private(format!("Joined group {{{}}}", group)), + ); + } else { + let mode = comp::ChatMode::default(); + let _ = server.state.ecs().write_storage().insert(client, mode); + if let Some(comp::Group(group)) = server.state.ecs().write_storage().remove(client) { + // TODO notify group + server.notify_client( + client, + ServerMsg::private(format!("Left group {{{}}}", group)), + ); + } + } +} + #[cfg(not(feature = "worldgen"))] fn handle_debug_column( server: &mut Server, @@ -1375,7 +1499,6 @@ fn handle_set_level( } } -use common::comp::Item; fn handle_debug( server: &mut Server, client: EcsEntity, diff --git a/server/src/sys/message.rs b/server/src/sys/message.rs index 78a2fcd79a..6922e59b0e 100644 --- a/server/src/sys/message.rs +++ b/server/src/sys/message.rs @@ -328,8 +328,11 @@ impl<'a> System<'a> for Sys { | ClientState::Character => match validate_chat_msg(&message) { Ok(()) => { if let Some(from) = uids.get(entity) { - let mode = chat_modes.get(entity).unwrap_or(&ChatMode::World); - let msg = ServerMsg::chat(*mode, *from, message); + let mode = chat_modes + .get(entity) + .map(Clone::clone) + .unwrap_or(ChatMode::default()); + let msg = ServerMsg::chat(mode, *from, message); new_chat_msgs.push((Some(entity), msg)); } else { tracing::error!("Could not send message. Missing player uid"); diff --git a/voxygen/src/hud/chat.rs b/voxygen/src/hud/chat.rs index 450cb1ccde..bfa629c4b2 100644 --- a/voxygen/src/hud/chat.rs +++ b/voxygen/src/hud/chat.rs @@ -321,7 +321,13 @@ impl<'a> Widget for Chat<'a> { } }) }; - let message_format = |uid, message| format!("[{}]: {}", alias_of_uid(uid), message); + let message_format = |uid, message, group| { + if let Some(group) = group { + format!("{{{}}} [{}]: {}", group, alias_of_uid(uid), message) + } else { + format!("[{}]: {}", alias_of_uid(uid), message) + } + }; // Message box Rectangle::fill([470.0, 174.0]) .rgba(0.0, 0.0, 0.0, transp) @@ -362,11 +368,13 @@ impl<'a> Widget for Chat<'a> { (TELL_COLOR, format!("From [{}]: {}", from_alias, message)) } }, - ChatType::Say(uid) => (SAY_COLOR, message_format(uid, message)), - ChatType::Group(uid) => (GROUP_COLOR, message_format(uid, message)), - ChatType::Faction(uid) => (FACTION_COLOR, message_format(uid, message)), - ChatType::Region(uid) => (REGION_COLOR, message_format(uid, message)), - ChatType::World(uid) => (WORLD_COLOR, message_format(uid, message)), + ChatType::Say(uid) => (SAY_COLOR, message_format(uid, message, None)), + ChatType::Group(uid, s) => (GROUP_COLOR, message_format(uid, message, Some(s))), + ChatType::Faction(uid, s) => { + (FACTION_COLOR, message_format(uid, message, Some(s))) + }, + ChatType::Region(uid) => (REGION_COLOR, message_format(uid, message, None)), + ChatType::World(uid) => (WORLD_COLOR, message_format(uid, message, None)), ChatType::Npc(_uid, _r) => continue, // Should be filtered by hud/mod.rs }; let text = Text::new(&msg) From 5f8907b5a7403f6b2fb5969bd79a51f95cd56dd0 Mon Sep 17 00:00:00 2001 From: CapsizeGlimmer <> Date: Thu, 4 Jun 2020 21:48:26 -0400 Subject: [PATCH 06/29] Implement chat filtering for /say /region /group etc. --- common/src/comp/agent.rs | 5 +- common/src/comp/chat.rs | 26 +++++++- common/src/msg/server.rs | 6 -- server/src/cmd.rs | 28 +++----- server/src/events/mod.rs | 26 +++----- server/src/events/player.rs | 17 ++--- server/src/state_ext.rs | 126 +++++++++++++++++++++++++++++++++++- server/src/sys/message.rs | 44 ++++++------- 8 files changed, 196 insertions(+), 82 deletions(-) diff --git a/common/src/comp/agent.rs b/common/src/comp/agent.rs index 4ad4794181..07c7b4b5e8 100644 --- a/common/src/comp/agent.rs +++ b/common/src/comp/agent.rs @@ -1,4 +1,4 @@ -use crate::path::Chaser; +use crate::{path::Chaser, state::Time}; use specs::{Component, Entity as EcsEntity}; use specs_idvs::IDVStorage; use vek::*; @@ -128,9 +128,6 @@ pub struct SpeechBubble { pub timeout: Option