veloren/server/src/events/interaction.rs

315 lines
12 KiB
Rust
Raw Normal View History

use specs::{world::WorldExt, Builder, Entity as EcsEntity, Join};
2021-03-21 16:09:16 +00:00
use vek::*;
2020-02-16 20:04:06 +00:00
use common::{
2021-06-09 05:14:20 +00:00
assets,
2021-03-21 17:45:01 +00:00
comp::{
self,
agent::{AgentEvent, Sound, SoundKind},
dialogue::Subject,
inventory::slot::EquipSlot,
2022-06-12 17:56:59 +00:00
loot_owner::LootOwnerKind,
tool::ToolKind,
2022-06-12 17:56:59 +00:00
Inventory, LootOwner, Pos, SkillGroupKind,
2021-03-21 17:45:01 +00:00
},
consts::{MAX_MOUNT_RANGE, SOUND_TRAVEL_DIST_PER_VOLUME},
2022-05-09 19:58:13 +00:00
event::EventBus,
link::Is,
mounting::{Mount, Mounting, Rider},
outcome::Outcome,
2021-06-19 18:53:23 +00:00
terrain::{Block, SpriteKind},
uid::Uid,
2021-03-21 16:09:16 +00:00
vol::ReadVol,
2020-02-16 20:04:06 +00:00
};
use common_net::sync::WorldSyncExt;
use crate::{state_ext::StateExt, Server};
2020-02-16 20:04:06 +00:00
use crate::pet::tame_pet;
use hashbrown::{HashMap, HashSet};
2021-06-09 05:14:20 +00:00
use lazy_static::lazy_static;
use serde::Deserialize;
use std::iter::FromIterator;
2021-06-09 05:14:20 +00:00
2020-10-07 02:23:20 +00:00
pub fn handle_lantern(server: &mut Server, entity: EcsEntity, enable: bool) {
let ecs = server.state_mut().ecs();
2020-10-07 02:23:20 +00:00
let lantern_exists = ecs
.read_storage::<comp::LightEmitter>()
.get(entity)
2020-10-07 02:23:20 +00:00
.map_or(false, |light| light.strength > 0.0);
if lantern_exists != enable {
if !enable {
server
.state_mut()
.ecs()
.write_storage::<comp::LightEmitter>()
2020-10-07 02:23:20 +00:00
.remove(entity);
} else if ecs // Only enable lantern if entity is alive
.read_storage::<comp::Health>()
.get(entity)
.map_or(true, |h| !h.is_dead)
{
let inventory_storage = ecs.read_storage::<Inventory>();
let lantern_info = inventory_storage
2020-10-07 02:23:20 +00:00
.get(entity)
.and_then(|inventory| inventory.equipped(EquipSlot::Lantern))
2020-10-07 02:23:20 +00:00
.and_then(|item| {
if let comp::item::ItemKind::Lantern(l) = &*item.kind() {
Some((l.color(), l.strength()))
2020-10-07 02:23:20 +00:00
} else {
None
}
});
if let Some((col, strength)) = lantern_info {
2020-10-07 02:23:20 +00:00
let _ =
ecs.write_storage::<comp::LightEmitter>()
.insert(entity, comp::LightEmitter {
col,
strength,
2020-10-07 02:23:20 +00:00
flicker: 0.35,
animated: true,
});
}
}
}
}
pub fn handle_npc_interaction(server: &mut Server, interactor: EcsEntity, npc_entity: EcsEntity) {
let state = server.state_mut();
if let Some(agent) = state
.ecs()
.write_storage::<comp::Agent>()
.get_mut(npc_entity)
{
if agent.target.is_none() {
if let Some(interactor_uid) = state.ecs().uid_from_entity(interactor) {
agent
.inbox
.push_back(AgentEvent::Talk(interactor_uid, Subject::Regular));
}
}
}
}
pub fn handle_mount(server: &mut Server, rider: EcsEntity, mount: EcsEntity) {
2020-02-16 20:04:06 +00:00
let state = server.state_mut();
if state.ecs().read_storage::<Is<Rider>>().get(rider).is_none() {
let not_mounting_yet = state.ecs().read_storage::<Is<Mount>>().get(mount).is_none();
2020-02-16 20:04:06 +00:00
let within_range = || {
let positions = state.ecs().read_storage::<comp::Pos>();
within_mounting_range(positions.get(rider), positions.get(mount))
2021-05-15 23:48:14 +00:00
};
let healths = state.ecs().read_storage::<comp::Health>();
let alive = |e| healths.get(e).map_or(true, |h| !h.is_dead);
2020-10-31 02:34:44 +00:00
if not_mounting_yet && within_range() && alive(rider) && alive(mount) {
let uids = state.ecs().read_storage::<Uid>();
if let (Some(rider_uid), Some(mount_uid)) =
(uids.get(rider).copied(), uids.get(mount).copied())
{
let is_pet = matches!(
state
.ecs()
.read_storage::<comp::Alignment>()
.get(mount),
Some(comp::Alignment::Owned(owner)) if *owner == rider_uid,
);
2022-01-15 21:43:20 +00:00
if is_pet {
drop(uids);
drop(healths);
let _ = state.link(Mounting {
mount: mount_uid,
rider: rider_uid,
});
}
2020-02-16 20:04:06 +00:00
}
}
}
}
pub fn handle_unmount(server: &mut Server, rider: EcsEntity) {
2020-02-16 20:04:06 +00:00
let state = server.state_mut();
state.ecs().write_storage::<Is<Rider>>().remove(rider);
2020-02-16 20:04:06 +00:00
}
2020-10-31 02:34:44 +00:00
fn within_mounting_range(player_position: Option<&Pos>, mount_position: Option<&Pos>) -> bool {
match (player_position, mount_position) {
(Some(ppos), Some(ipos)) => ppos.0.distance_squared(ipos.0) < MAX_MOUNT_RANGE.powi(2),
_ => false,
}
}
2021-03-21 16:09:16 +00:00
2021-06-09 05:14:20 +00:00
#[derive(Deserialize)]
struct ResourceExperienceManifest(HashMap<String, u32>);
2021-06-09 05:14:20 +00:00
impl assets::Asset for ResourceExperienceManifest {
type Loader = assets::RonLoader;
const EXTENSION: &'static str = "ron";
}
lazy_static! {
static ref RESOURCE_EXPERIENCE_MANIFEST: assets::AssetHandle<ResourceExperienceManifest> =
assets::AssetExt::load_expect("server.manifests.resource_experience_manifest");
}
pub fn handle_mine_block(
server: &mut Server,
entity: EcsEntity,
pos: Vec3<i32>,
tool: Option<ToolKind>,
) {
2021-03-21 16:09:16 +00:00
let state = server.state_mut();
if state.can_set_block(pos) {
let block = state.terrain().get(pos).ok().copied();
if let Some(block) = block.filter(|b| b.mine_tool().map_or(false, |t| Some(t) == tool)) {
// Drop item if one is recoverable from the block
2021-06-09 05:14:20 +00:00
if let Some(mut item) = comp::Item::try_reclaim_from_block(block) {
2022-06-12 17:56:59 +00:00
let maybe_uid = state.ecs().uid_from_entity(entity);
2021-06-09 05:14:20 +00:00
if let Some(mut skillset) = state
.ecs()
.write_storage::<comp::SkillSet>()
.get_mut(entity)
{
if let (Some(tool), Some(uid), Some(exp_reward)) = (
tool,
2022-06-12 17:56:59 +00:00
maybe_uid,
item.item_definition_id()
.itemdef_id()
.and_then(|id| RESOURCE_EXPERIENCE_MANIFEST.read().0.get(id).copied()),
2021-06-09 05:14:20 +00:00
) {
let skill_group = SkillGroupKind::Weapon(tool);
2022-05-09 19:58:13 +00:00
let outcome_bus = state.ecs().read_resource::<EventBus<Outcome>>();
2022-03-15 18:04:21 +00:00
if let Some(level_outcome) =
skillset.add_experience(skill_group, exp_reward)
{
2022-05-09 19:58:13 +00:00
outcome_bus.emit_now(Outcome::SkillPointGain {
2021-06-09 05:14:20 +00:00
uid,
skill_tree: skill_group,
total_points: level_outcome,
2021-06-09 05:14:20 +00:00
});
}
2022-05-09 19:58:13 +00:00
outcome_bus.emit_now(Outcome::ExpChange {
uid,
exp: exp_reward,
xp_pools: HashSet::from_iter(vec![skill_group]),
});
2021-06-09 05:14:20 +00:00
}
2021-08-22 10:50:01 +00:00
use common::comp::skills::{MiningSkill, Skill, SKILL_MODIFIERS};
2021-06-09 05:14:20 +00:00
use rand::Rng;
let mut rng = rand::thread_rng();
2021-08-22 10:50:01 +00:00
let need_double_ore = |rng: &mut rand::rngs::ThreadRng| {
2021-08-24 20:00:03 +00:00
let chance_mod = f64::from(SKILL_MODIFIERS.mining_tree.ore_gain);
let skill_level = skillset
.skill_level(Skill::Pick(MiningSkill::OreGain))
.unwrap_or(0);
2021-08-22 10:50:01 +00:00
rng.gen_bool(chance_mod * f64::from(skill_level))
};
let need_double_gem = |rng: &mut rand::rngs::ThreadRng| {
2021-08-24 20:00:03 +00:00
let chance_mod = f64::from(SKILL_MODIFIERS.mining_tree.gem_gain);
let skill_level = skillset
.skill_level(Skill::Pick(MiningSkill::GemGain))
.unwrap_or(0);
2021-08-22 10:50:01 +00:00
rng.gen_bool(chance_mod * f64::from(skill_level))
};
let double_gain = item.item_definition_id().itemdef_id().map_or(false, |id| {
(id.contains("mineral.ore.") && need_double_ore(&mut rng))
|| (id.contains("mineral.gem.") && need_double_gem(&mut rng))
});
2021-08-22 10:50:01 +00:00
if double_gain {
// Ignore non-stackable errors
2021-06-09 05:14:20 +00:00
let _ = item.increase_amount(1);
}
}
2022-06-12 17:56:59 +00:00
let item_drop = state
.create_item_drop(Default::default(), item)
2022-06-12 17:56:59 +00:00
.with(comp::Pos(pos.map(|e| e as f32) + Vec3::new(0.5, 0.5, 0.0)));
if let Some(uid) = maybe_uid {
item_drop.with(LootOwner::new(LootOwnerKind::Player(uid)))
} else {
item_drop
}
.build();
2021-03-21 16:09:16 +00:00
}
state.set_block(pos, block.into_vacant());
state
.ecs()
2022-05-09 19:58:13 +00:00
.read_resource::<EventBus<Outcome>>()
.emit_now(Outcome::BreakBlock {
pos,
color: block.get_color(),
});
2021-03-21 16:09:16 +00:00
}
}
}
pub fn handle_sound(server: &mut Server, sound: &Sound) {
let ecs = &server.state.ecs();
let positions = &ecs.read_storage::<comp::Pos>();
let agents = &mut ecs.write_storage::<comp::Agent>();
// TODO: Reduce the complexity of this problem by using spatial partitioning
// system
for (agent, agent_pos) in (agents, positions).join() {
// TODO: Use pathfinding for more dropoff around obstacles
let agent_dist_sqrd = agent_pos.0.distance_squared(sound.pos);
let sound_travel_dist_sqrd = (sound.vol * SOUND_TRAVEL_DIST_PER_VOLUME).powi(2);
let vol_dropoff = agent_dist_sqrd / sound_travel_dist_sqrd * sound.vol;
let propagated_sound = sound.with_new_vol(sound.vol - vol_dropoff);
let can_hear_sound = propagated_sound.vol > 0.00;
let should_hear_sound = agent_dist_sqrd < agent.psyche.listen_dist.powi(2);
if can_hear_sound && should_hear_sound {
agent
.inbox
.push_back(AgentEvent::ServerSound(propagated_sound));
}
}
2021-06-15 16:15:58 +00:00
// Attempt to turn this sound into an outcome to be received by frontends.
if let Some(outcome) = match sound.kind {
SoundKind::Utterance(kind, body) => Some(Outcome::Utterance {
kind,
pos: sound.pos,
body,
}),
_ => None,
} {
2022-05-09 19:58:13 +00:00
ecs.read_resource::<EventBus<Outcome>>().emit_now(outcome);
}
}
2021-06-19 18:53:23 +00:00
pub fn handle_create_sprite(server: &mut Server, pos: Vec3<i32>, sprite: SpriteKind) {
let state = server.state_mut();
if state.can_set_block(pos) {
let block = state.terrain().get(pos).ok().copied();
if block.map_or(false, |b| (*b).is_air()) {
let new_block = state
.get_block(pos)
.unwrap_or_else(|| Block::air(SpriteKind::Empty))
.with_sprite(sprite);
server.state.set_block(pos, new_block);
}
}
}
pub fn handle_tame_pet(server: &mut Server, pet_entity: EcsEntity, owner_entity: EcsEntity) {
// TODO: Raise outcome to send to clients to play sound/render an indicator
// showing taming success?
tame_pet(server.state.ecs(), pet_entity, owner_entity);
}