blackout/src/map.rs

347 lines
12 KiB
Rust
Raw Normal View History

2021-05-13 17:25:45 +00:00
use std::collections::{HashMap, HashSet};
use bevy::prelude::*;
use bevy_rapier2d::prelude::*;
2021-05-13 17:25:45 +00:00
use derive_more::{Deref, DerefMut};
2021-06-09 19:53:48 +00:00
pub use mapgen::Map;
use mapgen::{geometry::Rect as MRect, MapFilter, TileType};
2021-05-13 17:25:45 +00:00
use maze_generator::{prelude::*, recursive_backtracking::RbGenerator};
use rand::prelude::StdRng;
use crate::{
2021-06-30 14:43:26 +00:00
core::{Coordinates, Player, PointLike},
2021-05-13 17:25:45 +00:00
exploration::{ExplorationType, Mappable},
log::Log,
utils::target_and_other,
visibility::BlocksVisibility,
2021-05-13 17:25:45 +00:00
};
impl From<mapgen::geometry::Point> for Coordinates {
fn from(point: mapgen::geometry::Point) -> Self {
Self((point.x as f32, point.y as f32))
}
}
2021-06-29 14:29:49 +00:00
#[derive(Clone, Debug, Default, Reflect)]
#[reflect(Component)]
pub struct AreaTag;
#[derive(Clone, Debug, Default, Reflect)]
#[reflect(Component)]
pub struct MapObstruction;
#[derive(Clone, Debug, Default, Reflect)]
2021-05-13 17:25:45 +00:00
#[reflect(Component)]
pub struct Portal;
2021-05-13 17:25:45 +00:00
pub trait ITileType {
fn blocks_motion(&self) -> bool;
fn blocks_visibility(&self) -> bool;
}
impl ITileType for TileType {
fn blocks_motion(&self) -> bool {
match self {
TileType::Wall => true,
TileType::Floor => false,
}
}
fn blocks_visibility(&self) -> bool {
match self {
TileType::Wall => true,
TileType::Floor => false,
}
}
}
#[derive(Clone, Debug)]
pub struct MapConfig {
2021-05-20 19:54:13 +00:00
pub autospawn_portals: bool,
pub describe_undescribed_areas: bool,
2021-05-13 17:25:45 +00:00
pub speak_area_descriptions: bool,
pub start_revealed: bool,
}
impl Default for MapConfig {
fn default() -> Self {
Self {
2021-05-20 19:54:13 +00:00
autospawn_portals: true,
describe_undescribed_areas: false,
2021-05-13 17:25:45 +00:00
speak_area_descriptions: true,
start_revealed: false,
}
}
}
#[derive(Bundle)]
2021-05-20 19:54:13 +00:00
pub struct PortalBundle {
2021-05-13 17:25:45 +00:00
pub coordinates: Coordinates,
2021-05-20 19:54:13 +00:00
pub portal: Portal,
2021-05-13 17:25:45 +00:00
pub exploration_type: ExplorationType,
pub mappable: Mappable,
pub transform: Transform,
pub global_transform: GlobalTransform,
}
2021-05-20 19:54:13 +00:00
impl Default for PortalBundle {
2021-05-13 17:25:45 +00:00
fn default() -> Self {
Self {
coordinates: Default::default(),
2021-05-20 19:54:13 +00:00
portal: Default::default(),
exploration_type: ExplorationType::Portal,
2021-05-13 17:25:45 +00:00
mappable: Default::default(),
transform: Default::default(),
global_transform: Default::default(),
}
}
}
#[derive(Bundle, Clone, Default)]
pub struct MapBundle {
pub map: Map,
pub children: Children,
pub transform: Transform,
pub global_transform: GlobalTransform,
}
pub struct GridBuilder {
width_in_rooms: u32,
height_in_rooms: u32,
room_width: u32,
room_height: u32,
}
impl GridBuilder {
pub fn new(
width_in_rooms: u32,
height_in_rooms: u32,
room_width: u32,
room_height: u32,
) -> Box<GridBuilder> {
Box::new(GridBuilder {
width_in_rooms,
height_in_rooms,
room_width,
room_height,
})
}
}
impl MapFilter for GridBuilder {
2021-06-09 19:53:48 +00:00
fn modify_map(&self, _rng: &mut StdRng, map: &Map) -> Map {
2021-05-13 17:25:45 +00:00
let mut map = map.clone();
let mut generator = RbGenerator::new(None);
let maze = generator.generate(self.width_in_rooms as i32, self.height_in_rooms as i32);
let total_height = (self.room_height + 1) * self.height_in_rooms + 1;
for y in 0..self.height_in_rooms {
for x in 0..self.width_in_rooms {
let x_offset = x * (self.room_width + 1);
let y_offset = total_height - (y * (self.room_height + 1)) - self.room_height - 2;
let room = MRect::new_i32(
x_offset as i32 + 1,
y_offset as i32 + 1,
self.room_width as i32,
self.room_height as i32,
);
map.add_room(room);
let coords = maze_generator::prelude::Coordinates::new(x as i32, y as i32);
if let Some(field) = maze.get_field(&coords) {
let half_width = self.room_width / 2;
let half_height = self.room_height / 2;
use maze_generator::prelude::Direction::*;
if field.has_passage(&North) {
let x = x_offset + half_width;
let y = y_offset + self.room_height;
map.set_tile(x as usize, y as usize, TileType::Floor);
}
if field.has_passage(&South) {
let x = x_offset + half_width;
let y = y_offset;
map.set_tile(x as usize, y as usize, TileType::Floor);
}
if field.has_passage(&East) {
let x = x_offset + self.room_width;
let y = y_offset + half_height;
map.set_tile(x as usize, y as usize, TileType::Floor);
}
if field.has_passage(&West) {
let x = x_offset;
let y = y_offset + half_height;
map.set_tile(x as usize, y as usize, TileType::Floor);
}
}
}
}
map
}
}
fn add_map_colliders(mut commands: Commands, maps: Query<(Entity, &Map), Added<Map>>) {
for (map_entity, map) in maps.iter() {
2021-06-30 14:43:26 +00:00
commands.entity(map_entity).insert_bundle(RigidBodyBundle {
body_type: RigidBodyType::Static,
..Default::default()
});
2021-06-09 19:53:48 +00:00
for x in 0..map.width {
for y in 0..map.height {
let tile = map.at(x, y);
if tile.blocks_motion() {
let id = commands
.spawn_bundle(ColliderBundle {
shape: ColliderShape::cuboid(0.5, 0.5),
..Default::default()
})
.insert(ColliderParent {
2021-06-30 14:43:26 +00:00
handle: map_entity.handle(),
pos_wrt_parent: Vec2::new(x as f32 + 0.5, y as f32 + 0.5).into(),
})
.insert(MapObstruction)
.id();
if tile.blocks_visibility() {
commands.entity(id).insert(BlocksVisibility);
}
}
}
}
for room in &map.rooms {
2021-06-30 16:16:57 +00:00
let shape =
ColliderShape::cuboid((room.width() / 2) as f32, (room.height() / 2) as f32);
let position = Vec2::new(room.center().x(), room.center().y()).into();
commands
.spawn_bundle(ColliderBundle {
collider_type: ColliderType::Sensor,
2021-06-30 16:16:57 +00:00
shape: shape.clone(),
flags: ActiveEvents::INTERSECTION_EVENTS.into(),
..Default::default()
})
.insert(ColliderParent {
2021-06-30 14:43:26 +00:00
handle: map_entity.handle(),
2021-06-30 16:16:57 +00:00
pos_wrt_parent: position,
})
2021-06-30 16:16:57 +00:00
.insert(shape.compute_aabb(&position))
.insert(AreaTag);
}
}
}
2021-05-20 19:54:13 +00:00
fn portal_spawner(
2021-05-13 17:25:45 +00:00
mut commands: Commands,
map: Query<(Entity, &Map), Added<RigidBodyColliders>>,
2021-05-13 17:25:45 +00:00
config: Res<MapConfig>,
) {
for (entity, map) in map.iter() {
2021-05-20 19:54:13 +00:00
if config.autospawn_portals {
let mut portals: Vec<(f32, f32)> = vec![];
2021-06-09 19:53:48 +00:00
for x in 1..map.width {
for y in 1..map.height {
2021-05-20 19:54:13 +00:00
let mut spawn_portal = false;
2021-06-09 19:53:48 +00:00
if map.get_available_exits(x, y).len() > 2 {
let idx = (x, y).to_index(map.width);
if map.tiles[idx] == TileType::Floor
&& (x > 1 && map.tiles[idx - 1] == TileType::Floor)
&& (x < map.width - 2 && map.tiles[idx + 1] == TileType::Floor)
&& (y > 1 && map.tiles[idx - map.width] == TileType::Wall)
&& (y < map.height - 2 && map.tiles[idx + map.width] == TileType::Wall)
2021-05-13 17:25:45 +00:00
{
2021-05-20 19:54:13 +00:00
spawn_portal = true;
2021-05-13 17:25:45 +00:00
}
2021-06-09 19:53:48 +00:00
if map.tiles[idx] == TileType::Floor
&& (x > 1 && map.tiles[idx - 1] == TileType::Wall)
&& (x < map.width - 2 && map.tiles[idx + 1] == TileType::Wall)
&& (y > 1 && map.tiles[idx - map.width] == TileType::Floor)
&& (y < map.height - 2 && map.tiles[idx + map.width] == TileType::Floor)
2021-05-13 17:25:45 +00:00
{
2021-05-20 19:54:13 +00:00
spawn_portal = true;
2021-05-13 17:25:45 +00:00
}
}
2021-05-20 19:54:13 +00:00
if spawn_portal {
2021-05-13 17:25:45 +00:00
let x = x as f32;
let y = y as f32;
2021-05-20 19:54:13 +00:00
if !portals.contains(&(x, y)) {
portals.push((x, y));
2021-05-13 17:25:45 +00:00
}
}
}
}
2021-05-20 19:54:13 +00:00
for portal in portals {
let x = portal.0 as f32;
let y = portal.1 as f32;
let coordinates = Coordinates((x, y));
let portal = commands
.spawn_bundle(PortalBundle {
2021-05-20 19:54:13 +00:00
coordinates,
2021-05-13 17:25:45 +00:00
..Default::default()
})
.insert_bundle(ColliderBundle {
collider_type: ColliderType::Sensor,
shape: ColliderShape::cuboid(0.5, 0.5),
flags: ActiveEvents::INTERSECTION_EVENTS.into(),
..Default::default()
})
.insert(ColliderPositionSync::Discrete)
.insert(ColliderParent {
handle: entity.handle(),
pos_wrt_parent: Vec2::new(x + 0.5, y + 0.5).into(),
})
2021-05-13 17:25:45 +00:00
.id();
2021-05-20 19:54:13 +00:00
commands.entity(entity).push_children(&[portal]);
2021-05-13 17:25:45 +00:00
}
}
}
}
fn area_description(
mut events: EventReader<IntersectionEvent>,
areas: Query<&AreaTag>,
players: Query<&Player>,
names: Query<&Name>,
config: Res<MapConfig>,
shapes: Query<&ColliderShape>,
2021-05-13 17:25:45 +00:00
mut log: Query<&mut Log>,
) {
for event in events.iter() {
if event.intersecting {
if let Some((area, other)) =
target_and_other(event.collider1.entity(), event.collider2.entity(), &|v| {
areas.get(v).is_ok()
})
{
if players.get(other).is_ok() {
if let Ok(mut log) = log.single_mut() {
if let Ok(name) = names.get(area) {
log.push(name.to_string());
} else if config.describe_undescribed_areas {
if let Ok(shape) = shapes.get(area) {
let aabb = shape.compute_local_aabb();
log.push(format!(
"{}-by-{} area",
aabb.extents().x,
aabb.extents().y
));
}
}
2021-05-13 17:25:45 +00:00
}
}
}
}
}
}
pub struct MapPlugin;
impl Plugin for MapPlugin {
fn build(&self, app: &mut AppBuilder) {
if !app.world().contains_resource::<MapConfig>() {
app.insert_resource(MapConfig::default());
}
let config = app.world().get_resource::<MapConfig>().unwrap().clone();
2021-05-20 19:54:13 +00:00
app.register_type::<Portal>()
.add_system(add_map_colliders.system())
2021-06-30 14:43:26 +00:00
.add_system(portal_spawner.system());
2021-05-13 17:25:45 +00:00
if config.speak_area_descriptions {
app.add_system_to_stage(CoreStage::PostUpdate, area_description.system());
}
}
}