1
2
Fork 0
mirror of https://github.com/mat-1/azalea.git synced 2025-08-02 23:44:38 +00:00

pathfinder: don't spin while descending

This commit is contained in:
mat 2023-09-30 15:42:59 -05:00
commit af5134a0f9
5 changed files with 112 additions and 28 deletions

View file

@ -381,6 +381,8 @@ impl Client {
/// An event sent when the client starts walking. This does not get sent for /// An event sent when the client starts walking. This does not get sent for
/// non-local entities. /// non-local entities.
///
/// To stop walking or sprinting, send this event with `WalkDirection::None`.
#[derive(Event, Debug)] #[derive(Event, Debug)]
pub struct StartWalkEvent { pub struct StartWalkEvent {
pub entity: Entity, pub entity: Entity,

View file

@ -12,10 +12,10 @@ default nightly`.
Then, add one of the following lines to your Cargo.toml: Then, add one of the following lines to your Cargo.toml:
Latest bleeding-edge version: Latest bleeding-edge version (recommended):
`azalea = { git="https://github.com/mat-1/azalea" }`\ `azalea = { git="https://github.com/mat-1/azalea" }`\
Latest "stable" release: Latest "stable" release:
`azalea = "0.7.0"` `azalea = "0.8.0"`
## Optimization ## Optimization

View file

@ -35,7 +35,7 @@ use std::collections::VecDeque;
use std::sync::Arc; use std::sync::Arc;
use std::time::{Duration, Instant}; use std::time::{Duration, Instant};
use self::moves::ExecuteCtx; use self::moves::{ExecuteCtx, IsReachedCtx, SuccessorsFn};
#[derive(Clone, Default)] #[derive(Clone, Default)]
pub struct PathfinderPlugin; pub struct PathfinderPlugin;
@ -75,12 +75,16 @@ pub struct Pathfinder {
pub last_reached_node: Option<BlockPos>, pub last_reached_node: Option<BlockPos>,
pub last_node_reached_at: Option<Instant>, pub last_node_reached_at: Option<Instant>,
pub goal: Option<Arc<dyn Goal + Send + Sync>>, pub goal: Option<Arc<dyn Goal + Send + Sync>>,
pub successors_fn: Option<SuccessorsFn>,
pub is_calculating: bool, pub is_calculating: bool,
} }
#[derive(Event)] #[derive(Event)]
pub struct GotoEvent { pub struct GotoEvent {
pub entity: Entity, pub entity: Entity,
pub goal: Arc<dyn Goal + Send + Sync>, pub goal: Arc<dyn Goal + Send + Sync>,
/// The function that's used for checking what moves are possible. Usually
/// `pathfinder::moves::basic::basic_move`
pub successors_fn: SuccessorsFn,
} }
#[derive(Event)] #[derive(Event)]
pub struct PathFoundEvent { pub struct PathFoundEvent {
@ -88,6 +92,7 @@ pub struct PathFoundEvent {
pub start: BlockPos, pub start: BlockPos,
pub path: Option<VecDeque<astar::Movement<BlockPos, moves::MoveData>>>, pub path: Option<VecDeque<astar::Movement<BlockPos, moves::MoveData>>>,
pub is_partial: bool, pub is_partial: bool,
pub successors_fn: SuccessorsFn,
} }
#[allow(clippy::type_complexity)] #[allow(clippy::type_complexity)]
@ -116,6 +121,7 @@ impl PathfinderClientExt for azalea_client::Client {
self.ecs.lock().send_event(GotoEvent { self.ecs.lock().send_event(GotoEvent {
entity: self.entity, entity: self.entity,
goal: Arc::new(goal), goal: Arc::new(goal),
successors_fn: moves::basic::basic_move,
}); });
} }
} }
@ -129,8 +135,6 @@ fn goto_listener(
mut query: Query<(&mut Pathfinder, &Position, &InstanceName)>, mut query: Query<(&mut Pathfinder, &Position, &InstanceName)>,
instance_container: Res<InstanceContainer>, instance_container: Res<InstanceContainer>,
) { ) {
let successors_fn = moves::basic::basic_move;
let thread_pool = AsyncComputeTaskPool::get(); let thread_pool = AsyncComputeTaskPool::get();
for event in events.iter() { for event in events.iter() {
@ -140,6 +144,7 @@ fn goto_listener(
// we store the goal so it can be recalculated later if necessary // we store the goal so it can be recalculated later if necessary
pathfinder.goal = Some(event.goal.clone()); pathfinder.goal = Some(event.goal.clone());
pathfinder.successors_fn = Some(event.successors_fn.clone());
pathfinder.is_calculating = true; pathfinder.is_calculating = true;
let start = if pathfinder.path.is_empty() { let start = if pathfinder.path.is_empty() {
@ -157,6 +162,8 @@ fn goto_listener(
BlockPos::from(position) BlockPos::from(position)
); );
let successors_fn: moves::SuccessorsFn = event.successors_fn;
let world_lock = instance_container let world_lock = instance_container
.get(instance_name) .get(instance_name)
.expect("Entity tried to pathfind but the entity isn't in a valid world"); .expect("Entity tried to pathfind but the entity isn't in a valid world");
@ -216,6 +223,7 @@ fn goto_listener(
start, start,
path: Some(path), path: Some(path),
is_partial, is_partial,
successors_fn,
}) })
}); });
@ -266,7 +274,7 @@ fn path_found_listener(
let world_lock = instance_container.get(instance_name).expect( let world_lock = instance_container.get(instance_name).expect(
"Entity tried to pathfind but the entity isn't in a valid world", "Entity tried to pathfind but the entity isn't in a valid world",
); );
let successors_fn = moves::basic::basic_move; let successors_fn: moves::SuccessorsFn = event.successors_fn;
let successors = |pos: BlockPos| { let successors = |pos: BlockPos| {
let world = world_lock.read(); let world = world_lock.read();
successors_fn(&world, pos) successors_fn(&world, pos)
@ -312,14 +320,16 @@ fn tick_execute_path(
mut goto_events: EventWriter<GotoEvent>, mut goto_events: EventWriter<GotoEvent>,
instance_container: Res<InstanceContainer>, instance_container: Res<InstanceContainer>,
) { ) {
let successors_fn = moves::basic::basic_move;
for (entity, mut pathfinder, position, physics, instance_name) in &mut query { for (entity, mut pathfinder, position, physics, instance_name) in &mut query {
if pathfinder.goal.is_none() { if pathfinder.goal.is_none() {
// no goal, no pathfinding // no goal, no pathfinding
continue; continue;
} }
let successors_fn: moves::SuccessorsFn = pathfinder
.successors_fn
.expect("pathfinder.successors_fn should be Some if the goal is Some");
let world_lock = instance_container let world_lock = instance_container
.get(instance_name) .get(instance_name)
.expect("Entity tried to pathfind but the entity isn't in a valid world"); .expect("Entity tried to pathfind but the entity isn't in a valid world");
@ -349,7 +359,15 @@ fn tick_execute_path(
.take(10) .take(10)
.rev() .rev()
{ {
if is_goal_reached(movement.target, position, physics) { let is_reached_ctx = IsReachedCtx {
target: movement.target,
start: pathfinder.last_reached_node.expect(
"pathfinder.last_node_reached_at should always be present if there's a path",
),
position: **position,
physics,
};
if (movement.data.is_reached)(is_reached_ctx) {
pathfinder.path = pathfinder.path.split_off(i + 1); pathfinder.path = pathfinder.path.split_off(i + 1);
pathfinder.last_reached_node = Some(movement.target); pathfinder.last_reached_node = Some(movement.target);
pathfinder.last_node_reached_at = Some(Instant::now()); pathfinder.last_node_reached_at = Some(Instant::now());
@ -384,6 +402,7 @@ fn tick_execute_path(
if goal.success(movement.target) { if goal.success(movement.target) {
info!("goal was reached!"); info!("goal was reached!");
pathfinder.goal = None; pathfinder.goal = None;
pathfinder.successors_fn = None;
} }
} }
} }
@ -397,6 +416,9 @@ fn tick_execute_path(
entity, entity,
target: movement.target, target: movement.target,
position: **position, position: **position,
start: pathfinder.last_reached_node.expect(
"pathfinder.last_reached_node should always be present if there's a path",
),
look_at_events: &mut look_at_events, look_at_events: &mut look_at_events,
sprint_events: &mut sprint_events, sprint_events: &mut sprint_events,
walk_events: &mut walk_events, walk_events: &mut walk_events,
@ -429,7 +451,11 @@ fn tick_execute_path(
{ {
if let Some(goal) = pathfinder.goal.as_ref().cloned() { if let Some(goal) = pathfinder.goal.as_ref().cloned() {
debug!("Recalculating path because it ends soon"); debug!("Recalculating path because it ends soon");
goto_events.send(GotoEvent { entity, goal }); goto_events.send(GotoEvent {
entity,
goal,
successors_fn,
});
if pathfinder.path.is_empty() { if pathfinder.path.is_empty() {
if let Some(new_path) = pathfinder.queued_path.take() { if let Some(new_path) = pathfinder.queued_path.take() {
@ -478,13 +504,6 @@ pub trait Goal {
fn success(&self, n: BlockPos) -> bool; fn success(&self, n: BlockPos) -> bool;
} }
/// Returns whether the entity is at the node and should start going to the
/// next node.
#[must_use]
pub fn is_goal_reached(goal_pos: BlockPos, current_pos: &Position, physics: &Physics) -> bool {
BlockPos::from(current_pos) == goal_pos && physics.on_ground
}
/// Checks whether the path has been obstructed, and returns Some(index) if it /// Checks whether the path has been obstructed, and returns Some(index) if it
/// has been. The index is of the first obstructed node. /// has been. The index is of the first obstructed node.
fn check_path_obstructed<SuccessorsFn>( fn check_path_obstructed<SuccessorsFn>(
@ -524,6 +543,7 @@ mod tests {
use super::{ use super::{
goals::BlockPosGoal, goals::BlockPosGoal,
moves,
simulation::{SimulatedPlayerBundle, Simulation}, simulation::{SimulatedPlayerBundle, Simulation},
GotoEvent, GotoEvent,
}; };
@ -560,6 +580,7 @@ mod tests {
simulation.app.world.send_event(GotoEvent { simulation.app.world.send_event(GotoEvent {
entity: simulation.entity, entity: simulation.entity,
goal: Arc::new(BlockPosGoal(end_pos)), goal: Arc::new(BlockPosGoal(end_pos)),
successors_fn: moves::basic::basic_move,
}); });
simulation simulation
} }

View file

@ -10,7 +10,8 @@ use crate::{
}; };
use super::{ use super::{
fall_distance, is_block_passable, is_passable, is_standable, Edge, ExecuteCtx, MoveData, default_is_reached, fall_distance, is_block_passable, is_passable, is_standable, Edge,
ExecuteCtx, IsReachedCtx, MoveData,
}; };
pub fn basic_move(world: &Instance, node: BlockPos) -> Vec<Edge> { pub fn basic_move(world: &Instance, node: BlockPos) -> Vec<Edge> {
@ -38,6 +39,7 @@ fn forward_move(world: &Instance, pos: BlockPos) -> Vec<Edge> {
target: pos + offset, target: pos + offset,
data: MoveData { data: MoveData {
execute: &execute_forward_move, execute: &execute_forward_move,
is_reached: &default_is_reached,
}, },
}, },
cost, cost,
@ -86,6 +88,7 @@ fn ascend_move(world: &Instance, pos: BlockPos) -> Vec<Edge> {
target: pos + offset, target: pos + offset,
data: MoveData { data: MoveData {
execute: &execute_ascend_move, execute: &execute_ascend_move,
is_reached: &default_is_reached,
}, },
}, },
cost, cost,
@ -140,6 +143,7 @@ fn descend_move(world: &Instance, pos: BlockPos) -> Vec<Edge> {
target: new_position, target: new_position,
data: MoveData { data: MoveData {
execute: &execute_descend_move, execute: &execute_descend_move,
is_reached: &is_reached_descend_move,
}, },
}, },
cost, cost,
@ -151,20 +155,46 @@ fn execute_descend_move(
ExecuteCtx { ExecuteCtx {
entity, entity,
target, target,
start,
look_at_events, look_at_events,
sprint_events, sprint_events,
position,
.. ..
}: ExecuteCtx, }: ExecuteCtx,
) { ) {
let center = target.center(); let center = target.center();
look_at_events.send(LookAtEvent { let horizontal_distance_from_target = (center - position).horizontal_distance_sqr().sqrt();
entity,
position: center, let dest_ahead = (start + (target - start) * 2).center();
});
sprint_events.send(StartSprintEvent { println!();
entity, println!("center: {center:?}, dest_ahead: {dest_ahead:?}");
direction: SprintDirection::Forward, println!("position: {position:?}");
});
if BlockPos::from(position) != target || horizontal_distance_from_target > 0.25 {
look_at_events.send(LookAtEvent {
entity,
position: dest_ahead,
});
sprint_events.send(StartSprintEvent {
entity,
direction: SprintDirection::Forward,
});
}
}
#[must_use]
pub fn is_reached_descend_move(
IsReachedCtx {
target,
start,
position,
..
}: IsReachedCtx,
) -> bool {
let dest_ahead = start + (target - start) * 2;
(BlockPos::from(position) == target || BlockPos::from(position) == dest_ahead)
&& (position.y - target.y as f64) < 0.5
} }
fn diagonal_move(world: &Instance, pos: BlockPos) -> Vec<Edge> { fn diagonal_move(world: &Instance, pos: BlockPos) -> Vec<Edge> {
@ -192,6 +222,7 @@ fn diagonal_move(world: &Instance, pos: BlockPos) -> Vec<Edge> {
target: pos + offset, target: pos + offset,
data: MoveData { data: MoveData {
execute: &execute_diagonal_move, execute: &execute_diagonal_move,
is_reached: &default_is_reached,
}, },
}, },
cost, cost,

View file

@ -13,10 +13,16 @@ use bevy_ecs::{entity::Entity, event::EventWriter};
type Edge = astar::Edge<BlockPos, MoveData>; type Edge = astar::Edge<BlockPos, MoveData>;
pub type SuccessorsFn =
fn(&azalea_world::Instance, BlockPos) -> Vec<astar::Edge<BlockPos, MoveData>>;
#[derive(Clone)] #[derive(Clone)]
pub struct MoveData { pub struct MoveData {
// pub move_kind: BasicMoves, /// Use the context to determine what events should be sent to complete this
/// movement.
pub execute: &'static (dyn Fn(ExecuteCtx) + Send + Sync), pub execute: &'static (dyn Fn(ExecuteCtx) + Send + Sync),
/// Whether we've reached the target.
pub is_reached: &'static (dyn Fn(IsReachedCtx) -> bool + Send + Sync),
} }
impl Debug for MoveData { impl Debug for MoveData {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result { fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
@ -85,10 +91,12 @@ fn fall_distance(pos: &BlockPos, world: &Instance) -> u32 {
} }
distance distance
} }
pub struct ExecuteCtx<'w1, 'w2, 'w3, 'w4, 'a> { pub struct ExecuteCtx<'w1, 'w2, 'w3, 'w4, 'a> {
pub entity: Entity, pub entity: Entity,
/// The node that we're trying to reach.
pub target: BlockPos, pub target: BlockPos,
/// The last node that we reached.
pub start: BlockPos,
pub position: Vec3, pub position: Vec3,
pub look_at_events: &'a mut EventWriter<'w1, LookAtEvent>, pub look_at_events: &'a mut EventWriter<'w1, LookAtEvent>,
@ -96,6 +104,28 @@ pub struct ExecuteCtx<'w1, 'w2, 'w3, 'w4, 'a> {
pub walk_events: &'a mut EventWriter<'w3, StartWalkEvent>, pub walk_events: &'a mut EventWriter<'w3, StartWalkEvent>,
pub jump_events: &'a mut EventWriter<'w4, JumpEvent>, pub jump_events: &'a mut EventWriter<'w4, JumpEvent>,
} }
pub struct IsReachedCtx<'a> {
/// The node that we're trying to reach.
pub target: BlockPos,
/// The last node that we reached.
pub start: BlockPos,
pub position: Vec3,
pub physics: &'a azalea_entity::Physics,
}
/// Returns whether the entity is at the node and should start going to the
/// next node.
#[must_use]
pub fn default_is_reached(
IsReachedCtx {
position,
target,
physics,
..
}: IsReachedCtx,
) -> bool {
BlockPos::from(position) == target && physics.on_ground
}
#[cfg(test)] #[cfg(test)]
mod tests { mod tests {