96 lines
3.2 KiB
Rust
96 lines
3.2 KiB
Rust
use ::specs::prelude::*;
|
|
|
|
use crate::components::{
|
|
ApplyMove, ApplyTeleport, BlocksTile, EntityMoved, OtherLevelPosition, Position, Viewshed,
|
|
};
|
|
use crate::{spatial, Map, RunState};
|
|
|
|
pub struct MovementSystem {}
|
|
|
|
impl<'a> System<'a> for MovementSystem {
|
|
#[allow(clippy::type_complexity)]
|
|
type SystemData = (
|
|
ReadExpect<'a, Map>,
|
|
WriteStorage<'a, Position>,
|
|
ReadStorage<'a, BlocksTile>,
|
|
Entities<'a>,
|
|
WriteStorage<'a, ApplyMove>,
|
|
WriteStorage<'a, ApplyTeleport>,
|
|
WriteStorage<'a, OtherLevelPosition>,
|
|
WriteStorage<'a, EntityMoved>,
|
|
WriteStorage<'a, Viewshed>,
|
|
ReadExpect<'a, Entity>,
|
|
WriteExpect<'a, RunState>,
|
|
);
|
|
|
|
fn run(&mut self, data: Self::SystemData) {
|
|
let (
|
|
map,
|
|
mut position,
|
|
_blockers,
|
|
entities,
|
|
mut apply_move,
|
|
mut apply_teleport,
|
|
mut other_level,
|
|
mut moved,
|
|
mut viewsheds,
|
|
player_entity,
|
|
mut runstate,
|
|
) = data;
|
|
|
|
// Apply teleports
|
|
for (entity, teleport) in (&entities, &apply_teleport).join() {
|
|
if teleport.dest_depth == map.depth {
|
|
apply_move
|
|
.insert(
|
|
entity,
|
|
ApplyMove {
|
|
dest_idx: map.xy_idx(teleport.dest_x, teleport.dest_y),
|
|
},
|
|
)
|
|
.expect("Unable to insert intent to teleport");
|
|
} else if entity == *player_entity {
|
|
// it's the player - we have a mess
|
|
*runstate = RunState::TeleportingToOtherLevel {
|
|
x: teleport.dest_x,
|
|
y: teleport.dest_y,
|
|
depth: teleport.dest_depth,
|
|
};
|
|
} else if let Some(pos) = position.get(entity) {
|
|
let idx = map.xy_idx(pos.x, pos.y);
|
|
let dest_idx = map.xy_idx(teleport.dest_x, teleport.dest_y);
|
|
spatial::move_entity(entity, idx, dest_idx);
|
|
other_level
|
|
.insert(
|
|
entity,
|
|
OtherLevelPosition {
|
|
x: teleport.dest_x,
|
|
y: teleport.dest_y,
|
|
depth: teleport.dest_depth,
|
|
},
|
|
)
|
|
.expect("Unable to insert intent to teleport.");
|
|
|
|
position.remove(entity);
|
|
}
|
|
}
|
|
apply_teleport.clear();
|
|
|
|
// Apply broad movement
|
|
for (entity, movement, mut pos) in (&entities, &apply_move, &mut position).join() {
|
|
let start_idx = map.xy_idx(pos.x, pos.y);
|
|
let dest_idx = movement.dest_idx as usize;
|
|
spatial::move_entity(entity, start_idx, dest_idx);
|
|
pos.x = movement.dest_idx as i32 % map.width;
|
|
pos.y = movement.dest_idx as i32 / map.width;
|
|
if let Some(vs) = viewsheds.get_mut(entity) {
|
|
vs.dirty = true;
|
|
}
|
|
moved
|
|
.insert(entity, EntityMoved {})
|
|
.expect("Unable to insert moved marker");
|
|
}
|
|
apply_move.clear();
|
|
}
|
|
}
|