From fa052a22b763ea391b8a463d2c79e7a2b2b3c086 Mon Sep 17 00:00:00 2001 From: Joshua Barretto Date: Fri, 17 May 2019 13:39:40 +0100 Subject: [PATCH 1/4] More lenient max deltatime to avoid physics lag Former-commit-id: bdd4a9d634f9aa1e52ab3885e5b8a49348011760 --- common/src/state.rs | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/common/src/state.rs b/common/src/state.rs index 7a90150638..9758a929f6 100644 --- a/common/src/state.rs +++ b/common/src/state.rs @@ -39,7 +39,7 @@ pub struct DeltaTime(pub f32); /// too fast, we'd skip important physics events like collisions. This constant determines what /// the upper limit is. If delta time exceeds this value, the game's physics will begin to produce /// time lag. Ideally, we'd avoid such a situation. -const MAX_DELTA_TIME: f32 = 0.05; +const MAX_DELTA_TIME: f32 = 0.15; pub struct Changes { pub new_chunks: HashSet>, From 91184356e70c4670f6d8c215dccc3dccf1f03bf7 Mon Sep 17 00:00:00 2001 From: Joshua Barretto Date: Fri, 17 May 2019 18:44:30 +0100 Subject: [PATCH 2/4] Added chonks Former-commit-id: a62fb321dbfb7541feaa9de4e641db9887b061fd --- client/src/lib.rs | 24 ++-- common/src/msg/client.rs | 2 +- common/src/msg/server.rs | 2 +- common/src/state.rs | 10 +- common/src/terrain/block.rs | 2 +- common/src/terrain/chonk.rs | 139 +++++++++++++++++++ common/src/terrain/mod.rs | 7 +- common/src/vol.rs | 7 +- common/src/volumes/mod.rs | 3 +- common/src/volumes/vol_map.rs | 227 ------------------------------- common/src/volumes/vol_map_2d.rs | 185 +++++++++++++++++++++++++ common/src/volumes/vol_map_3d.rs | 185 +++++++++++++++++++++++++ server/src/lib.rs | 8 +- voxygen/src/mesh/terrain.rs | 70 +++++++++- voxygen/src/scene/terrain.rs | 76 +++++------ world/src/lib.rs | 83 +++++------ 16 files changed, 686 insertions(+), 344 deletions(-) create mode 100644 common/src/terrain/chonk.rs delete mode 100644 common/src/volumes/vol_map.rs create mode 100644 common/src/volumes/vol_map_2d.rs create mode 100644 common/src/volumes/vol_map_3d.rs diff --git a/client/src/lib.rs b/client/src/lib.rs index 96b182e3f0..514c6448ae 100644 --- a/client/src/lib.rs +++ b/client/src/lib.rs @@ -46,7 +46,7 @@ pub struct Client { entity: EcsEntity, view_distance: u64, - pending_chunks: HashMap, Instant>, + pending_chunks: HashMap, Instant>, } impl Client { @@ -221,18 +221,16 @@ impl Client { 'outer: for dist in 0..10 { for i in chunk_pos.x - dist..chunk_pos.x + dist + 1 { for j in chunk_pos.y - dist..chunk_pos.y + dist + 1 { - for k in 0..6 { - let key = Vec3::new(i, j, k); - if self.state.terrain().get_key(key).is_none() - && !self.pending_chunks.contains_key(&key) - { - if self.pending_chunks.len() < 4 { - self.postbox - .send_message(ClientMsg::TerrainChunkRequest { key }); - self.pending_chunks.insert(key, Instant::now()); - } else { - break 'outer; - } + let key = Vec2::new(i, j); + if self.state.terrain().get_key(key).is_none() + && !self.pending_chunks.contains_key(&key) + { + if self.pending_chunks.len() < 4 { + self.postbox + .send_message(ClientMsg::TerrainChunkRequest { key }); + self.pending_chunks.insert(key, Instant::now()); + } else { + break 'outer; } } } diff --git a/common/src/msg/client.rs b/common/src/msg/client.rs index 530022d4e3..80756d9d94 100644 --- a/common/src/msg/client.rs +++ b/common/src/msg/client.rs @@ -22,7 +22,7 @@ pub enum ClientMsg { dir: comp::phys::Dir, }, TerrainChunkRequest { - key: Vec3, + key: Vec2, }, Disconnect, } diff --git a/common/src/msg/server.rs b/common/src/msg/server.rs index b43ac8d59a..4a315dc5b7 100644 --- a/common/src/msg/server.rs +++ b/common/src/msg/server.rs @@ -34,7 +34,7 @@ pub enum ServerMsg { animation_history: comp::AnimationHistory, }, TerrainChunkUpdate { - key: Vec3, + key: Vec2, chunk: Box, }, Disconnect, diff --git a/common/src/state.rs b/common/src/state.rs index 9758a929f6..07f9676f88 100644 --- a/common/src/state.rs +++ b/common/src/state.rs @@ -42,9 +42,9 @@ pub struct DeltaTime(pub f32); const MAX_DELTA_TIME: f32 = 0.15; pub struct Changes { - pub new_chunks: HashSet>, - pub changed_chunks: HashSet>, - pub removed_chunks: HashSet>, + pub new_chunks: HashSet>, + pub changed_chunks: HashSet>, + pub removed_chunks: HashSet>, } impl Changes { @@ -181,7 +181,7 @@ impl State { } /// Insert the provided chunk into this state's terrain. - pub fn insert_chunk(&mut self, key: Vec3, chunk: TerrainChunk) { + pub fn insert_chunk(&mut self, key: Vec2, chunk: TerrainChunk) { if self .ecs .write_resource::() @@ -195,7 +195,7 @@ impl State { } /// Remove the chunk with the given key from this state's terrain, if it exists - pub fn remove_chunk(&mut self, key: Vec3) { + pub fn remove_chunk(&mut self, key: Vec2) { if self .ecs .write_resource::() diff --git a/common/src/terrain/block.rs b/common/src/terrain/block.rs index 21d46dee31..7da8ff3ab9 100644 --- a/common/src/terrain/block.rs +++ b/common/src/terrain/block.rs @@ -4,7 +4,7 @@ use vek::*; // Crate use crate::vol::Vox; -#[derive(Copy, Clone, Debug, Serialize, Deserialize)] +#[derive(Copy, Clone, Debug, PartialEq, Serialize, Deserialize)] pub struct Block { kind: u8, color: [u8; 3], diff --git a/common/src/terrain/chonk.rs b/common/src/terrain/chonk.rs new file mode 100644 index 0000000000..cac8e3f67b --- /dev/null +++ b/common/src/terrain/chonk.rs @@ -0,0 +1,139 @@ +use vek::*; +use serde_derive::{Deserialize, Serialize}; +use crate::{ + vol::{ + BaseVol, + ReadVol, + WriteVol, + VolSize, + }, + volumes::chunk::{Chunk, ChunkErr}, +}; +use super::{ + block::Block, + TerrainChunkSize, + TerrainChunkMeta, +}; + +#[derive(Debug)] +pub enum ChonkError { + ChunkError(ChunkErr), + OutOfBounds, +} + +#[derive(Debug, Clone, Serialize, Deserialize)] +pub struct Chonk { + z_offset: i32, + sub_chunks: Vec, + below: Block, + above: Block, + meta: TerrainChunkMeta, +} + +impl Chonk { + pub fn new(z_offset: i32, below: Block, above: Block, meta: TerrainChunkMeta) -> Self { + Self { + z_offset, + sub_chunks: Vec::new(), + below, + above, + meta, + } + } + + fn sub_chunk_idx(&self, z: i32) -> usize { + ((z - self.z_offset) as u32 / TerrainChunkSize::SIZE.z as u32) as usize + } +} + +impl BaseVol for Chonk { + type Vox = Block; + type Err = ChonkError; +} + + +impl ReadVol for Chonk { + #[inline(always)] + fn get(&self, pos: Vec3) -> Result<&Block, ChonkError> { + if pos.z < self.z_offset { + // Below the terrain + Ok(&self.below) + } else if pos.z >= self.z_offset + TerrainChunkSize::SIZE.z as i32 * self.sub_chunks.len() as i32 { + // Above the terrain + Ok(&self.above) + } else { + // Within the terrain + + let sub_chunk_idx = self.sub_chunk_idx(pos.z); + + match &self.sub_chunks[sub_chunk_idx] { // Can't fail + SubChunk::Homogeneous(block) => Ok(block), + SubChunk::Heterogeneous(chunk) => { + let rpos = pos - Vec3::unit_z() * ( + self.z_offset + + sub_chunk_idx as i32 * TerrainChunkSize::SIZE.z as i32 + ); + chunk + .get(rpos) + .map_err(|err| ChonkError::ChunkError(err)) + }, + } + } + } +} + +impl WriteVol for Chonk { + #[inline(always)] + fn set(&mut self, pos: Vec3, block: Block) -> Result<(), ChonkError> { + if pos.z < self.z_offset { + Err(ChonkError::OutOfBounds) + } else { + let sub_chunk_idx = self.sub_chunk_idx(pos.z); + + while self.sub_chunks.get(sub_chunk_idx).is_none() { + self.sub_chunks.push(SubChunk::Homogeneous(self.above)); + } + + let rpos = pos - Vec3::unit_z() * ( + self.z_offset + + sub_chunk_idx as i32 * TerrainChunkSize::SIZE.z as i32 + ); + + match &mut self.sub_chunks[sub_chunk_idx] { // Can't fail + SubChunk::Homogeneous(cblock) if *cblock == block => Ok(()), + SubChunk::Homogeneous(cblock) => { + let mut new_chunk = Chunk::filled(*cblock, ()); + match new_chunk + .set(rpos, block) + .map_err(|err| { + println!("Error!! {:?}", rpos); + ChonkError::ChunkError(err) + }) + { + Ok(()) => { + self.sub_chunks[sub_chunk_idx] = SubChunk::Heterogeneous(new_chunk); + Ok(()) + }, + Err(err) => Err(err), + } + + }, + SubChunk::Heterogeneous(chunk) => chunk + .set(rpos, block) + .map_err(|err| ChonkError::ChunkError(err)), + } + } + } +} + +#[derive(Debug, Clone, Serialize, Deserialize)] +pub enum SubChunk { + Homogeneous(Block), + Heterogeneous(Chunk), +} + +impl SubChunk { + pub fn filled(block: Block) -> Self { + SubChunk::Homogeneous(block) + } +} diff --git a/common/src/terrain/mod.rs b/common/src/terrain/mod.rs index 56ba776531..ed5bb72ed8 100644 --- a/common/src/terrain/mod.rs +++ b/common/src/terrain/mod.rs @@ -1,12 +1,13 @@ pub mod biome; pub mod block; +pub mod chonk; // Reexports pub use self::{biome::BiomeKind, block::Block}; use crate::{ vol::VolSize, - volumes::{chunk::Chunk, vol_map::VolMap}, + volumes::{chunk::Chunk, vol_map_2d::VolMap2d}, }; use serde_derive::{Deserialize, Serialize}; use vek::*; @@ -41,5 +42,5 @@ impl TerrainChunkMeta { // Terrain type aliases -pub type TerrainChunk = Chunk; -pub type TerrainMap = VolMap; +pub type TerrainChunk = chonk::Chonk; //Chunk; +pub type TerrainMap = VolMap2d; diff --git a/common/src/vol.rs b/common/src/vol.rs index 1daaccac37..4d4c7ff246 100644 --- a/common/src/vol.rs +++ b/common/src/vol.rs @@ -74,10 +74,7 @@ pub trait ReadVol: BaseVol { } /// A volume that provides the ability to sample (i.e: clone a section of) its voxel data. -pub trait SampleVol: BaseVol -where - Self::Vox: Clone, -{ +pub trait SampleVol: BaseVol { type Sample: BaseVol + ReadVol; /// Take a sample of the volume by cloning voxels within the provided range. /// @@ -86,7 +83,7 @@ where /// /// Note that the resultant volume has a coordinate space relative to the sample, not the /// original volume. - fn sample(&self, range: Aabb) -> Result; + fn sample(&self, range: I) -> Result; } /// A volume that provides write access to its voxel data. diff --git a/common/src/volumes/mod.rs b/common/src/volumes/mod.rs index f6c093e284..9190b62193 100644 --- a/common/src/volumes/mod.rs +++ b/common/src/volumes/mod.rs @@ -1,3 +1,4 @@ pub mod chunk; pub mod dyna; -pub mod vol_map; +pub mod vol_map_3d; +pub mod vol_map_2d; diff --git a/common/src/volumes/vol_map.rs b/common/src/volumes/vol_map.rs deleted file mode 100644 index 76fa9a6c84..0000000000 --- a/common/src/volumes/vol_map.rs +++ /dev/null @@ -1,227 +0,0 @@ -// Standard -use std::{collections::HashMap, sync::Arc}; - -// Library -use vek::*; - -// Crate -use crate::{ - terrain::TerrainChunkMeta, - vol::{BaseVol, ReadVol, SampleVol, SizedVol, VolSize, Vox, WriteVol}, - volumes::{ - chunk::{Chunk, ChunkErr}, - dyna::{Dyna, DynaErr}, - }, -}; - -#[derive(Debug)] -pub enum VolMapErr { - NoSuchChunk, - ChunkErr(ChunkErr), - DynaErr(DynaErr), - InvalidChunkSize, -} - -// V = Voxel -// S = Size (replace with a const when const generics is a thing) -// M = Chunk metadata -#[derive(Clone)] -pub struct VolMap { - chunks: HashMap, Arc>>, -} - -impl VolMap { - #[inline(always)] - pub fn chunk_key(pos: Vec3) -> Vec3 { - pos.map2(S::SIZE, |e, sz| { - // Horrid, but it's faster than a cheetah with a red bull blood transfusion - let log2 = (sz - 1).count_ones(); - ((((e as i64 + (1 << 32)) as u64) >> log2) - (1 << (32 - log2))) as i32 - }) - } - - #[inline(always)] - pub fn chunk_offs(pos: Vec3) -> Vec3 { - pos.map2(S::SIZE, |e, sz| { - // Horrid, but it's even faster than the aforementioned cheetah - (((e as i64 + (1 << 32)) as u64) & (sz - 1) as u64) as i32 - }) - } -} - -impl BaseVol for VolMap { - type Vox = V; - type Err = VolMapErr; -} - -impl ReadVol for VolMap { - #[inline(always)] - fn get(&self, pos: Vec3) -> Result<&V, VolMapErr> { - let ck = Self::chunk_key(pos); - self.chunks - .get(&ck) - .ok_or(VolMapErr::NoSuchChunk) - .and_then(|chunk| { - let co = Self::chunk_offs(pos); - chunk.get(co).map_err(|err| VolMapErr::ChunkErr(err)) - }) - } -} - -impl SampleVol for VolMap { - type Sample = VolMap; - - /// Take a sample of the terrain by cloning the voxels within the provided range. - /// - /// Note that the resultant volume does not carry forward metadata from the original chunks. - fn sample(&self, range: Aabb) -> Result { - // Return early if we don't have all the needed chunks that we need! - /* - let min_chunk = Self::chunk_key(range.min); - let max_chunk = Self::chunk_key(range.max - Vec3::one()); - for x in min_chunk.x..=max_chunk.x { - for y in min_chunk.y..=max_chunk.y { - for z in min_chunk.z..=max_chunk.z { - if self.chunks.get(&Vec3::new(x, y, z)).is_none() { - return Err(VolMapErr::NoSuchChunk); - } - } - } - } - */ - - // let mut sample = Dyna::filled(range.size().map(|e| e as u32).into(), V::empty(), ()); - - // let mut last_chunk_pos = self.pos_key(range.min); - // let mut last_chunk = self.get_key(last_chunk_pos); - - // for pos in sample.iter_positions() { - // let new_chunk_pos = self.pos_key(range.min + pos); - // if last_chunk_pos != new_chunk_pos { - // last_chunk = self.get_key(new_chunk_pos); - // last_chunk_pos = new_chunk_pos; - // } - // sample - // .set( - // pos, - // if let Some(chunk) = last_chunk { - // chunk - // .get(Self::chunk_offs(range.min + pos)) - // .map(|v| v.clone()) - // .unwrap_or(V::empty()) - // // Fallback in case the chunk doesn't exist - // } else { - // self.get(range.min + pos) - // .map(|v| v.clone()) - // .unwrap_or(V::empty()) - // }, - // ) - // .map_err(|err| VolMapErr::DynaErr(err))?; - // } - - // Ok(sample) - - let mut sample = VolMap::new()?; - let chunk_min = Self::chunk_key(range.min); - let chunk_max = Self::chunk_key(range.max); - for x in chunk_min.x..=chunk_max.x { - for y in chunk_min.y..=chunk_max.y { - for z in chunk_min.z..=chunk_max.z { - let chunk_key = Vec3::new(x, y, z); - - let chunk = self.get_key_arc(chunk_key).map(|v| v.clone()); - - if let Some(chunk) = chunk { - sample.insert(chunk_key, chunk); - } - } - } - } - - Ok(sample) - } -} - -impl WriteVol for VolMap { - #[inline(always)] - fn set(&mut self, pos: Vec3, vox: V) -> Result<(), VolMapErr> { - let ck = Self::chunk_key(pos); - self.chunks - .get_mut(&ck) - .ok_or(VolMapErr::NoSuchChunk) - .and_then(|chunk| { - let co = Self::chunk_offs(pos); - Arc::make_mut(chunk) - .set(co, vox) - .map_err(|err| VolMapErr::ChunkErr(err)) - }) - } -} - -impl VolMap { - pub fn new() -> Result { - if Self::chunk_size() - .map(|e| e.is_power_of_two() && e > 0) - .reduce_and() - { - Ok(Self { - chunks: HashMap::new(), - }) - } else { - Err(VolMapErr::InvalidChunkSize) - } - } - - pub fn chunk_size() -> Vec3 { - S::SIZE - } - - pub fn insert( - &mut self, - key: Vec3, - chunk: Arc>, - ) -> Option>> { - self.chunks.insert(key, chunk) - } - - pub fn get_key(&self, key: Vec3) -> Option<&Chunk> { - match self.chunks.get(&key) { - Some(arc_chunk) => Some(arc_chunk.as_ref()), - None => None, - } - } - - pub fn get_key_arc(&self, key: Vec3) -> Option<&Arc>> { - self.chunks.get(&key) - } - - pub fn remove(&mut self, key: Vec3) -> Option>> { - self.chunks.remove(&key) - } - - pub fn key_pos(&self, key: Vec3) -> Vec3 { - key * S::SIZE.map(|e| e as i32) - } - - pub fn pos_key(&self, pos: Vec3) -> Vec3 { - Self::chunk_key(pos) - } - - pub fn iter<'a>(&'a self) -> ChunkIter<'a, V, S, M> { - ChunkIter { - iter: self.chunks.iter(), - } - } -} - -pub struct ChunkIter<'a, V: Vox, S: VolSize, M> { - iter: std::collections::hash_map::Iter<'a, Vec3, Arc>>, -} - -impl<'a, V: Vox, S: VolSize, M> Iterator for ChunkIter<'a, V, S, M> { - type Item = (Vec3, &'a Arc>); - - fn next(&mut self) -> Option { - self.iter.next().map(|(k, c)| (*k, c)) - } -} diff --git a/common/src/volumes/vol_map_2d.rs b/common/src/volumes/vol_map_2d.rs new file mode 100644 index 0000000000..25e4fbc686 --- /dev/null +++ b/common/src/volumes/vol_map_2d.rs @@ -0,0 +1,185 @@ +use std::{ + collections::HashMap, + sync::Arc, + marker::PhantomData, +}; +use vek::*; +use crate::{ + terrain::TerrainChunkMeta, + vol::{BaseVol, ReadVol, SampleVol, SizedVol, VolSize, Vox, WriteVol}, + volumes::{ + chunk::{Chunk, ChunkErr}, + dyna::{Dyna, DynaErr}, + }, +}; + +#[derive(Debug)] +pub enum VolMap2dErr { + NoSuchChunk, + ChunkErr(V::Err), + DynaErr(DynaErr), + InvalidChunkSize, +} + +// V = Voxel +// S = Size (replace with a const when const generics is a thing) +// M = Chunk metadata +#[derive(Clone)] +pub struct VolMap2d { + chunks: HashMap, Arc>, + phantom: PhantomData, +} + +impl VolMap2d { + #[inline(always)] + pub fn chunk_key>>(pos: P) -> Vec2 { + pos.into().map2(S::SIZE.into(), |e, sz: u32| { + // Horrid, but it's faster than a cheetah with a red bull blood transfusion + let log2 = (sz - 1).count_ones(); + ((((e as i64 + (1 << 32)) as u64) >> log2) - (1 << (32 - log2))) as i32 + }) + } + + #[inline(always)] + pub fn chunk_offs(pos: Vec3) -> Vec3 { + let offs = pos.map2(S::SIZE, |e, sz| { + // Horrid, but it's even faster than the aforementioned cheetah + (((e as i64 + (1 << 32)) as u64) & (sz - 1) as u64) as i32 + }); + Vec3::new(offs.x, offs.y, pos.z) + } +} + +impl BaseVol for VolMap2d { + type Vox = V::Vox; + type Err = VolMap2dErr; +} + +impl ReadVol for VolMap2d { + #[inline(always)] + fn get(&self, pos: Vec3) -> Result<&V::Vox, VolMap2dErr> { + let ck = Self::chunk_key(pos); + self.chunks + .get(&ck) + .ok_or(VolMap2dErr::NoSuchChunk) + .and_then(|chunk| { + let co = Self::chunk_offs(pos); + chunk.get(co).map_err(|err| VolMap2dErr::ChunkErr(err)) + }) + } +} + +// TODO: This actually breaks the API: samples are supposed to have an offset of zero! +// TODO: Should this be changed, perhaps? +impl>, V: BaseVol + ReadVol, S: VolSize> SampleVol for VolMap2d { + type Sample = VolMap2d; + + /// Take a sample of the terrain by cloning the voxels within the provided range. + /// + /// Note that the resultant volume does not carry forward metadata from the original chunks. + fn sample(&self, range: I) -> Result> { + let range = range.into(); + + let mut sample = VolMap2d::new()?; + let chunk_min = Self::chunk_key(range.min); + let chunk_max = Self::chunk_key(range.max); + for x in chunk_min.x..=chunk_max.x { + for y in chunk_min.y..=chunk_max.y { + let chunk_key = Vec2::new(x, y); + + let chunk = self.get_key_arc(chunk_key).map(|v| v.clone()); + + if let Some(chunk) = chunk { + sample.insert(chunk_key, chunk); + } + } + } + + Ok(sample) + } +} + +impl WriteVol for VolMap2d { + #[inline(always)] + fn set(&mut self, pos: Vec3, vox: V::Vox) -> Result<(), VolMap2dErr> { + let ck = Self::chunk_key(pos); + self.chunks + .get_mut(&ck) + .ok_or(VolMap2dErr::NoSuchChunk) + .and_then(|chunk| { + let co = Self::chunk_offs(pos); + Arc::make_mut(chunk) + .set(co, vox) + .map_err(|err| VolMap2dErr::ChunkErr(err)) + }) + } +} + +impl VolMap2d { + pub fn new() -> Result> { + if Self::chunk_size() + .map(|e| e.is_power_of_two() && e > 0) + .reduce_and() + { + Ok(Self { + chunks: HashMap::new(), + phantom: PhantomData, + }) + } else { + Err(VolMap2dErr::InvalidChunkSize) + } + } + + pub fn chunk_size() -> Vec2 { + S::SIZE.into() + } + + pub fn insert( + &mut self, + key: Vec2, + chunk: Arc, + ) -> Option> { + self.chunks.insert(key, chunk) + } + + pub fn get_key(&self, key: Vec2) -> Option<&V> { + match self.chunks.get(&key) { + Some(arc_chunk) => Some(arc_chunk.as_ref()), + None => None, + } + } + + pub fn get_key_arc(&self, key: Vec2) -> Option<&Arc> { + self.chunks.get(&key) + } + + pub fn remove(&mut self, key: Vec2) -> Option> { + self.chunks.remove(&key) + } + + pub fn key_pos(&self, key: Vec2) -> Vec2 { + key * Vec2::::from(S::SIZE).map(|e| e as i32) + } + + pub fn pos_key(&self, pos: Vec3) -> Vec2 { + Self::chunk_key(pos) + } + + pub fn iter<'a>(&'a self) -> ChunkIter<'a, V> { + ChunkIter { + iter: self.chunks.iter(), + } + } +} + +pub struct ChunkIter<'a, V: BaseVol> { + iter: std::collections::hash_map::Iter<'a, Vec2, Arc>, +} + +impl<'a, V: BaseVol> Iterator for ChunkIter<'a, V> { + type Item = (Vec2, &'a Arc); + + fn next(&mut self) -> Option { + self.iter.next().map(|(k, c)| (*k, c)) + } +} diff --git a/common/src/volumes/vol_map_3d.rs b/common/src/volumes/vol_map_3d.rs new file mode 100644 index 0000000000..024bcc5a30 --- /dev/null +++ b/common/src/volumes/vol_map_3d.rs @@ -0,0 +1,185 @@ +use std::{ + collections::HashMap, + sync::Arc, + marker::PhantomData, +}; +use vek::*; +use crate::{ + terrain::TerrainChunkMeta, + vol::{BaseVol, ReadVol, SampleVol, SizedVol, VolSize, Vox, WriteVol}, + volumes::{ + chunk::{Chunk, ChunkErr}, + dyna::{Dyna, DynaErr}, + }, +}; + +#[derive(Debug)] +pub enum VolMap3dErr { + NoSuchChunk, + ChunkErr(V::Err), + DynaErr(DynaErr), + InvalidChunkSize, +} + +// V = Voxel +// S = Size (replace with a const when const generics is a thing) +// M = Chunk metadata +#[derive(Clone)] +pub struct VolMap3d { + chunks: HashMap, Arc>, + phantom: PhantomData, +} + +impl VolMap3d { + #[inline(always)] + pub fn chunk_key(pos: Vec3) -> Vec3 { + pos.map2(S::SIZE, |e, sz| { + // Horrid, but it's faster than a cheetah with a red bull blood transfusion + let log2 = (sz - 1).count_ones(); + ((((e as i64 + (1 << 32)) as u64) >> log2) - (1 << (32 - log2))) as i32 + }) + } + + #[inline(always)] + pub fn chunk_offs(pos: Vec3) -> Vec3 { + pos.map2(S::SIZE, |e, sz| { + // Horrid, but it's even faster than the aforementioned cheetah + (((e as i64 + (1 << 32)) as u64) & (sz - 1) as u64) as i32 + }) + } +} + +impl BaseVol for VolMap3d { + type Vox = V::Vox; + type Err = VolMap3dErr; +} + +impl ReadVol for VolMap3d { + #[inline(always)] + fn get(&self, pos: Vec3) -> Result<&V::Vox, VolMap3dErr> { + let ck = Self::chunk_key(pos); + self.chunks + .get(&ck) + .ok_or(VolMap3dErr::NoSuchChunk) + .and_then(|chunk| { + let co = Self::chunk_offs(pos); + chunk.get(co).map_err(|err| VolMap3dErr::ChunkErr(err)) + }) + } +} + +// TODO: This actually breaks the API: samples are supposed to have an offset of zero! +// TODO: Should this be changed, perhaps? +impl>, V: BaseVol + ReadVol, S: VolSize> SampleVol for VolMap3d { + type Sample = VolMap3d; + + /// Take a sample of the terrain by cloning the voxels within the provided range. + /// + /// Note that the resultant volume does not carry forward metadata from the original chunks. + fn sample(&self, range: I) -> Result> { + let range = range.into(); + let mut sample = VolMap3d::new()?; + let chunk_min = Self::chunk_key(range.min); + let chunk_max = Self::chunk_key(range.max); + for x in chunk_min.x..=chunk_max.x { + for y in chunk_min.y..=chunk_max.y { + for z in chunk_min.z..=chunk_max.z { + let chunk_key = Vec3::new(x, y, z); + + let chunk = self.get_key_arc(chunk_key).map(|v| v.clone()); + + if let Some(chunk) = chunk { + sample.insert(chunk_key, chunk); + } + } + } + } + + Ok(sample) + } +} + +impl WriteVol for VolMap3d { + #[inline(always)] + fn set(&mut self, pos: Vec3, vox: V::Vox) -> Result<(), VolMap3dErr> { + let ck = Self::chunk_key(pos); + self.chunks + .get_mut(&ck) + .ok_or(VolMap3dErr::NoSuchChunk) + .and_then(|chunk| { + let co = Self::chunk_offs(pos); + Arc::make_mut(chunk) + .set(co, vox) + .map_err(|err| VolMap3dErr::ChunkErr(err)) + }) + } +} + +impl VolMap3d { + pub fn new() -> Result> { + if Self::chunk_size() + .map(|e| e.is_power_of_two() && e > 0) + .reduce_and() + { + Ok(Self { + chunks: HashMap::new(), + phantom: PhantomData, + }) + } else { + Err(VolMap3dErr::InvalidChunkSize) + } + } + + pub fn chunk_size() -> Vec3 { + S::SIZE + } + + pub fn insert( + &mut self, + key: Vec3, + chunk: Arc, + ) -> Option> { + self.chunks.insert(key, chunk) + } + + pub fn get_key(&self, key: Vec3) -> Option<&V> { + match self.chunks.get(&key) { + Some(arc_chunk) => Some(arc_chunk.as_ref()), + None => None, + } + } + + pub fn get_key_arc(&self, key: Vec3) -> Option<&Arc> { + self.chunks.get(&key) + } + + pub fn remove(&mut self, key: Vec3) -> Option> { + self.chunks.remove(&key) + } + + pub fn key_pos(&self, key: Vec3) -> Vec3 { + key * S::SIZE.map(|e| e as i32) + } + + pub fn pos_key(&self, pos: Vec3) -> Vec3 { + Self::chunk_key(pos) + } + + pub fn iter<'a>(&'a self) -> ChunkIter<'a, V> { + ChunkIter { + iter: self.chunks.iter(), + } + } +} + +pub struct ChunkIter<'a, V: BaseVol> { + iter: std::collections::hash_map::Iter<'a, Vec3, Arc>, +} + +impl<'a, V: BaseVol> Iterator for ChunkIter<'a, V> { + type Item = (Vec3, &'a Arc); + + fn next(&mut self) -> Option { + self.iter.next().map(|(k, c)| (*k, c)) + } +} diff --git a/server/src/lib.rs b/server/src/lib.rs index deaff7ead3..b85fe5ea7c 100644 --- a/server/src/lib.rs +++ b/server/src/lib.rs @@ -44,9 +44,9 @@ pub struct Server { clients: Clients, thread_pool: ThreadPool, - chunk_tx: mpsc::Sender<(Vec3, TerrainChunk)>, - chunk_rx: mpsc::Receiver<(Vec3, TerrainChunk)>, - pending_chunks: HashSet>, + chunk_tx: mpsc::Sender<(Vec2, TerrainChunk)>, + chunk_rx: mpsc::Receiver<(Vec2, TerrainChunk)>, + pending_chunks: HashSet>, } impl Server { @@ -555,7 +555,7 @@ impl Server { .clear(); } - pub fn generate_chunk(&mut self, key: Vec3) { + pub fn generate_chunk(&mut self, key: Vec2) { if self.pending_chunks.insert(key) { let chunk_tx = self.chunk_tx.clone(); self.thread_pool diff --git a/voxygen/src/mesh/terrain.rs b/voxygen/src/mesh/terrain.rs index 69a443404b..270c13eda2 100644 --- a/voxygen/src/mesh/terrain.rs +++ b/voxygen/src/mesh/terrain.rs @@ -4,8 +4,8 @@ use vek::*; // Project use common::{ terrain::Block, - vol::{ReadVol, SizedVol, VolSize, Vox}, - volumes::{dyna::Dyna, vol_map::VolMap}, + vol::{BaseVol, ReadVol, SizedVol, VolSize, Vox}, + volumes::{dyna::Dyna, vol_map_2d::VolMap2d, vol_map_3d::VolMap3d}, }; // Crate @@ -44,7 +44,71 @@ impl Meshable for Dyna { } } -impl Meshable for VolMap { +impl + ReadVol, S: VolSize + Clone> Meshable for VolMap2d { + type Pipeline = TerrainPipeline; + type Supplement = Aabb; + + fn generate_mesh(&self, range: Self::Supplement) -> Mesh { + let mut mesh = Mesh::new(); + + let mut last_chunk_pos = self.pos_key(range.min); + let mut last_chunk = self.get_key(last_chunk_pos); + + let size = range.max - range.min; + for x in 1..size.x - 1 { + for y in 1..size.y - 1 { + for z in 0..size.z { + let pos = Vec3::new(x, y, z); + + let new_chunk_pos = self.pos_key(range.min + pos); + if last_chunk_pos != new_chunk_pos { + last_chunk = self.get_key(new_chunk_pos); + last_chunk_pos = new_chunk_pos; + } + let offs = pos.map(|e| e as f32) - Vec3::new(1.0, 1.0, 0.0); + if let Some(chunk) = last_chunk { + let chunk_pos = Self::chunk_offs(range.min + pos); + if let Some(col) = chunk.get(chunk_pos).ok().and_then(|vox| vox.get_color()) + { + let col = col.map(|e| e as f32 / 255.0); + + vol::push_vox_verts( + &mut mesh, + self, + range.min + pos, + offs, + col, + TerrainVertex::new, + false, + ); + } + } else { + if let Some(col) = self + .get(range.min + pos) + .ok() + .and_then(|vox| vox.get_color()) + { + let col = col.map(|e| e as f32 / 255.0); + + vol::push_vox_verts( + &mut mesh, + self, + range.min + pos, + offs, + col, + TerrainVertex::new, + false, + ); + } + } + } + } + } + mesh + } +} + +impl + ReadVol, S: VolSize + Clone> Meshable for VolMap3d { type Pipeline = TerrainPipeline; type Supplement = Aabb; diff --git a/voxygen/src/scene/terrain.rs b/voxygen/src/scene/terrain.rs index daf0c29327..3c085400c5 100644 --- a/voxygen/src/scene/terrain.rs +++ b/voxygen/src/scene/terrain.rs @@ -1,14 +1,7 @@ -// Standard use std::{collections::HashMap, sync::mpsc, time::Duration}; - -// Library use vek::*; - -// Project use client::Client; -use common::{terrain::TerrainMap, vol::SampleVol, volumes::vol_map::VolMapErr}; - -// Crate +use common::{terrain::TerrainMap, vol::SampleVol, volumes::vol_map_2d::VolMap2dErr}; use crate::{ mesh::Meshable, render::{Consts, Globals, Mesh, Model, Renderer, TerrainLocals, TerrainPipeline}, @@ -21,40 +14,40 @@ struct TerrainChunk { } struct ChunkMeshState { - pos: Vec3, + pos: Vec2, started_tick: u64, active_worker: bool, } /// A type produced by mesh worker threads corresponding to the position and mesh of a chunk struct MeshWorkerResponse { - pos: Vec3, + pos: Vec2, mesh: Mesh, started_tick: u64, } /// Function executed by worker threads dedicated to chunk meshing fn mesh_worker( - pos: Vec3, + pos: Vec2, started_tick: u64, - volume: ::Sample, - supplement: Aabb, + volume: >>::Sample, + range: Aabb, ) -> MeshWorkerResponse { MeshWorkerResponse { pos, - mesh: volume.generate_mesh(supplement), + mesh: volume.generate_mesh(range), started_tick, } } pub struct Terrain { - chunks: HashMap, TerrainChunk>, + chunks: HashMap, TerrainChunk>, // The mpsc sender and receiver used for talking to meshing worker threads. // We keep the sender component for no reason othe than to clone it and send it to new workers. mesh_send_tmp: mpsc::Sender, mesh_recv: mpsc::Receiver, - mesh_todo: HashMap, ChunkMeshState>, + mesh_todo: HashMap, ChunkMeshState>, } impl Terrain { @@ -90,28 +83,26 @@ impl Terrain { // elision information changes too! for i in -1..2 { for j in -1..2 { - for k in -1..2 { - let pos = pos + Vec3::new(i, j, k); + let pos = pos + Vec2::new(i, j); - if !self.chunks.contains_key(&pos) { - let mut neighbours = true; - for i in -1..2 { - for j in -1..2 { - neighbours &= client - .state() - .terrain() - .get_key(pos + Vec2::new(i, j)) - .is_some(); - } + if !self.chunks.contains_key(&pos) { + let mut neighbours = true; + for i in -1..2 { + for j in -1..2 { + neighbours &= client + .state() + .terrain() + .get_key(pos + Vec2::new(i, j)) + .is_some(); } + } - if neighbours { - self.mesh_todo.entry(pos).or_insert(ChunkMeshState { - pos, - started_tick: current_tick, - active_worker: false, - }); - } + if neighbours { + self.mesh_todo.entry(pos).or_insert(ChunkMeshState { + pos, + started_tick: current_tick, + active_worker: false, + }); } } } @@ -132,7 +123,7 @@ impl Terrain { // Find the area of the terrain we want. Because meshing needs to compute things like // ambient occlusion and edge elision, we also need to borders of the chunk's // neighbours too (hence the `- 1` and `+ 1`). - let aabb = Aabb { + let aabr = Aabr { min: todo .pos .map2(TerrainMap::chunk_size(), |e, sz| e * sz as i32 - 1), @@ -141,13 +132,18 @@ impl Terrain { .map2(TerrainMap::chunk_size(), |e, sz| (e + 1) * sz as i32 + 1), }; + let aabb = Aabb { + min: Vec3::from(aabr.min), + max: Vec3::from(aabr.max) + Vec3::unit_z() * 256, + }; + // Copy out the chunk data we need to perform the meshing. We do this by taking a // sample of the terrain that includes both the chunk we want and - let volume = match client.state().terrain().sample(aabb) { + let volume = match client.state().terrain().sample(aabr) { Ok(sample) => sample, // If either this chunk or its neighbours doesn't yet exist, so we keep it in the // todo queue to be processed at a later date when we have its neighbours. - Err(VolMapErr::NoSuchChunk) => return, + Err(VolMap2dErr::NoSuchChunk) => return, _ => panic!("Unhandled edge case"), }; @@ -178,11 +174,11 @@ impl Terrain { .expect("Failed to upload chunk mesh to the GPU"), locals: renderer .create_consts(&[TerrainLocals { - model_offs: response + model_offs: Vec3::from(response .pos .map2(TerrainMap::chunk_size(), |e, sz| { e as f32 * sz as f32 - }) + })) .into_array(), }]) .expect("Failed to upload chunk locals to the GPU"), diff --git a/world/src/lib.rs b/world/src/lib.rs index fb4e613d02..c716f981ab 100644 --- a/world/src/lib.rs +++ b/world/src/lib.rs @@ -4,8 +4,8 @@ use vek::*; // Project use common::{ - terrain::{Block, TerrainChunk, TerrainChunkMeta}, - vol::{SizedVol, Vox, WriteVol}, + terrain::{Block, TerrainChunk, TerrainChunkSize, TerrainChunkMeta}, + vol::{SizedVol, Vox, WriteVol, VolSize}, }; #[derive(Debug)] @@ -20,60 +20,63 @@ impl World { Self } - pub fn generate_chunk(chunk_pos: Vec3) -> TerrainChunk { + pub fn generate_chunk(chunk_pos: Vec2) -> TerrainChunk { // TODO: This is all test code, remove/improve this later - let mut chunk = TerrainChunk::filled(Block::empty(), TerrainChunkMeta::void()); - let air = Block::empty(); let stone = Block::new(1, Rgb::new(200, 220, 255)); let grass = Block::new(2, Rgb::new(75, 150, 0)); - //let grass = Block::new(2, Rgb::new(50, 255, 0)); let dirt = Block::new(3, Rgb::new(128, 90, 0)); let sand = Block::new(4, Rgb::new(180, 150, 50)); + let mut chunk = TerrainChunk::new(0, stone, air, TerrainChunkMeta::void()); + let perlin_nz = Perlin::new().set_seed(1); let temp_nz = Perlin::new().set_seed(2); let chaos_nz = Perlin::new().set_seed(3); - for lpos in chunk.iter_positions() { - let wpos = lpos + chunk_pos * chunk.get_size().map(|e| e as i32); - let wposf = wpos.map(|e| e as f64); + for x in 0..TerrainChunkSize::SIZE.x as i32 { + for y in 0..TerrainChunkSize::SIZE.y as i32 { + for z in 0..256 { + let lpos = Vec3::new(x, y, z); + let wpos = lpos + Vec3::from(chunk_pos) * TerrainChunkSize::SIZE.map(|e| e as i32); + let wposf = wpos.map(|e| e as f64); - let chaos_freq = 1.0 / 100.0; - let freq = 1.0 / 128.0; - let ampl = 75.0; - let small_freq = 1.0 / 32.0; - let small_ampl = 6.0; - let offs = 32.0; + let chaos_freq = 1.0 / 100.0; + let freq = 1.0 / 128.0; + let ampl = 75.0; + let small_freq = 1.0 / 32.0; + let small_ampl = 6.0; + let offs = 32.0; - let chaos = chaos_nz - .get(Vec2::from(wposf * chaos_freq).into_array()) - .max(0.0) - + 0.5; + let chaos = chaos_nz + .get(Vec2::from(wposf * chaos_freq).into_array()) + .max(0.0) + + 0.5; - let height = perlin_nz.get(Vec2::from(wposf * freq).into_array()) * ampl * chaos - + perlin_nz.get((wposf * small_freq).into_array()) - * small_ampl - * 3.0 - * chaos.powf(2.0) - + offs; - let temp = (temp_nz.get(Vec2::from(wposf * (1.0 / 64.0)).into_array()) + 1.0) * 0.5; + let height = perlin_nz.get(Vec2::from(wposf * freq).into_array()) * ampl * chaos + + perlin_nz.get((wposf * small_freq).into_array()) + * small_ampl + * 3.0 + * chaos.powf(2.0) + + offs; + let temp = (temp_nz.get(Vec2::from(wposf * (1.0 / 64.0)).into_array()) + 1.0) * 0.5; - chunk - .set( - lpos, - if wposf.z < height - 4.0 { - stone - } else if wposf.z < height - 2.0 { - dirt - } else if wposf.z < height { - Block::new(2, Rgb::new(10 + (150.0 * temp) as u8, 150, 0)) - } else { - air - }, - ) - .unwrap(); + let _ = chunk + .set( + lpos, + if wposf.z < height - 4.0 { + stone + } else if wposf.z < height - 2.0 { + dirt + } else if wposf.z < height { + Block::new(2, Rgb::new(10 + (150.0 * temp) as u8, 150, 0)) + } else { + air + }, + ); + } + } } chunk From 717483027957415e057492b53a0e43b8f90faa37 Mon Sep 17 00:00:00 2001 From: Joshua Barretto Date: Fri, 17 May 2019 18:54:56 +0100 Subject: [PATCH 3/4] fmt Former-commit-id: 71912bdd2b8f40020153c5696cd5cc1af3f154cc --- common/src/terrain/chonk.rs | 65 +++++++++++++------------------- common/src/volumes/mod.rs | 2 +- common/src/volumes/vol_map_2d.rs | 14 ++----- common/src/volumes/vol_map_3d.rs | 14 ++----- voxygen/src/mesh/terrain.rs | 4 +- voxygen/src/scene/terrain.rs | 18 ++++----- world/src/lib.rs | 48 ++++++++++++----------- 7 files changed, 69 insertions(+), 96 deletions(-) diff --git a/common/src/terrain/chonk.rs b/common/src/terrain/chonk.rs index cac8e3f67b..adea72ed2f 100644 --- a/common/src/terrain/chonk.rs +++ b/common/src/terrain/chonk.rs @@ -1,19 +1,10 @@ -use vek::*; -use serde_derive::{Deserialize, Serialize}; +use super::{block::Block, TerrainChunkMeta, TerrainChunkSize}; use crate::{ - vol::{ - BaseVol, - ReadVol, - WriteVol, - VolSize, - }, + vol::{BaseVol, ReadVol, VolSize, WriteVol}, volumes::chunk::{Chunk, ChunkErr}, }; -use super::{ - block::Block, - TerrainChunkSize, - TerrainChunkMeta, -}; +use serde_derive::{Deserialize, Serialize}; +use vek::*; #[derive(Debug)] pub enum ChonkError { @@ -51,14 +42,15 @@ impl BaseVol for Chonk { type Err = ChonkError; } - impl ReadVol for Chonk { #[inline(always)] fn get(&self, pos: Vec3) -> Result<&Block, ChonkError> { if pos.z < self.z_offset { // Below the terrain Ok(&self.below) - } else if pos.z >= self.z_offset + TerrainChunkSize::SIZE.z as i32 * self.sub_chunks.len() as i32 { + } else if pos.z + >= self.z_offset + TerrainChunkSize::SIZE.z as i32 * self.sub_chunks.len() as i32 + { // Above the terrain Ok(&self.above) } else { @@ -66,17 +58,16 @@ impl ReadVol for Chonk { let sub_chunk_idx = self.sub_chunk_idx(pos.z); - match &self.sub_chunks[sub_chunk_idx] { // Can't fail + match &self.sub_chunks[sub_chunk_idx] { + // Can't fail SubChunk::Homogeneous(block) => Ok(block), SubChunk::Heterogeneous(chunk) => { - let rpos = pos - Vec3::unit_z() * ( - self.z_offset + - sub_chunk_idx as i32 * TerrainChunkSize::SIZE.z as i32 - ); - chunk - .get(rpos) - .map_err(|err| ChonkError::ChunkError(err)) - }, + let rpos = pos + - Vec3::unit_z() + * (self.z_offset + + sub_chunk_idx as i32 * TerrainChunkSize::SIZE.z as i32); + chunk.get(rpos).map_err(|err| ChonkError::ChunkError(err)) + } } } } @@ -94,30 +85,26 @@ impl WriteVol for Chonk { self.sub_chunks.push(SubChunk::Homogeneous(self.above)); } - let rpos = pos - Vec3::unit_z() * ( - self.z_offset + - sub_chunk_idx as i32 * TerrainChunkSize::SIZE.z as i32 - ); + let rpos = pos + - Vec3::unit_z() + * (self.z_offset + sub_chunk_idx as i32 * TerrainChunkSize::SIZE.z as i32); - match &mut self.sub_chunks[sub_chunk_idx] { // Can't fail + match &mut self.sub_chunks[sub_chunk_idx] { + // Can't fail SubChunk::Homogeneous(cblock) if *cblock == block => Ok(()), SubChunk::Homogeneous(cblock) => { let mut new_chunk = Chunk::filled(*cblock, ()); - match new_chunk - .set(rpos, block) - .map_err(|err| { - println!("Error!! {:?}", rpos); - ChonkError::ChunkError(err) - }) - { + match new_chunk.set(rpos, block).map_err(|err| { + println!("Error!! {:?}", rpos); + ChonkError::ChunkError(err) + }) { Ok(()) => { self.sub_chunks[sub_chunk_idx] = SubChunk::Heterogeneous(new_chunk); Ok(()) - }, + } Err(err) => Err(err), } - - }, + } SubChunk::Heterogeneous(chunk) => chunk .set(rpos, block) .map_err(|err| ChonkError::ChunkError(err)), diff --git a/common/src/volumes/mod.rs b/common/src/volumes/mod.rs index 9190b62193..56a27bcf2e 100644 --- a/common/src/volumes/mod.rs +++ b/common/src/volumes/mod.rs @@ -1,4 +1,4 @@ pub mod chunk; pub mod dyna; -pub mod vol_map_3d; pub mod vol_map_2d; +pub mod vol_map_3d; diff --git a/common/src/volumes/vol_map_2d.rs b/common/src/volumes/vol_map_2d.rs index 25e4fbc686..79db65cee4 100644 --- a/common/src/volumes/vol_map_2d.rs +++ b/common/src/volumes/vol_map_2d.rs @@ -1,9 +1,3 @@ -use std::{ - collections::HashMap, - sync::Arc, - marker::PhantomData, -}; -use vek::*; use crate::{ terrain::TerrainChunkMeta, vol::{BaseVol, ReadVol, SampleVol, SizedVol, VolSize, Vox, WriteVol}, @@ -12,6 +6,8 @@ use crate::{ dyna::{Dyna, DynaErr}, }, }; +use std::{collections::HashMap, marker::PhantomData, sync::Arc}; +use vek::*; #[derive(Debug)] pub enum VolMap2dErr { @@ -134,11 +130,7 @@ impl VolMap2d { S::SIZE.into() } - pub fn insert( - &mut self, - key: Vec2, - chunk: Arc, - ) -> Option> { + pub fn insert(&mut self, key: Vec2, chunk: Arc) -> Option> { self.chunks.insert(key, chunk) } diff --git a/common/src/volumes/vol_map_3d.rs b/common/src/volumes/vol_map_3d.rs index 024bcc5a30..3d8f2b0ba0 100644 --- a/common/src/volumes/vol_map_3d.rs +++ b/common/src/volumes/vol_map_3d.rs @@ -1,9 +1,3 @@ -use std::{ - collections::HashMap, - sync::Arc, - marker::PhantomData, -}; -use vek::*; use crate::{ terrain::TerrainChunkMeta, vol::{BaseVol, ReadVol, SampleVol, SizedVol, VolSize, Vox, WriteVol}, @@ -12,6 +6,8 @@ use crate::{ dyna::{Dyna, DynaErr}, }, }; +use std::{collections::HashMap, marker::PhantomData, sync::Arc}; +use vek::*; #[derive(Debug)] pub enum VolMap3dErr { @@ -134,11 +130,7 @@ impl VolMap3d { S::SIZE } - pub fn insert( - &mut self, - key: Vec3, - chunk: Arc, - ) -> Option> { + pub fn insert(&mut self, key: Vec3, chunk: Arc) -> Option> { self.chunks.insert(key, chunk) } diff --git a/voxygen/src/mesh/terrain.rs b/voxygen/src/mesh/terrain.rs index 270c13eda2..f250f86926 100644 --- a/voxygen/src/mesh/terrain.rs +++ b/voxygen/src/mesh/terrain.rs @@ -44,7 +44,7 @@ impl Meshable for Dyna { } } -impl + ReadVol, S: VolSize + Clone> Meshable for VolMap2d { +impl + ReadVol, S: VolSize + Clone> Meshable for VolMap2d { type Pipeline = TerrainPipeline; type Supplement = Aabb; @@ -108,7 +108,7 @@ impl + ReadVol, S: VolSize + Clone> Meshable for VolMap2d< } } -impl + ReadVol, S: VolSize + Clone> Meshable for VolMap3d { +impl + ReadVol, S: VolSize + Clone> Meshable for VolMap3d { type Pipeline = TerrainPipeline; type Supplement = Aabb; diff --git a/voxygen/src/scene/terrain.rs b/voxygen/src/scene/terrain.rs index 3c085400c5..4155f36829 100644 --- a/voxygen/src/scene/terrain.rs +++ b/voxygen/src/scene/terrain.rs @@ -1,11 +1,11 @@ -use std::{collections::HashMap, sync::mpsc, time::Duration}; -use vek::*; -use client::Client; -use common::{terrain::TerrainMap, vol::SampleVol, volumes::vol_map_2d::VolMap2dErr}; use crate::{ mesh::Meshable, render::{Consts, Globals, Mesh, Model, Renderer, TerrainLocals, TerrainPipeline}, }; +use client::Client; +use common::{terrain::TerrainMap, vol::SampleVol, volumes::vol_map_2d::VolMap2dErr}; +use std::{collections::HashMap, sync::mpsc, time::Duration}; +use vek::*; struct TerrainChunk { // GPU data @@ -174,12 +174,12 @@ impl Terrain { .expect("Failed to upload chunk mesh to the GPU"), locals: renderer .create_consts(&[TerrainLocals { - model_offs: Vec3::from(response - .pos - .map2(TerrainMap::chunk_size(), |e, sz| { + model_offs: Vec3::from( + response.pos.map2(TerrainMap::chunk_size(), |e, sz| { e as f32 * sz as f32 - })) - .into_array(), + }), + ) + .into_array(), }]) .expect("Failed to upload chunk locals to the GPU"), }, diff --git a/world/src/lib.rs b/world/src/lib.rs index c716f981ab..0a19f3a546 100644 --- a/world/src/lib.rs +++ b/world/src/lib.rs @@ -4,8 +4,8 @@ use vek::*; // Project use common::{ - terrain::{Block, TerrainChunk, TerrainChunkSize, TerrainChunkMeta}, - vol::{SizedVol, Vox, WriteVol, VolSize}, + terrain::{Block, TerrainChunk, TerrainChunkMeta, TerrainChunkSize}, + vol::{SizedVol, VolSize, Vox, WriteVol}, }; #[derive(Debug)] @@ -39,7 +39,8 @@ impl World { for y in 0..TerrainChunkSize::SIZE.y as i32 { for z in 0..256 { let lpos = Vec3::new(x, y, z); - let wpos = lpos + Vec3::from(chunk_pos) * TerrainChunkSize::SIZE.map(|e| e as i32); + let wpos = + lpos + Vec3::from(chunk_pos) * TerrainChunkSize::SIZE.map(|e| e as i32); let wposf = wpos.map(|e| e as f64); let chaos_freq = 1.0 / 100.0; @@ -54,27 +55,28 @@ impl World { .max(0.0) + 0.5; - let height = perlin_nz.get(Vec2::from(wposf * freq).into_array()) * ampl * chaos - + perlin_nz.get((wposf * small_freq).into_array()) - * small_ampl - * 3.0 - * chaos.powf(2.0) - + offs; - let temp = (temp_nz.get(Vec2::from(wposf * (1.0 / 64.0)).into_array()) + 1.0) * 0.5; + let height = + perlin_nz.get(Vec2::from(wposf * freq).into_array()) * ampl * chaos + + perlin_nz.get((wposf * small_freq).into_array()) + * small_ampl + * 3.0 + * chaos.powf(2.0) + + offs; + let temp = + (temp_nz.get(Vec2::from(wposf * (1.0 / 64.0)).into_array()) + 1.0) * 0.5; - let _ = chunk - .set( - lpos, - if wposf.z < height - 4.0 { - stone - } else if wposf.z < height - 2.0 { - dirt - } else if wposf.z < height { - Block::new(2, Rgb::new(10 + (150.0 * temp) as u8, 150, 0)) - } else { - air - }, - ); + let _ = chunk.set( + lpos, + if wposf.z < height - 4.0 { + stone + } else if wposf.z < height - 2.0 { + dirt + } else if wposf.z < height { + Block::new(2, Rgb::new(10 + (150.0 * temp) as u8, 150, 0)) + } else { + air + }, + ); } } } From 5a2c7a7813dbccbe7ccbff46a38a91829fef6b09 Mon Sep 17 00:00:00 2001 From: Joshua Barretto Date: Fri, 17 May 2019 22:55:50 +0100 Subject: [PATCH 4/4] Removed accidental println Former-commit-id: a203e8105cd42463b9a72245e1623dde68874571 --- common/src/terrain/chonk.rs | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/common/src/terrain/chonk.rs b/common/src/terrain/chonk.rs index adea72ed2f..9d812957e8 100644 --- a/common/src/terrain/chonk.rs +++ b/common/src/terrain/chonk.rs @@ -94,10 +94,10 @@ impl WriteVol for Chonk { SubChunk::Homogeneous(cblock) if *cblock == block => Ok(()), SubChunk::Homogeneous(cblock) => { let mut new_chunk = Chunk::filled(*cblock, ()); - match new_chunk.set(rpos, block).map_err(|err| { - println!("Error!! {:?}", rpos); - ChonkError::ChunkError(err) - }) { + match new_chunk + .set(rpos, block) + .map_err(|err| ChonkError::ChunkError(err)) + { Ok(()) => { self.sub_chunks[sub_chunk_idx] = SubChunk::Heterogeneous(new_chunk); Ok(())