From d9412b14d319b88559ea799f82385a2afc05b6c1 Mon Sep 17 00:00:00 2001 From: anomaluridae Date: Thu, 5 Aug 2021 18:11:16 -0700 Subject: [PATCH 01/19] breakout interactable into seperate file --- voxygen/src/hud/mod.rs | 2 +- voxygen/src/session/interactable.rs | 141 ++++++++++++++++++++++++++++ voxygen/src/session/mod.rs | 128 +------------------------ 3 files changed, 145 insertions(+), 126 deletions(-) create mode 100644 voxygen/src/session/interactable.rs diff --git a/voxygen/src/hud/mod.rs b/voxygen/src/hud/mod.rs index 6b9b28548e..14d7c86e59 100644 --- a/voxygen/src/hud/mod.rs +++ b/voxygen/src/hud/mod.rs @@ -60,7 +60,7 @@ use crate::{ scene::camera::{self, Camera}, session::{ settings_change::{Chat as ChatChange, Interface as InterfaceChange, SettingsChange}, - Interactable, + interactable::Interactable, }, settings::chat::ChatFilter, ui::{ diff --git a/voxygen/src/session/interactable.rs b/voxygen/src/session/interactable.rs new file mode 100644 index 0000000000..ad52f5fd1b --- /dev/null +++ b/voxygen/src/session/interactable.rs @@ -0,0 +1,141 @@ +use ordered_float::OrderedFloat; +use specs::{Join, WorldExt}; +use vek::*; + +use client::{self, Client}; +use common::{ + comp, + consts::MAX_PICKUP_RANGE, + terrain::Block, + util::find_dist::{Cube, Cylinder, FindDist}, + vol::ReadVol, +}; +use common_base::span; + +use crate::scene::{terrain::Interaction, Scene}; + +#[derive(Clone, Copy, Debug)] +pub enum Interactable { + Block(Block, Vec3, Interaction), + Entity(specs::Entity), +} + +impl Interactable { + pub fn entity(self) -> Option { + match self { + Self::Entity(e) => Some(e), + Self::Block(_, _, _) => None, + } + } +} + +/// Select interactable to hightlight, display interaction text for, and to +/// interact with if the interact key is pressed +/// Selected in the following order +/// 1) Targeted entity (if interactable) (entities can't be target through +/// blocks) +/// 2) Selected block (if interactable) +/// 3) Closest of nearest interactable entity/block +pub(super) fn select_interactable( + client: &Client, + target_entity: Option<(specs::Entity, f32)>, + selected_pos: Option>, + scene: &Scene, + mut hit: impl FnMut(Block) -> bool, +) -> Option { + span!(_guard, "select_interactable"); + // TODO: once there are multiple distances for different types of interactions + // this code will need to be revamped to cull things by varying distances + // based on the types of interactions available for those things + use common::{spiral::Spiral2d, terrain::TerrainChunk, vol::RectRasterableVol}; + + target_entity + .and_then(|(e, dist_to_player)| (dist_to_player < MAX_PICKUP_RANGE).then_some(Interactable::Entity(e))) + .or_else(|| selected_pos.and_then(|sp| + client.state().terrain().get(sp).ok().copied() + .filter(|b| hit(*b)) + .map(|b| Interactable::Block(b, sp, Interaction::Collect)) + )) + .or_else(|| { + let ecs = client.state().ecs(); + let player_entity = client.entity(); + let positions = ecs.read_storage::(); + let player_pos = positions.get(player_entity)?.0; + + let scales = ecs.read_storage::(); + let colliders = ecs.read_storage::(); + let char_states = ecs.read_storage::(); + + let player_cylinder = Cylinder::from_components( + player_pos, + scales.get(player_entity).copied(), + colliders.get(player_entity), + char_states.get(player_entity), + ); + + let closest_interactable_entity = ( + &ecs.entities(), + &positions, + scales.maybe(), + colliders.maybe(), + char_states.maybe(), + ) + .join() + .filter(|(e, _, _, _, _)| *e != player_entity) + .map(|(e, p, s, c, cs)| { + let cylinder = Cylinder::from_components(p.0, s.copied(), c, cs); + (e, cylinder) + }) + // Roughly filter out entities farther than interaction distance + .filter(|(_, cylinder)| player_cylinder.approx_in_range(*cylinder, MAX_PICKUP_RANGE)) + .map(|(e, cylinder)| (e, player_cylinder.min_distance(cylinder))) + .min_by_key(|(_, dist)| OrderedFloat(*dist)); + + // Only search as far as closest interactable entity + let search_dist = closest_interactable_entity + .map_or(MAX_PICKUP_RANGE, |(_, dist)| dist); + let player_chunk = player_pos.xy().map2(TerrainChunk::RECT_SIZE, |e, sz| { + (e.floor() as i32).div_euclid(sz as i32) + }); + let terrain = scene.terrain(); + + // Find closest interactable block + // TODO: consider doing this one first? + let closest_interactable_block_pos = Spiral2d::new() + // TODO: this formula for the number to take was guessed + // Note: assume RECT_SIZE.x == RECT_SIZE.y + .take(((search_dist / TerrainChunk::RECT_SIZE.x as f32).ceil() as usize * 2 + 1).pow(2)) + .flat_map(|offset| { + let chunk_pos = player_chunk + offset; + let chunk_voxel_pos = + Vec3::::from(chunk_pos * TerrainChunk::RECT_SIZE.map(|e| e as i32)); + terrain.get(chunk_pos).map(|data| (data, chunk_voxel_pos)) + }) + // TODO: maybe we could make this more efficient by putting the + // interactables is some sort of spatial structure + .flat_map(|(chunk_data, chunk_pos)| { + chunk_data + .blocks_of_interest + .interactables + .iter() + .map(move |(block_offset, interaction)| (chunk_pos + block_offset, interaction)) + }) + .map(|(block_pos, interaction)| ( + block_pos, + block_pos.map(|e| e as f32 + 0.5) + .distance_squared(player_pos), + interaction, + )) + .min_by_key(|(_, dist_sqr, _)| OrderedFloat(*dist_sqr)) + .map(|(block_pos, _, interaction)| (block_pos, interaction)); + + // Pick closer one if they exist + closest_interactable_block_pos + .filter(|(block_pos, _)| player_cylinder.min_distance(Cube { min: block_pos.as_(), side_length: 1.0}) < search_dist) + .and_then(|(block_pos, interaction)| + client.state().terrain().get(block_pos).ok().copied() + .map(|b| Interactable::Block(b, block_pos, *interaction)) + ) + .or_else(|| closest_interactable_entity.map(|(e, _)| Interactable::Entity(e))) + }) +} diff --git a/voxygen/src/session/mod.rs b/voxygen/src/session/mod.rs index e09d923ebc..64a37551eb 100644 --- a/voxygen/src/session/mod.rs +++ b/voxygen/src/session/mod.rs @@ -1,3 +1,4 @@ +pub mod interactable; pub mod settings_change; use std::{cell::RefCell, collections::HashSet, rc::Rc, result::Result, sync::Arc, time::Duration}; @@ -24,7 +25,7 @@ use common::{ terrain::{Block, BlockKind}, trade::TradeResult, util::{ - find_dist::{Cube, Cylinder, FindDist}, + find_dist::{Cylinder, FindDist}, Dir, Plane, }, vol::ReadVol, @@ -50,6 +51,7 @@ use crate::{ }; use hashbrown::HashMap; use settings_change::Language::ChangeLanguage; +use interactable::{Interactable, select_interactable}; #[cfg(feature = "egui-ui")] use voxygen_egui::EguiDebugInfo; @@ -1661,127 +1663,3 @@ fn under_cursor( // TODO: consider setting build/select to None when targeting an entity (build_pos, select_pos, target_entity) } - -#[derive(Clone, Copy)] -pub enum Interactable { - Block(Block, Vec3, Interaction), - Entity(specs::Entity), -} - -impl Interactable { - pub fn entity(self) -> Option { - match self { - Self::Entity(e) => Some(e), - Self::Block(_, _, _) => None, - } - } -} - -/// Select interactable to hightlight, display interaction text for, and to -/// interact with if the interact key is pressed -/// Selected in the following order -/// 1) Targeted entity (if interactable) (entities can't be target through -/// blocks) 2) Selected block (if interactabl) -/// 3) Closest of nearest interactable entity/block -fn select_interactable( - client: &Client, - target_entity: Option<(specs::Entity, f32)>, - selected_pos: Option>, - scene: &Scene, - mut hit: impl FnMut(Block) -> bool, -) -> Option { - span!(_guard, "select_interactable"); - // TODO: once there are multiple distances for different types of interactions - // this code will need to be revamped to cull things by varying distances - // based on the types of interactions available for those things - use common::{spiral::Spiral2d, terrain::TerrainChunk, vol::RectRasterableVol}; - target_entity - .and_then(|(e, dist_to_player)| (dist_to_player < MAX_PICKUP_RANGE).then_some(Interactable::Entity(e))) - .or_else(|| selected_pos.and_then(|sp| - client.state().terrain().get(sp).ok().copied() - .filter(|b| hit(*b)) - .map(|b| Interactable::Block(b, sp, Interaction::Collect)) - )) - .or_else(|| { - let ecs = client.state().ecs(); - let player_entity = client.entity(); - let positions = ecs.read_storage::(); - let player_pos = positions.get(player_entity)?.0; - - let scales = ecs.read_storage::(); - let colliders = ecs.read_storage::(); - let char_states = ecs.read_storage::(); - - let player_cylinder = Cylinder::from_components( - player_pos, - scales.get(player_entity).copied(), - colliders.get(player_entity), - char_states.get(player_entity), - ); - - let closest_interactable_entity = ( - &ecs.entities(), - &positions, - scales.maybe(), - colliders.maybe(), - char_states.maybe(), - ) - .join() - .filter(|(e, _, _, _, _)| *e != player_entity) - .map(|(e, p, s, c, cs)| { - let cylinder = Cylinder::from_components(p.0, s.copied(), c, cs); - (e, cylinder) - }) - // Roughly filter out entities farther than interaction distance - .filter(|(_, cylinder)| player_cylinder.approx_in_range(*cylinder, MAX_PICKUP_RANGE)) - .map(|(e, cylinder)| (e, player_cylinder.min_distance(cylinder))) - .min_by_key(|(_, dist)| OrderedFloat(*dist)); - - // Only search as far as closest interactable entity - let search_dist = closest_interactable_entity - .map_or(MAX_PICKUP_RANGE, |(_, dist)| dist); - let player_chunk = player_pos.xy().map2(TerrainChunk::RECT_SIZE, |e, sz| { - (e.floor() as i32).div_euclid(sz as i32) - }); - let terrain = scene.terrain(); - - // Find closest interactable block - // TODO: consider doing this one first? - let closest_interactable_block_pos = Spiral2d::new() - // TODO: this formula for the number to take was guessed - // Note: assume RECT_SIZE.x == RECT_SIZE.y - .take(((search_dist / TerrainChunk::RECT_SIZE.x as f32).ceil() as usize * 2 + 1).pow(2)) - .flat_map(|offset| { - let chunk_pos = player_chunk + offset; - let chunk_voxel_pos = - Vec3::::from(chunk_pos * TerrainChunk::RECT_SIZE.map(|e| e as i32)); - terrain.get(chunk_pos).map(|data| (data, chunk_voxel_pos)) - }) - // TODO: maybe we could make this more efficient by putting the - // interactables is some sort of spatial structure - .flat_map(|(chunk_data, chunk_pos)| { - chunk_data - .blocks_of_interest - .interactables - .iter() - .map(move |(block_offset, interaction)| (chunk_pos + block_offset, interaction)) - }) - .map(|(block_pos, interaction)| ( - block_pos, - block_pos.map(|e| e as f32 + 0.5) - .distance_squared(player_pos), - interaction, - )) - .min_by_key(|(_, dist_sqr, _)| OrderedFloat(*dist_sqr)) - .map(|(block_pos, _, interaction)| (block_pos, interaction)); - - // Pick closer one if they exist - closest_interactable_block_pos - .filter(|(block_pos, _)| player_cylinder.min_distance(Cube { min: block_pos.as_(), side_length: 1.0}) < search_dist) - .and_then(|(block_pos, interaction)| - client.state().terrain().get(block_pos).ok().copied() - .map(|b| Interactable::Block(b, block_pos, *interaction)) - ) - .or_else(|| closest_interactable_entity.map(|(e, _)| Interactable::Entity(e))) - }) -} From c8cb7fbe623194362299281dcbdacde8025232fe Mon Sep 17 00:00:00 2001 From: anomaluridae Date: Sat, 7 Aug 2021 00:23:30 -0700 Subject: [PATCH 02/19] make the concepts of targets (under cursor), separate from interactable. interactable is what is (1) indicated visually in gui as able to interact, or (2) is an entity, or (3) is a block capable of Interaction. whereas a target is what occurs under the cursor, regardless of other state and input (such as different InputKind). targets are determined first, then other factors are cosidered to determine interactable. --- voxygen/src/scene/terrain/watcher.rs | 2 +- voxygen/src/session/interactable.rs | 40 ++-- voxygen/src/session/mod.rs | 303 ++++++--------------------- voxygen/src/session/target.rs | 220 +++++++++++++++++++ 4 files changed, 316 insertions(+), 249 deletions(-) create mode 100644 voxygen/src/session/target.rs diff --git a/voxygen/src/scene/terrain/watcher.rs b/voxygen/src/scene/terrain/watcher.rs index be36ceb4c8..8becc3e3e4 100644 --- a/voxygen/src/scene/terrain/watcher.rs +++ b/voxygen/src/scene/terrain/watcher.rs @@ -7,7 +7,7 @@ use common_base::span; use rand::prelude::*; use vek::*; -#[derive(Copy, Clone)] +#[derive(Copy, Clone, Debug)] pub enum Interaction { Collect, Craft(CraftingTab), diff --git a/voxygen/src/session/interactable.rs b/voxygen/src/session/interactable.rs index ad52f5fd1b..7d1a3b4857 100644 --- a/voxygen/src/session/interactable.rs +++ b/voxygen/src/session/interactable.rs @@ -11,12 +11,13 @@ use common::{ vol::ReadVol, }; use common_base::span; +use super::target::Target; use crate::scene::{terrain::Interaction, Scene}; #[derive(Clone, Copy, Debug)] pub enum Interactable { - Block(Block, Vec3, Interaction), + Block(Block, Vec3, Option), Entity(specs::Entity), } @@ -24,7 +25,7 @@ impl Interactable { pub fn entity(self) -> Option { match self { Self::Entity(e) => Some(e), - Self::Block(_, _, _) => None, + _ => None, } } } @@ -34,14 +35,16 @@ impl Interactable { /// Selected in the following order /// 1) Targeted entity (if interactable) (entities can't be target through /// blocks) -/// 2) Selected block (if interactable) +/// 2) Selected block +/// (a) if collectable +/// (b) if can be mined /// 3) Closest of nearest interactable entity/block pub(super) fn select_interactable( client: &Client, - target_entity: Option<(specs::Entity, f32)>, - selected_pos: Option>, + collect_target: Option, + entity_target: Option, + mine_target: Option, scene: &Scene, - mut hit: impl FnMut(Block) -> bool, ) -> Option { span!(_guard, "select_interactable"); // TODO: once there are multiple distances for different types of interactions @@ -49,13 +52,22 @@ pub(super) fn select_interactable( // based on the types of interactions available for those things use common::{spiral::Spiral2d, terrain::TerrainChunk, vol::RectRasterableVol}; - target_entity - .and_then(|(e, dist_to_player)| (dist_to_player < MAX_PICKUP_RANGE).then_some(Interactable::Entity(e))) - .or_else(|| selected_pos.and_then(|sp| - client.state().terrain().get(sp).ok().copied() - .filter(|b| hit(*b)) - .map(|b| Interactable::Block(b, sp, Interaction::Collect)) - )) + entity_target + .and_then(|x| if let Target::Entity(entity, _, dist) = x { + (dist < MAX_PICKUP_RANGE).then_some(Interactable::Entity(entity)) + } else { None }) + .or_else(|| { + collect_target.and_then(|ct| { + client.state().terrain().get(ct.position_int()).ok().copied() + .map(|b| Interactable::Block(b, ct.position_int(), Some(Interaction::Collect))) + }) + }) + .or_else(|| { + mine_target.and_then(|mt| { + client.state().terrain().get(mt.position_int()).ok().copied() + .map(|b| Interactable::Block(b, mt.position_int(), None)) + }) + }) .or_else(|| { let ecs = client.state().ecs(); let player_entity = client.entity(); @@ -134,7 +146,7 @@ pub(super) fn select_interactable( .filter(|(block_pos, _)| player_cylinder.min_distance(Cube { min: block_pos.as_(), side_length: 1.0}) < search_dist) .and_then(|(block_pos, interaction)| client.state().terrain().get(block_pos).ok().copied() - .map(|b| Interactable::Block(b, block_pos, *interaction)) + .map(|b| Interactable::Block(b, block_pos, Some(*interaction))) ) .or_else(|| closest_interactable_entity.map(|(e, _)| Interactable::Entity(e))) }) diff --git a/voxygen/src/session/mod.rs b/voxygen/src/session/mod.rs index 64a37551eb..bb1fc6e761 100644 --- a/voxygen/src/session/mod.rs +++ b/voxygen/src/session/mod.rs @@ -1,5 +1,6 @@ pub mod interactable; pub mod settings_change; +pub(self) mod target; use std::{cell::RefCell, collections::HashSet, rc::Rc, result::Result, sync::Arc, time::Duration}; @@ -20,14 +21,11 @@ use common::{ item::{tool::ToolKind, ItemDef, ItemDesc}, ChatMsg, ChatType, InputKind, InventoryUpdateEvent, Pos, Stats, UtteranceKind, Vel, }, - consts::{MAX_MOUNT_RANGE, MAX_PICKUP_RANGE}, + consts::{MAX_MOUNT_RANGE}, outcome::Outcome, terrain::{Block, BlockKind}, trade::TradeResult, - util::{ - find_dist::{Cylinder, FindDist}, - Dir, Plane, - }, + util::{Dir, Plane}, vol::ReadVol, }; use common_base::{prof_span, span}; @@ -52,6 +50,7 @@ use crate::{ use hashbrown::HashMap; use settings_change::Language::ChangeLanguage; use interactable::{Interactable, select_interactable}; +use target::{Target, targets_under_cursor}; #[cfg(feature = "egui-ui")] use voxygen_egui::EguiDebugInfo; @@ -415,38 +414,48 @@ impl PlayState for SessionState { drop(client); // Check to see whether we're aiming at anything - let (build_pos, select_pos, target_entity) = - under_cursor(&self.client.borrow(), cam_pos, cam_dir, |b| { - b.is_filled() - || if is_mining { - b.mine_tool().is_some() - } else { - b.is_collectible() - } - }); - self.inputs.select_pos = select_pos; - // Throw out distance info, it will be useful in the future - self.target_entity = target_entity.map(|x| x.0); + let (build_target, collect_target, entity_target, mine_target, shortest_dist) = + targets_under_cursor(&self.client.borrow(), cam_pos, cam_dir, can_build, is_mining); self.interactable = select_interactable( &self.client.borrow(), - target_entity, - select_pos.map(|sp| sp.map(|e| e.floor() as i32)), + collect_target, + entity_target, + mine_target, &self.scene, - |b| b.is_collectible() || (is_mining && b.mine_tool().is_some()), ); - // Only highlight interactables - // unless in build mode where select_pos highlighted - self.scene.set_select_pos( - select_pos - .map(|sp| sp.map(|e| e.floor() as i32)) - .filter(|_| can_build || is_mining) - .or_else(|| match self.interactable { - Some(Interactable::Block(_, block_pos, _)) => Some(block_pos), - _ => None, - }), - ); + let is_nearest_target = |target: Option| { + target.map(|t| (t.distance() == shortest_dist)).unwrap_or(false) + }; + + // Only highlight terrain blocks which can be interacted with + if is_mining && is_nearest_target(mine_target) { + mine_target.map(|mt| self.scene.set_select_pos(Some(mt.position_int()))); + } else if can_build && is_nearest_target(build_target) { + build_target.map(|bt| self.scene.set_select_pos(Some(bt.position_int()))); + } else { + self.scene.set_select_pos(None); + } + + // Throw out distance info, it will be useful in the future + self.target_entity = entity_target.and_then(Target::entity); + + // controller only wants 1 target + // set default using entity_target as the selected_pos, and update per event + self.inputs.select_pos = entity_target.map(|et| et.position()); + + macro_rules! entity_event_handler { + ($input: expr, $pressed: expr) => { + let mut client = self.client.borrow_mut(); + client.handle_input( + $input, + $pressed, + self.inputs.select_pos, + entity_target.map(Target::entity).unwrap_or(None), + ); + } + } // Handle window events. for event in events { @@ -465,74 +474,52 @@ impl PlayState for SessionState { if !self.inputs_state.insert(input) { self.inputs_state.remove(&input); } + match input { GameInput::Primary => { - // If we can build, use LMB to break blocks, if not, use it to - // attack - let mut client = self.client.borrow_mut(); - if state && can_build { - if let Some(select_pos) = select_pos { - client.remove_block(select_pos.map(|e| e.floor() as i32)); - } + if is_mining && is_nearest_target(mine_target) { + self.inputs.select_pos = mine_target.map(Target::position); + entity_event_handler!(InputKind::Primary, state); + } else if state && can_build && is_nearest_target(build_target) { + self.inputs.select_pos = build_target.map(Target::position); + let mut client = self.client.borrow_mut(); + client.remove_block(build_target.unwrap().position_int()); } else { - client.handle_input( - InputKind::Primary, - state, - select_pos, - target_entity.map(|t| t.0), - ); + entity_event_handler!(InputKind::Primary, state); } }, GameInput::Secondary => { - let mut client = self.client.borrow_mut(); - - if state && can_build { - if let Some(build_pos) = build_pos { - client.place_block( - build_pos.map(|e| e.floor() as i32), - self.selected_block, - ); + if state && can_build && is_nearest_target(build_target) { + if let Some(build_target) = build_target { + self.inputs.select_pos = Some(build_target.position()); + let mut client = self.client.borrow_mut(); + client.place_block(build_target.position_int(), self.selected_block); } } else { - client.handle_input( - InputKind::Secondary, - state, - select_pos, - target_entity.map(|t| t.0), - ); + entity_event_handler!(InputKind::Secondary, state); } }, GameInput::Block => { - let mut client = self.client.borrow_mut(); - client.handle_input( - InputKind::Block, - state, - select_pos, - target_entity.map(|t| t.0), - ); + entity_event_handler!(InputKind::Block, state); }, GameInput::Roll => { - let mut client = self.client.borrow_mut(); if can_build { + let client = self.client.borrow_mut(); if state { - if let Some(block) = select_pos.and_then(|sp| { + if let Some(block) = build_target.and_then(|bt| { client .state() .terrain() - .get(sp.map(|e| e.floor() as i32)) + .get(bt.position_int()) .ok() .copied() }) { + self.inputs.select_pos = build_target.map(Target::position); self.selected_block = block; } } } else { - client.handle_input( - InputKind::Roll, - state, - select_pos, - target_entity.map(|t| t.0), - ); + entity_event_handler!(InputKind::Roll, state); } }, GameInput::Respawn => { @@ -542,13 +529,7 @@ impl PlayState for SessionState { } }, GameInput::Jump => { - let mut client = self.client.borrow_mut(); - client.handle_input( - InputKind::Jump, - state, - select_pos, - target_entity.map(|t| t.0), - ); + entity_event_handler!(InputKind::Jump, state); }, GameInput::SwimUp => { self.key_state.swim_up = state; @@ -618,13 +599,7 @@ impl PlayState for SessionState { // Syncing of inputs between mounter and mountee // broke with controller change self.key_state.fly ^= state; - let mut client = self.client.borrow_mut(); - client.handle_input( - InputKind::Fly, - self.key_state.fly, - select_pos, - target_entity.map(|t| t.0), - ); + entity_event_handler!(InputKind::Fly, self.key_state.fly); }, GameInput::Climb => { self.key_state.climb_up = state; @@ -696,17 +671,19 @@ impl PlayState for SessionState { match interactable { Interactable::Block(block, pos, interaction) => { match interaction { - Interaction::Collect => { + Some(Interaction::Collect) => { if block.is_collectible() { + self.inputs.select_pos = collect_target.map(Target::position); client.collect_block(pos); } }, - Interaction::Craft(tab) => { + Some(Interaction::Craft(tab)) => { self.hud.show.open_crafting_tab( tab, block.get_sprite().map(|s| (pos, s)), ) }, + _ => {}, } }, Interactable::Entity(entity) => { @@ -1351,22 +1328,10 @@ impl PlayState for SessionState { client.perform_trade_action(action); }, HudEvent::Ability3(state) => { - let mut client = self.client.borrow_mut(); - client.handle_input( - InputKind::Ability(0), - state, - select_pos, - target_entity.map(|t| t.0), - ); + entity_event_handler!(InputKind::Ability(0), state); }, HudEvent::Ability4(state) => { - let mut client = self.client.borrow_mut(); - client.handle_input( - InputKind::Ability(1), - state, - select_pos, - target_entity.map(|t| t.0), - ); + entity_event_handler!(InputKind::Ability(1), state); }, HudEvent::RequestSiteInfo(id) => { @@ -1533,133 +1498,3 @@ impl PlayState for SessionState { fn egui_enabled(&self) -> bool { true } } - -/// Max distance an entity can be "targeted" -const MAX_TARGET_RANGE: f32 = 300.0; -/// Calculate what the cursor is pointing at within the 3d scene -#[allow(clippy::type_complexity)] -fn under_cursor( - client: &Client, - cam_pos: Vec3, - cam_dir: Vec3, - mut hit: impl FnMut(Block) -> bool, -) -> ( - Option>, - Option>, - Option<(specs::Entity, f32)>, -) { - span!(_guard, "under_cursor"); - // Choose a spot above the player's head for item distance checks - let player_entity = client.entity(); - let ecs = client.state().ecs(); - let positions = ecs.read_storage::(); - let player_pos = match positions.get(player_entity) { - Some(pos) => pos.0, - None => cam_pos, // Should never happen, but a safe fallback - }; - let scales = ecs.read_storage(); - let colliders = ecs.read_storage(); - let char_states = ecs.read_storage(); - // Get the player's cylinder - let player_cylinder = Cylinder::from_components( - player_pos, - scales.get(player_entity).copied(), - colliders.get(player_entity), - char_states.get(player_entity), - ); - let terrain = client.state().terrain(); - - let cam_ray = terrain - .ray(cam_pos, cam_pos + cam_dir * 100.0) - .until(|block| hit(*block)) - .cast(); - - let cam_dist = cam_ray.0; - - // The ray hit something, is it within range? - let (build_pos, select_pos) = if matches!(cam_ray.1, Ok(Some(_)) if - player_cylinder.min_distance(cam_pos + cam_dir * (cam_dist + 0.01)) - <= MAX_PICKUP_RANGE) - { - ( - Some(cam_pos + cam_dir * (cam_dist - 0.01)), - Some(cam_pos + cam_dir * (cam_dist + 0.01)), - ) - } else { - (None, None) - }; - - // See if ray hits entities - // Currently treated as spheres - // Don't cast through blocks - // Could check for intersection with entity from last frame to narrow this down - let cast_dist = if let Ok(Some(_)) = cam_ray.1 { - cam_dist.min(MAX_TARGET_RANGE) - } else { - MAX_TARGET_RANGE - }; - - // Need to raycast by distance to cam - // But also filter out by distance to the player (but this only needs to be done - // on final result) - let mut nearby = ( - &ecs.entities(), - &positions, - scales.maybe(), - &ecs.read_storage::(), - ecs.read_storage::().maybe(), - ) - .join() - .filter(|(e, _, _, _, _)| *e != player_entity) - .filter_map(|(e, p, s, b, i)| { - const RADIUS_SCALE: f32 = 3.0; - // TODO: use collider radius instead of body radius? - let radius = s.map_or(1.0, |s| s.0) * b.max_radius() * RADIUS_SCALE; - // Move position up from the feet - let pos = Vec3::new(p.0.x, p.0.y, p.0.z + radius); - // Distance squared from camera to the entity - let dist_sqr = pos.distance_squared(cam_pos); - // We only care about interacting with entities that contain items, - // or are not inanimate (to trade with) - if i.is_some() || !matches!(b, comp::Body::Object(_)) { - Some((e, pos, radius, dist_sqr)) - } else { - None - } - }) - // Roughly filter out entities farther than ray distance - .filter(|(_, _, r, d_sqr)| *d_sqr <= cast_dist.powi(2) + 2.0 * cast_dist * r + r.powi(2)) - // Ignore entities intersecting the camera - .filter(|(_, _, r, d_sqr)| *d_sqr > r.powi(2)) - // Substract sphere radius from distance to the camera - .map(|(e, p, r, d_sqr)| (e, p, r, d_sqr.sqrt() - r)) - .collect::>(); - // Sort by distance - nearby.sort_unstable_by(|a, b| a.3.partial_cmp(&b.3).unwrap()); - - let seg_ray = LineSegment3 { - start: cam_pos, - end: cam_pos + cam_dir * cam_dist, - }; - // TODO: fuzzy borders - let target_entity = nearby - .iter() - .map(|(e, p, r, _)| (e, *p, r)) - // Find first one that intersects the ray segment - .find(|(_, p, r)| seg_ray.projected_point(*p).distance_squared(*p) < r.powi(2)) - .and_then(|(e, p, _)| { - // Get the entity's cylinder - let target_cylinder = Cylinder::from_components( - p, - scales.get(*e).copied(), - colliders.get(*e), - char_states.get(*e), - ); - - let dist_to_player = player_cylinder.min_distance(target_cylinder); - (dist_to_player < MAX_TARGET_RANGE).then_some((*e, dist_to_player)) - }); - - // TODO: consider setting build/select to None when targeting an entity - (build_pos, select_pos, target_entity) -} diff --git a/voxygen/src/session/target.rs b/voxygen/src/session/target.rs new file mode 100644 index 0000000000..8ee3d67b87 --- /dev/null +++ b/voxygen/src/session/target.rs @@ -0,0 +1,220 @@ +use specs::{Join, WorldExt}; +use vek::*; + +use client::{self, Client}; +use common::{ + comp, + consts::MAX_PICKUP_RANGE, + terrain::{Block, TerrainChunk}, + util::find_dist::{Cylinder, FindDist}, + vol::ReadVol, + volumes::vol_grid_2d::{VolGrid2dError}, +}; +use common_base::span; + +#[derive(Clone, Copy, Debug)] +pub enum Target { + Build(Vec3, Vec3, f32), // (solid_pos, build_pos, dist) + Collectable(Vec3, f32), // (pos, dist) + Entity(specs::Entity, Vec3, f32), // (e, pos, dist) + Mine(Vec3, f32), // (pos, dist) +} + +impl Target { + pub fn entity(self) -> Option { + match self { + Self::Entity(e, _, _) => Some(e), + _ => None, + } + } + + pub fn distance(self) -> f32 { + match self { + Self::Collectable(_, d) + | Self::Entity(_, _, d) + | Self::Mine(_, d) + | Self::Build(_, _, d) => d, + } + } + + pub fn position(self) -> Vec3 { + match self { + Self::Collectable(sp, _) + | Self::Entity(_, sp, _) + | Self::Mine(sp, _) + | Self::Build(sp, _, _) => sp, + } + } + + pub fn position_int(self) -> Vec3 { + self.position().map(|p| p.floor() as i32) + } +} + +/// Max distance an entity can be "targeted" +const MAX_TARGET_RANGE: f32 = 300.0; +/// Calculate what the cursor is pointing at within the 3d scene +#[allow(clippy::type_complexity)] +pub(super) fn targets_under_cursor( + client: &Client, + cam_pos: Vec3, + cam_dir: Vec3, + can_build: bool, + is_mining: bool, +) -> ( + Option, + Option, + Option, + Option, + f32, +) { + span!(_guard, "under_cursor"); + // Choose a spot above the player's head for item distance checks + let player_entity = client.entity(); + let ecs = client.state().ecs(); + let positions = ecs.read_storage::(); + let player_pos = match positions.get(player_entity) { + Some(pos) => pos.0, + None => cam_pos, // Should never happen, but a safe fallback + }; + let scales = ecs.read_storage(); + let colliders = ecs.read_storage(); + let char_states = ecs.read_storage(); + // Get the player's cylinder + let player_cylinder = Cylinder::from_components( + player_pos, + scales.get(player_entity).copied(), + colliders.get(player_entity), + char_states.get(player_entity), + ); + + fn curry_find_pos <'a> ( + client: &'a Client, cam_pos: &'a Vec3, cam_dir: &'a Vec3, player_cylinder: &'a Cylinder + ) -> impl FnMut(fn(Block)->bool) -> (Option>, Option>, (f32, Result, VolGrid2dError>)) + 'a { + let terrain = client.state().terrain(); + + move |hit: fn(Block)->bool| { + let cam_ray = terrain + .ray(*cam_pos, *cam_pos + *cam_dir * 100.0) + .until(|block| hit(*block)) + .cast(); + let cam_ray = (cam_ray.0, cam_ray.1.map(|x| x.copied())); + let cam_dist = cam_ray.0; + + if matches!( + cam_ray.1, + Ok(Some(_)) if player_cylinder.min_distance(*cam_pos + *cam_dir * (cam_dist + 0.01)) <= MAX_PICKUP_RANGE + ) { + ( + Some(*cam_pos + *cam_dir * (cam_dist + 0.01)), + Some(*cam_pos + *cam_dir * (cam_dist - 0.01)), + cam_ray + ) + } else { (None, None, cam_ray) } + } + } + + let mut find_pos = curry_find_pos(&client, &cam_pos, &cam_dir, &player_cylinder); + + let (collect_pos, _, cam_ray_0) = find_pos(|b: Block| { b.is_collectible() }); + let (mine_pos, _, cam_ray_1) = find_pos(|b: Block| { b.mine_tool().is_some() }); + // FIXME: the `solid_pos` is used in the remove_block(). is this correct? + let (solid_pos, build_pos, cam_ray_2) = find_pos(|b: Block| { b.is_solid() }); + + // collectables can be in the Air. so using solely solid_pos is not correct. + // so, use a minimum distance of all 3 + let mut cam_rays = vec![&cam_ray_0, &cam_ray_2]; + if is_mining { cam_rays.push(&cam_ray_1); } + let cam_dist = cam_rays.iter().filter_map(|x| match **x { + (d, Ok(Some(_))) => Some(d), + _ => None, + }).min_by(|d1, d2| d1.partial_cmp(d2).unwrap()) + .unwrap_or(MAX_TARGET_RANGE); + + // See if ray hits entities + // Currently treated as spheres + // Don't cast through blocks + // Could check for intersection with entity from last frame to narrow this down + let cast_dist = cam_dist.min(MAX_TARGET_RANGE); + + // Need to raycast by distance to cam + // But also filter out by distance to the player (but this only needs to be done + // on final result) + let mut nearby = ( + &ecs.entities(), + &positions, + scales.maybe(), + &ecs.read_storage::(), + ecs.read_storage::().maybe(), + ) + .join() + .filter(|(e, _, _, _, _)| *e != player_entity) + .filter_map(|(e, p, s, b, i)| { + const RADIUS_SCALE: f32 = 3.0; + // TODO: use collider radius instead of body radius? + let radius = s.map_or(1.0, |s| s.0) * b.max_radius() * RADIUS_SCALE; + // Move position up from the feet + let pos = Vec3::new(p.0.x, p.0.y, p.0.z + radius); + // Distance squared from camera to the entity + let dist_sqr = pos.distance_squared(cam_pos); + // We only care about interacting with entities that contain items, + // or are not inanimate (to trade with) + if i.is_some() || !matches!(b, comp::Body::Object(_)) { + Some((e, pos, radius, dist_sqr)) + } else { + None + } + }) + // Roughly filter out entities farther than ray distance + .filter(|(_, _, r, d_sqr)| *d_sqr <= cast_dist.powi(2) + 2.0 * cast_dist * r + r.powi(2)) + // Ignore entities intersecting the camera + .filter(|(_, _, r, d_sqr)| *d_sqr > r.powi(2)) + // Substract sphere radius from distance to the camera + .map(|(e, p, r, d_sqr)| (e, p, r, d_sqr.sqrt() - r)) + .collect::>(); + // Sort by distance + nearby.sort_unstable_by(|a, b| a.3.partial_cmp(&b.3).unwrap()); + + let seg_ray = LineSegment3 { + start: cam_pos, + end: cam_pos + cam_dir * cam_dist, + }; + // TODO: fuzzy borders + let entity_target = nearby + .iter() + .map(|(e, p, r, _)| (e, *p, r)) + // Find first one that intersects the ray segment + .find(|(_, p, r)| seg_ray.projected_point(*p).distance_squared(*p) < r.powi(2)) + .and_then(|(e, p, _)| { + // Get the entity's cylinder + let target_cylinder = Cylinder::from_components( + p, + scales.get(*e).copied(), + colliders.get(*e), + char_states.get(*e), + ); + + let dist_to_player = player_cylinder.min_distance(target_cylinder); + (dist_to_player < MAX_TARGET_RANGE).then_some(Target::Entity(*e, p, dist_to_player)) + }); + + let build_target = if can_build { + solid_pos.map(|p| Target::Build(p, build_pos.unwrap(), cam_ray_2.0)) + } else { None }; + + let mine_target = if is_mining { + mine_pos.map(|p| Target::Mine(p, cam_ray_1.0)) + } else { None }; + + let shortest_distance = cam_dist; + + // Return multiple possible targets + // GameInput events determine which target to use. + ( + build_target, + collect_pos.map(|p| Target::Collectable(p, cam_ray_0.0)), + entity_target, + mine_target, + shortest_distance + ) +} From 42426a16f3d3394a1bc203cec7f981e1a8007e9a Mon Sep 17 00:00:00 2001 From: anomaluridae Date: Mon, 9 Aug 2021 16:48:49 -0700 Subject: [PATCH 03/19] make scene interaction be targeted exactly on mining blocks (removing abnormal Empty labels), and don't reset position to None in the middle of mining. --- voxygen/src/session/mod.rs | 5 +---- voxygen/src/session/target.rs | 4 ++-- 2 files changed, 3 insertions(+), 6 deletions(-) diff --git a/voxygen/src/session/mod.rs b/voxygen/src/session/mod.rs index bb1fc6e761..f279b92619 100644 --- a/voxygen/src/session/mod.rs +++ b/voxygen/src/session/mod.rs @@ -436,15 +436,12 @@ impl PlayState for SessionState { build_target.map(|bt| self.scene.set_select_pos(Some(bt.position_int()))); } else { self.scene.set_select_pos(None); + self.inputs.select_pos = entity_target.map(|et| et.position()); } // Throw out distance info, it will be useful in the future self.target_entity = entity_target.and_then(Target::entity); - // controller only wants 1 target - // set default using entity_target as the selected_pos, and update per event - self.inputs.select_pos = entity_target.map(|et| et.position()); - macro_rules! entity_event_handler { ($input: expr, $pressed: expr) => { let mut client = self.client.borrow_mut(); diff --git a/voxygen/src/session/target.rs b/voxygen/src/session/target.rs index 8ee3d67b87..f311954d00 100644 --- a/voxygen/src/session/target.rs +++ b/voxygen/src/session/target.rs @@ -106,7 +106,7 @@ pub(super) fn targets_under_cursor( Ok(Some(_)) if player_cylinder.min_distance(*cam_pos + *cam_dir * (cam_dist + 0.01)) <= MAX_PICKUP_RANGE ) { ( - Some(*cam_pos + *cam_dir * (cam_dist + 0.01)), + Some(*cam_pos + *cam_dir * cam_dist), Some(*cam_pos + *cam_dir * (cam_dist - 0.01)), cam_ray ) @@ -129,7 +129,7 @@ pub(super) fn targets_under_cursor( (d, Ok(Some(_))) => Some(d), _ => None, }).min_by(|d1, d2| d1.partial_cmp(d2).unwrap()) - .unwrap_or(MAX_TARGET_RANGE); + .unwrap_or(MAX_PICKUP_RANGE); // See if ray hits entities // Currently treated as spheres From 4a723a79304f75726031fc6a7ad2768b4a80669b Mon Sep 17 00:00:00 2001 From: anomaluridae Date: Mon, 9 Aug 2021 22:50:34 -0700 Subject: [PATCH 04/19] clippy is a thing --- voxygen/src/hud/mod.rs | 2 +- voxygen/src/session/interactable.rs | 2 +- voxygen/src/session/mod.rs | 31 +++++++++---- voxygen/src/session/target.rs | 72 ++++++++++++++++++----------- 4 files changed, 69 insertions(+), 38 deletions(-) diff --git a/voxygen/src/hud/mod.rs b/voxygen/src/hud/mod.rs index 14d7c86e59..c0fbedc081 100644 --- a/voxygen/src/hud/mod.rs +++ b/voxygen/src/hud/mod.rs @@ -59,8 +59,8 @@ use crate::{ render::UiDrawer, scene::camera::{self, Camera}, session::{ - settings_change::{Chat as ChatChange, Interface as InterfaceChange, SettingsChange}, interactable::Interactable, + settings_change::{Chat as ChatChange, Interface as InterfaceChange, SettingsChange}, }, settings::chat::ChatFilter, ui::{ diff --git a/voxygen/src/session/interactable.rs b/voxygen/src/session/interactable.rs index 7d1a3b4857..842503bc6c 100644 --- a/voxygen/src/session/interactable.rs +++ b/voxygen/src/session/interactable.rs @@ -2,6 +2,7 @@ use ordered_float::OrderedFloat; use specs::{Join, WorldExt}; use vek::*; +use super::target::Target; use client::{self, Client}; use common::{ comp, @@ -11,7 +12,6 @@ use common::{ vol::ReadVol, }; use common_base::span; -use super::target::Target; use crate::scene::{terrain::Interaction, Scene}; diff --git a/voxygen/src/session/mod.rs b/voxygen/src/session/mod.rs index f279b92619..64378f9e7e 100644 --- a/voxygen/src/session/mod.rs +++ b/voxygen/src/session/mod.rs @@ -21,7 +21,7 @@ use common::{ item::{tool::ToolKind, ItemDef, ItemDesc}, ChatMsg, ChatType, InputKind, InventoryUpdateEvent, Pos, Stats, UtteranceKind, Vel, }, - consts::{MAX_MOUNT_RANGE}, + consts::MAX_MOUNT_RANGE, outcome::Outcome, terrain::{Block, BlockKind}, trade::TradeResult, @@ -48,9 +48,9 @@ use crate::{ Direction, GlobalState, PlayState, PlayStateResult, }; use hashbrown::HashMap; +use interactable::{select_interactable, Interactable}; use settings_change::Language::ChangeLanguage; -use interactable::{Interactable, select_interactable}; -use target::{Target, targets_under_cursor}; +use target::{targets_under_cursor, Target}; #[cfg(feature = "egui-ui")] use voxygen_egui::EguiDebugInfo; @@ -415,7 +415,13 @@ impl PlayState for SessionState { // Check to see whether we're aiming at anything let (build_target, collect_target, entity_target, mine_target, shortest_dist) = - targets_under_cursor(&self.client.borrow(), cam_pos, cam_dir, can_build, is_mining); + targets_under_cursor( + &self.client.borrow(), + cam_pos, + cam_dir, + can_build, + is_mining, + ); self.interactable = select_interactable( &self.client.borrow(), @@ -426,7 +432,9 @@ impl PlayState for SessionState { ); let is_nearest_target = |target: Option| { - target.map(|t| (t.distance() == shortest_dist)).unwrap_or(false) + target + .map(|t| (t.distance() <= shortest_dist)) + .unwrap_or(false) }; // Only highlight terrain blocks which can be interacted with @@ -451,7 +459,7 @@ impl PlayState for SessionState { self.inputs.select_pos, entity_target.map(Target::entity).unwrap_or(None), ); - } + }; } // Handle window events. @@ -490,7 +498,10 @@ impl PlayState for SessionState { if let Some(build_target) = build_target { self.inputs.select_pos = Some(build_target.position()); let mut client = self.client.borrow_mut(); - client.place_block(build_target.position_int(), self.selected_block); + client.place_block( + build_target.position_int(), + self.selected_block, + ); } } else { entity_event_handler!(InputKind::Secondary, state); @@ -511,7 +522,8 @@ impl PlayState for SessionState { .ok() .copied() }) { - self.inputs.select_pos = build_target.map(Target::position); + self.inputs.select_pos = + build_target.map(Target::position); self.selected_block = block; } } @@ -670,7 +682,8 @@ impl PlayState for SessionState { match interaction { Some(Interaction::Collect) => { if block.is_collectible() { - self.inputs.select_pos = collect_target.map(Target::position); + self.inputs.select_pos = collect_target + .map(Target::position); client.collect_block(pos); } }, diff --git a/voxygen/src/session/target.rs b/voxygen/src/session/target.rs index f311954d00..049d67d91f 100644 --- a/voxygen/src/session/target.rs +++ b/voxygen/src/session/target.rs @@ -8,16 +8,16 @@ use common::{ terrain::{Block, TerrainChunk}, util::find_dist::{Cylinder, FindDist}, vol::ReadVol, - volumes::vol_grid_2d::{VolGrid2dError}, + volumes::vol_grid_2d::VolGrid2dError, }; use common_base::span; #[derive(Clone, Copy, Debug)] pub enum Target { Build(Vec3, Vec3, f32), // (solid_pos, build_pos, dist) - Collectable(Vec3, f32), // (pos, dist) - Entity(specs::Entity, Vec3, f32), // (e, pos, dist) - Mine(Vec3, f32), // (pos, dist) + Collectable(Vec3, f32), // (pos, dist) + Entity(specs::Entity, Vec3, f32), // (e, pos, dist) + Mine(Vec3, f32), // (pos, dist) } impl Target { @@ -46,9 +46,7 @@ impl Target { } } - pub fn position_int(self) -> Vec3 { - self.position().map(|p| p.floor() as i32) - } + pub fn position_int(self) -> Vec3 { self.position().map(|p| p.floor() as i32) } } /// Max distance an entity can be "targeted" @@ -88,19 +86,28 @@ pub(super) fn targets_under_cursor( char_states.get(player_entity), ); - fn curry_find_pos <'a> ( - client: &'a Client, cam_pos: &'a Vec3, cam_dir: &'a Vec3, player_cylinder: &'a Cylinder - ) -> impl FnMut(fn(Block)->bool) -> (Option>, Option>, (f32, Result, VolGrid2dError>)) + 'a { + fn curry_find_pos<'a>( + client: &'a Client, + cam_pos: &'a Vec3, + cam_dir: &'a Vec3, + player_cylinder: &'a Cylinder, + ) -> impl FnMut( + fn(Block) -> bool, + ) -> ( + Option>, + Option>, + (f32, Result, VolGrid2dError>), + ) + 'a { let terrain = client.state().terrain(); - move |hit: fn(Block)->bool| { + move |hit: fn(Block) -> bool| { let cam_ray = terrain .ray(*cam_pos, *cam_pos + *cam_dir * 100.0) .until(|block| hit(*block)) .cast(); let cam_ray = (cam_ray.0, cam_ray.1.map(|x| x.copied())); let cam_dist = cam_ray.0; - + if matches!( cam_ray.1, Ok(Some(_)) if player_cylinder.min_distance(*cam_pos + *cam_dir * (cam_dist + 0.01)) <= MAX_PICKUP_RANGE @@ -108,28 +115,35 @@ pub(super) fn targets_under_cursor( ( Some(*cam_pos + *cam_dir * cam_dist), Some(*cam_pos + *cam_dir * (cam_dist - 0.01)), - cam_ray + cam_ray, ) - } else { (None, None, cam_ray) } + } else { + (None, None, cam_ray) + } } } - let mut find_pos = curry_find_pos(&client, &cam_pos, &cam_dir, &player_cylinder); + let mut find_pos = curry_find_pos(client, &cam_pos, &cam_dir, &player_cylinder); - let (collect_pos, _, cam_ray_0) = find_pos(|b: Block| { b.is_collectible() }); - let (mine_pos, _, cam_ray_1) = find_pos(|b: Block| { b.mine_tool().is_some() }); + let (collect_pos, _, cam_ray_0) = find_pos(|b: Block| b.is_collectible()); + let (mine_pos, _, cam_ray_1) = find_pos(|b: Block| b.mine_tool().is_some()); // FIXME: the `solid_pos` is used in the remove_block(). is this correct? - let (solid_pos, build_pos, cam_ray_2) = find_pos(|b: Block| { b.is_solid() }); + let (solid_pos, build_pos, cam_ray_2) = find_pos(|b: Block| b.is_solid()); // collectables can be in the Air. so using solely solid_pos is not correct. // so, use a minimum distance of all 3 let mut cam_rays = vec![&cam_ray_0, &cam_ray_2]; - if is_mining { cam_rays.push(&cam_ray_1); } - let cam_dist = cam_rays.iter().filter_map(|x| match **x { - (d, Ok(Some(_))) => Some(d), - _ => None, - }).min_by(|d1, d2| d1.partial_cmp(d2).unwrap()) - .unwrap_or(MAX_PICKUP_RANGE); + if is_mining { + cam_rays.push(&cam_ray_1); + } + let cam_dist = cam_rays + .iter() + .filter_map(|x| match **x { + (d, Ok(Some(_))) => Some(d), + _ => None, + }) + .min_by(|d1, d2| d1.partial_cmp(d2).unwrap()) + .unwrap_or(MAX_PICKUP_RANGE); // See if ray hits entities // Currently treated as spheres @@ -200,11 +214,15 @@ pub(super) fn targets_under_cursor( let build_target = if can_build { solid_pos.map(|p| Target::Build(p, build_pos.unwrap(), cam_ray_2.0)) - } else { None }; + } else { + None + }; let mine_target = if is_mining { mine_pos.map(|p| Target::Mine(p, cam_ray_1.0)) - } else { None }; + } else { + None + }; let shortest_distance = cam_dist; @@ -215,6 +233,6 @@ pub(super) fn targets_under_cursor( collect_pos.map(|p| Target::Collectable(p, cam_ray_0.0)), entity_target, mine_target, - shortest_distance + shortest_distance, ) } From be1095632f6c80496e5eaa7b5a9abfa4685a34ad Mon Sep 17 00:00:00 2001 From: anomaluridae Date: Tue, 10 Aug 2021 20:13:51 -0700 Subject: [PATCH 05/19] make Target into a typed struct. delineate the clear difference in Target versus Interactable. comments and naming cleanup, for more explicitness. --- voxygen/src/session/interactable.rs | 216 +++++++++++++++------------- voxygen/src/session/mod.rs | 28 ++-- voxygen/src/session/target.rs | 116 +++++++++------ 3 files changed, 200 insertions(+), 160 deletions(-) diff --git a/voxygen/src/session/interactable.rs b/voxygen/src/session/interactable.rs index 842503bc6c..eca3d9b073 100644 --- a/voxygen/src/session/interactable.rs +++ b/voxygen/src/session/interactable.rs @@ -33,12 +33,12 @@ impl Interactable { /// Select interactable to hightlight, display interaction text for, and to /// interact with if the interact key is pressed /// Selected in the following order -/// 1) Targeted entity (if interactable) (entities can't be target through -/// blocks) -/// 2) Selected block -/// (a) if collectable -/// (b) if can be mined -/// 3) Closest of nearest interactable entity/block +/// 1) Targeted items, in order of preference: +/// (a) entity (if within range) +/// (b) collectable +/// (c) can be mined +/// 2) outside of targeted cam ray +/// -> closest of nearest interactable entity/block pub(super) fn select_interactable( client: &Client, collect_target: Option, @@ -47,107 +47,117 @@ pub(super) fn select_interactable( scene: &Scene, ) -> Option { span!(_guard, "select_interactable"); - // TODO: once there are multiple distances for different types of interactions - // this code will need to be revamped to cull things by varying distances - // based on the types of interactions available for those things use common::{spiral::Spiral2d, terrain::TerrainChunk, vol::RectRasterableVol}; - entity_target - .and_then(|x| if let Target::Entity(entity, _, dist) = x { - (dist < MAX_PICKUP_RANGE).then_some(Interactable::Entity(entity)) - } else { None }) + if let Some(interactable) = entity_target + .and_then(|t| { + if t.distance < MAX_PICKUP_RANGE { + t.make_interactable(client) + } else { + None + } + }) .or_else(|| { - collect_target.and_then(|ct| { - client.state().terrain().get(ct.position_int()).ok().copied() - .map(|b| Interactable::Block(b, ct.position_int(), Some(Interaction::Collect))) + collect_target + .map(|t| t.make_interactable(client)) + .unwrap_or(None) + }) + .or_else(|| { + mine_target + .map(|t| t.make_interactable(client)) + .unwrap_or(None) + }) + { + Some(interactable) + } else { + let ecs = client.state().ecs(); + let player_entity = client.entity(); + let positions = ecs.read_storage::(); + let player_pos = positions.get(player_entity)?.0; + + let scales = ecs.read_storage::(); + let colliders = ecs.read_storage::(); + let char_states = ecs.read_storage::(); + + let player_cylinder = Cylinder::from_components( + player_pos, + scales.get(player_entity).copied(), + colliders.get(player_entity), + char_states.get(player_entity), + ); + + let closest_interactable_entity = ( + &ecs.entities(), + &positions, + scales.maybe(), + colliders.maybe(), + char_states.maybe(), + ) + .join() + .filter(|(e, _, _, _, _)| *e != player_entity) + .map(|(e, p, s, c, cs)| { + let cylinder = Cylinder::from_components(p.0, s.copied(), c, cs); + (e, cylinder) }) - }) - .or_else(|| { - mine_target.and_then(|mt| { - client.state().terrain().get(mt.position_int()).ok().copied() - .map(|b| Interactable::Block(b, mt.position_int(), None)) + // Roughly filter out entities farther than interaction distance + .filter(|(_, cylinder)| player_cylinder.approx_in_range(*cylinder, MAX_PICKUP_RANGE)) + .map(|(e, cylinder)| (e, player_cylinder.min_distance(cylinder))) + .min_by_key(|(_, dist)| OrderedFloat(*dist)); + + // Only search as far as closest interactable entity + let search_dist = closest_interactable_entity.map_or(MAX_PICKUP_RANGE, |(_, dist)| dist); + let player_chunk = player_pos.xy().map2(TerrainChunk::RECT_SIZE, |e, sz| { + (e.floor() as i32).div_euclid(sz as i32) + }); + let terrain = scene.terrain(); + + // Find closest interactable block + // TODO: consider doing this one first? + let closest_interactable_block_pos = Spiral2d::new() + // TODO: this formula for the number to take was guessed + // Note: assume RECT_SIZE.x == RECT_SIZE.y + .take(((search_dist / TerrainChunk::RECT_SIZE.x as f32).ceil() as usize * 2 + 1).pow(2)) + .flat_map(|offset| { + let chunk_pos = player_chunk + offset; + let chunk_voxel_pos = + Vec3::::from(chunk_pos * TerrainChunk::RECT_SIZE.map(|e| e as i32)); + terrain.get(chunk_pos).map(|data| (data, chunk_voxel_pos)) }) - }) - .or_else(|| { - let ecs = client.state().ecs(); - let player_entity = client.entity(); - let positions = ecs.read_storage::(); - let player_pos = positions.get(player_entity)?.0; + // TODO: maybe we could make this more efficient by putting the + // interactables is some sort of spatial structure + .flat_map(|(chunk_data, chunk_pos)| { + chunk_data + .blocks_of_interest + .interactables + .iter() + .map(move |(block_offset, interaction)| (chunk_pos + block_offset, interaction)) + }) + .map(|(block_pos, interaction)| ( + block_pos, + block_pos.map(|e| e as f32 + 0.5) + .distance_squared(player_pos), + interaction, + )) + .min_by_key(|(_, dist_sqr, _)| OrderedFloat(*dist_sqr)) + .map(|(block_pos, _, interaction)| (block_pos, interaction)); - let scales = ecs.read_storage::(); - let colliders = ecs.read_storage::(); - let char_states = ecs.read_storage::(); - - let player_cylinder = Cylinder::from_components( - player_pos, - scales.get(player_entity).copied(), - colliders.get(player_entity), - char_states.get(player_entity), - ); - - let closest_interactable_entity = ( - &ecs.entities(), - &positions, - scales.maybe(), - colliders.maybe(), - char_states.maybe(), - ) - .join() - .filter(|(e, _, _, _, _)| *e != player_entity) - .map(|(e, p, s, c, cs)| { - let cylinder = Cylinder::from_components(p.0, s.copied(), c, cs); - (e, cylinder) - }) - // Roughly filter out entities farther than interaction distance - .filter(|(_, cylinder)| player_cylinder.approx_in_range(*cylinder, MAX_PICKUP_RANGE)) - .map(|(e, cylinder)| (e, player_cylinder.min_distance(cylinder))) - .min_by_key(|(_, dist)| OrderedFloat(*dist)); - - // Only search as far as closest interactable entity - let search_dist = closest_interactable_entity - .map_or(MAX_PICKUP_RANGE, |(_, dist)| dist); - let player_chunk = player_pos.xy().map2(TerrainChunk::RECT_SIZE, |e, sz| { - (e.floor() as i32).div_euclid(sz as i32) - }); - let terrain = scene.terrain(); - - // Find closest interactable block - // TODO: consider doing this one first? - let closest_interactable_block_pos = Spiral2d::new() - // TODO: this formula for the number to take was guessed - // Note: assume RECT_SIZE.x == RECT_SIZE.y - .take(((search_dist / TerrainChunk::RECT_SIZE.x as f32).ceil() as usize * 2 + 1).pow(2)) - .flat_map(|offset| { - let chunk_pos = player_chunk + offset; - let chunk_voxel_pos = - Vec3::::from(chunk_pos * TerrainChunk::RECT_SIZE.map(|e| e as i32)); - terrain.get(chunk_pos).map(|data| (data, chunk_voxel_pos)) - }) - // TODO: maybe we could make this more efficient by putting the - // interactables is some sort of spatial structure - .flat_map(|(chunk_data, chunk_pos)| { - chunk_data - .blocks_of_interest - .interactables - .iter() - .map(move |(block_offset, interaction)| (chunk_pos + block_offset, interaction)) - }) - .map(|(block_pos, interaction)| ( - block_pos, - block_pos.map(|e| e as f32 + 0.5) - .distance_squared(player_pos), - interaction, - )) - .min_by_key(|(_, dist_sqr, _)| OrderedFloat(*dist_sqr)) - .map(|(block_pos, _, interaction)| (block_pos, interaction)); - - // Pick closer one if they exist - closest_interactable_block_pos - .filter(|(block_pos, _)| player_cylinder.min_distance(Cube { min: block_pos.as_(), side_length: 1.0}) < search_dist) - .and_then(|(block_pos, interaction)| - client.state().terrain().get(block_pos).ok().copied() - .map(|b| Interactable::Block(b, block_pos, Some(*interaction))) - ) - .or_else(|| closest_interactable_entity.map(|(e, _)| Interactable::Entity(e))) - }) + // return the closest, and the 2 closest inertactable options (entity or block) + closest_interactable_block_pos + .filter(|(block_pos, _)| { + player_cylinder.min_distance(Cube { + min: block_pos.as_(), + side_length: 1.0, + }) < search_dist + }) + .and_then(|(block_pos, interaction)| { + client + .state() + .terrain() + .get(block_pos) + .ok() + .copied() + .map(|b| Interactable::Block(b, block_pos, Some(*interaction))) + }) + .or_else(|| closest_interactable_entity.map(|(e, _)| Interactable::Entity(e))) + } } diff --git a/voxygen/src/session/mod.rs b/voxygen/src/session/mod.rs index 64378f9e7e..1b4d846e27 100644 --- a/voxygen/src/session/mod.rs +++ b/voxygen/src/session/mod.rs @@ -50,7 +50,7 @@ use crate::{ use hashbrown::HashMap; use interactable::{select_interactable, Interactable}; use settings_change::Language::ChangeLanguage; -use target::{targets_under_cursor, Target}; +use target::{targets_under_cursor, Target, TargetType}; #[cfg(feature = "egui-ui")] use voxygen_egui::EguiDebugInfo; @@ -433,7 +433,7 @@ impl PlayState for SessionState { let is_nearest_target = |target: Option| { target - .map(|t| (t.distance() <= shortest_dist)) + .map(|t| (t.distance <= shortest_dist)) .unwrap_or(false) }; @@ -444,11 +444,17 @@ impl PlayState for SessionState { build_target.map(|bt| self.scene.set_select_pos(Some(bt.position_int()))); } else { self.scene.set_select_pos(None); - self.inputs.select_pos = entity_target.map(|et| et.position()); + self.inputs.select_pos = entity_target.map(|et| et.position); } // Throw out distance info, it will be useful in the future - self.target_entity = entity_target.and_then(Target::entity); + let entity_under_target = + if let Some(TargetType::Entity(e)) = entity_target.map(|t| t.typed) { + Some(e) + } else { + None + }; + self.target_entity = entity_under_target; macro_rules! entity_event_handler { ($input: expr, $pressed: expr) => { @@ -457,7 +463,7 @@ impl PlayState for SessionState { $input, $pressed, self.inputs.select_pos, - entity_target.map(Target::entity).unwrap_or(None), + entity_under_target, ); }; } @@ -483,10 +489,10 @@ impl PlayState for SessionState { match input { GameInput::Primary => { if is_mining && is_nearest_target(mine_target) { - self.inputs.select_pos = mine_target.map(Target::position); + self.inputs.select_pos = mine_target.map(|t| t.position); entity_event_handler!(InputKind::Primary, state); } else if state && can_build && is_nearest_target(build_target) { - self.inputs.select_pos = build_target.map(Target::position); + self.inputs.select_pos = build_target.map(|t| t.position); let mut client = self.client.borrow_mut(); client.remove_block(build_target.unwrap().position_int()); } else { @@ -496,7 +502,7 @@ impl PlayState for SessionState { GameInput::Secondary => { if state && can_build && is_nearest_target(build_target) { if let Some(build_target) = build_target { - self.inputs.select_pos = Some(build_target.position()); + self.inputs.select_pos = Some(build_target.position); let mut client = self.client.borrow_mut(); client.place_block( build_target.position_int(), @@ -523,7 +529,7 @@ impl PlayState for SessionState { .copied() }) { self.inputs.select_pos = - build_target.map(Target::position); + build_target.map(|t| t.position); self.selected_block = block; } } @@ -682,8 +688,8 @@ impl PlayState for SessionState { match interaction { Some(Interaction::Collect) => { if block.is_collectible() { - self.inputs.select_pos = collect_target - .map(Target::position); + self.inputs.select_pos = + collect_target.map(|t| t.position); client.collect_block(pos); } }, diff --git a/voxygen/src/session/target.rs b/voxygen/src/session/target.rs index 049d67d91f..22bc932fca 100644 --- a/voxygen/src/session/target.rs +++ b/voxygen/src/session/target.rs @@ -1,6 +1,8 @@ use specs::{Join, WorldExt}; use vek::*; +use super::interactable::Interactable; +use crate::scene::terrain::Interaction; use client::{self, Client}; use common::{ comp, @@ -13,40 +15,43 @@ use common::{ use common_base::span; #[derive(Clone, Copy, Debug)] -pub enum Target { - Build(Vec3, Vec3, f32), // (solid_pos, build_pos, dist) - Collectable(Vec3, f32), // (pos, dist) - Entity(specs::Entity, Vec3, f32), // (e, pos, dist) - Mine(Vec3, f32), // (pos, dist) +pub enum TargetType { + Build(Vec3), + Collectable, + Entity(specs::Entity), + Mine, +} + +#[derive(Clone, Copy, Debug)] +pub struct Target { + pub typed: TargetType, + pub distance: f32, + pub position: Vec3, } impl Target { - pub fn entity(self) -> Option { - match self { - Self::Entity(e, _, _) => Some(e), - _ => None, + pub fn position_int(self) -> Vec3 { self.position.map(|p| p.floor() as i32) } + + pub fn make_interactable(self, client: &Client) -> Option { + match self.typed { + TargetType::Collectable => client + .state() + .terrain() + .get(self.position_int()) + .ok() + .copied() + .map(|b| Interactable::Block(b, self.position_int(), Some(Interaction::Collect))), + TargetType::Entity(e) => Some(Interactable::Entity(e)), + TargetType::Mine => client + .state() + .terrain() + .get(self.position_int()) + .ok() + .copied() + .map(|b| Interactable::Block(b, self.position_int(), None)), + TargetType::Build(_) => None, } } - - pub fn distance(self) -> f32 { - match self { - Self::Collectable(_, d) - | Self::Entity(_, _, d) - | Self::Mine(_, d) - | Self::Build(_, _, d) => d, - } - } - - pub fn position(self) -> Vec3 { - match self { - Self::Collectable(sp, _) - | Self::Entity(_, sp, _) - | Self::Mine(sp, _) - | Self::Build(sp, _, _) => sp, - } - } - - pub fn position_int(self) -> Vec3 { self.position().map(|p| p.floor() as i32) } } /// Max distance an entity can be "targeted" @@ -130,13 +135,14 @@ pub(super) fn targets_under_cursor( // FIXME: the `solid_pos` is used in the remove_block(). is this correct? let (solid_pos, build_pos, cam_ray_2) = find_pos(|b: Block| b.is_solid()); - // collectables can be in the Air. so using solely solid_pos is not correct. - // so, use a minimum distance of all 3 + // find shortest cam_dist of non-entity targets + // note that some of these targets can technically be in Air, such as the + // collectable. let mut cam_rays = vec![&cam_ray_0, &cam_ray_2]; if is_mining { cam_rays.push(&cam_ray_1); } - let cam_dist = cam_rays + let shortest_cam_dist = cam_rays .iter() .filter_map(|x| match **x { (d, Ok(Some(_))) => Some(d), @@ -146,10 +152,10 @@ pub(super) fn targets_under_cursor( .unwrap_or(MAX_PICKUP_RANGE); // See if ray hits entities - // Currently treated as spheres - // Don't cast through blocks - // Could check for intersection with entity from last frame to narrow this down - let cast_dist = cam_dist.min(MAX_TARGET_RANGE); + // Don't cast through blocks, (hence why use shortest_cam_dist from non-entity + // targets) Could check for intersection with entity from last frame to + // narrow this down + let cast_dist = shortest_cam_dist.min(MAX_TARGET_RANGE); // Need to raycast by distance to cam // But also filter out by distance to the player (but this only needs to be done @@ -191,7 +197,7 @@ pub(super) fn targets_under_cursor( let seg_ray = LineSegment3 { start: cam_pos, - end: cam_pos + cam_dir * cam_dist, + end: cam_pos + cam_dir * shortest_cam_dist, }; // TODO: fuzzy borders let entity_target = nearby @@ -209,30 +215,48 @@ pub(super) fn targets_under_cursor( ); let dist_to_player = player_cylinder.min_distance(target_cylinder); - (dist_to_player < MAX_TARGET_RANGE).then_some(Target::Entity(*e, p, dist_to_player)) + if dist_to_player < MAX_TARGET_RANGE { + Some(Target { + typed: TargetType::Entity(*e), + position: p, + distance: dist_to_player, + }) + } else { None } }); - let build_target = if can_build { - solid_pos.map(|p| Target::Build(p, build_pos.unwrap(), cam_ray_2.0)) + let build_target = if let (true, Some(position), Some(bp)) = (can_build, solid_pos, build_pos) { + Some(Target { + typed: TargetType::Build(bp), + distance: cam_ray_2.0, + position, + }) } else { None }; - let mine_target = if is_mining { - mine_pos.map(|p| Target::Mine(p, cam_ray_1.0)) + let collect_target = collect_pos.map(|position| Target { + typed: TargetType::Collectable, + distance: cam_ray_0.0, + position, + }); + + let mine_target = if let (true, Some(position)) = (is_mining, mine_pos) { + Some(Target { + typed: TargetType::Mine, + distance: cam_ray_1.0, + position, + }) } else { None }; - let shortest_distance = cam_dist; - // Return multiple possible targets // GameInput events determine which target to use. ( build_target, - collect_pos.map(|p| Target::Collectable(p, cam_ray_0.0)), + collect_target, entity_target, mine_target, - shortest_distance, + shortest_cam_dist, ) } From 20c4054e6ad909a389ac9f5263eefbca8ba80fa5 Mon Sep 17 00:00:00 2001 From: anomaluridae Date: Tue, 10 Aug 2021 22:11:55 -0700 Subject: [PATCH 06/19] build is working. to add and remove blocks. --- voxygen/src/session/mod.rs | 19 +++++++++------- voxygen/src/session/target.rs | 43 +++++++++++++++++++++++------------ 2 files changed, 40 insertions(+), 22 deletions(-) diff --git a/voxygen/src/session/mod.rs b/voxygen/src/session/mod.rs index 1b4d846e27..ac6ec5a020 100644 --- a/voxygen/src/session/mod.rs +++ b/voxygen/src/session/mod.rs @@ -488,13 +488,15 @@ impl PlayState for SessionState { match input { GameInput::Primary => { - if is_mining && is_nearest_target(mine_target) { - self.inputs.select_pos = mine_target.map(|t| t.position); - entity_event_handler!(InputKind::Primary, state); - } else if state && can_build && is_nearest_target(build_target) { + // mine and build targets can be the same block. make building take + // precedence. + if state && can_build && is_nearest_target(build_target) { self.inputs.select_pos = build_target.map(|t| t.position); let mut client = self.client.borrow_mut(); client.remove_block(build_target.unwrap().position_int()); + } else if is_mining && is_nearest_target(mine_target) { + self.inputs.select_pos = mine_target.map(|t| t.position); + entity_event_handler!(InputKind::Primary, state); } else { entity_event_handler!(InputKind::Primary, state); } @@ -504,10 +506,11 @@ impl PlayState for SessionState { if let Some(build_target) = build_target { self.inputs.select_pos = Some(build_target.position); let mut client = self.client.borrow_mut(); - client.place_block( - build_target.position_int(), - self.selected_block, - ); + if let Some(pos) = + build_target.build_above_position(&client) + { + client.place_block(pos, self.selected_block); + }; } } else { entity_event_handler!(InputKind::Secondary, state); diff --git a/voxygen/src/session/target.rs b/voxygen/src/session/target.rs index 22bc932fca..3f1ea82066 100644 --- a/voxygen/src/session/target.rs +++ b/voxygen/src/session/target.rs @@ -16,7 +16,7 @@ use common_base::span; #[derive(Clone, Copy, Debug)] pub enum TargetType { - Build(Vec3), + Build, Collectable, Entity(specs::Entity), Mine, @@ -32,6 +32,26 @@ pub struct Target { impl Target { pub fn position_int(self) -> Vec3 { self.position.map(|p| p.floor() as i32) } + pub fn build_above_position(self, client: &Client) -> Option> { + match self.typed { + TargetType::Build => { + let mut pos_above = self.position; + pos_above.z += 1.0; + let pos_above = pos_above.map(|p| p.floor() as i32); + if let Ok(block) = client.state().terrain().get(pos_above) { + if block.is_air() { + Some(pos_above) + } else { + None + } + } else { + None + } + }, + _ => None, + } + } + pub fn make_interactable(self, client: &Client) -> Option { match self.typed { TargetType::Collectable => client @@ -49,7 +69,7 @@ impl Target { .ok() .copied() .map(|b| Interactable::Block(b, self.position_int(), None)), - TargetType::Build(_) => None, + TargetType::Build => None, } } } @@ -99,7 +119,6 @@ pub(super) fn targets_under_cursor( ) -> impl FnMut( fn(Block) -> bool, ) -> ( - Option>, Option>, (f32, Result, VolGrid2dError>), ) + 'a { @@ -117,23 +136,19 @@ pub(super) fn targets_under_cursor( cam_ray.1, Ok(Some(_)) if player_cylinder.min_distance(*cam_pos + *cam_dir * (cam_dist + 0.01)) <= MAX_PICKUP_RANGE ) { - ( - Some(*cam_pos + *cam_dir * cam_dist), - Some(*cam_pos + *cam_dir * (cam_dist - 0.01)), - cam_ray, - ) + (Some(*cam_pos + *cam_dir * cam_dist), cam_ray) } else { - (None, None, cam_ray) + (None, cam_ray) } } } let mut find_pos = curry_find_pos(client, &cam_pos, &cam_dir, &player_cylinder); - let (collect_pos, _, cam_ray_0) = find_pos(|b: Block| b.is_collectible()); - let (mine_pos, _, cam_ray_1) = find_pos(|b: Block| b.mine_tool().is_some()); + let (collect_pos, cam_ray_0) = find_pos(|b: Block| b.is_collectible()); + let (mine_pos, cam_ray_1) = find_pos(|b: Block| b.mine_tool().is_some()); // FIXME: the `solid_pos` is used in the remove_block(). is this correct? - let (solid_pos, build_pos, cam_ray_2) = find_pos(|b: Block| b.is_solid()); + let (solid_pos, cam_ray_2) = find_pos(|b: Block| b.is_solid()); // find shortest cam_dist of non-entity targets // note that some of these targets can technically be in Air, such as the @@ -224,9 +239,9 @@ pub(super) fn targets_under_cursor( } else { None } }); - let build_target = if let (true, Some(position), Some(bp)) = (can_build, solid_pos, build_pos) { + let build_target = if let (true, Some(position)) = (can_build, solid_pos) { Some(Target { - typed: TargetType::Build(bp), + typed: TargetType::Build, distance: cam_ray_2.0, position, }) From 25c3d2a9e22287fdc5d0d64b63cddbd9fc65faeb Mon Sep 17 00:00:00 2001 From: anomaluridae Date: Tue, 10 Aug 2021 23:35:49 -0700 Subject: [PATCH 07/19] MR review updates. Added back the 0.01 modifiers, update naming and comments, keep interactable construction in the interactables mod, remove unneeded curry, syntax updates. only cast for mining and build if enabled. --- voxygen/src/session/interactable.rs | 35 ++++++-- voxygen/src/session/mod.rs | 4 +- voxygen/src/session/target.rs | 135 ++++++++++++---------------- 3 files changed, 86 insertions(+), 88 deletions(-) diff --git a/voxygen/src/session/interactable.rs b/voxygen/src/session/interactable.rs index eca3d9b073..f186b0e6fc 100644 --- a/voxygen/src/session/interactable.rs +++ b/voxygen/src/session/interactable.rs @@ -2,7 +2,7 @@ use ordered_float::OrderedFloat; use specs::{Join, WorldExt}; use vek::*; -use super::target::Target; +use super::target::{Target, TargetType}; use client::{self, Client}; use common::{ comp, @@ -25,7 +25,28 @@ impl Interactable { pub fn entity(self) -> Option { match self { Self::Entity(e) => Some(e), - _ => None, + Self::Block(_, _, _) => None, + } + } + + pub fn from_target(target: Target, client: &Client) -> Option { + match target.typed { + TargetType::Collectable => client + .state() + .terrain() + .get(target.position_int()) + .ok() + .copied() + .map(|b| Interactable::Block(b, target.position_int(), Some(Interaction::Collect))), + TargetType::Entity(e) => Some(Interactable::Entity(e)), + TargetType::Mine => client + .state() + .terrain() + .get(target.position_int()) + .ok() + .copied() + .map(|b| Interactable::Block(b, target.position_int(), None)), + TargetType::Build => None, } } } @@ -52,19 +73,19 @@ pub(super) fn select_interactable( if let Some(interactable) = entity_target .and_then(|t| { if t.distance < MAX_PICKUP_RANGE { - t.make_interactable(client) + Interactable::from_target(t, client) } else { None } }) .or_else(|| { collect_target - .map(|t| t.make_interactable(client)) + .map(|t| Interactable::from_target(t, client)) .unwrap_or(None) }) .or_else(|| { mine_target - .map(|t| t.make_interactable(client)) + .map(|t| Interactable::from_target(t, client)) .unwrap_or(None) }) { @@ -115,7 +136,7 @@ pub(super) fn select_interactable( // TODO: consider doing this one first? let closest_interactable_block_pos = Spiral2d::new() // TODO: this formula for the number to take was guessed - // Note: assume RECT_SIZE.x == RECT_SIZE.y + // Note: assumes RECT_SIZE.x == RECT_SIZE.y .take(((search_dist / TerrainChunk::RECT_SIZE.x as f32).ceil() as usize * 2 + 1).pow(2)) .flat_map(|offset| { let chunk_pos = player_chunk + offset; @@ -141,7 +162,7 @@ pub(super) fn select_interactable( .min_by_key(|(_, dist_sqr, _)| OrderedFloat(*dist_sqr)) .map(|(block_pos, _, interaction)| (block_pos, interaction)); - // return the closest, and the 2 closest inertactable options (entity or block) + // Return the closest of the 2 closest closest_interactable_block_pos .filter(|(block_pos, _)| { player_cylinder.min_distance(Cube { diff --git a/voxygen/src/session/mod.rs b/voxygen/src/session/mod.rs index ac6ec5a020..a61ed4f54b 100644 --- a/voxygen/src/session/mod.rs +++ b/voxygen/src/session/mod.rs @@ -1,6 +1,6 @@ pub mod interactable; pub mod settings_change; -pub(self) mod target; +mod target; use std::{cell::RefCell, collections::HashSet, rc::Rc, result::Result, sync::Arc, time::Duration}; @@ -488,7 +488,7 @@ impl PlayState for SessionState { match input { GameInput::Primary => { - // mine and build targets can be the same block. make building take + // Mine and build targets can be the same block. make building take // precedence. if state && can_build && is_nearest_target(build_target) { self.inputs.select_pos = build_target.map(|t| t.position); diff --git a/voxygen/src/session/target.rs b/voxygen/src/session/target.rs index 3f1ea82066..b1d1943dfd 100644 --- a/voxygen/src/session/target.rs +++ b/voxygen/src/session/target.rs @@ -1,16 +1,13 @@ use specs::{Join, WorldExt}; use vek::*; -use super::interactable::Interactable; -use crate::scene::terrain::Interaction; use client::{self, Client}; use common::{ comp, consts::MAX_PICKUP_RANGE, - terrain::{Block, TerrainChunk}, + terrain::Block, util::find_dist::{Cylinder, FindDist}, vol::ReadVol, - volumes::vol_grid_2d::VolGrid2dError, }; use common_base::span; @@ -51,27 +48,6 @@ impl Target { _ => None, } } - - pub fn make_interactable(self, client: &Client) -> Option { - match self.typed { - TargetType::Collectable => client - .state() - .terrain() - .get(self.position_int()) - .ok() - .copied() - .map(|b| Interactable::Block(b, self.position_int(), Some(Interaction::Collect))), - TargetType::Entity(e) => Some(Interactable::Entity(e)), - TargetType::Mine => client - .state() - .terrain() - .get(self.position_int()) - .ok() - .copied() - .map(|b| Interactable::Block(b, self.position_int(), None)), - TargetType::Build => None, - } - } } /// Max distance an entity can be "targeted" @@ -91,7 +67,7 @@ pub(super) fn targets_under_cursor( Option, f32, ) { - span!(_guard, "under_cursor"); + span!(_guard, "targets_under_cursor"); // Choose a spot above the player's head for item distance checks let player_entity = client.entity(); let ecs = client.state().ecs(); @@ -110,57 +86,51 @@ pub(super) fn targets_under_cursor( colliders.get(player_entity), char_states.get(player_entity), ); + let terrain = client.state().terrain(); - fn curry_find_pos<'a>( - client: &'a Client, - cam_pos: &'a Vec3, - cam_dir: &'a Vec3, - player_cylinder: &'a Cylinder, - ) -> impl FnMut( - fn(Block) -> bool, - ) -> ( - Option>, - (f32, Result, VolGrid2dError>), - ) + 'a { - let terrain = client.state().terrain(); + let find_pos = |hit: fn(Block) -> bool| { + let cam_ray = terrain + .ray(cam_pos, cam_pos + cam_dir * 100.0) + .until(|block| hit(*block)) + .cast(); + let cam_ray = (cam_ray.0, cam_ray.1.map(|x| x.copied())); + let cam_dist = cam_ray.0; - move |hit: fn(Block) -> bool| { - let cam_ray = terrain - .ray(*cam_pos, *cam_pos + *cam_dir * 100.0) - .until(|block| hit(*block)) - .cast(); - let cam_ray = (cam_ray.0, cam_ray.1.map(|x| x.copied())); - let cam_dist = cam_ray.0; - - if matches!( - cam_ray.1, - Ok(Some(_)) if player_cylinder.min_distance(*cam_pos + *cam_dir * (cam_dist + 0.01)) <= MAX_PICKUP_RANGE - ) { - (Some(*cam_pos + *cam_dir * cam_dist), cam_ray) - } else { - (None, cam_ray) - } + if matches!( + cam_ray.1, + Ok(Some(_)) if player_cylinder.min_distance(cam_pos + cam_dir * (cam_dist + 0.01)) <= MAX_PICKUP_RANGE + ) { + ( + Some(cam_pos + cam_dir * (cam_dist + 0.01)), + Some(cam_pos + cam_dir * (cam_dist - 0.01)), + Some(cam_ray), + ) + } else { + (None, None, None) } - } + }; - let mut find_pos = curry_find_pos(client, &cam_pos, &cam_dir, &player_cylinder); + let (collect_pos, _, collect_cam_ray) = find_pos(|b: Block| b.is_collectible()); + let (mine_pos, _, mine_cam_ray) = is_mining + .then(|| find_pos(|b: Block| b.mine_tool().is_some())) + .unwrap_or((None, None, None)); + let (_, solid_pos, solid_cam_ray) = can_build + .then(|| find_pos(|b: Block| b.is_solid())) + .unwrap_or((None, None, None)); - let (collect_pos, cam_ray_0) = find_pos(|b: Block| b.is_collectible()); - let (mine_pos, cam_ray_1) = find_pos(|b: Block| b.mine_tool().is_some()); - // FIXME: the `solid_pos` is used in the remove_block(). is this correct? - let (solid_pos, cam_ray_2) = find_pos(|b: Block| b.is_solid()); - - // find shortest cam_dist of non-entity targets - // note that some of these targets can technically be in Air, such as the + // Find shortest cam_dist of non-entity targets. + // Note that some of these targets can technically be in Air, such as the // collectable. - let mut cam_rays = vec![&cam_ray_0, &cam_ray_2]; - if is_mining { - cam_rays.push(&cam_ray_1); - } - let shortest_cam_dist = cam_rays + let shortest_cam_dist = [&collect_cam_ray, &solid_cam_ray] .iter() + .chain( + is_mining + .then(|| [&mine_cam_ray]) + .unwrap_or([&solid_cam_ray]) + .iter(), + ) .filter_map(|x| match **x { - (d, Ok(Some(_))) => Some(d), + Some((d, Ok(Some(_)))) => Some(d), _ => None, }) .min_by(|d1, d2| d1.partial_cmp(d2).unwrap()) @@ -170,7 +140,10 @@ pub(super) fn targets_under_cursor( // Don't cast through blocks, (hence why use shortest_cam_dist from non-entity // targets) Could check for intersection with entity from last frame to // narrow this down - let cast_dist = shortest_cam_dist.min(MAX_TARGET_RANGE); + let cast_dist = solid_cam_ray + .as_ref() + .map(|(d, _)| d.min(MAX_TARGET_RANGE)) + .unwrap_or(MAX_TARGET_RANGE); // Need to raycast by distance to cam // But also filter out by distance to the player (but this only needs to be done @@ -239,26 +212,30 @@ pub(super) fn targets_under_cursor( } else { None } }); - let build_target = if let (true, Some(position)) = (can_build, solid_pos) { + let build_target = if let (Some(position), Some(ray)) = (solid_pos, solid_cam_ray) { Some(Target { typed: TargetType::Build, - distance: cam_ray_2.0, + distance: ray.0, position, }) } else { None }; - let collect_target = collect_pos.map(|position| Target { - typed: TargetType::Collectable, - distance: cam_ray_0.0, - position, - }); + let collect_target = if let (Some(position), Some(ray)) = (collect_pos, collect_cam_ray) { + Some(Target { + typed: TargetType::Collectable, + distance: ray.0, + position, + }) + } else { + None + }; - let mine_target = if let (true, Some(position)) = (is_mining, mine_pos) { + let mine_target = if let (Some(position), Some(ray)) = (mine_pos, mine_cam_ray) { Some(Target { typed: TargetType::Mine, - distance: cam_ray_1.0, + distance: ray.0, position, }) } else { From 01cfe395030e8257b42da50708673b1c99aa9c11 Mon Sep 17 00:00:00 2001 From: anomaluridae Date: Wed, 11 Aug 2021 02:38:39 -0700 Subject: [PATCH 08/19] undo macro use for DRY on client event handler, and handle edge detection in mining so that we don't get Empty interactables. --- voxygen/src/session/interactable.rs | 13 ++- voxygen/src/session/mod.rs | 128 ++++++++++++++++------------ voxygen/src/session/target.rs | 20 ----- 3 files changed, 84 insertions(+), 77 deletions(-) diff --git a/voxygen/src/session/interactable.rs b/voxygen/src/session/interactable.rs index f186b0e6fc..57b6e08216 100644 --- a/voxygen/src/session/interactable.rs +++ b/voxygen/src/session/interactable.rs @@ -45,7 +45,18 @@ impl Interactable { .get(target.position_int()) .ok() .copied() - .map(|b| Interactable::Block(b, target.position_int(), None)), + .and_then(|b| { + // Handling edge detection. sometimes the casting (in Target mod) returns a + // position which is actually empty, which we do not want labeled as an + // interactable. We are only returning the mineable air + // elements (e.g. minerals). The mineable weakrock are used + // in the terrain selected_pos, but is not an interactable. + if b.mine_tool().is_some() && b.is_air() { + Some(Interactable::Block(b, target.position_int(), None)) + } else { + None + } + }), TargetType::Build => None, } } diff --git a/voxygen/src/session/mod.rs b/voxygen/src/session/mod.rs index a61ed4f54b..7915647aac 100644 --- a/voxygen/src/session/mod.rs +++ b/voxygen/src/session/mod.rs @@ -411,26 +411,20 @@ impl PlayState for SessionState { .map_or(false, |tool| tool.kind == ToolKind::Pick) && client.is_wielding() == Some(true); - drop(client); - // Check to see whether we're aiming at anything let (build_target, collect_target, entity_target, mine_target, shortest_dist) = - targets_under_cursor( - &self.client.borrow(), - cam_pos, - cam_dir, - can_build, - is_mining, - ); + targets_under_cursor(&client, cam_pos, cam_dir, can_build, is_mining); self.interactable = select_interactable( - &self.client.borrow(), + &client, collect_target, entity_target, mine_target, &self.scene, ); + drop(client); + let is_nearest_target = |target: Option| { target .map(|t| (t.distance <= shortest_dist)) @@ -448,25 +442,12 @@ impl PlayState for SessionState { } // Throw out distance info, it will be useful in the future - let entity_under_target = - if let Some(TargetType::Entity(e)) = entity_target.map(|t| t.typed) { - Some(e) - } else { - None - }; - self.target_entity = entity_under_target; - - macro_rules! entity_event_handler { - ($input: expr, $pressed: expr) => { - let mut client = self.client.borrow_mut(); - client.handle_input( - $input, - $pressed, - self.inputs.select_pos, - entity_under_target, - ); - }; - } + self.target_entity = if let Some(TargetType::Entity(e)) = entity_target.map(|t| t.typed) + { + Some(e) + } else { + None + }; // Handle window events. for event in events { @@ -488,40 +469,54 @@ impl PlayState for SessionState { match input { GameInput::Primary => { + let mut client = self.client.borrow_mut(); // Mine and build targets can be the same block. make building take // precedence. if state && can_build && is_nearest_target(build_target) { self.inputs.select_pos = build_target.map(|t| t.position); - let mut client = self.client.borrow_mut(); client.remove_block(build_target.unwrap().position_int()); - } else if is_mining && is_nearest_target(mine_target) { - self.inputs.select_pos = mine_target.map(|t| t.position); - entity_event_handler!(InputKind::Primary, state); } else { - entity_event_handler!(InputKind::Primary, state); + if is_mining && is_nearest_target(mine_target) { + self.inputs.select_pos = mine_target.map(|t| t.position); + } + client.handle_input( + InputKind::Primary, + state, + self.inputs.select_pos, + self.target_entity, + ); } }, GameInput::Secondary => { + let mut client = self.client.borrow_mut(); if state && can_build && is_nearest_target(build_target) { if let Some(build_target) = build_target { self.inputs.select_pos = Some(build_target.position); - let mut client = self.client.borrow_mut(); - if let Some(pos) = - build_target.build_above_position(&client) - { - client.place_block(pos, self.selected_block); - }; + client.place_block( + build_target.position_int(), + self.selected_block, + ); } } else { - entity_event_handler!(InputKind::Secondary, state); + client.handle_input( + InputKind::Secondary, + state, + self.inputs.select_pos, + self.target_entity, + ); } }, GameInput::Block => { - entity_event_handler!(InputKind::Block, state); + self.client.borrow_mut().handle_input( + InputKind::Block, + state, + self.inputs.select_pos, + self.target_entity, + ); }, GameInput::Roll => { + let mut client = self.client.borrow_mut(); if can_build { - let client = self.client.borrow_mut(); if state { if let Some(block) = build_target.and_then(|bt| { client @@ -537,7 +532,12 @@ impl PlayState for SessionState { } } } else { - entity_event_handler!(InputKind::Roll, state); + client.handle_input( + InputKind::Roll, + state, + self.inputs.select_pos, + self.target_entity, + ); } }, GameInput::Respawn => { @@ -547,7 +547,12 @@ impl PlayState for SessionState { } }, GameInput::Jump => { - entity_event_handler!(InputKind::Jump, state); + self.client.borrow_mut().handle_input( + InputKind::Jump, + state, + self.inputs.select_pos, + self.target_entity, + ); }, GameInput::SwimUp => { self.key_state.swim_up = state; @@ -617,7 +622,12 @@ impl PlayState for SessionState { // Syncing of inputs between mounter and mountee // broke with controller change self.key_state.fly ^= state; - entity_event_handler!(InputKind::Fly, self.key_state.fly); + self.client.borrow_mut().handle_input( + InputKind::Fly, + self.key_state.fly, + self.inputs.select_pos, + self.target_entity, + ); }, GameInput::Climb => { self.key_state.climb_up = state; @@ -1112,12 +1122,10 @@ impl PlayState for SessionState { }, HudEvent::RemoveBuff(buff_id) => { - let mut client = self.client.borrow_mut(); - client.remove_buff(buff_id); + self.client.borrow_mut().remove_buff(buff_id); }, HudEvent::UnlockSkill(skill) => { - let mut client = self.client.borrow_mut(); - client.unlock_skill(skill); + self.client.borrow_mut().unlock_skill(skill); }, HudEvent::UseSlot { slot, @@ -1343,19 +1351,27 @@ impl PlayState for SessionState { info!("Event! -> ChangedHotbarState") }, HudEvent::TradeAction(action) => { - let mut client = self.client.borrow_mut(); - client.perform_trade_action(action); + self.client.borrow_mut().perform_trade_action(action); }, HudEvent::Ability3(state) => { - entity_event_handler!(InputKind::Ability(0), state); + self.client.borrow_mut().handle_input( + InputKind::Ability(0), + state, + self.inputs.select_pos, + self.target_entity, + ); }, HudEvent::Ability4(state) => { - entity_event_handler!(InputKind::Ability(1), state); + self.client.borrow_mut().handle_input( + InputKind::Ability(1), + state, + self.inputs.select_pos, + self.target_entity, + ); }, HudEvent::RequestSiteInfo(id) => { - let mut client = self.client.borrow_mut(); - client.request_site_economy(id); + self.client.borrow_mut().request_site_economy(id); }, HudEvent::CraftRecipe { diff --git a/voxygen/src/session/target.rs b/voxygen/src/session/target.rs index b1d1943dfd..472d6167c5 100644 --- a/voxygen/src/session/target.rs +++ b/voxygen/src/session/target.rs @@ -28,26 +28,6 @@ pub struct Target { impl Target { pub fn position_int(self) -> Vec3 { self.position.map(|p| p.floor() as i32) } - - pub fn build_above_position(self, client: &Client) -> Option> { - match self.typed { - TargetType::Build => { - let mut pos_above = self.position; - pos_above.z += 1.0; - let pos_above = pos_above.map(|p| p.floor() as i32); - if let Ok(block) = client.state().terrain().get(pos_above) { - if block.is_air() { - Some(pos_above) - } else { - None - } - } else { - None - } - }, - _ => None, - } - } } /// Max distance an entity can be "targeted" From 946ca442abac7be87a31884f1ca32f68eee8a11c Mon Sep 17 00:00:00 2001 From: anomaluridae Date: Wed, 11 Aug 2021 23:52:50 -0700 Subject: [PATCH 09/19] make Target generic, over the specific typed targets --- voxygen/src/session/interactable.rs | 73 ++++++++++++++--------------- voxygen/src/session/mod.rs | 25 ++++++---- voxygen/src/session/target.rs | 42 +++++++++-------- 3 files changed, 72 insertions(+), 68 deletions(-) diff --git a/voxygen/src/session/interactable.rs b/voxygen/src/session/interactable.rs index 57b6e08216..36a4dc72ca 100644 --- a/voxygen/src/session/interactable.rs +++ b/voxygen/src/session/interactable.rs @@ -2,7 +2,7 @@ use ordered_float::OrderedFloat; use specs::{Join, WorldExt}; use vek::*; -use super::target::{Target, TargetType}; +use super::target::{self, Target}; use client::{self, Client}; use common::{ comp, @@ -28,38 +28,6 @@ impl Interactable { Self::Block(_, _, _) => None, } } - - pub fn from_target(target: Target, client: &Client) -> Option { - match target.typed { - TargetType::Collectable => client - .state() - .terrain() - .get(target.position_int()) - .ok() - .copied() - .map(|b| Interactable::Block(b, target.position_int(), Some(Interaction::Collect))), - TargetType::Entity(e) => Some(Interactable::Entity(e)), - TargetType::Mine => client - .state() - .terrain() - .get(target.position_int()) - .ok() - .copied() - .and_then(|b| { - // Handling edge detection. sometimes the casting (in Target mod) returns a - // position which is actually empty, which we do not want labeled as an - // interactable. We are only returning the mineable air - // elements (e.g. minerals). The mineable weakrock are used - // in the terrain selected_pos, but is not an interactable. - if b.mine_tool().is_some() && b.is_air() { - Some(Interactable::Block(b, target.position_int(), None)) - } else { - None - } - }), - TargetType::Build => None, - } - } } /// Select interactable to hightlight, display interaction text for, and to @@ -73,30 +41,57 @@ impl Interactable { /// -> closest of nearest interactable entity/block pub(super) fn select_interactable( client: &Client, - collect_target: Option, - entity_target: Option, - mine_target: Option, + collect_target: Option>, + entity_target: Option>, + mine_target: Option>, scene: &Scene, ) -> Option { span!(_guard, "select_interactable"); use common::{spiral::Spiral2d, terrain::TerrainChunk, vol::RectRasterableVol}; + fn get_block(client: &Client, target: Target) -> Option { + client + .state() + .terrain() + .get(target.position_int()) + .ok() + .copied() + } + if let Some(interactable) = entity_target .and_then(|t| { if t.distance < MAX_PICKUP_RANGE { - Interactable::from_target(t, client) + let entity = t.typed.0; + Some(Interactable::Entity(entity)) } else { None } }) .or_else(|| { collect_target - .map(|t| Interactable::from_target(t, client)) + .map(|t| { + get_block(client, t).map(|b| { + Interactable::Block(b, t.position_int(), Some(Interaction::Collect)) + }) + }) .unwrap_or(None) }) .or_else(|| { mine_target - .map(|t| Interactable::from_target(t, client)) + .map(|t| { + get_block(client, t).and_then(|b| { + // Handling edge detection. sometimes the casting (in Target mod) returns a + // position which is actually empty, which we do not want labeled as an + // interactable. We are only returning the mineable air + // elements (e.g. minerals). The mineable weakrock are used + // in the terrain selected_pos, but is not an interactable. + if b.mine_tool().is_some() && b.is_air() { + Some(Interactable::Block(b, t.position_int(), None)) + } else { + None + } + }) + }) .unwrap_or(None) }) { diff --git a/voxygen/src/session/mod.rs b/voxygen/src/session/mod.rs index 7915647aac..51ec4cf5c2 100644 --- a/voxygen/src/session/mod.rs +++ b/voxygen/src/session/mod.rs @@ -50,7 +50,7 @@ use crate::{ use hashbrown::HashMap; use interactable::{select_interactable, Interactable}; use settings_change::Language::ChangeLanguage; -use target::{targets_under_cursor, Target, TargetType}; +use target::{targets_under_cursor, Target}; #[cfg(feature = "egui-ui")] use voxygen_egui::EguiDebugInfo; @@ -425,16 +425,16 @@ impl PlayState for SessionState { drop(client); - let is_nearest_target = |target: Option| { + fn is_nearest_target(shortest_dist: f32, target: Option>) -> bool { target .map(|t| (t.distance <= shortest_dist)) .unwrap_or(false) - }; + } // Only highlight terrain blocks which can be interacted with - if is_mining && is_nearest_target(mine_target) { + if is_mining && is_nearest_target(shortest_dist, mine_target) { mine_target.map(|mt| self.scene.set_select_pos(Some(mt.position_int()))); - } else if can_build && is_nearest_target(build_target) { + } else if can_build && is_nearest_target(shortest_dist, build_target) { build_target.map(|bt| self.scene.set_select_pos(Some(bt.position_int()))); } else { self.scene.set_select_pos(None); @@ -442,8 +442,7 @@ impl PlayState for SessionState { } // Throw out distance info, it will be useful in the future - self.target_entity = if let Some(TargetType::Entity(e)) = entity_target.map(|t| t.typed) - { + self.target_entity = if let Some(target::Entity(e)) = entity_target.map(|t| t.typed) { Some(e) } else { None @@ -472,11 +471,14 @@ impl PlayState for SessionState { let mut client = self.client.borrow_mut(); // Mine and build targets can be the same block. make building take // precedence. - if state && can_build && is_nearest_target(build_target) { + if state + && can_build + && is_nearest_target(shortest_dist, build_target) + { self.inputs.select_pos = build_target.map(|t| t.position); client.remove_block(build_target.unwrap().position_int()); } else { - if is_mining && is_nearest_target(mine_target) { + if is_mining && is_nearest_target(shortest_dist, mine_target) { self.inputs.select_pos = mine_target.map(|t| t.position); } client.handle_input( @@ -489,7 +491,10 @@ impl PlayState for SessionState { }, GameInput::Secondary => { let mut client = self.client.borrow_mut(); - if state && can_build && is_nearest_target(build_target) { + if state + && can_build + && is_nearest_target(shortest_dist, build_target) + { if let Some(build_target) = build_target { self.inputs.select_pos = Some(build_target.position); client.place_block( diff --git a/voxygen/src/session/target.rs b/voxygen/src/session/target.rs index 472d6167c5..a79208579a 100644 --- a/voxygen/src/session/target.rs +++ b/voxygen/src/session/target.rs @@ -12,21 +12,25 @@ use common::{ use common_base::span; #[derive(Clone, Copy, Debug)] -pub enum TargetType { - Build, - Collectable, - Entity(specs::Entity), - Mine, -} - -#[derive(Clone, Copy, Debug)] -pub struct Target { - pub typed: TargetType, +pub struct Target { + pub typed: T, pub distance: f32, pub position: Vec3, } -impl Target { +#[derive(Clone, Copy, Debug)] +pub struct Build; + +#[derive(Clone, Copy, Debug)] +pub struct Collectable; + +#[derive(Clone, Copy, Debug)] +pub struct Entity(pub specs::Entity); + +#[derive(Clone, Copy, Debug)] +pub struct Mine; + +impl Target { pub fn position_int(self) -> Vec3 { self.position.map(|p| p.floor() as i32) } } @@ -41,10 +45,10 @@ pub(super) fn targets_under_cursor( can_build: bool, is_mining: bool, ) -> ( - Option, - Option, - Option, - Option, + Option>, + Option>, + Option>, + Option>, f32, ) { span!(_guard, "targets_under_cursor"); @@ -185,7 +189,7 @@ pub(super) fn targets_under_cursor( let dist_to_player = player_cylinder.min_distance(target_cylinder); if dist_to_player < MAX_TARGET_RANGE { Some(Target { - typed: TargetType::Entity(*e), + typed: Entity(*e), position: p, distance: dist_to_player, }) @@ -194,7 +198,7 @@ pub(super) fn targets_under_cursor( let build_target = if let (Some(position), Some(ray)) = (solid_pos, solid_cam_ray) { Some(Target { - typed: TargetType::Build, + typed: Build, distance: ray.0, position, }) @@ -204,7 +208,7 @@ pub(super) fn targets_under_cursor( let collect_target = if let (Some(position), Some(ray)) = (collect_pos, collect_cam_ray) { Some(Target { - typed: TargetType::Collectable, + typed: Collectable, distance: ray.0, position, }) @@ -214,7 +218,7 @@ pub(super) fn targets_under_cursor( let mine_target = if let (Some(position), Some(ray)) = (mine_pos, mine_cam_ray) { Some(Target { - typed: TargetType::Mine, + typed: Mine, distance: ray.0, position, }) From 9ddc38ba1866206f897a1ccac357f51d3b14de46 Mon Sep 17 00:00:00 2001 From: anomaluridae Date: Tue, 17 Aug 2021 22:08:16 -0700 Subject: [PATCH 10/19] changes per MR feedback. simplier Option handling with zip, filter, and fewr unwraps. use kind keyword (not typed). if lets when possible. additional syntax cleanup --- voxygen/src/session/interactable.rs | 45 ++++++++++----------- voxygen/src/session/mod.rs | 61 ++++++++++++++--------------- voxygen/src/session/target.rs | 43 +++++++++----------- 3 files changed, 68 insertions(+), 81 deletions(-) diff --git a/voxygen/src/session/interactable.rs b/voxygen/src/session/interactable.rs index 36a4dc72ca..54ac3dcfbb 100644 --- a/voxygen/src/session/interactable.rs +++ b/voxygen/src/session/interactable.rs @@ -3,7 +3,7 @@ use specs::{Join, WorldExt}; use vek::*; use super::target::{self, Target}; -use client::{self, Client}; +use client::Client; use common::{ comp, consts::MAX_PICKUP_RANGE, @@ -61,42 +61,39 @@ pub(super) fn select_interactable( if let Some(interactable) = entity_target .and_then(|t| { if t.distance < MAX_PICKUP_RANGE { - let entity = t.typed.0; + let entity = t.kind.0; Some(Interactable::Entity(entity)) } else { None } }) .or_else(|| { - collect_target - .map(|t| { - get_block(client, t).map(|b| { - Interactable::Block(b, t.position_int(), Some(Interaction::Collect)) - }) - }) - .unwrap_or(None) + collect_target.and_then(|t| { + get_block(client, t) + .map(|b| Interactable::Block(b, t.position_int(), Some(Interaction::Collect))) + }) }) .or_else(|| { - mine_target - .map(|t| { - get_block(client, t).and_then(|b| { - // Handling edge detection. sometimes the casting (in Target mod) returns a - // position which is actually empty, which we do not want labeled as an - // interactable. We are only returning the mineable air - // elements (e.g. minerals). The mineable weakrock are used - // in the terrain selected_pos, but is not an interactable. - if b.mine_tool().is_some() && b.is_air() { - Some(Interactable::Block(b, t.position_int(), None)) - } else { - None - } - }) + mine_target.and_then(|t| { + get_block(client, t).and_then(|b| { + // Handling edge detection. sometimes the casting (in Target mod) returns a + // position which is actually empty, which we do not want labeled as an + // interactable. We are only returning the mineable air + // elements (e.g. minerals). The mineable weakrock are used + // in the terrain selected_pos, but is not an interactable. + if b.mine_tool().is_some() && b.is_air() { + Some(Interactable::Block(b, t.position_int(), None)) + } else { + None + } }) - .unwrap_or(None) + }) }) { Some(interactable) } else { + // If there are no directly targeted interactables select the closest one if any + // are in range let ecs = client.state().ecs(); let player_entity = client.entity(); let positions = ecs.read_storage::(); diff --git a/voxygen/src/session/mod.rs b/voxygen/src/session/mod.rs index 51ec4cf5c2..48010786fb 100644 --- a/voxygen/src/session/mod.rs +++ b/voxygen/src/session/mod.rs @@ -425,28 +425,26 @@ impl PlayState for SessionState { drop(client); - fn is_nearest_target(shortest_dist: f32, target: Option>) -> bool { - target - .map(|t| (t.distance <= shortest_dist)) - .unwrap_or(false) + fn is_nearest_target(shortest_dist: f32, target: Target) -> bool { + target.distance <= shortest_dist } // Only highlight terrain blocks which can be interacted with - if is_mining && is_nearest_target(shortest_dist, mine_target) { - mine_target.map(|mt| self.scene.set_select_pos(Some(mt.position_int()))); - } else if can_build && is_nearest_target(shortest_dist, build_target) { - build_target.map(|bt| self.scene.set_select_pos(Some(bt.position_int()))); + if let Some(mt) = + mine_target.filter(|mt| is_mining && is_nearest_target(shortest_dist, *mt)) + { + self.scene.set_select_pos(Some(mt.position_int())); + } else if let Some(bt) = + build_target.filter(|bt| can_build && is_nearest_target(shortest_dist, *bt)) + { + self.scene.set_select_pos(Some(bt.position_int())); } else { self.scene.set_select_pos(None); self.inputs.select_pos = entity_target.map(|et| et.position); } // Throw out distance info, it will be useful in the future - self.target_entity = if let Some(target::Entity(e)) = entity_target.map(|t| t.typed) { - Some(e) - } else { - None - }; + self.target_entity = entity_target.map(|t| t.kind.0); // Handle window events. for event in events { @@ -471,15 +469,17 @@ impl PlayState for SessionState { let mut client = self.client.borrow_mut(); // Mine and build targets can be the same block. make building take // precedence. - if state - && can_build - && is_nearest_target(shortest_dist, build_target) - { - self.inputs.select_pos = build_target.map(|t| t.position); - client.remove_block(build_target.unwrap().position_int()); + // Order of precedence: build, then mining, then attack. + if let Some(build_target) = build_target.filter(|bt| { + state && can_build && is_nearest_target(shortest_dist, *bt) + }) { + self.inputs.select_pos = Some(build_target.position); + client.remove_block(build_target.position_int()); } else { - if is_mining && is_nearest_target(shortest_dist, mine_target) { - self.inputs.select_pos = mine_target.map(|t| t.position); + if let Some(mine_target) = mine_target.filter(|mt| { + is_mining && is_nearest_target(shortest_dist, *mt) + }) { + self.inputs.select_pos = Some(mine_target.position); } client.handle_input( InputKind::Primary, @@ -491,17 +491,14 @@ impl PlayState for SessionState { }, GameInput::Secondary => { let mut client = self.client.borrow_mut(); - if state - && can_build - && is_nearest_target(shortest_dist, build_target) - { - if let Some(build_target) = build_target { - self.inputs.select_pos = Some(build_target.position); - client.place_block( - build_target.position_int(), - self.selected_block, - ); - } + if let Some(build_target) = build_target.filter(|bt| { + state && can_build && is_nearest_target(shortest_dist, *bt) + }) { + self.inputs.select_pos = Some(build_target.position); + client.place_block( + build_target.position_int(), + self.selected_block, + ); } else { client.handle_input( InputKind::Secondary, diff --git a/voxygen/src/session/target.rs b/voxygen/src/session/target.rs index a79208579a..cef45106cf 100644 --- a/voxygen/src/session/target.rs +++ b/voxygen/src/session/target.rs @@ -1,3 +1,4 @@ +use ordered_float::OrderedFloat; use specs::{Join, WorldExt}; use vek::*; @@ -13,7 +14,7 @@ use common_base::span; #[derive(Clone, Copy, Debug)] pub struct Target { - pub typed: T, + pub kind: T, pub distance: f32, pub position: Vec3, } @@ -98,9 +99,7 @@ pub(super) fn targets_under_cursor( let (mine_pos, _, mine_cam_ray) = is_mining .then(|| find_pos(|b: Block| b.mine_tool().is_some())) .unwrap_or((None, None, None)); - let (_, solid_pos, solid_cam_ray) = can_build - .then(|| find_pos(|b: Block| b.is_solid())) - .unwrap_or((None, None, None)); + let (_, solid_pos, solid_cam_ray) = find_pos(|b: Block| b.is_solid()); // Find shortest cam_dist of non-entity targets. // Note that some of these targets can technically be in Air, such as the @@ -117,7 +116,7 @@ pub(super) fn targets_under_cursor( Some((d, Ok(Some(_)))) => Some(d), _ => None, }) - .min_by(|d1, d2| d1.partial_cmp(d2).unwrap()) + .min_by(|d1, d2| OrderedFloat(*d1).cmp(&OrderedFloat(*d2))) .unwrap_or(MAX_PICKUP_RANGE); // See if ray hits entities @@ -189,16 +188,16 @@ pub(super) fn targets_under_cursor( let dist_to_player = player_cylinder.min_distance(target_cylinder); if dist_to_player < MAX_TARGET_RANGE { Some(Target { - typed: Entity(*e), + kind: Entity(*e), position: p, distance: dist_to_player, }) } else { None } }); - let build_target = if let (Some(position), Some(ray)) = (solid_pos, solid_cam_ray) { - Some(Target { - typed: Build, + let build_target = if can_build { + solid_pos.zip(solid_cam_ray).map(|(position, ray)| Target { + kind: Build, distance: ray.0, position, }) @@ -206,25 +205,19 @@ pub(super) fn targets_under_cursor( None }; - let collect_target = if let (Some(position), Some(ray)) = (collect_pos, collect_cam_ray) { - Some(Target { - typed: Collectable, + let collect_target = collect_pos + .zip(collect_cam_ray) + .map(|(position, ray)| Target { + kind: Collectable, distance: ray.0, position, - }) - } else { - None - }; + }); - let mine_target = if let (Some(position), Some(ray)) = (mine_pos, mine_cam_ray) { - Some(Target { - typed: Mine, - distance: ray.0, - position, - }) - } else { - None - }; + let mine_target = mine_pos.zip(mine_cam_ray).map(|(position, ray)| Target { + kind: Mine, + distance: ray.0, + position, + }); // Return multiple possible targets // GameInput events determine which target to use. From b1adc9c4e0f227871166acc44e8a09240779b16d Mon Sep 17 00:00:00 2001 From: anomaluridae Date: Tue, 17 Aug 2021 22:48:47 -0700 Subject: [PATCH 11/19] build positions for place versus remove block are cleaner (less likely to fail) when apply the +0.01 modifier versus -0.01 modifier selectively. this is equivalent to current master, and is simply more explicit now --- voxygen/src/session/mod.rs | 5 +++-- voxygen/src/session/target.rs | 16 +++++++++------- 2 files changed, 12 insertions(+), 9 deletions(-) diff --git a/voxygen/src/session/mod.rs b/voxygen/src/session/mod.rs index 48010786fb..fa53ad3810 100644 --- a/voxygen/src/session/mod.rs +++ b/voxygen/src/session/mod.rs @@ -494,9 +494,10 @@ impl PlayState for SessionState { if let Some(build_target) = build_target.filter(|bt| { state && can_build && is_nearest_target(shortest_dist, *bt) }) { - self.inputs.select_pos = Some(build_target.position); + let selected_pos = build_target.kind.0; + self.inputs.select_pos = Some(selected_pos); client.place_block( - build_target.position_int(), + selected_pos.map(|p| p.floor() as i32), self.selected_block, ); } else { diff --git a/voxygen/src/session/target.rs b/voxygen/src/session/target.rs index cef45106cf..39e6ecba82 100644 --- a/voxygen/src/session/target.rs +++ b/voxygen/src/session/target.rs @@ -20,7 +20,7 @@ pub struct Target { } #[derive(Clone, Copy, Debug)] -pub struct Build; +pub struct Build(pub Vec3); #[derive(Clone, Copy, Debug)] pub struct Collectable; @@ -99,7 +99,7 @@ pub(super) fn targets_under_cursor( let (mine_pos, _, mine_cam_ray) = is_mining .then(|| find_pos(|b: Block| b.mine_tool().is_some())) .unwrap_or((None, None, None)); - let (_, solid_pos, solid_cam_ray) = find_pos(|b: Block| b.is_solid()); + let (solid_pos, place_block_pos, solid_cam_ray) = find_pos(|b: Block| b.is_solid()); // Find shortest cam_dist of non-entity targets. // Note that some of these targets can technically be in Air, such as the @@ -196,11 +196,13 @@ pub(super) fn targets_under_cursor( }); let build_target = if can_build { - solid_pos.zip(solid_cam_ray).map(|(position, ray)| Target { - kind: Build, - distance: ray.0, - position, - }) + place_block_pos + .zip(solid_pos.zip(solid_cam_ray)) + .map(|(place_pos, (position, ray))| Target { + kind: Build(place_pos), + distance: ray.0, + position, + }) } else { None }; From 07cfa0ef359d519bca6c4580f62ad2a4a180e6cb Mon Sep 17 00:00:00 2001 From: anomaluridae Date: Mon, 23 Aug 2021 17:36:24 -0700 Subject: [PATCH 12/19] add comment for future direction of Interactables. --- voxygen/src/session/interactable.rs | 2 ++ 1 file changed, 2 insertions(+) diff --git a/voxygen/src/session/interactable.rs b/voxygen/src/session/interactable.rs index 54ac3dcfbb..9f8c9629fc 100644 --- a/voxygen/src/session/interactable.rs +++ b/voxygen/src/session/interactable.rs @@ -15,6 +15,8 @@ use common_base::span; use crate::scene::{terrain::Interaction, Scene}; +// TODO: extract mining blocks (the None case in the Block variant) from this +// enum since they don't use the interaction key #[derive(Clone, Copy, Debug)] pub enum Interactable { Block(Block, Vec3, Option), From 0f13db960051f5245a01f8c603d4ea3a167a8b52 Mon Sep 17 00:00:00 2001 From: anomaluridae Date: Mon, 13 Sep 2021 18:51:54 -0700 Subject: [PATCH 13/19] make the ContollerInputs.select_pos be explicitly the breakable blacks for mining --- common/src/comp/controller.rs | 4 ++-- common/src/states/basic_melee.rs | 2 +- common/src/states/charged_melee.rs | 2 +- common/src/states/combo_melee.rs | 2 +- common/src/states/dash_melee.rs | 4 ++-- common/src/states/leap_melee.rs | 2 +- common/src/states/spin_melee.rs | 2 +- voxygen/src/session/mod.rs | 28 ++++++++++++---------------- 8 files changed, 21 insertions(+), 25 deletions(-) diff --git a/common/src/comp/controller.rs b/common/src/comp/controller.rs index 90e85909f8..93f81a49cd 100644 --- a/common/src/comp/controller.rs +++ b/common/src/comp/controller.rs @@ -199,7 +199,7 @@ pub struct ControllerInputs { pub move_z: f32, /* z axis (not combined with move_dir because they may have independent * limits) */ pub look_dir: Dir, - pub select_pos: Option>, + pub break_block_pos: Option>, /// Attempt to enable strafing. /// Currently, setting this to false will *not* disable strafing during a /// wielding character state. @@ -236,7 +236,7 @@ impl ControllerInputs { self.move_dir = new.move_dir; self.move_z = new.move_z; self.look_dir = new.look_dir; - self.select_pos = new.select_pos; + self.break_block_pos = new.break_block_pos; } } diff --git a/common/src/states/basic_melee.rs b/common/src/states/basic_melee.rs index 3e83562c6e..982a93f5d4 100644 --- a/common/src/states/basic_melee.rs +++ b/common/src/states/basic_melee.rs @@ -127,7 +127,7 @@ impl CharacterBehavior for Data { hit_count: 0, break_block: data .inputs - .select_pos + .break_block_pos .map(|p| { ( p.map(|e| e.floor() as i32), diff --git a/common/src/states/charged_melee.rs b/common/src/states/charged_melee.rs index 9ed6d641ff..f3c480f6da 100644 --- a/common/src/states/charged_melee.rs +++ b/common/src/states/charged_melee.rs @@ -180,7 +180,7 @@ impl CharacterBehavior for Data { hit_count: 0, break_block: data .inputs - .select_pos + .break_block_pos .map(|p| { ( p.map(|e| e.floor() as i32), diff --git a/common/src/states/combo_melee.rs b/common/src/states/combo_melee.rs index ce133609ce..df55b12d89 100644 --- a/common/src/states/combo_melee.rs +++ b/common/src/states/combo_melee.rs @@ -284,7 +284,7 @@ impl CharacterBehavior for Data { hit_count: 0, break_block: data .inputs - .select_pos + .break_block_pos .map(|p| { ( p.map(|e| e.floor() as i32), diff --git a/common/src/states/dash_melee.rs b/common/src/states/dash_melee.rs index 6deed4ac07..d616c30b3c 100644 --- a/common/src/states/dash_melee.rs +++ b/common/src/states/dash_melee.rs @@ -165,7 +165,7 @@ impl CharacterBehavior for Data { hit_count: 0, break_block: data .inputs - .select_pos + .break_block_pos .map(|p| { ( p.map(|e| e.floor() as i32), @@ -302,7 +302,7 @@ impl CharacterBehavior for Data { hit_count: 0, break_block: data .inputs - .select_pos + .break_block_pos .map(|p| { ( p.map(|e| e.floor() as i32), diff --git a/common/src/states/leap_melee.rs b/common/src/states/leap_melee.rs index dfcdc6ce67..bc9f09be6b 100644 --- a/common/src/states/leap_melee.rs +++ b/common/src/states/leap_melee.rs @@ -172,7 +172,7 @@ impl CharacterBehavior for Data { hit_count: 0, break_block: data .inputs - .select_pos + .break_block_pos .map(|p| { ( p.map(|e| e.floor() as i32), diff --git a/common/src/states/spin_melee.rs b/common/src/states/spin_melee.rs index 948a75537d..e8372abcec 100644 --- a/common/src/states/spin_melee.rs +++ b/common/src/states/spin_melee.rs @@ -149,7 +149,7 @@ impl CharacterBehavior for Data { hit_count: 0, break_block: data .inputs - .select_pos + .break_block_pos .map(|p| { ( p.map(|e| e.floor() as i32), diff --git a/voxygen/src/session/mod.rs b/voxygen/src/session/mod.rs index fa53ad3810..7092c33239 100644 --- a/voxygen/src/session/mod.rs +++ b/voxygen/src/session/mod.rs @@ -434,17 +434,18 @@ impl PlayState for SessionState { mine_target.filter(|mt| is_mining && is_nearest_target(shortest_dist, *mt)) { self.scene.set_select_pos(Some(mt.position_int())); + self.inputs.break_block_pos = Some(mt.position); } else if let Some(bt) = build_target.filter(|bt| can_build && is_nearest_target(shortest_dist, *bt)) { self.scene.set_select_pos(Some(bt.position_int())); } else { self.scene.set_select_pos(None); - self.inputs.select_pos = entity_target.map(|et| et.position); } // Throw out distance info, it will be useful in the future self.target_entity = entity_target.map(|t| t.kind.0); + let default_select_pos = entity_target.map(|et| et.position); // Handle window events. for event in events { @@ -473,18 +474,18 @@ impl PlayState for SessionState { if let Some(build_target) = build_target.filter(|bt| { state && can_build && is_nearest_target(shortest_dist, *bt) }) { - self.inputs.select_pos = Some(build_target.position); client.remove_block(build_target.position_int()); } else { + let mut select_pos = default_select_pos; if let Some(mine_target) = mine_target.filter(|mt| { is_mining && is_nearest_target(shortest_dist, *mt) }) { - self.inputs.select_pos = Some(mine_target.position); + select_pos = Some(mine_target.position); } client.handle_input( InputKind::Primary, state, - self.inputs.select_pos, + select_pos, self.target_entity, ); } @@ -495,7 +496,6 @@ impl PlayState for SessionState { state && can_build && is_nearest_target(shortest_dist, *bt) }) { let selected_pos = build_target.kind.0; - self.inputs.select_pos = Some(selected_pos); client.place_block( selected_pos.map(|p| p.floor() as i32), self.selected_block, @@ -504,7 +504,7 @@ impl PlayState for SessionState { client.handle_input( InputKind::Secondary, state, - self.inputs.select_pos, + default_select_pos, self.target_entity, ); } @@ -513,7 +513,7 @@ impl PlayState for SessionState { self.client.borrow_mut().handle_input( InputKind::Block, state, - self.inputs.select_pos, + default_select_pos, self.target_entity, ); }, @@ -529,8 +529,6 @@ impl PlayState for SessionState { .ok() .copied() }) { - self.inputs.select_pos = - build_target.map(|t| t.position); self.selected_block = block; } } @@ -538,7 +536,7 @@ impl PlayState for SessionState { client.handle_input( InputKind::Roll, state, - self.inputs.select_pos, + default_select_pos, self.target_entity, ); } @@ -553,7 +551,7 @@ impl PlayState for SessionState { self.client.borrow_mut().handle_input( InputKind::Jump, state, - self.inputs.select_pos, + default_select_pos, self.target_entity, ); }, @@ -628,7 +626,7 @@ impl PlayState for SessionState { self.client.borrow_mut().handle_input( InputKind::Fly, self.key_state.fly, - self.inputs.select_pos, + default_select_pos, self.target_entity, ); }, @@ -704,8 +702,6 @@ impl PlayState for SessionState { match interaction { Some(Interaction::Collect) => { if block.is_collectible() { - self.inputs.select_pos = - collect_target.map(|t| t.position); client.collect_block(pos); } }, @@ -1360,7 +1356,7 @@ impl PlayState for SessionState { self.client.borrow_mut().handle_input( InputKind::Ability(0), state, - self.inputs.select_pos, + default_select_pos, self.target_entity, ); }, @@ -1368,7 +1364,7 @@ impl PlayState for SessionState { self.client.borrow_mut().handle_input( InputKind::Ability(1), state, - self.inputs.select_pos, + default_select_pos, self.target_entity, ); }, From a02488ddd995ce0d9362d55ce5f056a91d5ece3e Mon Sep 17 00:00:00 2001 From: anomaluridae Date: Mon, 13 Sep 2021 18:56:13 -0700 Subject: [PATCH 14/19] properly use the target vs pickup range, in choosing the interactable. when finding the target_entity, use the proper limited dist range (cast_dist) with the proper upper bounds. --- common/src/consts.rs | 2 ++ voxygen/src/session/interactable.rs | 4 ++-- voxygen/src/session/target.rs | 6 ++---- 3 files changed, 6 insertions(+), 6 deletions(-) diff --git a/common/src/consts.rs b/common/src/consts.rs index 48c0adfaac..8bd4bbe1fe 100644 --- a/common/src/consts.rs +++ b/common/src/consts.rs @@ -1,6 +1,8 @@ // The limit on distance between the entity and a collectible (squared) pub const MAX_PICKUP_RANGE: f32 = 5.0; pub const MAX_MOUNT_RANGE: f32 = 14.0; +/// Max distance an entity can be "targeted" +pub const MAX_TARGET_RANGE: f32 = 300.0; pub const GRAVITY: f32 = 25.0; pub const FRIC_GROUND: f32 = 0.15; diff --git a/voxygen/src/session/interactable.rs b/voxygen/src/session/interactable.rs index 9f8c9629fc..6a4cbc9303 100644 --- a/voxygen/src/session/interactable.rs +++ b/voxygen/src/session/interactable.rs @@ -6,7 +6,7 @@ use super::target::{self, Target}; use client::Client; use common::{ comp, - consts::MAX_PICKUP_RANGE, + consts::{MAX_PICKUP_RANGE, MAX_TARGET_RANGE}, terrain::Block, util::find_dist::{Cube, Cylinder, FindDist}, vol::ReadVol, @@ -62,7 +62,7 @@ pub(super) fn select_interactable( if let Some(interactable) = entity_target .and_then(|t| { - if t.distance < MAX_PICKUP_RANGE { + if t.distance < MAX_TARGET_RANGE { let entity = t.kind.0; Some(Interactable::Entity(entity)) } else { diff --git a/voxygen/src/session/target.rs b/voxygen/src/session/target.rs index 39e6ecba82..28ad6320d2 100644 --- a/voxygen/src/session/target.rs +++ b/voxygen/src/session/target.rs @@ -5,7 +5,7 @@ use vek::*; use client::{self, Client}; use common::{ comp, - consts::MAX_PICKUP_RANGE, + consts::{MAX_PICKUP_RANGE, MAX_TARGET_RANGE}, terrain::Block, util::find_dist::{Cylinder, FindDist}, vol::ReadVol, @@ -35,8 +35,6 @@ impl Target { pub fn position_int(self) -> Vec3 { self.position.map(|p| p.floor() as i32) } } -/// Max distance an entity can be "targeted" -const MAX_TARGET_RANGE: f32 = 300.0; /// Calculate what the cursor is pointing at within the 3d scene #[allow(clippy::type_complexity)] pub(super) fn targets_under_cursor( @@ -168,7 +166,7 @@ pub(super) fn targets_under_cursor( let seg_ray = LineSegment3 { start: cam_pos, - end: cam_pos + cam_dir * shortest_cam_dist, + end: cam_pos + cam_dir * cast_dist, }; // TODO: fuzzy borders let entity_target = nearby From 2789d2ae292dc62c0ec53bf9923552c2edbdf461 Mon Sep 17 00:00:00 2001 From: anomaluridae Date: Tue, 14 Sep 2021 14:16:52 -0700 Subject: [PATCH 15/19] intentional use of terrain targeting and select_pos as passed to the event handler. select_pos is None when not needed. --- voxygen/src/session/mod.rs | 31 ++++++++++++++++--------------- voxygen/src/session/target.rs | 25 +++++++++++++++++++++---- 2 files changed, 37 insertions(+), 19 deletions(-) diff --git a/voxygen/src/session/mod.rs b/voxygen/src/session/mod.rs index 7092c33239..1f6cc70362 100644 --- a/voxygen/src/session/mod.rs +++ b/voxygen/src/session/mod.rs @@ -412,8 +412,14 @@ impl PlayState for SessionState { && client.is_wielding() == Some(true); // Check to see whether we're aiming at anything - let (build_target, collect_target, entity_target, mine_target, shortest_dist) = - targets_under_cursor(&client, cam_pos, cam_dir, can_build, is_mining); + let ( + build_target, + collect_target, + entity_target, + mine_target, + terrain_target, + shortest_dist, + ) = targets_under_cursor(&client, cam_pos, cam_dir, can_build, is_mining); self.interactable = select_interactable( &client, @@ -442,10 +448,11 @@ impl PlayState for SessionState { } else { self.scene.set_select_pos(None); } + // filled block in line of sight + let default_select_pos = terrain_target.map(|tt| tt.position); // Throw out distance info, it will be useful in the future self.target_entity = entity_target.map(|t| t.kind.0); - let default_select_pos = entity_target.map(|et| et.position); // Handle window events. for event in events { @@ -476,16 +483,10 @@ impl PlayState for SessionState { }) { client.remove_block(build_target.position_int()); } else { - let mut select_pos = default_select_pos; - if let Some(mine_target) = mine_target.filter(|mt| { - is_mining && is_nearest_target(shortest_dist, *mt) - }) { - select_pos = Some(mine_target.position); - } client.handle_input( InputKind::Primary, state, - select_pos, + default_select_pos, self.target_entity, ); } @@ -504,7 +505,7 @@ impl PlayState for SessionState { client.handle_input( InputKind::Secondary, state, - default_select_pos, + None, self.target_entity, ); } @@ -513,7 +514,7 @@ impl PlayState for SessionState { self.client.borrow_mut().handle_input( InputKind::Block, state, - default_select_pos, + None, self.target_entity, ); }, @@ -536,7 +537,7 @@ impl PlayState for SessionState { client.handle_input( InputKind::Roll, state, - default_select_pos, + None, self.target_entity, ); } @@ -551,7 +552,7 @@ impl PlayState for SessionState { self.client.borrow_mut().handle_input( InputKind::Jump, state, - default_select_pos, + None, self.target_entity, ); }, @@ -626,7 +627,7 @@ impl PlayState for SessionState { self.client.borrow_mut().handle_input( InputKind::Fly, self.key_state.fly, - default_select_pos, + None, self.target_entity, ); }, diff --git a/voxygen/src/session/target.rs b/voxygen/src/session/target.rs index 28ad6320d2..d4551e011a 100644 --- a/voxygen/src/session/target.rs +++ b/voxygen/src/session/target.rs @@ -31,6 +31,10 @@ pub struct Entity(pub specs::Entity); #[derive(Clone, Copy, Debug)] pub struct Mine; +#[derive(Clone, Copy, Debug)] +// line of sight (if not bocked by entity). Not build/mine mode dependent. +pub struct Terrain; + impl Target { pub fn position_int(self) -> Vec3 { self.position.map(|p| p.floor() as i32) } } @@ -48,6 +52,7 @@ pub(super) fn targets_under_cursor( Option>, Option>, Option>, + Option>, f32, ) { span!(_guard, "targets_under_cursor"); @@ -193,12 +198,23 @@ pub(super) fn targets_under_cursor( } else { None } }); - let build_target = if can_build { + let solid_ray_dist = solid_cam_ray.map(|r| r.0); + let terrain_target = if let (None, Some(distance)) = (entity_target, solid_ray_dist) { + solid_pos.map(|position| Target { + kind: Terrain, + distance, + position, + }) + } else { + None + }; + + let build_target = if let (true, Some(distance)) = (can_build, solid_ray_dist) { place_block_pos - .zip(solid_pos.zip(solid_cam_ray)) - .map(|(place_pos, (position, ray))| Target { + .zip(solid_pos) + .map(|(place_pos, position)| Target { kind: Build(place_pos), - distance: ray.0, + distance, position, }) } else { @@ -226,6 +242,7 @@ pub(super) fn targets_under_cursor( collect_target, entity_target, mine_target, + terrain_target, shortest_cam_dist, ) } From a7cee0f11b2581c1cc920bb4ba1d23a47d006266 Mon Sep 17 00:00:00 2001 From: anomaluridae Date: Tue, 14 Sep 2021 14:30:01 -0700 Subject: [PATCH 16/19] keep MAX_TARGET_RANGE within voxygen --- common/src/consts.rs | 2 -- voxygen/src/session/interactable.rs | 4 ++-- voxygen/src/session/target.rs | 5 ++++- 3 files changed, 6 insertions(+), 5 deletions(-) diff --git a/common/src/consts.rs b/common/src/consts.rs index 8bd4bbe1fe..48c0adfaac 100644 --- a/common/src/consts.rs +++ b/common/src/consts.rs @@ -1,8 +1,6 @@ // The limit on distance between the entity and a collectible (squared) pub const MAX_PICKUP_RANGE: f32 = 5.0; pub const MAX_MOUNT_RANGE: f32 = 14.0; -/// Max distance an entity can be "targeted" -pub const MAX_TARGET_RANGE: f32 = 300.0; pub const GRAVITY: f32 = 25.0; pub const FRIC_GROUND: f32 = 0.15; diff --git a/voxygen/src/session/interactable.rs b/voxygen/src/session/interactable.rs index 6a4cbc9303..b2d8fee519 100644 --- a/voxygen/src/session/interactable.rs +++ b/voxygen/src/session/interactable.rs @@ -2,11 +2,11 @@ use ordered_float::OrderedFloat; use specs::{Join, WorldExt}; use vek::*; -use super::target::{self, Target}; +use super::target::{self, MAX_TARGET_RANGE, Target}; use client::Client; use common::{ comp, - consts::{MAX_PICKUP_RANGE, MAX_TARGET_RANGE}, + consts::MAX_PICKUP_RANGE, terrain::Block, util::find_dist::{Cube, Cylinder, FindDist}, vol::ReadVol, diff --git a/voxygen/src/session/target.rs b/voxygen/src/session/target.rs index d4551e011a..2c8a767cc5 100644 --- a/voxygen/src/session/target.rs +++ b/voxygen/src/session/target.rs @@ -5,7 +5,7 @@ use vek::*; use client::{self, Client}; use common::{ comp, - consts::{MAX_PICKUP_RANGE, MAX_TARGET_RANGE}, + consts::MAX_PICKUP_RANGE, terrain::Block, util::find_dist::{Cylinder, FindDist}, vol::ReadVol, @@ -39,6 +39,9 @@ impl Target { pub fn position_int(self) -> Vec3 { self.position.map(|p| p.floor() as i32) } } +/// Max distance an entity can be "targeted" +pub const MAX_TARGET_RANGE: f32 = 300.0; + /// Calculate what the cursor is pointing at within the 3d scene #[allow(clippy::type_complexity)] pub(super) fn targets_under_cursor( From f3d8adf3fa0cad9bcbe80a6052de228b9351528d Mon Sep 17 00:00:00 2001 From: anomaluridae Date: Tue, 14 Sep 2021 23:10:55 -0700 Subject: [PATCH 17/19] choose nearest target, from a specific subset of targets, for scene highlighting vs interactable vs game primary/secondary key input --- voxygen/src/session/interactable.rs | 56 +++++++++++++++++++---------- voxygen/src/session/mod.rs | 56 ++++++++++++++++++----------- voxygen/src/session/target.rs | 21 ----------- 3 files changed, 72 insertions(+), 61 deletions(-) diff --git a/voxygen/src/session/interactable.rs b/voxygen/src/session/interactable.rs index b2d8fee519..52b0b7a631 100644 --- a/voxygen/src/session/interactable.rs +++ b/voxygen/src/session/interactable.rs @@ -2,7 +2,10 @@ use ordered_float::OrderedFloat; use specs::{Join, WorldExt}; use vek::*; -use super::target::{self, MAX_TARGET_RANGE, Target}; +use super::{ + find_shortest_distance, + target::{self, Target, MAX_TARGET_RANGE}, +}; use client::Client; use common::{ comp, @@ -34,11 +37,11 @@ impl Interactable { /// Select interactable to hightlight, display interaction text for, and to /// interact with if the interact key is pressed -/// Selected in the following order -/// 1) Targeted items, in order of preference: +/// Selected in the following order: +/// 1) Targeted items, in order of nearest under cursor: /// (a) entity (if within range) /// (b) collectable -/// (c) can be mined +/// (c) can be mined, and is a mine sprite (Air) not a weak rock. /// 2) outside of targeted cam ray /// -> closest of nearest interactable entity/block pub(super) fn select_interactable( @@ -51,6 +54,12 @@ pub(super) fn select_interactable( span!(_guard, "select_interactable"); use common::{spiral::Spiral2d, terrain::TerrainChunk, vol::RectRasterableVol}; + let nearest_dist = find_shortest_distance(&mut [ + mine_target.map(|t| t.distance), + entity_target.map(|t| t.distance), + collect_target.map(|t| t.distance), + ]); + fn get_block(client: &Client, target: Target) -> Option { client .state() @@ -62,7 +71,7 @@ pub(super) fn select_interactable( if let Some(interactable) = entity_target .and_then(|t| { - if t.distance < MAX_TARGET_RANGE { + if t.distance < MAX_TARGET_RANGE && Some(t.distance) == nearest_dist { let entity = t.kind.0; Some(Interactable::Entity(entity)) } else { @@ -71,24 +80,33 @@ pub(super) fn select_interactable( }) .or_else(|| { collect_target.and_then(|t| { - get_block(client, t) - .map(|b| Interactable::Block(b, t.position_int(), Some(Interaction::Collect))) + if Some(t.distance) == nearest_dist { + get_block(client, t).map(|b| { + Interactable::Block(b, t.position_int(), Some(Interaction::Collect)) + }) + } else { + None + } }) }) .or_else(|| { mine_target.and_then(|t| { - get_block(client, t).and_then(|b| { - // Handling edge detection. sometimes the casting (in Target mod) returns a - // position which is actually empty, which we do not want labeled as an - // interactable. We are only returning the mineable air - // elements (e.g. minerals). The mineable weakrock are used - // in the terrain selected_pos, but is not an interactable. - if b.mine_tool().is_some() && b.is_air() { - Some(Interactable::Block(b, t.position_int(), None)) - } else { - None - } - }) + if Some(t.distance) == nearest_dist { + get_block(client, t).and_then(|b| { + // Handling edge detection. sometimes the casting (in Target mod) returns a + // position which is actually empty, which we do not want labeled as an + // interactable. We are only returning the mineable air + // elements (e.g. minerals). The mineable weakrock are used + // in the terrain selected_pos, but is not an interactable. + if b.mine_tool().is_some() && b.is_air() { + Some(Interactable::Block(b, t.position_int(), None)) + } else { + None + } + }) + } else { + None + } }) }) { diff --git a/voxygen/src/session/mod.rs b/voxygen/src/session/mod.rs index 1f6cc70362..803ede58d6 100644 --- a/voxygen/src/session/mod.rs +++ b/voxygen/src/session/mod.rs @@ -50,7 +50,7 @@ use crate::{ use hashbrown::HashMap; use interactable::{select_interactable, Interactable}; use settings_change::Language::ChangeLanguage; -use target::{targets_under_cursor, Target}; +use target::targets_under_cursor; #[cfg(feature = "egui-ui")] use voxygen_egui::EguiDebugInfo; @@ -412,14 +412,8 @@ impl PlayState for SessionState { && client.is_wielding() == Some(true); // Check to see whether we're aiming at anything - let ( - build_target, - collect_target, - entity_target, - mine_target, - terrain_target, - shortest_dist, - ) = targets_under_cursor(&client, cam_pos, cam_dir, can_build, is_mining); + let (build_target, collect_target, entity_target, mine_target, terrain_target) = + targets_under_cursor(&client, cam_pos, cam_dir, can_build, is_mining); self.interactable = select_interactable( &client, @@ -431,23 +425,37 @@ impl PlayState for SessionState { drop(client); - fn is_nearest_target(shortest_dist: f32, target: Target) -> bool { - target.distance <= shortest_dist - } - - // Only highlight terrain blocks which can be interacted with - if let Some(mt) = - mine_target.filter(|mt| is_mining && is_nearest_target(shortest_dist, *mt)) + // Nearest block to consider with GameInput primary or secondary key. + let nearest_block_dist = find_shortest_distance(&mut [ + mine_target.filter(|_| is_mining).map(|t| t.distance), + build_target.filter(|_| can_build).map(|t| t.distance), + ]); + // Nearest block to be highlighted in the scene (self.scene.set_select_pos). + let nearest_scene_dist = find_shortest_distance(&mut [ + nearest_block_dist, + collect_target.filter(|_| !is_mining).map(|t| t.distance), + ]); + // Set break_block_pos only if mining is closest. + self.inputs.break_block_pos = if let Some(mt) = + mine_target.filter(|mt| is_mining && nearest_scene_dist == Some(mt.distance)) { self.scene.set_select_pos(Some(mt.position_int())); - self.inputs.break_block_pos = Some(mt.position); + Some(mt.position) } else if let Some(bt) = - build_target.filter(|bt| can_build && is_nearest_target(shortest_dist, *bt)) + build_target.filter(|bt| can_build && nearest_scene_dist == Some(bt.distance)) { self.scene.set_select_pos(Some(bt.position_int())); + None + } else if let Some(ct) = + collect_target.filter(|ct| nearest_scene_dist == Some(ct.distance)) + { + self.scene.set_select_pos(Some(ct.position_int())); + None } else { self.scene.set_select_pos(None); - } + None + }; + // filled block in line of sight let default_select_pos = terrain_target.map(|tt| tt.position); @@ -479,7 +487,7 @@ impl PlayState for SessionState { // precedence. // Order of precedence: build, then mining, then attack. if let Some(build_target) = build_target.filter(|bt| { - state && can_build && is_nearest_target(shortest_dist, *bt) + state && can_build && nearest_block_dist == Some(bt.distance) }) { client.remove_block(build_target.position_int()); } else { @@ -494,7 +502,7 @@ impl PlayState for SessionState { GameInput::Secondary => { let mut client = self.client.borrow_mut(); if let Some(build_target) = build_target.filter(|bt| { - state && can_build && is_nearest_target(shortest_dist, *bt) + state && can_build && nearest_block_dist == Some(bt.distance) }) { let selected_pos = build_target.kind.0; client.place_block( @@ -1533,3 +1541,9 @@ impl PlayState for SessionState { fn egui_enabled(&self) -> bool { true } } + +fn find_shortest_distance(arr: &mut [Option]) -> Option { + arr.iter() + .filter_map(|x| *x) + .min_by(|d1, d2| OrderedFloat(*d1).cmp(&OrderedFloat(*d2))) +} diff --git a/voxygen/src/session/target.rs b/voxygen/src/session/target.rs index 2c8a767cc5..4ccc97784b 100644 --- a/voxygen/src/session/target.rs +++ b/voxygen/src/session/target.rs @@ -1,4 +1,3 @@ -use ordered_float::OrderedFloat; use specs::{Join, WorldExt}; use vek::*; @@ -56,7 +55,6 @@ pub(super) fn targets_under_cursor( Option>, Option>, Option>, - f32, ) { span!(_guard, "targets_under_cursor"); // Choose a spot above the player's head for item distance checks @@ -107,24 +105,6 @@ pub(super) fn targets_under_cursor( .unwrap_or((None, None, None)); let (solid_pos, place_block_pos, solid_cam_ray) = find_pos(|b: Block| b.is_solid()); - // Find shortest cam_dist of non-entity targets. - // Note that some of these targets can technically be in Air, such as the - // collectable. - let shortest_cam_dist = [&collect_cam_ray, &solid_cam_ray] - .iter() - .chain( - is_mining - .then(|| [&mine_cam_ray]) - .unwrap_or([&solid_cam_ray]) - .iter(), - ) - .filter_map(|x| match **x { - Some((d, Ok(Some(_)))) => Some(d), - _ => None, - }) - .min_by(|d1, d2| OrderedFloat(*d1).cmp(&OrderedFloat(*d2))) - .unwrap_or(MAX_PICKUP_RANGE); - // See if ray hits entities // Don't cast through blocks, (hence why use shortest_cam_dist from non-entity // targets) Could check for intersection with entity from last frame to @@ -246,6 +226,5 @@ pub(super) fn targets_under_cursor( entity_target, mine_target, terrain_target, - shortest_cam_dist, ) } From dc76d5c05f20e7d97912457731f505f903350a68 Mon Sep 17 00:00:00 2001 From: anomaluridae Date: Tue, 14 Sep 2021 23:40:49 -0700 Subject: [PATCH 18/19] is_solid() detects both solid rock and sprites (e.g. mineable ore). when in build mode, would like to be able to still mine if user cursor is over a mineable ore. so need to properly cast the build ray to use opaque (not fillable) blocks to get the proper position, vs the mineable block which may be nearer --- common/src/terrain/block.rs | 1 + voxygen/src/session/target.rs | 2 +- 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/common/src/terrain/block.rs b/common/src/terrain/block.rs index c675202462..71b0c861c4 100644 --- a/common/src/terrain/block.rs +++ b/common/src/terrain/block.rs @@ -217,6 +217,7 @@ impl Block { } } + // Filled blocks or sprites #[inline] pub fn is_solid(&self) -> bool { self.get_sprite() diff --git a/voxygen/src/session/target.rs b/voxygen/src/session/target.rs index 4ccc97784b..b1bfaa61a1 100644 --- a/voxygen/src/session/target.rs +++ b/voxygen/src/session/target.rs @@ -103,7 +103,7 @@ pub(super) fn targets_under_cursor( let (mine_pos, _, mine_cam_ray) = is_mining .then(|| find_pos(|b: Block| b.mine_tool().is_some())) .unwrap_or((None, None, None)); - let (solid_pos, place_block_pos, solid_cam_ray) = find_pos(|b: Block| b.is_solid()); + let (solid_pos, place_block_pos, solid_cam_ray) = find_pos(|b: Block| b.is_opaque()); // See if ray hits entities // Don't cast through blocks, (hence why use shortest_cam_dist from non-entity From d0629224d24a16bd0595d05962a4c417406e98ab Mon Sep 17 00:00:00 2001 From: anomaluridae Date: Wed, 15 Sep 2021 13:38:44 -0700 Subject: [PATCH 19/19] remove unneeded mut, provide default_select_pos to secondry key event handler, and use the is_filled() over the is_opaque() to be reader friendly --- voxygen/src/session/interactable.rs | 2 +- voxygen/src/session/mod.rs | 8 ++++---- voxygen/src/session/target.rs | 2 +- 3 files changed, 6 insertions(+), 6 deletions(-) diff --git a/voxygen/src/session/interactable.rs b/voxygen/src/session/interactable.rs index 52b0b7a631..9e04ca55fc 100644 --- a/voxygen/src/session/interactable.rs +++ b/voxygen/src/session/interactable.rs @@ -54,7 +54,7 @@ pub(super) fn select_interactable( span!(_guard, "select_interactable"); use common::{spiral::Spiral2d, terrain::TerrainChunk, vol::RectRasterableVol}; - let nearest_dist = find_shortest_distance(&mut [ + let nearest_dist = find_shortest_distance(&[ mine_target.map(|t| t.distance), entity_target.map(|t| t.distance), collect_target.map(|t| t.distance), diff --git a/voxygen/src/session/mod.rs b/voxygen/src/session/mod.rs index 803ede58d6..6e39ff8504 100644 --- a/voxygen/src/session/mod.rs +++ b/voxygen/src/session/mod.rs @@ -426,12 +426,12 @@ impl PlayState for SessionState { drop(client); // Nearest block to consider with GameInput primary or secondary key. - let nearest_block_dist = find_shortest_distance(&mut [ + let nearest_block_dist = find_shortest_distance(&[ mine_target.filter(|_| is_mining).map(|t| t.distance), build_target.filter(|_| can_build).map(|t| t.distance), ]); // Nearest block to be highlighted in the scene (self.scene.set_select_pos). - let nearest_scene_dist = find_shortest_distance(&mut [ + let nearest_scene_dist = find_shortest_distance(&[ nearest_block_dist, collect_target.filter(|_| !is_mining).map(|t| t.distance), ]); @@ -513,7 +513,7 @@ impl PlayState for SessionState { client.handle_input( InputKind::Secondary, state, - None, + default_select_pos, self.target_entity, ); } @@ -1542,7 +1542,7 @@ impl PlayState for SessionState { fn egui_enabled(&self) -> bool { true } } -fn find_shortest_distance(arr: &mut [Option]) -> Option { +fn find_shortest_distance(arr: &[Option]) -> Option { arr.iter() .filter_map(|x| *x) .min_by(|d1, d2| OrderedFloat(*d1).cmp(&OrderedFloat(*d2))) diff --git a/voxygen/src/session/target.rs b/voxygen/src/session/target.rs index b1bfaa61a1..c2f93fe859 100644 --- a/voxygen/src/session/target.rs +++ b/voxygen/src/session/target.rs @@ -103,7 +103,7 @@ pub(super) fn targets_under_cursor( let (mine_pos, _, mine_cam_ray) = is_mining .then(|| find_pos(|b: Block| b.mine_tool().is_some())) .unwrap_or((None, None, None)); - let (solid_pos, place_block_pos, solid_cam_ray) = find_pos(|b: Block| b.is_opaque()); + let (solid_pos, place_block_pos, solid_cam_ray) = find_pos(|b: Block| b.is_filled()); // See if ray hits entities // Don't cast through blocks, (hence why use shortest_cam_dist from non-entity