veloren/server/src/cmd.rs

1482 lines
47 KiB
Rust
Raw Normal View History

//! # Implementing new commands.
//! To implement a new command, add an instance of `ChatCommand` to
//! `CHAT_COMMANDS` and provide a handler function.
use crate::{Server, StateExt};
2019-07-26 14:38:31 +00:00
use chrono::{NaiveTime, Timelike};
use common::{
2019-10-24 21:05:10 +00:00
assets, comp,
2019-08-25 16:48:12 +00:00
event::{EventBus, ServerEvent},
msg::{PlayerListUpdate, ServerMsg},
npc::{self, get_npc_name},
2019-07-03 19:56:54 +00:00
state::TimeOfDay,
sync::{Uid, WorldSyncExt},
2020-01-25 19:03:25 +00:00
terrain::TerrainChunkSize,
util::Dir,
vol::RectVolSize,
};
use rand::Rng;
2019-11-30 06:41:20 +00:00
use specs::{Builder, Entity as EcsEntity, Join, WorldExt};
use vek::*;
use world::util::Sampler;
use lazy_static::lazy_static;
2019-11-29 06:04:37 +00:00
use log::error;
2019-07-29 13:42:26 +00:00
use scan_fmt::{scan_fmt, scan_fmt_some};
2019-07-26 14:38:31 +00:00
/// Struct representing a command that a user can run from server chat.
pub struct ChatCommand {
/// The keyword used to invoke the command, omitting the leading '/'.
pub keyword: &'static str,
/// A format string for parsing arguments.
arg_fmt: &'static str,
/// A message that explains how the command is used.
help_string: &'static str,
/// A boolean that is used to check whether the command requires
/// administrator permissions or not.
needs_admin: bool,
/// Handler function called when the command is executed.
/// # Arguments
/// * `&mut Server` - the `Server` instance executing the command.
/// * `EcsEntity` - an `Entity` corresponding to the player that invoked the
/// command.
2020-04-24 02:36:19 +00:00
/// * `EcsEntity` - an `Entity` for the player on whom the command is
/// invoked. This differs from the previous argument when using /sudo
/// * `String` - a `String` containing the part of the command after the
/// keyword.
/// * `&ChatCommand` - the command to execute with the above arguments.
/// Handler functions must parse arguments from the the given `String`
/// (`scan_fmt!` is included for this purpose).
2020-04-24 02:36:19 +00:00
handler: fn(&mut Server, EcsEntity, EcsEntity, String, &ChatCommand),
}
impl ChatCommand {
/// Creates a new chat command.
pub fn new(
keyword: &'static str,
arg_fmt: &'static str,
help_string: &'static str,
needs_admin: bool,
2020-04-24 02:36:19 +00:00
handler: fn(&mut Server, EcsEntity, EcsEntity, String, &ChatCommand),
) -> Self {
Self {
keyword,
arg_fmt,
help_string,
needs_admin,
handler,
}
}
/// Calls the contained handler function, passing `&self` as the last
/// argument.
pub fn execute(&self, server: &mut Server, entity: EcsEntity, args: String) {
if self.needs_admin {
if !server.entity_is_admin(entity) {
server.notify_client(
entity,
ServerMsg::private(format!(
"You don't have permission to use '/{}'.",
self.keyword
)),
);
return;
} else {
2020-04-24 02:36:19 +00:00
(self.handler)(server, entity, entity, args, self);
}
} else {
2020-04-24 02:36:19 +00:00
(self.handler)(server, entity, entity, args, self);
}
}
}
lazy_static! {
/// Static list of chat commands available to the server.
pub static ref CHAT_COMMANDS: Vec<ChatCommand> = vec![
2019-10-24 21:05:10 +00:00
ChatCommand::new(
2020-01-10 00:33:38 +00:00
"give_item",
2020-05-07 18:39:48 +00:00
"{} {d}",
"/give_item <path to item> [num]\n\
Example items: common/items/apple, common/items/debug/boost",
2019-10-24 21:05:10 +00:00
true,
handle_give,),
ChatCommand::new(
"jump",
"{d} {d} {d}",
"/jump <dx> <dy> <dz> : Offset your current position",
true,
handle_jump,
),
ChatCommand::new(
"goto",
"{d} {d} {d}",
"/goto <x> <y> <z> : Teleport to a position",
true,
handle_goto,
),
ChatCommand::new(
"alias",
"{}",
"/alias <name> : Change your alias",
false,
handle_alias,
),
ChatCommand::new(
"tp",
"{}",
"/tp <alias> : Teleport to another player",
true,
handle_tp,
),
ChatCommand::new(
"kill",
"{}",
"/kill : Kill yourself",
false,
handle_kill,
),
ChatCommand::new(
"time",
"{} {s}",
2019-07-29 14:40:46 +00:00
"/time <XY:XY> or [Time of day] : Set the time of day",
true,
handle_time,
),
ChatCommand::new(
2019-06-15 07:54:47 +00:00
"spawn",
"{} {} {d}",
2019-06-15 08:15:04 +00:00
"/spawn <alignment> <entity> [amount] : Spawn a test entity",
true,
handle_spawn,
),
2019-06-11 04:24:35 +00:00
ChatCommand::new(
2019-06-29 12:05:30 +00:00
"players",
2019-06-11 04:24:35 +00:00
"{}",
2019-07-29 14:40:46 +00:00
"/players : Lists players currently online",
false,
2019-06-29 12:05:30 +00:00
handle_players,
2019-06-11 04:24:35 +00:00
),
ChatCommand::new(
"help", "", "/help: Display this message", false, handle_help),
2019-07-01 20:07:30 +00:00
ChatCommand::new(
"health",
"{}",
"/health : Set your current health",
true,
2019-07-01 20:07:30 +00:00
handle_health,
),
ChatCommand::new(
"build",
"",
"/build : Toggles build mode on and off",
true,
handle_build,
),
2019-07-13 04:25:44 +00:00
ChatCommand::new(
2019-07-18 15:19:44 +00:00
"tell",
2019-07-13 04:25:44 +00:00
"{}",
2019-07-18 15:19:44 +00:00
"/tell <alias> <message>: Send a message to another player",
false,
2019-07-18 15:19:44 +00:00
handle_tell,
2019-07-13 04:25:44 +00:00
),
ChatCommand::new(
"killnpcs",
"{}",
"/killnpcs : Kill the NPCs",
true,
handle_killnpcs,
2019-07-21 12:42:45 +00:00
),
ChatCommand::new(
"object",
"{}",
2019-07-23 21:43:08 +00:00
"/object [Name]: Spawn an object",
true,
2019-07-21 12:42:45 +00:00
handle_object,
),
2019-07-25 20:51:20 +00:00
ChatCommand::new(
"light",
"{} {} {} {} {} {} {}",
2019-07-29 14:40:46 +00:00
"/light <opt: <<cr> <cg> <cb>> <<ox> <oy> <oz>> <<strength>>>: Spawn entity with light",
true,
2019-07-25 20:51:20 +00:00
handle_light,
),
ChatCommand::new(
"lantern",
"{} {} {} {}",
"/lantern <strength> [<r> <g> <b>]: Change your lantern's strength and color",
true,
2019-07-25 20:51:20 +00:00
handle_lantern,
),
2019-08-07 17:17:04 +00:00
ChatCommand::new(
"explosion",
"{}",
"/explosion <radius> : Explodes the ground around you",
2019-09-25 20:22:39 +00:00
true,
2019-08-07 17:17:04 +00:00
handle_explosion,
),
2019-09-25 20:22:39 +00:00
ChatCommand::new(
"waypoint",
"{}",
"/waypoint : Set your waypoint to your current position",
2020-04-23 14:01:37 +00:00
true,
2019-09-25 20:22:39 +00:00
handle_waypoint,
),
ChatCommand::new(
"adminify",
"{}",
"/adminify <playername> : Temporarily gives a player admin permissions or removes them",
true,
handle_adminify,
),
ChatCommand::new(
"debug_column",
"{} {}",
"/debug_column <x> <y> : Prints some debug information about a column",
false,
handle_debug_column,
),
2019-10-04 15:48:14 +00:00
ChatCommand::new(
"give_exp",
2020-02-13 20:32:24 +00:00
"{d} {}",
"/give_exp <amount> <playername?> : Give experience to yourself or specify a target player",
2019-10-04 15:48:14 +00:00
true,
handle_exp,
),
2020-02-13 21:15:54 +00:00
ChatCommand::new(
"set_level",
"{d} {}",
"/set_level <level> <playername?> : Set own Level or specify a target player",
true,
handle_level
),
2019-10-07 03:19:46 +00:00
ChatCommand::new(
"removelights",
"{}",
"/removelights [radius] : Removes all lights spawned by players",
true,
handle_remove_lights,
),
ChatCommand::new(
"debug",
"",
"/debug : Place all debug items into your pack.",
true,
handle_debug,
),
2020-04-24 02:36:19 +00:00
ChatCommand::new(
"sudo",
"{} {} {/.*/}",
"/sudo <player> /<command> [args...] : Run command as if you were another player",
true,
handle_sudo,
),
2020-05-04 15:59:53 +00:00
ChatCommand::new(
"version",
"",
"/version : Prints server version",
false,
handle_version,
),
];
}
2020-04-24 02:36:19 +00:00
fn handle_give(
server: &mut Server,
client: EcsEntity,
target: EcsEntity,
args: String,
2020-05-07 18:39:48 +00:00
action: &ChatCommand,
2020-04-24 02:36:19 +00:00
) {
2020-05-07 18:39:48 +00:00
if let (Some(item_name), give_amount_opt) = scan_fmt_some!(&args, action.arg_fmt, String, u32) {
let give_amount = give_amount_opt.unwrap_or(1);
if let Ok(item) = assets::load_cloned(&item_name) {
let mut item: Item = item;
if let Ok(()) = item.set_amount(give_amount.min(2000)) {
server
.state
.ecs()
.write_storage::<comp::Inventory>()
.get_mut(target)
.map(|inv| {
if inv.push(item).is_some() {
server.notify_client(
client,
ServerMsg::private(format!(
"Player inventory full. Gave 0 of {} items.",
give_amount
)),
);
}
});
} else {
// This item can't stack. Give each item in a loop.
server
.state
.ecs()
.write_storage::<comp::Inventory>()
.get_mut(target)
.map(|inv| {
for i in 0..give_amount {
if inv.push(item.clone()).is_some() {
server.notify_client(
client,
ServerMsg::private(format!(
"Player inventory full. Gave {} of {} items.",
i, give_amount
)),
);
break;
}
}
});
}
let _ = server
.state
.ecs()
.write_storage::<comp::InventoryUpdate>()
.insert(
target,
comp::InventoryUpdate::new(comp::InventoryUpdateEvent::Given),
);
} else {
server.notify_client(
client,
ServerMsg::private(format!("Invalid item: {}", item_name)),
);
2020-05-07 18:39:48 +00:00
}
2019-10-24 21:05:10 +00:00
} else {
2020-05-07 18:39:48 +00:00
server.notify_client(client, ServerMsg::private(String::from(action.help_string)));
2019-10-24 21:05:10 +00:00
}
}
2020-04-24 02:36:19 +00:00
fn handle_jump(
server: &mut Server,
client: EcsEntity,
target: EcsEntity,
args: String,
action: &ChatCommand,
) {
if let Ok((x, y, z)) = scan_fmt!(&args, action.arg_fmt, f32, f32, f32) {
2020-04-24 02:36:19 +00:00
match server.state.read_component_cloned::<comp::Pos>(target) {
Some(current_pos) => {
server
.state
2020-04-24 02:36:19 +00:00
.write_component(target, comp::Pos(current_pos.0 + Vec3::new(x, y, z)));
server.state.write_component(target, comp::ForceUpdate);
},
None => server.notify_client(
2020-04-24 02:36:19 +00:00
client,
ServerMsg::private(String::from("You have no position.")),
),
}
}
}
2020-04-24 02:36:19 +00:00
fn handle_goto(
server: &mut Server,
client: EcsEntity,
target: EcsEntity,
args: String,
action: &ChatCommand,
) {
if let Ok((x, y, z)) = scan_fmt!(&args, action.arg_fmt, f32, f32, f32) {
if server
.state
2020-04-24 02:36:19 +00:00
.read_component_cloned::<comp::Pos>(target)
.is_some()
{
server
2019-07-30 08:10:58 +00:00
.state
2020-04-24 02:36:19 +00:00
.write_component(target, comp::Pos(Vec3::new(x, y, z)));
server.state.write_component(target, comp::ForceUpdate);
2019-07-30 08:10:58 +00:00
} else {
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
ServerMsg::private(String::from("You have no position.")),
);
}
} else {
2020-04-24 02:36:19 +00:00
server.notify_client(client, ServerMsg::private(String::from(action.help_string)));
}
}
2020-04-24 02:36:19 +00:00
fn handle_kill(
server: &mut Server,
client: EcsEntity,
2020-04-24 02:36:19 +00:00
target: EcsEntity,
_args: String,
_action: &ChatCommand,
) {
let reason = if client == target {
comp::HealthSource::Suicide
} else {
if let Some(uid) = server.state.read_storage::<Uid>().get(client) {
comp::HealthSource::Attack { by: *uid }
} else {
comp::HealthSource::Command
}
};
server
.state
.ecs_mut()
.write_storage::<comp::Stats>()
2020-04-24 02:36:19 +00:00
.get_mut(target)
.map(|s| s.health.set_to(0, reason));
}
2020-04-24 02:36:19 +00:00
fn handle_time(
server: &mut Server,
client: EcsEntity,
_target: EcsEntity,
args: String,
action: &ChatCommand,
) {
let time = scan_fmt_some!(&args, action.arg_fmt, String);
let new_time = match time.as_ref().map(|s| s.as_str()) {
2019-09-01 19:04:03 +00:00
Some("midnight") => NaiveTime::from_hms(0, 0, 0),
Some("night") => NaiveTime::from_hms(20, 0, 0),
Some("dawn") => NaiveTime::from_hms(5, 0, 0),
2019-09-01 19:04:03 +00:00
Some("morning") => NaiveTime::from_hms(8, 0, 0),
Some("day") => NaiveTime::from_hms(10, 0, 0),
Some("noon") => NaiveTime::from_hms(12, 0, 0),
Some("dusk") => NaiveTime::from_hms(17, 0, 0),
Some(n) => match n.parse() {
Ok(n) => n,
Err(_) => match NaiveTime::parse_from_str(n, "%H:%M") {
Ok(time) => time,
Err(_) => {
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
ServerMsg::private(format!("'{}' is not a valid time.", n)),
);
return;
},
2019-07-26 14:38:31 +00:00
},
},
None => {
let time_in_seconds = server.state.ecs_mut().read_resource::<TimeOfDay>().0;
let current_time = NaiveTime::from_num_seconds_from_midnight_opt(
// Wraps around back to 0s if it exceeds 24 hours (24 hours = 86400s)
(time_in_seconds as u64 % 86400) as u32,
0,
);
let msg = match current_time {
Some(time) => format!("It is {}", time.format("%H:%M").to_string()),
None => String::from("Unknown Time"),
};
2020-04-24 02:36:19 +00:00
server.notify_client(client, ServerMsg::private(msg));
return;
},
};
server.state.ecs_mut().write_resource::<TimeOfDay>().0 =
new_time.num_seconds_from_midnight() as f64;
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
ServerMsg::private(format!(
"Time changed to: {}",
new_time.format("%H:%M").to_string()
)),
);
}
2020-04-24 02:36:19 +00:00
fn handle_health(
server: &mut Server,
client: EcsEntity,
target: EcsEntity,
args: String,
action: &ChatCommand,
) {
if let Ok(hp) = scan_fmt!(&args, action.arg_fmt, u32) {
if let Some(stats) = server
.state
.ecs()
.write_storage::<comp::Stats>()
2020-04-24 02:36:19 +00:00
.get_mut(target)
{
stats.health.set_to(hp, comp::HealthSource::Command);
2019-07-30 08:10:58 +00:00
} else {
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
ServerMsg::private(String::from("You have no health.")),
2019-07-30 08:10:58 +00:00
);
}
} else {
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
ServerMsg::private(String::from("You must specify health amount!")),
);
2019-07-01 20:07:30 +00:00
}
}
2020-04-24 02:36:19 +00:00
fn handle_alias(
server: &mut Server,
client: EcsEntity,
target: EcsEntity,
args: String,
action: &ChatCommand,
) {
2019-07-30 08:10:58 +00:00
if let Ok(alias) = scan_fmt!(&args, action.arg_fmt, String) {
server
.state
.ecs_mut()
.write_storage::<comp::Player>()
2020-04-24 02:36:19 +00:00
.get_mut(target)
2019-07-30 08:10:58 +00:00
.map(|player| player.alias = alias);
// Update name on client player lists
let ecs = server.state.ecs();
if let (Some(uid), Some(player)) = (
2020-04-24 02:36:19 +00:00
ecs.read_storage::<Uid>().get(target),
ecs.read_storage::<comp::Player>().get(target),
) {
let msg = ServerMsg::PlayerListUpdate(PlayerListUpdate::Alias(
(*uid).into(),
player.alias.clone(),
));
server.state.notify_registered_clients(msg);
}
2019-07-30 08:10:58 +00:00
} else {
2020-04-24 02:36:19 +00:00
server.notify_client(client, ServerMsg::private(String::from(action.help_string)));
}
}
2020-04-24 02:36:19 +00:00
fn handle_tp(
server: &mut Server,
client: EcsEntity,
target: EcsEntity,
args: String,
action: &ChatCommand,
) {
if let Ok(alias) = scan_fmt!(&args, action.arg_fmt, String) {
let ecs = server.state.ecs();
let opt_player = (&ecs.entities(), &ecs.read_storage::<comp::Player>())
.join()
.find(|(_, player)| player.alias == alias)
.map(|(entity, _)| entity);
2020-04-24 02:36:19 +00:00
match server.state.read_component_cloned::<comp::Pos>(target) {
Some(_pos) => match opt_player {
Some(player) => match server.state.read_component_cloned::<comp::Pos>(player) {
Some(pos) => {
2020-04-24 02:36:19 +00:00
server.state.write_component(target, pos);
server.state.write_component(target, comp::ForceUpdate);
},
None => server.notify_client(
2020-04-24 02:36:19 +00:00
client,
ServerMsg::private(format!("Unable to teleport to player '{}'!", alias)),
),
},
None => {
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
ServerMsg::private(format!("Player '{}' not found!", alias)),
);
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
ServerMsg::private(String::from(action.help_string)),
);
},
},
None => {
2020-04-24 02:36:19 +00:00
server.notify_client(client, ServerMsg::private(format!("You have no position!")));
},
}
} else {
2020-04-24 02:36:19 +00:00
server.notify_client(client, ServerMsg::private(String::from(action.help_string)));
}
}
2020-04-24 02:36:19 +00:00
fn handle_spawn(
server: &mut Server,
client: EcsEntity,
target: EcsEntity,
args: String,
action: &ChatCommand,
) {
match scan_fmt_some!(&args, action.arg_fmt, String, npc::NpcBody, String) {
(Some(opt_align), Some(npc::NpcBody(id, mut body)), opt_amount) => {
2020-04-24 02:36:19 +00:00
if let Some(alignment) = parse_alignment(target, &opt_align) {
let amount = opt_amount
.and_then(|a| a.parse().ok())
.filter(|x| *x > 0)
.unwrap_or(1)
.min(10);
2020-04-24 02:36:19 +00:00
match server.state.read_component_cloned::<comp::Pos>(target) {
Some(pos) => {
let agent =
if let comp::Alignment::Owned(_) | comp::Alignment::Npc = alignment {
comp::Agent::default()
} else {
comp::Agent::default().with_patrol_origin(pos.0)
};
2020-01-25 18:49:47 +00:00
for _ in 0..amount {
let vel = Vec3::new(
rand::thread_rng().gen_range(-2.0, 3.0),
rand::thread_rng().gen_range(-2.0, 3.0),
10.0,
2019-07-29 13:42:26 +00:00
);
let body = body();
let new_entity = server
.state
.create_npc(
pos,
comp::Stats::new(get_npc_name(id).into(), body),
comp::Loadout::default(),
body,
)
.with(comp::Vel(vel))
.with(comp::MountState::Unmounted)
.with(agent.clone())
.with(alignment)
.build();
if let Some(uid) = server.state.ecs().uid_from_entity(new_entity) {
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
ServerMsg::private(
format!("Spawned entity with ID: {}", uid).to_owned(),
),
);
}
2019-07-29 13:42:26 +00:00
}
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
ServerMsg::private(format!("Spawned {} entities", amount).to_owned()),
);
},
None => server.notify_client(
2020-04-24 02:36:19 +00:00
client,
ServerMsg::private("You have no position!".to_owned()),
),
2019-06-15 07:54:47 +00:00
}
}
},
_ => {
2020-04-24 02:36:19 +00:00
server.notify_client(client, ServerMsg::private(String::from(action.help_string)));
},
}
}
2020-04-24 02:36:19 +00:00
fn handle_players(
server: &mut Server,
client: EcsEntity,
_target: EcsEntity,
_args: String,
_action: &ChatCommand,
) {
2019-06-11 04:24:35 +00:00
let ecs = server.state.ecs();
let players = ecs.read_storage::<comp::Player>();
let count = players.join().count();
2019-07-01 16:38:19 +00:00
let header_message: String = format!("{} online players: \n", count);
2019-06-11 04:24:35 +00:00
if count > 0 {
2019-06-29 22:16:16 +00:00
let mut player_iter = players.join();
2019-10-23 18:23:31 +00:00
let first = player_iter
.next()
.expect("Player iterator returned none.")
.alias
.to_owned();
2019-06-29 23:05:34 +00:00
let player_list = player_iter.fold(first, |mut s, p| {
2019-06-29 22:56:10 +00:00
s += ",\n";
s += &p.alias;
s
});
2019-06-29 22:16:16 +00:00
2020-04-24 02:36:19 +00:00
server.notify_client(client, ServerMsg::private(header_message + &player_list));
2019-06-11 04:24:35 +00:00
} else {
2020-04-24 02:36:19 +00:00
server.notify_client(client, ServerMsg::private(header_message));
2019-06-11 04:24:35 +00:00
}
}
2020-04-24 02:36:19 +00:00
fn handle_build(
server: &mut Server,
client: EcsEntity,
target: EcsEntity,
_args: String,
_action: &ChatCommand,
) {
if server
.state
.read_storage::<comp::CanBuild>()
2020-04-24 02:36:19 +00:00
.get(target)
.is_some()
{
server
.state
.ecs()
.write_storage::<comp::CanBuild>()
2020-04-24 02:36:19 +00:00
.remove(target);
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
ServerMsg::private(String::from("Toggled off build mode!")),
);
} else {
let _ = server
2019-07-03 20:46:43 +00:00
.state
.ecs()
.write_storage::<comp::CanBuild>()
2020-04-24 02:36:19 +00:00
.insert(target, comp::CanBuild);
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
ServerMsg::private(String::from("Toggled on build mode!")),
);
}
}
2020-04-24 02:36:19 +00:00
fn handle_help(
server: &mut Server,
client: EcsEntity,
_target: EcsEntity,
_args: String,
_action: &ChatCommand,
) {
2019-06-15 07:54:47 +00:00
for cmd in CHAT_COMMANDS.iter() {
2020-04-24 02:36:19 +00:00
if !cmd.needs_admin || server.entity_is_admin(client) {
server.notify_client(client, ServerMsg::private(String::from(cmd.help_string)));
}
}
}
fn parse_alignment(owner: EcsEntity, alignment: &str) -> Option<comp::Alignment> {
2019-06-15 07:54:47 +00:00
match alignment {
"wild" => Some(comp::Alignment::Wild),
"enemy" => Some(comp::Alignment::Enemy),
"npc" => Some(comp::Alignment::Npc),
"pet" => Some(comp::Alignment::Owned(owner)),
2019-06-15 11:48:14 +00:00
_ => None,
}
}
2020-04-24 02:36:19 +00:00
fn handle_killnpcs(
server: &mut Server,
client: EcsEntity,
_target: EcsEntity,
_args: String,
_action: &ChatCommand,
) {
let ecs = server.state.ecs();
let mut stats = ecs.write_storage::<comp::Stats>();
let players = ecs.read_storage::<comp::Player>();
let mut count = 0;
for (stats, ()) in (&mut stats, !&players).join() {
count += 1;
stats.health.set_to(0, comp::HealthSource::Command);
2019-07-12 21:16:07 +00:00
}
let text = if count > 0 {
format!("Destroyed {} NPCs.", count)
} else {
"No NPCs on server.".to_string()
};
2020-04-24 02:36:19 +00:00
server.notify_client(client, ServerMsg::private(text));
2019-07-12 21:16:07 +00:00
}
2020-04-24 02:36:19 +00:00
fn handle_object(
server: &mut Server,
client: EcsEntity,
target: EcsEntity,
args: String,
_action: &ChatCommand,
) {
let obj_type = scan_fmt!(&args, _action.arg_fmt, String);
let pos = server
.state
.ecs()
.read_storage::<comp::Pos>()
2020-04-24 02:36:19 +00:00
.get(target)
.copied();
let ori = server
.state
.ecs()
.read_storage::<comp::Ori>()
2020-04-24 02:36:19 +00:00
.get(target)
.copied();
/*let builder = server.state
.create_object(pos, ori, obj_type)
.with(ori);*/
if let (Some(pos), Some(ori)) = (pos, ori) {
let obj_str_res = obj_type.as_ref().map(String::as_str);
let obj_type = match obj_str_res {
Ok("scarecrow") => comp::object::Body::Scarecrow,
Ok("cauldron") => comp::object::Body::Cauldron,
Ok("chest_vines") => comp::object::Body::ChestVines,
Ok("chest") => comp::object::Body::Chest,
Ok("chest_dark") => comp::object::Body::ChestDark,
Ok("chest_demon") => comp::object::Body::ChestDemon,
Ok("chest_gold") => comp::object::Body::ChestGold,
Ok("chest_light") => comp::object::Body::ChestLight,
Ok("chest_open") => comp::object::Body::ChestOpen,
Ok("chest_skull") => comp::object::Body::ChestSkull,
Ok("pumpkin") => comp::object::Body::Pumpkin,
Ok("pumpkin_2") => comp::object::Body::Pumpkin2,
Ok("pumpkin_3") => comp::object::Body::Pumpkin3,
Ok("pumpkin_4") => comp::object::Body::Pumpkin4,
Ok("pumpkin_5") => comp::object::Body::Pumpkin5,
Ok("campfire") => comp::object::Body::Campfire,
Ok("campfire_lit") => comp::object::Body::CampfireLit,
Ok("lantern_ground") => comp::object::Body::LanternGround,
Ok("lantern_ground_open") => comp::object::Body::LanternGroundOpen,
Ok("lantern_2") => comp::object::Body::LanternStanding2,
Ok("lantern") => comp::object::Body::LanternStanding,
Ok("potion_blue") => comp::object::Body::PotionBlue,
Ok("potion_green") => comp::object::Body::PotionGreen,
Ok("potion_red") => comp::object::Body::PotionRed,
Ok("crate") => comp::object::Body::Crate,
Ok("tent") => comp::object::Body::Tent,
Ok("bomb") => comp::object::Body::Bomb,
Ok("window_spooky") => comp::object::Body::WindowSpooky,
Ok("door_spooky") => comp::object::Body::DoorSpooky,
Ok("carpet") => comp::object::Body::Carpet,
Ok("table_human") => comp::object::Body::Table,
Ok("table_human_2") => comp::object::Body::Table2,
Ok("table_human_3") => comp::object::Body::Table3,
Ok("drawer") => comp::object::Body::Drawer,
Ok("bed_human_blue") => comp::object::Body::BedBlue,
Ok("anvil") => comp::object::Body::Anvil,
Ok("gravestone") => comp::object::Body::Gravestone,
Ok("gravestone_2") => comp::object::Body::Gravestone2,
Ok("chair") => comp::object::Body::Chair,
Ok("chair_2") => comp::object::Body::Chair2,
Ok("chair_3") => comp::object::Body::Chair3,
Ok("bench_human") => comp::object::Body::Bench,
Ok("bedroll") => comp::object::Body::Bedroll,
Ok("carpet_human_round") => comp::object::Body::CarpetHumanRound,
Ok("carpet_human_square") => comp::object::Body::CarpetHumanSquare,
Ok("carpet_human_square_2") => comp::object::Body::CarpetHumanSquare2,
Ok("carpet_human_squircle") => comp::object::Body::CarpetHumanSquircle,
2019-10-02 10:05:17 +00:00
Ok("crafting_bench") => comp::object::Body::CraftingBench,
_ => {
return server.notify_client(
2020-04-24 02:36:19 +00:00
client,
ServerMsg::private(String::from("Object not found!")),
);
},
};
server
.state
.create_object(pos, obj_type)
.with(comp::Ori(
// converts player orientation into a 90° rotation for the object by using the axis
// with the highest value
Dir::from_unnormalized(ori.0.map(|e| {
if e.abs() == ori.0.map(|e| e.abs()).reduce_partial_max() {
e
} else {
0.0
}
}))
.unwrap_or_default(),
))
.build();
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
ServerMsg::private(format!(
"Spawned: {}",
obj_str_res.unwrap_or("<Unknown object>")
)),
);
} else {
2020-04-24 02:36:19 +00:00
server.notify_client(client, ServerMsg::private(format!("You have no position!")));
2019-07-21 12:42:45 +00:00
}
}
2020-04-24 02:36:19 +00:00
fn handle_light(
server: &mut Server,
client: EcsEntity,
target: EcsEntity,
args: String,
action: &ChatCommand,
) {
let (opt_r, opt_g, opt_b, opt_x, opt_y, opt_z, opt_s) =
scan_fmt_some!(&args, action.arg_fmt, f32, f32, f32, f32, f32, f32, f32);
let mut light_emitter = comp::LightEmitter::default();
let mut light_offset_opt = None;
if let (Some(r), Some(g), Some(b)) = (opt_r, opt_g, opt_b) {
if r < 0.0 || g < 0.0 || b < 0.0 {
server.notify_client(
client,
ServerMsg::private(String::from("cr, cg and cb values mustn't be negative.")),
);
return;
}
let r = r.max(0.0).min(1.0);
let g = g.max(0.0).min(1.0);
let b = b.max(0.0).min(1.0);
light_emitter.col = Rgb::new(r, g, b)
};
if let (Some(x), Some(y), Some(z)) = (opt_x, opt_y, opt_z) {
light_offset_opt = Some(comp::LightAnimation {
offset: Vec3::new(x, y, z),
col: light_emitter.col,
strength: 0.0,
})
};
if let Some(s) = opt_s {
light_emitter.strength = s.max(0.0)
};
let pos = server
.state
.ecs()
.read_storage::<comp::Pos>()
2020-04-24 02:36:19 +00:00
.get(target)
.copied();
if let Some(pos) = pos {
let builder = server
2019-07-25 20:51:20 +00:00
.state
.ecs_mut()
.create_entity_synced()
.with(pos)
.with(comp::ForceUpdate)
.with(light_emitter);
if let Some(light_offset) = light_offset_opt {
builder.with(light_offset).build();
} else {
builder.build();
}
2020-04-24 02:36:19 +00:00
server.notify_client(client, ServerMsg::private(format!("Spawned object.")));
} else {
2020-04-24 02:36:19 +00:00
server.notify_client(client, ServerMsg::private(format!("You have no position!")));
2019-07-25 20:51:20 +00:00
}
}
2019-07-26 14:38:31 +00:00
2020-04-24 02:36:19 +00:00
fn handle_lantern(
server: &mut Server,
client: EcsEntity,
target: EcsEntity,
args: String,
action: &ChatCommand,
) {
if let (Some(s), r, g, b) = scan_fmt_some!(&args, action.arg_fmt, f32, f32, f32, f32) {
if let Some(light) = server
.state
.ecs()
.write_storage::<comp::LightEmitter>()
.get_mut(target)
{
light.strength = s.max(0.1).min(10.0);
if let (Some(r), Some(g), Some(b)) = (r, g, b) {
light.col = (
r.max(0.0).min(1.0),
g.max(0.0).min(1.0),
b.max(0.0).min(1.0),
)
.into();
server.notify_client(
client,
ServerMsg::private(String::from("You adjusted flame strength and color.")),
);
} else {
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
2019-10-04 18:27:12 +00:00
ServerMsg::private(String::from("You adjusted flame strength.")),
2019-07-28 11:36:35 +00:00
);
}
} else {
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
ServerMsg::private(String::from("Please equip a lantern first")),
2019-07-28 11:36:35 +00:00
);
}
2019-08-12 14:05:58 +00:00
} else {
server.notify_client(client, ServerMsg::private(String::from(action.help_string)));
2019-08-12 14:05:58 +00:00
}
2019-07-25 20:51:20 +00:00
}
2019-07-26 14:38:31 +00:00
2020-04-24 02:36:19 +00:00
fn handle_explosion(
server: &mut Server,
client: EcsEntity,
target: EcsEntity,
args: String,
action: &ChatCommand,
) {
2020-03-22 19:39:50 +00:00
let power = scan_fmt!(&args, action.arg_fmt, f32).unwrap_or(8.0);
if power > 512.0 {
server.notify_client(
client,
ServerMsg::private(String::from("Explosion power mustn't be more than 512.")),
);
return;
} else if power <= 0.0 {
server.notify_client(
client,
ServerMsg::private(String::from("Explosion power must be more than 0.")),
);
return;
}
2020-03-22 19:39:50 +00:00
let ecs = server.state.ecs();
2019-08-07 17:18:32 +00:00
2020-04-24 02:36:19 +00:00
match server.state.read_component_cloned::<comp::Pos>(target) {
2020-03-22 19:39:50 +00:00
Some(pos) => {
ecs.read_resource::<EventBus<ServerEvent>>()
.emit_now(ServerEvent::Explosion {
pos: pos.0,
power,
2020-04-24 02:36:19 +00:00
owner: ecs.read_storage::<Uid>().get(target).copied(),
2020-03-22 19:39:50 +00:00
})
},
None => server.notify_client(
2020-04-24 02:36:19 +00:00
client,
2019-08-07 17:18:32 +00:00
ServerMsg::private(String::from("You have no position!")),
),
2019-08-07 17:17:04 +00:00
}
2019-09-25 20:22:39 +00:00
}
2020-04-24 02:36:19 +00:00
fn handle_waypoint(
server: &mut Server,
client: EcsEntity,
target: EcsEntity,
_args: String,
_action: &ChatCommand,
) {
match server.state.read_component_cloned::<comp::Pos>(target) {
2019-09-25 20:22:39 +00:00
Some(pos) => {
let _ = server
.state
.ecs()
.write_storage::<comp::Waypoint>()
2020-04-24 02:36:19 +00:00
.insert(target, comp::Waypoint::new(pos.0));
server.notify_client(client, ServerMsg::private(String::from("Waypoint set!")));
},
None => server.notify_client(
2020-04-24 02:36:19 +00:00
client,
2019-09-25 20:22:39 +00:00
ServerMsg::private(String::from("You have no position!")),
),
}
2019-08-07 17:17:04 +00:00
}
2020-04-24 02:36:19 +00:00
fn handle_adminify(
server: &mut Server,
client: EcsEntity,
_target: EcsEntity,
args: String,
action: &ChatCommand,
) {
if let Ok(alias) = scan_fmt!(&args, action.arg_fmt, String) {
let ecs = server.state.ecs();
let opt_player = (&ecs.entities(), &ecs.read_storage::<comp::Player>())
.join()
.find(|(_, player)| player.alias == alias)
.map(|(entity, _)| entity);
match opt_player {
Some(player) => match server.state.read_component_cloned::<comp::Admin>(player) {
Some(_admin) => {
ecs.write_storage::<comp::Admin>().remove(player);
},
None => {
server.state.write_component(player, comp::Admin);
},
},
None => {
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
ServerMsg::private(format!("Player '{}' not found!", alias)),
);
2020-04-24 02:36:19 +00:00
server.notify_client(client, ServerMsg::private(String::from(action.help_string)));
},
}
} else {
2020-04-24 02:36:19 +00:00
server.notify_client(client, ServerMsg::private(String::from(action.help_string)));
}
}
2020-04-24 02:36:19 +00:00
fn handle_tell(
server: &mut Server,
client: EcsEntity,
target: EcsEntity,
args: String,
action: &ChatCommand,
) {
if client != target {
server.notify_client(
client,
ServerMsg::tell(String::from("It's rude to impersonate people")),
);
return;
}
2019-07-30 08:10:58 +00:00
if let Ok(alias) = scan_fmt!(&args, action.arg_fmt, String) {
let ecs = server.state.ecs();
let msg = &args[alias.len()..args.len()];
if let Some(player) = (&ecs.entities(), &ecs.read_storage::<comp::Player>())
.join()
.find(|(_, player)| player.alias == alias)
.map(|(entity, _)| entity)
{
2020-04-24 02:36:19 +00:00
if player != target {
2019-07-30 08:10:58 +00:00
if msg.len() > 1 {
if let Some(name) = ecs
.read_storage::<comp::Player>()
2020-04-24 02:36:19 +00:00
.get(target)
2019-07-30 08:10:58 +00:00
.map(|s| s.alias.clone())
{
server.notify_client(
player,
ServerMsg::tell(format!("[{}] tells:{}", name, msg)),
);
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
ServerMsg::tell(format!("To [{}]:{}", alias, msg)),
);
2019-07-13 04:25:44 +00:00
} else {
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
2019-07-30 08:10:58 +00:00
ServerMsg::private(String::from("Failed to send message.")),
);
2019-07-13 04:25:44 +00:00
}
2019-07-30 08:10:58 +00:00
} else {
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
2019-07-30 08:10:58 +00:00
ServerMsg::private(format!("[{}] wants to talk to you.", alias)),
2019-07-13 04:25:44 +00:00
);
}
2019-07-30 08:10:58 +00:00
} else {
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
2019-07-30 08:10:58 +00:00
ServerMsg::private(format!("You can't /tell yourself.")),
);
2019-07-13 04:25:44 +00:00
}
2019-07-30 08:10:58 +00:00
} else {
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
2019-07-30 08:10:58 +00:00
ServerMsg::private(format!("Player '{}' not found!", alias)),
);
2019-07-13 04:25:44 +00:00
}
2019-07-30 08:10:58 +00:00
} else {
2020-04-24 02:36:19 +00:00
server.notify_client(client, ServerMsg::private(String::from(action.help_string)));
2019-07-13 04:25:44 +00:00
}
}
#[cfg(not(feature = "worldgen"))]
fn handle_debug_column(
server: &mut Server,
2020-04-24 02:36:19 +00:00
client: EcsEntity,
target: EcsEntity,
_args: String,
_action: &ChatCommand,
) {
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
ServerMsg::private(String::from("Unsupported without worldgen enabled")),
);
}
#[cfg(feature = "worldgen")]
2020-04-24 02:36:19 +00:00
fn handle_debug_column(
server: &mut Server,
client: EcsEntity,
_target: EcsEntity,
args: String,
action: &ChatCommand,
) {
let sim = server.world.sim();
let sampler = server.world.sample_columns();
if let Ok((x, y)) = scan_fmt!(&args, action.arg_fmt, i32, i32) {
let wpos = Vec2::new(x, y);
common: Rework volume API See the doc comments in `common/src/vol.rs` for more information on the API itself. The changes include: * Consistent `Err`/`Error` naming. * Types are named `...Error`. * `enum` variants are named `...Err`. * Rename `VolMap{2d, 3d}` -> `VolGrid{2d, 3d}`. This is in preparation to an upcoming change where a “map” in the game related sense will be added. * Add volume iterators. There are two types of them: * _Position_ iterators obtained from the trait `IntoPosIterator` using the method `fn pos_iter(self, lower_bound: Vec3<i32>, upper_bound: Vec3<i32>) -> ...` which returns an iterator over `Vec3<i32>`. * _Volume_ iterators obtained from the trait `IntoVolIterator` using the method `fn vol_iter(self, lower_bound: Vec3<i32>, upper_bound: Vec3<i32>) -> ...` which returns an iterator over `(Vec3<i32>, &Self::Vox)`. Those traits will usually be implemented by references to volume types (i.e. `impl IntoVolIterator<'a> for &'a T` where `T` is some type which usually implements several volume traits, such as `Chunk`). * _Position_ iterators iterate over the positions valid for that volume. * _Volume_ iterators do the same but return not only the position but also the voxel at that position, in each iteration. * Introduce trait `RectSizedVol` for the use case which we have with `Chonk`: A `Chonk` is sized only in x and y direction. * Introduce traits `RasterableVol`, `RectRasterableVol` * `RasterableVol` represents a volume that is compile-time sized and has its lower bound at `(0, 0, 0)`. The name `RasterableVol` was chosen because such a volume can be used with `VolGrid3d`. * `RectRasterableVol` represents a volume that is compile-time sized at least in x and y direction and has its lower bound at `(0, 0, z)`. There's no requirement on he lower bound or size in z direction. The name `RectRasterableVol` was chosen because such a volume can be used with `VolGrid2d`.
2019-09-03 22:23:29 +00:00
/* let chunk_pos = wpos.map2(TerrainChunkSize::RECT_SIZE, |e, sz: u32| {
e / sz as i32
}); */
let foo = || {
// let sim_chunk = sim.get(chunk_pos)?;
let alt = sim.get_interpolated(wpos, |chunk| chunk.alt)?;
2019-11-19 18:34:52 +00:00
let basement = sim.get_interpolated(wpos, |chunk| chunk.basement)?;
let water_alt = sim.get_interpolated(wpos, |chunk| chunk.water_alt)?;
let chaos = sim.get_interpolated(wpos, |chunk| chunk.chaos)?;
let temp = sim.get_interpolated(wpos, |chunk| chunk.temp)?;
let humidity = sim.get_interpolated(wpos, |chunk| chunk.humidity)?;
let rockiness = sim.get_interpolated(wpos, |chunk| chunk.rockiness)?;
let tree_density = sim.get_interpolated(wpos, |chunk| chunk.tree_density)?;
let spawn_rate = sim.get_interpolated(wpos, |chunk| chunk.spawn_rate)?;
let chunk_pos = wpos.map2(TerrainChunkSize::RECT_SIZE, |e, sz: u32| e / sz as i32);
let chunk = sim.get(chunk_pos)?;
let col = sampler.get(wpos)?;
let downhill = chunk.downhill;
let river = &chunk.river;
let flux = chunk.flux;
Some(format!(
r#"wpos: {:?}
alt {:?} ({:?})
water_alt {:?} ({:?})
2019-11-19 18:34:52 +00:00
basement {:?}
river {:?}
downhill {:?}
chaos {:?}
flux {:?}
temp {:?}
humidity {:?}
rockiness {:?}
tree_density {:?}
spawn_rate {:?} "#,
wpos,
alt,
col.alt,
water_alt,
col.water_level,
2019-11-19 18:34:52 +00:00
basement,
river,
downhill,
chaos,
flux,
temp,
humidity,
rockiness,
tree_density,
spawn_rate
))
};
if let Some(s) = foo() {
2020-04-24 02:36:19 +00:00
server.notify_client(client, ServerMsg::private(s));
} else {
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
ServerMsg::private(String::from("Not a pregenerated chunk.")),
);
}
} else {
2020-04-24 02:36:19 +00:00
server.notify_client(client, ServerMsg::private(String::from(action.help_string)));
}
}
2019-10-04 15:48:14 +00:00
2020-02-13 20:32:24 +00:00
fn find_target(
ecs: &specs::World,
opt_alias: Option<String>,
fallback: EcsEntity,
) -> Result<EcsEntity, ServerMsg> {
if let Some(alias) = opt_alias {
(&ecs.entities(), &ecs.read_storage::<comp::Player>())
2019-10-04 15:48:14 +00:00
.join()
.find(|(_, player)| player.alias == alias)
2020-02-13 20:32:24 +00:00
.map(|(entity, _)| entity)
.ok_or(ServerMsg::private(format!("Player '{}' not found!", alias)))
} else {
Ok(fallback)
}
}
2020-04-24 02:36:19 +00:00
fn handle_exp(
server: &mut Server,
client: EcsEntity,
target: EcsEntity,
args: String,
action: &ChatCommand,
) {
2020-02-13 20:32:24 +00:00
let (a_exp, a_alias) = scan_fmt_some!(&args, action.arg_fmt, i64, String);
if let Some(exp) = a_exp {
let ecs = server.state.ecs_mut();
2020-04-24 02:36:19 +00:00
let target = find_target(&ecs, a_alias, target);
2019-10-04 15:48:14 +00:00
let mut error_msg = None;
2020-02-13 20:32:24 +00:00
match target {
Ok(player) => {
if let Some(stats) = ecs.write_storage::<comp::Stats>().get_mut(player) {
2019-10-04 15:48:14 +00:00
stats.exp.change_by(exp);
} else {
error_msg = Some(ServerMsg::private(String::from("Player has no stats!")));
2019-10-04 15:48:14 +00:00
}
},
2020-02-13 20:32:24 +00:00
Err(e) => {
error_msg = Some(e);
},
2019-10-04 15:48:14 +00:00
}
if let Some(msg) = error_msg {
2020-04-24 02:36:19 +00:00
server.notify_client(client, msg);
}
2019-10-04 15:48:14 +00:00
}
}
2019-10-07 03:19:46 +00:00
2020-04-24 02:36:19 +00:00
fn handle_level(
server: &mut Server,
client: EcsEntity,
target: EcsEntity,
args: String,
action: &ChatCommand,
) {
2020-02-13 21:15:54 +00:00
let (a_lvl, a_alias) = scan_fmt_some!(&args, action.arg_fmt, u32, String);
if let Some(lvl) = a_lvl {
let ecs = server.state.ecs_mut();
2020-04-24 02:36:19 +00:00
let target = find_target(&ecs, a_alias, target);
2020-02-13 21:15:54 +00:00
let mut error_msg = None;
match target {
Ok(player) => {
if let Some(stats) = ecs.write_storage::<comp::Stats>().get_mut(player) {
stats.level.set_level(lvl);
stats.update_max_hp();
stats
.health
.set_to(stats.health.maximum(), comp::HealthSource::LevelUp);
2020-02-13 21:15:54 +00:00
} else {
error_msg = Some(ServerMsg::private(String::from("Player has no stats!")));
}
},
Err(e) => {
error_msg = Some(e);
},
}
if let Some(msg) = error_msg {
2020-04-24 02:36:19 +00:00
server.notify_client(client, msg);
2020-02-13 21:15:54 +00:00
}
}
}
use common::comp::Item;
2020-04-24 02:36:19 +00:00
fn handle_debug(
server: &mut Server,
client: EcsEntity,
target: EcsEntity,
_args: String,
_action: &ChatCommand,
) {
if let Ok(items) = assets::load_glob::<Item>("common.items.debug.*") {
2019-10-31 14:26:25 +00:00
server
.state()
.ecs()
.write_storage::<comp::Inventory>()
2020-04-24 02:36:19 +00:00
.get_mut(target)
2019-10-31 14:26:25 +00:00
// TODO: Consider writing a `load_glob_cloned` in `assets` and using that here
.map(|inv| inv.push_all_unique(items.iter().map(|item| item.as_ref().clone())));
let _ = server
.state
.ecs()
.write_storage::<comp::InventoryUpdate>()
.insert(
2020-04-24 02:36:19 +00:00
target,
comp::InventoryUpdate::new(comp::InventoryUpdateEvent::Debug),
);
} else {
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
2019-10-31 14:26:25 +00:00
ServerMsg::private(String::from(
"Debug items not found? Something is very broken.",
)),
);
}
}
2019-10-07 04:38:28 +00:00
fn handle_remove_lights(
server: &mut Server,
2020-04-24 02:36:19 +00:00
client: EcsEntity,
target: EcsEntity,
2019-10-07 04:38:28 +00:00
args: String,
action: &ChatCommand,
) {
2019-10-07 03:19:46 +00:00
let opt_radius = scan_fmt_some!(&args, action.arg_fmt, f32);
2020-04-24 02:36:19 +00:00
let opt_player_pos = server.state.read_component_cloned::<comp::Pos>(target);
2019-10-07 03:19:46 +00:00
let mut to_delete = vec![];
match opt_player_pos {
Some(player_pos) => {
let ecs = server.state.ecs();
for (entity, pos, _, _, _) in (
&ecs.entities(),
&ecs.read_storage::<comp::Pos>(),
&ecs.read_storage::<comp::LightEmitter>(),
!&ecs.read_storage::<comp::WaypointArea>(),
2019-10-07 04:38:28 +00:00
!&ecs.read_storage::<comp::Player>(),
)
.join()
{
if opt_radius
.map(|r| pos.0.distance(player_pos.0) < r)
.unwrap_or(true)
{
to_delete.push(entity);
2019-10-07 03:19:46 +00:00
}
}
},
None => server.notify_client(
2020-04-24 02:36:19 +00:00
client,
2019-10-07 04:38:28 +00:00
ServerMsg::private(String::from("You have no position.")),
2019-10-07 03:19:46 +00:00
),
}
let size = to_delete.len();
for entity in to_delete {
2019-11-29 06:04:37 +00:00
if let Err(err) = server.state.delete_entity_recorded(entity) {
error!("Failed to delete light: {:?}", err);
}
2019-10-07 03:19:46 +00:00
}
server.notify_client(
2020-04-24 02:36:19 +00:00
client,
2019-10-07 04:38:28 +00:00
ServerMsg::private(String::from(format!("Removed {} lights!", size))),
2019-10-07 03:19:46 +00:00
);
}
2020-04-24 02:36:19 +00:00
fn handle_sudo(
server: &mut Server,
client: EcsEntity,
_target: EcsEntity,
args: String,
action: &ChatCommand,
) {
2020-04-25 17:18:29 +00:00
if let (Some(player_alias), Some(cmd), cmd_args) =
2020-04-24 02:36:19 +00:00
scan_fmt_some!(&args, action.arg_fmt, String, String, String)
{
let cmd_args = cmd_args.unwrap_or(String::from(""));
2020-04-25 17:18:29 +00:00
let cmd = if cmd.chars().next() == Some('/') {
cmd.chars().skip(1).collect()
} else {
cmd
};
2020-04-24 02:36:19 +00:00
if let Some(action) = CHAT_COMMANDS.iter().find(|c| c.keyword == cmd) {
let ecs = server.state.ecs();
2020-04-25 17:18:29 +00:00
let entity_opt = (&ecs.entities(), &ecs.read_storage::<comp::Player>())
.join()
.find(|(_, player)| player.alias == player_alias)
.map(|(entity, _)| entity);
2020-04-24 02:36:19 +00:00
if let Some(entity) = entity_opt {
(action.handler)(server, client, entity, cmd_args, action);
} else {
server.notify_client(
client,
ServerMsg::private(format!("Could not find that player")),
);
}
} else {
server.notify_client(
client,
ServerMsg::private(format!("Unknown command: /{}", cmd)),
);
}
} else {
server.notify_client(client, ServerMsg::private(String::from(action.help_string)));
}
}
2020-05-04 15:59:53 +00:00
fn handle_version(
server: &mut Server,
client: EcsEntity,
_target: EcsEntity,
_args: String,
_action: &ChatCommand,
) {
server.notify_client(
client,
ServerMsg::private(format!(
"Server is running {}[{}]",
common::util::GIT_HASH.to_string(),
common::util::GIT_DATE.to_string(),
)),
);
}