diff --git a/common/src/comp/agent.rs b/common/src/comp/agent.rs index 89a90d5471..38190848f0 100644 --- a/common/src/comp/agent.rs +++ b/common/src/comp/agent.rs @@ -10,10 +10,20 @@ pub enum Agent { offset: Vec2, }, Enemy { + bearing: Vec2, target: Option, }, } +impl Agent { + pub fn enemy() -> Self { + Agent::Enemy { + bearing: Vec2::zero(), + target: None, + } + } +} + impl Component for Agent { type Storage = IDVStorage; } diff --git a/common/src/comp/mod.rs b/common/src/comp/mod.rs index 65ce76c53f..bee5458a2c 100644 --- a/common/src/comp/mod.rs +++ b/common/src/comp/mod.rs @@ -22,7 +22,7 @@ pub use inputs::{ }; pub use inventory::{item, Inventory, InventoryUpdate, Item}; pub use last::Last; -pub use phys::{ForceUpdate, Ori, Pos, Vel}; +pub use phys::{ForceUpdate, Ori, Pos, Scale, Vel}; pub use player::Player; pub use stats::{Dying, Exp, HealthSource, Level, Stats}; pub use visual::LightEmitter; diff --git a/common/src/comp/phys.rs b/common/src/comp/phys.rs index 977f85f21d..5c7732886e 100644 --- a/common/src/comp/phys.rs +++ b/common/src/comp/phys.rs @@ -1,4 +1,4 @@ -use specs::{Component, NullStorage}; +use specs::{Component, FlaggedStorage, NullStorage}; use specs_idvs::IDVStorage; use vek::*; @@ -26,6 +26,14 @@ impl Component for Ori { type Storage = IDVStorage; } +// Scale +#[derive(Copy, Clone, Default, Debug, PartialEq, Serialize, Deserialize)] +pub struct Scale(pub f32); + +impl Component for Scale { + type Storage = FlaggedStorage>; +} + // ForceUpdate #[derive(Copy, Clone, Debug, Default, PartialEq, Serialize, Deserialize)] pub struct ForceUpdate; diff --git a/common/src/comp/stats.rs b/common/src/comp/stats.rs index 12d13b7e58..7d0a3a48bd 100644 --- a/common/src/comp/stats.rs +++ b/common/src/comp/stats.rs @@ -34,18 +34,22 @@ impl Health { pub fn current(&self) -> u32 { self.current } + pub fn maximum(&self) -> u32 { self.maximum } + pub fn set_to(&mut self, amount: u32, cause: HealthSource) { let amount = amount.min(self.maximum); self.last_change = Some((amount as i32 - self.current as i32, 0.0, cause)); self.current = amount; } + pub fn change_by(&mut self, amount: i32, cause: HealthSource) { self.current = ((self.current as i32 + amount).max(0) as u32).min(self.maximum); self.last_change = Some((amount, 0.0, cause)); } + pub fn set_maximum(&mut self, amount: u32) { self.maximum = amount; self.current = self.current.min(self.maximum); @@ -132,6 +136,12 @@ impl Stats { is_dead: false, } } + + pub fn with_max_health(mut self, amount: u32) -> Self { + self.health.maximum = amount; + self.health.current = amount; + self + } } impl Component for Stats { diff --git a/common/src/msg/ecs_packet.rs b/common/src/msg/ecs_packet.rs index 56bf63c68a..26acad89f3 100644 --- a/common/src/msg/ecs_packet.rs +++ b/common/src/msg/ecs_packet.rs @@ -26,6 +26,7 @@ sphynx::sum_type! { Stats(comp::Stats), LightEmitter(comp::LightEmitter), Item(comp::Item), + Scale(comp::Scale), } } // Automatically derive From for EcsCompPhantom @@ -42,6 +43,7 @@ sphynx::sum_type! { Stats(PhantomData), LightEmitter(PhantomData), Item(PhantomData), + Scale(PhantomData), } } impl sphynx::CompPacket for EcsCompPacket { diff --git a/common/src/state.rs b/common/src/state.rs index ee8bcb7d2e..0a5a4ef7af 100644 --- a/common/src/state.rs +++ b/common/src/state.rs @@ -132,6 +132,7 @@ impl State { ecs.register_synced::(); ecs.register_synced::(); ecs.register_synced::(); + ecs.register_synced::(); // Register components send from clients -> server ecs.register::(); diff --git a/common/src/sys/agent.rs b/common/src/sys/agent.rs index ec1a76dbfd..82d887e997 100644 --- a/common/src/sys/agent.rs +++ b/common/src/sys/agent.rs @@ -58,21 +58,25 @@ impl<'a> System<'a> for Sys { * 10.0; } } - Agent::Enemy { target } => { + Agent::Enemy { bearing, target } => { + const SIGHT_DIST: f32 = 30.0; + let choose_new = match target.map(|tgt| positions.get(tgt)).flatten() { Some(tgt_pos) => { let dist = Vec2::::from(tgt_pos.0 - pos.0).magnitude(); if dist < 2.0 { controller.move_dir = Vec2::zero(); - if rand::random::() < 0.2 { + if rand::random::() < 0.05 { controller.attack = true; + } else { + controller.attack = false; } false - } else if dist < 60.0 { + } else if dist < SIGHT_DIST { controller.move_dir = - Vec2::::from(tgt_pos.0 - pos.0).normalized() * 0.96; + Vec2::::from(tgt_pos.0 - pos.0).normalized(); false } else { @@ -80,16 +84,25 @@ impl<'a> System<'a> for Sys { } } None => { - controller.move_dir = Vec2::one(); + *bearing += + Vec2::new(rand::random::() - 0.5, rand::random::() - 0.5) + * 0.1 + - *bearing * 0.005; + + controller.move_dir = if bearing.magnitude_squared() > 0.1 { + bearing.normalized() + } else { + Vec2::zero() + }; true } }; - if choose_new { + if choose_new && rand::random::() < 0.1 { let entities = (&entities, &positions) .join() .filter(|(e, e_pos)| { - Vec2::::from(e_pos.0 - pos.0).magnitude() < 30.0 + Vec2::::from(e_pos.0 - pos.0).magnitude() < SIGHT_DIST && *e != entity }) .map(|(e, _)| e) diff --git a/server/src/cmd.rs b/server/src/cmd.rs index 93cf4069d7..44bddf3a12 100644 --- a/server/src/cmd.rs +++ b/server/src/cmd.rs @@ -438,7 +438,7 @@ fn handle_help(server: &mut Server, entity: EcsEntity, _args: String, _action: & fn alignment_to_agent(alignment: &str, target: EcsEntity) -> Option { match alignment { - "hostile" => Some(comp::Agent::Enemy { target: None }), + "hostile" => Some(comp::Agent::enemy()), "friendly" => Some(comp::Agent::Pet { target, offset: Vec2::zero(), diff --git a/server/src/lib.rs b/server/src/lib.rs index b264d809b2..82ac23bf22 100644 --- a/server/src/lib.rs +++ b/server/src/lib.rs @@ -19,8 +19,8 @@ use common::{ net::PostOffice, state::{State, TimeOfDay, Uid}, terrain::{block::Block, TerrainChunk, TerrainChunkSize, TerrainMap}, - vol::VolSize, vol::Vox, + vol::{ReadVol, VolSize}, }; use log::debug; use rand::Rng; @@ -34,7 +34,7 @@ use std::{ }; use uvth::{ThreadPool, ThreadPoolBuilder}; use vek::*; -use world::World; +use world::{ChunkSupplement, World}; const CLIENT_TIMEOUT: f64 = 20.0; // Seconds @@ -62,8 +62,8 @@ pub struct Server { clients: Clients, thread_pool: ThreadPool, - chunk_tx: mpsc::Sender<(Vec2, TerrainChunk)>, - chunk_rx: mpsc::Receiver<(Vec2, TerrainChunk)>, + chunk_tx: mpsc::Sender<(Vec2, (TerrainChunk, ChunkSupplement))>, + chunk_rx: mpsc::Receiver<(Vec2, (TerrainChunk, ChunkSupplement))>, pending_chunks: HashSet>, server_settings: ServerSettings, @@ -237,7 +237,7 @@ impl Server { // 5) Fetch any generated `TerrainChunk`s and insert them into the terrain. // Also, send the chunk data to anybody that is close by. - if let Ok((key, chunk)) = self.chunk_rx.try_recv() { + if let Ok((key, (chunk, supplement))) = self.chunk_rx.try_recv() { // Send the chunk to all nearby players. for (entity, view_distance, pos) in ( &self.state.ecs().entities(), @@ -267,6 +267,36 @@ impl Server { self.state.insert_chunk(key, chunk); self.pending_chunks.remove(&key); + + // Handle chunk supplement + for npc in supplement.npcs { + let mut stats = comp::Stats::new("Wolf".to_string()); + let mut body = comp::Body::QuadrupedMedium(comp::quadruped_medium::Body::random()); + let mut scale = 1.0; + + if npc.boss { + if rand::random::() < 0.8 { + stats = comp::Stats::new("Humanoid".to_string()); + body = comp::Body::Humanoid(comp::humanoid::Body::random()); + } + stats = stats.with_max_health(300 + rand::random::() % 400); + scale = 1.8 + rand::random::(); + } + + self.state + .ecs_mut() + .create_entity_synced() + .with(comp::Pos(npc.pos)) + .with(comp::Vel(Vec3::zero())) + .with(comp::Ori(Vec3::unit_y())) + .with(comp::Controller::default()) + .with(body) + .with(stats) + .with(comp::ActionState::default()) + .with(comp::Agent::enemy()) + .with(comp::Scale(scale)) + .build(); + } } fn chunk_in_vd( @@ -346,6 +376,7 @@ impl Server { } } } + // Sync changed blocks let msg = ServerMsg::TerrainBlockUpdates(self.state.terrain_changes().modified_blocks.clone()); @@ -360,6 +391,23 @@ impl Server { } } + // Remove NPCs that are outside the view distances of all players + let to_delete = { + let terrain = self.state.terrain(); + ( + &self.state.ecs().entities(), + &self.state.ecs().read_storage::(), + &self.state.ecs().read_storage::(), + ) + .join() + .filter(|(_, pos, _)| terrain.get(pos.0.map(|e| e.floor() as i32)).is_err()) + .map(|(entity, _, _)| entity) + .collect::>() + }; + for entity in to_delete { + let _ = self.state.ecs_mut().delete_entity(entity); + } + // 7) Finish the tick, pass control back to the frontend. // Cleanup diff --git a/voxygen/src/menu/char_selection/scene.rs b/voxygen/src/menu/char_selection/scene.rs index be925c9508..1885a6a82e 100644 --- a/voxygen/src/menu/char_selection/scene.rs +++ b/voxygen/src/menu/char_selection/scene.rs @@ -124,6 +124,7 @@ impl Scene { renderer, Vec3::zero(), -Vec3::unit_y(), + 1.0, Rgba::broadcast(1.0), 1.0 / 60.0, // TODO: Use actual deltatime here? ); diff --git a/voxygen/src/scene/figure.rs b/voxygen/src/scene/figure.rs index 8a8d800b83..a43774169b 100644 --- a/voxygen/src/scene/figure.rs +++ b/voxygen/src/scene/figure.rs @@ -624,11 +624,12 @@ impl FigureMgr { .get(client.entity()) .map_or(Vec3::zero(), |pos| pos.0); - for (entity, pos, vel, ori, body, animation_info, stats) in ( + for (entity, pos, vel, ori, scale, body, animation_info, stats) in ( &ecs.entities(), &ecs.read_storage::(), &ecs.read_storage::(), &ecs.read_storage::(), + ecs.read_storage::().maybe(), &ecs.read_storage::(), ecs.read_storage::().maybe(), ecs.read_storage::().maybe(), @@ -671,6 +672,8 @@ impl FigureMgr { }) .unwrap_or(Rgba::broadcast(1.0)); + let scale = scale.map(|s| s.0).unwrap_or(1.0); + let skeleton_attr = &self .model_cache .get_or_create_model(renderer, *body, tick) @@ -750,7 +753,7 @@ impl FigureMgr { }; state.skeleton.interpolate(&target_skeleton, dt); - state.update(renderer, pos.0, ori.0, col, dt); + state.update(renderer, pos.0, ori.0, scale, col, dt); } Body::Quadruped(_) => { let state = self @@ -788,7 +791,7 @@ impl FigureMgr { }; state.skeleton.interpolate(&target_skeleton, dt); - state.update(renderer, pos.0, ori.0, col, dt); + state.update(renderer, pos.0, ori.0, scale, col, dt); } Body::QuadrupedMedium(_) => { let state = self @@ -834,7 +837,7 @@ impl FigureMgr { }; state.skeleton.interpolate(&target_skeleton, dt); - state.update(renderer, pos.0, ori.0, col, dt); + state.update(renderer, pos.0, ori.0, scale, col, dt); } Body::Object(_) => { let state = self @@ -843,7 +846,7 @@ impl FigureMgr { .or_insert_with(|| FigureState::new(renderer, ObjectSkeleton::new())); state.skeleton = state.skeleton_mut().clone(); - state.update(renderer, pos.0, ori.0, col, dt); + state.update(renderer, pos.0, ori.0, scale, col, dt); } } } @@ -967,6 +970,7 @@ impl FigureState { renderer: &mut Renderer, pos: Vec3, ori: Vec3, + scale: f32, col: Rgba, dt: f32, ) { @@ -982,7 +986,7 @@ impl FigureState { let mat = Mat4::::identity() * Mat4::translation_3d(self.pos) * Mat4::rotation_z(-ori.x.atan2(ori.y)) - * Mat4::scaling_3d(Vec3::from(0.8)); + * Mat4::scaling_3d(Vec3::from(0.8 * scale)); let locals = FigureLocals::new(mat, col); renderer.update_consts(&mut self.locals, &[locals]).unwrap(); diff --git a/world/src/block/natural.rs b/world/src/block/natural.rs index f4958dac70..1ecac53823 100644 --- a/world/src/block/natural.rs +++ b/world/src/block/natural.rs @@ -43,7 +43,7 @@ pub fn structure_gen<'a>( let wheight = st_sample.alt.max(cliff_height); let st_pos3d = Vec3::new(st_pos.x, st_pos.y, wheight as i32); - let volumes: &'static [_] = if QUIRKY_RAND.get(st_seed) % 64 == 17 { + let volumes: &'static [_] = if QUIRKY_RAND.get(st_seed) % 512 == 17 { if st_sample.temp > CONFIG.desert_temp { &QUIRKY_DRY } else { diff --git a/world/src/lib.rs b/world/src/lib.rs index 32603d93dd..f3db6fa281 100644 --- a/world/src/lib.rs +++ b/world/src/lib.rs @@ -17,8 +17,9 @@ use crate::{ }; use common::{ terrain::{Block, TerrainChunk, TerrainChunkMeta, TerrainChunkSize}, - vol::{VolSize, Vox, WriteVol}, + vol::{ReadVol, VolSize, Vox, WriteVol}, }; +use rand::Rng; use std::time::Duration; use vek::*; @@ -56,7 +57,7 @@ impl World { BlockGen::new(self, ColumnGen::new(self)) } - pub fn generate_chunk(&self, chunk_pos: Vec2) -> TerrainChunk { + pub fn generate_chunk(&self, chunk_pos: Vec2) -> (TerrainChunk, ChunkSupplement) { let air = Block::empty(); let stone = Block::new(2, Rgb::new(200, 220, 255)); let water = Block::new(5, Rgb::new(100, 150, 255)); @@ -72,21 +73,24 @@ impl World { { Some((base_z, sim_chunk)) => (base_z as i32, sim_chunk), None => { - return TerrainChunk::new( - CONFIG.sea_level as i32, - water, - air, - TerrainChunkMeta::void(), + return ( + TerrainChunk::new( + CONFIG.sea_level as i32, + water, + air, + TerrainChunkMeta::void(), + ), + ChunkSupplement::default(), ) } }; let meta = TerrainChunkMeta::new(sim_chunk.get_name(&self.sim), sim_chunk.get_biome()); - - let mut chunk = TerrainChunk::new(base_z, stone, air, meta); - let mut sampler = self.sample_blocks(); + let chunk_block_pos = Vec3::from(chunk_pos) * TerrainChunkSize::SIZE.map(|e| e as i32); + + let mut chunk = TerrainChunk::new(base_z, stone, air, meta); for x in 0..TerrainChunkSize::SIZE.x as i32 { for y in 0..TerrainChunkSize::SIZE.y as i32 { let wpos2d = Vec2::new(x, y) @@ -105,8 +109,7 @@ impl World { for z in min_z as i32..max_z as i32 { let lpos = Vec3::new(x, y, z); - let wpos = - lpos + Vec3::from(chunk_pos) * TerrainChunkSize::SIZE.map(|e| e as i32); + let wpos = chunk_block_pos + lpos; if let Some(block) = sampler.get_with_z_cache(wpos, Some(&z_cache)) { let _ = chunk.set(lpos, block); @@ -115,6 +118,46 @@ impl World { } } - chunk + let gen_entity_pos = || { + let lpos2d = Vec2::from(TerrainChunkSize::SIZE) + .map(|sz| rand::thread_rng().gen::().rem_euclid(sz)); + let mut lpos = Vec3::new(lpos2d.x as i32, lpos2d.y as i32, 0); + + while chunk.get(lpos).map(|vox| !vox.is_empty()).unwrap_or(false) { + lpos.z += 1; + } + + (chunk_block_pos + lpos).map(|e| e as f32) + 0.5 + }; + + const SPAWN_RATE: f32 = 0.1; + const BOSS_RATE: f32 = 0.1; + let supplement = ChunkSupplement { + npcs: if rand::thread_rng().gen::() < SPAWN_RATE && sim_chunk.chaos < 0.5 { + vec![NpcInfo { + pos: gen_entity_pos(), + boss: rand::thread_rng().gen::() < BOSS_RATE, + }] + } else { + Vec::new() + }, + }; + + (chunk, supplement) + } +} + +pub struct NpcInfo { + pub pos: Vec3, + pub boss: bool, +} + +pub struct ChunkSupplement { + pub npcs: Vec, +} + +impl Default for ChunkSupplement { + fn default() -> Self { + Self { npcs: Vec::new() } } }