veloren/common/src/sys/phys.rs

690 lines
29 KiB
Rust
Raw Normal View History

use crate::{
comp::{
BeamSegment, Collider, Gravity, Group, Mass, Mounting, Ori, PhysicsState, Pos, Projectile,
Scale, Sticky, Vel,
},
event::{EventBus, ServerEvent},
metrics::SysMetrics,
span,
state::DeltaTime,
sync::{Uid, UidAllocator},
terrain::{Block, TerrainGrid},
vol::ReadVol,
};
use rayon::iter::ParallelIterator;
use specs::{
saveload::MarkerAllocator, Entities, Join, ParJoin, Read, ReadExpect, ReadStorage, System,
WriteStorage,
};
use std::ops::Range;
2020-08-12 14:10:12 +00:00
use vek::*;
2020-03-10 18:12:16 +00:00
pub const GRAVITY: f32 = 9.81 * 5.0;
2020-08-02 05:09:11 +00:00
const BOUYANCY: f32 = 1.0;
// Friction values used for linear damping. They are unitless quantities. The
// value of these quantities must be between zero and one. They represent the
2020-08-25 12:21:25 +00:00
// amount an object will slow down within 1/60th of a second. Eg. if the
// friction is 0.01, and the speed is 1.0, then after 1/60th of a second the
// speed will be 0.99. after 1 second the speed will be 0.54, which is 0.99 ^
// 60.
2020-01-17 20:08:27 +00:00
const FRIC_GROUND: f32 = 0.15;
const FRIC_AIR: f32 = 0.0125;
const FRIC_FLUID: f32 = 0.2;
2019-06-04 15:42:31 +00:00
// Integrates forces, calculates the new velocity based off of the old velocity
// dt = delta time
// lv = linear velocity
// damp = linear damping
// Friction is a type of damping.
2019-07-26 13:42:36 +00:00
fn integrate_forces(dt: f32, mut lv: Vec3<f32>, grav: f32, damp: f32) -> Vec3<f32> {
// this is not linear damping, because it is proportional to the original
// velocity this "linear" damping in in fact, quite exponential. and thus
// must be interpolated accordingly
let linear_damp = (1.0 - damp.min(1.0)).powf(dt * 60.0);
2019-06-04 15:42:31 +00:00
lv.z = (lv.z - grav * dt).max(-80.0);
lv * linear_damp
2019-06-04 15:42:31 +00:00
}
/// This system applies forces and calculates new positions and velocities.
2019-06-09 19:33:20 +00:00
pub struct Sys;
impl<'a> System<'a> for Sys {
#[allow(clippy::type_complexity)]
type SystemData = (
2019-06-09 19:33:20 +00:00
Entities<'a>,
2019-09-21 12:43:24 +00:00
ReadStorage<'a, Uid>,
common: Rework volume API See the doc comments in `common/src/vol.rs` for more information on the API itself. The changes include: * Consistent `Err`/`Error` naming. * Types are named `...Error`. * `enum` variants are named `...Err`. * Rename `VolMap{2d, 3d}` -> `VolGrid{2d, 3d}`. This is in preparation to an upcoming change where a “map” in the game related sense will be added. * Add volume iterators. There are two types of them: * _Position_ iterators obtained from the trait `IntoPosIterator` using the method `fn pos_iter(self, lower_bound: Vec3<i32>, upper_bound: Vec3<i32>) -> ...` which returns an iterator over `Vec3<i32>`. * _Volume_ iterators obtained from the trait `IntoVolIterator` using the method `fn vol_iter(self, lower_bound: Vec3<i32>, upper_bound: Vec3<i32>) -> ...` which returns an iterator over `(Vec3<i32>, &Self::Vox)`. Those traits will usually be implemented by references to volume types (i.e. `impl IntoVolIterator<'a> for &'a T` where `T` is some type which usually implements several volume traits, such as `Chunk`). * _Position_ iterators iterate over the positions valid for that volume. * _Volume_ iterators do the same but return not only the position but also the voxel at that position, in each iteration. * Introduce trait `RectSizedVol` for the use case which we have with `Chonk`: A `Chonk` is sized only in x and y direction. * Introduce traits `RasterableVol`, `RectRasterableVol` * `RasterableVol` represents a volume that is compile-time sized and has its lower bound at `(0, 0, 0)`. The name `RasterableVol` was chosen because such a volume can be used with `VolGrid3d`. * `RectRasterableVol` represents a volume that is compile-time sized at least in x and y direction and has its lower bound at `(0, 0, z)`. There's no requirement on he lower bound or size in z direction. The name `RectRasterableVol` was chosen because such a volume can be used with `VolGrid2d`.
2019-09-03 22:23:29 +00:00
ReadExpect<'a, TerrainGrid>,
Read<'a, DeltaTime>,
Read<'a, UidAllocator>,
ReadExpect<'a, SysMetrics>,
Read<'a, EventBus<ServerEvent>>,
2019-08-03 11:26:05 +00:00
ReadStorage<'a, Scale>,
ReadStorage<'a, Sticky>,
2019-09-25 20:22:39 +00:00
ReadStorage<'a, Mass>,
ReadStorage<'a, Collider>,
ReadStorage<'a, Gravity>,
WriteStorage<'a, PhysicsState>,
2019-06-13 18:09:50 +00:00
WriteStorage<'a, Pos>,
WriteStorage<'a, Vel>,
WriteStorage<'a, Ori>,
ReadStorage<'a, Mounting>,
ReadStorage<'a, Group>,
ReadStorage<'a, Projectile>,
ReadStorage<'a, BeamSegment>,
);
#[allow(clippy::or_fun_call)] // TODO: Pending review in #587
#[allow(clippy::blocks_in_if_conditions)] // TODO: Pending review in #587
2019-06-09 19:33:20 +00:00
fn run(
&mut self,
(
entities,
2019-09-21 12:43:24 +00:00
uids,
terrain,
dt,
uid_allocator,
sys_metrics,
2019-08-07 15:39:16 +00:00
event_bus,
2019-08-03 11:26:05 +00:00
scales,
stickies,
2019-09-25 20:22:39 +00:00
masses,
colliders,
gravities,
mut physics_states,
2019-06-13 18:09:50 +00:00
mut positions,
mut velocities,
mut orientations,
mountings,
groups,
projectiles,
2020-09-13 05:32:50 +00:00
beams,
): Self::SystemData,
2019-06-09 19:33:20 +00:00
) {
let start_time = std::time::Instant::now();
span!(_guard, "run", "phys::Sys::run");
2019-08-07 15:39:16 +00:00
let mut event_emitter = event_bus.emitter();
// Add/reset physics state components
span!(guard, "Add/reset physics state components");
2020-08-25 10:01:17 +00:00
for (entity, _, _, _, _) in (
&entities,
&colliders,
&positions,
&velocities,
&orientations,
)
.join()
{
2020-08-25 10:01:17 +00:00
let _ = physics_states
.entry(entity)
.map(|e| e.or_insert_with(Default::default));
}
drop(guard);
// Apply pushback
//
// Note: We now do this first because we project velocity ahead. This is slighty
// imperfect and implies that we might get edge-cases where entities
// standing right next to the edge of a wall may get hit by projectiles
// fired into the wall very close to them. However, this sort of thing is
// already possible with poorly-defined hitboxes anyway so it's not too
// much of a concern.
//
// If this situation becomes a problem, this code should be integrated with the
// terrain collision code below, although that's not trivial to do since
// it means the step needs to take into account the speeds of both
// entities.
span!(guard, "Apply pushback");
2020-09-13 05:32:50 +00:00
for (entity, pos, scale, mass, collider, _, _, physics, projectile, _) in (
&entities,
&positions,
scales.maybe(),
masses.maybe(),
colliders.maybe(),
!&mountings,
stickies.maybe(),
&mut physics_states,
// TODO: if we need to avoid collisions for other things consider moving whether it
// should interact into the collider component or into a separate component
projectiles.maybe(),
2020-09-13 05:32:50 +00:00
beams.maybe(),
)
.join()
2020-09-13 05:32:50 +00:00
.filter(|(_, _, _, _, _, _, sticky, physics, _, beam)| {
sticky.is_none()
|| (physics.on_wall.is_none() && !physics.on_ground)
|| beam.is_none()
})
{
let scale = scale.map(|s| s.0).unwrap_or(1.0);
let radius = collider.map(|c| c.get_radius()).unwrap_or(0.5);
let z_limits = collider.map(|c| c.get_z_limits()).unwrap_or((-0.5, 0.5));
let mass = mass.map(|m| m.0).unwrap_or(scale);
// Resets touch_entities in physics
physics.touch_entities.clear();
// Group to ignore collisions with
let ignore_group = projectile
.filter(|p| p.ignore_group)
.and_then(|p| p.owner)
.and_then(|uid| uid_allocator.retrieve_entity_internal(uid.into()))
.and_then(|e| groups.get(e));
2020-08-25 10:01:17 +00:00
let mut vel_delta = Vec3::zero();
for (
entity_other,
other,
pos_other,
scale_other,
mass_other,
collider_other,
_,
group_b,
2020-09-13 05:32:50 +00:00
_,
) in (
&entities,
&uids,
&positions,
scales.maybe(),
masses.maybe(),
colliders.maybe(),
!&mountings,
groups.maybe(),
2020-09-13 05:32:50 +00:00
beams.maybe(),
)
.join()
2020-09-13 05:32:50 +00:00
.filter(|(_, _, _, _, _, _, _, _, beam)| beam.is_none())
{
if entity == entity_other || (ignore_group.is_some() && ignore_group == group_b) {
continue;
}
2020-09-11 13:59:45 +00:00
let scale_other = scale_other.map(|s| s.0).unwrap_or(1.0);
let radius_other = collider_other.map(|c| c.get_radius()).unwrap_or(0.5);
let z_limits_other = collider_other
.map(|c| c.get_z_limits())
.unwrap_or((-0.5, 0.5));
let mass_other = mass_other.map(|m| m.0).unwrap_or(scale_other);
if mass_other == 0.0 {
continue;
}
let collision_dist = scale * radius + scale_other * radius_other;
let vel = velocities.get(entity).copied().unwrap_or_default().0;
let vel_other = velocities.get(entity_other).copied().unwrap_or_default().0;
// Sanity check: don't try colliding entities that are too far from each other
2020-08-25 10:01:17 +00:00
// Note: I think this catches all cases. If you get entity collision problems,
// try removing this!
2020-08-25 11:54:30 +00:00
if (pos.0 - pos_other.0).xy().magnitude()
> ((vel - vel_other) * dt.0).xy().magnitude() + collision_dist
{
continue;
}
let min_collision_dist = 0.3;
2020-08-25 10:01:17 +00:00
let increments = ((vel - vel_other).magnitude() * dt.0 / min_collision_dist)
.max(1.0)
.ceil() as usize;
let step_delta = 1.0 / increments as f32;
let mut collided = false;
for i in 0..increments {
let factor = i as f32 * step_delta;
let pos = pos.0 + vel * dt.0 * factor;
let pos_other = pos_other.0 + vel_other * dt.0 * factor;
let diff = pos.xy() - pos_other.xy();
if diff.magnitude_squared() <= collision_dist.powf(2.0)
&& pos.z + z_limits.1 * scale
>= pos_other.z + z_limits_other.0 * scale_other
&& pos.z + z_limits.0 * scale
<= pos_other.z + z_limits_other.1 * scale_other
{
if !collided {
physics.touch_entities.push(*other);
}
if diff.magnitude_squared() > 0.0 {
let force = 400.0 * (collision_dist - diff.magnitude()) * mass_other
/ (mass + mass_other);
2020-08-25 10:01:17 +00:00
vel_delta += Vec3::from(diff.normalized()) * force * step_delta;
}
collided = true;
}
}
}
2020-08-25 10:01:17 +00:00
// Change velocity
velocities
.get_mut(entity)
.map(|vel| vel.0 += vel_delta * dt.0);
}
drop(guard);
// Apply movement inputs
span!(guard, "Apply movement and terrain collision");
let land_on_grounds = (
2019-06-13 18:09:50 +00:00
&entities,
2019-08-03 11:26:05 +00:00
scales.maybe(),
stickies.maybe(),
&colliders,
2019-06-13 18:09:50 +00:00
&mut positions,
&mut velocities,
&mut orientations,
&mut physics_states,
!&mountings,
2019-06-13 18:09:50 +00:00
)
.par_join()
.fold(Vec::new, |
mut land_on_grounds,
(entity, _scale, sticky, collider, mut pos, mut vel, _ori, mut physics_state, _),
| {
2020-07-05 14:06:01 +00:00
if sticky.is_some() && physics_state.on_surface().is_some() {
2020-04-26 14:51:08 +00:00
vel.0 = Vec3::zero();
return land_on_grounds;
}
// TODO: Use this
//let scale = scale.map(|s| s.0).unwrap_or(1.0);
2019-08-03 11:26:05 +00:00
2019-09-06 06:22:58 +00:00
let old_vel = *vel;
// Integrate forces
// Friction is assumed to be a constant dependent on location
let friction = FRIC_AIR
.max(if physics_state.on_ground {
FRIC_GROUND
} else {
0.0
})
.max(if physics_state.in_fluid.is_some() {
FRIC_FLUID
} else {
0.0
});
let in_loaded_chunk = terrain
.get_key(terrain.pos_key(pos.0.map(|e| e.floor() as i32)))
.is_some();
let downward_force = if !in_loaded_chunk {
0.0 // No gravity in unloaded chunks
2020-08-12 14:10:12 +00:00
} else if physics_state
.in_fluid
.map(|depth| depth > 0.75)
.unwrap_or(false)
{
(1.0 - BOUYANCY) * GRAVITY
} else {
GRAVITY
} * gravities.get(entity).map(|g| g.0).unwrap_or_default();
vel.0 = integrate_forces(dt.0, vel.0, downward_force, friction);
// Don't move if we're not in a loaded chunk
let mut pos_delta = if in_loaded_chunk {
2019-09-06 04:04:20 +00:00
// this is an approximation that allows most framerates to
// behave in a similar manner.
let dt_lerp = 0.2;
(vel.0 * dt_lerp + old_vel.0 * (1.0 - dt_lerp)) * dt.0
} else {
Vec3::zero()
};
2020-08-25 10:01:17 +00:00
match *collider {
Collider::Box {
radius,
z_min,
z_max,
} => {
// Scale collider
// TODO: Use scale & actual proportions when pathfinding is good enough to manage irregular entity
// sizes
let radius = radius.min(0.45); // * scale;
let z_min = z_min; // * scale;
let z_max = z_max.clamped(1.2, 1.95); // * scale;
// Probe distances
let hdist = radius.ceil() as i32;
// Neighbouring blocks iterator
let near_iter = (-hdist..hdist + 1)
.map(move |i| {
(-hdist..hdist + 1).map(move |j| {
(1 - Block::MAX_HEIGHT.ceil() as i32 + z_min.floor() as i32
..z_max.ceil() as i32 + 1)
.map(move |k| (i, j, k))
})
})
.flatten()
.flatten();
2020-08-12 14:10:12 +00:00
// Function for iterating over the blocks the player at a specific position
// collides with
fn collision_iter<'a>(
pos: Vec3<f32>,
terrain: &'a TerrainGrid,
hit: &'a impl Fn(&Block) -> bool,
2020-09-26 14:53:49 +00:00
height: &'a impl Fn(&Block) -> f32,
2020-08-12 14:10:12 +00:00
near_iter: impl Iterator<Item = (i32, i32, i32)> + 'a,
radius: f32,
z_range: Range<f32>,
2020-08-12 14:10:12 +00:00
) -> impl Iterator<Item = Aabb<f32>> + 'a {
near_iter.filter_map(move |(i, j, k)| {
let block_pos = pos.map(|e| e.floor() as i32) + Vec3::new(i, j, k);
if let Some(block) = terrain.get(block_pos).ok().copied().filter(hit) {
let player_aabb = Aabb {
min: pos + Vec3::new(-radius, -radius, z_range.start),
max: pos + Vec3::new(radius, radius, z_range.end),
};
let block_aabb = Aabb {
min: block_pos.map(|e| e as f32),
max: block_pos.map(|e| e as f32)
2020-09-26 14:53:49 +00:00
+ Vec3::new(1.0, 1.0, height(&block)),
2020-08-12 14:10:12 +00:00
};
if player_aabb.collides_with_aabb(block_aabb) {
return Some(block_aabb);
}
2020-08-12 14:10:12 +00:00
}
2020-08-12 14:10:12 +00:00
None
})
};
let z_range = z_min..z_max;
// Function for determining whether the player at a specific position collides
// with blocks with the given criteria
fn collision_with<'a>(
pos: Vec3<f32>,
terrain: &'a TerrainGrid,
2020-09-26 14:53:49 +00:00
hit: impl Fn(&Block) -> bool,
near_iter: impl Iterator<Item = (i32, i32, i32)> + 'a,
radius: f32,
z_range: Range<f32>,
) -> bool {
2020-09-26 14:53:49 +00:00
collision_iter(pos, terrain, &|block| block.is_solid() && hit(block), &Block::solid_height, near_iter, radius, z_range).count()
2020-08-12 14:10:12 +00:00
> 0
2019-06-26 21:43:47 +00:00
};
2019-06-25 16:13:30 +00:00
let was_on_ground = physics_state.on_ground;
physics_state.on_ground = false;
let mut on_ground = false;
let mut on_ceiling = false;
let mut attempts = 0; // Don't loop infinitely here
// Don't jump too far at once
let increments = (pos_delta.map(|e| e.abs()).reduce_partial_max() / 0.3)
.ceil()
.max(1.0);
let old_pos = pos.0;
2020-09-26 14:53:49 +00:00
fn block_true(_: &Block) -> bool { true }
for _ in 0..increments as usize {
pos.0 += pos_delta / increments;
const MAX_ATTEMPTS: usize = 16;
// While the player is colliding with the terrain...
2020-09-26 14:53:49 +00:00
while collision_with(pos.0, &terrain, block_true, near_iter.clone(), radius, z_range.clone())
&& attempts < MAX_ATTEMPTS
{
// Calculate the player's AABB
let player_aabb = Aabb {
min: pos.0 + Vec3::new(-radius, -radius, z_min),
max: pos.0 + Vec3::new(radius, radius, z_max),
};
// Determine the block that we are colliding with most (based on minimum
// collision axis)
let (_block_pos, block_aabb, block_height) = near_iter
.clone()
// Calculate the block's position in world space
.map(|(i, j, k)| pos.0.map(|e| e.floor() as i32) + Vec3::new(i, j, k))
// Make sure the block is actually solid
.filter_map(|block_pos| {
if let Some(block) = terrain
.get(block_pos)
.ok()
.filter(|block| block.is_solid())
{
// Calculate block AABB
Some((
block_pos,
Aabb {
min: block_pos.map(|e| e as f32),
max: block_pos.map(|e| e as f32) + Vec3::new(1.0, 1.0, block.solid_height()),
},
block.solid_height(),
))
} else {
None
}
})
// Determine whether the block's AABB collides with the player's AABB
.filter(|(_, block_aabb, _)| block_aabb.collides_with_aabb(player_aabb))
// Find the maximum of the minimum collision axes (this bit is weird, trust me that it works)
.min_by_key(|(_, block_aabb, _)| {
((block_aabb.center() - player_aabb.center() - Vec3::unit_z() * 0.5)
.map(|e| e.abs())
.sum()
* 1_000_000.0) as i32
})
.expect("Collision detected, but no colliding blocks found!");
// Find the intrusion vector of the collision
let dir = player_aabb.collision_vector_with_aabb(block_aabb);
// Determine an appropriate resolution vector (i.e: the minimum distance
// needed to push out of the block)
let max_axis = dir.map(|e| e.abs()).reduce_partial_min();
let resolve_dir = -dir.map(|e| {
if e.abs().to_bits() == max_axis.to_bits() {
e
} else {
0.0
}
});
// When the resolution direction is pointing upwards, we must be on the
// ground
if resolve_dir.z > 0.0 && vel.0.z <= 0.0 {
on_ground = true;
if !was_on_ground {
land_on_grounds.push((entity, *vel));
}
} else if resolve_dir.z < 0.0 && vel.0.z >= 0.0 {
on_ceiling = true;
}
// When the resolution direction is non-vertical, we must be colliding
// with a wall If the space above is free...
2020-09-26 14:53:49 +00:00
if !collision_with(Vec3::new(pos.0.x, pos.0.y, (pos.0.z + 0.1).ceil()), &terrain, block_true, near_iter.clone(), radius, z_range.clone())
// ...and we're being pushed out horizontally...
&& resolve_dir.z == 0.0
// ...and the vertical resolution direction is sufficiently great...
&& -dir.z > 0.1
// ...and we're falling/standing OR there is a block *directly* beneath our current origin (note: not hitbox)...
&& (vel.0.z <= 0.0 || terrain
.get((pos.0 - Vec3::unit_z() * 0.1).map(|e| e.floor() as i32))
.map(|block| block.is_solid())
.unwrap_or(false))
// ...and there is a collision with a block beneath our current hitbox...
&& collision_with(
pos.0 + resolve_dir - Vec3::unit_z() * 1.05,
&terrain,
2020-09-26 14:53:49 +00:00
block_true,
near_iter.clone(),
radius,
z_range.clone(),
)
{
// ...block-hop!
pos.0.z = (pos.0.z + 0.1).floor() + block_height;
vel.0.z = 0.0;
on_ground = true;
break;
} else {
// Correct the velocity
vel.0 = vel.0.map2(resolve_dir, |e, d| {
if d * e.signum() < 0.0 { 0.0 } else { e }
});
pos_delta *= resolve_dir.map(|e| if e != 0.0 { 0.0 } else { 1.0 });
}
2019-06-25 16:13:30 +00:00
// Resolve the collision normally
pos.0 += resolve_dir;
2019-06-25 16:13:30 +00:00
attempts += 1;
}
if attempts == MAX_ATTEMPTS {
vel.0 = Vec3::zero();
pos.0 = old_pos;
break;
}
2019-06-26 21:43:47 +00:00
}
if on_ceiling {
physics_state.on_ceiling = true;
}
if on_ground {
physics_state.on_ground = true;
// If the space below us is free, then "snap" to the ground
} else if collision_with(
pos.0 - Vec3::unit_z() * 1.05,
&terrain,
2020-09-26 14:53:49 +00:00
block_true,
near_iter.clone(),
radius,
z_range.clone(),
) && vel.0.z < 0.0
&& vel.0.z > -1.5
&& was_on_ground
&& !collision_with(
pos.0 - Vec3::unit_z() * 0.05,
&terrain,
2020-09-26 14:53:49 +00:00
|block| block.solid_height() >= (pos.0.z - 0.05).rem_euclid(1.0),
2019-06-29 21:42:20 +00:00
near_iter.clone(),
radius,
z_range.clone(),
2019-06-29 21:42:20 +00:00
)
2019-06-26 21:43:47 +00:00
{
let snap_height = terrain
.get(
Vec3::new(pos.0.x, pos.0.y, pos.0.z - 0.05)
.map(|e| e.floor() as i32),
)
.ok()
.filter(|block| block.is_solid())
.map(|block| block.solid_height())
.unwrap_or(0.0);
pos.0.z = (pos.0.z - 0.05).floor() + snap_height;
physics_state.on_ground = true;
2019-06-26 21:43:47 +00:00
}
let dirs = [
Vec3::unit_x(),
Vec3::unit_y(),
-Vec3::unit_x(),
-Vec3::unit_y(),
];
if let (wall_dir, true) =
dirs.iter().fold((Vec3::zero(), false), |(a, hit), dir| {
if collision_with(
pos.0 + *dir * 0.01,
&terrain,
2020-09-26 14:53:49 +00:00
block_true,
near_iter.clone(),
radius,
z_range.clone(),
) {
(a + dir, true)
} else {
(a, hit)
}
})
{
physics_state.on_wall = Some(wall_dir);
} else {
physics_state.on_wall = None;
}
// Figure out if we're in water
2020-08-12 14:10:12 +00:00
physics_state.in_fluid = collision_iter(
pos.0,
&terrain,
&|block| block.is_liquid(),
2020-09-26 14:53:49 +00:00
// The liquid part of a liquid block always extends 1 block high.
&|_block| 1.0,
2020-08-12 14:10:12 +00:00
near_iter.clone(),
radius,
z_min..z_max,
)
.max_by_key(|block_aabb| (block_aabb.max.z * 100.0) as i32)
.map(|block_aabb| block_aabb.max.z - pos.0.z);
},
Collider::Point => {
2020-09-19 09:16:06 +00:00
let (dist, block) = terrain.ray(pos.0, pos.0 + pos_delta)
.until(|block| block.is_filled())
2020-09-19 09:16:06 +00:00
.ignore_error().cast();
pos.0 += pos_delta.try_normalized().unwrap_or(Vec3::zero()) * dist;
2020-09-19 09:16:06 +00:00
// Can't fail since we do ignore_error above
if block.unwrap().is_some() {
2020-04-26 14:51:08 +00:00
let block_center = pos.0.map(|e| e.floor()) + 0.5;
let block_rpos = (pos.0 - block_center)
.try_normalized()
.unwrap_or(Vec3::zero());
// See whether we're on the top/bottom of a block, or the side
if block_rpos.z.abs()
> block_rpos.xy().map(|e| e.abs()).reduce_partial_max()
{
if block_rpos.z > 0.0 {
physics_state.on_ground = true;
} else {
2020-04-26 14:51:08 +00:00
physics_state.on_ceiling = true;
}
vel.0.z = 0.0;
2020-04-26 14:51:08 +00:00
} else {
physics_state.on_wall =
Some(if block_rpos.x.abs() > block_rpos.y.abs() {
vel.0.x = 0.0;
2020-04-26 14:51:08 +00:00
Vec3::unit_x() * -block_rpos.x.signum()
} else {
vel.0.y = 0.0;
2020-04-26 14:51:08 +00:00
Vec3::unit_y() * -block_rpos.y.signum()
});
}
}
2020-09-19 09:16:06 +00:00
physics_state.in_fluid = terrain.get(pos.0.map(|e| e.floor() as i32))
.ok()
2020-09-20 10:56:57 +00:00
.and_then(|vox| vox.is_liquid().then_some(1.0));
},
}
land_on_grounds
}).reduce(Vec::new, |mut land_on_grounds_a, mut land_on_grounds_b| {
land_on_grounds_a.append(&mut land_on_grounds_b);
land_on_grounds_a
});
drop(guard);
land_on_grounds.into_iter().for_each(|(entity, vel)| {
event_emitter.emit(ServerEvent::LandOnGround { entity, vel: vel.0 });
});
sys_metrics.phys_ns.store(
start_time.elapsed().as_nanos() as i64,
std::sync::atomic::Ordering::Relaxed,
);
}
}