diff --git a/Cargo.lock b/Cargo.lock index 3de0c8fd88..eea8f3f81d 100644 --- a/Cargo.lock +++ b/Cargo.lock @@ -3686,6 +3686,15 @@ dependencies = [ "rand_xorshift", ] +[[package]] +name = "noisy_float" +version = "0.2.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "978fe6e6ebc0bf53de533cd456ca2d9de13de13856eda1518a285d7705a213af" +dependencies = [ + "num-traits", +] + [[package]] name = "nom" version = "4.2.3" @@ -6950,6 +6959,7 @@ dependencies = [ "arr_macro", "bincode", "bitvec", + "bumpalo", "clap 3.1.8", "criterion", "csv", @@ -6966,6 +6976,7 @@ dependencies = [ "lz-fear", "minifb", "noise", + "noisy_float", "num 0.4.0", "num-traits", "ordered-float 2.10.0", diff --git a/client/src/lib.rs b/client/src/lib.rs index fb00511d0b..b06b3ab51a 100644 --- a/client/src/lib.rs +++ b/client/src/lib.rs @@ -1777,7 +1777,7 @@ impl Client { for key in keys.iter() { if self.state.terrain().get_key(*key).is_none() { if !skip_mode && !self.pending_chunks.contains_key(key) { - const TOTAL_PENDING_CHUNKS_LIMIT: usize = 12; + const TOTAL_PENDING_CHUNKS_LIMIT: usize = 1024; const CURRENT_TICK_PENDING_CHUNKS_LIMIT: usize = 2; if self.pending_chunks.len() < TOTAL_PENDING_CHUNKS_LIMIT && current_tick_send_chunk_requests diff --git a/common/assets/src/lib.rs b/common/assets/src/lib.rs index 4784de231e..fc2825a3c4 100644 --- a/common/assets/src/lib.rs +++ b/common/assets/src/lib.rs @@ -7,7 +7,7 @@ use lazy_static::lazy_static; use std::{borrow::Cow, path::PathBuf, sync::Arc}; pub use assets_manager::{ - asset::{DirLoadable, Ron}, + asset::{DirLoadable, NotHotReloaded, Ron}, loader::{ self, BincodeLoader, BytesLoader, JsonLoader, LoadFrom, Loader, RonLoader, StringLoader, }, diff --git a/common/src/grid.rs b/common/src/grid.rs index e7cefcb74d..90e56f8a09 100644 --- a/common/src/grid.rs +++ b/common/src/grid.rs @@ -77,9 +77,9 @@ impl Grid { &self, pos: Vec2, size: Vec2, - ) -> impl Iterator, &T)>> + '_ { + ) -> impl Iterator, &T)> + '_ { (0..size.x).flat_map(move |x| { - (0..size.y).map(move |y| { + (0..size.y).flat_map(move |y| { Some(( pos + Vec2::new(x, y), &self.cells[self.idx(pos + Vec2::new(x, y))?], diff --git a/common/src/lib.rs b/common/src/lib.rs index e1c0a036e8..134ed4c690 100644 --- a/common/src/lib.rs +++ b/common/src/lib.rs @@ -7,6 +7,7 @@ associated_type_defaults, bool_to_option, fundamental, + generic_const_exprs, label_break_value, option_zip, trait_alias, diff --git a/common/src/store.rs b/common/src/store.rs index 99b2f37d36..28e3fd1c1e 100644 --- a/common/src/store.rs +++ b/common/src/store.rs @@ -84,6 +84,10 @@ impl Store { Some(Id::(i, PhantomData)) } } + + pub fn len(&self) -> usize { + self.items.len() + } } impl Store { diff --git a/common/src/terrain/structure.rs b/common/src/terrain/structure.rs index 93e6592a7f..11f0f214b8 100644 --- a/common/src/terrain/structure.rs +++ b/common/src/terrain/structure.rs @@ -55,6 +55,7 @@ pub struct Structure { #[derive(Debug)] struct BaseStructure { + len: usize, vol: Dyna, ()>, palette: [StructureBlock; 256], } @@ -68,6 +69,8 @@ impl std::ops::Deref for StructuresGroup { } impl assets::Compound for StructuresGroup { + const HOT_RELOADED: bool = false; + fn load( cache: &assets::AssetCache, specifier: &str, @@ -100,6 +103,8 @@ impl assets::Compound for StructuresGroup { } } +impl assets::NotHotReloaded for StructuresGroup {} + impl Structure { pub fn load_group(specifier: &str) -> AssetHandle { StructuresGroup::load_expect(&["world.manifests.", specifier].concat()) @@ -117,6 +122,10 @@ impl Structure { max: self.base.vol.size().map(|e| e as i32) - self.center, } } + + pub fn len(&self) -> usize { + self.base.len + } } impl BaseVol for Structure { @@ -171,11 +180,12 @@ impl assets::Compound for BaseStructure { ); } - Ok(BaseStructure { vol, palette }) + Ok(BaseStructure { len: model.voxels.len(), vol, palette }) } else { Ok(BaseStructure { vol: Dyna::filled(Vec3::zero(), None, ()), palette: [StructureBlock::None; 256], + len: 0, }) } } diff --git a/world/Cargo.toml b/world/Cargo.toml index e0228a8b1e..b9efe29a0d 100644 --- a/world/Cargo.toml +++ b/world/Cargo.toml @@ -5,7 +5,11 @@ authors = ["Joshua Barretto "] edition = "2021" [features] -simd = ["vek/platform_intrinsics", "packed_simd"] +simd = [ + "vek/platform_intrinsics", + # "vek/vec8", + "packed_simd", +] bin_compression = ["lz-fear", "deflate", "flate2", "image/jpeg", "num-traits", "fallible-iterator", "clap", "rstar"] default = ["simd"] @@ -17,12 +21,14 @@ common-net = { package = "veloren-common-net", path = "../common/net" } bincode = "1.3.1" bitvec = "0.22" +bumpalo = "3.9.1" enum-iterator = "0.7" fxhash = "0.2.1" image = { version = "0.23.12", default-features = false, features = ["png"] } itertools = "0.10" vek = { version = "0.15.8", features = ["serde"] } noise = { version = "0.7", default-features = false } +noisy_float = { version = "0.2", default-features = false } num = "0.4" ordered-float = "2.0.1" hashbrown = { version = "0.11", features = ["rayon", "serde", "nightly"] } @@ -50,7 +56,7 @@ clap = { version = "3.1.8", optional = true } [dev-dependencies] common-frontend = { package = "veloren-common-frontend", path = "../common/frontend" } -criterion = "0.3" +criterion = { version = "0.3", features = ["real_blackbox"] } csv = "1.1.3" tracing-subscriber = { version = "0.3.7", default-features = false, features = ["fmt", "time", "ansi", "smallvec", "env-filter"] } minifb = "0.22" diff --git a/world/benches/site2.rs b/world/benches/site2.rs index 69326a9a1e..f3d644489d 100644 --- a/world/benches/site2.rs +++ b/world/benches/site2.rs @@ -1,92 +1,226 @@ use common::{ generation::EntityInfo, store::{Id, Store}, - terrain::Block, + terrain::{Block, BlockKind, SpriteKind, TerrainChunk, TerrainChunkMeta, TerrainChunkSize}, + vol::RectVolSize, }; use criterion::{black_box, criterion_group, criterion_main, Criterion}; use hashbrown::HashMap; use rand::prelude::*; use rayon::ThreadPoolBuilder; -use vek::{Vec2, Vec3}; +use vek::{Aabr, Rgb, Vec2, Vec3}; use veloren_world::{ + config::CONFIG, sim::{FileOpts, WorldOpts, DEFAULT_WORLD_MAP}, - site2::{ - plot::PlotKind, Fill, - Primitive, Site, Structure, - }, + site2::{plot::PlotKind, Fill, Filler, Plot, Primitive, Site, Structure}, CanvasInfo, Land, World, }; -#[allow(dead_code)] +/* #[allow(dead_code)] fn count_prim_kinds(prims: &Store) -> HashMap { let mut ret = HashMap::new(); for prim in prims.values() { match &prim { - Primitive::Empty => { *ret.entry("Empty".to_string()).or_default() += 1; } - Primitive::Aabb(_) => { *ret.entry("Aabb".to_string()).or_default() += 1; } - Primitive::Pyramid { .. } => { *ret.entry("Pyramid".to_string()).or_default() += 1; } - Primitive::Ramp { .. } => { *ret.entry("Ramp".to_string()).or_default() += 1; }, - Primitive::Gable { .. } => { *ret.entry("Gable".to_string()).or_default() += 1; }, - Primitive::Cylinder(_) => { *ret.entry("Cylinder".to_string()).or_default() += 1; }, - Primitive::Cone(_) => { *ret.entry("Cone".to_string()).or_default() += 1; }, - Primitive::Sphere(_) => { *ret.entry("Sphere".to_string()).or_default() += 1; }, - Primitive::Superquadric { .. } => { *ret.entry("Superquadratic".to_string()).or_default() += 1; }, - Primitive::Plane(_, _, _) => { *ret.entry("Plane".to_string()).or_default() += 1; }, - Primitive::Segment { .. } => { *ret.entry("Segment".to_string()).or_default() += 1; }, - Primitive::SegmentPrism { .. } => { *ret.entry("SegmentPrism".to_string()).or_default() += 1; }, - Primitive::Sampling(_, _) => { *ret.entry("Sampling".to_string()).or_default() += 1; }, - Primitive::Prefab(_) => { *ret.entry("Prefab".to_string()).or_default() += 1; }, - Primitive::Intersect(_, _) => { *ret.entry("Intersect".to_string()).or_default() += 1; }, - Primitive::Union(_, _) => { *ret.entry("Union".to_string()).or_default() += 1; }, - Primitive::Without(_, _) => { *ret.entry("Without".to_string()).or_default() += 1; }, - Primitive::RotateAbout(_, _, _) => { *ret.entry("RotateAbout".to_string()).or_default() += 1; }, - Primitive::Translate(_, _) => { *ret.entry("Translate".to_string()).or_default() += 1; }, - Primitive::Scale(_, _) => { *ret.entry("Scale".to_string()).or_default() += 1; }, - Primitive::Repeat(_, _, _) => { *ret.entry("Repeat".to_string()).or_default() += 1; }, + Primitive::Empty => { + *ret.entry("Empty".to_string()).or_default() += 1; + }, + Primitive::Aabb(_) => { + *ret.entry("Aabb".to_string()).or_default() += 1; + }, + Primitive::Pyramid { .. } => { + *ret.entry("Pyramid".to_string()).or_default() += 1; + }, + Primitive::Ramp { .. } => { + *ret.entry("Ramp".to_string()).or_default() += 1; + }, + Primitive::Gable { .. } => { + *ret.entry("Gable".to_string()).or_default() += 1; + }, + Primitive::Cylinder(_) => { + *ret.entry("Cylinder".to_string()).or_default() += 1; + }, + Primitive::Cone(_) => { + *ret.entry("Cone".to_string()).or_default() += 1; + }, + Primitive::Sphere(_) => { + *ret.entry("Sphere".to_string()).or_default() += 1; + }, + Primitive::Superquadric { .. } => { + *ret.entry("Superquadratic".to_string()).or_default() += 1; + }, + Primitive::Plane(_, _, _) => { + *ret.entry("Plane".to_string()).or_default() += 1; + }, + Primitive::Segment { .. } => { + *ret.entry("Segment".to_string()).or_default() += 1; + }, + Primitive::SegmentPrism { .. } => { + *ret.entry("SegmentPrism".to_string()).or_default() += 1; + }, + Primitive::Sampling(_, _) => { + *ret.entry("Sampling".to_string()).or_default() += 1; + }, + Primitive::Prefab(_) => { + *ret.entry("Prefab".to_string()).or_default() += 1; + }, + Primitive::Intersect(_, _) => { + *ret.entry("Intersect".to_string()).or_default() += 1; + }, + Primitive::Union(_, _) => { + *ret.entry("Union".to_string()).or_default() += 1; + }, + Primitive::Without(_, _) => { + *ret.entry("Without".to_string()).or_default() += 1; + }, + Primitive::RotateAbout(_, _, _) => { + *ret.entry("RotateAbout".to_string()).or_default() += 1; + }, + Primitive::Translate(_, _) => { + *ret.entry("Translate".to_string()).or_default() += 1; + }, + Primitive::Scale(_, _) => { + *ret.entry("Scale".to_string()).or_default() += 1; + }, + Primitive::Repeat(_, _, _) => { + *ret.entry("Repeat".to_string()).or_default() += 1; + }, } } ret -} +} */ -fn render_plots(canvas: &CanvasInfo<'_>, site: &Site) { +fn render_plots<'a>(/*canvas: &mut Canvas<'a>,*/ + arena: &'a mut bumpalo::Bump, + info: CanvasInfo<'a>, + site: &'a Site, + render_area: Aabr, +) { for plot in site.plots() { - let result = match &plot.kind() { - PlotKind::House(house) => house.render_collect(site, canvas), - PlotKind::Workshop(workshop) => workshop.render_collect(site, canvas), - PlotKind::Castle(castle) => castle.render_collect(site, canvas), - PlotKind::Dungeon(dungeon) => dungeon.render_collect(site, canvas), - PlotKind::Gnarling(gnarling) => gnarling.render_collect(site, canvas), - PlotKind::GiantTree(giant_tree) => giant_tree.render_collect(site, canvas), + let structure: &dyn Structure<_> = match plot.kind() { + PlotKind::House(house) => house, + PlotKind::Workshop(workshop) => workshop, + PlotKind::Castle(castle) => castle, + PlotKind::Dungeon(dungeon) => dungeon, + PlotKind::Gnarling(gnarling) => gnarling, + PlotKind::GiantTree(giant_tree) => giant_tree, + PlotKind::CliffTower(cliff_tower) => cliff_tower, + PlotKind::Citadel(citadel) => citadel, _ => continue, }; - //println!("{:?}", count_prim_kinds(&result.0)); - iter_fills(canvas, result); + + let mut null_canvas = NullCanvas; + let result = structure.render_collect(site, /*canvas*/arena, info, render_area, /*|_canvas| */&mut null_canvas); + // NOTE: Clearing out the primitives between renders costs us nothing, because any + // chunks that get deallocated were going to be eventually deallocated anyway, while + // the current chunk remains for reuse. So this just ends up saving memory. + arena.reset(); + + /* //println!("{:?}", count_prim_kinds(&result.0)); + iter_fills(canvas, site, plot, result); */ } } -fn iter_fills( - canvas: &CanvasInfo<'_>, - (prim_tree, fills, _): (Store, Vec<(Id, Fill)>, Vec), -) { - for (prim, fill) in fills { - let aabb = Fill::get_bounds(&prim_tree, prim); +/// Null canvas for avoiding writing to the real cnavas. +struct NullCanvas; +impl Filler for NullCanvas { + #[inline] + fn map(&mut self, pos: Vec3, f: F) { + // black_box(pos); + // black_box(f); + // black_box(f.sample_at(pos, Block::empty())); + black_box((pos, if F::NEEDS_BLOCK { + f.sample_at(pos, black_box(Block::empty())) + } else /* if F::NEEDS_POS { + f.sample_at(pos, Block::empty()) + } else */{ + f.sample_at(pos, Block::empty()) + })); + } - for x in aabb.min.x..aabb.max.x { - for y in aabb.min.y..aabb.max.y { - for z in aabb.min.z..aabb.max.z { - let pos = Vec3::new(x, y, z); - black_box(fill.sample_at( + #[inline] + fn spawn(&mut self, entity: EntityInfo) { + black_box(entity); + } +} + +/* fn iter_fills( + canvas: &CanvasInfo<'_>, + _site: &Site, + _plot: &Plot, + (prim_tree, fills, _): ( + Store, + Vec<(Id, Fill)>, + Vec, + ), +) { + let arena = bumpalo::Bump::new(); + let mut cache = HashMap::default(); + + /* let wpos2d = canvas.wpos(); + let chunk_aabr = Aabr { + min: wpos2d, + max: wpos2d + TerrainChunkSize::RECT_SIZE.as_::(), + }; */ + + /* let info = canvas.info(); */ + + for (prim, fill) in fills { + let aabb = Fill::get_bounds(&mut cache, &prim_tree, prim)/*Aabr::new_empty(Vec2::zero())*/; + // let mut aabb = Fill::get_bounds(&prim_tree, prim); + /* fill.sample_at( + &arena, + &mut cache, + &prim_tree, + prim, + aabb.into(), + |pos, f| canvas.map(pos, f) + ); */ + /*Fill::get_bounds_disjoint*/fill.sample_at(&arena, &mut cache, &prim_tree, prim, aabb.into(), canvas, /* |pos| { + /* canvas.map(pos, |block| { + let current_block = + fill.sample_at( + /* &mut bounds_cache, &prim_tree, - prim, + prim, */ pos, - canvas, - Block::empty(), - )); + &info, + block, + ); + /* if let (Some(last_block), None) = (last_block, current_block) { + spawn(pos, last_block); + } + last_block = current_block; */ + current_block.unwrap_or(block) + }); */ + black_box(/*fill.sample_at(pos, canvas, Block::empty())*/pos); + }*/&mut NullCanvas); + + /* for /*mut */aabb in Fill::get_bounds_disjoint(&mut cache, &prim_tree, prim) { + /* aabb.min = Vec2::max(aabb.min.xy(), chunk_aabr.min).with_z(aabb.min.z); + aabb.max = Vec2::min(aabb.max.xy(), chunk_aabr.max).with_z(aabb.max.z); */ + + for x in aabb.min.x..aabb.max.x { + for y in aabb.min.y..aabb.max.y { + for z in aabb.min.z..aabb.max.z { + /* let col_tile = site.wpos_tile(Vec2::new(x, y)); + if + /* col_tile.is_building() && */ + col_tile + .plot() + .and_then(|p| site.plots().nth(p.id() as usize).unwrap().z_range()) + .zip(plot.z_range()) + .map_or(false, |(a, b)| a.end > b.end) + { + continue; + } */ + let pos = Vec3::new(x, y, z); + black_box(fill.sample_at(&mut cache, &prim_tree, prim, pos, canvas, Block::empty())); + } } } - } + } */ } -} +} */ fn dungeon(c: &mut Criterion) { let pool = ThreadPoolBuilder::new().build().unwrap(); @@ -101,22 +235,102 @@ fn dungeon(c: &mut Criterion) { ); let wpos = Vec2::zero(); let seed = [1; 32]; - c.bench_function("generate_dungeon", |b| { + + let air = Block::air(SpriteKind::Empty); + /* let stone = Block::new( + BlockKind::Rock, + zcache_grid + .get(grid_border + TerrainChunkSize::RECT_SIZE.map(|e| e as i32) / 2) + .and_then(|zcache| zcache.as_ref()) + .map(|zcache| zcache.sample.stone_col) + .unwrap_or_else(|| index.colors.deep_stone_color.into()), + ); */ + let water = Block::new(BlockKind::Water, Rgb::zero()); + let mut chunk = TerrainChunk::new(CONFIG.sea_level as i32, water, air, TerrainChunkMeta::void()); + + let find_bounds = |site: &Site| { + let aabr = site.plots() + .fold( + Aabr::new_empty(Vec2::zero()), + |aabr, plot| { + // NOTE: Approx + aabr.union(plot.find_bounds()) + }, + ); + let chunks = Vec2::from(aabr.size()) + .map2(TerrainChunkSize::RECT_SIZE, |e: i32, sz| (e as f32 / sz as f32).ceil() as u32); + // .as_::(); + (chunks.x as u64 * chunks.y as u64, aabr) + }; + + let mut bench_group = |gen_name, render_name, f: fn(&Land, &mut _, _) -> _| { + c.bench_function(gen_name, |b| { + let mut rng = rand::rngs::StdRng::from_seed(seed); + b.iter(|| { + f(&Land::from_sim(world.sim()), &mut rng, wpos); + }); + }); + CanvasInfo::with_mock_canvas_info(index.as_index_ref(), world.sim(), |&info| { + let mut rng = rand::rngs::StdRng::from_seed(seed); + let site = f(&info.land(), &mut rng, wpos); + let mut render_dungeon_group = c.benchmark_group(render_name); + let (throughput, render_area) = find_bounds(&site); + render_dungeon_group.throughput(criterion::Throughput::Elements(throughput)); + render_dungeon_group.bench_function("identity_allocator", |b| { + b.iter(|| { + let mut arena = bumpalo::Bump::new(); + /* let mut canvas = Canvas { + info, + chunk: &mut chunk, + arena: &mut arena, + entities: Vec::new(), + }; */ + render_plots(/*&mut canvas, */&mut arena, info, &site, render_area); + }); + }); + }); + }; + + bench_group("generate_city", "render_city", Site::generate_city); + bench_group("generate_cliff_town", "render_cliff_town", Site::generate_cliff_town); + bench_group("generate_dungeon", "render_dungeon", Site::generate_dungeon); + bench_group("generate_giant_tree", "render_giant_tree", Site::generate_giant_tree); + bench_group("generate_gnarling", "render_gnarling", Site::generate_gnarling); + bench_group("generate_citadel", "render_citadel", Site::generate_citadel); + + c.bench_function("generate_chunk", |b| { + // let chunk_pos = Vec2::new(9500 / 32, 29042 / 32); + let chunk_pos = (world.sim().map_size_lg().chunks() >> 1).as_(); + b.iter(|| { + black_box(world.generate_chunk(index.as_index_ref(), chunk_pos, || false, None)); + }); + }); + + + /* c.bench_function("generate_dungeon", |b| { let mut rng = rand::rngs::StdRng::from_seed(seed); b.iter(|| { Site::generate_dungeon(&Land::empty(), &mut rng, wpos); }); }); { - let mut render_dungeon_group = c.benchmark_group("render_dungeon"); - render_dungeon_group.bench_function("identity_allocator", |b| { + CanvasInfo::with_mock_canvas_info(index.as_index_ref(), world.sim(), |&info| { let mut rng = rand::rngs::StdRng::from_seed(seed); - CanvasInfo::with_mock_canvas_info(index.as_index_ref(), world.sim(), |canvas| { - let site = Site::generate_dungeon(&canvas.land(), &mut rng, wpos); + let site = Site::generate_dungeon(&info.land(), &mut rng, wpos); + let mut render_dungeon_group = c.benchmark_group("render_dungeon"); + render_dungeon_group.throughput(criterion::Throughput::Elements(find_bounds(&site))); + render_dungeon_group.bench_function("identity_allocator", |b| { b.iter(|| { - render_plots(canvas, &site); + let mut arena = bumpalo::Bump::new(); + let mut canvas = Canvas { + info, + chunk: &mut chunk, + arena: &mut arena, + entities: Vec::new(), + }; + render_plots(&mut canvas, &site); }); - }) + }); }); } c.bench_function("generate_gnarling", |b| { @@ -126,17 +340,25 @@ fn dungeon(c: &mut Criterion) { }); }); { - let mut render_gnarling_group = c.benchmark_group("render_gnarling"); - render_gnarling_group.bench_function("identity_allocator", |b| { + CanvasInfo::with_mock_canvas_info(index.as_index_ref(), world.sim(), |&info| { let mut rng = rand::rngs::StdRng::from_seed(seed); - CanvasInfo::with_mock_canvas_info(index.as_index_ref(), world.sim(), |canvas| { - let site = Site::generate_gnarling(&canvas.land(), &mut rng, wpos); + let site = Site::generate_gnarling(&info.land(), &mut rng, wpos); + let mut render_gnarling_group = c.benchmark_group("render_gnarling"); + render_gnarling_group.throughput(criterion::Throughput::Elements(find_bounds(&site))); + render_gnarling_group.bench_function("identity_allocator", |b| { b.iter(|| { - render_plots(canvas, &site); + let mut arena = bumpalo::Bump::new(); + let mut canvas = Canvas { + info, + chunk: &mut chunk, + arena: &mut arena, + entities: Vec::new(), + }; + render_plots(&mut canvas, &site); }); - }) + }); }); - } + } */ } criterion_group!(benches, dungeon); diff --git a/world/src/canvas.rs b/world/src/canvas.rs index 670d312fe5..073d7b62ba 100644 --- a/world/src/canvas.rs +++ b/world/src/canvas.rs @@ -1,6 +1,7 @@ use crate::{ block::{block_from_structure, ZCache}, column::{ColumnGen, ColumnSample}, + site2::{Fill, Filler}, index::IndexRef, land::Land, layer::spot::Spot, @@ -41,7 +42,7 @@ impl<'a> CanvasInfo<'a> { .into() } - pub fn col(&self, wpos: Vec2) -> Option<&'a ColumnSample> { + pub fn col(&self, wpos: Vec2) -> Option<&'a ColumnSample<'a>> { self.column_grid .get(self.column_grid_border + wpos - self.wpos()) .and_then(Option::as_ref) @@ -87,7 +88,7 @@ impl<'a> CanvasInfo<'a> { pub fn chunks(&self) -> &'a WorldSim { self.chunks } - pub fn land(&self) -> Land<'_> { Land::from_sim(self.chunks) } + pub fn land(&self) -> Land<'a> { Land::from_sim(self.chunks) } pub fn with_mock_canvas_info FnOnce(&CanvasInfo<'b>) -> A>( index: IndexRef<'a>, @@ -133,6 +134,7 @@ impl<'a> CanvasInfo<'a> { } pub struct Canvas<'a> { + // pub(crate) arena: &'a mut bumpalo::Bump, pub(crate) info: CanvasInfo<'a>, pub(crate) chunk: &'a mut TerrainChunk, pub(crate) entities: Vec, @@ -143,7 +145,7 @@ impl<'a> Canvas<'a> { /// sampling, etc.) being used at the same time as mutable features /// (writing blocks). To avoid this, this method extracts the /// inner `CanvasInfo` such that it may be used independently. - pub fn info(&mut self) -> CanvasInfo<'a> { self.info } + pub fn info(&self) -> CanvasInfo<'a> { self.info } pub fn get(&self, pos: Vec3) -> Block { self.chunk @@ -274,3 +276,23 @@ impl<'a> Deref for Canvas<'a> { fn deref(&self) -> &Self::Target { &self.info } } + +impl Filler for Canvas<'_> { + #[inline] + fn map(&mut self, pos: Vec3, f: F) { + Canvas::map(self, pos, |block| { + let current_block = + f.sample_at(pos, /*&info*/block); + /* if let (Some(last_block), None) = (last_block, current_block) { + spawn(pos, last_block); + } + last_block = current_block; */ + current_block.unwrap_or(block) + }) + } + + #[inline] + fn spawn(&mut self, entity: EntityInfo) { + self.entities.push(entity); + } +} diff --git a/world/src/civ/mod.rs b/world/src/civ/mod.rs index 7ee2e485fb..39dfea1d93 100644 --- a/world/src/civ/mod.rs +++ b/world/src/civ/mod.rs @@ -126,6 +126,7 @@ impl Civs { } }, 32..=37 => (SiteKind::Gnarling, 5, (&gnarling_enemies, 40)), + // 32..=37 => (SiteKind::Citadel, 5, (&castle_enemies, 20)), _ => (SiteKind::Dungeon, 0, (&dungeon_enemies, 40)), }; let loc = find_site_loc(&mut ctx, avoid, size, kind)?; @@ -165,7 +166,7 @@ impl Civs { let wpos = site.center * TerrainChunkSize::RECT_SIZE.map(|e: u32| e as i32); let (radius, flatten_radius) = match &site.kind { - SiteKind::Settlement => (32i32, 10.0), + SiteKind::Settlement => (32i32, 10.0f32), SiteKind::Dungeon => (8i32, 3.0), SiteKind::Castle => (16i32, 5.0), SiteKind::Refactor => (32i32, 10.0), @@ -173,6 +174,7 @@ impl Civs { SiteKind::Tree => (12i32, 8.0), SiteKind::GiantTree => (12i32, 8.0), SiteKind::Gnarling => (16i32, 10.0), + SiteKind::Citadel => (16i32, 0.0), }; let (raise, raise_dist, make_waypoint): (f32, i32, bool) = match &site.kind { @@ -192,7 +194,8 @@ impl Civs { }; // Raise the town centre up a little let pos = site.center + offs; let factor = ((1.0 - - (site.center - pos).map(|e| e as f32).magnitude() / flatten_radius) + - (site.center - pos).map(|e| e as f32).magnitude() + / flatten_radius.max(0.01)) * 1.25) .min(1.0); let rng = &mut ctx.rng; @@ -266,6 +269,11 @@ impl Civs { &mut rng, wpos, )), + SiteKind::Citadel => WorldSite::gnarling(site2::Site::generate_citadel( + &Land::from_sim(ctx.sim), + &mut rng, + wpos, + )), }); sim_site.site_tmp = Some(site); let site_ref = &index.sites[site]; @@ -1235,6 +1243,7 @@ pub enum SiteKind { Tree, GiantTree, Gnarling, + Citadel, } impl SiteKind { @@ -1339,6 +1348,7 @@ impl SiteKind { SiteKind::Gnarling => { (-0.3..0.4).contains(&chunk.temp) && chunk.tree_density > 0.75 }, + SiteKind::Citadel => (-0.3..0.7).contains(&chunk.temp) && chunk.tree_density < 0.4, SiteKind::GiantTree | SiteKind::Tree => chunk.tree_density > 0.4, SiteKind::CliffTown => { (-0.6..0.4).contains(&chunk.temp) diff --git a/world/src/layer/tree.rs b/world/src/layer/tree.rs index 73fca950d4..f8acec0841 100644 --- a/world/src/layer/tree.rs +++ b/world/src/layer/tree.rs @@ -2,6 +2,7 @@ use crate::{ all::*, block::block_from_structure, column::ColumnGen, + site2::{self, PrimitiveTransform}, util::{gen_cache::StructureGenCache, RandomPerm, Sampler, UnitChooser}, Canvas, ColumnSample, }; @@ -58,7 +59,7 @@ pub fn apply_trees_to( // TODO: Get rid of this #[allow(clippy::large_enum_variant)] enum TreeModel { - Structure(Structure), + Structure(&'static Structure), Procedural(ProceduralTree, StructureBlock), } @@ -71,12 +72,27 @@ pub fn apply_trees_to( } let info = canvas.info(); - let mut tree_cache = StructureGenCache::new(info.chunks().gen_ctx.structure_gen.clone()); + /* let mut tree_cache = StructureGenCache::new(info.chunks().gen_ctx.structure_gen.clone()); */ - canvas.foreach_col(|canvas, wpos2d, col| { - let trees = tree_cache.get(wpos2d, |wpos, seed| { - let scale = 1.0; - let inhabited = false; + // Get all the trees in range. + let render_area = Aabr { + min: info.wpos(), + max: info.wpos() + Vec2::from(info.area().size().map(|e| e as i32)), + }; + + let mut arena = bumpalo::Bump::new(); + + /*canvas.foreach_col(|canvas, wpos2d, col| {*/ + info.chunks() + .get_area_trees(render_area.min, render_area.max) + .filter_map(|attr| { + info.col_or_gen(attr.pos) + .filter(|col| tree_valid_at(col, attr.seed)) + .zip(Some(attr)) + }) + .for_each(|(col, attr)| { + let seed = attr.seed; + /* let trees = tree_cache.get(wpos2d, |wpos, seed| { let forest_kind = *info .chunks() .make_forest_lottery(wpos) @@ -87,12 +103,14 @@ pub fn apply_trees_to( if !tree_valid_at(&col, seed) { return None; - } + } */ - Some(Tree { - pos: Vec3::new(wpos.x, wpos.y, col.alt as i32), + let scale = 1.0; + let inhabited = false; + let tree = /*Some(*/Tree { + pos: Vec3::new(/*wpos.x*/attr.pos.x, /*wpos.y*/attr.pos.y, col.alt as i32), model: 'model: { - let models: AssetHandle<_> = match forest_kind { + let models: AssetHandle<_> = match attr.forest_kind { ForestKind::Oak if QUIRKY_RAND.chance(seed + 1, 1.0 / 16.0) => *OAK_STUMPS, ForestKind::Oak if QUIRKY_RAND.chance(seed + 2, 1.0 / 20.0) => { break 'model TreeModel::Procedural( @@ -198,21 +216,168 @@ pub fn apply_trees_to( }, }; - let models = models.read(); + let models = models./*read*/get(); TreeModel::Structure( - models + &models [(MODEL_RAND.get(seed.wrapping_mul(17)) / 13) as usize % models.len()] - .clone(), + /*.clone(),*/ ) }, seed, units: UNIT_CHOOSER.get(seed), lights: inhabited, - }) - }); + }/*)*/; + /* }); */ - for tree in trees { - let bounds = match &tree.model { + /* criterion::black_box(tree); */ + /*for tree in trees {*/ + /* + arena: &'b bumpalo::Bump, + canvas_info: CanvasInfo<'c>, + render_area: Aabr, + filler: /*impl FnOnce(&'b mut Canvas<'a>) -> &'b mut F*/&'b mut F, + render: Render, */ + let (bounds, hanging_sprites) = match &tree.model { + TreeModel::Structure(s) => { + site2::render_collect( + &arena, + info, + render_area, + canvas, + |painter, filler| { + painter + .prefab(s) + .translate(/*totem_pos*/tree.pos) + .fill(filler.prefab(s, tree.pos, tree.seed), filler); + }, + ); + arena.reset(); + (s.get_bounds(), [(0.0004, SpriteKind::Beehive)].as_ref()) + }, + &TreeModel::Procedural(ref t, leaf_block) => { + let bounds = t.get_bounds().map(|e| e as i32); + let trunk_block = t.config.trunk_block; + let leaf_vertical_scale = t.config.leaf_vertical_scale.recip(); + let branch_child_radius_lerp = t.config.branch_child_radius_lerp; + let wpos = tree.pos; + + // NOTE: Technically block_from_structure isn't correct here, because it could + // lerp with position; in practice, it almost never does, and most of the other + // expensive parameters are unused. + /* let trunk_block = if let Some(block) = block_from_structure( + info.index(), + trunk_block, + wpos, + tree.pos.xy(), + tree.seed, + &col, + Block::air, + calendar, + ) { + block + } else { + return; + }; + let leaf_block = if let Some(block) = block_from_structure( + info.index(), + leaf_block, + wpos, + tree.pos.xy(), + tree.seed, + &col, + Block::air, + calendar, + ) { + block + } else { + return; + }; */ + + site2::render_collect( + &arena, + info, + render_area, + canvas, + |painter, filler| { + let trunk_block = filler.block_from_structure( + trunk_block, + tree.pos.xy(), + tree.seed, + &col, + ); + let leaf_block = filler.block_from_structure( + leaf_block, + tree.pos.xy(), + tree.seed, + &col, + ); + t.walk(|branch, parent| { + let aabr = Aabr { + min: wpos.xy() + branch.get_aabb().min.xy().as_(), + max: wpos.xy() + branch.get_aabb().max.xy().as_(), + }; + if aabr.collides_with_aabr(filler.render_aabr().as_()) { + let start = + wpos.as_::() + branch.get_line().start/*.as_()*//* - 0.5*/; + let end = + wpos.as_::() + branch.get_line().end/*.as_()*//* - 0.5*/; + let wood_radius = branch.get_wood_radius(); + let leaf_radius = branch.get_leaf_radius(); + let parent_wood_radius = if branch_child_radius_lerp { + parent.get_wood_radius() + } else { + wood_radius + }; + let leaf_eats_wood = leaf_radius > wood_radius; + let leaf_eats_parent_wood = leaf_radius > parent_wood_radius; + if !leaf_eats_wood || !leaf_eats_parent_wood { + // Render the trunk, since it's not swallowed by its leaf. + painter + .line_two_radius( + start, + end, + parent_wood_radius, + wood_radius, + 1.0, + ) + .fill(/*filler.block(trunk_block)*/trunk_block, filler); + } + if leaf_eats_wood || leaf_eats_parent_wood { + // Render the leaf, since it's not *completely* swallowed + // by the trunk. + painter + .line_two_radius( + start, + end, + leaf_radius, + leaf_radius, + leaf_vertical_scale, + ) + .fill(/*filler.block(leaf_block)*/leaf_block, filler); + } + true + } else { + false + } + }); + // Draw the roots. + t.roots.iter().for_each(|root| { + painter + .line( + wpos/*.as_::()*/ + root.line.start.as_()/* - 0.5*/, + wpos/*.as_::()*/ + root.line.end.as_()/* - 0.5*/, + root.radius, + ) + .fill(/*filler.block(leaf_block)*/trunk_block, filler); + }); + }, + ); + arena.reset(); + (bounds, t.config.hanging_sprites) + }, + }; + + /* let bounds = match &tree.model { TreeModel::Structure(s) => s.get_bounds(), TreeModel::Procedural(t, _) => t.get_bounds().map(|e| e as i32), }; @@ -224,7 +389,6 @@ pub fn apply_trees_to( // Skip this column continue; } - let hanging_sprites = match &tree.model { TreeModel::Structure(_) => [(0.0004, SpriteKind::Beehive)].as_ref(), TreeModel::Procedural(t, _) => t.config.hanging_sprites, @@ -307,9 +471,10 @@ pub fn apply_trees_to( is_leaf_top = true; last_block = Block::empty(); }); - } - } - }); + } */ + /*}*/ + }) + /*})*/; } /// A type that specifies the generation properties of a tree. diff --git a/world/src/lib.rs b/world/src/lib.rs index 8a02605cb8..1df88da8d9 100644 --- a/world/src/lib.rs +++ b/world/src/lib.rs @@ -8,10 +8,16 @@ #![allow(clippy::branches_sharing_code)] // TODO: evaluate #![deny(clippy::clone_on_ref_ptr)] #![feature( + arbitrary_enum_discriminant, + associated_const_equality, bool_to_option, label_break_value, option_zip, - arbitrary_enum_discriminant + portable_simd, + int_log, + let_else, + map_first_last, + trait_alias, )] mod all; @@ -158,7 +164,7 @@ impl World { civ::SiteKind::Castle => world_msg::SiteKind::Castle, civ::SiteKind::Tree | civ::SiteKind::GiantTree => world_msg::SiteKind::Tree, // TODO: Maybe change? - civ::SiteKind::Gnarling => world_msg::SiteKind::Gnarling, + civ::SiteKind::Gnarling | civ::SiteKind::Citadel => world_msg::SiteKind::Gnarling, }, wpos: site.center * TerrainChunkSize::RECT_SIZE.map(|e| e as i32), } @@ -347,6 +353,7 @@ impl World { let mut dynamic_rng = ChaCha8Rng::from_seed(thread_rng().gen()); // Apply layers (paths, caves, etc.) + let mut arena = bumpalo::Bump::new(); let mut canvas = Canvas { info: CanvasInfo { chunk_pos, @@ -359,6 +366,7 @@ impl World { calendar, }, chunk: &mut chunk, + // arena: &mut arena, entities: Vec::new(), }; @@ -392,7 +400,7 @@ impl World { sim_chunk .sites .iter() - .for_each(|site| index.sites[*site].apply_to(&mut canvas, &mut dynamic_rng)); + .for_each(|site| index.sites[*site].apply_to(&mut canvas, &mut arena, &mut dynamic_rng)); let mut supplement = ChunkSupplement { entities: canvas.entities, @@ -477,7 +485,7 @@ impl World { objects.append( &mut self .sim() - .get_area_trees(min_wpos, max_wpos) + .get_area_trees_par(min_wpos, max_wpos) .filter_map(|attr| { ColumnGen::new(self.sim()) .get((attr.pos, index, self.sim().calendar.as_ref())) diff --git a/world/src/sim/mod.rs b/world/src/sim/mod.rs index 0dd84858b7..93a9bd6ecd 100644 --- a/world/src/sim/mod.rs +++ b/world/src/sim/mod.rs @@ -2148,7 +2148,8 @@ impl WorldSim { }) } - pub fn get_area_trees( + /// TOOD: Abstract over sequential and parallel iteration. + pub fn get_area_trees_par( &self, wpos_min: Vec2, wpos_max: Vec2, @@ -2167,6 +2168,27 @@ impl WorldSim { }) }) } + + /// TOOD: Abstract over sequential and parallel iteration. + pub fn get_area_trees( + &self, + wpos_min: Vec2, + wpos_max: Vec2, + ) -> impl Iterator + '_ { + self.gen_ctx + .structure_gen + .iter(wpos_min, wpos_max) + .filter_map(move |(wpos, seed)| { + let lottery = self.make_forest_lottery(wpos); + Some(TreeAttr { + pos: wpos, + seed, + scale: 1.0, + forest_kind: *lottery.choose_seeded(seed).as_ref()?, + inhabited: false, + }) + }) + } } #[derive(Debug)] diff --git a/world/src/site/mod.rs b/world/src/site/mod.rs index 0c445feaff..38c45bf0af 100644 --- a/world/src/site/mod.rs +++ b/world/src/site/mod.rs @@ -199,18 +199,18 @@ impl Site { } } - pub fn apply_to<'a>(&'a self, canvas: &mut Canvas, dynamic_rng: &mut impl Rng) { + pub fn apply_to<'a>(&'a self, canvas: &mut Canvas<'a>, arena: &mut bumpalo::Bump, dynamic_rng: &mut impl Rng) { let info = canvas.info(); let get_col = |wpos| info.col(wpos + info.wpos); match &self.kind { SiteKind::Settlement(s) => s.apply_to(canvas.index, canvas.wpos, get_col, canvas.chunk), - SiteKind::Dungeon(d) => d.render(canvas, dynamic_rng), + SiteKind::Dungeon(d) => d.render(canvas, arena, dynamic_rng), SiteKind::Castle(c) => c.apply_to(canvas.index, canvas.wpos, get_col, canvas.chunk), - SiteKind::Refactor(s) => s.render(canvas, dynamic_rng), - SiteKind::CliffTown(ct) => ct.render(canvas, dynamic_rng), + SiteKind::Refactor(s) => s.render(canvas, arena, dynamic_rng), + SiteKind::CliffTown(ct) => ct.render(canvas, arena, dynamic_rng), SiteKind::Tree(t) => t.render(canvas, dynamic_rng), - SiteKind::GiantTree(gt) => gt.render(canvas, dynamic_rng), - SiteKind::Gnarling(g) => g.render(canvas, dynamic_rng), + SiteKind::GiantTree(gt) => gt.render(canvas, arena, dynamic_rng), + SiteKind::Gnarling(g) => g.render(canvas, arena, dynamic_rng), } } diff --git a/world/src/site2/gen.rs b/world/src/site2/gen.rs index 2b61503175..02139092b5 100644 --- a/world/src/site2/gen.rs +++ b/world/src/site2/gen.rs @@ -4,6 +4,7 @@ use crate::{ site2::util::Dir, util::{RandomField, Sampler}, CanvasInfo, + ColumnSample, }; use common::{ generation::EntityInfo, @@ -14,12 +15,22 @@ use common::{ }, vol::ReadVol, }; +use fxhash::FxHasher64; +use hashbrown::{/*hash_map::Entry, */HashMap}; +use noisy_float::types::n32; use num::cast::AsPrimitive; -use std::{cell::RefCell, sync::Arc}; +use std::{ + cell::RefCell, + hash::BuildHasherDefault, + simd::StdFloat, +}; use vek::*; +const PRINT_MESSAGES: bool = false; + #[allow(dead_code)] -pub enum Primitive { +#[derive(Clone, Copy)] +enum Node<'a> { Empty, // Placeholder // Shapes @@ -53,11 +64,14 @@ pub enum Primitive { }, Plane(Aabr, Vec3, Vec2), /// A line segment from start to finish point with a given radius for both - /// points + /// points, together with an optional z_scale controlling scaling of the structure along the z + /// axis. Segment { segment: LineSegment3, + /* radius: f32, */ r0: f32, r1: f32, + z_scale: f32, }, /// A prism created by projecting a line segment with a given radius along /// the z axis up to a provided height @@ -66,66 +80,77 @@ pub enum Primitive { radius: f32, height: f32, }, - /// A sampling function is always a subset of another primitive to avoid + /* /// A sampling function is always a subset of another primitive to avoid /// needing infinite bounds - Sampling(Id, Box) -> bool>), - Prefab(Box), + Sampling(Id>, &'a dyn Fn(Vec3)-> bool), */ + Prefab(&'static PrefabStructure), // Combinators - Intersect(Id, Id), - Union(Id, Id), - // Not commutative - Without(Id, Id), + Intersect([Id>; 2]), + IntersectAll(&'a [Id>]), + Union(Id>, Id>), + UnionAll(&'a [Id>]), + // Not commutative; third argument is true when we want to evaluate the first argument before + // the second. + Without(Id>, Id>, bool), // Operators - Translate(Id, Vec3), - Scale(Id, Vec3), - RotateAbout(Id, Mat3, Vec3), - /// Repeat a primitive a number of times in a given direction, overlapping + Translate(Id>, Vec3), + /* Scale(Id>, Vec3), */ + RotateAbout(Id>, Mat3, Vec3), + /* /// Repeat a primitive a number of times in a given direction, overlapping /// between repeats are unspecified. - Repeat(Id, Vec3, u32), + Repeat(Id>, Vec3, /*u32*/u16), */ } -impl std::fmt::Debug for Primitive { +#[derive(Debug)] +pub struct Primitive<'a>(Node<'a>); + +pub type PrimMap = HashMap>; + +pub type BoundsMap = PrimMap>>; + +impl<'a> std::fmt::Debug for Node<'a> { fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result { match self { - Primitive::Empty => f.debug_tuple("Empty").finish(), - Primitive::Aabb(aabb) => f.debug_tuple("Aabb").field(&aabb).finish(), - Primitive::Pyramid { aabb, inset } => { + Node::Empty => f.debug_tuple("Empty").finish(), + Node::Aabb(aabb) => f.debug_tuple("Aabb").field(&aabb).finish(), + Node::Pyramid { aabb, inset } => { f.debug_tuple("Pyramid").field(&aabb).field(&inset).finish() }, - Primitive::Ramp { aabb, inset, dir } => f + Node::Ramp { aabb, inset, dir } => f .debug_tuple("Ramp") .field(&aabb) .field(&inset) .field(&dir) .finish(), - Primitive::Gable { aabb, inset, dir } => f + Node::Gable { aabb, inset, dir } => f .debug_tuple("Gable") .field(&aabb) .field(&inset) .field(&dir) .finish(), - Primitive::Cylinder(aabb) => f.debug_tuple("Cylinder").field(&aabb).finish(), - Primitive::Cone(aabb) => f.debug_tuple("Cone").field(&aabb).finish(), - Primitive::Sphere(aabb) => f.debug_tuple("Sphere").field(&aabb).finish(), - Primitive::Superquadric { aabb, degree } => f + Node::Cylinder(aabb) => f.debug_tuple("Cylinder").field(&aabb).finish(), + Node::Cone(aabb) => f.debug_tuple("Cone").field(&aabb).finish(), + Node::Sphere(aabb) => f.debug_tuple("Sphere").field(&aabb).finish(), + Node::Superquadric { aabb, degree } => f .debug_tuple("Superquadric") .field(&aabb) .field(°ree) .finish(), - Primitive::Plane(aabr, origin, gradient) => f + Node::Plane(aabr, origin, gradient) => f .debug_tuple("Plane") .field(&aabr) .field(&origin) .field(&gradient) .finish(), - Primitive::Segment { segment, r0, r1 } => f + Node::Segment { segment, r0, r1, z_scale } => f .debug_tuple("Segment") .field(&segment) .field(&r0) .field(&r1) + .field(&z_scale) .finish(), - Primitive::SegmentPrism { + Node::SegmentPrism { segment, radius, height, @@ -135,71 +160,577 @@ impl std::fmt::Debug for Primitive { .field(&radius) .field(&height) .finish(), - Primitive::Sampling(prim, _) => f.debug_tuple("Sampling").field(&prim).finish(), - Primitive::Prefab(prefab) => f.debug_tuple("Prefab").field(&prefab).finish(), - Primitive::Intersect(a, b) => f.debug_tuple("Intersect").field(&a).field(&b).finish(), - Primitive::Union(a, b) => f.debug_tuple("Union").field(&a).field(&b).finish(), - Primitive::Without(a, b) => f.debug_tuple("Without").field(&a).field(&b).finish(), - Primitive::Translate(a, vec) => { + /* Node::Sampling(prim, _) => f.debug_tuple("Sampling").field(&prim).finish(), */ + Node::Prefab(prefab) => f.debug_tuple("Prefab").field(&prefab.get_bounds()).finish(), + Node::Intersect([a, b]) => f.debug_tuple("Intersect").field(&a).field(&b).finish(), + Node::IntersectAll(prims) => f.debug_tuple("IntersectAll").field(prims).finish(), + Node::Union(a, b) => f.debug_tuple("Union").field(&a).field(&b).finish(), + Node::UnionAll(prims) => f.debug_tuple("UnionAll").field(prims).finish(), + Node::Without(a, b, _) => f.debug_tuple("Without").field(&a).field(&b).finish(), + Node::Translate(a, vec) => { f.debug_tuple("Translate").field(&a).field(&vec).finish() }, - Primitive::Scale(a, vec) => f.debug_tuple("Scale").field(&a).field(&vec).finish(), - Primitive::RotateAbout(a, mat, vec) => f + /* Node::Scale(a, vec) => f.debug_tuple("Scale").field(&a).field(&vec).finish(), + * */ + Node::RotateAbout(a, mat, vec) => f .debug_tuple("RotateAbout") .field(&a) .field(&mat) .field(&vec) .finish(), - Primitive::Repeat(a, offset, n) => f + /* Node::Repeat(a, offset, n) => f .debug_tuple("Repeat") .field(&a) .field(&offset) .field(&n) - .finish(), + .finish(), */ } } } -impl Primitive { - pub fn intersect(a: impl Into>, b: impl Into>) -> Self { +/* +impl PartialEq for Node { + fn eq(&self, other: &Primitive) -> bool { + match (self, other) { + (Node::Empty, Node::Empty) => true, + (Node::Aabb(aabb_l), Node::Aabb(aabb_r)) => aabb_l == aabb_r, + ( + Node::Pyramid { + aabb: aabb_l, + inset: inset_l, + }, + Node::Pyramid { + aabb: aabb_r, + inset: inset_r, + }, + ) => aabb_l == aabb_r && inset_l == inset_r, + ( + Node::Ramp { + aabb: aabb_l, + inset: inset_l, + dir: dir_l, + }, + Node::Ramp { + aabb: aabb_r, + inset: inset_r, + dir: dir_r, + }, + ) => aabb_l == aabb_r && inset_l == inset_r && dir_l == dir_r, + ( + Node::Gable { + aabb: aabb_l, + inset: inset_l, + dir: dir_l, + }, + Node::Gable { + aabb: aabb_r, + inset: inset_r, + dir: dir_r, + }, + ) => aabb_l == aabb_r && inset_l == inset_r && dir_l == dir_r, + (Node::Cylinder(aabb_l), Node::Cylinder(aabb_r)) => aabb_l == aabb_r, + (Node::Cone(aabb_l), Node::Cone(aabb_r)) => aabb_l == aabb_r, + (Node::Sphere(aabb_l), Node::Sphere(aabb_r)) => aabb_l == aabb_r, + ( + Node::Superquadric { + aabb: aabb_l, + degree: degree_l, + }, + Node::Superquadric { + aabb: aabb_r, + degree: degree_r, + }, + ) => aabb_l == aabb_r && degree_l == degree_r, + ( + Node::Plane(aabr_l, origin_l, gradient_l), + Node::Plane(aabr_r, origin_r, gradient_r), + ) => aabr_l == aabr_r && origin_l == origin_r && gradient_l == gradient_r, + ( + Node::Segment { + segment: segment_l, + radius: radius_l, + }, + Node::Segment { + segment: segment_r, + radius: radius_r, + }, + ) => segment_l == segment_r && radius_l == radius_r, + ( + Node::SegmentPrism { + segment: segment_l, + radius: radius_l, + height: height_l, + }, + Node::SegmentPrism { + segment: segment_r, + radius: radius_r, + height: height_r, + }, + ) => segment_l == segment_r && radius_l == radius_r && height_l == height_r, + (Node::Sampling(prim_l, f_l), Node::Sampling(prim_r, f_r)) => { + // Since the equality is only being used here to check if two primitives are + // equal as an optimization (combining them if they are equal), false negatives + // are acceptable here (they don't impact correctness, only performance). + #[allow(clippy::vtable_address_comparisons)] + { + prim_l == prim_r + && std::ptr::eq(f_l.as_ref() as *const _, f_r.as_ref() as *const _) + } + }, + (Node::Prefab(prefab_l), Node::Prefab(prefab_r)) => prefab_l == prefab_r, + (Node::Intersect(a_l, b_l), Node::Intersect(a_r, b_r)) => { + a_l == a_r && b_l == b_r + }, + (Node::Union(a_l, b_l), Node::Union(a_r, b_r)) => a_l == a_r && b_l == b_r, + (Node::Without(a_l, b_l), Node::Without(a_r, b_r)) => { + a_l == a_r && b_l == b_r + }, + (Node::Rotate(a_l, mat_l), Node::Rotate(a_r, mat_r)) => { + a_l == a_r && mat_l == mat_r + }, + (Node::Translate(a_l, vec_l), Node::Translate(a_r, vec_r)) => { + a_l == a_r && vec_l == vec_r + }, + (Node::Scale(a_l, vec_l), Node::Scale(a_r, vec_r)) => { + a_l == a_r && vec_l == vec_r + }, + (Node::Repeat(a_l, offset_l, n_l), Node::Repeat(a_r, offset_r, n_r)) => { + a_l == a_r && offset_l == offset_r && n_l == n_r + }, + _ => false, + } + } +} + +impl Hash for Node { + fn hash(&self, state: &mut H) { + let hash_vec2 = + |v: &Vec2, state: &mut H| v.iter().for_each(|f| f.to_le_bytes().hash(state)); + let hash_vec = + |v: &Vec3, state: &mut H| v.iter().for_each(|f| f.to_le_bytes().hash(state)); + match self { + Node::Empty => { + "Empty".hash(state); + }, + Node::Aabb(aabb) => { + "Aabb".hash(state); + aabb.hash(state); + }, + Node::Pyramid { aabb, inset } => { + "Pyramid".hash(state); + aabb.hash(state); + inset.hash(state); + }, + Node::Ramp { aabb, inset, dir } => { + "Ramp".hash(state); + aabb.hash(state); + inset.hash(state); + dir.hash(state); + }, + Node::Gable { aabb, inset, dir } => { + "Gable".hash(state); + aabb.hash(state); + inset.hash(state); + dir.hash(state); + }, + Node::Cylinder(aabb) => { + "Cylinder".hash(state); + aabb.hash(state); + }, + Node::Cone(aabb) => { + "Cone".hash(state); + aabb.hash(state); + }, + Node::Sphere(aabb) => { + "Sphere".hash(state); + aabb.hash(state); + }, + Node::Superquadric { aabb, degree } => { + "Superquadric".hash(state); + aabb.hash(state); + degree.to_le_bytes().hash(state); + }, + Node::Plane(aabr, origin, gradient) => { + "Plane".hash(state); + aabr.hash(state); + origin.hash(state); + hash_vec2(gradient, state); + }, + Node::Segment { segment, radius } => { + "Segment".hash(state); + hash_vec(&segment.start, state); + hash_vec(&segment.end, state); + radius.to_le_bytes().hash(state); + }, + Node::SegmentPrism { + segment, + radius, + height, + } => { + "SegmentPrism".hash(state); + hash_vec(&segment.start, state); + hash_vec(&segment.end, state); + radius.to_le_bytes().hash(state); + height.to_le_bytes().hash(state); + }, + Node::Sampling(prim, _) => { + "Sampling".hash(state); + prim.hash(state); + }, + Node::Prefab(prefab) => { + "Prefab".hash(state); + prefab.hash(state); + }, + Node::Intersect(a, b) => { + "Intersect".hash(state); + a.hash(state); + b.hash(state); + }, + Node::Union(a, b) => { + "Union".hash(state); + a.hash(state); + b.hash(state); + }, + Node::Without(a, b) => { + "Without".hash(state); + a.hash(state); + b.hash(state); + }, + Node::Rotate(a, mat) => { + "Rotate".hash(state); + a.hash(state); + mat.hash(state); + }, + Node::Translate(a, vec) => { + "Translate".hash(state); + a.hash(state); + vec.hash(state); + }, + Node::Scale(a, vec) => { + "Scale".hash(state); + a.hash(state); + hash_vec(vec, state); + }, + Node::Repeat(a, offset, n) => { + "Repeat".hash(state); + a.hash(state); + offset.hash(state); + n.hash(state); + }, + } + } +} */ + +impl<'a> Node<'a> { + /* fn intersect(a: impl Into>>, b: impl Into>>) -> Self { Self::Intersect(a.into(), b.into()) } - pub fn union(a: impl Into>, b: impl Into>) -> Self { + fn union(a: impl Into>>, b: impl Into>>) -> Self { Self::Union(a.into(), b.into()) + } */ + + /// NOTE: Negation of cbpv function type: + /// + /// -(A ⊸ B) ≡ -(¬A ⅋ B) ≡ A ⊗ -B + /// + /// where A is positive and B is negative. + fn without<'painter, Arg: Positive, Ret: Negative>(painter: &'painter Painter<'a>, a_: /*impl Into>>*/PrimitiveRef<'painter, 'a, Arg>, b_: /*impl Into>>*/PrimitiveRef<'painter, 'a, Ret>) -> PrimitiveRef<'painter, 'a, Arg> { + let a = a_.id; + let b = b_.id; + let (a_bounds, b_bounds) = { + let prims = painter.prims.borrow(); + let mut cache = painter.bounds_cache.borrow_mut(); + (Painter::get_bounds(&mut cache, &prims, a), + Painter::get_bounds(&mut cache, &prims, b),) + }; + let a_volume = a_bounds.size().as_::().product(); + if a_volume < 1.0 { + return /*Self::Empty*/painter.empty().as_kind(); + } + let ab_volume = a_bounds.intersection(b_bounds).size().as_::().product(); + if ab_volume < 1.0 { + return /*Self::Union(a, painter.empty())*/a_; + } + let b_scale = ab_volume / a_volume; + // cost(B | bound(A)) = cost(B) * vol(bound(A) ∩⁺ bound(B)) / vol(bound(A)) + // Since if B evaluates to true, we won't draw anything, and if A evaluates to false, we won't + // draw anything, we test B first only if 1 - cost(B | bound(A)) < cost(A). Otherwise, we + // test A first. + /* let b_volume = b_bounds.size().as_::().product(); + // (We multiply the estimates by volume to get a better sense of how many elements we can + // discard early,as well). */ + // We do *NOT* multiply by volume estimates on both sides, because we always run through + // the voxels in a_bound anyway. + let cost_a = painter.depth(a)/* * a_volume*/; + let cost_b = /*(*/1.0 - painter.depth(b) * b_scale/*) * b_volume*/; + painter.prim(Self::Without(a, b, cost_a <= cost_b)) } - pub fn without(a: impl Into>, b: impl Into>) -> Self { - Self::Without(a.into(), b.into()) - } - - pub fn sampling(a: impl Into>, f: Box) -> bool>) -> Self { - Self::Sampling(a.into(), f) - } - - pub fn translate(a: impl Into>, trans: Vec3) -> Self { + fn translate(a: impl Into>>, trans: Vec3) -> Self { Self::Translate(a.into(), trans) } - pub fn scale(a: impl Into>, scale: Vec3) -> Self { + /* pub fn scale(a: impl Into>>, scale: Vec3) -> Self { Self::Scale(a.into(), scale) - } + } */ - pub fn rotate_about( - a: impl Into>, + fn rotate_about( + a: impl Into>>, rot: Mat3, point: Vec3>, ) -> Self { Self::RotateAbout(a.into(), rot, point.as_()) } - pub fn repeat(a: impl Into>, offset: Vec3, count: u32) -> Self { - Self::Repeat(a.into(), offset, count) + /* pub fn repeat(a: impl Into>>, offset: Vec3, count: /*u32*/u16) -> Self { + if count == 0 { + return Self::Empty + } else { + // TODO: Check bounds for a. + Self::Repeat(a.into(), offset, count) + } + } */ +} + +/// For the moment, there's no real advantage to making Fill be any different from a function, +/// so we just use that for now. In the long term that may change though, so we use a type +/// alias and ask people to go through the functions below rather than constructing fills +/// explicitly. +pub trait Fill { + const NEEDS_BLOCK: bool; + const NEEDS_POS: bool; + + fn sample_at(&self, pos: Vec3, old_block: Block) -> Option; +} + +impl<'a, F: Fill> Fill for &'a F { + const NEEDS_BLOCK: bool = F::NEEDS_BLOCK; + const NEEDS_POS: bool = F::NEEDS_POS; + + #[inline] + fn sample_at(&self, pos: Vec3, old_block: Block) -> Option { + (*self).sample_at(pos, old_block) } } -#[derive(Clone)] -pub enum Fill { +#[derive(Clone,Copy)] +pub struct FillConst(Block); + +impl Fill for FillConst { + const NEEDS_BLOCK: bool = false; + const NEEDS_POS: bool = false; + + #[inline] + fn sample_at(&self, _: Vec3, _: Block) -> Option { + Some(self.0) + } +} + +#[derive(Clone,Copy)] +pub struct FillMerge(F); + +impl Block> Fill for FillMerge { + const NEEDS_BLOCK: bool = true; + const NEEDS_POS: bool = false; + + #[inline] + fn sample_at(&self, _: Vec3, old_block: Block) -> Option { + Some((&self.0)(old_block)) + } +} + +#[derive(Clone,Copy)] +pub struct FillVar(F); + +impl) -> Option> Fill for FillVar { + const NEEDS_BLOCK: bool = false; + const NEEDS_POS: bool = true; + + #[inline] + fn sample_at(&self, pos: Vec3, _: Block) -> Option { + (&self.0)(pos) + } +} + +/// Data used by the rasterizer, responsible for executing fills (which consume primitives). +pub struct FillFn<'a, 'b, F> { + // marker: core::marker::PhantomData<&'b ()>, + /// Concrete implementation of rasterization and entity spawning. + filler: &'a mut F, + /// NOTE: It's not completely clear whether render_area belongs here! But it doesn't obviously + /// belong anywhere else, so this is fine for now. + render_area: Aabr, + /// TODO: I think this only exists to aid in the prefab hack; verify whether we really need it. + canvas_info: CanvasInfo<'b>, +} + +impl<'a, 'b, F: Filler> FillFn<'a, 'b, F> { + fn fill(&mut self, painter: &Painter<'a>, prim: Id>, fill: impl Fill + Copy) { + let arena = painter.arena; + let prim_tree = painter.prims.borrow(); + let mut bounds_cache = /*&mut self.bounds_cache*/painter.bounds_cache.borrow_mut(); + Painter::get_bounds_disjoint( + arena, + &mut *bounds_cache, + &*prim_tree, + prim, + self.render_area, + move |pos| self.filler.map(pos, fill) + ); + + /* Fill::get_bounds_disjoint( + arena, + cache, + tree, + prim, + mask, + |pos| filler.map(pos, fill) + ); */ + + /* fill.sample_at( + self.arena, + &mut self.bounds_cache, + prim_tree, + prim, + self.render_area, + self.filler, + ); */ + } + + /// Spawns an entity if it is in the render_aabr, otherwise does nothing. + #[inline] + pub fn spawn(&mut self, entity: EntityInfo) { + if self.render_area.contains_point(entity.pos.xy().as_()) { + self.filler.spawn(entity); + } + } + + #[inline] + pub fn block(&self, block: Block) -> impl Fill + Copy { + FillConst(block) + } + + #[inline] + pub fn sprite(&self, sprite: SpriteKind) -> impl Fill + Copy { + FillMerge(move |old_block: Block| { + if old_block.is_filled() { + Block::air(sprite) + } else { + old_block.with_sprite(sprite) + } + }) + } + + #[inline] + pub fn rotated_sprite(&self, sprite: SpriteKind, ori: u8) -> impl Fill + Copy { + FillMerge(move |old_block: Block| { + if old_block.is_filled() { + Block::air(sprite) + .with_ori(ori) + .unwrap_or_else(|| Block::air(sprite)) + } else { + old_block + .with_sprite(sprite) + .with_ori(ori) + .unwrap_or_else(|| old_block.with_sprite(sprite)) + } + }) + } + + #[inline] + pub fn brick(&self, bk: BlockKind, col: Rgb, range: u8) -> impl Fill + Copy { + // FIXME: Statically cache somewhere, or maybe just remove in favor of + // Sampling. + FillVar(move |pos: Vec3| { + Some(Block::new( + bk, + col + (RandomField::new(13) + .get((pos + Vec3::new(pos.z, pos.z, 0)) / Vec3::new(2, 2, 1)) + % range as u32) as u8, + )) + }) + } + + #[inline] + pub fn gradient<'c>(&self, gradient: &'c util::gradient::Gradient, bk: BlockKind) -> impl Fill + Copy + 'c { + FillVar(move |pos: Vec3| { + Some(Block::new(bk, gradient.sample(pos.as_()))) + }) + } + + pub fn block_from_structure(&self, sb: StructureBlock, structure_pos: Vec2, seed: u32, col_sample: &'b ColumnSample) -> impl Fill + Copy + 'b + { + /* let col_sample = /*if let Some(col_sample) = */self.canvas_info.col(self.canvas_info.wpos)/* { + col_sample + } else { + // Don't draw--technically we should probably not assume this much about + // the filler implementation though. + // + // FIXME: Fix this for alternate fillers if it turns out to matter. + return + }*/; */ + let index = self.canvas_info.index; + let calendar = self.canvas_info.calendar(); + + FillVar(move |pos| { + block_from_structure( + index, + sb, + pos, + structure_pos, + seed, + col_sample, + Block::air, + calendar, + ) + }) + } + + #[inline] + // TODO: the offset tr for Prefab is a hack that breaks the compositionality of Translate, + // we probably need an evaluator for the primitive tree that gets which point is queried at + // leaf nodes given an input point to make Translate/Rotate work generally + pub fn prefab(&self, p: &'static PrefabStructure, tr: Vec3, seed: u32) -> impl Fill + Copy + 'b { + let col_sample = /*if let Some(col_sample) = */self.canvas_info.col(self.canvas_info.wpos)/* { + col_sample + } else { + // Don't draw--technically we should probably not assume this much about + // the filler implementation though. + // + // FIXME: Fix this for alternate fillers if it turns out to matter. + return + }*/; + let index = self.canvas_info.index; + let p_bounds = p.get_bounds().center().xy(); + let calendar = self.canvas_info.calendar(); + + FillVar(move |pos| { + p.get(pos - tr).ok().and_then(|&sb| { + block_from_structure( + index, + sb, + pos - tr, + p_bounds, + seed, + col_sample?, + Block::air, + calendar, + ) + }) + }) + } + + #[inline] + pub fn sampling) -> Option/* + ?Sized*/>(&self, f: S) -> FillVar { + FillVar(f) + } + + /// The area that the canvas is currently rendering. + #[inline] + pub fn render_aabr(&self) -> Aabr { self.render_area } +} +/* pub enum Fill<'a> { Sprite(SpriteKind), RotatedSprite(SpriteKind, u8), Block(Block), @@ -208,12 +739,3125 @@ pub enum Fill { // TODO: the offset field for Prefab is a hack that breaks the compositionality of Translate, // we probably need an evaluator for the primitive tree that gets which point is queried at // leaf nodes given an input point to make Translate/Rotate work generally - Prefab(Box, Vec3, u32), - Sampling(Arc) -> Option>), + Prefab(&'static PrefabStructure, Vec3, u32), + Sampling(&'a dyn Fn(Vec3) -> Option), +} */ + +/// Hack to avoid adding a const generic parameter, since the compiler seems to give up when +/// recursion is involved and just add it as a regular parameter, which adds measurable overhead to +/// each call, plus possibly also a runtime branch even though it's theoretically not necesary. +trait CheckAabr { + const CHECK_AABR: bool; } -impl Fill { - fn contains_at(tree: &Store, prim: Id, pos: Vec3) -> bool { +struct TopAabr; +impl CheckAabr for TopAabr { + const CHECK_AABR: bool = false; +} + +struct SubAabr; +impl CheckAabr for SubAabr { + const CHECK_AABR: bool = true; +} + +enum StackMember<'a> { + /* /// Focused additive disjunction: + /// + /// c₁ : (Γ, x: A ⊢ Δ) + /// c₂ : (Γ, y: B ⊢ Δ) + /// -------------------------------------- (⊕L) + /// Γ | μ̃[ι₁(x).c₁ | ι₂(y).c₂] : A ⊕ B ⊢ Δ + /// + /// 〈ι₁(υ₁) ┃ μ̃[ι₁(x).c₁ | ι₂(y).c₂]〉→β 〈υ₁‖μ̃ x. c₁〉 + /// 〈ι₂(υ₂) ┃ μ̃[ι₁(x).c₁ | ι₂(y).c₂]〉→β 〈υ₂‖μ̃ y. c₂〉 + PlusDisj { + mat: Mat4, + mask: Aabr, + rhs: &'a [Id>], + }, */ + /// Focused multiplicative conjunction: + /// + /// c : (Γ, x: A, y: B ⊢ Δ) + /// -------------------------- (⊗L) + /// Γ | μ̃[(x,y).c] : A ⊗ B ⊢ Δ + /// + /// 〈(υ₁,υ₂) ┃ μ̃[(x,y).c]〉→β 〈υ₁ υ₂‖μ̃ x y. c〉 + MulConj { + mat: Mat4, + /* mask: Aabr, */ + rhs: &'a [Id>], + }, + /* /// Focused additive conjunction: + /// + /// c₁ : (Γ ⊢ α: A, Δ) + /// c₂ : (Γ ⊢ β: B, Δ) + /// -------------------------------------- (&R) + /// Γ ⊢ μ(π₁[α].c₁ | π₂[β].c₂) : A & B | Δ + /// + /// 〈μ(π₁[α].c₁ | π₂[β].c₂) ┃ π₁[e₁]〉→β 〈μ α. c₁‖e₁〉 + /// 〈μ(π₁[α].c₁ | π₂[β].c₂) ┃ π₂[e₂]〉→β 〈μ β. c₂‖e₂〉 + PlusConj, */ + /// Focused multiplicative disjunction: + /// + /// c : (Γ ⊢ α: A, β: B, Δ) + /// -------------------------- (⅋R) + /// Γ ⊢ μ([α,β].c) : A ⅋ B | Δ + /// + /// 〈μ([x,y].c) ┃ [e₁,e₂]〉→β〈μ x y. c‖e₁ e₂〉 + MulDisj, +} + +/// A trait implemented by something that allows fills, e.g. a canvas. +/// +/// Currently only abstracted for testing purposes (plus lack of rank-2 type polymorphism +/// without dynamic dispatch). +pub trait Filler { + /// Maps the old block at position pos to a new block by calling f on it. + fn map(&mut self, pos: Vec3, f: F); + + /// Spawns an entity. + fn spawn(&mut self, entity: EntityInfo); +} + +impl Painter<'_> { + fn contains_at<'a, /*const _CHECK_AABR: bool*/Check: CheckAabr>( + /*cache: &mut BoundsMap,*/ + tree: &Store>, + prim: &Primitive<'a>, + pos: /*vek::vec::repr_simd::Vec4*/Vec3, + ) -> bool { + /* println!("Prim {:?}: {:?}", prim.id(), tree[prim]); */ + /* const CHECK_AABR: bool = Check::CHECK_AABR; */ + // Custom closure because vek's impl of `contains_point` is inclusive :( + let aabb_contains = |aabb: Aabb, pos: /*vek::vec::repr_simd::Vec4*/Vec3| { + /* const CHECK_ABBR: bool = Check::CHECK_AABR; */ + !Check::CHECK_AABR || + /* let res = */{ + /* #[cfg(feature = "simd")] + { + // TODO: Enforce aabr.max.x > aabr.min.x and aabr.max.y > aabr.min.y at + // compile time. + /* let min = vek::vec::repr_simd::Vec8::new( + aabb.min.x, aabb.min.y, aabb.min.z, 0, + pos.x, pos.y, pos.z, 0, + ); + let max = vek::vec::repr_simd::Vec8::new( + pos.x, pos.y, pos.z, 0, + aabb.max.x - 1, aabb.max.y - 1, aabb.max.z - 1, 0, + ); + let cmp = min.cmple_simd(max); */ + let min = vek::vec::repr_simd::Vec4::new(aabb.min.x, aabb.min.y, aabb.min.z, 0); + let max = vek::vec::repr_simd::Vec4::new(aabb.max.x, aabb.max.y, aabb.max.z, 1); + // let max = vek::vec::repr_simd::Vec4::new(aabb.max.x - 1, aabb.max.y - 1, aabb.max.z - 1, 0); + let pos = vek::vec::repr_simd::Vec4::new(pos.x, pos.y, pos.z, 0); + let is_le = min.cmple_simd(pos); + let is_gt = max.cmpgt_simd/*cmpge_simd*/(pos); + let cmp = is_le & is_gt; + /* let res = */cmp.reduce_and()/*; + if !Check::CHECK_AABR && !res { + dbg!(prim.id(), tree[prim], min, max, pos, is_le, is_gt, cmp, res); + } + res */ + } + #[cfg(not(feature = "simd"))] */ + { + (aabb.min.x..aabb.max.x).contains(&pos.x) + && (aabb.min.y..aabb.max.y).contains(&pos.y) + && (aabb.min.z..aabb.max.z).contains(&pos.z) + } + }/*; + if !Check::CHECK_AABR { + assert!(res); + } + res */ + }; + + /*loop */{ + match &/*tree[prim]*/prim.0 { + Node::Empty => false, + Node::Aabb(aabb) => + /* !Check::CHECK_AABR || */aabb_contains(*aabb, pos), + Node::Ramp { aabb, inset, dir } => { + let inset = (*inset).max(aabb.size().reduce_min()); + let inner = match dir { + Dir::X => Aabr { + min: Vec2::new(aabb.min.x - 1 + inset, aabb.min.y), + max: Vec2::new(aabb.max.x, aabb.max.y), + }, + Dir::NegX => Aabr { + min: Vec2::new(aabb.min.x, aabb.min.y), + max: Vec2::new(aabb.max.x - inset, aabb.max.y), + }, + Dir::Y => Aabr { + min: Vec2::new(aabb.min.x, aabb.min.y - 1 + inset), + max: Vec2::new(aabb.max.x, aabb.max.y), + }, + Dir::NegY => Aabr { + min: Vec2::new(aabb.min.x, aabb.min.y), + max: Vec2::new(aabb.max.x, aabb.max.y - inset), + }, + }.made_valid(); + (/* !Check::CHECK_AABR || */aabb_contains(*aabb, pos)) + && (inner.projected_point(pos.xy()) - pos.xy()) + .map(|e| e.abs()) + .reduce_max() as f32 + / (inset as f32) + < 1.0 + - ((pos.z - aabb.min.z) as f32 + 0.5) / (aabb.max.z - aabb.min.z) as f32 + }, + Node::Pyramid { aabb, inset } => { + let inset = (*inset).max(aabb.size().reduce_min()); + let inner = Aabr { + min: aabb.min.xy() - 1 + inset, + max: aabb.max.xy() - inset, + }.made_valid(); + (/* !Check::CHECK_AABR || */aabb_contains(*aabb, pos)) + && (inner.projected_point(pos.xy()) - pos.xy()) + .map(|e| e.abs()) + .reduce_max() as f32 + / (inset as f32) + < 1.0 + - ((pos.z - aabb.min.z) as f32 + 0.5) / (aabb.max.z - aabb.min.z) as f32 + }, + Node::Gable { aabb, inset, dir } => { + let inset = (*inset).max(aabb.size().reduce_min()); + let inner = if dir.is_y() { + Aabr { + min: Vec2::new(aabb.min.x - 1 + inset, aabb.min.y), + max: Vec2::new(aabb.max.x - inset, aabb.max.y), + } + } else { + Aabr { + min: Vec2::new(aabb.min.x, aabb.min.y - 1 + inset), + max: Vec2::new(aabb.max.x, aabb.max.y - inset), + } + }.made_valid(); + (/* !Check::CHECK_AABR || */aabb_contains(*aabb, pos)) + && (inner.projected_point(pos.xy()) - pos.xy()) + .map(|e| e.abs()) + .reduce_max() as f32 + / (inset as f32) + < 1.0 + - ((pos.z - aabb.min.z) as f32 + 0.5) / (aabb.max.z - aabb.min.z) as f32 + }, + Node::Cylinder(aabb) => { + (!Check::CHECK_AABR || (aabb.min.z..aabb.max.z).contains(&pos.z)) + && (pos + .xy() + .as_() + .distance_squared(aabb.as_().center().xy() - 0.5) + as f32) + < (aabb.size().w.min(aabb.size().h) as f32 / 2.0).powi(2) + }, + Node::Cone(aabb) => { + (!Check::CHECK_AABR || (aabb.min.z..aabb.max.z).contains(&pos.z)) + && pos + .xy() + .as_() + .distance_squared(aabb.as_().center().xy() - 0.5) + < (((aabb.max.z - pos.z) as f32 / aabb.size().d as f32) + * (aabb.size().w.min(aabb.size().h) as f32 / 2.0)) + .powi(2) + }, + Node::Sphere(aabb) => { + (/* !Check::CHECK_AABR || */aabb_contains(*aabb, pos)) + && pos.as_().distance_squared(aabb.as_().center() - 0.5) + < (aabb.size().w.min(aabb.size().h) as f32 / 2.0).powi(2) + }, + Node::Superquadric { aabb, degree } => { + let degree = degree.max(0.0); + let center = aabb.center().map(|e| e as f32); + let a: f32 = aabb.max.x as f32 - center.x - 0.5; + let b: f32 = aabb.max.y as f32 - center.y - 0.5; + let c: f32 = aabb.max.z as f32 - center.z - 0.5; + let rpos = pos.as_::() - center; + (/* !Check::CHECK_AABR || */aabb_contains(*aabb, pos)) + && (rpos.x / a).abs().powf(degree) + + (rpos.y / b).abs().powf(degree) + + (rpos.z / c).abs().powf(degree) + < 1.0 + }, + Node::Plane(aabr, origin, gradient) => { + // Maybe <= instead of == + (!Check::CHECK_AABR || { + // TODO: Enforce aabr.max.x > aabr.min.x and aabr.max.y > aabr.min.y at + // compile time. + /* #[cfg(feature = "simd")] + { + let min_pos = + vek::vec::repr_simd::Vec4::new(aabr.min.x, aabr.min.y, pos.x, pos.y); + let pos_max = + vek::vec::repr_simd::Vec4::new(pos.x, pos.y, aabr.max.x - 1, aabr.max.y - 1); + let cmp = min_pos.cmple_simd(pos_max); + cmp.reduce_and() + } + #[cfg(not(feature = "simd"))] */ + { + (aabr.min.x..aabr.max.x).contains(&pos.x) + && (aabr.min.y..aabr.max.y).contains(&pos.y) + } + }) + && pos.z + == origin.z + + ((pos.xy() - origin.xy()) + .map(|x| x.abs()) + .as_() + .dot(*gradient) as i32) + }, + // TODO: Aabb calculation could be improved here by only considering the relevant radius + Node::Segment { segment, /*radius*/r0, r1, z_scale } => { + /* fn length_factor(line: LineSegment3, p: Vec3) -> f32 { + let len_sq = line.start.distance_squared(line.end); + if len_sq < 0.001 { + 0.0 + } else { + (p - line.start).dot(line.end - line.start) / len_sq + } + } */ + let pos = pos.map(|e| e as f32) + 0.5; + let distance = segment.end - segment.start; + let distance2 = distance.magnitude_squared(); + let length = pos - segment.start.as_(); + let t = + (length.as_().dot(distance) / distance2).clamped(0.0, 1.0); + /* let t = length_factor(*segment, pos); */ + let projected_point = /*segment.projected_point(pos)*/ + segment.start + distance * t; + + let mut diff = projected_point - pos; + diff.z *= z_scale; + let radius = Lerp::lerp(r0, r1, t)/* - 0.25 */; + diff.magnitude_squared() < radius * radius/* - 0.25/*0.01*/*/ + /* segment.distance_to_point(pos.map(|e| e as f32)) < radius - 0.25 */ + }, + Node::SegmentPrism { + segment, + radius, + height, + } => { + let segment_2d = LineSegment2 { + start: segment.start.xy(), + end: segment.end.xy(), + }; + let projected_point_2d: Vec2 = + segment_2d.as_().projected_point(pos.xy().as_()); + let xy_check = projected_point_2d.distance(pos.xy().as_()) < radius - 0.25; + let projected_z = { + let len_sq: f32 = segment_2d + .start + .as_() + .distance_squared(segment_2d.end.as_()); + if len_sq < 0.1 { + segment.start.z as f32 + } else { + let frac = ((projected_point_2d - segment_2d.start.as_()) + .dot(segment_2d.end.as_() - segment_2d.start.as_()) + / len_sq) + .clamp(0.0, 1.0); + (segment.end.z as f32 - segment.start.z as f32) * frac + + segment.start.z as f32 + } + }; + let z_check = (projected_z..=(projected_z + height)).contains(&(pos.z as f32)); + xy_check && z_check + }, + /* Node::Sampling(a, f) => { + let prim = &tree[*a]; + if PRINT_MESSAGES { + println!("Prim {:?}: {:?}", a.id(), prim); + } + f(pos) && Self::contains_at::(cache, tree, prim, pos) + }, */ + Node::Prefab(p) => !matches!(p.get(pos), Err(_) | Ok(StructureBlock::None)), + // Intersections mean we can no longer assume we're always in the bounding + // volume. + Node::Intersect([a, b]) => { + let a_ = &tree[*a]; + let b_ = &tree[*b]; + ({ + if PRINT_MESSAGES { + println!("Prim {:?}: {:?}", a.id(), a_); + } + Self::contains_at::(/*cache, */tree, a_, pos) + }) && { + if PRINT_MESSAGES { + println!("Prim {:?}: {:?}", b.id(), b_); + } + Self::contains_at::(/*cache, */tree, b_, pos) + } + }, + Node::IntersectAll(prims) => { + prims.into_iter().all(|prim| { + let prim_ = &tree[*prim]; + if PRINT_MESSAGES { + println!("Prim {:?}: {:?}", prim.id(), prim_); + } + Self::contains_at::(/*cache, */tree, prim_, pos) + }) + }, + // Unions mean we can no longer assume we're always in the bounding box (we need to + // handle this at the fill level, at least with our current approach...). + Node::Union(a, b) => { + let a_ = &tree[*a]; + if PRINT_MESSAGES { + println!("Prim {:?}: {:?}", a.id(), a_); + } + let b_ = &tree[*b]; + if PRINT_MESSAGES { + println!("Prim {:?}: {:?}", b.id(), b_); + } + Self::contains_at::(/*cache, */tree, a_, pos) || + Self::contains_at::(/*cache, */tree, b_, pos) + }, + Node::UnionAll(prims) => { + prims.into_iter().any(|prim| { + let prim_ = &tree[*prim]; + if PRINT_MESSAGES { + println!("Prim {:?}: {:?}", prim.id(), prim_); + } + Self::contains_at::(/*cache, */tree, prim_, pos) + }) + }, + // A difference is a weird kind of intersection, so we can't preserve being in the + // bounding volume for b, but can for a. + Node::Without(a, b, a_first) => { + let a_ = &tree[*a]; + let b_ = &tree[*b]; + if *a_first { + ({ + if PRINT_MESSAGES { + println!("Prim {:?}: {:?}", a.id(), a_); + } + Self::contains_at::(/*cache, */tree, a_, pos) + }) && !{ + if PRINT_MESSAGES { + println!("Prim {:?}: {:?}", b.id(), b_); + } + Self::contains_at::(/*cache, */tree, b_, pos) + } + } else { + !({ + if PRINT_MESSAGES { + println!("Prim {:?}: {:?}", b.id(), b_); + } + Self::contains_at::(/*cache, */tree, b_, pos) + }) && { + if PRINT_MESSAGES { + println!("Prim {:?}: {:?}", a.id(), a_); + } + Self::contains_at::(/*cache, */tree, a_, pos) + } + } + }, + /* Node::Rotate(prim, mat) => { + let aabb = Self::get_bounds(cache, tree, *prim); + let diff = pos - (aabb.min + mat.cols.map(|x| x.reduce_min())); + Self::contains_at(cache, tree, *prim, aabb.min + mat.transposed() * diff) + }, */ + Node::Translate(prim, vec) => { + let prim_ = &tree[*prim]; + if PRINT_MESSAGES { + println!("Prim {:?}: {:?}", prim.id(), prim_); + } + Self::contains_at::(/*cache, */tree, prim_, pos.map2(*vec, i32::saturating_sub)) + }, + /* Node::Scale(prim, vec) => { + let center = Self::get_bounds(cache, tree, *prim).center().as_::() + - Vec3::broadcast(0.5); + let fpos = pos.as_::(); + let spos = (center + ((center - fpos) / vec)) + .map(|x| x.round()) + .as_::(); + Self::contains_at::(cache, tree, *prim, spos) + }, */ + Node::RotateAbout(prim, mat, vec) => { + let mat = mat.as_::().transposed(); + let vec = vec - 0.5; + let prim_ = &tree[*prim]; + if PRINT_MESSAGES { + println!("Prim {:?}: {:?}", prim.id(), prim_); + } + Self::contains_at::(/*cache, */tree, prim_, (vec + mat * (pos.as_::() - vec)).as_()) + }, + /* // Since Repeat is a union, we also can't assume we're in the current bounding box + // here. + Node::Repeat(prim, offset, count) => { + if count == &0 { + false + } else { + let count = count - 1; + let aabb = Self::get_bounds(cache, tree, *prim); + let aabb_corner = { + let min_red = aabb.min.map2(*offset, |a, b| if b < 0 { 0 } else { a }); + let max_red = aabb.max.map2(*offset, |a, b| if b < 0 { a } else { 0 }); + min_red + max_red + }; + let diff = pos - aabb_corner; + let min = diff + .map2(*offset, |a, b| if b == 0 { i32::MAX } else { a / b }) + .reduce_min() + .clamp(0, count as i32); + let pos = pos - offset * min; + Self::contains_at::(cache, tree, *prim, pos) + } + }, */ + } + } + } + /* pub fn sample_at( + &self, + cache: &mut BoundsMap, + tree: &Store>, + prim: Id>, + pos: Vec3, + canvas_info: &CanvasInfo, + old_block: Block, + ) -> Option { + // Top level, so we don't need to check aabr. + /* println!("\nRoot: {:?}", pos); */ + if Self::contains_at::(cache, tree, prim, pos) { + match self { + Fill::Block(block) => Some(*block), + Fill::Sprite(sprite) => Some(if old_block.is_filled() { + Block::air(*sprite) + } else { + old_block.with_sprite(*sprite) + }), + Fill::RotatedSprite(sprite, ori) => Some(if old_block.is_filled() { + Block::air(*sprite) + .with_ori(*ori) + .unwrap_or_else(|| Block::air(*sprite)) + } else { + old_block + .with_sprite(*sprite) + .with_ori(*ori) + .unwrap_or_else(|| old_block.with_sprite(*sprite)) + }), + Fill::Brick(bk, col, range) => Some(Block::new( + *bk, + *col + (RandomField::new(13) + .get((pos + Vec3::new(pos.z, pos.z, 0)) / Vec3::new(2, 2, 1)) + % *range as u32) as u8, + )), + Fill::Gradient(gradient, bk) => Some(Block::new(*bk, gradient.sample(pos.as_()))), + Fill::Prefab(p, tr, seed) => p.get(pos - tr).ok().and_then(|sb| { + let col_sample = canvas_info.col(canvas_info.wpos)?; + block_from_structure( + canvas_info.index, + *sb, + pos - tr, + p.get_bounds().center().xy(), + *seed, + col_sample, + Block::air, + canvas_info.calendar(), + ) + }), + Fill::Sampling(f) => f(pos), + } + } else { + None + } + } */ + +/* pub fn sample_at<'a, F: Filler>( + fill: impl Fill, + arena: &'a bumpalo::Bump, + cache: &mut BoundsMap, + tree: &Store>, + prim: Id>, + mask: Aabr, + filler: &mut F, + /* mut hit: impl FnMut(Vec3), */ + + /* /* cache: &mut BoundsMap, + tree: &Store>, + prim: Id>, */ + pos: Vec3, + canvas_info: &CanvasInfo, + old_block: Block, */ +) { + Fill::get_bounds_disjoint( + arena, + cache, + tree, + prim, + mask, + |pos| filler.map(pos, fill) + ); + /* // Top level, so we don't need to check aabr. + /* println!("\nRoot: {:?}", pos); */ + /* if Self::contains_at::(cache, tree, prim, pos) */{ + + // Macro to make sure that calls to get_bounds_disjoint can be statically dispatched; + // this may or may not be necessary / help. + // + // TODO: Evaluate to make sure dynamic dispatch is a bottleneck... + macro_rules! dispatch_sample_at { + ($pos:ident, $f: expr) => { + Fill::get_bounds_disjoint( + arena, + cache, + tree, + prim, + mask, + |$pos| filler.map($pos, $f) + ); + } + } + + match self { + &Fill::Block(block) => { + dispatch_sample_at!(pos, |_| Some(block)); + }, + &Fill::Sprite(sprite) => { + dispatch_sample_at!(pos, |old_block| { + Some(if old_block.is_filled() { + Block::air(sprite) + } else { + old_block.with_sprite(sprite) + }) + }); + }, + &Fill::RotatedSprite(sprite, ori) => { + dispatch_sample_at!(pos, |old_block| { + Some(if old_block.is_filled() { + Block::air(sprite) + .with_ori(ori) + .unwrap_or_else(|| Block::air(sprite)) + } else { + old_block + .with_sprite(sprite) + .with_ori(ori) + .unwrap_or_else(|| old_block.with_sprite(sprite)) + }) + }); + }, + &Fill::Brick(bk, col, range) => { + // FIXME: Statically cache somewhere, or maybe just remove in favor of + // Sampling. + dispatch_sample_at!(pos, |_| { + Some(Block::new( + bk, + col + (RandomField::new(13) + .get((pos + Vec3::new(pos.z, pos.z, 0)) / Vec3::new(2, 2, 1)) + % range as u32) as u8, + )) + }); + }, + &Fill::Gradient(ref gradient, bk) => { + dispatch_sample_at!(pos, |_| { + Some(Block::new(bk, gradient.sample(pos.as_()))) + }); + }, + &Fill::Prefab(p, tr, seed) => { + let col_sample = if let Some(col_sample) = canvas_info.col(canvas_info.wpos) { + col_sample + } else { + // Don't draw--technically we should probably not assume this much about + // the filler implementation though. + // + // FIXME: Fix this for alternate fillers if it turns out to matter. + return + }; + let index = canvas_info.index; + let p_bounds = p.get_bounds().center().xy(); + let calendar = canvas_info.calendar(); + + dispatch_sample_at!(pos, |_| { + p.get(pos - tr).ok().and_then(|&sb| { + block_from_structure( + index, + sb, + pos - tr, + p_bounds, + seed, + col_sample, + Block::air, + calendar, + ) + }) + }); + }, + Fill::Sampling(f) => { + dispatch_sample_at!(pos, |_| f(pos)); + }, + } + }/* else { + None + }*/ */ +} */ + + /* pub fn sample_at( + &self, + /* cache: &mut BoundsMap, + tree: &Store>, + prim: Id>, */ + pos: Vec3, + canvas_info: &CanvasInfo, + old_block: Block, + ) -> Option { + // Top level, so we don't need to check aabr. + /* println!("\nRoot: {:?}", pos); */ + /* if Self::contains_at::(cache, tree, prim, pos) */{ + match self { + Fill::Block(block) => Some(*block), + Fill::Sprite(sprite) => Some(if old_block.is_filled() { + Block::air(*sprite) + } else { + old_block.with_sprite(*sprite) + }), + Fill::RotatedSprite(sprite, ori) => Some(if old_block.is_filled() { + Block::air(*sprite) + .with_ori(*ori) + .unwrap_or_else(|| Block::air(*sprite)) + } else { + old_block + .with_sprite(*sprite) + .with_ori(*ori) + .unwrap_or_else(|| old_block.with_sprite(*sprite)) + }), + Fill::Brick(bk, col, range) => Some(Block::new( + *bk, + *col + (RandomField::new(13) + .get((pos + Vec3::new(pos.z, pos.z, 0)) / Vec3::new(2, 2, 1)) + % *range as u32) as u8, + )), + Fill::Gradient(gradient, bk) => Some(Block::new(*bk, gradient.sample(pos.as_()))), + Fill::Prefab(p, tr, seed) => p.get(pos - tr).ok().and_then(|sb| { + let col_sample = canvas_info.col(canvas_info.wpos)?; + block_from_structure( + canvas_info.index, + *sb, + pos - tr, + p.get_bounds().center().xy(), + *seed, + col_sample, + Block::air, + canvas_info.calendar(), + ) + }), + Fill::Sampling(f) => f(pos), + } + }/* else { + None + }*/ + } */ + + fn get_bounds_inner_prim<'a>( + cache: &mut BoundsMap, + tree: &Store>, + prim: &Primitive<'_>, + ) -> Vec> { + fn or_zip_with T>(a: Option, b: Option, f: F) -> Option { + match (a, b) { + (Some(a), Some(b)) => Some(f(a, b)), + (Some(a), _) => Some(a), + (_, b) => b, + } + } + fn handle_union<'a>( + cache: &mut BoundsMap, + tree: &Store>, + xs: &[Id>], + ) -> Vec> { + fn jaccard(x: Aabb, y: Aabb) -> f32 { + let s_intersection = x.intersection(y).size().as_::().magnitude(); + let s_union = x.union(y).size().as_::().magnitude(); + s_intersection / s_union + } + let mut inputs = Vec::new(); + inputs.extend(xs.into_iter().flat_map(|x| Painter::get_bounds_inner(cache, tree, *x))); + inputs + /* let mut results = Vec::new(); + if let Some(aabb) = inputs.pop() { + results.push(aabb); + for a in &inputs { + let best = results + .iter() + .enumerate() + .max_by_key(|(_, b)| (jaccard(*a, **b) * 1000.0) as usize); + match best { + Some((i, b)) if jaccard(*a, *b) > 0.3 => { + let mut aabb = results.swap_remove(i); + aabb = aabb.union(*a); + results.push(aabb); + }, + _ => results.push(*a), + } + } + results + } else { + results + } */ + } + + match &prim.0 { + Node::Empty => vec![], + Node::Aabb(aabb) => vec![*aabb], + Node::Pyramid { aabb, .. } => vec![*aabb], + Node::Gable { aabb, .. } => vec![*aabb], + Node::Ramp { aabb, .. } => vec![*aabb], + Node::Cylinder(aabb) => vec![*aabb], + Node::Cone(aabb) => vec![*aabb], + Node::Sphere(aabb) => vec![*aabb], + Node::Superquadric { aabb, .. } => vec![*aabb], + Node::Plane(aabr, origin, gradient) => { + let half_size = aabr.half_size().reduce_max(); + let longest_dist = ((aabr.center() - origin.xy()).map(|x| x.abs()) + + half_size + + aabr.size().reduce_max() % 2) + .map(|x| x as f32); + let z = if gradient.x.signum() == gradient.y.signum() { + Vec2::new(0, longest_dist.dot(*gradient) as i32) + } else { + (longest_dist * gradient).as_() + }; + let aabb = Aabb { + min: aabr.min.with_z(origin.z + z.reduce_min().min(0)), + max: aabr.max.with_z(origin.z + z.reduce_max().max(0)), + }; + vec![aabb.made_valid()] + }, + Node::Segment { segment, /* radius */r0, r1, z_scale } => { + /* let aabb = Aabb { + min: segment.start, + max: segment.end, + } + .made_valid(); + vec![Aabb { + min: (aabb.min - *radius).floor().as_(), + max: (aabb.max + *radius).ceil().as_(), + }] */ + // TODO: Incorporate z scale. + let aabb = Aabb { + min: segment.start, + max: segment.end/* - 1.0*/, + } + .made_valid(); + // NOTE: Since sampled points get multiplied by z_scale to determine bounds, the + // actual bounds are smaller by the same factor. + let mut rad_diff = Vec3::broadcast(r0.max(*r1)); + rad_diff.z /= z_scale; + vec![Aabb { + min: (aabb.min - rad_diff).floor().as_(), + max: (aabb.max + rad_diff).ceil().as_(), + /* min: (aabb.min - rad_diff).floor().as_(), + max: (aabb.max + rad_diff).ceil().as_() + 1, */ + }] + }, + Node::SegmentPrism { + segment, + radius, + height, + } => { + /* // NOTE: This will probably cause some issues with the cost model... ah well. + let delta = segment.end - segment.start; + // NOTE: Shearing preserves volume. + vec![Aabb { + min: Vec3::zero(), + max: Vec3::new(2.0 * *radius, delta.xy().magnitude(), *height).as_(), + }] */ + let aabb = Aabb { + min: segment.start, + max: segment.end, + } + .made_valid(); + let min = { + let xy = (aabb.min.xy() - *radius).floor(); + xy.with_z(aabb.min.z).as_() + }; + let max = { + let xy = (aabb.max.xy() + *radius).ceil(); + xy.with_z((aabb.max.z + *height).ceil()).as_() + }; + vec![Aabb { min, max }] + }, + /* Node::Sampling(a, _) => Self::get_bounds_inner(cache, tree, *a), */ + Node::Prefab(p) => vec![p.get_bounds()], + Node::Intersect([a, b]) => or_zip_with( + Self::get_bounds_opt(cache, tree, *a), + Self::get_bounds_opt(cache, tree, *b), + |a, b| a.intersection(b), + ) + .into_iter() + .collect(), + Node::IntersectAll(prims) => prims.iter() + .filter_map(|prim| Self::get_bounds_opt(cache, tree, *prim)) + .reduce(Aabb::intersection) + .into_iter() + .collect(), + Node::Union(a, b) => handle_union(cache, tree, &[*a, *b]), + Node::UnionAll(prims) => handle_union(cache, tree, prims), + Node::Without(a, _, _) => Self::get_bounds_inner(cache, tree, *a), + /* Node::Rotate(prim, mat) => Self::get_bounds_inner(cache, tree, *prim) + .into_iter() + .map(|aabb| { + let extent = *mat * Vec3::from(aabb.size()); + let new_aabb: Aabb = Aabb { + min: aabb.min, + max: aabb.min + extent, + }; + new_aabb.made_valid() + }) + .collect(), */ + Node::Translate(prim, vec) => Self::get_bounds_inner(cache, tree, *prim) + .into_iter() + .map(|aabb| Aabb { + min: aabb.min.map2(*vec, i32::saturating_add), + max: aabb.max.map2(*vec, i32::saturating_add), + }) + .collect(), + /* Node::Scale(prim, vec) => Self::get_bounds_inner(cache, tree, *prim) + .into_iter() + .map(|aabb| { + let center = aabb.center(); + Aabb { + min: center + ((aabb.min - center).as_::() * vec).as_::(), + max: center + ((aabb.max - center).as_::() * vec).as_::(), + } + }) + .collect(), */ + Node::RotateAbout(prim, mat, vec) => Self::get_bounds_inner(cache, tree, *prim) + .into_iter() + .map(|aabb| { + let mat = mat.as_::(); + // - 0.5 because we want the point to be at the minimum of the voxel + let vec = vec - 0.5; + let new_aabb = Aabb:: { + min: vec + mat * (aabb.min.as_() - vec), + // - 1 becuase we want the AABB to be inclusive when we rotate it, we then + // add 1 back to make it exclusive again + max: vec + mat * ((aabb.max - 1).as_() - vec), + } + .made_valid(); + Aabb:: { + min: new_aabb.min.as_(), + max: new_aabb.max.as_() + 1, + } + }) + .collect(), + /* Node::Repeat(prim, offset, count) => { + if count == &0 { + vec![] + } else { + let count = count - 1; + Self::get_bounds_inner(cache, tree, *prim) + .into_iter() + .map(|aabb| Aabb { + min: aabb + .min + .map2(aabb.min + offset * count as i32, |a, b| a.min(b)), + max: aabb + .max + .map2(aabb.max + offset * count as i32, |a, b| a.max(b)), + }) + .collect() + } + }, */ + } + } + + fn get_bounds_inner<'a: 'b, 'b>( + cache: &mut BoundsMap, + tree: &Store>, + prim: Id>, + ) -> Vec> { + let id = prim.id(); + if let Some(bounds) = cache.get(&id) { + bounds.clone() + } else { + let bounds = Self::get_bounds_inner_prim(cache, tree, &tree[prim]); + cache.insert(id, bounds.clone()); + bounds + } + } + + /* pub fn get_bounds_disjoint( + cache: &mut BoundsMap, + tree: &Store>, + prim: Id>, + ) -> Vec> { + Self::get_bounds_inner(cache, tree, prim) + } */ + + fn get_bounds_disjoint_inner<'a, 'b>( + arena: &'a bumpalo::Bump, + cache: &mut BoundsMap, + tree: &'b Store>, + mut prim: Id>, + mut stack_bot: usize, + stack: &mut Vec>, + mut mat: Mat4, + mut mask: Aabb, + hit: &mut impl FnMut(Vec3), + ) { + // The idea here is that we want to evaluate as many terms as we can *without* having to + // sample point by point. Therefore, we divide iteration into two parts... + // + // * Block-by-block iteration that iterates over an AABB and evaluates the chosen primitive + // at each block. This is what calls the hit function. + // + // * Top-level iteration that proceeds by block and produces disjoint AABBs. This + // continues until we hit a negative type (i.e. an intersection, negation, etc.) + // or a primitive, at which point we switch to block-by-block iteration. We also always + // switch to block-by-block iteration when the volume size gets low enough (currently + // 4×4×4 blocks) under the theory that at that point the overhead of tracking the AABBs + // will exceed the performance benefits. + + // Top level, so we don't need to check the aabr for validity; instead, we iterate over the + // provided AABB! + #[inline] + fn aabb_iter( + mut aabb: Aabb, + mat: Mat4, + mask: Aabb, + mut test: impl FnMut(Vec3) -> bool, + hit: &mut impl FnMut(Vec3) + ) { + // We use the matrix to determine which offset/ori to use for each iteration. + // Specifically, mat.x will represent the real x axis, mat.y the real y axis, + // and mat.z the real z axis. + // + // Because of this, to find the axes we actually want to use for our own purposes, we + // need to first read the offset, then transpose, then read the three axes. + let offset = Vec3::::from(mat.cols[3]); + // TODO: Optimize + let inv_mat = mat.as_::().inverted_affine_transform_no_scale/*transposed*/().as_::(); + let dz = Vec3::from(/*mat * Vec4::from_direction(Vec3::::unit_z())*/mat.cols[2]); + let dy = Vec3::from(/*mat * Vec4::from_direction(Vec3::::unit_y())*/mat.cols[1]); + let dx = Vec3::from(/*mat * Vec4::from_direction(Vec3::::unit_x())*/mat.cols[0]); + // TODO: Optimize. + let mut mask: Aabb = Aabb { + min: Vec3::from(inv_mat * Vec4::from_point(mask.min))/*.with_z(aabb.min.z)*/, + max: Vec3::from(inv_mat * Vec4::from_point(mask.max - 1))/*.with_z(aabb.max.z)*/, + }; + mask.make_valid(); + mask.max += 1; + aabb.intersect(mask); + if PRINT_MESSAGES { + println!("\n\nVol: {:?}", aabb); + } + let mut hit_count = 0; + // TODO: Optimize. + // It *might* actually make sense to make a const generic so we specialize the six + // possible orientations differently, and avoid vector arithmetic, but for now we + // don't do that. + // + // TODO: Orient by *output* z first, then *output* y, then *output* x, instead of + // *input* (which is what we're currently doing because it's easy). + /* let mat_ = mat.transpose(); + let dz = mat * Vec4::unit_z(); + let dy = mat * Vec4 */ + // + // Apply matrix transformations to find the new bounding box. + // + // NOTE: Matrix only supports floats for FP scaling, which is questionable. + /* aabb.iter_mut().for_each(|v| mat * v); + // It may have a bad orientation, so make sure it's valid (TODO: consider fixing this + // at rotation time instead?). + aabb.make_valid(); */ + // TODO: Optimize a lot! + + // Whether to optimize the layering for input or output should likely depend on + // the primitive type, but for the most part we assume that sampling output in + // layered order is more important, since most of our sampling primitives are + // not memory-bound (we currently do zyx iteration, but maybe other orders are + // better, who knows?). + // + // Another potential optimization when we are *actually* operating over primitives and + // convex solids: assuming the primitives are convex, we can start by sampling the + // corner in the next plane that is within the bounding box and touching the corner of + // the last AABB. If it's empty, we can skip anything further away, thanks to + // convexity. Moreover, as we move towards the center of the plane, we can skip + // testing any remaining components on the two lines in the corner (or else we'd fail + // to be convex). + // + // We can even (somewhat!) extend this to difference of unions, since this is + // equivalent to intersection by negations. Specifically, we focus on the case of + // disjoint union (in which case there are no intersecting components). Then we know + // that *within* the bounding box of each union'd component, we'll eventually reach + // something convex, and we can find the intersection between the positive convex part + // and the negative convex part. We can use these as bounds to carve out of the + // positive part, before reporting all the interior points. The final set is still + // not convex, but we don't have to do a huge amount of work here. As long as the + // union is disjoint, we should end up in a "sufficiently small" convex set without + // (?) exponential blowup. + (aabb.min.z..aabb.max.z).for_each(|z| { + let offset = offset + dz * z; + (aabb.min.y..aabb.max.y).for_each(|y| { + let offset = offset + dy * y; + (aabb.min.x..aabb.max.x) + .inspect(|&x| if PRINT_MESSAGES { println!("\nPos: {:?}", Vec3::new(x, y, z)) }) + .filter(|&x| test(Vec3::new(x, y, z))) + .inspect(|_| if PRINT_MESSAGES { hit_count += 1 }) + .map(|x| offset + dx * x) + .for_each(&mut *hit) + }) + }); + if PRINT_MESSAGES { + println!("Hit rate: {:?} / {:?}", hit_count, aabb.size().product()); + } + } + /* const CHECK_ABBR: bool = Check::CHECK_AABR; */ + /* !Check::CHECK_AABR || + /* let res = */{ + /* #[cfg(feature = "simd")] + { + // TODO: Enforce aabr.max.x > aabr.min.x and aabr.max.y > aabr.min.y at + // compile time. + /* let min = vek::vec::repr_simd::Vec8::new( + aabb.min.x, aabb.min.y, aabb.min.z, 0, + pos.x, pos.y, pos.z, 0, + ); + let max = vek::vec::repr_simd::Vec8::new( + pos.x, pos.y, pos.z, 0, + aabb.max.x - 1, aabb.max.y - 1, aabb.max.z - 1, 0, + ); + let cmp = min.cmple_simd(max); */ + let min = vek::vec::repr_simd::Vec4::new(aabb.min.x, aabb.min.y, aabb.min.z, 0); + let max = vek::vec::repr_simd::Vec4::new(aabb.max.x, aabb.max.y, aabb.max.z, 1); + // let max = vek::vec::repr_simd::Vec4::new(aabb.max.x - 1, aabb.max.y - 1, aabb.max.z - 1, 0); + let pos = vek::vec::repr_simd::Vec4::new(pos.x, pos.y, pos.z, 0); + let is_le = min.cmple_simd(pos); + let is_gt = max.cmpgt_simd/*cmpge_simd*/(pos); + let cmp = is_le & is_gt; + /* let res = */cmp.reduce_and()/*; + if !Check::CHECK_AABR && !res { + dbg!(prim.id(), tree[prim], min, max, pos, is_le, is_gt, cmp, res); + } + res */ + } + #[cfg(not(feature = "simd"))] */ + { + (aabb.min.x..aabb.max.x).contains(&pos.x) + && (aabb.min.y..aabb.max.y).contains(&pos.y) + && (aabb.min.z..aabb.max.z).contains(&pos.z) + } + }/*; + if !Check::CHECK_AABR { + assert!(res); + } + res */ */ + + // Note that because we are on the top level, we never have to worry about AABB + // containment--we automatically inherit the AABB of the value. In theory, we should + // need a mask for this to bound to chunks, but it is likely that in the future we want + // to generate sites all at once anyway, eliminating the need for an additional mask. + // + // Therefore, this part of the code resembles normalization by evaluation, specifically + // finding the spine and converting to weak head normal form. + + // The function to call when we finally hit is performance-sensitive, so we don't want to + // make the function that gets called in the AABB inner loop require dynamic dispatch. + // Our observation is that there is not much of a tradeoff at the top level--any sampler + // function that gets pushed down was already dynamic, and will be evaluated + // disjunctively, so we just have to avoid dynamic dispatch in the case that there was + // no sample (*most* sample figures are also pretty simple, although one in dungeons is + // fairly complicated, but I've been told not to worry about dungeons or samplers too + // much). + // + // Another thing that is likely to get pushed down is a difference operation. However, + // it should be clear that which evaluation order to use is dependent on the volume it + // ultimately takes a bite out of... and also on whether more differences are discovered + // down the line (since they can just be evaluated disjunctively with the original!). + // Again this is more like fast and simple term rewriting than optimization. In + // particular, since our cost drops as we go deeper into the tree, we should expect that + // eventually it will make more sense to evaluate ourselves first; if that doesn't happen, + // it will be because we saw more differences, leading to higher estimates for them (due to + // it being a union estimate); since we delay cost evaluation of the difference until we + // actually see a difference, and the relative cost of difference first vs us first + // monotonically increases until we see another difference, we can reasonably assume we're + // not missing anything by skipping these evaluations. + // + // Another pushdown candidate is Repeat-related. In theory, we should just be able to + // evaluate the body once, and then (once it's been normalized) copy-paste it to the other + // areas! The way Coq would want us to do it (and maybe the right way) would be to + // evaluate shared, fully reduced terms to bitmasks (happily I think we know ahead of time + // whether the term is actually shared?), maybe integrating this into the cost model. The + // real question is whether a more general *partial* evaluation strategy is worth it for + // terms that aren't fully reduced. One nice thing about the way we handle transformations + // is that any fully reduced model can be easily translated in that way, and right now + // transformation matrix is one of our only real contexts (besides difference and + // sampling, so the decision of whether to push them down could be informed by whether they + // were shared, the cost model, etc.). In any case, something like Repeat is limited + // enough that these things would barely matter (outside of intersect, difference, and + // *maybe* sampling, which can't be trusted; none of these are used at the moment). + // + // Finally, the most obvious pushdown candidate (already discussed): transformation matrix + // will be fully pushed down, and not evaluated until the first negative term. Since + // outside of Repeat we don't have much interesting context-dependent sharing (we assume + // unions are mostly disjoint), we can do this without many problems, even pushing through + // difference and sampling when possible. + // + // So to start off (all only at the top level): + // + // * Everything can push through unions. + // * Repeat will be pushed down only until the first negative term, but will not + // be pushed down through difference or sampling (because these are not invariant with + // respect to changes to the model matrix). Currently Repeat is only used with + // primitives I think, so this shouldn't matter. + // * Difference will be pushed down and evaluated as unions of each other. We'll + // reevaluate the cost each time we hit a new difference. They can push down through + // other Differences, through Samplers (through the positive side, specifically), but not + // through Repeats. + // * Sampling can be pushed through other Samplers (creates a new closure capturing the old + // one), through Differences, but not through Repeats. + // * Transformation matrices can be pushed through Difference and Sampling, but not Repeat + // (at least, not naively; they could work if we could do a suspended environment context + // for Repeat, which holds the transform as of when they were created so it can be + // applied after translating the transformed version from afterwards). + let handle_intersect = |stack: &mut Vec>, mat, mask, x, rhs| { + // We mask with the translated intersection bounds + // (forcing). and then *push down* the branches + // of higher cost as a suspended term to be evaluated later. + // + // TODO: Actually lazily evaluate, maybe? + // + // TODO: Don't recurse. + // + // Push an intersection stack member. + stack.push(StackMember::MulConj { + mat, + /* mask, */ + rhs, + }); + }; + + // NOTE: We have to handle the annoying cases where both min and max + // are on one side of the center (after masking). For now, we just + // explicitly check their signs and handle this case separately, but + // there's probably a more elegant way. + // + // NOTE: In all code below, we can assume aabb.min.z ≤ aabb.max.z from + // the call to is_valid. + // + // FIXME: To prove casts of positive i32 to usize correct, + // statically assert that u32 fits in usize. + let make_bounds = |min: i32, max: i32| { + let (bounds_min, bounds_max) = + if min >= 0 { + // NOTE: Since max ≥ min > 0, we know max + // is positive. + ( + min as usize..min as usize, + min as usize..max as usize, + ) + } else if max < 0 { + // NOTE: -max is positive because max is + // negative. Therefore, 1 - max is also positive. + // 1 - min ≥ 1 - max because + // max ≥ min, so we can assume this forms a valid + // range. + ( + (1 - max) as usize..(1 - min) as usize, + (1 - max) as usize..(1 - max) as usize, + ) + } else { + // NOTE: 1 < 1 - min since min < 0. + // max is already verified to be non-negative, + // so it's ≥ 0. So we can assume all ranges are valid. + ( + 1..(1 - min) as usize, + 0..max as usize, + ) + }; + + // NOTE: Since min is non-increasing and max is non-decreasing, + // and both sides form a valid range from start..end, max-ing + // the starts and min-ing the ends must still form a valid range. + let bounds = + bounds_min.start.min(bounds_max.start).. + bounds_min.end.max(bounds_max.end); + (bounds_min, bounds_max, bounds) + }; + + loop { + let prim_ = &tree[prim]; + if PRINT_MESSAGES { + println!("Prim {:?}: {:?}", prim.id(), prim_); + } + match &prim_.0 { + // InterSectAll([]) should not happen, but we treat it the same as Empty currently. + Node::Empty | Node::IntersectAll([]) => return, + // Arguably we should have a super fast special case for this, but for now + // we just defer to the usual primitive handler. + Node::Aabb(aabb) => { + // If we have an intersection on the stack, push it down as a union. + if let &[StackMember::MulConj { mat: mat_, rhs: &[prim__] }, ..] = &stack[stack_bot..] { + /* let offset = Vec3::::from(mat.cols[3]); + // TODO: Optimize + let inv_mat = mat./*inverted_affine_transform_no_scale*/transposed(); + let dz = Vec3::from(/*mat * Vec4::from_direction(Vec3::::unit_z())*/mat.cols[2]); + let dy = Vec3::from(/*mat * Vec4::from_direction(Vec3::::unit_y())*/mat.cols[1]); + let dx = Vec3::from(/*mat * Vec4::from_direction(Vec3::::unit_x())*/mat.cols[0]); */ + // TODO: Optimize. + let mut aabb = Aabb { + min: Vec3::from(mat * Vec4::from_point(aabb.min))/*.with_z(aabb.min.z)*/, + max: Vec3::from(mat * Vec4::from_point(aabb.max - 1))/*.with_z(aabb.max.z)*/, + }; + aabb.make_valid(); + aabb.max += 1; + mask.intersect(aabb); + if !mask.is_valid() { + return; + } + /* let prim2_ = &tree[prim2]; + if let Node::UnionAll(prims2) = prim2_ { + let mask = aabb; + prims.into_iter().for_each(move |prim2| { + Self::get_bounds_disjoint_inner(arena, cache, tree, *prim, stack, mat, mask, &mut *hit) + }); + } */ + mat = mat_; + // println!("Intersected {}: {}?", prim.id(), prim_.id()); + prim = prim__; + stack_bot += 1; + /* return Self::get_bounds_disjoint_inner( + arena, + cache, + tree, + prim, + &mut Vec::new(), + mat, + mask, + hit, + ); */ + // *stack = Vec::new(); + } else { + /* !Check::CHECK_AABR || */return aabb_iter(*aabb, mat, mask, |_| true, &mut *hit) + } + }, + Node::Ramp { aabb/* , inset, dir */, .. } + | Node::Pyramid { aabb, .. } + | Node::Gable { aabb, .. } + | Node::Cone(aabb, ..) + // | Node::Cylinder(aabb) + // | Node::Sphere(aabb) + // | Node::Superquadric { aabb, .. } + if stack.len() > stack_bot => { + if let StackMember::MulConj { mat: mat_, rhs: &[prim__] } = stack[stack_bot] { + let mut aabb = Aabb { + min: Vec3::from(mat * Vec4::from_point(aabb.min))/*.with_z(aabb.min.z)*/, + max: Vec3::from(mat * Vec4::from_point(aabb.max - 1))/*.with_z(aabb.max.z)*/, + }; + aabb.make_valid(); + aabb.max += 1; + mask.intersect(aabb); + if !mask.is_valid() { + return; + } + let inv_mat = mat.as_::().inverted_affine_transform_no_scale/*transposed*/().as_::(); + mat = mat_; + // println!("Intersected {}: {}?", prim.id(), prim_.id()); + prim = prim__; + stack_bot += 1; + return Self::get_bounds_disjoint_inner( + arena, + cache, + tree, + /*prim__*/prim, + /* &mut Vec::new(), */ + stack_bot, + stack, + /*mat_*/mat, + mask, + &mut ((&mut |pos| { + let pos_ = Vec3::from(inv_mat * Vec4::from_point(pos)); + if Self::contains_at::(/*cache, */tree, prim_, pos_) { + hit(pos); + } + }) as &mut dyn FnMut(Vec3)), + ); + } + }, + Node::Cylinder(aabb) if stack.len() > stack_bot => { + if let StackMember::MulConj { mat: mat_, rhs: &[prim__] } = stack[stack_bot] { + let mut aabb = Aabb { + min: Vec3::from(mat * Vec4::from_point(aabb.min))/*.with_z(aabb.min.z)*/, + max: Vec3::from(mat * Vec4::from_point(aabb.max - 1))/*.with_z(aabb.max.z)*/, + }; + aabb.make_valid(); + aabb.max += 1; + mask.intersect(aabb); + if !mask.is_valid() { + return; + } + let inv_mat = mat.as_::().inverted_affine_transform_no_scale/*transposed*/().as_::(); + mat = mat_; + // println!("Intersected {}: {}?", prim.id(), prim_.id()); + prim = prim__; + stack_bot += 1; + let center = aabb.as_().center().xy() - 0.5; + let radius_2 = (aabb.size().w.min(aabb.size().h) as f32 / 2.0).powi(2); + return Self::get_bounds_disjoint_inner( + arena, + cache, + tree, + /*prim__*/prim, + /* &mut Vec::new(), */ + stack_bot, + stack, + /*mat_*/mat, + mask, + &mut ((&mut |pos| { + let pos_ = Vec3::::from(inv_mat * Vec4::from_point(pos)); + if pos_.xy().as_().distance_squared(center) < radius_2 { + hit(pos); + } + }) as &mut dyn FnMut(Vec3)), + ); + } + }, + Node::Sphere(aabb) if stack.len() > stack_bot => { + if let StackMember::MulConj { mat: mat_, rhs: &[prim__] } = stack[stack_bot] { + let mut aabb = Aabb { + min: Vec3::from(mat * Vec4::from_point(aabb.min))/*.with_z(aabb.min.z)*/, + max: Vec3::from(mat * Vec4::from_point(aabb.max - 1))/*.with_z(aabb.max.z)*/, + }; + aabb.make_valid(); + aabb.max += 1; + mask.intersect(aabb); + if !mask.is_valid() { + return; + } + let inv_mat = mat.as_::().inverted_affine_transform_no_scale/*transposed*/().as_::(); + mat = mat_; + // println!("Intersected {}: {}?", prim.id(), prim_.id()); + prim = prim__; + stack_bot += 1; + let center = aabb.as_().center() - 0.5; + let radius_2 = (aabb.size().w.min(aabb.size().h) as f32 / 2.0).powi(2); + return Self::get_bounds_disjoint_inner( + arena, + cache, + tree, + /*prim__*/prim, + /* &mut Vec::new(), */ + stack_bot, + stack, + /*mat_*/mat, + mask, + &mut ((&mut |pos| { + let pos_ = Vec3::::from(inv_mat * Vec4::from_point(pos)); + if pos_.as_().distance_squared(center) < radius_2 { + hit(pos); + } + }) as &mut dyn FnMut(Vec3)), + ); + } + }, + Node::Superquadric { aabb, degree } if stack.len() > stack_bot => { + if let StackMember::MulConj { mat: mat_, rhs: &[prim__] } = stack[stack_bot] { + let degree = degree.max(1.0); + + if degree == 2.0 { + let center = aabb.center()/*.map(|e| e as f32)*/; + mat = mat * Mat4::::translation_3d(center); + let mut aabb = Aabb { + // TODO: Try to avoid generating 3/4 of the circle; the interaction with + // masking will require care. + min: aabb.min - center, + max: aabb.max - center, + }; + let mut a_ = aabb.max.x; + let mut b_ = aabb.max.y; + let mut c_ = aabb.max.z; + let a: f32 = a_ as f32/* - center.x as f32 */- 0.5; + let b: f32 = b_ as f32/* - center.y as f32 */- 0.5; + let c: f32 = c_ as f32/* - center.z as f32 */- 0.5; + // NOTE: Guaranteed positive since a,b,c are all positive (due to AABB being + // enforced valid at construction time) and degree must be ≥ 1.0. + let a_inv_pow = a.recip().powf(degree); + let b_inv_pow = b.recip().powf(degree); + let c_inv_pow = c.recip().powf(degree); + let abc_inv_pow = Vec3::new(a_inv_pow, b_inv_pow, c_inv_pow); + + let mut aabb = Aabb { + min: Vec3::from(mat * Vec4::from_point(aabb.min))/*.with_z(aabb.min.z)*/, + max: Vec3::from(mat * Vec4::from_point(aabb.max - 1))/*.with_z(aabb.max.z)*/, + }; + aabb.make_valid(); + aabb.max += 1; + mask.intersect(aabb); + if !mask.is_valid() { + return; + } + let inv_mat = mat.as_::().inverted_affine_transform_no_scale/*transposed*/().as_::(); + mat = mat_; + // println!("Intersected {}: {}?", prim.id(), prim_.id()); + prim = prim__; + stack_bot += 1; + return Self::get_bounds_disjoint_inner( + arena, + cache, + tree, + /*prim__*/prim, + /* &mut Vec::new(), */ + stack_bot, + stack, + /*mat_*/mat, + mask, + &mut ((&mut |pos| { + let pos_ = Vec3::::from(inv_mat * Vec4::from_point(pos)); + let rpos = pos_.as_::()/* - center*/; + if (rpos * rpos).dot(abc_inv_pow) < 1.0 { + hit(pos); + } + }) as &mut dyn FnMut(Vec3)), + ); + } else { + let mut aabb = Aabb { + min: Vec3::from(mat * Vec4::from_point(aabb.min))/*.with_z(aabb.min.z)*/, + max: Vec3::from(mat * Vec4::from_point(aabb.max - 1))/*.with_z(aabb.max.z)*/, + }; + aabb.make_valid(); + aabb.max += 1; + mask.intersect(aabb); + if !mask.is_valid() { + return; + } + let inv_mat = mat.as_::().inverted_affine_transform_no_scale/*transposed*/().as_::(); + mat = mat_; + // println!("Intersected {}: {}?", prim.id(), prim_.id()); + prim = prim__; + stack_bot += 1; + return Self::get_bounds_disjoint_inner( + arena, + cache, + tree, + /*prim__*/prim, + /* &mut Vec::new(), */ + stack_bot, + stack, + /*mat_*/mat, + mask, + &mut ((&mut |pos| { + let pos_ = Vec3::::from(inv_mat * Vec4::from_point(pos)); + if Self::contains_at::(/*cache, */tree, prim_, pos_) { + hit(pos); + } + }) as &mut dyn FnMut(Vec3)), + ); + } + } + }, + Node::Segment { segment, /*radius*/r0, r1, z_scale } if stack.len() > stack_bot => { + // TODO: Optimize further? + /* let aabb = Self::get_bounds(cache, tree, prim); + if !(aabb.size().w > 8 || aabb.size().h > 8 || aabb.size().d > 16) { + /* return aabb_iter( + aabb.as_(), + mat, + mask, + |_| true, + // |pos| Self::contains_at::(cache, tree, prim_, pos), + hit, + ); */ + return + } */ + // NOTE: vol(frustum) = 1/3 h(A(r₀) + A(r₁) + √(A(r₀)A(r₁))) + // = 1/3 h (r₀² + r₁² + √(r₀²r₁²)) + // = 1/3 h (r₀² + r₁² + r₀r₁) + let y_size = (segment.end - segment.start).magnitude(); + let r0 = r0 - 0.5; + let r1 = r1 - 0.5; + let radius_squared = (r0 * r0 + r1 * r1 + r0 * r1) / 3.0; + let radius = radius_squared.sqrt(); + let mat__ = mat.as_::(); + // Orient the matrix to point towards the segment. + // + // NOTE: We try to make sure the up vector is aligned to Z, unless we are + // orthogonal to X in which case we align with X. Since we are drawing a + // prism, there's no real difference between X, Y, or Z here, as long as it's + // an orthogonal direction. Note that we already know that not all three + // segments differ. + // + // TODO: Avoid this branch by returning a different primitive if we're a + // straight line. + let up = if segment.start.x == segment.end.x { + Vec3::unit_x() + } else { + Vec3::unit_z() + }; + let rotate_mat = Mat4::::model_look_at_lh(segment.start, segment.end, up); + // NOTE: Pre-inverted. + let translate_mat = Mat4::::new( + 1.0, 0.0, 0.0, -radius, + 0.0, 1.0, 0.0, -radius, + 0.0, 0.0, 1.0, 0.0, + 0.0, 0.0, 0.0, 1.0, + ); + // Inverted, so multiply backwards + let rotate_translate_mat = rotate_mat * translate_mat; + let mat__ = mat__ * rotate_translate_mat; + // Fake AABB to draw. + let mut aabb = Aabb { + min: Vec3::zero(), + max: Vec3::new(2.0 * radius/* + 1.0*/, 2.0 * radius/* + 1.0*/, y_size/* + 1.0*/), + }; + if let StackMember::MulConj { mat: mat_, rhs: &[prim__] } = stack[stack_bot] { + let mut aabb_ = Aabb:: { + min: Vec3::from(mat__ * Vec4::from_point(aabb.min))/*.with_z(aabb.min.z)*/, + max: Vec3::from(mat__ * Vec4::from_point(aabb.max - 1.0))/*.with_z(aabb.max.z)*/, + }; + aabb_.make_valid(); + /* aabb_.max += 1.0; + aabb_.min = aabb_.min.map(f32::floor); + aabb_.max = aabb_.max.map(f32::ceil); */ + let mut aabb_ = aabb_.as_::(); + aabb_.max += 1; + mask.intersect(aabb_/*.as_()*/); + if !mask.is_valid() { + return; + } + let inv_mat = mat__/*mat_*//*.as_::()*/.inverted_affine_transform_no_scale/*transposed*/()/*.as_::()*/; + mat = mat_; + // println!("Intersected {}: {}?", prim.id(), prim_.id()); + prim = prim__; + stack_bot += 1; + // let prim__ = &tree[prim__]; + return Self::get_bounds_disjoint_inner( + arena, + cache, + tree, + prim, + stack_bot, + /* &mut Vec::new(), */ + stack, + mat, + mask, + &mut ((&mut |pos: Vec3| { + let pos_ = Vec3::from(inv_mat * Vec4::from_point(pos.as_())); + if aabb.contains_point(pos_) { + hit(pos); + } + /* if Self::contains_at::(/*cache, */tree, prim_/*prim__*/, pos_) { + hit(pos); + } */ + }) as &mut dyn FnMut(Vec3)), + // hit, + ); + } + } + Node::Plane(..) + | Node::SegmentPrism { .. } + | Node::Prefab(..) if stack.len() > stack_bot => { + // TODO: Improve? + let aabb = Self::get_bounds(cache, tree, prim); + if let StackMember::MulConj { mat: mat_, rhs: &[prim__] } = stack[stack_bot] { + let mut aabb = Aabb { + min: Vec3::from(mat * Vec4::from_point(aabb.min))/*.with_z(aabb.min.z)*/, + max: Vec3::from(mat * Vec4::from_point(aabb.max - 1))/*.with_z(aabb.max.z)*/, + }; + aabb.make_valid(); + aabb.max += 1; + mask.intersect(aabb); + if !mask.is_valid() { + return; + } + let inv_mat = mat/*mat_*/.as_::().inverted_affine_transform_no_scale/*transposed*/().as_::(); + mat = mat_; + // println!("Intersected {}: {}?", prim.id(), prim_.id()); + prim = prim__; + stack_bot += 1; + // let prim__ = &tree[prim__]; + return Self::get_bounds_disjoint_inner( + arena, + cache, + tree, + prim, + stack_bot, + /* &mut Vec::new(), */ + stack, + mat, + mask, + &mut ((&mut |pos| { + let pos_ = Vec3::from(inv_mat * Vec4::from_point(pos)); + if Self::contains_at::(/*cache, */tree, prim_/*prim__*/, pos_) { + hit(pos); + } + }) as &mut dyn FnMut(Vec3)), + // hit, + ); + } + }, + Node::Ramp { aabb/* , inset, dir */, .. } + | Node::Pyramid { aabb, .. } + | Node::Gable { aabb, .. } + | Node::Cone(aabb, ..) + => { + return aabb_iter( + *aabb, + mat, + mask, + |pos| Self::contains_at::(/*cache, */tree, prim_, pos), + hit, + ) + }, + Node::Cylinder(aabb) => { + let center = aabb.as_().center().xy() - 0.5; + let radius_2 = (aabb.size().w.min(aabb.size().h) as f32 / 2.0).powi(2); + return aabb_iter( + *aabb, + mat, + mask, + |pos| pos.xy().as_().distance_squared(center) < radius_2, + hit, + ) + }, + Node::Sphere(aabb) => { + let center = aabb.as_().center() - 0.5; + let radius_2 = (aabb.size().w.min(aabb.size().h) as f32 / 2.0).powi(2); + return aabb_iter( + *aabb, + mat, + mask, + |pos| pos.as_().distance_squared(center) < radius_2, + hit, + ) + }, + Node::Superquadric { aabb, degree } => { + // NOTE: We should probably switch to superellipsoids as they are a bit more + // constrained / easier to solve (and special-case the Z axis). + // + // A superquadric is very symmetric (ignoring masking): + // + // * symmetric along the x, y, and z axes. + // * radially symmetric (up to scaling). + // + // For now, we don't make much effort to benefit from radial symmetry. + // However, do make an effort to benefit from symmetry along the axes, as + // follows: + // + // * generate one quadrant using SIMD, masked only up to the largest used + // axis in each direction. + + let degree = degree.max(1.0); + + /* let half_size = aabb.half_size(); + let aabb = Aabb { + min: -Vec3::from(half_size), + max: Vec3::from(half_size), + }; */ + /* let a: f32 = aabb.max.x as f32 /*- center.x as f32 */- 0.5; + let b: f32 = aabb.max.y as f32 /*- center.y as f32 */- 0.5; + let c: f32 = aabb.max.z as f32 /*- center.z as f32 */- 0.5; */ + /* let a: f32 = aabb.max.x.min(-aabb.min.x) as f32 /*- center.x as f32 */- 0.5; + let b: f32 = aabb.max.y.min(-aabb.min.y) as f32 /*- center.y as f32 */- 0.5; + let c: f32 = aabb.max.z.min(-aabb.min.z) as f32 /*- center.z as f32 */- 0.5; */ + /* let a: f32 = aabb.max.x.max(-aabb.min.x) as f32 /*- center.x as f32 */- 0.5; + let b: f32 = aabb.max.y.max(-aabb.min.y) as f32 /*- center.y as f32 */- 0.5; + let c: f32 = aabb.max.z.max(-aabb.min.z) as f32 /*- center.z as f32 */- 0.5; */ + + // NOTE: Separate closure to help convince LLVM to outline this. + let mut do_superquadric = || { + // Reverse translation from center. + let center = aabb.center()/*.map(|e| e as f32)*/; + mat = mat * Mat4::::translation_3d(center); + let mut aabb = Aabb { + // TODO: Try to avoid generating 3/4 of the circle; the interaction with + // masking will require care. + min: aabb.min - center, + max: aabb.max - center, + }; + let mut a_ = aabb.max.x; + let mut b_ = aabb.max.y; + let mut c_ = aabb.max.z; + // We rotate around the center so that the xy axes are shortest. + let sizes = aabb.size(); + if sizes.h > sizes.d { + // Rotate about x axis so that y becomes z and z becomes y. + /* mat = mat * Mat4::new( + 1, 0, 0, 0, + 0, 0, -1, -1, + 0, 1, 0, 0, + 0, 0, 0, 1); */ + mat = mat * Mat4::new( + 1, 0, 0, 0, + 0, 0, 1, 0, + 0, -1, 0, /*-1*/0, + 0, 0, 0, 1); + // x₁ = x₀ + // y₁ = z₀ + // z₁ = -y₀ - 1 ⇒ y₀ = -z₁ - 1 + + aabb.min.z = /*-aabb.min.z + 1*/-aabb.min.z + 1; + aabb.max.z = /*-(aabb.max.z - 1)*//*-aabb.max.z + 1*/-aabb.max.z + 1; + core::mem::swap(&mut aabb.min.z, &mut aabb.max.z); + + /* aabb.min.y = /*-aabb.min.y + 1*/-aabb.min.y; + aabb.max.y = /*-(aabb.max.y - 1)*/-aabb.max.y; + core::mem::swap(&mut aabb.min.y, &mut aabb.max.y); */ + + core::mem::swap(&mut aabb.min.y, &mut aabb.min.z); + core::mem::swap(&mut aabb.max.y, &mut aabb.max.z); + core::mem::swap(&mut b_, &mut c_); + } else if sizes.w > sizes.d { + // Rotate about y axis so that x becomes z and z becomes x. + /* mat = mat * Mat4::new( + 0, 0, 1, 0, + 0, 1, 0, 0, + -1, 0, 0, -1, + 0, 0, 0, 1); */ + mat = mat * Mat4::new( + 0, 0, -1, /*-1*/0, + 0, 1, 0, 0, + 1, 0, 0, 0, + 0, 0, 0, 1); + // x₁ = -z₀ - 1 ⇒ z₀ = -x₁ - 1 + // y₁ = y₀ + // z₁ = x₀ + + aabb.min.x = /*-aabb.min.x + 1*/-aabb.min.x + 1; + aabb.max.x = /*-(aabb.max.x - 1)*/-aabb.max.x + 1; + core::mem::swap(&mut aabb.min.x, &mut aabb.max.x); + + /* aabb.min.z = /*-aabb.min.z + 1*/-aabb.min.z; + aabb.max.z = /*-(aabb.max.z - 1)*/-aabb.max.z; + core::mem::swap(&mut aabb.min.z, &mut aabb.max.z); */ + + core::mem::swap(&mut aabb.min.x, &mut aabb.min.z); + core::mem::swap(&mut aabb.max.x, &mut aabb.max.z); + core::mem::swap(&mut a_, &mut c_); + } + + let a: f32 = a_ as f32/* - center.x as f32 */- 0.5; + let b: f32 = b_ as f32/* - center.y as f32 */- 0.5; + let c: f32 = c_ as f32/* - center.z as f32 */- 0.5; + // NOTE: Guaranteed positive since a,b,c are all positive (due to AABB being + // enforced valid at construction time) and degree must be ≥ 1.0. + let a_inv_pow = a.recip().powf(degree); + let b_inv_pow = b.recip().powf(degree); + let c_inv_pow = c.recip().powf(degree); + let abc_inv_pow = Vec3::new(a_inv_pow, b_inv_pow, c_inv_pow); + + let abc_pow_z = /*1.0*/c.powf(degree); + let abc_pow_x_ = /*1.0*/a.powf(degree); + let abc_pow_x = /*1.0*/abc_pow_x_ / abc_pow_z; + let abc_slope_z = /*1.0*/b / c; + let abc_inv_pow_x = -abc_inv_pow.x * abc_pow_z; + let abc_inv_pow_y = -abc_inv_pow.y * abc_pow_z; + // let abc_inv_pow_z = abc_inv_pow.z; + let degree_recip = degree.recip(); + /* let mut aabb = Aabb { + min: aabb.min.with_z(0), + max: aabb.max.with_z(1), + }; */ + /*return {*/ + let mut aabb = aabb; + let offset = Vec3::::from(mat.cols[3]); + let inv_mat = mat.as_::().inverted_affine_transform_no_scale/*transposed*/().as_::(); + let dz = Vec3::from(/*mat * Vec4::from_direction(Vec3::::unit_z())*/mat.cols[2]); + let dy = Vec3::from(/*mat * Vec4::from_direction(Vec3::::unit_y())*/mat.cols[1]); + let dx = Vec3::from(/*mat * Vec4::from_direction(Vec3::::unit_x())*/mat.cols[0]); + let mut mask: Aabb = Aabb { + min: Vec3::from(inv_mat * Vec4::from_point(mask.min))/*.with_z(aabb.min.z)*/, + max: Vec3::from(inv_mat * Vec4::from_point(mask.max - 1))/*.with_z(aabb.max.z)*/, + }; + mask.make_valid(); + mask.max += 1; + aabb.intersect(mask); + /* aabb.max.x -= 1; + aabb.max.y -= 1; */ + if !aabb.is_valid() { + return; + } + if PRINT_MESSAGES { + println!("\n\nVol: {:?}", aabb); + } + + let (x_bounds_min, x_bounds_max, x_bounds) = + make_bounds(aabb.min.x, aabb.max.x); + + // NOTE: By construction, the valid range for indexing into this is + // (0..bounds.to - bounds.from). + let xs = &*arena.alloc_slice_fill_iter(/*(0..x_bounds)*/x_bounds.clone().map(|x| { + (x as f32).powf(degree).mul_add(abc_inv_pow_x, abc_pow_z) + })); + /* let xs = arena.alloc_slice_fill_iter((0..x_bounds).map(|x| { + (x as f32).powf(degree) * a_inv_pow + })); + // NOTE: Positive because aabb.max.x is positive, and we take the max + // of it and aabb.min.x. + // + // FIXME: Statically assert u32 fits in usize. + let xs = &xs[..x_bounds as usize]; + + // NOTE: We have to handle the annoying cases where both min and max + // are on one side of the center (after masking). For now, we just + // explicitly check their signs and handle this case separately, but + // there's probably a more elegant way. + // + // NOTE: In all code below, we can assume aabb.min.z ≤ aabb.max.z from + // the call to is_valid. + // + // FIXME: To prove casts of positive i32 to usize correct, + // statically assert that u32 fits in usize. + let (z_bounds_min, z_bounds_max) = + if aabb.min.z >= 0 { + // NOTE: Since aabb.max.z ≥ aabb.min.z > 0, we know aabb.max.z + // is positive. + ( + aabb.min.z as usize..aabb.min.z as usize, + aabb.min.z as usize..aabb.max.z as usize, + ) + } else if aabb.max.z < 0 { + // NOTE: -aabb.max.z is positive because aabb.max.z is + // negative. Therefore, 1 - aabb.max.z is also positive. + // 1 - aabb.min.z ≥ 1 - aabb.max.z because + // aabb.max.z ≥ aabb.min.z, so we can assume this forms a valid + // range. + ( + (1 - aabb.max.z) as usize..(1 - aabb.min.z) as usize, + (1 - aabb.max.z) as usize..(1 - aabb.max.z) as usize, + ) + } else { + // NOTE: 1 < 1 - aabb.min.z since aabb.min.z < 0. + // aabb.max.z is already verified to be non-negative, + // so it's ≥ 0. So we can assume all ranges are valid. + ( + 1..(1 - aabb.min.z) as usize, + 0..aabb.max.z as usize, + ) + }; + + // NOTE: Since min is non-increasing and max is non-decreasing, + // and both sides form a valid range from start..end, max-ing + // the starts and min-ing the ends must still form a valid range. + let z_bounds = + z_bounds_min.start.min(z_bounds_max.start).. + z_bounds_min.end.max(z_bounds_max.end) + ; + // NOTE: By construction, the valid range for indexing into zs is + // (0..z_bounds.to - z_bounds.from). + let zs = arena.alloc_slice_fill_iter(z_bounds.clone().map(|z| { + (z as f32).powf(degree) * c_inv_pow + })); + // NOTE: + // + // By our earlier argument and validity of the ranges, for each + // z_component (z_bounds_min or z_bounds_max) we have: + // + // z_bounds.start ≤ z_component.start ≤ z_component.end ≤ z_bounds.end + // + // so subtracting 0 from each side, we have: + // + // 0 ≤ z_component.start - z_bounds.start + // ≤ z_component.end - z_bounds.start + // ≤ z_bounds.end - z_bounds.start + // + // so, since the inner inequality forms a valid range, and the range is + // fully contained within the valid indexing range for zs, doing this + // for each component must also form a valid indexing range for zs. + let zs_min = &zs[z_bounds_min.start - z_bounds.start..z_bounds_min.end - z_bounds.start]; + let zs_max = &zs[z_bounds_max.start - z_bounds.start..z_bounds_max.end - z_bounds.start]; + + let offset = offset + aabb.min.z * dz; + /*return */{ + let mut ydiv = 0.0f32; + let mut yoff = Vec3::zero(); + let dy_ = b.recip(); + + let y_bounds = (1 - aabb.min.y).max(aabb.max.y)/* + 1*/; + (0..y_bounds).for_each(|y| { + let divergence = 1.0 - ydiv.powf(degree); + /* let x_bounds_ = ((divergence.powf(degree_recip) * a) as i32 + 1); + let x_bounds = x_bounds_.min(x_bounds); */ + let mut do_y = |offset: Vec3| { + let mut xoff = Vec3::zero(); + (0..x_bounds).zip(xs).for_each(|(x, &xdiv)| { + let divergence = divergence - xdiv; + + let mut do_x = |offset: Vec3| { + let mut pos = offset; + let mut do_z = |&zdiv| { + let divergence = divergence - zdiv; + if divergence > 0.0 { + hit(pos); + } + pos += dz; + }; + zs_min.iter().rev().for_each(&mut do_z); + zs_max.iter().for_each(&mut do_z); + }; + + if divergence > 0.0 { + if aabb.min.x <= -x { + do_x(offset - xoff); + } + if x < aabb.max.x { + do_x(offset + xoff); + } + } + + xoff += dx; + }); + }; + + if aabb.min.y <= -y { + do_y(offset - yoff); + } + if y < aabb.max.y { + do_y(offset + yoff); + } + + ydiv += /*b_inv_pow*/dy_; + yoff += dy; + }); + }; + return; */ + + /* let y_bounds = (1 - aabb.min.y).max(aabb.max.y)/* + 1*/; */ + let (y_bounds_min, y_bounds_max, y_bounds) = + make_bounds(aabb.min.y, aabb.max.y); + + // NOTE: Casts are correct because bounds were originally cast from i32. + let x_bounds_start = x_bounds.start as i32; + let x_bounds_end = x_bounds.end as i32; + + /*return */{ + /*(0../*b_*/y_bounds)*/y_bounds.for_each(|y| { + // NOTE: Cast is correct because y was originally cast from + // i32. + let offset0 = offset - dy * y as i32; + let offset1 = offset + dy * y as i32; + // let divergence = (y as f32).powf(degree).mul_add(abc_inv_pow_y, /*1.0*/abc_pow_z)/*.max(0.0)*/; + let divergence = (y as f32).powf(degree) * abc_inv_pow_y; + /* if 0.0 < divergence */{ + let x_bounds_ = ((divergence.mul_add(abc_pow_x, abc_pow_x_)).powf(degree_recip) as i32 + 1); + // let x_bounds_ = ((divergence * abc_pow_x).powf(degree_recip) as i32 + 1); + /* let x_bounds_ = + (divergence.powf(degree_recip).mul_add(abc_slope_z, 1.0)/* * abc_slope_z*/) as i32 + 1; */ + let x_bounds = x_bounds_start..x_bounds_end.min(x_bounds_);/*x_bounds_.min(x_bounds);*/ + + /*(0../*a_ + 1*/x_bounds)*/x_bounds.zip(xs).for_each(|(x, &xdiv)| { + let divergence = xdiv + divergence; + // let divergence = (x as f32).powf(degree).mul_add(abc_inv_pow_x, divergence); + /* if 0.0 < divergence */{ + let z = divergence.powf(degree_recip);/* as i32*/; + + let z0 = /*(-z + 1)*/((-z/* + 1.0*/) as i32).max(aabb.min.z); + let z1 = ((z/* - 1.0*/ + 1.0) as i32).min(aabb.max.z/* - 1*/); + let mut do_x = |offset: Vec3| { + (z0..z1).for_each(|z| { + let pos = offset + dz * z; + /* hit(Vec3::new(pos.x, pos.y, z)); */ + hit(pos); + }); + }; + let mut do_y = |offset: Vec3| { + /* if aabb.min.x <= -x { + do_x(offset - dx * x); + } + /* do_x(offset + dx * (-x).max(aabb.min.x)); */ + if x < aabb.max.x { + do_x(offset + dx * x); + } */ + // NOTE: Casts are correct because x is + // positive and u32 should fit in a usize + // (FIXME: assert this statically). + if /*aabb.min.x <= -x*/x_bounds_min.contains(&(x as usize)) { + do_x(offset - dx * x); + } + if /*x < aabb.max.x*/x_bounds_max.contains(&(x as usize)) { + do_x(offset + dx * x); + } + /* do_x(offset + dx * (x/* + 1*/).min(aabb.max.x)); */ + }; + + if /*aabb.min.y <= -y*/y_bounds_min.contains(&y) { + do_y(offset0); + } + if /*y < aabb.max.y*/y_bounds_max.contains(&y) { + do_y(offset1); + } + } + }); + } + }); + }; + return; + /*}*/ + }; + if degree == 2.0 { + // Reverse translation from center. + let center = aabb.center()/*.map(|e| e as f32)*/; + mat = mat * Mat4::::translation_3d(center); + let mut aabb = Aabb { + // TODO: Try to avoid generating 3/4 of the circle; the interaction with + // masking will require care. + min: aabb.min - center, + max: aabb.max - center, + }; + let mut a_ = aabb.max.x; + let mut b_ = aabb.max.y; + let mut c_ = aabb.max.z; + let a: f32 = a_ as f32/* - center.x as f32 */- 0.5; + let b: f32 = b_ as f32/* - center.y as f32 */- 0.5; + let c: f32 = c_ as f32/* - center.z as f32 */- 0.5; + // NOTE: Guaranteed positive since a,b,c are all positive (due to AABB being + // enforced valid at construction time) and degree must be ≥ 1.0. + let a_inv_pow = a.recip().powf(degree); + let b_inv_pow = b.recip().powf(degree); + let c_inv_pow = c.recip().powf(degree); + let abc_inv_pow = Vec3::new(a_inv_pow, b_inv_pow, c_inv_pow); + return aabb_iter( + aabb, + mat, + mask, + |pos| { + let rpos = pos.as_::()/* - center*/; + (rpos * rpos).dot(abc_inv_pow) < 1.0 + }, + hit, + /* &mut |pos| { + // Project out the hit eight ways (due to symmetry). + // NOTE: Technically, does not respect masking properly, but + // hopefully this doesn't impact anything. + hit(Vec3::new(-pos.x, -pos.y, -pos.z)); + hit(Vec3::new(pos.x, -pos.y, -pos.z)); + hit(Vec3::new(-pos.x, pos.y, -pos.z)); + hit(Vec3::new(pos.x, pos.y, -pos.z)); + hit(Vec3::new(-pos.x, -pos.y, pos.z)); + hit(Vec3::new(pos.x, -pos.y, pos.z)); + hit(Vec3::new(-pos.x, pos.y, pos.z)); + hit(Vec3::new(pos.x, pos.y, pos.z)); + }, */ + ) + } else { + return do_superquadric(); + /* return aabb_iter( + *aabb, + mat, + mask, + |pos| Self::contains_at::(cache, tree, prim_, pos), + hit, + )*/ + } + }, + Node::Plane(..) + /*| Node::Segment { .. } */=> { + // TODO: Optimize further? + let aabb = Self::get_bounds(cache, tree, prim); + return aabb_iter( + aabb, + mat, + mask, + |pos| Self::contains_at::(/*cache, */tree, prim_, pos), + hit, + ) + }, + | &Node::Segment { segment, /*radius*/r0, r1 ,z_scale } => { + /* let aabb = Self::get_bounds(cache, tree, prim); + return aabb_iter(aabb, mat, mask, |_| true, &mut *hit); */ + // TODO: Optimize further? + let aabb = Self::get_bounds(cache, tree, prim); + /*if !(aabb.size().w > 8 || aabb.size().h > 8 || aabb.size().d > 16) */{ + return aabb_iter( + aabb.as_(), + mat, + mask, + // |_| true, + |pos| Self::contains_at::(/*cache, */tree, prim_, pos), + hit, + ); + return + } + // NOTE: vol(frustum) = 1/3 h(A(r₀) + A(r₁) + √(A(r₀)A(r₁))) + // = 1/3 h (r₀² + r₁² + √(r₀²r₁²)) + // = 1/3 h (r₀² + r₁² + r₀r₁) + let y_size = (segment.end - segment.start).magnitude(); + let r0 = r0 - 0.5; + let r1 = r1 - 0.5; + let radius_squared = (r0 * r0 + r1 * r1 + r0 * r1) / 3.0; + let radius = radius_squared.sqrt(); + let mat = mat.as_::(); + // Orient the matrix to point towards the segment. + // + // NOTE: We try to make sure the up vector is aligned to Z, unless we are + // orthogonal to X in which case we align with X. Since we are drawing a + // prism, there's no real difference between X, Y, or Z here, as long as it's + // an orthogonal direction. Note that we already know that not all three + // segments differ. + // + // TODO: Avoid this branch by returning a different primitive if we're a + // straight line. + let up = if segment.start.x == segment.end.x { + Vec3::unit_x() + } else { + Vec3::unit_z() + }; + let rotate_mat = Mat4::::model_look_at_lh(segment.start, segment.end, up); + // NOTE: Pre-inverted. + let translate_mat = Mat4::::new( + 1.0, 0.0, 0.0, -radius, + 0.0, 1.0, 0.0, -radius, + 0.0, 0.0, 1.0, 0.0, + 0.0, 0.0, 0.0, 1.0, + ); + // Inverted, so multiply backwards + let rotate_translate_mat = rotate_mat * translate_mat; + let mat = mat * rotate_translate_mat; + // Fake AABB to draw. + let mut aabb = Aabb { + min: Vec3::zero(), + max: Vec3::new(2.0 * radius/* + 1.0*/, 2.0 * radius/* + 1.0*/, y_size/* + 1.0*/), + }; + // TODO: Optimize + // Need to assume a full affine transform to get proper inversion here. + // + // (Will this restriction even *work* with shearing? I have no idea). + let inv_mat = mat.inverted_affine_transform_no_scale/*transposed*/(); + // TODO: Optimize. + let mut mask: Aabb = Aabb { + min: Vec3::from(inv_mat * Vec4::from_point(mask.min.as_()))/*.with_z(aabb.min.z)*/, + max: Vec3::from(inv_mat * Vec4::from_point((mask.max - 1).as_()))/*.with_z(aabb.max.z)*/, + }; + mask.make_valid(); + mask.max += 1.0; + mask.min = mask.min.map(f32::floor); + mask.max = mask.max.map(f32::ceil); + aabb.intersect(mask); + /* if !aabb.is_valid() { + return; + } */ + + let dz = Vec3::::from(/*inv_mat * Vec4::from_direction(Vec3::::unit_z())*/mat.cols[2]); + let dy = Vec3::::from(/*inv_mat * Vec4::from_direction(Vec3::::unit_y())*/mat.cols[1]); + let dx = Vec3::::from(/*inv_mat * Vec4::from_direction(Vec3::::unit_x())*/mat.cols[0]); + // We use the matrix to determine which offset/ori to use for each iteration. + // Specifically, mat.x will represent the real x axis, mat.y the real y axis, + // and mat.z the real z axis. + // + // Because of this, to find the axes we actually want to use for our own purposes, we + // need to first read the offset, then transpose, then read the three axes. + let offset = Vec3::::from(/*inv_mat * Vec4::::unit_w()*/mat.cols[3]) + + dx * aabb.min.x + dy * aabb.min.y + dz * aabb.min.z; + + /* (segment.start.x as i32 & !0b11111..(segment.end.x as i32 - 1) & !0b11111 + 1) + .step_by(32) + .for_each(|chunk_x_| { + (segment.start.y as i32 & !0b11111..(segment.end.y as i32 - 1) & !0b11111 + 1) + .step_by(32) + .for_each(|chunk_y_| { + (segment.start.z as i32 & !0b1111..(segment.end.z as i32 - 1) & !0b1111 + 1) + .step_by(16) + .for_each(|chunk_z_| { + let chunk_x = chunk_x_ as f32; + let chunk_y = chunk_y_ as f32; + let chunk_z = chunk_z_ as f32; + let dx_ = 0b11111; + let dy_ = 0b11111; + let dz_ = 0b1111; + let dx = dx_ as f32; + let dy = dy_ as f32; + let dz = dz_ as f32; + let a000 = Vec3::from(inv_mat * Vec4::new(chunk_x, chunk_y, chunk_z, 1.0)); + let a001 = Vec3::from(inv_mat * Vec4::new(chunk_x + dx, chunk_y, chunk_z, 1.0)); + let a010 = Vec3::from(inv_mat * Vec4::new(chunk_x, chunk_y + dy, chunk_z, 1.0)); + let a011 = Vec3::from(inv_mat * Vec4::new(chunk_x + dx, chunk_y + dy, chunk_z, 1.0)); + let a100 = Vec3::from(inv_mat * Vec4::new(chunk_x, chunk_y, chunk_z + dz, 1.0)); + let a101 = Vec3::from(inv_mat * Vec4::new(chunk_x + dx, chunk_y, chunk_z + dz, 1.0)); + let a110 = Vec3::from(inv_mat * Vec4::new(chunk_x, chunk_y + dy, chunk_z + dz, 1.0)); + let a111 = Vec3::from(inv_mat * Vec4::new(chunk_x + dx, chunk_y + dy, chunk_z + dz, 1.0)); + + // Very rough bounding box. + let aabb_intersect = Aabb { + min: a000, + max: a000, + } + .expanded_to_contain_point(a001) + .expanded_to_contain_point(a010) + .expanded_to_contain_point(a011) + .expanded_to_contain_point(a100) + .expanded_to_contain_point(a101) + .expanded_to_contain_point(a110) + .expanded_to_contain_point(a111); + + /* // Clip the points to the bounding box. + let a000 = a000.clamped(aabb); + let a001 = a001.clamped(aabb); + let a010 = a010.clamped(aabb); + let a011 = a011.clamped(aabb); + let a100 = a100.clamped(aabb); + let a101 = a101.clamped(aabb); + let a110 = a110.clamped(aabb); + let a111 = a111.clamped(aabb); + + // If there's really an intersection, at least one + // diagonal should be contained. + let line0 = Aabb { + min: a000, + max: a001, + }.made_valid(); + let line1 = Aabb { + min: a000, + max: a010, + }.made_valid(); + let line2 = Aabb { + min: a000, + max: a001, + }.made_valid(); + let max = Vec4::from_point(aabb.max); */ + if /* line0.collides_with_aabb(aabb) || + line1.collides_with_aabb(aabb) || + line2.collides_with_aabb(aabb) */ + aabb_intersect.collides_with_aabb(aabb) + /* a000.are_all_positive() && a000.partial_cmple_simd(max).reduce_and() || + a001.are_all_positive() && a001.partial_cmple_simd(max).reduce_and() || + a010.are_all_positive() && a010.partial_cmple_simd(max).reduce_and() || + /* a011.are_all_positive() && a011.partial_cmple_simd(max).reduce_and() || */ + a100.are_all_positive() && a100.partial_cmple_simd(max).reduce_and()/* || + a101.are_all_positive() && a101.partial_cmple_simd(max).reduce_and() || + a110.are_all_positive() && a110.partial_cmple_simd(max).reduce_and() || + a111.are_all_positive() && a111.partial_cmple_simd(max).reduce_and() */*/{ + let mut offset = Vec3::new(chunk_x_, chunk_y_, chunk_z_); + (0..dz_).for_each(|z| { + offset.z += 1; + let mut offset = offset; + (0..dy_).for_each(|y| { + offset.y += 1; + (0..dx_) + /* .inspect(|&x| if PRINT_MESSAGES { println!("\nPos: {:?}", Vec3::new(x, y, z)) }) + .filter(|&x| test(Vec3::new(x, y, z))) + .inspect(|_| if PRINT_MESSAGES { hit_count += 1 }) */ + .map(|x| offset.with_x(x)) + .for_each(&mut *hit) + }) + }); + } + }); + }); + }); + return; */ + + if PRINT_MESSAGES { + println!("Mask: {:?}\nAabb: {:?}\nTranslate: {:?}\nLookat: {:?}\nMat: {:?}\nInv: {:?}\n", mask, aabb, translate_mat, rotate_mat, mat, inv_mat); + } + /* aabb.intersect(mask); + println!("\n\nVol: {:?}", aabb); */ + let mut hit_count = 0.0; + // TODO: Optimize. + // It *might* actually make sense to make a const generic so we specialize the six + // possible orientations differently, and avoid vector arithmetic, but for now we + // don't do that. + /* aabb.make_valid(); */ + // TODO: Optimize a lot! + + // Whether to optimize the layering for input or output should likely depend on + // the primitive type, but for the most part we assume that sampling output in + // layered order is more important, since most of our sampling primitives are + // not memory-bound (we currently do zyx iteration, but maybe other orders are + // better, who knows?). + // + // Another potential optimization when we are *actually* operating over primitives and + // convex solids: assuming the primitives are convex, we can start by sampling the + // corner in the next plane that is within the bounding box and touching the corner of + // the last AABB. If it's empty, we can skip anything further away, thanks to + // convexity. Moreover, as we move towards the center of the plane, we can skip + // testing any remaining components on the two lines in the corner (or else we'd fail + // to be convex). + // + // We can even (somewhat!) extend this to difference of unions, since this is + // equivalent to intersection by negations. Specifically, we focus on the case of + // disjoint union (in which case there are no intersecting components). Then we know + // that *within* the bounding box of each union'd component, we'll eventually reach + // something convex, and we can find the intersection between the positive convex part + // and the negative convex part. We can use these as bounds to carve out of the + // positive part, before reporting all the interior points. The final set is still + // not convex, but we don't have to do a huge amount of work here. As long as the + // union is disjoint, we should end up in a "sufficiently small" convex set without + // (?) exponential blowup. + // + // NOTE: These subtractions *can* go negative, but thanks to the fact that f32 + // to u32 saturates, it will end up making the range empty as desired. + (0..(aabb.max.z - aabb.min.z) as u32).for_each(|z| { + let offset = offset + dz * z as f32; + (0..(aabb.max.y - aabb.min.y) as u32).for_each(|y| { + let offset = offset + dy * y as f32; + (0..(aabb.max.x - aabb.min.x) as u32) + .inspect(|&x| if PRINT_MESSAGES { println!("\nPos: {:?}", Vec3::new(x, y, z)) }) + /* .filter(|&x| test(Vec3::new(x, y, z))) */ + .inspect(|_| if PRINT_MESSAGES { hit_count += 1.0 }) + .map(|x| (offset + dx * x as f32).as_()) + .inspect(|&new| if PRINT_MESSAGES { println!("\nNew: {:?}", new) }) + .for_each(&mut *hit) + }) + }); + if PRINT_MESSAGES { + println!("Hit rate: {:?} / {:?}", hit_count, aabb.size().product()); + } + return; + }, + | &Node::SegmentPrism { segment, radius, height } => { + /* let aabb = Self::get_bounds(cache, tree, prim); + return aabb_iter( + aabb, + mat, + mask, + |pos| Self::contains_at::(cache, tree, prim_, pos), + hit, + ); */ + // The key to optimizing drawing AABBs is to switch how we sample: rather than + // sampling the input space first, then transforming it efficiently to the + // output space, we sample things directly within the output space, then + // transform it to input coordinates once we know there's a hit. + let mat = mat.as_::(); + // Orient the matrix to point towards the xy part of the segment. + let rotate_mat = Mat4::::model_look_at_lh(segment.start, segment.end.with_z(segment.start.z), Vec3::unit_z()); + // Shear the matrix along the y axis, keeping the x and y coordinates fixed. + // We know the y length is nonzero because we checked on construction that + // the start and end of the xy component of the line segment were not the same. + // + // We also translate the matrix to the left at the same time, to make the + // bounding box nicer. Since this is only along the x axis it doesn't affect + // the shear. + let y_size = (segment.end.xy() - segment.start.xy()).magnitude(); + let slope = (segment.end.z - segment.start.z) / y_size; + let shear_mat = Mat4::::new( + 1.0, 0.0, 0.0, radius - 0.5, + 0.0, 1.0, 0.0, 0.0, + 0.0, slope, 1.0, /*radius - 0.5*/0.0, + 0.0, 0.0, 0.0, 1.0, + ).inverted_affine_transform_no_scale(); + // Inverted, so multiply backwards + let rotate_shear_mat = rotate_mat * shear_mat; + let mat = mat * rotate_shear_mat; + // Fake AABB to draw. + let mut aabb = Aabb { + min: Vec3::zero(), + max: Vec3::new(2.0 * radius, height + 1.0, y_size/* + 2.0 * radius*/ + 1.0), + }; + + // FIXME: See if this works! + aabb.max -= 1.0; + mask.max -= 1; + + // 1. Compute the xy triangle coordinates in "screen space" + // (assuming w=0). + // TODO: Switch to chunk-relative coordinates (?). + type Coord = i32; + let v0: Vec3 = (mat * Vec4::from_point(aabb.min)).xyz().as_(); + let v1: Vec3 = (mat * Vec4::from_point(aabb.min.with_z(aabb.max.z))).xyz().as_(); + let v2: Vec3 = (mat * Vec4::from_point(aabb.min.with_x(aabb.max.x))).xyz().as_(); + let v3: Vec3 = (mat * Vec4::from_point(aabb.max).with_y(aabb.min.y)).xyz().as_(); + + // NOTE: 5+5+14+14+14 = 52 bits, which can safely fit in f64. So technically + // speaking an f64 can precisely hold any multiple of these bits, but it'd be + // better to just stay within chunk bounds and fit in 24 bits. + // + // TODO: We actually only need 19+19 = 38 bits (really 40 due to sign), but we + // can shrink this as long as we know no site can take up more than 11 × 11 + // chunks, or 10×10 signed (a fairly reasonable restriction); or if we want to + // include z, then no more than 4×4 chunks for a single piece of geometry + // (maybe 3×3 signed?). We can then snap it to the nearest chunk. However, + // to do this, we need to make sure we actually handle these cases properly + // It would be best to avoid an extra offset at the end by starting out by + // prefetching only the chunks we need into a grid. + let orient_2d = |a: Vec2, b: Vec2, c: Vec2| { + (b.x - a.x) * (c.y - a.y) - (b.y - a.y) * (c.x - a.x) + }; + + const LG_LANES: usize = 2/*4*/; + const LANES: usize = /*4*//*16*/1 << LG_LANES; + type FVec = core::simd::Simd::; + type IVec = core::simd::Simd::; + + let col_offset = IVec::from([0, 1, 0, 1]);//0 + let row_offset = IVec::from([0, 0, 1, 1]);//0 + // let col_offset = IVec::from([0, 1, 2, 3, 0, 1, 2, 3, 0, 1, 2, 3, 0, 1, 2, 3]); + // let row_offset = IVec::from([0, 0, 0, 0, 1, 1, 1, 1, 2, 2, 2, 2, 3, 3, 3, 3]); + + let mut rasterize = |v0: Vec3, v1: Vec3, v2: Vec3| { + // 2. Compute triangle bounding box. + // TODO: optimize + /* let min_x = v0.x.min(v1.x).min(v2.x); + let min_y = v0.y.min(v1.y).min(v2.y); + let max_x = v0.x.max(v1.x).max(v2.x); + let max_y = v0.y.max(v1.y).max(v2.y); */ + + // 3. Clip against screen bounds. + // TODO: Do this (against the mask). + + // 4. Rasterize. + // TODO: Optimize (simd). + + /* // 4a. Triangle setup + // FIXME: Chunk-relative coordinates to avoid overflow. + let a01 = v0.y - v1.y; + let b01 = v1.x - v0.x; + let a12 = v1.y - v2.y; + let b12 = v2.x - v1.x; + let a20 = v2.y - v0.y; + let b20 = v0.x - v2.x; */ + + let a0 = v1.y - v2.y; + let a1 = v2.y - v0.y; + let a2 = v0.y - v1.y; + + let b0 = v2.x - v1.x; + let b1 = v0.x - v2.x; + let b2 = v1.x - v0.x; + + let c0 = v1.x * v2.y - v2.x * v1.y; + let c1 = v2.x * v0.y - v0.x * v2.y; + let c2 = v0.x * v1.y - v1.x * v0.y; + + let mut tri_area = b2 * a1; + tri_area -= b1 * a2; + let one_over_tri_area = (tri_area as f32).recip(); + + let z0 = v0.z as f32; + let z1 = (v1.z - v0.z) as f32 * one_over_tri_area; + let z2 = (v2.z - v0.z) as f32 * one_over_tri_area; + /* let a0 = v1.y - v2.y; + let b0 = v2.x - v1.x; + let c0 = v1.x * v2.y - v2.x * v1.y; + + let mut tri_area = a0 * v0.x; + tri_area += b0 * v0.y; + tri_area += c0; + + let one_over_tri_area = 1.0 / tri_area as f32; */ + + // 4b. Barycentric coordinates at minX/minY corner. + /* let p: Vec2 = Vec2::new(min_x, min_y); */ + let start_x = v0.x.min(v1.x).min(v2.x).max(mask.min.x) & -2i32; + let end_x = (v0.x.max(v1.x).max(v2.x) + 1).min(mask.max.x); + let start_y = v0.y.min(v1.y).min(v2.y).max(mask.min.y) & -2i32; + let end_y = (v0.y.max(v1.y).max(v2.y) + 1).max(mask.max.y); + + let zz0 = FVec::splat(z0); + let zz1 = FVec::splat(z1); + let zz2 = FVec::splat(z2); + + let start_xx = start_x; + let end_xx = end_x; + let start_yy = start_y; + let end_yy = end_y; + + let aa0 = IVec::splat(a0); + let aa1 = IVec::splat(a1); + let aa2 = IVec::splat(a2); + + let bb0 = IVec::splat(b0); + let bb1 = IVec::splat(b1); + let bb2 = IVec::splat(b2); + + let aa0_inc = aa0 << IVec::splat(1); + let aa1_inc = aa1 << IVec::splat(1); + let aa2_inc = aa2 << IVec::splat(1); + + // TODO: direct index access with row_id + + // TODO: fma when supported. + let col = col_offset + IVec::splat(start_xx); + let aa0_col = aa0 * col; + let aa1_col = aa1 * col; + let aa2_col = aa2 * col; + + let row = row_offset + IVec::splat(start_yy); + let bb0_row = bb0 * row + IVec::splat(c0); + let bb1_row = bb1 * row + IVec::splat(c1); + let bb2_row = bb2 * row + IVec::splat(c2); + + let mut sum0_row = aa0_col + bb0_row; + let mut sum1_row = aa1_col + bb1_row; + let mut sum2_row = aa2_col + bb2_row; + + let bb0_inc = bb0 << IVec::splat(1); + let bb1_inc = bb1 << IVec::splat(1); + let bb2_inc = bb2 << IVec::splat(1); + + let mut zx = aa1_inc.cast::() * zz1; + zx = aa2_inc.cast::().mul_add(zz2, zx); + + (start_yy..end_yy).step_by(LG_LANES).for_each(|r| { + // let index = row_idx; + let mut alpha = sum0_row; + let mut beta = sum1_row; + let mut gamma = sum2_row; + let mut depth = zz0; + depth = beta.cast::().mul_add(zz1, depth); + depth = gamma.cast::().mul_add(zz2, depth); + (start_xx..end_xx).step_by(LG_LANES).for_each(|c| { + let mask = alpha | beta | gamma; + + if PRINT_MESSAGES { println!("\nWpos: {:?}", Vec3::new(alpha, beta, gamma)) } + if PRINT_MESSAGES { + depth.cast::().to_array().into_iter().for_each(|l| { + println!("Pos: {:?}", Vec3::new(c, r, l)); + }); + } + + // TODO: Optimize + // let i = 0; + (0..LANES).for_each(|i| { + if mask.is_positive().test(i) /*alpha >= 0 && beta >= 0 && gamma >= 0*/ { + let z = depth.cast::()[i]; + /*z.to_array().into_iter().for_each(|z| {*/ + (z..z + height.round() as i32 + 1).for_each(|l| { + // TODO: Scatter, etc. + /* for l in (z + l).to_array() { */ + hit(Vec3::new(c + col_offset[i], r + row_offset[i], l)); + /* } */ + }); + /*}*/ + } + }); + + // index += 4; + alpha += aa0_inc; + beta += aa1_inc; + gamma += aa2_inc; + depth = depth + zx; + }); + + // row_idx += 2 * SCREENW; + sum0_row += bb0_inc; + sum1_row += bb1_inc; + sum2_row += bb2_inc; + }); + + /* let mut w0_row = orient_2d(v1.xy(), v2.xy(), p); + let mut w1_row = orient_2d(v2.xy(), v0.xy(), p); + let mut w2_row = orient_2d(v0.xy(), v1.xy(), p); + + let z_inv = ((a01 * v2.x + b01 * v2.y - (v0.x * v1.y - v0.y * v1.x)) as f32).recip(); + + let a01_z = (a01 * (v1.z - v0.z)) as f32 * z_inv; + let a20_z = (a20 * (v2.z - v0.z)) as f32 * z_inv; + let b20_z = (b20 * (v1.z - v0.z)) as f32 * z_inv; + let b01_z = (b01 * (v2.z - v0.z)) as f32 * z_inv; + let mut z_row = v0.z as f32 + w1_row as f32 * a01_z + w2_row as f32 * a20_z; + + // 4c. Rasterize. + let mut hit_count = 0; + (min_y..max_y + 1).for_each(|y| { + let mut w0 = w0_row; + let mut w1 = w1_row; + let mut w2 = w2_row; + let mut z = z_row; + (min_x..max_x + 1).for_each(|x| { + // If p is on or inside all edges, render pixel + if PRINT_MESSAGES { println!("\nWpos: {:?}", Vec3::new(w0, w1, w2)) } + /* if PRINT_MESSAGES { println!("\nPos: {:?}", Vec2::new(x, y)) } + * */ + if w0 >= 0 && w1 >= 0 && w2 >= 0 { + // TODO: Interpolate z + if PRINT_MESSAGES { + hit_count += 1; + println!("\nNew: {:?}", Vec3::new(x, y/*0*/, z as i32)); + } + // TODO: Iterate over all z. + hit(Vec3::new(x, y, z as i32).as_()); + } + + // One step to the right + w0 += a12; + w1 += a20; + w2 += a01; + z += a20_z + a01_z; + }); + + // One row step + w0_row += b12; + w1_row += b20; + w2_row += b01; + z_row += b20_z + b01_z; + }); + if PRINT_MESSAGES { + println!("Hit rate: {:?} / {:?}", hit_count, aabb.size().product()); + } */ + }; + + // rasterize(v2, v3, v1); + /* if v0.x > v1.x */{ + rasterize(v0, v1, v2); + rasterize(v3, v2, v1); + }/* else { + rasterize(v2, v1, v0); + rasterize(v1, v2, v3); + }*/ + // rasterize(v2, v1, v3); + + return; + + /* // TODO: Optimize + // Need to assume a full affine transform to get proper inversion here. + // + // (Will this restriction even *work* with shearing? I have no idea). + let inv_mat = mat.inverted_affine_transform_no_scale(); + let mut dz = Vec3::::from(/*inv_mat * Vec4::from_direction(Vec3::::unit_z())*/mat.cols[2]); + let dy = Vec3::::from(/*inv_mat * Vec4::from_direction(Vec3::::unit_y())*/mat.cols[1]); + let mut dx = Vec3::::from(/*inv_mat * Vec4::from_direction(Vec3::::unit_x())*/mat.cols[0]); + + /* if dz.x != 0.0 && dz.y != 0.0 { + let dz_min = dz.x / dz.y; + let dz_max = dz.y / dz.x; + let dz_ratio = dz_max.max(dz_min); + /* if dz_ratio >= 2.0 */{ + dx /= dz_ratio; + dz /= dz_ratio; + aabb.max.x *= dz_ratio; + aabb.max.z *= dz_ratio; + } + } */ + + // We use the matrix to determine which offset/ori to use for each iteration. + // Specifically, mat.x will represent the real x axis, mat.y the real y axis, + // and mat.z the real z axis. + // + // Because of this, to find the axes we actually want to use for our own purposes, we + // need to first read the offset, then transpose, then read the three axes. + let offset = Vec3::::from(/*inv_mat * Vec4::::unit_w()*/mat.cols[3]); + + // TODO: Optimize. + let mut mask: Aabb = Aabb { + min: Vec3::from(inv_mat * Vec4::from_point(mask.min.as_())).with_z(aabb.min.z), + max: Vec3::from(inv_mat * Vec4::from_point(mask.max.as_())).with_z(aabb.max.z), + }; + mask.make_valid(); + if PRINT_MESSAGES { + println!("Mask: {:?}\nAabb: {:?}\nShear: {:?}\nLookat: {:?}\nMat: {:?}\nInv: {:?}\n", mask, aabb, shear_mat, rotate_mat, mat, inv_mat); + } + /* aabb.intersect(mask); + println!("\n\nVol: {:?}", aabb); */ + let mut hit_count = 0.0; + // TODO: Optimize. + // It *might* actually make sense to make a const generic so we specialize the six + // possible orientations differently, and avoid vector arithmetic, but for now we + // don't do that. + // + // TODO: Orient by *output* z first, then *output* y, then *output* x, instead of + // *input* (which is what we're currently doing because it's easy). + /* let mat_ = mat.transpose(); + let dz = mat * Vec4::unit_z(); + let dy = mat * Vec4 */ + // + // Apply matrix transformations to find the new bounding box. + // + // NOTE: Matrix only supports floats for FP scaling, which is questionable. + /* aabb.iter_mut().for_each(|v| mat * v); + // It may have a bad orientation, so make sure it's valid (TODO: consider fixing this + // at rotation time instead?). + aabb.make_valid(); */ + // TODO: Optimize a lot! + + // Whether to optimize the layering for input or output should likely depend on + // the primitive type, but for the most part we assume that sampling output in + // layered order is more important, since most of our sampling primitives are + // not memory-bound (we currently do zyx iteration, but maybe other orders are + // better, who knows?). + // + // Another potential optimization when we are *actually* operating over primitives and + // convex solids: assuming the primitives are convex, we can start by sampling the + // corner in the next plane that is within the bounding box and touching the corner of + // the last AABB. If it's empty, we can skip anything further away, thanks to + // convexity. Moreover, as we move towards the center of the plane, we can skip + // testing any remaining components on the two lines in the corner (or else we'd fail + // to be convex). + // + // We can even (somewhat!) extend this to difference of unions, since this is + // equivalent to intersection by negations. Specifically, we focus on the case of + // disjoint union (in which case there are no intersecting components). Then we know + // that *within* the bounding box of each union'd component, we'll eventually reach + // something convex, and we can find the intersection between the positive convex part + // and the negative convex part. We can use these as bounds to carve out of the + // positive part, before reporting all the interior points. The final set is still + // not convex, but we don't have to do a huge amount of work here. As long as the + // union is disjoint, we should end up in a "sufficiently small" convex set without + // (?) exponential blowup. + (0..aabb.max.z as u32).for_each(|z| { + let mut offset = offset + dz * z as f32; + // offset = offset + dz/* * z as f32*/; + // let mut offset = offset; + (0..aabb.max.y as u32).for_each(|y| { + let offset = offset + dy * y as f32; + /* offset = offset + dy; + let mut offset = offset; */ + (0..aabb.max.x as u32) + // Some(0.0).into_iter().chain(Some(aabb.max.x)) + .inspect(|&x| if PRINT_MESSAGES { println!("\nPos: {:?}", Vec3::new(x as u32, y/*0*/, z)) }) + /* .filter(|&x| test(Vec3::new(x, y, z))) */ + .inspect(|_| if PRINT_MESSAGES { hit_count += 1.0 }) + .map(|x| { + /* offset = (offset + dx/* * x*/).floor()/* as f32*/; offset.as_() */ + (offset + dx * x as f32).as_() + }) + .inspect(|&new| if PRINT_MESSAGES { println!("\nNew: {:?}", new) }) + .for_each(&mut *hit) + }) + }); + // Because shearing can (and often does) lead to dz being greater than 1, it + // is often the case that we will have missed some of it while iterating. To + // compensate, we find the remainder and iterate more slowly over that. + let remainder_z = aabb.max.z.fract(); + if remainder_z > 0.0 { + let z = aabb.max.z as u32; + let mut offset = offset + dz * (aabb.max.z - 1.0);/*offset + dz * aabb.max.z.truncate();*/ + // offset = offset + dz * (aabb.max.z - 1.0)/* * z as f32*/; + (0..aabb.max.y as u32).for_each(|y| { + let offset = offset + dy * y as f32; + // offset = offset + dy/* * y as f32*/; + let mut offset = offset; + (0..aabb.max.x as u32) + // Some(0.0).into_iter().chain(Some(aabb.max.x)) + .inspect(|&x| if PRINT_MESSAGES { println!("\nPos: {:?}", Vec3::new(x as u32, y/*0*/, z)) }) + /* .filter(|&x| test(Vec3::new(x, y, z))) */ + .inspect(|_| if PRINT_MESSAGES { hit_count += /*1*/remainder_z }) + .map(|x| { + (offset + dx * x as f32).as_() + /*offset = (offset + dx/* * x*//* as f32*/).floor(); offset.as_()*/ + }) + .inspect(|&new| if PRINT_MESSAGES { println!("\nNew: {:?}", new) }) + .for_each(&mut *hit) + }) + } + /* let dz_mag = dz.magnitude(); + if dz_mag > 1.0 { + // Because shearing preserves the volume of the unsheared AABB, it is + // possible (and likely) for us to miss voxels if we only iterate the same + // number of voxels on the Z axis as the unsheared volume. We compensate + // for such cases by iterating more times. + dz = dz / dz_mag; + aabb.max.z = dz_mag; + } */ + if PRINT_MESSAGES { + println!("Hit rate: {:?} / {:?}", hit_count, aabb.size().product()); + } + return; */ + }, + /* Node::Sampling(/*a, f*/..) => { + return; + // TODO: Optimize further--we should be able to push evaluation of the + // function down the tree, which could get us tighter bounds. + let aabb = Self::get_bounds(cache, tree, prim); + return aabb_iter( + aabb, + mat, + mask, + |pos| Self::contains_at::(cache, tree, prim_, pos), + hit, + ) + }, */ + // TODO: Maybe combine sampling and filtering to benefit from optimizations + // here? On the other hand, Prefab is supposedly going away... + Node::Prefab(p) => { + // return; + // TODO: Optimize further--we should be able to push evaluation of the + // function down the tree, which could get us tighter bounds. + let aabb = Self::get_bounds(cache, tree, prim); + return aabb_iter( + aabb, + mat, + mask, + |pos| !matches!(p.get(pos), Err(_) | Ok(StructureBlock::None)), + hit, + ) + }, + // Intersections mean we can no longer assume we're always in the bounding + // volume. + // + // TODO: Optimize (though it's less worth it outside the top level). + Node::Intersect([xs @ .., x]) => { + handle_intersect(stack, mat, mask, x, xs); + prim = *x; + /* // Self::get_bounds_disjoint_inner(arena, cache, tree, a, stack, mat, mask, &mut *hit); + let aabb = Self::get_bounds(cache, tree, prim); + /* let aabb = get_bounds(cache, tree, prim); */ + return aabb_iter( + aabb, + mat, + mask, + |pos| Self::contains_at::(cache, tree, prim_, pos), + hit, + ); */ + }, + Node::IntersectAll([xs @ .., x]) => { + handle_intersect(stack, mat, mask, x, xs); + prim = *x; + /* let aabb = Self::get_bounds(cache, tree, prim); + /* let aabb = get_bounds(cache, tree, prim); */ + return aabb_iter( + aabb, + mat, + mask, + |pos| Self::contains_at::(cache, tree, prim_, pos), + hit, + ); */ + }, + + // Unions can assume we're still in the same bounding volume. + // + // TODO: Don't recurse, use a local stack. + Node::Union(a, b) => { + let stack_top = stack.len(); + Self::get_bounds_disjoint_inner(arena, cache, tree, *a, stack_bot, stack, mat, mask, &mut *hit); + // NOTE: We know the stack will not be smaller than this because we never + // truncate it further than the top of the stack would get. + stack.truncate(stack_top); + prim = *b; + }, + Node::UnionAll(prims) => { + let stack_top = stack.len(); + return prims.into_iter().for_each(move |prim| { + Self::get_bounds_disjoint_inner(arena, cache, tree, *prim, stack_bot, stack, mat, mask, &mut *hit); + // NOTE: We know the stack will not be smaller than this because we never + // truncate it further than the top of the stack would get. + stack.truncate(stack_top); + }); + }, + /* // Since Repeat is a union, we also treat it the way we treat unions. + // + // TODO: Avoid recursing, instead keep track of the current count (maybe + // in a local stack). + Node::Repeat(x, offset, count) => { + if count == 0 { + return; + } else { + let count = count - 1; + let aabb = Self::get_bounds(cache, tree, x); + let aabb_corner = { + let min_red = aabb.min.map2(offset, |a, b| if b < 0 { 0 } else { a }); + let max_red = aabb.max.map2(offset, |a, b| if b < 0 { a } else { 0 }); + min_red + max_red + }; + let min_func = |vec: Vec3| { + let diff = vec - aabb_corner; + let min = diff + .map2(offset, |a, b| if b == 0 { i32::MAX } else { a / b }) + .reduce_min() + .clamp(0, count as i32); + vec - offset * min + }; + aabb = Aabb { + min: min_func(aabb.min), + max: min_func(aabb.max), + }; + return Self::get_bounds_disjoint(cache, tree, x, hit); + // Self::contains_at::(cache, tree, x, pos) + } + }, */ + + // A difference is a weird kind of intersection, so we can't preserve being in the + // bounding volume for b, but can for a. + // + // TODO: Don't recurse, push down the difference instead. + Node::Without(/*a, b, a_first*/..) => { + /* if *a_first { + return Self::get_bounds_disjoint( + cache, + tree, + a, + |pos| !Self::contains_at::(cache, tree, b, pos), + ); + } else { + return Self::contains_at( + cache, + tree, + b, + |pos| Self::get_bounds_disjoint + ); + !Self::contains_at::(cache, tree, *b, pos) && + Self::contains_at::(cache, tree, *a, pos) + } */ + return; + let aabb = Self::get_bounds(cache, tree, prim); + return aabb_iter( + aabb, + mat, + mask, + |pos| Self::contains_at::(/*cache, */tree, prim_, pos), + hit, + ) + }, + // Transformation operations get pushed down, in the following sense: + // + // * Existing translation operations are just inverted, so we end up + // with the same AABB that we would have had with no translation. + // * The vertices that we report to the user must be forwards transformed, + // however! This is because it would be really hard otherwise to figure + // out the original point that triggered the draw (from the user's + // perspective), which is needed to actually sample. + // * Rotations, translations, etc. do not actually affect anything on the top + // level, because density / cost estimates (for disjoint union) don't matter + // at the top level; everything commutes. Therefore, there's no reason to + // apply them until we are forced (by an eliminator on negative types, e.g. + // case on negative or (⅋) or project on negative and (&)... + // * Below the top level, it is still completely feasible to avoid handling + // them if the polarity changes back to positive, but we won't try to deal + // with that here. + /* Node::Rotate(prim, mat) => { + let aabb = Self::get_bounds(cache, tree, *prim); + let diff = pos - (aabb.min + mat.cols.map(|x| x.reduce_min())); + Self::contains_at(cache, tree, *prim, aabb.min + mat.transposed() * diff) + }, */ + &Node::Translate(a, vec) => { + // /*Reverse*/Perform a translation. + mat = mat * Mat4::::translation_3d(/*-*/vec); + prim = a; + }, + /* // This transformation unfortunately rotates around the center of the structure + // rather than the origin, so it's effectively: + // + // translate to center (-center) * inverse scaling matrix (by vec) * translate back (+center) + // + // NOTE: We actually avoid using Scale for now, but in the future it would be nice + // to restrict to integers so we can optimize output of scaled vertices. In fact + // for any axis-aligned, convex shape, there may be some smallest shape we can + // sample to determine the edges before upsampling... etc. + Node::Scale(a, vec) => { + /* let center = Self::get_bounds(cache, tree, *prim).center().as_::() + - Vec3::broadcast(0.5); + let fpos = pos.as_::(); + let spos = (center + ((center - fpos) / vec)) + .map(|x| x.round()) + .as_::(); + Self::contains_at::(cache, tree, *prim, spos) */ + Self::get_bounds(cache, tree, a) + .into_iter() + .map(|aabb| { + let center = aabb.center(); + Aabb { + min: center + ((aabb.min - center).as_::() * vec).as_::(), + max: center + ((aabb.max - center).as_::() * vec).as_::(), + } + }) + }, */ + Node::RotateAbout(a, rotation_mat, vec) => { + let vec = vec - 0.5; + let rotation_mat = rotation_mat.as_::(); + let rotation_mat = + Mat4::::translation_3d(vec) * + Mat4::from(rotation_mat) * + Mat4::::translation_3d(-vec); + mat = mat * rotation_mat.as_(); + prim = *a; + /* let mat_ = mat.as_::().transposed(); + // - 0.5 because we want the point to be at the minimum of the voxel; the + // answer will always turn out to be an integer. We could also scale by 2, + // then divide by 2, to get the same effect without casting to float. + let vec = vec - 0.5; + // We perform a *forwards* rotation, so that we can iterate through the + // two bounding boxes simultaneously without needing to redo matrix + // multiplication each time (this should *probably* be faster). + // Translate origin to vec. + mat_ = Mat4::::translation_3d(-vec) * mat_; + // Rotate around origin. + mat_ = Mat4::from(rotation_mat) * mat_; + // Return origin to normal. + mat_ = Mat4::::translation_3d(vec) * mat_; + mat = mat_.as_(); */ + /* Self::contains_at::(cache, tree, *prim, (vec + mat * (pos.as_::() - vec)).as_()) + + // Reverse the rotation. + let rotation_mat = rotation_mat.as_::().transposed(); + // For some reason, we assume people are lying about the origin? This feels + // very fraught with footguns... + let vec = vec - 0.5; + // Undo a rotation about the origin. + /* Self::contains_at::(cache, tree, *prim, (vec + mat * (pos.as_::() - vec)).as_()) + Self::get_bounds(cache, tree, a) + .into_iter() + .map(|aabb| { + let mat = mat.as_::(); + // - 0.5 because we want the point to be at the minimum of the voxel + let vec = vec - 0.5; + let new_aabb = Aabb:: { + min: vec + mat * (aabb.min.as_() - vec), + // - 1 becuase we want the AABB to be inclusive when we rotate it, we then + // add 1 back to make it exclusive again + max: vec + mat * ((aabb.max - 1).as_() - vec), + } + .made_valid(); + Aabb:: { + min: new_aabb.min.as_(), + max: new_aabb.max.as_() + 1, + } + }) */ */ + }, + /* Node::Translate(x, vec) => { + prim = x; + // TODO: Saturating sub? Or figure out why we should even be doing that? + aabb.min -= vec; + aabb.max -= vec; + // Self::contains_at::(cache, tree, *prim, pos.map2(*vec, i32::saturating_sub)) + }, + Node::Scale(x, vec) => { + prim = x; + let center = Self::get_bounds(cache, tree, x).center().as_::() + - Vec3::broadcast(0.5); + let faabb = aabb.as_::(); + let scale = |fv: Vec3| (center + ((center - fv) / vec)) + .map(|x| x.round()) + .as_::(); + aabb.min = scale(faabb.min); + aabb.max = scale(faabb.max); + }, + Node::RotateAbout(x, mat, vec) => { + prim = x; + let mat = mat.as_::().transposed(); + let vec = vec - 0.5; + aabb += mat * (aabb.as_::() - vec).as_(); + }, */ + } + } + } + + pub fn get_bounds_disjoint<'a>( + arena: &'a bumpalo::Bump, + cache: &mut BoundsMap, + tree: &Store>, + prim: Id>, + mask: Aabr, + mut hit: impl FnMut(Vec3), + ) { + if PRINT_MESSAGES { + println!("\n\nSite: {}", prim.id()); + } + let mut stack = Vec::new(); + let bounds = Self::get_bounds(cache, tree, prim); + let mask = Aabb { + min: Vec3::from(mask.min).with_z(bounds.min.z), + max: Vec3::from(mask.max).with_z(bounds.max.z), + }; + Self::get_bounds_disjoint_inner(arena, cache, tree, prim, 0, &mut stack, Mat4::identity(), mask, &mut hit) + } + + pub fn get_bounds_opt<'a>( + cache: &mut BoundsMap, + tree: &Store>, + prim: Id>, + ) -> Option> { + Self::get_bounds_inner(cache, tree, prim) + .into_iter() + .reduce(|a, b| a.union(b)) + } + + pub fn get_bounds_prim<'a>( + cache: &mut BoundsMap, + tree: &Store>, + prim: &Primitive<'a>, + ) -> Aabb { + Self::get_bounds_inner_prim(cache, tree, prim) + .into_iter() + .reduce(|a, b| a.union(b)) + .unwrap_or_else(|| Aabb::new_empty(Vec3::zero())) + } + + pub fn get_bounds<'a>( + cache: &mut BoundsMap, + tree: &Store>, + prim: Id>, + ) -> Aabb { + Self::get_bounds_opt(cache, tree, prim).unwrap_or_else(|| Aabb::new_empty(Vec3::zero())) + } +} + +/* impl<'a> Fill<'a> { + fn Self::contains_at(tree: &Store>, prim: Id>, pos: Vec3) -> bool { // Custom closure because vek's impl of `contains_point` is inclusive :( let aabb_contains = |aabb: Aabb, pos: Vec3| { (aabb.min.x..aabb.max.x).contains(&pos.x) @@ -222,10 +3866,10 @@ impl Fill { }; match &tree[prim] { - Primitive::Empty => false, + Node::Empty => false, - Primitive::Aabb(aabb) => aabb_contains(*aabb, pos), - Primitive::Ramp { aabb, inset, dir } => { + Node::Aabb(aabb) => aabb_contains(*aabb, pos), + Node::Ramp { aabb, inset, dir } => { let inset = (*inset).max(aabb.size().reduce_min()); let inner = match dir { Dir::X => Aabr { @@ -253,7 +3897,7 @@ impl Fill { < 1.0 - ((pos.z - aabb.min.z) as f32 + 0.5) / (aabb.max.z - aabb.min.z) as f32 }, - Primitive::Pyramid { aabb, inset } => { + Node::Pyramid { aabb, inset } => { let inset = (*inset).max(aabb.size().reduce_min()); let inner = Aabr { min: aabb.min.xy() - 1 + inset, @@ -267,7 +3911,7 @@ impl Fill { < 1.0 - ((pos.z - aabb.min.z) as f32 + 0.5) / (aabb.max.z - aabb.min.z) as f32 }, - Primitive::Gable { aabb, inset, dir } => { + Node::Gable { aabb, inset, dir } => { let inset = (*inset).max(aabb.size().reduce_min()); let inner = if dir.is_y() { Aabr { @@ -288,7 +3932,7 @@ impl Fill { < 1.0 - ((pos.z - aabb.min.z) as f32 + 0.5) / (aabb.max.z - aabb.min.z) as f32 }, - Primitive::Cylinder(aabb) => { + Node::Cylinder(aabb) => { (aabb.min.z..aabb.max.z).contains(&pos.z) && (pos .xy() @@ -297,7 +3941,7 @@ impl Fill { as f32) < (aabb.size().w.min(aabb.size().h) as f32 / 2.0).powi(2) }, - Primitive::Cone(aabb) => { + Node::Cone(aabb) => { (aabb.min.z..aabb.max.z).contains(&pos.z) && pos .xy() @@ -307,12 +3951,12 @@ impl Fill { * (aabb.size().w.min(aabb.size().h) as f32 / 2.0)) .powi(2) }, - Primitive::Sphere(aabb) => { + Node::Sphere(aabb) => { aabb_contains(*aabb, pos) && pos.as_().distance_squared(aabb.as_().center() - 0.5) < (aabb.size().w.min(aabb.size().h) as f32 / 2.0).powi(2) }, - Primitive::Superquadric { aabb, degree } => { + Node::Superquadric { aabb, degree } => { let degree = degree.max(0.0); let center = aabb.center().map(|e| e as f32); let a: f32 = aabb.max.x as f32 - center.x - 0.5; @@ -325,7 +3969,7 @@ impl Fill { + (rpos.z / c).abs().powf(degree) < 1.0 }, - Primitive::Plane(aabr, origin, gradient) => { + Node::Plane(aabr, origin, gradient) => { // Maybe <= instead of == (aabr.min.x..aabr.max.x).contains(&pos.x) && (aabr.min.y..aabr.max.y).contains(&pos.y) @@ -337,14 +3981,14 @@ impl Fill { .dot(*gradient) as i32) }, // TODO: Aabb calculation could be improved here by only considering the relevant radius - Primitive::Segment { segment, r0, r1 } => { + Node::Segment { segment, r0, r1 } => { let distance = segment.end - segment.start; let length = pos - segment.start.as_(); let t = (length.as_().dot(distance) / distance.magnitude_squared()).clamped(0.0, 1.0); segment.distance_to_point(pos.map(|e| e as f32)) < Lerp::lerp(r0, r1, t) - 0.25 }, - Primitive::SegmentPrism { + Node::SegmentPrism { segment, radius, height, @@ -375,21 +4019,27 @@ impl Fill { let z_check = (projected_z..=(projected_z + height)).contains(&(pos.z as f32)); xy_check && z_check }, - Primitive::Sampling(a, f) => Self::contains_at(tree, *a, pos) && f(pos), - Primitive::Prefab(p) => !matches!(p.get(pos), Err(_) | Ok(StructureBlock::None)), - Primitive::Intersect(a, b) => { + Node::Sampling(a, f) => Self::contains_at(tree, *a, pos) && f(pos), + Node::Prefab(p) => !matches!(p.get(pos), Err(_) | Ok(StructureBlock::None)), + Node::Intersect(a, b) => { Self::contains_at(tree, *a, pos) && Self::contains_at(tree, *b, pos) }, - Primitive::Union(a, b) => { + Node::IntersectAll(prims) => { + prims.into_iter().all(|prim| Self::contains_at(tree, *prim, pos)) + }, + Node::Union(a, b) => { Self::contains_at(tree, *a, pos) || Self::contains_at(tree, *b, pos) }, - Primitive::Without(a, b) => { + Node::UnionAll(prims) => { + prims.into_iter().any(|prim| Self::contains_at(tree, *prim, pos)) + }, + Node::Without(a, b) => { Self::contains_at(tree, *a, pos) && !Self::contains_at(tree, *b, pos) }, - Primitive::Translate(prim, vec) => { + Node::Translate(prim, vec) => { Self::contains_at(tree, *prim, pos.map2(*vec, i32::saturating_sub)) }, - Primitive::Scale(prim, vec) => { + Node::Scale(prim, vec) => { let center = Self::get_bounds(tree, *prim).center().as_::() - Vec3::broadcast(0.5); let fpos = pos.as_::(); @@ -398,12 +4048,12 @@ impl Fill { .as_::(); Self::contains_at(tree, *prim, spos) }, - Primitive::RotateAbout(prim, mat, vec) => { + Node::RotateAbout(prim, mat, vec) => { let mat = mat.as_::().transposed(); let vec = vec - 0.5; Self::contains_at(tree, *prim, (vec + mat * (pos.as_::() - vec)).as_()) }, - Primitive::Repeat(prim, offset, count) => { + Node::Repeat(prim, offset, count) => { if count == &0 { false } else { @@ -428,10 +4078,10 @@ impl Fill { pub fn sample_at( &self, - tree: &Store, - prim: Id, + tree: &Store>, + prim: Id>, pos: Vec3, - canvas_info: &crate::CanvasInfo, + canvas_info: &CanvasInfo, old_block: Block, ) -> Option { if Self::contains_at(tree, prim, pos) { @@ -479,7 +4129,7 @@ impl Fill { } } - fn get_bounds_inner(tree: &Store, prim: Id) -> Vec> { + fn get_bounds_inner(tree: &Store>, prim: Id>) -> Vec> { fn or_zip_with T>(a: Option, b: Option, f: F) -> Option { match (a, b) { (Some(a), Some(b)) => Some(f(a, b)), @@ -489,16 +4139,16 @@ impl Fill { } match &tree[prim] { - Primitive::Empty => vec![], - Primitive::Aabb(aabb) => vec![*aabb], - Primitive::Pyramid { aabb, .. } => vec![*aabb], - Primitive::Gable { aabb, .. } => vec![*aabb], - Primitive::Ramp { aabb, .. } => vec![*aabb], - Primitive::Cylinder(aabb) => vec![*aabb], - Primitive::Cone(aabb) => vec![*aabb], - Primitive::Sphere(aabb) => vec![*aabb], - Primitive::Superquadric { aabb, .. } => vec![*aabb], - Primitive::Plane(aabr, origin, gradient) => { + Node::Empty => vec![], + Node::Aabb(aabb) => vec![*aabb], + Node::Pyramid { aabb, .. } => vec![*aabb], + Node::Gable { aabb, .. } => vec![*aabb], + Node::Ramp { aabb, .. } => vec![*aabb], + Node::Cylinder(aabb) => vec![*aabb], + Node::Cone(aabb) => vec![*aabb], + Node::Sphere(aabb) => vec![*aabb], + Node::Superquadric { aabb, .. } => vec![*aabb], + Node::Plane(aabr, origin, gradient) => { let half_size = aabr.half_size().reduce_max(); let longest_dist = ((aabr.center() - origin.xy()).map(|x| x.abs()) + half_size @@ -515,7 +4165,7 @@ impl Fill { }; vec![aabb.made_valid()] }, - Primitive::Segment { segment, r0, r1 } => { + Node::Segment { segment, r0, r1 } => { let aabb = Aabb { min: segment.start, max: segment.end, @@ -526,7 +4176,7 @@ impl Fill { max: (aabb.max + r0.max(*r1)).ceil().as_(), }] }, - Primitive::SegmentPrism { + Node::SegmentPrism { segment, radius, height, @@ -546,9 +4196,9 @@ impl Fill { }; vec![Aabb { min, max }] }, - Primitive::Sampling(a, _) => Self::get_bounds_inner(tree, *a), - Primitive::Prefab(p) => vec![p.get_bounds()], - Primitive::Intersect(a, b) => or_zip_with( + Node::Sampling(a, _) => Self::get_bounds_inner(tree, *a), + Node::Prefab(p) => vec![p.get_bounds()], + Node::Intersect([a, b]) => or_zip_with( Self::get_bounds_opt(tree, *a), Self::get_bounds_opt(tree, *b), |a, b| a.intersection(b), @@ -556,7 +4206,7 @@ impl Fill { .into_iter() .collect(), - Primitive::Union(a, b) => { + Node::Union(a, b) => { fn jaccard(x: Aabb, y: Aabb) -> f32 { let s_intersection = x.intersection(y).size().as_::().magnitude(); let s_union = x.union(y).size().as_::().magnitude(); @@ -587,15 +4237,15 @@ impl Fill { results } }, - Primitive::Without(a, _) => Self::get_bounds_inner(tree, *a), - Primitive::Translate(prim, vec) => Self::get_bounds_inner(tree, *prim) + Node::Without(a, _) => Self::get_bounds_inner(tree, *a), + Node::Translate(prim, vec) => Self::get_bounds_inner(tree, *prim) .into_iter() .map(|aabb| Aabb { min: aabb.min.map2(*vec, i32::saturating_add), max: aabb.max.map2(*vec, i32::saturating_add), }) .collect(), - Primitive::Scale(prim, vec) => Self::get_bounds_inner(tree, *prim) + /* Node::Scale(prim, vec) => Self::get_bounds_inner(tree, *prim) .into_iter() .map(|aabb| { let center = aabb.center(); @@ -604,8 +4254,8 @@ impl Fill { max: center + ((aabb.max - center).as_::() * vec).as_::(), } }) - .collect(), - Primitive::RotateAbout(prim, mat, vec) => Self::get_bounds_inner(tree, *prim) + .collect(), */ + Node::RotateAbout(prim, mat, vec) => Self::get_bounds_inner(tree, *prim) .into_iter() .map(|aabb| { let mat = mat.as_::(); @@ -624,7 +4274,7 @@ impl Fill { } }) .collect(), - Primitive::Repeat(prim, offset, count) => { + /* Node::Repeat(prim, offset, count) => { if count == &0 { vec![] } else { @@ -641,74 +4291,571 @@ impl Fill { }) .collect() } - }, + }, */ } } - pub fn get_bounds_disjoint(tree: &Store, prim: Id) -> Vec> { + pub fn get_bounds_disjoint(tree: &Store>, prim: Id>) -> Vec> { Self::get_bounds_inner(tree, prim) } - pub fn get_bounds_opt(tree: &Store, prim: Id) -> Option> { + pub fn get_bounds_opt(tree: &Store>, prim: Id>) -> Option> { Self::get_bounds_inner(tree, prim) .into_iter() .reduce(|a, b| a.union(b)) } - pub fn get_bounds(tree: &Store, prim: Id) -> Aabb { + pub fn get_bounds(tree: &Store>, prim: Id>) -> Aabb { Self::get_bounds_opt(tree, prim).unwrap_or_else(|| Aabb::new_empty(Vec3::zero())) } +} */ + +pub struct Painter<'a/*, N: NodeAllocator = DefaultNodeAllocator*/> { + pub(super) arena: &'a bumpalo::Bump, + prims: RefCell>>, + // fills: RefCell>, Fill<'a>)>>, + cached_depth: RefCell>, f32, BuildHasherDefault>>, + bounds_cache: RefCell, + // node_allocator: N, + // entities: RefCell>, + // render_area: Aabr, +} + +impl<'a/*, N: NodeAllocator + Default*/> Painter<'a/*, N*/> { + fn new(arena: &'a bumpalo::Bump/*, render_area: Aabr*/) -> Painter<'a/*, N*/> { + Painter { + arena, + prims: RefCell::new(Store::default()), + // fills: RefCell::new(Vec::new()), + cached_depth: RefCell::new(HashMap::default()), + bounds_cache: RefCell::new(HashMap::default()), + // node_allocator: N::default(), + // entities: RefCell::new(Vec::new()), + // render_area, + } + } } -pub struct Painter { - prims: RefCell>, - fills: RefCell, Fill)>>, - entities: RefCell>, - render_area: Aabr, +/* pub fn calculate_depths(prims: &Store) -> Vec { + let mut ret: Vec = Vec::with_capacity(prims.len()); + for (_id, prim) in prims.iter() { + let depth = match prim { + Node::Empty + | Node::Aabb(_) + | Node::Pyramid { .. } + | Node::Ramp { .. } + | Node::Gable { .. } + | Node::Cylinder(_) + | Node::Cone(_) + | Node::Sphere(_) + | Node::Superquadric { .. } + | Node::Plane(_, _, _) + | Node::Segment { .. } + | Node::SegmentPrism { .. } + | Node::Prefab(_) => 0, + Node::Sampling(a, _) + /* | Node::Rotate(a, _) */ + | Node::Translate(a, _) + | Node::Scale(a, _) + | Node::RotateAbout(a, _, _) + | Node::Repeat(a, _, _) => 1 + ret[a.id() as usize], + + Node::Intersect(a, b) + | Node::Union(a, b) + | Node::Without(a, b) => (1 + ret[a.id() as usize]).max(1 + ret[b.id() as usize]), + Node::IntersectAll(xs) + | Node::UnionAll(xs) => + xs.len() + + xs.into_iter().copied().map(|a| ret[a.id() as usize]).max().unwrap_or(0), + }; + ret.push(depth); + } + ret +} */ + +/// Cost model: +/// +/// Costs represent the proportion of blocks in the enclosing AABB consumed by the primitive. +/// Every context is always associated with a bounding AABB for that reason. +/// +/// --- +/// +/// Primitives (except sampled primitives, which assume they are using the whole AABB) have +/// reasonably accurate cost estimates as a percentage of their bounding box. Trivial cases like +/// Empty or Plane can compute exact values, and many of the other primitives (for example, sphere) +/// have volume equations with closed-form solutions. +/// +/// --- +/// +/// Unions are assumed to (almost always) be disjoint, so they are estimated as: +/// +/// bound(A ∪ B) = bound(A) ∪⁺ bound(B) +/// cost(A u B) = (cost(A) * vol(bound(A)) + cost(B) * vol(bound(B))) / vol(bound(A) u⁺ bound(B)) +/// +/// where ∪⁺ is a convex union (in our case, we currently use AABB union, which is suboptimal for +/// this purpose but still acceptable). Ideally, all unions would be top level, so we would not +/// lose precision in that way. +/// +/// Because unions are assumed to be disjoint, for any run through the *whole* AABB order of +/// evaluation doesn't matter. However, in other contexts where not all AABBs are run +/// through, it may be desirable to terminate as early as possible. Using the conservative +/// assumption that within the parent intersection, blocks are chosen independently on both +/// sides, we can make the rough estimate that it's better to sort the union in decreasing order by +/// cost. +/// +/// --- +/// +/// Intersections are assumed to join blocks independently within the shared part of the AABB, and +/// be zero outside of it. The former part is not usually true, but it's at least an assumption we +/// can work with. We also make the simplifying (false) assumption that the probability +/// distribution of blocks being within an intersection's AABB is uniform throughout it. Given +/// these assumptions, we can estimate them as: +/// +/// bound(A ∩ B) = bound(A) ∩⁺ bound(B) +/// cost(A ∩ B) = cost(A) * cost(B) +/// +/// Note that ∩ of convex volumes is always convex, so we lose very little precision this way. +/// However, we still use ∩⁺ currently to get a less precise (AABB) bounding box. As long as both +/// volumes are already bounding boxes, this doesn't really change our calculations much. +/// +/// To determine the best intersection order, observe that we won't draw anything if either A or B +/// evaluate to false. Therefore, we sort the intersection in increasing order by cost. +/// +/// --- +/// +/// Differences are estimated by assuming that the intersecting part is independent within A ∩ B, +/// and 0 elsewhere, so it is estimated as: +/// +/// bound(A \ B) = bound(A) +/// cost(B | bound(A)) = cost(B) * vol(bound(A) ∩⁺ bound(B)) / vol(bound(A)) +/// cost(A \ B) = cost(A) * (1 - cost(B | bound(A))) +/// +/// In theory, we can sometimes do better if chopping off bound(B) still results in a convex +/// bounding volume (or AABB in this case), but we don't try to perform this optimization for now. +/// +/// Since if B evaluates to true, we won't draw anything, and if A evaluates to false, we won't +/// draw anything, we test B first only if 1 - cost(B | bound(A)) < cost(A). Otherwise, we +/// test A first. +/// +/// ---- +/// +/// For all other nodes, we either desugar them to one of the formulae above (e.g. repeats are +/// equivalent to unions), or change the bounding box without changing the cost (e.g. scale +/// increases the size in all directions, translate moves it, and rotate_about also moves it [we +/// assume that rotate_about only performs 90 degree turns, which preserve bounding volumes]). +pub fn depth_with_cache<'a>( + prims: &Store>, + cached_depth: &mut HashMap>, f32, BuildHasherDefault>, + cached_bounds: &mut BoundsMap, + prim: Id>, +) -> f32 { + fn aux<'a>( + prims: &Store>, + cached_depth: &mut HashMap>, f32, BuildHasherDefault>, + cached_bounds: &mut BoundsMap, + prim: Id>, + /* prev_depth: f32, */ + ) -> f32 { + /* let vacant_entry = match cached_depth.entry(prim) { + Entry::Occupied(o) => return *o.into_mut() + prev_depth, + Entry::Vacant(v) => v, + }; */ + if let Some(depth) = cached_depth.get(&prim) { + /* return depth; */ + return *depth/* + prev_depth*/; + } + let depth = match prims[prim].0 { + // All these primitives are sums of 0 | 1, so they are positive + // of depth 1. + // ⊤/1 is both positive and negative, so it has depth 0. + Node::Empty => 0.0, + // Aabbs are always full (TODO: eliminate empty Aabbs at construction time). + Node::Aabb(_) => 1.0, + // TODO: Estimate properly (what is inset?) + Node::Pyramid { .. } => { + 0.5 + }, + // Returns a `PrimitiveRef` of an Aabb with a slope cut into it. The + // `inset` governs the slope. The `dir` determines which direction the + // ramp points. + // FIXME: Estimate properly (don't understand the description). + Node::Ramp { /*aabb, inset, dir*/.. } => { + /* let inset = (*inset).max(aabb.size().reduce_min()); + let inner = match dir { + Dir::X => Aabr { + min: Vec2::new(aabb.min.x - 1 + inset, aabb.min.y), + max: Vec2::new(aabb.max.x, aabb.max.y), + }, + Dir::NegX => Aabr { + min: Vec2::new(aabb.min.x, aabb.min.y), + max: Vec2::new(aabb.max.x - inset, aabb.max.y), + }, + Dir::Y => Aabr { + min: Vec2::new(aabb.min.x, aabb.min.y - 1 + inset), + max: Vec2::new(aabb.max.x, aabb.max.y), + }, + Dir::NegY => Aabr { + min: Vec2::new(aabb.min.x, aabb.min.y), + max: Vec2::new(aabb.max.x, aabb.max.y - inset), + }, + }.made_valid(); + aabb_contains(*aabb, pos) + && (inner.projected_point(pos.xy()) - pos.xy()) + .map(|e| e.abs()) + .reduce_max() as f32 + / (inset as f32) + < 1.0 + - ((pos.z - aabb.min.z) as f32 + 0.5) / (aabb.max.z - aabb.min.z) as f32 */ + 0.5 + }, + Node::Gable { /*aabb, inset, dir*/.. } => { + /* let inset = inset.max(aabb.size().reduce_min()); + // inner is a one-voxel-wide rectangle; if dir is y, the rectangle's long side is + // on the y axis, if it's x then the long side is on the x axis. The location on + // the other axis of the rectangle is determined by the inset. + let inner = if dir.is_y() { + Aabr { + min: Vec2::new(aabb.min.x - 1 + inset, aabb.min.y), + max: Vec2::new(aabb.max.x - inset, aabb.max.y), + } + } else { + Aabr { + min: Vec2::new(aabb.min.x, aabb.min.y - 1 + inset), + max: Vec2::new(aabb.max.x, aabb.max.y - inset), + } + }.made_valid(); + // Find the distance to the inner rectangle (specifically, the max distance along + // all axes to the closest point on the rectangle). Divide by the inset, which + // governs the slope of the gable. + // + // Compare this to 1.0 - (z - z₀) / (z₁ - z₀). + // + // (x - x₀) / inset < 1 - (z - z₀) / (z₁ - z₀) + // + // (z₁ - z₀) / inset < ((z₁ - z₀) - (z - z₀)) / (x - x₀) + // (z₁ - z₀) / inset < (z₁ - z) / (x - x₀) + // + // (z₁ - z) inset = (z₁ - z₀)(x - x₀) + // z = 1/inset(z₁ + (z₀ - z₁)(x - x₀)) + // = (z₀ - z₁)/inset * (x - x₀) + z₁/inset + // + // (x - x₀) / (z - z₀) < inset * (1 / (z - z₀) - 1 / (z₁ - z₀)) + // + // (x - x₀) / (z - z₀) < inset * ((z₁ - z₀) / (z - z₀) - 1 / (z₁ - z₀)) + // + // (x - x₀) / inset < 1 - (z - z₀) / (z₁ - z₀) + // + aabb_contains(aabb, pos) + && (inner.projected_point(pos.xy()) - pos.xy()) + .map(|e| e.abs()) + .reduce_max() as f32 + / (inset as f32) + < 1.0 + - ((pos.z - aabb.min.z) as f32 + 0.5) / (aabb.max.z - aabb.min.z) as f32 + */ + 0.5 + }, + // Cylinder volume is π r² h; height is same as bounding box height so it always + // cancels out (unless height is 0, which we check for to make sure we're well-formed). + // As long as the radius exists, it will also cancel out at least one of the diameters, + // so we know we're really just multiplying π/4 by the remaining bounding box axis. + // + // TODO: Prevent 0 height (and radius?) at construction time. + Node::Cylinder(aabb) => { + let aabb = Vec3::::from(aabb.size()); + let aabr = aabb.xy(); + let diameter = aabr.reduce_min(); + if diameter == 0 || aabb.z == 0 { + 0.0 + } else { + let aabr = aabr.as_::(); + let diameter = diameter as f32; + core::f32::consts::FRAC_PI_4 * (diameter / aabr.x) * (diameter / aabr.y) + } + }, + // TODO: Estimate properly + Node::Cone(_) => { + 0.5 + }, + // Sphere volume is 4/3 π r³ + // + // Radius is known by construction to be half the diameter across all axes, so this + // becomes: + // + // 4/3 π (d/2)³ = π/6 d³ + // + // Since the aabb is of size d³, we conclude that the ratio here is exactly π/6. + Node::Sphere(_) => core::f32::consts::FRAC_PI_6, + // TODO: Estimate properly + Node::Superquadric { .. } => { + 0.5/*1.0*/ + }, + // TODO: Estimate properly + Node::Plane(_, _, _) => { + 0.5 + }, + // We approximate line volume as a truncated cone: + // + // V = 1/3 π h (r₀² + r₀ r₁ + r₁²) + // + // We make no special effort to reduce this with knowledge about the bounding box. + // + // Also, to account for z_scale, we just divide the cylinder volume by z_scale; + // since (I believe) z_scale is just a shearing transformation, and shearing + // preserves volume, this should work. + Node::Segment { segment, /* radius */r0, r1, z_scale } => { + let aabb = Aabb { + min: segment.start, + max: segment.end, + } + .made_valid(); + let mut rad_diff = Vec3::broadcast(r0.max(r1)); + rad_diff.z /= z_scale; + /* let aabb = Aabb { + min: (aabb.min - rad_diff).floor(), + max: (aabb.max + rad_diff).ceil() + 1.0, + }; */ + let aabb = Aabb { + min: (aabb.min - rad_diff).floor(), + max: (aabb.max + rad_diff).ceil(), + }; + let aabb = aabb.size().as_::(); + let distance = segment.end.distance(segment.start); + + if aabb.product() < 1.0 { + 0.0 + } else { + core::f32::consts::FRAC_PI_3 * + (distance / (aabb.d * z_scale)) * + ((r0 * r0 + r0 * r1 + r1 * r1) / (aabb.w * aabb.h)) + } + }, + // TODO: Estimate properly + Node::SegmentPrism { .. } => { + 0.5 + }, + // Prefabs can perform a precise density calculation using the number of voxels in the + // model. + Node::Prefab(prefab) => { + // Precision-losing behavior is fine on f32 overflow here (realistically, it should + // never happen, but it's fine if it does). + // + // NOTE: We know get_bounds returns a nonzero value because we check on + // construction of the Prefab that all bounds are nonzero. + prefab.len() as f32 / prefab.get_bounds().size().as_::().product() + }, + /* // Sampling is evil. It is essentially an intersection with the other primitive, a, + // using a's bounding box, and the *intention* is that it is completely covered by a + // (so it should always be cheaper to hit the sampler first from a strict element count + // perspective, and they are also not very independent!). But we don't actually know + // how much of a the sampler is using, so we have no good way to guess the overall + // cost. For now, we conservatively just guess that the density in a is 50%. Worse, + // samplers might be (usually will be) quite expensive, and we have no notion of the + // underlying compute cost there (actually, we don't have such a notion for anything, + // but that's neither here nor there). + // + // TODO: Consider taking an explicit density and/or compute cost estimate? + Node::Sampling(a, _) => 0.5 * aux(prims, cached_depth, cached_bounds, a), */ + // These all just inherit the cost from a. + /* | Node::Rotate(a, _) */ + Node::Translate(a, _) + /* | Node::Scale(a, _) */ + | Node::RotateAbout(a, _, _) => aux(prims, cached_depth, cached_bounds, a), + /* // Repeat is treated like a union of n instances of a; since it's only well-defined if + // the union is disjoint, we just assume that it is, and compute the cost as the ratio + // of repeating the shape n times to the actual selected bounding box. + Node::Repeat(a, _, n) => { + let a_bounds = Painter::get_bounds(cached_bounds, prims, a); + let an_bounds = Painter::get_bounds(cached_bounds, prims, prim); + let an_volume = an_bounds.size().as_::().product(); + if an_volume < 1.0 { + 0.0 + } else { + let a_volume = a_bounds.size().as_::().product(); + // In case the union isn't actually disjoint, we don't promise well-defined + // behavior, but we still clamp to 1 to keep the probabilities sane. + let an_scale = (a_volume / an_volume * f32::from(n)).min(1.0); + aux(prims, cached_depth, cached_bounds, a) * an_scale + } + }, */ + // Intersections are assumed independent... + Node::Intersect([a, b]) => { + /* // But only within the actual bounds used. If the intersected AABB is very wide + // compared to the estimated space used by the product of constituent volumes, we + // drop our estimate to compensate. + // + // Note that this is *not* the Cartesian product solution (which blows up + // insanely quickly in the general case), we're still using the independence + // assumption, but we're re-estimating the actual volume used in case the AABBs fit + // poorly. + let a_bounds = Painter::get_bounds(cached_bounds, prims, a); + let b_bounds = Painter::get_bounds(cached_bounds, prims, b); */ + /* // This could be quite expensive, but for now we just do the Cartesian product + // because it can be extremely slow otherwise (one can imagine many heuristics + // here). */ + let a_cost = aux(prims, cached_depth, cached_bounds, a); + let b_cost = aux(prims, cached_depth, cached_bounds, b); + a_cost * b_cost + }, + // Same as IntersectAll, but iterated. + Node::IntersectAll(xs) => + xs.into_iter().copied().map(|x| aux(prims, cached_depth, cached_bounds, x)).product(), + Node::Union(a, b) => { + let a_bounds = Painter::get_bounds(cached_bounds, prims, a); + let b_bounds = Painter::get_bounds(cached_bounds, prims, b); + let ab_volume = a_bounds.union(b_bounds).size().as_::().product(); + if ab_volume < 1.0 { + 0.0 + } else { + let a_volume = a_bounds.size().as_::().product(); + let b_volume = a_bounds.size().as_::().product(); + // Unions are scaled according to expected volume: + // + // vol(A) / vol(A ∪ B) + // + // We multiply by this smaller value for improved precision for +. + let a_scale = a_volume / ab_volume; + let b_scale = b_volume / ab_volume; + // Since we estimate unions to be disjoint, but they sometimes aren't, we might + // end up exceeding 1, so clamp to 1. + // + // TODO: Estimate using Jaccard distance or related? + (aux(prims, cached_depth, cached_bounds, a) * a_scale + aux(prims, cached_depth, cached_bounds, b) * b_scale) + .min(1.0) + } + }, + // Same as Union, but iterated, and we look up the cached volume. + Node::UnionAll(xs) => { + let xs_bounds = Painter::get_bounds(cached_bounds, &prims, prim); + let xs_volume = xs_bounds.size().as_::().product(); + if xs_volume < 1.0 { + 0.0 + } else { + xs.into_iter().copied().map(|x| { + let x_bounds = Painter::get_bounds(cached_bounds, prims, x); + let x_volume = x_bounds.size().as_::().product(); + let x_scale = x_volume / xs_volume; + aux(prims, cached_depth, cached_bounds, x) * x_scale + }) + .sum::() + // Since we estimate unions to be disjoint, but they sometimes aren't, we might + // end up exceeding 1, so clamp to 1. + // + // TODO: Estimate using Jaccard distance or related? + .min(1.0) + } + }, + Node::Without(a, b, _) => { + let a_bounds = Painter::get_bounds(cached_bounds, &prims, a); + let b_bounds = Painter::get_bounds(cached_bounds, &prims, b); + let a_volume = a_bounds.size().as_::().product(); + let ab_volume = a_bounds.intersection(b_bounds).size().as_::().product(); + // We know a_volume is positive since this is checked when the with is formed + // (we also happen to know that b_scale is a positive probability). + let b_scale = ab_volume / a_volume; + aux(prims, cached_depth, cached_bounds, a) * + (1.0 - aux(prims, cached_depth, cached_bounds, b) * b_scale) + }, + }; + + /* let depth = match &prims[prim] { + // All these primitives are sums of 0 | 1, so they are positive + // of depth 1. + // ⊤/1 is both positive and negative, so it has depth 0. + Node::Empty + | Node::Aabb(_) + | Node::Pyramid { .. } + | Node::Ramp { .. } + | Node::Gable { .. } + | Node::Cylinder(_) + | Node::Cone(_) + | Node::Sphere(_) + | Node::Superquadric { .. } + | Node::Plane(_, _, _) + | Node::Segment { .. } + | Node::SegmentPrism { .. } + | Node::Prefab(_) => prev_depth, + Node::Sampling(a, _) + /* | Node::Rotate(a, _) */ + | Node::Translate(a, _) + | Node::Scale(a, _) + | Node::RotateAbout(a, _, _) + | Node::Repeat(a, _, _) => aux(prims, cached_depth, *a, 1.0 + prev_depth), + + Node::Intersect(a, b) + | Node::Union(a, b) + | Node::Without(a, b, _) => aux(prims, cached_depth, *a, 1.0 + prev_depth) + .max(aux(prims, cached_depth, *b, 1.0 + prev_depth)), + Node::IntersectAll(xs) | Node::UnionAll(xs) => + /* xs.len() */1.0 + + xs.into_iter().copied().map(|prim| n32(aux(prims, cached_depth, prim, prev_depth))) + .max().map(f32::from).unwrap_or(0.0), + }; */ + /*vacant_entry.insert(depth - prev_depth);*/ + if PRINT_MESSAGES { + println!("Cost {}: {}", prim.id(), depth); + } + cached_depth.insert(prim, depth/* - prev_depth*/); + depth + } + aux(prims, cached_depth, cached_bounds, prim/*, 0.0*/) } -impl Painter { +impl<'a> Painter<'a> { /// Computes the depth of the tree rooted at `prim` - pub fn depth(&self, prim: Id) -> usize { - fn aux(prims: &Store, prim: Id, prev_depth: usize) -> usize { + /* pub fn depth(&self, prim: Id>) -> usize { + fn aux<'a>(prims: &Store>, prim: Id>, prev_depth: usize) -> usize { match prims[prim] { - Primitive::Empty - | Primitive::Aabb(_) - | Primitive::Pyramid { .. } - | Primitive::Ramp { .. } - | Primitive::Gable { .. } - | Primitive::Cylinder(_) - | Primitive::Cone(_) - | Primitive::Sphere(_) - | Primitive::Superquadric { .. } - | Primitive::Plane(_, _, _) - | Primitive::Segment { .. } - | Primitive::SegmentPrism { .. } - | Primitive::Prefab(_) => prev_depth, - Primitive::Sampling(a, _) - | Primitive::Translate(a, _) - | Primitive::Scale(a, _) - | Primitive::RotateAbout(a, _, _) - | Primitive::Repeat(a, _, _) => aux(prims, a, 1 + prev_depth), - - Primitive::Intersect(a, b) | Primitive::Union(a, b) | Primitive::Without(a, b) => { + Node::Empty + | Node::Aabb(_) + | Node::Pyramid { .. } + | Node::Ramp { .. } + | Node::Gable { .. } + | Node::Cylinder(_) + | Node::Cone(_) + | Node::Sphere(_) + | Node::Superquadric { .. } + | Node::Plane(_, _, _) + | Node::Segment { .. } + | Node::SegmentPrism { .. } + | Node::Prefab(_) => prev_depth, + Node::Sampling(a, _) + | Node::Translate(a, _) + | Node::Scale(a, _) + | Node::RotateAbout(a, _, _) + | Node::Repeat(a, _, _) => aux(prims, a, 1 + prev_depth), + Node::Intersect(a, b) | Node::Union(a, b) | Node::Without(a, b) => { aux(prims, a, 1 + prev_depth).max(aux(prims, b, 1 + prev_depth)) }, + Node::IntersectAll(xs) | Node::UnionAll(xs) => { + xs.len() + xs.into_iter().copied().map(|prim| aux(prims, prim, prev_depth)).max().unwrap_or(0) + }, } } let prims = self.prims.borrow(); aux(&prims, prim, 0) + } */ + fn depth(&self, prim: Id>) -> f32 { + let prims = self.prims.borrow(); + let mut cached_depth = self.cached_depth.borrow_mut(); + let mut cached_bounds = self.bounds_cache.borrow_mut(); + depth_with_cache(&prims, &mut cached_depth, &mut cached_bounds, prim) } /// Orders two primitives by depth, since (A && (B && C)) is cheaper to /// evaluate than ((A && B) && C) due to short-circuiting. - pub fn order_by_depth( + fn order_by_depth( &self, - a: impl Into>, - b: impl Into>, - ) -> (Id, Id) { - let (a, b) = (a.into(), b.into()); - if self.depth(a) < self.depth(b) { + a: Id>, + b: Id>, + ) -> (Id>, Id>) { + /* let (vol_a, vol_b) = { + let prims = self.prims.borrow(); + let mut cached_bounds = self.bounds_cache.borrow_mut(); + (Fill::get_bounds(&mut cached_bounds, &prims, a).size().as_::().product(), + Fill::get_bounds(&mut cached_bounds, &prims, b).size().as_::().product()) + }; */ + if self.depth(a)/* * vol_a */ < self.depth(b)/* * vol_b */ { (a, b) } else { (b, a) @@ -717,27 +4864,83 @@ impl Painter { /// Returns a `PrimitiveRef` of an axis aligned bounding box. The geometric /// name of this shape is a "right rectangular prism." - pub fn aabb(&self, aabb: Aabb) -> PrimitiveRef { - self.prim(Primitive::Aabb(aabb.made_valid())) + /// + /// TODO: Cbn or Cbv? + pub fn aabb/**/(&self, aabb: Aabb) -> PrimitiveRef<'_, 'a, /*Cbv*//*Kind*/Red/*Cbn*/> { + self.prim(Node::Aabb(aabb.made_valid())) + } + + pub fn union_all<'painter, Kind>(&'painter self, mut iter: impl ExactSizeIterator>*/PrimitiveRef<'painter, 'a, Kind>>) -> PrimitiveRef<'painter, 'a, Kind> { + match iter.len() { + 0 => self.prim(Node::Empty), + 1 => /*PrimitiveRef { + id: iter.next().unwrap(), + painter: self, + }*/iter.next().unwrap(), + 2 => /*PrimitiveRef { + id: iter.next().unwrap(), + painter: self, + }*/iter.next().unwrap().union(iter.next().unwrap()), + _ => { + let xs = self.arena.alloc_slice_fill_iter(iter.map(Into::into)); + // NOTE: Would be nice to somehow generate the cache at the same time as the + // iterator, so we didn't need to allocate external memory... + let prims = self.prims.borrow(); + let mut cached_depth = self.cached_depth.borrow_mut(); + let mut cached_bounds = self.bounds_cache.borrow_mut(); + xs.sort_by_cached_key(|&x| core::cmp::Reverse(n32(depth_with_cache(&prims, &mut cached_depth, &mut cached_bounds, x)/* * Fill::get_bounds(&mut cached_bounds, &prims, x).size().as_::().product()*/))); + drop(prims); + self.prim(Node::UnionAll(xs)) + }, + } + } + + pub fn intersect_all<'painter, Kind>(&'painter self, mut iter: impl ExactSizeIterator>*/PrimitiveRef<'painter, 'a, Kind>>) -> PrimitiveRef<'painter, 'a, Kind> { + match iter.len() { + 0 => self.empty().as_kind(), + 1 => /*PrimitiveRef { + id: iter.next().unwrap(), + painter: self, + }*/iter.next().unwrap(), + 2 => /*PrimitiveRef { + id: iter.next().unwrap(), + painter: self, + }*/iter.next().unwrap().intersect(iter.next().unwrap()), + _ => { + let xs = self.arena.alloc_slice_fill_iter(iter.map(Into::into)); + // NOTE: Would be nice to somehow generate the cache at the same time as the + // iterator, so we didn't need to allocate external memory... + let prims = self.prims.borrow(); + let mut cached_depth = self.cached_depth.borrow_mut(); + let mut cached_bounds = self.bounds_cache.borrow_mut(); + xs.sort_by_cached_key(|&x| n32(depth_with_cache(&prims, &mut cached_depth, &mut cached_bounds, x)/* * Fill::get_bounds(&mut cached_bounds, &prims, x).size().as_::().product()*/)); + drop(prims); + self.prim(Node::IntersectAll(xs)) + }, + } } /// Returns a `PrimitiveRef` of a sphere using a radius check. - pub fn sphere(&self, aabb: Aabb) -> PrimitiveRef { - self.prim(Primitive::Sphere(aabb.made_valid())) + pub fn sphere(&self, aabb: Aabb) -> PrimitiveRef<'_, 'a, Cbn> { + debug_assert!({ + let size = aabb.size(); + size.w == size.h && size.h == size.d + }); + self.prim(Node::Sphere(aabb.made_valid())) } /// Returns a `PrimitiveRef` of a sphere using a radius check where a radius /// and origin are parameters instead of a bounding box. - pub fn sphere_with_radius(&self, origin: Vec3, radius: f32) -> PrimitiveRef { + pub fn sphere_with_radius(&self, origin: Vec3, radius: f32) -> PrimitiveRef<'_, 'a, Cbn> { let min = origin - Vec3::broadcast(radius.round() as i32); let max = origin + Vec3::broadcast(radius.round() as i32); - self.prim(Primitive::Sphere(Aabb { min, max })) + self.prim(Node::Sphere(Aabb { min, max })) } /// Returns a `PrimitiveRef` of a sphere by returning an ellipsoid with /// congruent legs. The voxel artifacts are slightly different from the /// radius check `sphere()` method. - pub fn sphere2(&self, aabb: Aabb) -> PrimitiveRef { + pub fn sphere2(&self, aabb: Aabb) -> PrimitiveRef<'_, 'a, Cbn> { let aabb = aabb.made_valid(); let radius = aabb.size().w.min(aabb.size().h) / 2; let aabb = Aabb { @@ -745,15 +4948,15 @@ impl Painter { max: aabb.center() + radius, }; let degree = 2.0; - self.prim(Primitive::Superquadric { aabb, degree }) + self.prim(Node::Superquadric { aabb, degree }) } /// Returns a `PrimitiveRef` of an ellipsoid by constructing a superquadric /// with a degree value of 2.0. - pub fn ellipsoid(&self, aabb: Aabb) -> PrimitiveRef { + pub fn ellipsoid(&self, aabb: Aabb) -> PrimitiveRef<'_, 'a, Cbn> { let aabb = aabb.made_valid(); let degree = 2.0; - self.prim(Primitive::Superquadric { aabb, degree }) + self.prim(Node::Superquadric { aabb, degree }) } /// Returns a `PrimitiveRef` of a superquadric. A superquadric can be @@ -765,22 +4968,23 @@ impl Painter { /// faces. A degree of 2.0 produces an ellipsoid. Values larger than 2.0 /// produce a rounded Aabb. The degree cannot be less than 0.0 without /// the shape extending to infinity. - pub fn superquadric(&self, aabb: Aabb, degree: f32) -> PrimitiveRef { + pub fn superquadric(&self, aabb: Aabb, degree: f32) -> PrimitiveRef<'_, 'a, Cbn> { let aabb = aabb.made_valid(); - self.prim(Primitive::Superquadric { aabb, degree }) + // self.prim(Node::Aabb(aabb)) + self.prim(Node::Superquadric { aabb, degree }) } /// Returns a `PrimitiveRef` of a rounded Aabb by producing a superquadric /// with a degree value of 3.0. - pub fn rounded_aabb(&self, aabb: Aabb) -> PrimitiveRef { + pub fn rounded_aabb(&self, aabb: Aabb) -> PrimitiveRef<'_, 'a, Cbn> { let aabb = aabb.made_valid(); - self.prim(Primitive::Superquadric { aabb, degree: 3.0 }) + self.prim(Node::Superquadric { aabb, degree: 3.0 }) } /// Returns a `PrimitiveRef` of the largest cylinder that fits in the /// provided Aabb. - pub fn cylinder(&self, aabb: Aabb) -> PrimitiveRef { - self.prim(Primitive::Cylinder(aabb.made_valid())) + pub fn cylinder(&self, aabb: Aabb) -> PrimitiveRef<'_, 'a, Cbn> { + self.prim(Node::Cylinder(aabb.made_valid())) } /// Returns a `PrimitiveRef` of a cylinder using a radius check where a @@ -790,24 +4994,24 @@ impl Painter { origin: Vec3, radius: f32, height: f32, - ) -> PrimitiveRef { + ) -> PrimitiveRef<'_, 'a, Cbn> { let min = origin - Vec2::broadcast(radius.round() as i32); let max = origin + Vec2::broadcast(radius.round() as i32).with_z(height.round() as i32); - self.prim(Primitive::Cylinder(Aabb { min, max })) + self.prim(Node::Cylinder(Aabb { min, max })) } /// Returns a `PrimitiveRef` of the largest cone that fits in the /// provided Aabb. - pub fn cone(&self, aabb: Aabb) -> PrimitiveRef { - self.prim(Primitive::Cone(aabb.made_valid())) + pub fn cone(&self, aabb: Aabb) -> PrimitiveRef<'_, 'a, Cbn> { + self.prim(Node::Cone(aabb.made_valid())) } /// Returns a `PrimitiveRef` of a cone using a radius check where a radius /// and origin are parameters instead of a bounding box. - pub fn cone_with_radius(&self, origin: Vec3, radius: f32, height: f32) -> PrimitiveRef { + pub fn cone_with_radius(&self, origin: Vec3, radius: f32, height: f32) -> PrimitiveRef<'_, 'a, Cbn> { let min = origin - Vec2::broadcast(radius.round() as i32); let max = origin + Vec2::broadcast(radius.round() as i32).with_z(height.round() as i32); - self.prim(Primitive::Cone(Aabb { min, max })) + self.prim(Node::Cone(Aabb { min, max })) } /// Returns a `PrimitiveRef` of a 3-dimensional line segment with a provided @@ -817,17 +5021,19 @@ impl Painter { a: Vec3>, b: Vec3>, radius: f32, - ) -> PrimitiveRef { - self.prim(Primitive::Segment { - segment: LineSegment3 { - start: a.as_(), - end: b.as_(), - }, - r0: radius, - r1: radius, - }) + ) -> PrimitiveRef<'_, 'a, Cbn> { + self.line_two_radius(a, b, radius, radius, 1.0) } + /* /// Returns a `PrimitiveRef` that conforms to the provided sampling + /// function. + /// + /// TODO: Cbn or Cbv? + #[must_use] + pub fn sampling(&self, a: /*impl Into>>*/PrimitiveRef<'_, 'a, Kind>, f: &'a dyn Fn(Vec3) -> bool) -> PrimitiveRef<'_, 'a, /*Cbn*/Kind> { + self.prim(Node::Sampling(a.into(), f)) + } */ + /// Returns a `PrimitiveRef` of a 3-dimensional line segment with two /// radius. pub fn line_two_radius( @@ -836,14 +5042,25 @@ impl Painter { b: Vec3>, r0: f32, r1: f32, - ) -> PrimitiveRef { - self.prim(Primitive::Segment { - segment: LineSegment3 { - start: a.as_(), - end: b.as_(), - }, + z_scale: f32, + ) -> PrimitiveRef<'_, 'a, Cbn> { + let segment = LineSegment3 { + start: a.as_(), + end: b.as_(), + }; + if segment.start.x == segment.end.x && segment.start.y == segment.end.y { + if segment.start.z == segment.end.z { + return self.prim(Node::Empty); + } else { + // TODO: Vertical plane (not really thanks to the radii, but should be). + } + } + // TODO: Enforce radii and z_scale > 0. + self.prim(Node::Segment { r0, r1, + z_scale, + segment, }) } @@ -858,12 +5075,16 @@ impl Painter { b: Vec3>, radius: f32, height: f32, - ) -> PrimitiveRef { + ) -> PrimitiveRef<'_, 'a, Cbn> { let segment = LineSegment3 { - start: a.as_(), - end: b.as_(), + start: a.as_().map(f32::round), + end: b.as_().map(f32::round), }; - self.prim(Primitive::SegmentPrism { + if segment.start.x == segment.end.x && segment.start.y == segment.end.y { + // Shear is not defined with a vertical line. + return self.prim(Node::Empty); + } + self.prim(Node::SegmentPrism { segment, radius, height, @@ -880,7 +5101,7 @@ impl Painter { ctrl1: Vec3>, end: Vec3>, radius: f32, - ) -> PrimitiveRef { + ) -> PrimitiveRef<'_, 'a, Cbn> { let bezier = CubicBezier3 { start: start.as_(), ctrl0: ctrl0.as_(), @@ -899,18 +5120,17 @@ impl Painter { bezier: CubicBezier3, radius: f32, num_segments: u16, - ) -> PrimitiveRef { - let mut bezier_prim = self.empty(); + ) -> PrimitiveRef<'_, 'a, Cbn> { let range: Vec<_> = (0..=num_segments).collect(); - range.windows(2).for_each(|w| { + let bezier_prim = self.union_all(range.windows(2).map(|w| { let segment_start = bezier.evaluate(w[0] as f32 / num_segments as f32); let segment_end = bezier.evaluate(w[1] as f32 / num_segments as f32); - bezier_prim = bezier_prim.union(self.line(segment_start, segment_end, radius)); - }); + self.line(segment_start, segment_end, radius).into() + })); bezier_prim } - /// Returns a `PrimitiveRef` of a 3-dimensional cubic bezier curve where the + /* /// Returns a `PrimitiveRef` of a 3-dimensional cubic bezier curve where the /// radius only governs the width of the curve. The height is governed /// by the `height` parameter where the shape extends upwards from the /// bezier curve by the value of `height`. The shape is constructed by @@ -924,7 +5144,7 @@ impl Painter { end: Vec3>, radius: f32, height: f32, - ) -> PrimitiveRef { + ) -> PrimitiveRef<'_, 'a> { let bezier = CubicBezier3 { start: start.as_(), ctrl0: ctrl0.as_(), @@ -947,113 +5167,174 @@ impl Painter { radius: f32, height: f32, num_segments: u16, - ) -> PrimitiveRef { - let mut bezier_prim = self.empty(); + ) -> PrimitiveRef<'_, 'a> { let range: Vec<_> = (0..=num_segments).collect(); - range.windows(2).for_each(|w| { + let bezier_prim = Node::union_all(self, range.windows(2).map(|w| { let segment_start = bezier.evaluate(w[0] as f32 / num_segments as f32); let segment_end = bezier.evaluate(w[1] as f32 / num_segments as f32); - bezier_prim = - bezier_prim.union(self.segment_prism(segment_start, segment_end, radius, height)); - }); - bezier_prim - } + self.segment_prism(segment_start, segment_end, radius, height).into() + })); + self.prim(bezier_prim) + } */ /// Returns a `PrimitiveRef` of a plane. The Aabr provides the bounds for /// the plane in the xy plane and the gradient determines its slope through /// the dot product. A gradient of <1.0, 0.0> creates a plane with a /// slope of 1.0 in the xz plane. - pub fn plane(&self, aabr: Aabr, origin: Vec3, gradient: Vec2) -> PrimitiveRef { + pub fn plane(&self, aabr: Aabr, origin: Vec3, gradient: Vec2) -> PrimitiveRef<'_, 'a, Cbn> { + /* // NOTE: A plane is now identical to a variant of a SegmentPrism. + // NOTE: Slope is z/x. + let extent = aabr.as_().size(); + let start = Vec3::new(aabr.min.x as f32, 0, 0); + let end = Vec3::new(aabr.max.x as f32, 0, x_dist * gradient); + self.segment_prism( + origin + start, + origin + end, + // TODO: Make sure we're handling fractions properly? + (aabr.max.y - aabr.min.y) as f32 / 2, + 1.0, + ); + pub fn segment_prism( + &self, + a: Vec3>, + b: Vec3>, + radius: f32, + height: f32, + ) -> PrimitiveRef<'_, 'a, Cbn> { + let segment = LineSegment3 { + start: origin + Vec3::from(aabr.min).as_().map(f32::round), + end: origin + aabr.max.with_z(aabr.max.x - aabr.min.x).as_().map(f32::round), + }; + if segment.start.x == segment.end.x && segment.start.y == segment.end.y { + // Shear is not defined with a vertical line. + return self.prim(Node::Empty); + } + self.prim(Node::SegmentPrism { + segment, + radius, + height, + }) let aabr = aabr.made_valid(); - self.prim(Primitive::Plane(aabr, origin, gradient)) + } */ + self.prim(Node::Plane(aabr, origin, gradient)) } /// Returns a `PrimitiveRef` of an Aabb with a slope cut into it. The /// `inset` governs the slope. The `dir` determines which direction the /// ramp points. - pub fn ramp(&self, aabb: Aabb, inset: i32, dir: Dir) -> PrimitiveRef { + pub fn ramp(&self, aabb: Aabb, inset: i32, dir: Dir) -> PrimitiveRef<'_, 'a, Cbn> { let aabb = aabb.made_valid(); - self.prim(Primitive::Ramp { aabb, inset, dir }) + self.prim(Node::Ramp { aabb, inset, dir }) } /// Returns a `PrimitiveRef` of a triangular prism with the base being /// vertical. A gable is a tent shape. The `inset` governs the slope of /// the gable. The `dir` determines which way the gable points. - pub fn gable(&self, aabb: Aabb, inset: i32, dir: Dir) -> PrimitiveRef { + pub fn gable(&self, aabb: Aabb, inset: i32, dir: Dir) -> PrimitiveRef<'_, 'a, Red> { let aabb = aabb.made_valid(); - self.prim(Primitive::Gable { aabb, inset, dir }) + self.prim(Node::Gable { aabb, inset, dir }) } /// Places a sprite at the provided location with the default rotation. - pub fn sprite(&self, pos: Vec3, sprite: SpriteKind) { - self.aabb(Aabb { + pub fn sprite(&self, pos: Vec3, sprite: SpriteKind, filler: &mut FillFn<'a, '_, F>) { + self.aabb/*::*/(Aabb { min: pos, max: pos + 1, }) - .fill(Fill::Sprite(sprite)) + .fill(filler.sprite(sprite), filler) } /// Places a sprite at the provided location with the provided orientation. - pub fn rotated_sprite(&self, pos: Vec3, sprite: SpriteKind, ori: u8) { - self.aabb(Aabb { + pub fn rotated_sprite(&self, pos: Vec3, sprite: SpriteKind, ori: u8, filler: &mut FillFn<'a, '_, F>) { + self.aabb/*::*/(Aabb { min: pos, max: pos + 1, }) - .fill(Fill::RotatedSprite(sprite, ori)) + .fill(filler.rotated_sprite(sprite, ori), filler) } /// Returns a `PrimitiveRef` of the largest pyramid with a slope of 1 that /// fits in the provided Aabb. - pub fn pyramid(&self, aabb: Aabb) -> PrimitiveRef { + pub fn pyramid(&self, aabb: Aabb) -> PrimitiveRef<'_, 'a, Cbn> { let inset = 0; let aabb = aabb.made_valid(); - self.prim(Primitive::Ramp { + self.prim(Node::Ramp { aabb, inset, dir: Dir::X, }) - .intersect(self.prim(Primitive::Ramp { + .intersect(self.prim(Node::Ramp { aabb, inset, dir: Dir::NegX, })) - .intersect(self.prim(Primitive::Ramp { + .intersect(self.prim(Node::Ramp { aabb, inset, dir: Dir::Y, })) - .intersect(self.prim(Primitive::Ramp { + .intersect(self.prim(Node::Ramp { aabb, inset, dir: Dir::NegY, })) } - /// Used to create a new `PrimitiveRef`. Requires the desired `Primitive` to + #[must_use] + /// Constructs a prefab structure at the current origin (I think). + /// + /// TODO: Cbn or Cbv? + pub fn prefab(&self, prefab: &'static PrefabStructure) -> PrimitiveRef<'_, 'a, Cbn> { + if prefab.get_bounds().size().reduce_min() == 0 { + self.empty().as_kind() + } else { + self.prim(Node::Prefab(prefab.into())) + } + } + + /// Used to create a new `PrimitiveRef`. Requires the desired `Primitive<'a>` to /// be supplied. - pub fn prim(&self, prim: Primitive) -> PrimitiveRef { + fn prim<'painter, Kind>(&'painter self, prim: Node<'a>) -> PrimitiveRef<'painter, 'a, Kind> { PrimitiveRef { - id: self.prims.borrow_mut().insert(prim), + id: self.prims.borrow_mut().insert(Primitive(prim)), painter: self, + kind: core::marker::PhantomData, } } /// Returns a `PrimitiveRef` of an empty primitive. Useful when additional /// primitives are unioned within a loop. - pub fn empty(&self) -> PrimitiveRef { self.prim(Primitive::Empty) } + /// + /// TODO: Cbn or Cbv? + pub fn empty/**/(&self) -> PrimitiveRef<'_, 'a, /*Cbn*//*Kind*/Red> { self.prim(Node::Empty) } /// Fills the supplied primitive with the provided `Fill`. - pub fn fill(&self, prim: impl Into>, fill: Fill) { - let prim = prim.into(); - if let Primitive::Union(a, b) = self.prims.borrow()[prim] { - self.fill(a, fill.clone()); - self.fill(b, fill); - } else { - self.fills.borrow_mut().push((prim, fill)); + pub fn fill(&self, prim: impl Into>>, fill: impl Fill + Copy, filler: &mut FillFn<'a, '_, F>) { + // NOTE: Historically it was beneficial to split out top-level unions here in order to make + // the call tree shorter, but this is not really necessary when drawing immediately. In + // the future, to get a better version of this effect (once we switch to linear-by-default + // PrimitiveRefs), we may change UnionAll to use a Vec or SmallVec representation, and/or + // some sort of Vec-in-arena approach. + return filler.fill(self, prim.into(), fill); + /* let prim = prim.into(); + let prims = self.prims.borrow(); + fn fill_inner<'a, F: Filler>(prims: &Store>, mut prim: Id>, fill: Fill<'_>, filler: &mut FillFn<'a, '_, F>) { + loop { + match prims[prim].0 { + Node::Union(a, b) => { + fill_inner(prims, a, fill, filler); + prim = b; + }, + Node::UnionAll(xs) => return xs.into_iter().for_each(|x| fill_inner(prims, *x, fill, filler)), + _ => /* self.fills.borrow_mut().push((prim, fill)), */return filler.fill(prims, prim, fill), + } + } } + // return filler.fill(&prims, prim.into(), fill); + fill_inner(&prims, prim, fill, filler); */ } - /// The area that the canvas is currently rendering. + /* /// The area that the canvas is currently rendering. pub fn render_aabr(&self) -> Aabr { self.render_area } /// Spawns an entity if it is in the render_aabr, otherwise does nothing. @@ -1061,67 +5342,175 @@ impl Painter { if self.render_area.contains_point(entity.pos.xy().as_()) { self.entities.borrow_mut().push(entity) } + } */ +} + +/// Type for codata (computations) +pub trait Negative {} + +/// Type for data (values) +pub trait Positive {} + +/// Types that can go either way (e.g. AABB, empty). +pub trait Neutral : Negative + Positive {} + +/// Cbn primitive refs are linear. +#[derive(Clone, Copy)] +pub struct Cbn; + +impl Negative for Cbn {} + +/// Cbv primitive refs are copyable. +#[derive(Clone, Copy)] +pub struct Cbv/*<'a> { + vol: &'a [Cell], +}*/; + +impl Positive for Cbv {} + +/// Fully reduced values are copyable and don't have any content. +#[derive(Clone, Copy)] +pub struct Red; + +impl Positive for Red {} + +impl Negative for Red {} + +impl Neutral for Red {} + +#[derive(Copy, Clone)] +/// PrimitiveRefs inherit copyability of their Kind. +pub struct PrimitiveRef<'painter, 'a, Kind> { + id: Id>, + painter: &'painter Painter<'a>, + kind: /*Kind*/core::marker::PhantomData, +} + +/* /// An Aabb is considered freely copyable (for the time being) since it is considered a "true" +/// value: there is no reduction required to determine which voxels are covered, so there's no need +/// to share the redex during call-by-need. It also enjoys some automatic optimizations, such as +/// in-place intersections with other AABBs, immediately applied matrix transformations, and the +/// ability to "force" other primitives. +#[derive(Copy, Clone)] +pub struct PrimitiveAabb<'painter, 'a> { + aabb: Aabb, + painter: &'painter Painter<'a>, +} + +/// A call-by-name primitive is able to have its reduction delayed until its evaluation is forced. +/// Generally speaking, it is desirable to delay forcing only until the smallest AABB known to +/// cover the primitive. If the primitive is shared, we currently conservatively assume that the +/// whole primitive must be sampled and therefore force it immediately, so it's advised to *not* +/// share primitives in cases where, e.g., they are intersected with a disjoint union. Thus, +/// call-by-name primitives in our formalism are linear and call-by-value primitives are nonlinear. + +/// Copyable version of a primitive intended for reuse. Since it knows it's going to be reused, it +/// implements call-by-need (rendering just once to a preallocated bitmap in integer-rotated world +/// space, which makes it efficient to sample and takes up much less space than a fill would). In +/// order to ensure that rotation order doesn't hurt query performance, the bitmap uses the format: +/// +/// x₀y₀z₀ x₀y₀z₁ x₀y₁z₀ x₀y₁z₁ x₁y₀z₀ x₁y₀z₁ x₁y₁z₀ x₁y₁z₁ +/// +/// This way, if the source is rendering using a 2×2 simd square in the xy plane, and the bitmap is +/// rotated so that xz or yz maps onto xy in world space, the square will always fall into a single +/// byte. +#[derive(Copy, Clone)] +pub struct PrimitiveRefExp<'painter, 'a> { + vol: &'a [Cell], + id: Id>, + painter: &'painter Painter<'a>, +} */ + +impl<'painter, 'a, Kind> From> for Id> { + fn from(r: PrimitiveRef<'painter, 'a, Kind>) -> Self { r.id } +} + +impl<'painter, 'a, Kind: Neutral> PrimitiveRef<'painter, 'a, Kind> { + /// Convert neutral primitives to any kind. + pub fn as_kind(self) -> PrimitiveRef<'painter, 'a, NewKind> { + PrimitiveRef { + id: self.id, + painter: self.painter, + kind: core::marker::PhantomData, + } } } -#[derive(Copy, Clone)] -pub struct PrimitiveRef<'a> { - id: Id, - painter: &'a Painter, -} - -impl<'a> From> for Id { - fn from(r: PrimitiveRef<'a>) -> Self { r.id } -} - -impl<'a> PrimitiveRef<'a> { +impl<'painter, 'a, Kind> PrimitiveRef<'painter, 'a, Kind> { /// Joins two primitives together by returning the total of the blocks of /// both primitives. In boolean logic this is an `OR` operation. #[must_use] - pub fn union(self, other: impl Into>) -> PrimitiveRef<'a> { - let (a, b) = self.painter.order_by_depth(self, other); - self.painter.prim(Primitive::union(a, b)) + pub fn union(self, other: /*impl Into>>*/Self) -> Self { + let (b, a) = self.painter.order_by_depth(self.id, other.into()); + self.painter.prim(Node::Union(a, b)) } /// Joins two primitives together by returning only overlapping blocks. In /// boolean logic this is an `AND` operation. #[must_use] - pub fn intersect(self, other: impl Into>) -> PrimitiveRef<'a> { - let (a, b) = self.painter.order_by_depth(self, other); - self.painter.prim(Primitive::intersect(a, b)) - } - - /// Subtracts the blocks of the `other` primitive from `self`. In boolean - /// logic this is a `NOT` operation. - #[must_use] - pub fn without(self, other: impl Into>) -> PrimitiveRef<'a> { - self.painter.prim(Primitive::without(self, other)) + pub fn intersect(self, other: /*impl Into>>*/Self) -> Self { + let (a, b) = self.painter.order_by_depth(self.id, other.into()); + self.painter.prim(Node::Intersect([a.into(), b.into()])) } /// Fills the primitive with `fill` and paints it into the world. - pub fn fill(self, fill: Fill) { self.painter.fill(self, fill); } + pub fn fill(self, fill: /*Fill<'_>*/impl Fill + Copy, filler: &mut FillFn<'a, '_, F>) { + self.painter.fill(self, fill, filler); + } /// Fills the primitive with empty blocks. This will subtract any /// blocks in the world that inhabit the same positions as the blocks in /// this primitive. - pub fn clear(self) { self.painter.fill(self, Fill::Block(Block::empty())); } - - /// Returns a `PrimitiveRef` that conforms to the provided sampling - /// function. - #[must_use] - pub fn sample(self, sampling: impl Fn(Vec3) -> bool + 'static) -> PrimitiveRef<'a> { - self.painter - .prim(Primitive::sampling(self, Box::new(sampling))) + pub fn clear(self, filler: &mut FillFn<'a, '_, F>) { + self.painter.fill(self, /*Fill::Block*/filler.block(Block::empty()), filler); } /// Rotates a primitive about it's own's bounds minimum point, #[must_use] - pub fn rotate_about_min(self, mat: Mat3) -> PrimitiveRef<'a> { - let point = Fill::get_bounds(&self.painter.prims.borrow(), self.into()).min; + pub fn rotate_about_min( + self, + /* cache: &mut BoundsMap, + * */ + mat: Mat3 + ) -> Self { + let mut cache = self.painter.bounds_cache.borrow_mut(); + let point = Painter::get_bounds(&mut *cache, &self.painter.prims.borrow(), self.id).min; self.rotate_about(mat, point) } } +impl<'painter, 'a, Kind: Positive> PrimitiveRef<'painter, 'a, Kind> { + /// Subtracts the blocks of the `other` primitive from `self`. In boolean + /// logic this is a `NOT` operation. + #[must_use] + pub fn without(self, other: /*impl Into>>*/PrimitiveRef<'painter, 'a, Ret>) -> Self { + Node::without(self.painter, self, other) + } +} + +impl<'painter, 'a, Kind: Copy> PrimitiveRef<'painter, 'a, Kind> { + pub fn repeat(self, offset: Vec3, count: /*u32*/u16) -> Self { + /* let count = count - 1; + let aabb = Self::get_bounds(cache, tree, *prim); + let aabb_corner = { + let min_red = aabb.min.map2(*offset, |a, b| if b < 0 { 0 } else { a }); + let max_red = aabb.max.map2(*offset, |a, b| if b < 0 { a } else { 0 }); + min_red + max_red + }; + let diff = pos - aabb_corner; + let min = diff + .map2(*offset, |a, b| if b == 0 { i32::MAX } else { a / b }) + .reduce_min() + .clamp(0, count as i32); + let pos = pos - offset * min; + Self::contains_at::(cache, tree, *prim, pos) + self.painter.prim(Node::repeat(self, offset, count)) */ + self.painter.union_all( + (0..count).map(|i| self.translate(offset * i32::from(i)).into()) + ) + } +} + /// A trait to more easily manipulate groups of primitives. pub trait PrimitiveTransform { /// Translates the primitive along the vector `trans`. @@ -1131,104 +5520,173 @@ pub trait PrimitiveTransform { /// multiplying each block position by the provided rotation matrix. #[must_use] fn rotate_about(self, rot: Mat3, point: Vec3>) -> Self; - /// Scales the primitive along each axis by the x, y, and z components of + /* /// Scales the primitive along each axis by the x, y, and z components of /// the `scale` vector respectively. #[must_use] - fn scale(self, scale: Vec3) -> Self; - /// Returns a `PrimitiveRef` of the primitive in addition to the same + fn scale(self, scale: Vec3) -> Self; */ + /* /// Returns a `PrimitiveRef` of the primitive in addition to the same /// primitive translated by `offset` and repeated `count` times, each time /// translated by an additional offset. #[must_use] - fn repeat(self, offset: Vec3, count: u32) -> Self; + fn repeat(self, offset: Vec3, count: /*u32*/u16) -> Self; */ } -impl<'a> PrimitiveTransform for PrimitiveRef<'a> { +impl<'painter, 'a, Kind> PrimitiveTransform for PrimitiveRef<'painter, 'a, Kind> { fn translate(self, trans: Vec3) -> Self { - self.painter.prim(Primitive::translate(self, trans)) + self.painter.prim(Node::translate(self, trans)) } fn rotate_about(self, rot: Mat3, point: Vec3>) -> Self { - self.painter.prim(Primitive::rotate_about(self, rot, point)) + self.painter.prim(Node::rotate_about(self, rot, point)) } - fn scale(self, scale: Vec3) -> Self { self.painter.prim(Primitive::scale(self, scale)) } - - fn repeat(self, offset: Vec3, count: u32) -> Self { - self.painter.prim(Primitive::repeat(self, offset, count)) - } + /* fn scale(self, scale: Vec3) -> Self { self.painter.prim(Node::scale(self, scale)) } */ } -impl<'a, const N: usize> PrimitiveTransform for [PrimitiveRef<'a>; N] { +impl<'painter, 'a, const N: usize, Kind> PrimitiveTransform for [PrimitiveRef<'painter, 'a, Kind>; N] { fn translate(mut self, trans: Vec3) -> Self { for prim in &mut self { - *prim = prim.translate(trans); + *prim = prim.painter.prim(Node::translate(prim.id, trans)); } self } fn rotate_about(mut self, rot: Mat3, point: Vec3>) -> Self { for prim in &mut self { - *prim = prim.rotate_about(rot, point); + *prim = prim.painter.prim(Node::rotate_about(prim.id, rot, point)); } self } - fn scale(mut self, scale: Vec3) -> Self { + /* fn scale(mut self, scale: Vec3) -> Self { for prim in &mut self { *prim = prim.scale(scale); } self - } + } */ - fn repeat(mut self, offset: Vec3, count: u32) -> Self { + /* fn repeat(mut self, offset: Vec3, count: /*u32*/u16) -> Self { for prim in &mut self { *prim = prim.repeat(offset, count); } self + } */ +} + +/* pub trait PrimitiveGroupFill<'a, const N: usize> { + fn fill_many(self, fills: [Fill<'a>; N]); +} */ + +/* impl<'painter, 'a, const N: usize, Kind> PrimitiveGroupFill<'a, N> for [PrimitiveRef<'painter, 'a, Kind>; N] { + fn fill_many(self, fills: [Fill<'a>; N]) { + core::iter::zip(self, fills).for_each(|(primitive, fill)| { + primitive.fill(fill); + }); } -} +} */ -pub trait PrimitiveGroupFill { - fn fill_many(self, fills: [Fill; N]); -} - -impl PrimitiveGroupFill for [PrimitiveRef<'_>; N] { - fn fill_many(self, fills: [Fill; N]) { - for i in 0..N { - self[i].fill(fills[i].clone()); - } - } -} - -pub trait Structure { - fn render(&self, site: &Site, land: &Land, painter: &Painter); - - // Generate a primitive tree and fills for this structure - fn render_collect( +pub trait Structure { + fn render<'b>( &self, site: &Site, - canvas: &CanvasInfo, - ) -> ( - Store, - Vec<(Id, Fill)>, - Vec, - ) { - let painter = Painter { - prims: RefCell::new(Store::default()), - fills: RefCell::new(Vec::new()), - entities: RefCell::new(Vec::new()), - render_area: Aabr { - min: canvas.wpos, - max: canvas.wpos + TerrainChunkSize::RECT_SIZE.map(|e| e as i32), - }, - }; + land: Land, + painter: &Painter<'b>, + filler: &mut FillFn<'b, '_, F>, + );/* where F: FillFn<'a>;*/ +} - self.render(site, &canvas.land(), &painter); - ( +/// Generate a primitive tree and fills for this structure, then render them. +pub fn render_collect<'b, 'c, F: Filler + 'c, Render: FnOnce(&Painter<'b>, &mut FillFn<'b, '_, F>)>( + arena: &'b bumpalo::Bump, + canvas_info: CanvasInfo<'c>, + render_area: Aabr, + filler: /*impl FnOnce(&'b mut Canvas<'a>) -> &'b mut F*/&'b mut F, + render: Render, +)/* -> ( + Store>, + Vec<(Id>, Fill<'a>)>, + Vec, +)*/ { + /* let canvas_info = canvas.info(); */ + let painter = Painter/*::*/::new(/*canvas.*/arena/*, render_area*/); + + // let bounds_cache = HashMap::default(); + // let arena = canvas.arena; + + /* let filler = filler(canvas); */ + let mut fill_fn: FillFn<'b, 'c, _> = FillFn { + // marker: core::marker::PhantomData, + // arena, + // bounds_cache, + filler, + render_area, + canvas_info, + // entities: Vec::new(), + }; + /* let filler = move |prim_tree: &Store>, prim: Id>, fill: Fill<'a>| { + fill.sample_at(arena, &mut bounds_cache, prim, prim_tree, render_area, &info, filler) + }; */ + + render(&painter, &mut fill_fn); + /* ( + painter.prims.into_inner(), + painter.fills.into_inner(), + painter.entities.into_inner(), + )*/ + /* self.entities */ +} + +impl<'a, 'b, 'c, F: Filler + 'b> dyn Structure/* + 'b*/ { + /// TODO: Land is the only part of info we really need, and is the part that *should* be passed + /// in as it needs to be passed to the render function (and is totally divored from the + /// rasterization strategy). The rest of CanvasInfo is only used in one place: a prefab hack. + /// Ideally, we should be able to fix the prefab hack and remove CanvasInfo as an argument, + /// which hopefully would both simplify the implementation and avoid any reference to Canvas in + /// the implementation of this structure (making it more abstract from the perspective of the + /// filler). + pub fn render_collect( + &'a self, + site: &'a Site, + arena: &'b bumpalo::Bump, + canvas_info: CanvasInfo<'c>, + render_area: Aabr, + filler: /*impl FnOnce(&'b mut Canvas<'a>) -> &'b mut F*/&'b mut F, + )/* -> ( + Store>, + Vec<(Id>, Fill<'a>)>, + Vec, + )*/ { + /* /* let canvas_info = canvas.info(); */ + let painter = Painter/*::*/::new(/*canvas.*/arena/*, render_area*/); + + // let bounds_cache = HashMap::default(); + // let arena = canvas.arena; + + /* let filler = filler(canvas); */ + let mut fill_fn: FillFn<'b, 'c, _> = FillFn { + // marker: core::marker::PhantomData, + // arena, + // bounds_cache, + filler, + render_area, + canvas_info, + // entities: Vec::new(), + }; + /* let filler = move |prim_tree: &Store>, prim: Id>, fill: Fill<'a>| { + fill.sample_at(arena, &mut bounds_cache, prim, prim_tree, render_area, &info, filler) + }; */ */ + + render_collect(arena, canvas_info, render_area, filler, move |painter, fill_fn| { + self.render(site, fill_fn.canvas_info.land(), &painter, fill_fn); + }); + + /* self.render(site, fill_fn.canvas_info.land(), &painter, &mut fill_fn); */ + /* ( painter.prims.into_inner(), painter.fills.into_inner(), painter.entities.into_inner(), - ) + )*/ + /* self.entities */ } } /// Extend a 2d AABR to a 3d AABB @@ -1241,18 +5699,19 @@ pub fn aabr_with_z(aabr: Aabr, z: std::ops::Range) -> Aabb { #[allow(dead_code)] /// Just the corners of an AABB, good for outlining stuff when debugging -pub fn aabb_corners Id>( +pub fn aabb_corners<'a, F: FnMut(Primitive<'a>) -> Id>>( prim: &mut F, aabb: Aabb, -) -> Id { +) -> Id> { let f = |prim: &mut F, ret, vec| { - let sub = prim(Primitive::Aabb(Aabb { + let sub = prim(Primitive(Node::Aabb(Aabb { min: aabb.min + vec, max: aabb.max - vec, - })); - prim(Primitive::Without(ret, sub)) + }))); + // Don't care about order for debugging. + prim(Primitive(Node::Without(ret, sub, false))) }; - let mut ret = prim(Primitive::Aabb(aabb)); + let mut ret = prim(Primitive(Node::Aabb(aabb))); ret = f(prim, ret, Vec3::new(1, 0, 0)); ret = f(prim, ret, Vec3::new(0, 1, 0)); ret = f(prim, ret, Vec3::new(0, 0, 1)); diff --git a/world/src/site2/mod.rs b/world/src/site2/mod.rs index 76a186803c..6fb3e0d299 100644 --- a/world/src/site2/mod.rs +++ b/world/src/site2/mod.rs @@ -5,7 +5,7 @@ pub mod util; use self::tile::{HazardKind, KeepKind, RoofKind, Tile, TileGrid, TileKind, TILE_SIZE}; pub use self::{ - gen::{aabr_with_z, Fill, Painter, Primitive, PrimitiveRef, Structure}, + gen::{aabr_with_z, render_collect, Fill, Filler, FillFn, Painter, Primitive, PrimitiveTransform, Structure}, plot::{Plot, PlotKind}, util::Dir, }; @@ -22,7 +22,7 @@ use common::{ terrain::{Block, BlockKind, SpriteKind, TerrainChunkSize}, vol::RectVolSize, }; -use hashbrown::hash_map::DefaultHashBuilder; +use hashbrown::{hash_map::DefaultHashBuilder, HashMap}; use rand::prelude::*; use rand_chacha::ChaChaRng; use std::ops::Range; @@ -386,6 +386,34 @@ impl Site { site } + pub fn generate_citadel(land: &Land, rng: &mut impl Rng, origin: Vec2) -> Self { + let mut rng = reseed(rng); + let mut site = Site { + origin, + ..Site::default() + }; + site.demarcate_obstacles(land); + let citadel = plot::Citadel::generate(origin, land, &mut rng); + site.name = citadel.name().to_string(); + let size = citadel.radius() / tile::TILE_SIZE as i32; + let aabr = Aabr { + min: Vec2::broadcast(-size), + max: Vec2::broadcast(size), + }; + let plot = site.create_plot(Plot { + kind: PlotKind::Citadel(citadel), + root_tile: aabr.center(), + tiles: aabr_tiles(aabr).collect(), + seed: rng.gen(), + }); + site.blit_aabr(aabr, Tile { + kind: TileKind::Building, + plot: Some(plot), + hard_alt: None, + }); + site + } + pub fn generate_gnarling(land: &Land, rng: &mut impl Rng, origin: Vec2) -> Self { let mut rng = reseed(rng); let mut site = Site { @@ -451,7 +479,7 @@ impl Site { ..Site::default() }; - site.demarcate_obstacles(land); + // site.demarcate_obstacles(land); site.make_plaza(land, &mut rng); @@ -866,7 +894,7 @@ impl Site { } } - pub fn render(&self, canvas: &mut Canvas, dynamic_rng: &mut impl Rng) { + pub fn render<'a>(&'a self, canvas: &mut Canvas<'a>, arena: &mut bumpalo::Bump, dynamic_rng: &mut impl Rng) { canvas.foreach_col(|canvas, wpos2d, col| { let tpos = self.wpos_tile_pos(wpos2d); @@ -1029,34 +1057,59 @@ impl Site { let info = canvas.info(); for plot in plots_to_render { - let (prim_tree, fills, mut entities) = match &self.plots[plot].kind { - PlotKind::House(house) => house.render_collect(self, canvas), - PlotKind::Workshop(workshop) => workshop.render_collect(self, canvas), - PlotKind::Castle(castle) => castle.render_collect(self, canvas), - PlotKind::Dungeon(dungeon) => dungeon.render_collect(self, canvas), - PlotKind::Gnarling(gnarling) => gnarling.render_collect(self, canvas), - PlotKind::GiantTree(giant_tree) => giant_tree.render_collect(self, canvas), - PlotKind::CliffTower(cliff_tower) => cliff_tower.render_collect(self, canvas), + common_base::prof_span!(guard, "site2::Site::render::plot_rendering"); + let structure: &dyn Structure> = match &self.plots[plot].kind { + PlotKind::House(house) => house, + PlotKind::Workshop(workshop) => workshop, + PlotKind::Castle(castle) => castle, + PlotKind::Dungeon(dungeon) => dungeon, + PlotKind::Gnarling(gnarling) => gnarling, + PlotKind::GiantTree(giant_tree) => giant_tree, + PlotKind::CliffTower(cliff_tower) => cliff_tower, + PlotKind::Citadel(citadel) => citadel, _ => continue, }; + drop(guard); - let mut spawn = |pos, last_block| { + /* let (prim_tree, fills, mut entities) = structure.render_collect(self, canvas); */ + common_base::prof_span!("site2::Site::render::plot_rasterization"); + + /* let mut bounds_cache = HashMap::default(); */ + /* let arena = canvas.arena; */ + let render_area = Aabr { + min: canvas.wpos, + max: canvas.wpos + TerrainChunkSize::RECT_SIZE.map(|e| e as i32), + }; + /* let mut entities = */structure.render_collect( + self, + arena, + info, + render_area, + /*|canvas| */canvas, + ); + // NOTE: Clearing out the primitives between renders costs us nothing, because any + // chunks that get deallocated were going to be eventually deallocated anyway, while + // the current chunk remains for reuse. So this just ends up saving memory. + arena.reset(); + + /* let mut spawn = |pos, last_block| { if let Some(entity) = match &self.plots[plot].kind { PlotKind::GiantTree(tree) => tree.entity_at(pos, &last_block, dynamic_rng), _ => None, } { - entities.push(entity); + canvas.spawn(entity); } - }; + }; */ - for (prim, fill) in fills { - for mut aabb in Fill::get_bounds_disjoint(&prim_tree, prim) { + /* for (prim, fill) in fills { + /*Fill::get_bounds_disjoint*/fill.sample_at(arena, &mut bounds_cache, &prim_tree, prim, chunk_aabr, &info, /* |pos| { + /* for mut aabb in Fill::get_bounds_disjoint(&mut bounds_cache, &prim_tree, prim) { aabb.min = Vec2::max(aabb.min.xy(), chunk_aabr.min).with_z(aabb.min.z); aabb.max = Vec2::min(aabb.max.xy(), chunk_aabr.max).with_z(aabb.max.z); for x in aabb.min.x..aabb.max.x { for y in aabb.min.y..aabb.max.y { - let col_tile = self.wpos_tile(Vec2::new(x, y)); + /* let col_tile = self.wpos_tile(Vec2::new(x, y)); if /* col_tile.is_building() && */ col_tile @@ -1066,32 +1119,40 @@ impl Site { .map_or(false, |(a, b)| a.end > b.end) { continue; - } + } */ let mut last_block = None; for z in aabb.min.z..aabb.max.z { - let pos = Vec3::new(x, y, z); + let pos = Vec3::new(x, y, z); */ canvas.map(pos, |block| { let current_block = - fill.sample_at(&prim_tree, prim, pos, &info, block); - if let (Some(last_block), None) = (last_block, current_block) { + fill.sample_at( + /* &mut bounds_cache, + &prim_tree, + prim, */ + pos, + &info, + block, + ); + /* if let (Some(last_block), None) = (last_block, current_block) { spawn(pos, last_block); } - last_block = current_block; + last_block = current_block; */ current_block.unwrap_or(block) }); - } + /* } if let Some(block) = last_block { spawn(Vec3::new(x, y, aabb.max.z), block); } } } - } - } + }*/ + }*/canvas); + } */ - for entity in entities { + /* for entity in entities { canvas.spawn(entity); - } + } */ } } diff --git a/world/src/site2/plot.rs b/world/src/site2/plot.rs index 9b6c2d4c4f..81522c7ace 100644 --- a/world/src/site2/plot.rs +++ b/world/src/site2/plot.rs @@ -1,4 +1,5 @@ mod castle; +mod citadel; mod cliff_tower; pub mod dungeon; mod giant_tree; @@ -7,7 +8,8 @@ mod house; mod workshop; pub use self::{ - castle::Castle, cliff_tower::CliffTower, dungeon::Dungeon, giant_tree::GiantTree, + castle::Castle, citadel::Citadel, cliff_tower::CliffTower, + dungeon::Dungeon, giant_tree::GiantTree, gnarling::GnarlingFortification, house::House, workshop::Workshop, }; @@ -53,5 +55,6 @@ pub enum PlotKind { Dungeon(Dungeon), Gnarling(GnarlingFortification), GiantTree(GiantTree), + Citadel(Citadel), CliffTower(CliffTower), } diff --git a/world/src/site2/plot/castle.rs b/world/src/site2/plot/castle.rs index 05afc40bcd..ac12328a4e 100644 --- a/world/src/site2/plot/castle.rs +++ b/world/src/site2/plot/castle.rs @@ -41,8 +41,8 @@ impl Castle { } } -impl Structure for Castle { - fn render(&self, site: &Site, _land: &Land, painter: &Painter) { +impl Structure for Castle { + fn render<'a>(&self, site: &Site, _land: Land, painter: &Painter<'a>, filler: &mut FillFn<'a, '_, F>) { let wall_height = 24; let parapet_height = 2; let parapet_gap = 2; @@ -55,20 +55,22 @@ impl Structure for Castle { let wall_rgb = Rgb::new(38, 46, 43); // Flatten inside of the castle painter.fill( - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: site.tile_wpos(self.tile_aabr.min).with_z(self.gate_alt), max: site .tile_wpos(self.tile_aabr.max) .with_z(self.alt + tower_height), - })), - Fill::Block(Block::empty()), + }), + filler.block(Block::empty()), + filler, ); painter.fill( - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: site.tile_wpos(self.tile_aabr.min).with_z(self.gate_alt), max: site.tile_wpos(self.tile_aabr.max).with_z(self.gate_alt + 1), - })), - Fill::Block(Block::new(BlockKind::Rock, Rgb::new(55, 45, 65))), + }), + filler.block(Block::new(BlockKind::Rock, Rgb::new(55, 45, 65))), + filler, ); for x in 0..self.tile_aabr.size().w { for y in 0..self.tile_aabr.size().h { @@ -77,93 +79,95 @@ impl Structure for Castle { match site.tiles.get(tile_pos).kind.clone() { TileKind::Wall(ori) => { let dir = ori.to_vec2(); - let wall = painter.prim(Primitive::Aabb(Aabb { + let wall = painter.aabb(Aabb { min: wpos.with_z(self.alt - 20), max: (wpos + ts).with_z(self.alt + wall_height), - })); + }); // TODO Figure out logic to choose on on which site wall should be placed // (inner, outer) - let parapet = painter.prim(Primitive::Aabb(Aabb { + let parapet = painter.aabb(Aabb { min: (wpos - dir.yx()).with_z(self.alt + wall_height), max: (wpos + ts * dir).with_z(self.alt + wall_height + parapet_height), - })); - let parapet2 = painter.prim(Primitive::Aabb(Aabb { + }); + let parapet2 = painter.aabb(Aabb { min: (wpos + ts * dir.yx()).with_z(self.alt + wall_height), max: (wpos + (ts + 1) * dir.yx() + ts * dir) .with_z(self.alt + wall_height + parapet_height), - })); - let cut_sides = painter.prim(Primitive::Aabb(Aabb { + }); + let cut_sides = painter.aabb(Aabb { min: (wpos + parapet_offset * dir - dir.yx()) .with_z(self.alt + wall_height + parapet_height - 1), max: (wpos + (ts + 1) * dir.yx() + (parapet_offset + parapet_gap) * dir) .with_z(self.alt + wall_height + parapet_height), - })); + }); - painter.fill(wall, Fill::Brick(BlockKind::Rock, wall_rgb, 12)); - let sides = painter.prim(Primitive::union(parapet, parapet2)); - painter.fill(sides, Fill::Brick(BlockKind::Rock, wall_rgb, 12)); + painter.fill(wall, filler.brick(BlockKind::Rock, wall_rgb, 12), filler); + let sides = parapet.union(parapet2); + painter.fill(sides, filler.brick(BlockKind::Rock, wall_rgb, 12), filler); if (x + y).is_odd() { painter.fill( - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: (wpos + 2 * dir - dir.yx()).with_z(self.alt - 20), max: (wpos + 4 * dir + (ts + 1) * dir.yx()) .with_z(self.alt + wall_height), - })), - Fill::Brick(BlockKind::Rock, wall_rgb, 12), + }), + filler.brick(BlockKind::Rock, wall_rgb, 12), + filler, ); } else { - let window_top = painter.prim(Primitive::Aabb(Aabb { + let window_top = painter.aabb(Aabb { min: (wpos + 2 * dir).with_z(self.alt + wall_height / 4 + 9), max: (wpos + (ts - 2) * dir + dir.yx()) .with_z(self.alt + wall_height / 4 + 12), - })); - let window_bottom = painter.prim(Primitive::Aabb(Aabb { + }); + let window_bottom = painter.aabb(Aabb { min: (wpos + 1 * dir).with_z(self.alt + wall_height / 4), max: (wpos + (ts - 1) * dir + dir.yx()) .with_z(self.alt + wall_height / 4 + 9), - })); - let window_top2 = painter.prim(Primitive::Aabb(Aabb { + }); + let window_top2 = painter.aabb(Aabb { min: (wpos + 2 * dir + (ts - 1) * dir.yx()) .with_z(self.alt + wall_height / 4 + 9), max: (wpos + (ts - 2) * dir + ts * dir.yx()) .with_z(self.alt + wall_height / 4 + 12), - })); - let window_bottom2 = painter.prim(Primitive::Aabb(Aabb { + }); + let window_bottom2 = painter.aabb(Aabb { min: (wpos + 1 * dir + (ts - 1) * dir.yx()) .with_z(self.alt + wall_height / 4), max: (wpos + (ts - 1) * dir + ts * dir.yx()) .with_z(self.alt + wall_height / 4 + 9), - })); + }); - painter.fill(window_bottom, Fill::Block(Block::empty())); - painter.fill(window_top, Fill::Block(Block::empty())); - painter.fill(window_bottom2, Fill::Block(Block::empty())); - painter.fill(window_top2, Fill::Block(Block::empty())); + painter.fill(window_bottom, filler.block(Block::empty()), filler); + painter.fill(window_top, filler.block(Block::empty()), filler); + painter.fill(window_bottom2, filler.block(Block::empty()), filler); + painter.fill(window_top2, filler.block(Block::empty()), filler); } - painter.fill(cut_sides, Fill::Block(Block::empty())); + painter.fill(cut_sides, filler.block(Block::empty()), filler); }, TileKind::Tower(roof) => { let tower_total_height = self.alt + wall_height + parapet_height + tower_height; - let tower_lower = painter.prim(Primitive::Aabb(Aabb { + let tower_lower = painter.aabb(Aabb { min: (wpos - 1).with_z(self.alt - 20), max: (wpos + ts + 1).with_z(tower_total_height), - })); - painter.fill(tower_lower, Fill::Brick(BlockKind::Rock, wall_rgb, 12)); - let tower_upper = painter.prim(Primitive::Aabb(Aabb { + }); + painter.fill(tower_lower, filler.brick(BlockKind::Rock, wall_rgb, 12), filler); + let tower_upper = painter.aabb(Aabb { min: (wpos - 2).with_z(tower_total_height - 4i32), max: (wpos + ts + 2).with_z(tower_total_height - 2i32), - })); - let tower_upper2 = painter.prim(Primitive::Aabb(Aabb { + }); + let tower_upper2 = painter.aabb(Aabb { min: (wpos - 3).with_z(tower_total_height - 2i32), max: (wpos + ts + 3).with_z(tower_total_height), - })); + }); painter.fill( - painter.prim(Primitive::union(tower_upper, tower_upper2)), - Fill::Brick(BlockKind::Rock, wall_rgb, 12), + tower_upper.union(tower_upper2), + filler.brick(BlockKind::Rock, wall_rgb, 12), + filler, ); match roof { @@ -172,60 +176,63 @@ impl Structure for Castle { let roof_height = (ts + 3) / 2 + roof_lip + 1; painter.fill( - painter.prim(Primitive::Pyramid { - aabb: Aabb { + painter.pyramid( + Aabb { min: (wpos - 3 - roof_lip).with_z(tower_total_height), max: (wpos + ts + 3 + roof_lip) .with_z(tower_total_height + roof_height), }, - inset: roof_height, - }), - Fill::Brick(BlockKind::Wood, Rgb::new(40, 5, 11), 10), + // roof_height, + ), + filler.brick(BlockKind::Wood, Rgb::new(40, 5, 11), 10), + filler, ); }, RoofKind::Parapet => { - let tower_top_outer = painter.prim(Primitive::Aabb(Aabb { + let tower_top_outer = painter.aabb(Aabb { min: (wpos - 3).with_z( self.alt + wall_height + parapet_height + tower_height, ), max: (wpos + ts + 3) .with_z(tower_total_height + parapet_height), - })); - let tower_top_inner = painter.prim(Primitive::Aabb(Aabb { + }); + let tower_top_inner = painter.aabb(Aabb { min: (wpos - 2).with_z(tower_total_height), max: (wpos + ts + 2) .with_z(tower_total_height + parapet_height), - })); + }); tower_top_outer .union(tower_top_inner) .without(tower_top_outer.intersect(tower_top_inner)) - .fill(Fill::Brick(BlockKind::Rock, wall_rgb, 12)); + .fill(filler.brick(BlockKind::Rock, wall_rgb, 12), filler); for x in (wpos.x..wpos.x + ts).step_by(2 * parapet_gap as usize) { painter.fill( - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: Vec3::new(x, wpos.y - 3, tower_total_height + 1), max: Vec3::new( x + parapet_gap, wpos.y + ts + 3, tower_total_height + parapet_height, ), - })), - Fill::Block(Block::empty()), + }), + filler.block(Block::empty()), + filler, ); } for y in (wpos.y..wpos.y + ts).step_by(2 * parapet_gap as usize) { painter.fill( - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: Vec3::new(wpos.x - 3, y, tower_total_height + 1), max: Vec3::new( wpos.x + ts + 3, y + parapet_gap, tower_total_height + parapet_height, ), - })), - Fill::Block(Block::empty()), + }), + filler.block(Block::empty()), + filler, ); } @@ -233,19 +240,21 @@ impl Structure for Castle { let pos = wpos - 3 + (ts + 6) * cpos - cpos; let pos2 = wpos - 2 + (ts + 4) * cpos - cpos; painter.fill( - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: pos.with_z(tower_total_height - 2), max: (pos + 1) .with_z(tower_total_height + parapet_height), - })), - Fill::Block(Block::empty()), + }), + filler.block(Block::empty()), + filler, ); painter.fill( - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: pos2.with_z(tower_total_height - 4), max: (pos2 + 1).with_z(tower_total_height - 2), - })), - Fill::Block(Block::empty()), + }), + filler.block(Block::empty()), + filler, ); } }, @@ -257,14 +266,15 @@ impl Structure for Castle { for i in 0..keep_levels + 1 { let height = keep_level_height * i; painter.fill( - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: wpos.with_z(self.alt + height), max: (wpos + ts).with_z(self.alt + height + 1), - })), - Fill::Block(Block::new( + }), + filler.block(Block::new( BlockKind::Wood, Rgb::new(89, 44, 14), )), + filler, ); } }, @@ -291,47 +301,52 @@ impl Structure for Castle { .with_z(self.alt + wall_height), }; painter.fill( - painter.prim(Primitive::Aabb(gate_aabb)), - Fill::Brick(BlockKind::Rock, wall_rgb, 12), + painter.aabb(gate_aabb), + filler.brick(BlockKind::Rock, wall_rgb, 12), + filler, ); painter.fill( - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: (gate_aabb.min + Vec3::unit_x() * 2 + Vec3::unit_z() * 2), max: (gate_aabb.max - Vec3::unit_x() * 2 - Vec3::unit_z() * 16), - })), - Fill::Block(Block::empty()), + }), + filler.block(Block::empty()), + filler, ); let height = self.alt + wall_height - 17; for i in 1..5 { painter.fill( - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: Vec3::new(gate_aabb.min.x + 2 + i, gate_aabb.min.y, height + i as i32), max: Vec3::new( gate_aabb.max.x - 2 - i, gate_aabb.max.y, height + i as i32 + 1, ), - })), - Fill::Block(Block::empty()), + }), + filler.block(Block::empty()), + filler, ); } let height = self.alt + wall_height - 7; for x in (gate_aabb.min.x + 1..gate_aabb.max.x - 2).step_by(4) { painter.fill( - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: Vec3::new(x, gate_aabb.min.y + 1, height - 13), max: Vec3::new(x + 2, gate_aabb.min.y + 2, height), - })), - Fill::Brick(BlockKind::Rock, Rgb::new(27, 35, 32), 8), + }), + filler.brick(BlockKind::Rock, Rgb::new(27, 35, 32), 8), + filler, ); } for z in (height - 12..height).step_by(4) { painter.fill( - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: Vec3::new(gate_aabb.min.x + 2, gate_aabb.min.y + 1, z), max: Vec3::new(gate_aabb.max.x - 2, gate_aabb.min.y + 2, z + 2), - })), - Fill::Brick(BlockKind::Rock, Rgb::new(27, 35, 32), 8), + }), + filler.brick(BlockKind::Rock, Rgb::new(27, 35, 32), 8), + filler, ); } } diff --git a/world/src/site2/plot/citadel.rs b/world/src/site2/plot/citadel.rs new file mode 100644 index 0000000000..e92688aad5 --- /dev/null +++ b/world/src/site2/plot/citadel.rs @@ -0,0 +1,178 @@ +use super::*; +use crate::{ + assets::AssetHandle, + site2::util::Dir, + util::{attempt, sampler::Sampler, RandomField, NEIGHBORS}, + Land, +}; +use common::{ + generation::{ChunkSupplement, EntityInfo}, + terrain::{Structure as PrefabStructure, StructuresGroup}, +}; +use kiddo::{distance::squared_euclidean, KdTree}; +use lazy_static::lazy_static; +use rand::prelude::*; +use std::ops::{Add, Div, Mul}; +use vek::*; + +struct Cell { + alt: i32, + colonade: Option, +} + +const CELL_SIZE: i32 = 16; + +pub struct Citadel { + name: String, + seed: u32, + origin: Vec3, + radius: i32, + grid: Grid>, +} + +impl Citadel { + pub fn generate(wpos: Vec2, land: &Land, rng: &mut impl Rng) -> Self { + let alt = land.get_alt_approx(wpos) as i32; + + let name = NameGen::location(rng).generate_town(); + let seed = rng.gen(); + let origin = wpos.with_z(alt); + + let radius = 150; + + let cell_radius = radius / CELL_SIZE; + let mut grid = Grid::populate_from(Vec2::broadcast((cell_radius + 1) * 2), |pos| { + let rpos = pos - cell_radius; + if rpos.magnitude_squared() < cell_radius.pow(2) { + let height = Lerp::lerp( + 120.0, + 24.0, + rpos.map(i32::abs).reduce_max() as f32 / cell_radius as f32, + ); + let level_height = 32.0; + Some(Cell { + alt: land + .get_alt_approx(wpos + rpos * CELL_SIZE + CELL_SIZE / 2) + .add(height) + .div(level_height) + .floor() + .mul(level_height) as i32, + colonade: None, + }) + } else { + None + } + }); + + for y in 0..grid.size().y { + for x in 0..grid.size().x { + let pos = Vec2::new(x, y); + if let Some(min_alt) = NEIGHBORS + .into_iter() + .filter_map(|rpos| Some(grid.get(pos + rpos)?.as_ref()?.alt)) + .min() + { + let Some(Some(cell)) = grid.get_mut(pos) + else { continue }; + if min_alt < cell.alt { + cell.colonade = Some(min_alt); + } + } + } + } + + Self { + name, + seed, + origin, + radius, + grid, + } + } + + pub fn name(&self) -> &str { &self.name } + + pub fn radius(&self) -> i32 { self.radius } + + pub fn spawn_rules(&self, wpos: Vec2) -> SpawnRules { + SpawnRules { + trees: (wpos - self.origin).map(i32::abs).reduce_max() > self.radius, + waypoints: false, + ..SpawnRules::default() + } + } + + fn wpos_cell(&self, wpos: Vec2) -> Vec2 { + (wpos - self.origin) / CELL_SIZE + self.grid.size() / 2 + } + + fn cell_wpos(&self, pos: Vec2) -> Vec2 { + (pos - self.grid.size() / 2) * CELL_SIZE + self.origin + } +} + +impl Structure for Citadel { + fn render<'a>(&self, _site: &Site, land: Land, painter: &Painter<'a>, filler: &mut FillFn<'a, '_, F>) { + let brick = filler.brick(BlockKind::Rock, Rgb::new(100, 100, 100), 20); + for (pos, cell) in self.grid.iter_area( + self.wpos_cell(filler.render_aabr().min) - 1, + Vec2::::from(filler.render_aabr().size()) / CELL_SIZE + 2, + ) { + if let Some(cell) = cell { + let wpos = self.cell_wpos(pos); + // Clear space above + painter + .aabb(Aabb { + min: wpos.with_z(cell.alt), + max: (wpos + CELL_SIZE).with_z(cell.alt + 16), + }) + .clear(filler); + + let /*mut */prim = painter.aabb(Aabb { + min: wpos.with_z(land.get_alt_approx(wpos + CELL_SIZE / 2) as i32 - 32), + max: (wpos + CELL_SIZE).with_z(cell.alt), + })/*.as_kind()*/; + prim.fill(brick, filler); + + // Walls around cells + for dir in CARDINALS { + if self + .grid + .get(pos + dir) + .and_then(Option::as_ref) + .map_or(true, |near| near.alt < cell.alt) + { + let offset = wpos + CELL_SIZE / 2 + dir * CELL_SIZE / 2; + let rad = dir.map(|e| if e == 0 { CELL_SIZE / 2 + 1 } else { 1 }); + let height = if pos.sum() % 2 == 0 { 5 } else { 2 }; + /*prim = prim.union(*/painter.aabb(Aabb { + min: (offset - rad).with_z(cell.alt - 6), + max: (offset + rad).with_z(cell.alt + height), + })./*as_kind()*/fill(brick, filler); + } + } + + // prim.fill(filler.brick(BlockKind::Rock, Rgb::new(100, 100, 100), 20), filler); + + // Colonades under cells + if let Some(colonade_alt) = cell.colonade { + let hole = painter + .aabb(Aabb { + min: wpos.with_z(colonade_alt), + max: (wpos + CELL_SIZE).with_z(cell.alt), + }) + .as_kind() + .intersect(painter.superquadric( + Aabb { + min: (wpos - 1).with_z(colonade_alt - 32), + max: (wpos + 1 + CELL_SIZE).with_z(cell.alt - 1), + }, + 2.5, + )); + hole.clear(filler); + /* prim = /*prim.without(hole)*/hole; */ + } + } + } + } +} diff --git a/world/src/site2/plot/cliff_tower.rs b/world/src/site2/plot/cliff_tower.rs index c391586ce7..afd8c13697 100644 --- a/world/src/site2/plot/cliff_tower.rs +++ b/world/src/site2/plot/cliff_tower.rs @@ -8,7 +8,7 @@ use common::{ terrain::{BlockKind, SpriteKind}, }; use rand::prelude::*; -use std::{mem, sync::Arc}; +use std::mem; use vek::*; /// Represents house data generated by the `generate()` method @@ -39,8 +39,8 @@ impl CliffTower { } } -impl Structure for CliffTower { - fn render(&self, _site: &Site, _land: &Land, painter: &Painter) { +impl Structure for CliffTower { + fn render<'a>(&self, _site: &Site, _land: Land, painter: &Painter<'a>, filler: &mut FillFn<'a, '_, F>) { let base = self.alt + 1; let center = self.bounds.center(); let variant_pos = center.with_z(base); @@ -53,9 +53,11 @@ impl Structure for CliffTower { let mut height = 18 + variant / 2; let (mut stair_pos1, mut stair_pos2) = (center - 3, center + 3); let mut floor_level = base - 40; - let brick = Fill::Sampling(Arc::new(|variant_pos| { - Some( - match (RandomField::new(0).get(Vec3::new(variant_pos.z, 0, 0))) % 15 { + fn brick_fill<'a>(arena: &'a bumpalo::Bump, range: Range) -> impl Fn(Vec3) -> Option + 'a { + // Precompute bricks for each height level. + let start = range.start; + let bricks = &*arena.alloc_slice_fill_iter(/*(0..x_bounds)*/range.map(|z| { + match (RandomField::new(0).get(Vec3::new(z, 0, 0))) % 15 { 0 => Block::new(BlockKind::Rock, Rgb::new(51, 89, 118)), 1 => Block::new(BlockKind::Rock, Rgb::new(57, 96, 126)), 2 => Block::new(BlockKind::Rock, Rgb::new(59, 103, 136)), @@ -71,21 +73,54 @@ impl Structure for CliffTower { 12 => Block::new(BlockKind::Rock, Rgb::new(52, 63, 72)), 13 => Block::new(BlockKind::Rock, Rgb::new(74, 128, 168)), _ => Block::new(BlockKind::Rock, Rgb::new(69, 123, 162)), - }, - ) - })); - let wood = Fill::Brick(BlockKind::Wood, Rgb::new(106, 83, 51), 12); - let color = Fill::Block(Block::air(SpriteKind::CliffDecorBlock)); - let window = Fill::Block(Block::air(SpriteKind::WindowArabic)); - let window2 = Fill::Block(Block::air(SpriteKind::WindowArabic).with_ori(2).unwrap()); + } + })); + // move |pos| bricks.get((pos.z - start) as usize).copied() + move |pos| (pos.z - start).try_into().ok().and_then(|z: usize| bricks.get(z).copied()) + } + + let brick_fill = brick_fill(painter.arena, floor_level..floor_level + (storeys + 1) * height); + /* let brick_fill = &*painter.arena.alloc_with(move || brick_fill); */ + let brick = /*Fill::Sampling*/filler.sampling(&brick_fill); + let wood = filler.brick(BlockKind::Wood, Rgb::new(106, 83, 51), 12); + let color = filler.block(Block::air(SpriteKind::CliffDecorBlock)); + let window = filler.block(Block::air(SpriteKind::WindowArabic)); + let window2 = filler.block(Block::air(SpriteKind::WindowArabic).with_ori(2).unwrap()); for s in 0..storeys { + let old_x_offset = RandomField::new(0).get((center - (width+1)).with_z(base)) as i32 % 10; + let old_y_offset = RandomField::new(0).get((center + (width+1)).with_z(base)) as i32 % 10; + let old_super_center = Vec2::new(center.x - 3 + old_x_offset / 2, center.y - 3 + old_y_offset / 2); + let x_offset = RandomField::new(0).get((center - length).with_z(base)) as i32 % 10; let y_offset = RandomField::new(0).get((center + length).with_z(base)) as i32 % 10; let super_center = Vec2::new(center.x - 3 + x_offset / 2, center.y - 3 + y_offset / 2); let room1_type = RandomField::new(0).get((center - length).with_z(base)) as i32 % 2; let room2_type = RandomField::new(0).get((center - length - 1).with_z(base)) as i32 % 2; // CliffTower Hoodoo Overlay - painter + + let min_super_center = Vec2::::partial_min(old_super_center, super_center); + let max_super_center = Vec2::::partial_max(old_super_center, super_center); + let max_length = length.max(width); + + /*if s + 1 != storeys */{ + /*painter + .aabb(Aabb { + min: (min_super_center - max_length + 2).with_z(floor_level - height / 2), + max: (max_super_center + max_length + 1).with_z(floor_level + max_length.min(height / 2)), + }).as_kind() + .intersect*/( + painter.line_two_radius( + old_super_center.with_z(floor_level - height), + super_center.with_z(floor_level), + (width - 2) as f32, + (length - 1) as f32, + 1.0, + ) + ) + .fill(brick, filler); + } + + /* painter .cubic_bezier( super_center.with_z(floor_level + (height / 2)), (super_center - x_offset).with_z(floor_level + height), @@ -93,7 +128,47 @@ impl Structure for CliffTower { super_center.with_z(floor_level + (2 * height)), (length - 1) as f32, ) - .fill(brick.clone()); + .fill(brick); */ + /* let diverge = ((x_offset * x_offset + y_offset * y_offset) as f32).sqrt(); */ + /* painter.aabb(Aabb { + min: Vec2::new(super_center.x - length + 1, super_center.y - length + 1) + .with_z(floor_level + (height / 2)), + max: Vec2::new(super_center.x + length - 1 - diverge as i32, super_center.y + length - 1 - diverge as i32) + .with_z(floor_level + (height) + (height / 4)), + }).as_kind() + .intersect( + painter.superquadric/*_sheared*/( + Aabb { + min: super_center.with_z(floor_level + (height / 2)) + + Vec3::new(-length + 1, - length + 1, /*- length + 1*/- length + 1), + max: super_center.with_z(floor_level + (height) + (height / 4)) + + Vec3::new(-/*(x_offset + y_offset) / 2*/diverge as i32 + length, -/*(x_offset + y_offset) / 2*/diverge as i32 + length, /*length*/length), + }, + /*Vec2::new(/*(*/-/*(x_offset + y_offset) / 2) as f32*/diverge / (((height) + (height / 4)) as f32), -/*(x_offset + y_offset) as f32*/diverge / (((height) + (height / 4)) as f32)),*/ + 2.01, + ) + ) + .fill(brick); + painter.aabb(Aabb { + min: Vec2::new(super_center.x + length - 1 - diverge as i32, super_center.y + length - 1 - diverge as i32) + .with_z(floor_level + (height) + (height / 4)), + max: Vec2::new(super_center.x - length + 1, super_center.y - length + 1) + .with_z(floor_level + (2 * height) - (height / 4)), + }).as_kind() + .intersect( + painter.superquadric/*_sheared*/( + Aabb { + min: super_center.with_z(floor_level + (height)/* + (height / 4)*/) + + Vec3::new(-/*x_offset / 2*/diverge as i32 + length, -/*y_offset / 2*/diverge as i32 + length, /*length*/length), + max: super_center.with_z(floor_level + (2 * height) - (height / 4)) + + Vec3::new(-length + 1, - length + 1, /*- length + 1*/- length + 1), + }, + /* Vec2::new(/*((x_offset + y_offset) / 2) as f32*/diverge / (((height) + (height / 2) - (height / 4)) as f32), /*((x_offset + y_offset) / 2) as f32*/diverge / (((height) + (height / 4)) as f32)), */ + 2.01, + ) + ) + .fill(brick); */ + // only inhabit towers with enough storeys to have entries above ground if storeys > 3 { // wood or rocky platforms @@ -106,25 +181,15 @@ impl Structure for CliffTower { painter .superquadric( Aabb { - min: (super_center - (5 * (length / 3)) + 3) - .with_z(floor_level), - max: (super_center + (5 * (length / 3)) - 3) - .with_z(floor_level + 2), + min: (super_center - (5 * (length / 3)) + 2) + .with_z(floor_level + 1), + max: (super_center + (5 * (length / 3)) - 1) + .with_z(floor_level + 5), }, 6.0, ) - .fill(wood.clone()); - painter - .prim(Primitive::without( - painter.superquadric( - Aabb { - min: (super_center - (5 * (length / 3)) + 2) - .with_z(floor_level + 1), - max: (super_center + (5 * (length / 3)) - 1) - .with_z(floor_level + 5), - }, - 6.0, - ), + .fill(wood, filler); + /*.without(*/ painter.superquadric( Aabb { min: (super_center - (5 * (length / 3)) + 2) @@ -133,9 +198,21 @@ impl Structure for CliffTower { .with_z(floor_level + 5), }, 6.0, - ), - )) - .fill(wood.clone()); + )/*, + ) + .fill(wood);*/ + .clear(filler); + painter + .superquadric( + Aabb { + min: (super_center - (5 * (length / 3)) + 3) + .with_z(floor_level), + max: (super_center + (5 * (length / 3)) - 3) + .with_z(floor_level + 2), + }, + 6.0, + ) + .fill(wood, filler); // lanterns & random sprites for wood platform corners for dir in SQUARE_4 { let corner_pos = super_center - (5 * (length / 4)); @@ -151,6 +228,7 @@ impl Structure for CliffTower { 5 => SpriteKind::Pot, _ => SpriteKind::Lantern, }, + filler, ); } // planters for larger wood platforms @@ -173,11 +251,12 @@ impl Structure for CliffTower { ) .with_z(floor_level + 6), }) - .clear(); + .clear(filler); painter.rotated_sprite( planter_pos.with_z(floor_level + 4), SpriteKind::Planter, (4 - (r * 4)) as u8, + filler, ); } } @@ -187,30 +266,32 @@ impl Structure for CliffTower { painter .superquadric( Aabb { - min: (center - length + 1).with_z(floor_level), - max: (center + length - 1).with_z(floor_level + 2), + min: (center - length).with_z(floor_level + 1), + max: (center + length).with_z(floor_level + 5), }, sq_type, ) - .fill(brick.clone()); - painter - .prim(Primitive::without( - painter.superquadric( - Aabb { - min: (center - length).with_z(floor_level + 1), - max: (center + length).with_z(floor_level + 5), - }, - sq_type, - ), + .fill(brick, filler); + /*.without(*/ painter.superquadric( Aabb { min: (center - length + 3).with_z(floor_level + 3), max: (center + length - 3).with_z(floor_level + 5), }, sq_type, - ), - )) - .fill(brick.clone()); + )/*, + ) + .fill(brick)*/ + .clear(filler); + painter + .superquadric( + Aabb { + min: (center - length + 1).with_z(floor_level), + max: (center + length - 1).with_z(floor_level + 2), + }, + sq_type, + ) + .fill(brick, filler); }, } } @@ -225,33 +306,42 @@ impl Structure for CliffTower { }, sq_type, ) - .fill(brick.clone()); + .fill(brick, filler); // clear room - leave some floor + painter.aabb(Aabb { + min: Vec2::new(super_center.x - length + 1, super_center.y + 1 - width) + .with_z(floor_level + 4), + max: Vec2::new(super_center.x + length - 1, super_center.y - 1 + width) + .with_z(floor_level + height - 1), + }).as_kind() + .intersect( painter - .prim(Primitive::without( - painter.superquadric( - Aabb { - min: Vec2::new( - super_center.x - length + 1, - super_center.y + 1 - width, - ) - .with_z(floor_level + 1), - max: Vec2::new( - super_center.x + length - 1, - super_center.y - 1 + width, - ) - .with_z(floor_level + height - 1), - }, - sq_type, - ), + .superquadric( + Aabb { + min: Vec2::new( + super_center.x - length + 1, + super_center.y + 1 - width, + ) + .with_z(floor_level + 1), + max: Vec2::new( + super_center.x + length - 1, + super_center.y - 1 + width, + ) + .with_z(floor_level + height - 1), + }, + sq_type, + ) + /* .clear(filler); */ + /* .without( painter.aabb(Aabb { min: Vec2::new(super_center.x - length + 1, super_center.y + 1 - width) .with_z(floor_level + 1), max: Vec2::new(super_center.x + length - 1, super_center.y - 1 + width) .with_z(floor_level + 4), - }), - )) - .clear(); + }).as_kind(), + ) */ + ) + .clear(filler); // entries painter .aabb(Aabb { @@ -260,7 +350,7 @@ impl Structure for CliffTower { max: Vec2::new(super_center.x - length + 6, super_center.y + 2) .with_z(floor_level + 4), }) - .fill(brick.clone()); + .fill(brick, filler); painter .aabb(Aabb { min: Vec2::new(super_center.x + length - 6, super_center.y - 2) @@ -268,7 +358,7 @@ impl Structure for CliffTower { max: Vec2::new(super_center.x + length, super_center.y + 2) .with_z(floor_level + 4), }) - .fill(brick.clone()); + .fill(brick, filler); // colored sills painter .aabb(Aabb { @@ -277,7 +367,7 @@ impl Structure for CliffTower { max: Vec2::new(super_center.x - length, super_center.y + 2) .with_z(floor_level + 4), }) - .fill(color.clone()); + .fill(color, filler); painter .aabb(Aabb { min: Vec2::new(super_center.x + length, super_center.y - 2) @@ -285,7 +375,7 @@ impl Structure for CliffTower { max: Vec2::new(super_center.x + length + 1, super_center.y + 2) .with_z(floor_level + 4), }) - .fill(color.clone()); + .fill(color, filler); if floor_level > base { // clear entries painter @@ -295,40 +385,39 @@ impl Structure for CliffTower { max: Vec2::new(super_center.x + length + 12, super_center.y + 2) .with_z(floor_level + 7), }) - .clear(); + .clear(filler); // door sprites painter - .prim(Primitive::without( - painter.aabb(Aabb { - min: Vec2::new(super_center.x - length + 1, super_center.y - 2) - .with_z(floor_level + 4), - max: Vec2::new(super_center.x - length + 2, super_center.y + 2) - .with_z(floor_level + 7), - }), + .aabb(Aabb { + min: Vec2::new(super_center.x - length + 1, super_center.y - 2) + .with_z(floor_level + 4), + max: Vec2::new(super_center.x - length + 2, super_center.y + 2) + .with_z(floor_level + 7), + }) + .without( painter.aabb(Aabb { min: Vec2::new(super_center.x - length + 1, super_center.y - 1) .with_z(floor_level + 4), max: Vec2::new(super_center.x - length + 2, super_center.y + 1) .with_z(floor_level + 7), }), - )) - .fill(window.clone()); - painter - .prim(Primitive::without( - painter.aabb(Aabb { - min: Vec2::new(super_center.x + length - 1, super_center.y - 2) - .with_z(floor_level + 4), - max: Vec2::new(super_center.x + length, super_center.y + 2) - .with_z(floor_level + 7), - }), + ) + .fill(window, filler); + painter.aabb(Aabb { + min: Vec2::new(super_center.x + length - 1, super_center.y - 2) + .with_z(floor_level + 4), + max: Vec2::new(super_center.x + length, super_center.y + 2) + .with_z(floor_level + 7), + }) + .without( painter.aabb(Aabb { min: Vec2::new(super_center.x + length - 1, super_center.y - 1) .with_z(floor_level + 4), max: Vec2::new(super_center.x + length, super_center.y + 1) .with_z(floor_level + 7), }), - )) - .fill(window.clone()); + ) + .fill(window, filler); // windows painter .aabb(Aabb { @@ -337,7 +426,7 @@ impl Structure for CliffTower { max: Vec2::new(super_center.x + 4, super_center.y - width + 3) .with_z(floor_level + 6), }) - .fill(brick.clone()); + .fill(brick, filler); painter .aabb(Aabb { min: Vec2::new(super_center.x - 4, super_center.y - width + 1) @@ -345,7 +434,7 @@ impl Structure for CliffTower { max: Vec2::new(super_center.x + 4, super_center.y - width + 3) .with_z(floor_level + 5), }) - .fill(brick.clone()); + .fill(brick, filler); painter .aabb(Aabb { min: Vec2::new(super_center.x - 4, super_center.y + width - 3) @@ -353,7 +442,7 @@ impl Structure for CliffTower { max: Vec2::new(super_center.x + 4, super_center.y + width + 1) .with_z(floor_level + 6), }) - .fill(brick.clone()); + .fill(brick, filler); painter .aabb(Aabb { min: Vec2::new(super_center.x - 4, super_center.y + width - 3) @@ -361,7 +450,7 @@ impl Structure for CliffTower { max: Vec2::new(super_center.x + 4, super_center.y + width) .with_z(floor_level + 5), }) - .fill(brick.clone()); + .fill(brick, filler); painter .aabb(Aabb { min: Vec2::new(super_center.x - 3, super_center.y - width - 1) @@ -369,7 +458,7 @@ impl Structure for CliffTower { max: Vec2::new(super_center.x + 3, super_center.y - width) .with_z(floor_level + 6), }) - .fill(color.clone()); + .fill(color, filler); painter .aabb(Aabb { min: Vec2::new(super_center.x - 3, super_center.y + width + 1) @@ -377,7 +466,7 @@ impl Structure for CliffTower { max: Vec2::new(super_center.x + 3, super_center.y + width + 2) .with_z(floor_level + 6), }) - .fill(color.clone()); + .fill(color, filler); // clear windows painter .aabb(Aabb { @@ -386,40 +475,40 @@ impl Structure for CliffTower { max: Vec2::new(super_center.x + 4, super_center.y + width + 12) .with_z(floor_level + 9), }) - .clear(); + .clear(filler); // window sprites painter - .prim(Primitive::without( - painter.aabb(Aabb { - min: Vec2::new(super_center.x - 4, super_center.y - width + 1) - .with_z(floor_level + 6), - max: Vec2::new(super_center.x + 4, super_center.y - width + 2) - .with_z(floor_level + 9), - }), + .aabb(Aabb { + min: Vec2::new(super_center.x - 4, super_center.y - width + 1) + .with_z(floor_level + 6), + max: Vec2::new(super_center.x + 4, super_center.y - width + 2) + .with_z(floor_level + 9), + }) + .without( painter.aabb(Aabb { min: Vec2::new(super_center.x - 1, super_center.y - width + 1) .with_z(floor_level + 6), max: Vec2::new(super_center.x + 1, super_center.y - width + 2) .with_z(floor_level + 9), }), - )) - .fill(window2.clone()); + ) + .fill(window2, filler); painter - .prim(Primitive::without( - painter.aabb(Aabb { - min: Vec2::new(super_center.x - 4, super_center.y + width - 1) - .with_z(floor_level + 6), - max: Vec2::new(super_center.x + 4, super_center.y + width) - .with_z(floor_level + 9), - }), + .aabb(Aabb { + min: Vec2::new(super_center.x - 4, super_center.y + width - 1) + .with_z(floor_level + 6), + max: Vec2::new(super_center.x + 4, super_center.y + width) + .with_z(floor_level + 9), + }) + .without( painter.aabb(Aabb { min: Vec2::new(super_center.x - 1, super_center.y + width - 1) .with_z(floor_level + 6), max: Vec2::new(super_center.x + 1, super_center.y + width) .with_z(floor_level + 9), }), - )) - .fill(window2.clone()); + ) + .fill(window2, filler); } // room wall lamps for d in 0..2 { @@ -432,6 +521,7 @@ impl Structure for CliffTower { door_lamp_pos, SpriteKind::WallLampSmall, 2 + ((d * 4) as u8), + filler, ); let window_lamp_pos = Vec2::new( @@ -443,6 +533,7 @@ impl Structure for CliffTower { window_lamp_pos, SpriteKind::WallLampSmall, 4 - ((d * 4) as u8), + filler, ); } // furniture sprites in room1(living_room, workshop), room2(kitchen, bath) @@ -480,7 +571,7 @@ impl Structure for CliffTower { RandomField::new(0).get(pos.with_z(base)) as usize % liv_sprites.len(), ); - painter.sprite(pos.with_z(floor_level + 4), sprite); + painter.sprite(pos.with_z(floor_level + 4), sprite, filler); } } // bookshelfs @@ -499,11 +590,12 @@ impl Structure for CliffTower { max: Vec2::new(pos.x + 3, pos.y + 1 + (2 * d)) .with_z(floor_level + 6), }) - .clear(); + .clear(filler); painter.rotated_sprite( pos.with_z(floor_level + 6), SpriteKind::BookshelfArabic, (4 * d) as u8, + filler, ); } } @@ -529,11 +621,12 @@ impl Structure for CliffTower { ) .with_z(floor_level + 8), }) - .clear(); + .clear(filler); painter.rotated_sprite( pos.with_z(floor_level + 4), SpriteKind::CanapeArabic, (4 * d) as u8, + filler, ); } } @@ -553,7 +646,7 @@ impl Structure for CliffTower { max: Vec2::new(pos.x + 3, pos.y + 2) .with_z(floor_level + 6), }) - .clear(); + .clear(filler); painter.sprite( pos.with_z(floor_level + 4), match (RandomField::new(0).get(pos.with_z(floor_level - d))) @@ -563,6 +656,7 @@ impl Structure for CliffTower { 1 => SpriteKind::DecorSetArabic, _ => SpriteKind::SepareArabic, }, + filler, ) }; } @@ -589,11 +683,12 @@ impl Structure for CliffTower { ) .with_z(floor_level + 7), }) - .clear(); + .clear(filler); painter.rotated_sprite( ft_pos.with_z(floor_level + 4), SpriteKind::ForgeTools, (4 * d) as u8, + filler, ); } // hearth @@ -611,11 +706,12 @@ impl Structure for CliffTower { max: Vec2::new(pos.x + 3, pos.y + 5 - (4 * d)) .with_z(floor_level + 6), }) - .clear(); + .clear(filler); painter.rotated_sprite( pos.with_z(floor_level + 4), SpriteKind::Hearth, (4 * d) as u8, + filler, ); } } @@ -636,7 +732,7 @@ impl Structure for CliffTower { RandomField::new(0).get(pos.with_z(base)) as usize % ws_sprites.len(), ); - painter.sprite(pos.with_z(floor_level + 4), sprite); + painter.sprite(pos.with_z(floor_level + 4), sprite, filler); } } }, @@ -661,11 +757,12 @@ impl Structure for CliffTower { max: Vec2::new(pos.x + 3, pos.y + 4 - (d * 3)) .with_z(floor_level + 7), }) - .clear(); + .clear(filler); painter.rotated_sprite( pos.with_z(floor_level + 4), SpriteKind::WallTableArabic, (4 * d) as u8, + filler, ); painter.rotated_sprite( pos.with_z(floor_level + 5), @@ -679,6 +776,7 @@ impl Structure for CliffTower { _ => SpriteKind::JugAndBowlArabic, }, (4 * d) as u8, + filler, ); } } @@ -701,7 +799,7 @@ impl Structure for CliffTower { RandomField::new(0).get(pos.with_z(base)) as usize % ba_sprites.len(), ); - painter.sprite(pos.with_z(floor_level + 4), sprite) + painter.sprite(pos.with_z(floor_level + 4), sprite, filler) } } // fountains @@ -718,10 +816,11 @@ impl Structure for CliffTower { min: (pos - 1).with_z(floor_level + 4), max: (pos + 2).with_z(floor_level + 5), }) - .clear(); + .clear(filler); painter.sprite( pos.with_z(floor_level + 4), SpriteKind::FountainArabic, + filler, ) }; } @@ -744,7 +843,7 @@ impl Structure for CliffTower { max: Vec2::new(pos.x + 2, pos.y + 4) .with_z(floor_level + 7), }) - .clear(); + .clear(filler); painter.rotated_sprite( pos.with_z(floor_level + 4), match (RandomField::new(0).get(pos.with_z(floor_level))) % 2 @@ -753,6 +852,7 @@ impl Structure for CliffTower { _ => SpriteKind::OvenArabic, }, 4, + filler, ); } } @@ -771,7 +871,7 @@ impl Structure for CliffTower { max: Vec2::new(pos.x + 2, pos.y + 1) .with_z(floor_level + 7), }) - .clear(); + .clear(filler); painter.rotated_sprite( pos.with_z(floor_level + 4), match (RandomField::new(0).get(pos.with_z(floor_level))) % 4 @@ -782,6 +882,7 @@ impl Structure for CliffTower { _ => SpriteKind::JugArabic, }, 0, + filler, ); } } @@ -801,11 +902,12 @@ impl Structure for CliffTower { max: Vec2::new(pos.x + 2, pos.y + 4 - (3 * d)) .with_z(floor_level + 7), }) - .clear(); + .clear(filler); painter.rotated_sprite( pos.with_z(floor_level + 4), SpriteKind::WallTableArabic, (4 * d) as u8, + filler, ); painter.rotated_sprite( pos.with_z(floor_level + 5), @@ -818,6 +920,7 @@ impl Structure for CliffTower { _ => SpriteKind::VialEmpty, }, (4 * d) as u8, + filler, ); } } @@ -842,7 +945,7 @@ impl Structure for CliffTower { RandomField::new(0).get(pos.with_z(base)) as usize % kit_sprites.len(), ); - painter.sprite(pos.with_z(floor_level + 4), sprite); + painter.sprite(pos.with_z(floor_level + 4), sprite, filler); } } }, @@ -856,31 +959,29 @@ impl Structure for CliffTower { min: (stair_pos1 - 3).with_z(floor_level - height + 4), max: (stair_pos1 + 3).with_z(floor_level + 7), }) - .clear(); + .clear(filler); //stairway let stair_radius1 = 4.0; - let stairs_clear1 = painter.prim(Primitive::Cylinder(Aabb { + let stairs_clear1 = painter.cylinder(Aabb { min: (stair_pos1 - stair_radius1 as i32).with_z(floor_level - height), max: (stair_pos1 + stair_radius1 as i32).with_z(floor_level + 4), - })); - painter - .prim(Primitive::sampling( - stairs_clear1, - crate::site2::plot::dungeon::spiral_staircase( + }); + let stairs_fill = + /* painter.arena.alloc_with(move || */|pos| crate::site2::plot::dungeon::spiral_staircase( stair_pos1.with_z(floor_level + 4), stair_radius1, 0.5, 7.0, - ), - )) - .fill(brick.clone()); + )(pos).then(|| brick_fill(pos)).flatten()/*)*/; + stairs_clear1 + .fill(/*Fill::Sampling*/filler.sampling(&stairs_fill), filler); } // spawn mountaineers in each room let spawn_pos = super_center.with_z(floor_level + 4); let npc_amount = RandomField::new(0).get(spawn_pos) % 4; for _ in 0..npc_amount { let mut rng = rand::thread_rng(); - painter.spawn( + filler.spawn( EntityInfo::at(spawn_pos.map(|e| e as f32)) .with_asset_expect("common.entity.village.mountaineer", &mut rng), ); diff --git a/world/src/site2/plot/dungeon.rs b/world/src/site2/plot/dungeon.rs index c92fa70a09..c797b530ca 100644 --- a/world/src/site2/plot/dungeon.rs +++ b/world/src/site2/plot/dungeon.rs @@ -1,7 +1,7 @@ use super::*; use crate::{ site::namegen::NameGen, - site2::{self, aabr_with_z, Fill, Primitive, Structure as SiteStructure}, + site2::{self, aabr_with_z, gen::PrimitiveTransform, Fill, Structure as SiteStructure}, util::{attempt, Grid, RandomField, Sampler, CARDINALS, DIRS}, Land, }; @@ -21,7 +21,6 @@ use fxhash::FxHasher64; use lazy_static::lazy_static; use rand::{prelude::*, seq::SliceRandom}; use serde::Deserialize; -use std::sync::Arc; use vek::*; pub struct Dungeon { @@ -909,8 +908,8 @@ pub fn spiral_staircase( radius: f32, inner_radius: f32, stretch: f32, -) -> Box) -> bool> { - Box::new(move |pos: Vec3| { +) -> impl Fn(Vec3) -> bool + Copy { + move |pos: Vec3| { let pos = pos - origin; if (pos.xy().magnitude_squared() as f32) < inner_radius.powi(2) { true @@ -921,15 +920,15 @@ pub fn spiral_staircase( } else { false } - }) + } } pub fn wall_staircase( origin: Vec3, radius: f32, stretch: f32, -) -> Box) -> bool> { - Box::new(move |pos: Vec3| { +) -> impl Fn(Vec3) -> bool + Copy { + move |pos: Vec3| { let pos = pos - origin; if (pos.x.abs().max(pos.y.abs())) as f32 > 0.6 * radius { ((pos.x as f32).atan2(pos.y as f32) / (f32::consts::PI * 2.0) * stretch + pos.z as f32) @@ -938,15 +937,15 @@ pub fn wall_staircase( } else { false } - }) + } } pub fn inscribed_polystar( origin: Vec2, radius: f32, sides: usize, -) -> Box) -> bool> { - Box::new(move |pos| { +) -> impl Fn(Vec3) -> bool + Copy { + move |pos| { use std::f32::consts::TAU; let rpos: Vec2 = pos.xy().as_() - origin.as_(); let is_border = rpos.magnitude_squared() > (radius - 2.0).powi(2); @@ -962,30 +961,98 @@ pub fn inscribed_polystar( line.distance_to_point(rpos) <= 1.0 }); is_border || is_line - }) + } } -pub fn make_wall_contours( - tiles: Arc>, - floor_corner: Vec2, +pub fn make_wall_contours<'a>( + tiles: &'a Grid, + tile_corner: Vec2, + tile_pos: Vec2, floor_z: i32, wall_thickness: f32, tunnel_height: f32, -) -> Box) -> bool> { - Box::new(move |pos| { - let rpos = pos.xy() - floor_corner; - let dist_to_wall = tilegrid_nearest_wall(&tiles, rpos) - .map(|nearest| (nearest.distance_squared(rpos) as f32).sqrt()) - .unwrap_or(TILE_SIZE as f32); - let tunnel_dist = - 1.0 - (dist_to_wall - wall_thickness).max(0.0) / (TILE_SIZE as f32 - wall_thickness); - dist_to_wall < wall_thickness - || ((pos.z - floor_z) as f32) >= tunnel_height * (1.0 - tunnel_dist.powi(4)) - }) +) -> impl Fn(Vec3) -> bool + Copy + 'a { + let mut wall_fn = |dir: Vec2| /* |dirs: &[Vec2]| dirs.iter() + .map(|dir| */{ + tiles + .get(tile_pos + dir) + .filter(|tile| !tile.is_passable()) + .and(Some(Aabr { + min: dir * TILE_SIZE, + max: (dir + 1) * TILE_SIZE - 1, + })) + }/*)*/; + + // NOTE: There can never be more than 4 meaningful closest walls. + // + // * If a horizontal *or* vertical wall is present at a corner, we will always + // be closer to one of those walls than the corner (because we form a right triangle + // with the distance from horizontal, distance from vertical, and distance from corner). + // * Otherwise, we may use the corner wall, if present, in exchange for one of the two slots. + // * Since at most 2 corners are adjacent to a vertical or horizontal slot, and we can only use + // a slot if *both* adjacent edges are missing, we will never use up more slots than edges, + // even if all 4 corners are taken. + let x1 = wall_fn(Vec2::new(1, 0)); + let y1 = wall_fn(Vec2::new(0, 1)); + let x0 = wall_fn(Vec2::new(-1, 0)); + let y0 = wall_fn(Vec2::new(0, -1)); + + let walls = [ + x1.or(y1).or_else(|| wall_fn(Vec2::new(1, 1))), + y0.or(x0).or_else(|| wall_fn(Vec2::new(-1, -1))), + // if x1 is true it was already looked at + // if y1 is true it was already looked at + // if (x1,y1) is relevant it was already looked at + // + // Remaining options are (x1,y0) and (x0,y1). + // Since if x0 & y0, neither of these will be relevant, it doesn't matter which we pick + // unless this isn't the case, and we pick both. + x1.and(y1).or_else(|| wall_fn(Vec2::new(1, -1))), + y0.and(x0).or_else(|| wall_fn(Vec2::new(-1, 1))), + ]; + /* let walls = [ + walls_iter.next().map(Some).unwrap_or(None), + walls_iter.next().map(Some).unwrap_or(None), + walls_iter.next().map(Some).unwrap_or(None), + walls_iter.next().map(Some).unwrap_or(None), + ]; */ + + let size_recip = (TILE_SIZE as f32 - wall_thickness).recip(); + let size_recip_2 = size_recip * size_recip; + let wall_thickness_2 = wall_thickness * wall_thickness; + const TILE_SIZE_2: i32 = TILE_SIZE * TILE_SIZE; + let size_offset = 1.0 + wall_thickness_2 * size_recip_2; + // let size_offset = 1.0 + wall_thickness * size_recip; + move |pos| { + let rpos = pos.xy() - /*floor_corner*/tile_corner; + let dist_to_wall = + walls + .into_iter() + .filter_map(|x| x) + .map(|x| x.projected_point(rpos).distance_squared(rpos)) + .min() + .unwrap_or(TILE_SIZE_2) as f32; + + /* let dist_to_wall = tilegrid_nearest_wall(&tiles, rpos) + .map(|nearest| (nearest.distance_squared(rpos) as f32)/*.sqrt()*/) + .unwrap_or(TILE_SIZE as f32); */ + /* let tunnel_dist = dist_to_wall.mul_add(-size_recip_2, size_offset); + let tunnel_dist_2 = tunnel_dist.mul_add(-tunnel_dist, 1.0); + let tunnel_dist_3 = tunnel_dist_2.mul_add(-tunnel_height, (pos.z - floor_z) as f32); */ + let tunnel_dist = dist_to_wall.sqrt().mul_add(-size_recip, size_offset); + let tunnel_dist_2 = tunnel_dist * tunnel_dist; + let tunnel_dist_2 = tunnel_dist_2.mul_add(-tunnel_dist_2, 1.0); + let tunnel_dist_3 = tunnel_dist_2.mul_add(-tunnel_height, (pos.z - floor_z) as f32); + dist_to_wall < wall_thickness_2 || tunnel_dist_3 >= 0.0 + /* dist_to_wall < wall_thickness || + // 1.0 - (dist_to_wall - wall_thickness) * size_recip; + ((pos.z - floor_z) as f32) >= tunnel_height * (1.0 - tunnel_dist.powi(4)) */ + /* false */ + } } impl Floor { - fn render(&self, painter: &Painter, dungeon: &Dungeon, floor_z: i32) { + fn render<'a, F: Filler>(&self, painter: &Painter<'a>, dungeon: &Dungeon, floor_z: i32, filler: &mut FillFn<'a, '_, F>) { // Calculate an AABB and corner for the AABB that covers the current floor. let floor_corner = dungeon.origin + TILE_SIZE * self.tile_offset; let floor_aabb = Aabb { @@ -993,7 +1060,7 @@ impl Floor { max: (floor_corner + TILE_SIZE * self.tiles.size()) .with_z(floor_z + self.total_depth()), }; - let floor_prim = painter.prim(Primitive::Aabb(floor_aabb)); + let floor_prim = painter.aabb(floor_aabb); // This is copied from `src/layer/mod.rs`. It should be moved into // a util file somewhere @@ -1014,28 +1081,6 @@ impl Floor { let stone = Block::new(BlockKind::Rock, Rgb::new(150, 150, 175)); let stone_purple = Block::new(BlockKind::GlowingRock, Rgb::new(96, 0, 128)); - // Sprites are randomly positioned and have random kinds, this primitive - // produces a box of dots that will later get truncated to just the - // floor, and the corresponding fill places the random kinds where the - // mask says to - let floor_sprite = painter.prim(Primitive::sampling( - floor_prim, - Box::new(|pos| RandomField::new(7331).chance(pos, 0.001)), - )); - - let floor_sprite_fill = Fill::Sampling(Arc::new(|pos| { - Some(Block::air( - match (RandomField::new(1337).get(pos) / 2) % 30 { - 0 => SpriteKind::Apple, - 1 => SpriteKind::VeloriteFrag, - 2 => SpriteKind::Velorite, - 3..=8 => SpriteKind::Mushroom, - 9..=15 => SpriteKind::FireBowlGround, - _ => SpriteKind::ShortGrass, - }, - )) - })); - let wall_thickness = 3.0; let tunnel_height = if self.final_level { 16.0 } else { 8.0 }; let pillar_thickness: i32 = 4; @@ -1043,76 +1088,134 @@ impl Floor { // Several primitives and fills use the tile information for finding the nearest // wall, a copy of the tilegrid for the floor is stored in an Arc to // avoid making a copy for each primitive - let tiles = Arc::new(self.tiles.clone()); + let tiles = /*Arc::new(self.tiles.clone())*/&self.tiles; - // The way the ceiling is curved around corners and near hallways is intricate + /* // The way the ceiling is curved around corners and near hallways is intricate // enough that it's easiest to do with a sampling primitive, this gets // masked per room so that it's more efficient to query - let wall_contours = painter.prim(Primitive::sampling(floor_prim, { - let tiles = Arc::clone(&tiles); - make_wall_contours(tiles, floor_corner, floor_z, wall_thickness, tunnel_height) - })); + let wall_contours = /* painter.sampling(floor_prim, /*{ + // let tiles = Arc::clone(&tiles);*/ + painter.arena.alloc_with(move || */make_wall_contours(tiles, floor_corner, floor_z, wall_thickness, tunnel_height)/* ) + /*}*/)*/; // The surface 1 unit thicker than the walls is used to place the torches onto - let wall_contour_surface = painter.prim(Primitive::sampling(floor_prim, { - let tiles = Arc::clone(&tiles); - make_wall_contours( + let wall_contour_surface = /*painter.sampling(floor_prim, /*{ + // let tiles = Arc::clone(&tiles);*/ + painter.arena.alloc_with(move || */make_wall_contours( tiles, floor_corner, floor_z, wall_thickness + 1.0, tunnel_height - 1.0, - ) - })); + )/*) + /*}*/)*/; + + // Sprites are randomly positioned and have random kinds, this primitive + // produces a box of dots that will later get truncated to just the + // floor, and the corresponding fill places the random kinds where the + // mask says to + let floor_sprite = /*painter.sampling( + floor_prim, + &*/move |pos| RandomField::new(7331).chance(pos, 0.001) && !wall_contours(pos) + /*)*/; + + let floor_sprite_fill = filler.sampling( + painter.arena.alloc_with(move || move |pos| { + floor_sprite(pos).then(|| Block::air( + match (RandomField::new(1337).get(pos) / 2) % 30 { + 0 => SpriteKind::Apple, + 1 => SpriteKind::VeloriteFrag, + 2 => SpriteKind::Velorite, + 3..=8 => SpriteKind::Mushroom, + 9..=15 => SpriteKind::FireBowlGround, + _ => SpriteKind::ShortGrass, + }, + )) + }), + ); */ // The sconces use a sampling-based fill to orient them properly relative to the // walls/staircases/pillars let light_offset: i32 = 7; - let sconces_wall = Fill::Sampling(Arc::new(move |pos| { + /* let sconces_wall = /*filler.sampling(painter.arena.alloc_with(move || */move |pos: Vec3| { let rpos = pos.xy() - floor_corner; let nearest = tilegrid_nearest_wall(&tiles, rpos); let ori = Floor::relative_ori(rpos, nearest.unwrap_or_default()); Block::air(SpriteKind::WallSconce).with_ori(ori) - })); - let sconces_inward = Fill::Sampling(Arc::new(move |pos| { + }/*))*/;*/ + // FIXME: Per tile. + let sconces_inward = move |pos: Vec3| { let rpos = pos.xy() - floor_corner; let tile_pos = rpos.map(|e| e.div_euclid(TILE_SIZE)); let tile_center = tile_pos * TILE_SIZE + TILE_SIZE / 2; let ori = Floor::relative_ori(rpos, tile_center); Block::air(SpriteKind::WallSconce).with_ori(ori) - })); - let sconces_outward = Fill::Sampling(Arc::new(move |pos| { + }; + let sconces_inward = filler.sampling(/*painter.arena.alloc_with(move || */&sconces_inward/*)*/); + let sconces_outward = move |pos: Vec3| { let rpos = pos.xy() - floor_corner; let tile_pos = rpos.map(|e| e.div_euclid(TILE_SIZE)); let tile_center = tile_pos * TILE_SIZE + TILE_SIZE / 2; let ori = Floor::relative_ori(tile_center, rpos); Block::air(SpriteKind::WallSconce).with_ori(ori) + }; + let sconces_outward = filler.sampling(/*painter.arena.alloc_with(move || */&sconces_outward/*)*/);/* + + // NOTE: Might be easier to just draw stuff first, then draw the walls over them... + let lava_within_walls = filler.sampling(painter.arena.alloc_with(move || move |pos: Vec3| { + (!wall_contours(pos)).then_some(lava) })); + let vacant_within_walls = filler.sampling(painter.arena.alloc_with(move || move |pos: Vec3| { + (!wall_contours(pos)).then_some(vacant) + })); + let sconces_layer_fill = filler.sampling(painter.arena.alloc_with(move || move |pos| { + // NOTE: This intersection feels a bit wasteful... + (wall_contour_surface(pos) && !wall_contours(pos)).then(|| sconces_wall(pos)).flatten() + })); */ // The lighting mask is a grid of thin AABB planes with the same period as the // tile grid, but offset by `lighting_offset`, used to space the torches // on the walls/pillars/staircases let lighting_mask = { - let mut lighting_mask_x = painter.prim(Primitive::Empty); let floor_w = floor_aabb.max.x - floor_aabb.min.x; - for i in 0..floor_w / light_offset { + + let lighting_mask_x = painter.union_all((0..floor_w / light_offset).map(|i| { let j = floor_corner.x + i * TILE_SIZE + light_offset; - let plane = painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: floor_aabb.min.with_x(j - 1), max: floor_aabb.max.with_x(j), - })); - lighting_mask_x = painter.prim(Primitive::union(plane, lighting_mask_x)); - } - let mut lighting_mask_y = painter.prim(Primitive::Empty); + }).into() + })); let floor_h = floor_aabb.max.y - floor_aabb.min.y; - for i in 0..floor_h / light_offset { + let lighting_mask_y = painter.union_all((0..floor_h / light_offset).map(|i| { let j = floor_corner.y + i * TILE_SIZE + light_offset; - let plane = painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: floor_aabb.min.with_y(j - 1), max: floor_aabb.max.with_y(j), - })); - lighting_mask_y = painter.prim(Primitive::union(plane, lighting_mask_y)); + }).into() + })); + + /* + let mut lighting_mask_x = painter.empty(); + for i in 0..floor_w / light_offset { + let j = floor_corner.x + i * TILE_SIZE + light_offset; + let plane = painter.aabb(Aabb { + min: floor_aabb.min.with_x(j - 1), + max: floor_aabb.max.with_x(j), + }); + lighting_mask_x = plane.union(lighting_mask_x); } + let floor_h = floor_aabb.max.y - floor_aabb.min.y; + let mut lighting_mask_y = painter.empty(); + for i in 0..floor_h / light_offset { + let j = floor_corner.y + i * TILE_SIZE + light_offset; + let plane = painter.aabb(Aabb { + min: floor_aabb.min.with_y(j - 1), + max: floor_aabb.max.with_y(j), + }); + lighting_mask_y = plane.union(lighting_mask_y); + } */ + lighting_mask_x .union(lighting_mask_y) .without(lighting_mask_x.intersect(lighting_mask_y)) @@ -1120,7 +1223,6 @@ impl Floor { // Declare collections of various disjoint primitives that need postprocessing // after handling all the local information per-tile - let mut stairs_bb = Vec::new(); let mut stairs = Vec::new(); let mut pillars = Vec::new(); let mut boss_room_center = None; @@ -1144,21 +1246,108 @@ impl Floor { }; // Sprites are contained to the level above the floor, and not within walls - let sprite_layer = painter.prim(Primitive::Aabb(aabr_with_z( + let sprite_layer = painter.aabb(aabr_with_z( tile_aabr, floor_z..floor_z + 1, - ))); - let sprite_layer = painter.prim(Primitive::without(sprite_layer, wall_contours)); + )); + // let sprite_layer_fill = move |pos: Vec3| !wall_contours(pos); + /* let sprite_layer = sprite_layer.without(wall_contours); */ // Lights are 2 units above the floor, and aligned with the `lighting_mask` grid - let lighting_plane = painter.prim(Primitive::Aabb(aabr_with_z( + let lighting_plane = painter.aabb(aabr_with_z( tile_aabr, floor_z + 1..floor_z + 2, - ))); - let lighting_plane = painter.prim(Primitive::intersect(lighting_plane, lighting_mask)); + )); + let lighting_plane = lighting_plane.intersect(lighting_mask); let mut chests = None; + // The way the ceiling is curved around corners and near hallways is intricate + // enough that it's easiest to do with a sampling primitive, this gets + // masked per room so that it's more efficient to query + let wall_contours = /* painter.sampling(floor_prim, /*{ + // let tiles = Arc::clone(&tiles);*/ + painter.arena.alloc_with(move || */make_wall_contours(tiles, /*floor_corner*/tile_corner, tile_pos, floor_z, wall_thickness, tunnel_height)/* ) + /*}*/)*/; + + // The surface 1 unit thicker than the walls is used to place the torches onto + let wall_contour_surface = /*painter.sampling(floor_prim, /*{ + // let tiles = Arc::clone(&tiles);*/ + painter.arena.alloc_with(move || */make_wall_contours( + tiles, + /*floor_corner*/tile_corner, + tile_pos, + floor_z, + wall_thickness + 1.0, + tunnel_height - 1.0, + )/*) + /*}*/)*/; + + // Sprites are randomly positioned and have random kinds, this primitive + // produces a box of dots that will later get truncated to just the + // floor, and the corresponding fill places the random kinds where the + // mask says to + let floor_sprite = /*painter.sampling( + floor_prim, + &*/move |pos| RandomField::new(7331).chance(pos, 0.001) && !wall_contours(pos) + /*)*/; + + /* fn make_fill(fill: impl Fn(Vec3) -> Option) -> impl Fill { + move |pos, _| fill(pos) + } */ + let floor_sprite_fill = /*make_fill*/filler.sampling(/*filler.sampling(*/ + painter.arena.alloc_with(move || move |pos| { + floor_sprite(pos).then(|| Block::air( + match (RandomField::new(1337).get(pos) / 2) % 30 { + 0 => SpriteKind::Apple, + 1 => SpriteKind::VeloriteFrag, + 2 => SpriteKind::Velorite, + 3..=8 => SpriteKind::Mushroom, + 9..=15 => SpriteKind::FireBowlGround, + _ => SpriteKind::ShortGrass, + }, + )) + }) as &dyn Fn(_) -> _/*, + )*/); + + // The sconces use a sampling-based fill to orient them properly relative to the + // walls/staircases/pillars + let sconces_wall = /*filler.sampling(painter.arena.alloc_with(move || */move |pos: Vec3| { + let rpos = pos.xy() - floor_corner; + let nearest = tilegrid_nearest_wall(&tiles, rpos); + let ori = Floor::relative_ori(rpos, nearest.unwrap_or_default()); + Block::air(SpriteKind::WallSconce).with_ori(ori) + }/*))*/; + /* let sconces_inward = filler.sampling(painter.arena.alloc_with(move || move |pos: Vec3| { + let rpos = pos.xy() - floor_corner; + let tile_pos = rpos.map(|e| e.div_euclid(TILE_SIZE)); + let tile_center = tile_pos * TILE_SIZE + TILE_SIZE / 2; + let ori = Floor::relative_ori(rpos, tile_center); + Block::air(SpriteKind::WallSconce).with_ori(ori) + })); + let sconces_outward = filler.sampling(painter.arena.alloc_with(move || move |pos: Vec3| { + let rpos = pos.xy() - floor_corner; + let tile_pos = rpos.map(|e| e.div_euclid(TILE_SIZE)); + let tile_center = tile_pos * TILE_SIZE + TILE_SIZE / 2; + let ori = Floor::relative_ori(tile_center, rpos); + Block::air(SpriteKind::WallSconce).with_ori(ori) + })); */ + + // NOTE: Might be easier to just draw stuff first, then draw the walls over them... + let lava_within_walls = move |pos: Vec3| { + (!wall_contours(pos)).then_some(lava) + }; + let lava_within_walls = filler.sampling(/*painter.arena.alloc_with(move || */&lava_within_walls/*)*/); + let vacant_within_walls = move |pos: Vec3| { + (!wall_contours(pos)).then_some(vacant) + }; + let vacant_within_walls = filler.sampling(/*painter.arena.alloc_with(move || */&vacant_within_walls/*)*/); + let sconces_layer_fill = move |pos| { + // NOTE: This intersection feels a bit wasteful... + (!wall_contours(pos) && wall_contour_surface(pos)).then(|| sconces_wall(pos)).flatten() + }; + let sconces_layer_fill = filler.sampling(/*painter.arena.alloc_with(move || */&sconces_layer_fill/*)*/); + if let Some(room) = room.map(|i| self.rooms.get(*i)) { height = height.min(room.height); if let Tile::UpStair(_, kind) = tile { @@ -1168,36 +1357,42 @@ impl Floor { let center = tile_center.with_z(floor_z); let radius = TILE_SIZE as f32 / 2.0; let aabb = aabr_with_z(tile_aabr, floor_z..floor_z + self.total_depth()); - let bb = painter.prim(match kind { - StairsKind::Spiral => Primitive::Cylinder(aabb), - StairsKind::WallSpiral => Primitive::Aabb(aabb), - }); - let stair = painter.prim(Primitive::sampling(bb, match kind { - StairsKind::Spiral => spiral_staircase(center, radius, 0.5, 9.0), - StairsKind::WallSpiral => wall_staircase(center, radius, 27.0), - })); + let bb = match kind { + StairsKind::Spiral => painter.cylinder(aabb), + StairsKind::WallSpiral => painter.aabb(aabb).as_kind(), + }; + let stair = /*filler.sampling/*painter.sampling*/(*//*bb, */filler.sampling(match kind { + StairsKind::Spiral => &*painter.arena.alloc_with(move || { + let f = spiral_staircase(center, radius, 0.5, 9.0); + move |pos| f(pos).then_some(stone) + }) as &dyn Fn(_) -> _, + StairsKind::WallSpiral => &*painter.arena.alloc_with(move || { + let f = wall_staircase(center, radius, 27.0); + move |pos| f(pos).then_some(stone) + }) as &dyn Fn(_) -> _, + }/*)*/); // Construct the lights that go inside the staircase, starting above the // ceiling to avoid placing them floating in mid-air - let mut lights = painter.prim(Primitive::Empty); + let mut lights = painter.empty(); for i in height..self.total_depth() { if i % 9 == 0 { - let mut light = painter.prim(Primitive::Aabb(Aabb { + let mut light = painter.aabb(Aabb { min: aabb.min.with_z(floor_z + i), max: aabb.max.with_z(floor_z + i + 1), - })); - let inner = painter.prim(Primitive::Aabb(Aabb { + }); + let inner = painter.aabb(Aabb { min: (aabb.min + Vec3::new(1, 1, 0)).with_z(floor_z + i), max: (aabb.max - Vec3::new(1, 1, 0)).with_z(floor_z + i + 1), - })); + }); - light = painter.prim(Primitive::without(light, inner)); - lights = painter.prim(Primitive::union(light, lights)); + light = light.without(inner); + lights = light.union(lights); } } - lights = painter.prim(Primitive::intersect(lights, lighting_mask)); - stairs_bb.push(bb); - stairs.push((stair, lights)); + lights = lights.intersect(lighting_mask); + stairs.push((bb, stair, lights)); } + if matches!(tile, Tile::Room(_) | Tile::DownStair(_)) { let seed = room.seed; let loot_density = room.loot_density; @@ -1205,11 +1400,11 @@ impl Floor { // Place chests with a random distribution based on the // room's loot density in valid sprite locations, // filled based on the room's difficulty - let chest_sprite = painter.prim(Primitive::sampling( + let chest_sprite = /*painter.sampling( sprite_layer, - Box::new(move |pos| RandomField::new(seed).chance(pos, loot_density * 0.5)), - )); - let chest_sprite_fill = Fill::Block(Block::air(match difficulty { + painter.arena.alloc_with(move || */move |pos| RandomField::new(seed).chance(pos, loot_density * 0.5) && !wall_contours(pos)/*), + )*/; + let chest_sprite_fill = /*filler.block(*/Block::air(match difficulty { 0 => SpriteKind::DungeonChest0, 1 => SpriteKind::DungeonChest1, 2 => SpriteKind::DungeonChest2, @@ -1217,28 +1412,34 @@ impl Floor { 4 => SpriteKind::DungeonChest4, 5 => SpriteKind::DungeonChest5, _ => SpriteKind::Chest, - })); - chests = Some((chest_sprite, chest_sprite_fill)); + }/*)*/); + let chest_sprite_fill = /*make_fill*/filler.sampling(/*filler.sampling(*/ + painter.arena.alloc_with(move || move |pos| chest_sprite(pos).then_some(chest_sprite_fill))/*, + )*/ as &dyn Fn(_) -> _); + chests = Some(/*(chest_sprite, */chest_sprite_fill/*)*/); // If a room has pits, place them if room.pits.is_some() { // Make an air pit - let tile_pit = painter.prim(Primitive::Aabb(aabr_with_z( + let tile_pit = painter.aabb(aabr_with_z( tile_aabr, floor_z - 7..floor_z, - ))); - let tile_pit = painter.prim(Primitive::without(tile_pit, wall_contours)); - painter.fill(tile_pit, Fill::Block(vacant)); + )); + /* let tile_pit_fill = filler.sampling( + painter.arena.alloc_with(move || move |pos| + ); + let tile_pit = tile_pit.without(wall_contours); */ + painter.fill(tile_pit, /*filler.block(vacant)*/vacant_within_walls, filler); // Fill with lava - let tile_lava = painter.prim(Primitive::Aabb(aabr_with_z( + let tile_lava = painter.aabb(aabr_with_z( tile_aabr, floor_z - 7..floor_z - 5, - ))); - let tile_lava = painter.prim(Primitive::without(tile_lava, wall_contours)); + )); + /* let tile_lava = tile_lava.without(wall_contours); */ //pits.push(tile_pit); //pits.push(tile_lava); - painter.fill(tile_lava, Fill::Block(lava)); + painter.fill(tile_lava, /*filler.block(lava)*/lava_within_walls, filler); } if room .pits @@ -1247,12 +1448,12 @@ impl Floor { }) .unwrap_or(false) { - let platform = painter.prim(Primitive::Aabb(Aabb { + let platform = painter.aabb(Aabb { min: (tile_center - Vec2::broadcast(pillar_thickness - 1)) .with_z(floor_z - 7), max: (tile_center + Vec2::broadcast(pillar_thickness)).with_z(floor_z), - })); - painter.fill(platform, Fill::Block(stone)); + }); + painter.fill(platform, filler.block(stone), filler); } // If a room has pillars, the current tile aligns with the pillar spacing, and @@ -1273,28 +1474,34 @@ impl Floor { matches!(self.tiles.get(other_tile_pos), Some(Tile::Room(_))) }) { - let mut pillar = painter.prim(Primitive::Cylinder(Aabb { + let mut pillar = painter.cylinder(Aabb { min: (tile_center - Vec2::broadcast(pillar_thickness - 1)) .with_z(floor_z), max: (tile_center + Vec2::broadcast(pillar_thickness)) .with_z(floor_z + height), - })); - let base = painter.prim(Primitive::Cylinder(Aabb { + }); + let base = painter.cylinder(Aabb { min: (tile_center - Vec2::broadcast(1 + pillar_thickness - 1)) .with_z(floor_z), max: (tile_center + Vec2::broadcast(1 + pillar_thickness)) .with_z(floor_z + 1), - })); + }); - let scale = (pillar_thickness + 2) as f32 / pillar_thickness as f32; + /* let scale = (pillar_thickness + 2) as f32 / pillar_thickness as f32; let mut lights = painter - .prim(Primitive::scale(pillar, Vec2::broadcast(scale).with_z(1.0))); - lights = painter.prim(Primitive::intersect(lighting_plane, lights)); + .scale(pillar, Vec2::broadcast(scale).with_z(1.0)); */ + let mut lights = painter.cylinder(Aabb { + min: (tile_center - Vec2::broadcast(2 + pillar_thickness - 1)) + .with_z(floor_z), + max: (tile_center + Vec2::broadcast(2 + pillar_thickness)) + .with_z(floor_z + height), + }); + lights = lighting_plane.as_kind().intersect(lights); // Only add the base (and shift the lights up) // for boss-rooms pillars if room.kind == RoomKind::Boss { - lights = painter.prim(Primitive::translate(lights, 3 * Vec3::unit_z())); - pillar = painter.prim(Primitive::union(pillar, base)); + lights = lights.translate(3 * Vec3::unit_z()); + pillar = pillar.union(base); } pillars.push((tile_center, pillar, lights)); } @@ -1308,40 +1515,51 @@ impl Floor { } // Carve out the room's air inside the walls - let tile_air = painter.prim(Primitive::Aabb(aabr_with_z( + let tile_air = painter.aabb(aabr_with_z( tile_aabr, floor_z..floor_z + height, - ))); - let tile_air = painter.prim(Primitive::without(tile_air, wall_contours)); - painter.fill(tile_air, Fill::Block(vacant)); + )); + /* let tile_air_fill = filler.sampling(painter.arena.alloc_with(move || move |pos| { + (!wall_contours(pos)).then_some(vacant) + })); */ + // let tile_air = tile_air.without(wall_contours); + painter.fill(tile_air, /*filler.block(vacant)*//*tile_air_fill*/vacant_within_walls, filler); // Place torches on the walls with the aforementioned spacing - let sconces_layer = painter.prim(Primitive::intersect(tile_air, lighting_plane)); - let sconces_layer = - painter.prim(Primitive::intersect(sconces_layer, wall_contour_surface)); - painter.fill(sconces_layer, sconces_wall.clone()); + let sconces_layer = /*tile_air.intersect(*/lighting_plane/*)*/; + /* let sconces_layer = + sconces_layer.as_kind().intersect(wall_contour_surface); */ + /* let sconces_layer_fill = filler.sampling(painter.arena.alloc_with(move || move |pos| { + // NOTE: This intersection feels a bit wasteful... + (wall_contour_surface(pos) && !wall_contours(pos)).then(|| sconces_wall(pos)) + })); */ + painter.fill(sconces_layer, /*sconces_wall*/sconces_layer_fill, filler); // Defer chest/floor sprite placement - if let Some((chest_sprite, chest_sprite_fill)) = chests { - let chest_sprite = painter.prim(Primitive::without(chest_sprite, wall_contours)); - sprites.push((chest_sprite, chest_sprite_fill)); + if let Some(/*(chest_sprite, */chest_sprite_fill/*)*/) = chests { + // let chest_sprite = chest_sprite.without(wall_contours); + sprites.push((sprite_layer, chest_sprite_fill)); } - let floor_sprite = painter.prim(Primitive::intersect(sprite_layer, floor_sprite)); - sprites.push((floor_sprite, floor_sprite_fill.clone())); + /* let floor_sprite = sprite_layer.as_kind().intersect(floor_sprite); */ + sprites.push((sprite_layer, floor_sprite_fill)); } // Place a glowing purple septagonal star inscribed in a circle in the boss room if let Some(boss_room_center) = boss_room_center { - let magic_circle_bb = painter.prim(Primitive::Cylinder(Aabb { + let magic_circle_bb = painter.cylinder(Aabb { min: (boss_room_center - 3 * Vec2::broadcast(TILE_SIZE) / 2).with_z(floor_z - 1), max: (boss_room_center + 3 * Vec2::broadcast(TILE_SIZE) / 2).with_z(floor_z), - })); - let magic_circle = painter.prim(Primitive::sampling( - magic_circle_bb, - inscribed_polystar(boss_room_center, 1.4 * TILE_SIZE as f32, 7), - )); - painter.fill(magic_circle, Fill::Block(stone_purple)); + }); + let magic_circle = { + let f = inscribed_polystar(boss_room_center, 1.4 * TILE_SIZE as f32, 7); + move |pos| f(pos).then_some(stone_purple) + }; + let magic_circle = /*painter.sampling*/filler.sampling( + // magic_circle_bb, + /* painter.arena.alloc_with(move || */&magic_circle/*),*/ + ); + painter.fill(/*magic_circle*/magic_circle_bb, /*filler.block(stone_purple)*/magic_circle, filler); } // Place pillars and pillar lights facing the pillars @@ -1352,32 +1570,41 @@ impl Floor { continue; } } - painter.fill(*lights, sconces_inward.clone()); - painter.fill(*pillar, Fill::Block(stone)); + painter.fill(*lights, sconces_inward, filler); + painter.fill(*pillar, filler.block(stone), filler); } // Carve out space for the stairs - for stair_bb in stairs_bb.iter() { - painter.fill(*stair_bb, Fill::Block(vacant)); - // Prevent sprites from floating above the stairs - let stair_bb_up = painter.prim(Primitive::translate(*stair_bb, Vec3::unit_z())); + for (stair_bb, _, _) in stairs.iter() { + painter.fill(*stair_bb, filler.block(vacant), filler); + /* // Prevent sprites from floating above the stairs + // + // NOTE: This is *mostly* equivalent to a Z test, since sprites are always drawn in + // single-voxel ground layers, except that cylindrical stairs can generate + // non-convex differences with a tile. For now we leave it as is, but it could + // probably be made a lot cheaper (and we could likely avoid the difference entirely by + // just preventing sprites from spawning in the tile around staircases, whether or not + // they were a cylinder). + let stair_bb_up = stair_bb.translate(Vec3::unit_z()); for (sprite, _) in sprites.iter_mut() { - *sprite = painter.prim(Primitive::without(*sprite, stair_bb_up)); - } + /* *sprite = */sprite.without(stair_bb_up); + } */ } // Place the stairs themselves, and lights within the stairwells - for (stair, lights) in stairs.iter() { - painter.fill(*lights, sconces_outward.clone()); - painter.fill(*stair, Fill::Block(stone)); - } + let stairs_bb_up = painter.union_all(stairs.into_iter().map(|(stair_bb, stair, lights)| { + painter.fill(lights, sconces_outward, filler); + painter.fill(stair_bb, stair, filler); + stair_bb + })).translate(Vec3::unit_z()); // Place the sprites for (sprite, sprite_fill) in sprites.into_iter() { - painter.fill(sprite, sprite_fill); + /* let sprite = */sprite.without(stairs_bb_up); + painter.fill(sprite, sprite_fill, filler); } } } -impl SiteStructure for Dungeon { - fn render(&self, _site: &site2::Site, land: &Land, painter: &Painter) { +impl SiteStructure for Dungeon { + fn render<'a>(&self, _site: &site2::Site, land: Land, painter: &Painter<'a>, filler: &mut FillFn<'a, '_, F>) { let origin = (self.origin + Vec2::broadcast(TILE_SIZE / 2)).with_z(self.alt + ALT_OFFSET); lazy_static! { @@ -1397,21 +1624,22 @@ impl SiteStructure for Dungeon { BiomeKind::Desert => *DESERT, _ => *GRASSLAND, }; - let entrances = entrances.read(); - let entrance = entrances[self.seed as usize % entrances.len()].clone(); + let entrances = entrances.get(); + let entrance = &entrances[self.seed as usize % entrances.len()]; - let entrance_prim = painter.prim(Primitive::Prefab(Box::new(entrance.clone()))); - let entrance_prim = painter.prim(Primitive::translate(entrance_prim, origin)); + let entrance_prim = painter.prefab(entrance); + let entrance_prim = entrance_prim.translate(origin); painter.fill( entrance_prim, - Fill::Prefab(Box::new(entrance), origin, self.seed), + filler.prefab(entrance, origin, self.seed), + filler, ); let mut z = self.alt + ALT_OFFSET; for floor in &self.floors { z -= floor.total_depth(); - floor.render(painter, self, z); + floor.render(painter, self, z, filler); } } } diff --git a/world/src/site2/plot/giant_tree.rs b/world/src/site2/plot/giant_tree.rs index 08a47c4ba4..d0653ae2b8 100644 --- a/world/src/site2/plot/giant_tree.rs +++ b/world/src/site2/plot/giant_tree.rs @@ -1,7 +1,7 @@ use crate::{ layer::tree::{ProceduralTree, TreeConfig}, site::namegen::NameGen, - site2::{Fill, Painter, Site, Structure}, + site2::{Fill, Filler, FillFn, Painter, Site, Structure}, util::FastNoise, Land, Sampler, }; @@ -78,8 +78,8 @@ impl GiantTree { } } -impl Structure for GiantTree { - fn render(&self, _site: &Site, _land: &Land, painter: &Painter) { +impl Structure for GiantTree { + fn render<'a>(&self, _site: &Site, _land: Land, painter: &Painter<'a>, filler: &mut FillFn<'a, '_, F>) { let fast_noise = FastNoise::new(self.seed); let dark = Rgb::new(10, 70, 50).map(|e| e as f32); let light = Rgb::new(80, 140, 10).map(|e| e as f32); @@ -88,23 +88,25 @@ impl Structure for GiantTree { light, fast_noise.get((self.wpos.map(|e| e as f64) * 0.05) * 0.5 + 0.5), ); + let leaf_vertical_scale = /*t.config.leaf_vertical_scale*/0.6f32.recip()/*1.0*/; self.tree.walk(|branch, parent| { let aabr = Aabr { min: self.wpos.xy() + branch.get_aabb().min.xy().as_(), max: self.wpos.xy() + branch.get_aabb().max.xy().as_(), }; - if aabr.collides_with_aabr(painter.render_aabr().as_()) { + if aabr.collides_with_aabr(filler.render_aabr().as_()) { painter .line_two_radius( self.wpos + branch.get_line().start.as_(), self.wpos + branch.get_line().end.as_(), parent.get_wood_radius(), branch.get_wood_radius(), + 1.0, ) - .fill(Fill::Block(Block::new( + .fill(filler.block(Block::new( BlockKind::Wood, Rgb::new(80, 32, 0), - ))); + )), filler); if branch.get_leaf_radius() > branch.get_wood_radius() { painter .line_two_radius( @@ -112,11 +114,12 @@ impl Structure for GiantTree { self.wpos + branch.get_line().end.as_(), parent.get_leaf_radius(), branch.get_leaf_radius(), + leaf_vertical_scale, ) - .fill(Fill::Block(Block::new( + .fill(filler.block(Block::new( BlockKind::Leaves, leaf_col.map(|e| e as u8), - ))) + )), filler) } true } else { diff --git a/world/src/site2/plot/gnarling.rs b/world/src/site2/plot/gnarling.rs index a84f289ffe..a2361882e6 100644 --- a/world/src/site2/plot/gnarling.rs +++ b/world/src/site2/plot/gnarling.rs @@ -435,8 +435,8 @@ impl GnarlingFortification { } } -impl Structure for GnarlingFortification { - fn render(&self, _site: &Site, land: &Land, painter: &Painter) { +impl Structure for GnarlingFortification { + fn render<'a>(&self, _site: &Site, land: Land, painter: &Painter<'a>, filler: &mut FillFn<'a, '_, F>) { // Create outer wall for (point, next_point) in self.wall_segments.iter() { // This adds additional points for the wall on the line between two points, @@ -456,9 +456,9 @@ impl Structure for GnarlingFortification { let start_wpos = point + self.origin; let end_wpos = next_point + self.origin; - let darkwood = Fill::Brick(BlockKind::Wood, Rgb::new(55, 25, 8), 12); - let lightwood = Fill::Brick(BlockKind::Wood, Rgb::new(71, 33, 11), 12); - let moss = Fill::Brick(BlockKind::Wood, Rgb::new(22, 36, 20), 24); + let darkwood = filler.brick(BlockKind::Wood, Rgb::new(55, 25, 8), 12); + let lightwood = filler.brick(BlockKind::Wood, Rgb::new(71, 33, 11), 12); + let moss = filler.brick(BlockKind::Wood, Rgb::new(22, 36, 20), 24); let start = (start_wpos + 2) .as_() @@ -496,7 +496,7 @@ impl Structure for GnarlingFortification { let mosstop1 = root1.translate(Vec3::new(0, 0, 1)); - root1.fill(darkwood.clone()); + root1.fill(darkwood, filler); let start = (start_wpos + 3) .as_() @@ -527,7 +527,7 @@ impl Structure for GnarlingFortification { painter .segment_prism(start, end, wall_mid_thickness, wall_mid_height) - .fill(darkwood); + .fill(darkwood, filler); let start = start_wpos .as_() @@ -543,16 +543,16 @@ impl Structure for GnarlingFortification { painter.segment_prism(start, end, wall_top_thickness, wall_top_height); let mosstopwall = topwall.translate(Vec3::new(0, 0, 1)); - topwall.fill(lightwood.clone()); + topwall.fill(lightwood, filler); - root2.fill(lightwood); + root2.fill(lightwood, filler); mosstopwall - .intersect(mossroot.translate(Vec3::new(0, 0, 8))) - .fill(moss.clone()); + .intersect/*union*/(mossroot.translate(Vec3::new(0, 0, 8))) + .fill(moss, filler); - mosstop1.intersect(mossroot).fill(moss.clone()); - mosstop2.intersect(mossroot).fill(moss); + mosstop1.intersect/*union*/(mossroot).fill(moss, filler); + mosstop2.intersect/*union*/(mossroot).fill(moss, filler); }) } @@ -570,10 +570,10 @@ impl Structure for GnarlingFortification { let randy = wpos.y.abs() % 10; let randz = (land.get_alt_approx(wpos) as i32).abs() % 10; //layers of rings, starting at exterior - let darkwood = Fill::Brick(BlockKind::Wood, Rgb::new(55, 25, 8), 12); - let lightwood = Fill::Brick(BlockKind::Wood, Rgb::new(71, 33, 11), 12); - let moss = Fill::Brick(BlockKind::Wood, Rgb::new(22, 36, 20), 24); - let red = Fill::Brick(BlockKind::Wood, Rgb::new(102, 31, 2), 12); + let darkwood = filler.brick(BlockKind::Wood, Rgb::new(55, 25, 8), 12); + let lightwood = filler.brick(BlockKind::Wood, Rgb::new(71, 33, 11), 12); + let moss = filler.brick(BlockKind::Wood, Rgb::new(22, 36, 20), 24); + let red = filler.brick(BlockKind::Wood, Rgb::new(102, 31, 2), 12); let twist = painter.cubic_bezier( tower_base_pos + Vec3::new(4, 4, 8), @@ -587,9 +587,9 @@ impl Structure for GnarlingFortification { mossarea .intersect(mosstwist) - .without(twist) - .fill(moss.clone()); - twist.fill(darkwood.clone()); + /* .without(twist) */ + .fill(moss, filler); + twist.fill(darkwood, filler); let outside = painter .cylinder_with_radius( @@ -597,65 +597,13 @@ impl Structure for GnarlingFortification { tower_radius, tower_height, ) - .without(painter.cylinder_with_radius( + /* .without(painter.cylinder_with_radius( wpos.with_z(land.get_alt_approx(wpos) as i32), tower_radius - 1.0, tower_height, - )); - outside.fill(lightwood.clone()); - painter - .cylinder_with_radius( - wpos.with_z(land.get_alt_approx(wpos) as i32), - tower_radius - 1.0, - tower_height, - ) - .fill(darkwood.clone()); - painter - .cylinder_with_radius( - wpos.with_z(land.get_alt_approx(wpos) as i32), - tower_radius - 2.0, - tower_height, - ) - .fill(lightwood.clone()); - painter - .cylinder_with_radius( - wpos.with_z(land.get_alt_approx(wpos) as i32), - tower_radius - 3.0, - tower_height, - ) - .fill(darkwood); - painter - .cylinder_with_radius( - wpos.with_z(land.get_alt_approx(wpos) as i32), - tower_radius - 4.0, - tower_height, - ) - .fill(lightwood); - //top layer, green above the tower - painter - .cylinder_with_radius( - wpos.with_z(land.get_alt_approx(wpos) as i32 + tower_height as i32), - tower_radius, - 2.0, - ) - .fill(moss); - //standing area one block deeper - painter - .cylinder_with_radius( - wpos.with_z(land.get_alt_approx(wpos) as i32 + tower_height as i32 - 9), - tower_radius - 1.0, - 1.0, - ) - .clear(); - //remove top sphere from trunk - painter - .sphere_with_radius( - Vec2::new(wpos.x - (randy - 5) / 2, wpos.y - (randz - 5) / 2).with_z( - land.get_alt_approx(wpos) as i32 + tower_height as i32 + 6 - randx / 3, - ), - 5.5, - ) - .clear(); + ))*/; + outside.fill(lightwood, filler); + //remove bark from exterior layer painter .sphere_with_radius( @@ -664,7 +612,7 @@ impl Structure for GnarlingFortification { 7.5, ) .intersect(outside) - .clear(); + .clear(filler); painter .sphere_with_radius( @@ -673,7 +621,79 @@ impl Structure for GnarlingFortification { 5.5, ) .intersect(outside) - .clear(); + .clear(filler); + + painter + .cylinder_with_radius( + wpos.with_z(land.get_alt_approx(wpos) as i32), + tower_radius - 1.0, + tower_height, + ) + .fill(darkwood, filler); + painter + .cylinder_with_radius( + wpos.with_z(land.get_alt_approx(wpos) as i32), + tower_radius - 2.0, + tower_height, + ) + .fill(lightwood, filler); + painter + .cylinder_with_radius( + wpos.with_z(land.get_alt_approx(wpos) as i32), + tower_radius - 3.0, + tower_height, + ) + .fill(darkwood, filler); + painter + .cylinder_with_radius( + wpos.with_z(land.get_alt_approx(wpos) as i32), + tower_radius - 4.0, + tower_height, + ) + .fill(lightwood, filler); + //top layer, green above the tower + painter + .cylinder_with_radius( + wpos.with_z(land.get_alt_approx(wpos) as i32 + tower_height as i32), + tower_radius, + 2.0, + ) + .fill(moss, filler); + //standing area one block deeper + painter + .cylinder_with_radius( + wpos.with_z(land.get_alt_approx(wpos) as i32 + tower_height as i32 - 9), + tower_radius - 1.0, + 1.0, + ) + .clear(filler); + //remove top sphere from trunk + painter + .sphere_with_radius( + Vec2::new(wpos.x - (randy - 5) / 2, wpos.y - (randz - 5) / 2).with_z( + land.get_alt_approx(wpos) as i32 + tower_height as i32 + 6 - randx / 3, + ), + 5.5, + ) + .clear(filler); + /* //remove bark from exterior layer + painter + .sphere_with_radius( + Vec2::new(wpos.x - (randy - 5) * 2, wpos.y - (randz - 5) * 2) + .with_z(land.get_alt_approx(wpos) as i32 + randx * 2), + 7.5, + ) + .intersect(outside) + .clear(filler); + + painter + .sphere_with_radius( + Vec2::new(wpos.x - (randx - 5) * 2, wpos.y - (randy - 5) * 2) + .with_z(land.get_alt_approx(wpos) as i32 + randz * 2), + 5.5, + ) + .intersect(outside) + .clear(filler); */ //cut out standing room painter @@ -683,7 +703,7 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + 3, wpos.y + 10) .with_z(land.get_alt_approx(wpos) as i32 + tower_height as i32 - 3), }) - .clear(); + .clear(filler); painter .aabb(Aabb { min: Vec2::new(wpos.x - 10, wpos.y - 3) @@ -691,7 +711,7 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + 10, wpos.y + 3) .with_z(land.get_alt_approx(wpos) as i32 + tower_height as i32 - 3), }) - .clear(); + .clear(filler); painter .aabb(Aabb { min: Vec2::new(wpos.x - 2, wpos.y - 10) @@ -699,7 +719,7 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + 2, wpos.y + 10) .with_z(land.get_alt_approx(wpos) as i32 + tower_height as i32 - 2), }) - .clear(); + .clear(filler); painter .aabb(Aabb { min: Vec2::new(wpos.x - 10, wpos.y - 2) @@ -707,7 +727,7 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + 10, wpos.y + 2) .with_z(land.get_alt_approx(wpos) as i32 + tower_height as i32 - 2), }) - .clear(); + .clear(filler); //flags painter .aabb(Aabb { @@ -716,8 +736,9 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + 2, wpos.y + tower_radius as i32 + 1) .with_z(land.get_alt_approx(wpos) as i32 + tower_height as i32 - 10), }) + .as_kind() .intersect(outside) - .fill(red.clone()); + .fill(red, filler); painter .aabb(Aabb { min: Vec2::new(wpos.x - tower_radius as i32 - 1, wpos.y - 2) @@ -725,8 +746,9 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + tower_radius as i32 + 1, wpos.y + 2) .with_z(land.get_alt_approx(wpos) as i32 + tower_height as i32 - 10), }) + .as_kind() .intersect(outside) - .fill(red.clone()); + .fill(red, filler); painter .aabb(Aabb { min: Vec2::new(wpos.x - 1, wpos.y - tower_radius as i32 - 1) @@ -734,8 +756,9 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + 1, wpos.y + tower_radius as i32 + 1) .with_z(land.get_alt_approx(wpos) as i32 + tower_height as i32 - 16), }) + .as_kind() .intersect(outside) - .fill(red.clone()); + .fill(red, filler); painter .aabb(Aabb { min: Vec2::new(wpos.x - tower_radius as i32 - 1, wpos.y - 1) @@ -743,8 +766,9 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + tower_radius as i32 + 1, wpos.y + 1) .with_z(land.get_alt_approx(wpos) as i32 + tower_height as i32 - 16), }) + .as_kind() .intersect(outside) - .fill(red); + .fill(red, filler); }); self.structure_locations @@ -753,8 +777,8 @@ impl Structure for GnarlingFortification { let wpos = self.origin + loc.xy(); let alt = land.get_alt_approx(wpos) as i32; - fn generate_hut( - painter: &Painter, + fn generate_hut<'a, F: Filler>( + painter: &Painter<'a>, wpos: Vec2, alt: i32, door_dir: Dir, @@ -763,40 +787,41 @@ impl Structure for GnarlingFortification { door_height: i32, roof_height: f32, roof_overhang: f32, + filler: &mut FillFn<'a, '_, F>, ) { let randx = wpos.x.abs() % 10; let randy = wpos.y.abs() % 10; let randz = alt.abs() % 10; let hut_wall_height = hut_wall_height + randy as f32 * 1.5; - let darkwood = Fill::Brick(BlockKind::Wood, Rgb::new(55, 25, 8), 12); - let lightwood = Fill::Brick(BlockKind::Wood, Rgb::new(71, 33, 11), 12); - let moss = Fill::Brick(BlockKind::Leaves, Rgb::new(22, 36, 20), 24); + let darkwood = filler.brick(BlockKind::Wood, Rgb::new(55, 25, 8), 12); + let lightwood = filler.brick(BlockKind::Wood, Rgb::new(71, 33, 11), 12); + let moss = filler.brick(BlockKind::Leaves, Rgb::new(22, 36, 20), 24); // Floor let base = wpos.with_z(alt - 4); painter .cylinder_with_radius(base, hut_radius + 1.0, 6.0) - .fill(darkwood.clone()); + .fill(darkwood, filler); // Wall let floor_pos = wpos.with_z(alt + 1); //alternating colors for ring pattern on ceiling painter .cylinder_with_radius(floor_pos, hut_radius, hut_wall_height + 3.0) - .fill(lightwood.clone()); + .fill(lightwood, filler); painter .cylinder_with_radius(floor_pos, hut_radius - 1.0, hut_wall_height + 3.0) - .fill(darkwood.clone()); + .fill(darkwood, filler); painter .cylinder_with_radius(floor_pos, hut_radius - 2.0, hut_wall_height + 3.0) - .fill(lightwood); + .fill(lightwood, filler); painter .cylinder_with_radius(floor_pos, hut_radius - 3.0, hut_wall_height + 3.0) - .fill(darkwood); + .fill(darkwood, filler); painter .cylinder_with_radius(floor_pos, hut_radius - 1.0, hut_wall_height) - .clear(); + .clear(filler); // Door let aabb_min = |dir| { @@ -815,11 +840,11 @@ impl Structure for GnarlingFortification { }; painter - .aabb(Aabb { + .aabb/*::*/(Aabb { min: aabb_min(door_dir), max: aabb_max(door_dir), }) - .clear(); + .clear(filler); // Roof let roof_radius = hut_radius + roof_overhang; @@ -829,7 +854,7 @@ impl Structure for GnarlingFortification { roof_radius - 1.0, roof_height - 1.0, ) - .fill(moss.clone()); + .fill(moss, filler); //small bits hanging from huts let tendril1 = painter.line( @@ -848,9 +873,14 @@ impl Structure for GnarlingFortification { let tendril3 = tendril2.translate(Vec3::new(-7, 2, 0)); let tendril4 = tendril1.translate(Vec3::new(7, 4, 0)); - let tendrils = tendril1.union(tendril2).union(tendril3).union(tendril4); + let tendrils = painter.union_all([ + tendril1.into(), + tendril2.into(), + tendril3.into(), + tendril4.into(), + ].into_iter()); - tendrils.fill(moss); + tendrils.fill(moss, filler); //sphere to delete some hut painter @@ -859,19 +889,20 @@ impl Structure for GnarlingFortification { .with_z(alt + 12 + hut_wall_height as i32 - randx / 3), 8.5, ) - .clear(); + .clear(filler); } - fn generate_chieftainhut( - painter: &Painter, + fn generate_chieftainhut<'a, F: Filler>( + painter: &Painter<'a>, wpos: Vec2, alt: i32, roof_height: f32, + filler: &mut FillFn<'a, '_, F>, ) { - let darkwood = Fill::Brick(BlockKind::Wood, Rgb::new(55, 25, 8), 12); - let lightwood = Fill::Brick(BlockKind::Wood, Rgb::new(71, 33, 11), 12); - let moss = Fill::Brick(BlockKind::Wood, Rgb::new(22, 36, 20), 24); - let red = Fill::Brick(BlockKind::Wood, Rgb::new(102, 31, 2), 12); + let darkwood = filler.brick(BlockKind::Wood, Rgb::new(55, 25, 8), 12); + let lightwood = filler.brick(BlockKind::Wood, Rgb::new(71, 33, 11), 12); + let moss = filler.brick(BlockKind::Wood, Rgb::new(22, 36, 20), 24); + let red = filler.brick(BlockKind::Wood, Rgb::new(102, 31, 2), 12); // Floor let raise = 5; @@ -881,7 +912,7 @@ impl Structure for GnarlingFortification { max: (wpos + 20).with_z(alt + raise + 1), }); - painter.fill(platform, darkwood.clone()); + painter.fill(platform, darkwood, filler); let supports = painter .line( @@ -902,9 +933,9 @@ impl Structure for GnarlingFortification { // let support_inner_2 = support_inner_1.translate(Vec3::new(34, 0, 0)); // let support_inner_3 = support_inner_1.translate(Vec3::new(17, 17, 0)); // let support_inner_4 = support_inner_1.translate(Vec3::new(17, -17, 0)); - let supports = supports.union(supports_inner); + let supports = supports.union(supports_inner.as_kind()); - painter.fill(supports, darkwood.clone()); + painter.fill(supports, darkwood, filler); let height_1 = 10.0; let height_2 = 12.0; let rad_1 = 18.0; @@ -913,15 +944,15 @@ impl Structure for GnarlingFortification { let floor_pos = wpos.with_z(alt + 1 + raise); painter .cylinder_with_radius(floor_pos, rad_1, height_1) - .fill(lightwood.clone()); + .fill(lightwood, filler); painter .cylinder_with_radius(floor_pos, rad_1 - 1.0, height_1) - .clear(); + .clear(filler); let floor2_pos = wpos.with_z(alt + 1 + raise + height_1 as i32); painter .cylinder_with_radius(floor2_pos, rad_2, height_2) - .fill(lightwood); + .fill(lightwood, filler); // Roof let roof_radius = rad_1 + 5.0; @@ -930,7 +961,7 @@ impl Structure for GnarlingFortification { roof_radius, roof_height, ); - roof1.fill(moss.clone()); + roof1.fill(moss, filler); let roof_radius = rad_2 + 1.0; painter .cone_with_radius( @@ -938,7 +969,7 @@ impl Structure for GnarlingFortification { roof_radius, roof_height, ) - .fill(moss); + .fill(moss, filler); let centerspot = painter.line( (wpos + 1).with_z(alt + raise + height_1 as i32 + 2), (wpos + 1).with_z(alt + raise + height_1 as i32 + 2), @@ -965,11 +996,13 @@ impl Structure for GnarlingFortification { 2.0, ); - let roof_support_1 = centerspot - .union(roof_support_1) - .union(roof_strut) - .union(wall2support) - .union(wall2roof); + let roof_support_1 = painter.union_all([ + centerspot.into(), + roof_support_1.into(), + roof_strut.into(), + wall2support.into(), + wall2roof.into(), + ].into_iter()); let roof_support_2 = roof_support_1.rotate_about_min(Mat3::new(1, 0, 0, 0, -1, 0, 0, 0, 1)); @@ -977,12 +1010,14 @@ impl Structure for GnarlingFortification { roof_support_1.rotate_about_min(Mat3::new(-1, 0, 0, 0, 1, 0, 0, 0, 1)); let roof_support_4 = roof_support_1.rotate_about_min(Mat3::new(-1, 0, 0, 0, -1, 0, 0, 0, 1)); - let roof_support = roof_support_1 - .union(roof_support_2) - .union(roof_support_3) - .union(roof_support_4); + let roof_support = painter.union_all([ + roof_support_1.into(), + roof_support_2.into(), + roof_support_3.into(), + roof_support_4.into(), + ].into_iter()); - painter.fill(roof_support, red.clone()); + painter.fill(roof_support, red, filler); let spike_high = painter.cubic_bezier( (wpos + rad_2 as i32 - 5).with_z(alt + raise + height_1 as i32 + 2), @@ -993,16 +1028,26 @@ impl Structure for GnarlingFortification { ); let spike_low = spike_high.rotate_about_min(Mat3::new(1, 0, 0, 0, 1, 0, 0, 0, -1)); - let spike_1 = centerspot.union(spike_low).union(spike_high); + let spike_1 = painter.union_all([ + centerspot.into(), + spike_low.into(), + spike_high.into(), + ].into_iter()); let spike_2 = spike_1.rotate_about_min(Mat3::new(1, 0, 0, 0, -1, 0, 0, 0, 1)); let spike_3 = spike_1.rotate_about_min(Mat3::new(-1, 0, 0, 0, 1, 0, 0, 0, 1)); let spike_4 = spike_1.rotate_about_min(Mat3::new(-1, 0, 0, 0, -1, 0, 0, 0, 1)); - let spikes = spike_1.union(spike_2).union(spike_3).union(spike_4); + let spikes = painter.union_all([ + spike_1.into(), + spike_2.into(), + spike_3.into(), + spike_4.into(), + ].into_iter()); painter.fill( spikes, - Fill::Brick(BlockKind::Wood, Rgb::new(112, 110, 99), 24), + filler.brick(BlockKind::Wood, Rgb::new(112, 110, 99), 24), + filler, ); //Open doorways (top floor) painter @@ -1012,7 +1057,7 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + 2, wpos.y + 15) .with_z(alt + raise + height_1 as i32 + height_2 as i32), }) - .clear(); + .clear(filler); painter .aabb(Aabb { min: Vec2::new(wpos.x - 3, wpos.y - 15) @@ -1020,7 +1065,7 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + 3, wpos.y + 15) .with_z(alt + raise + height_1 as i32 + 10), }) - .clear(); + .clear(filler); painter .aabb(Aabb { min: Vec2::new(wpos.x - 15, wpos.y - 2) @@ -1028,7 +1073,7 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + 15, wpos.y + 2) .with_z(alt + raise + height_1 as i32 + height_2 as i32), }) - .clear(); + .clear(filler); painter .aabb(Aabb { min: Vec2::new(wpos.x - 15, wpos.y - 3) @@ -1036,7 +1081,7 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + 15, wpos.y + 3) .with_z(alt + raise + height_1 as i32 + 10), }) - .clear(); + .clear(filler); // painter @@ -1046,7 +1091,7 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + 18, wpos.y + 2) .with_z(alt + raise + height_1 as i32 - 1), }) - .clear(); + .clear(filler); painter .aabb(Aabb { min: Vec2::new(wpos.x - 2, wpos.y - 18) @@ -1054,7 +1099,7 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + 2, wpos.y + 18) .with_z(alt + raise + height_1 as i32 - 1), }) - .clear(); + .clear(filler); painter .aabb(Aabb { min: Vec2::new(wpos.x - 18, wpos.y - 3) @@ -1062,7 +1107,7 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + 18, wpos.y + 3) .with_z(alt + raise + height_1 as i32 - 3), }) - .clear(); + .clear(filler); painter .aabb(Aabb { min: Vec2::new(wpos.x - 3, wpos.y - 18) @@ -1070,7 +1115,7 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + 3, wpos.y + 18) .with_z(alt + raise + height_1 as i32 - 3), }) - .clear(); + .clear(filler); //Roofing details painter @@ -1080,9 +1125,10 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + 23, wpos.y + 2) .with_z(alt + raise + height_1 as i32 + 7), }) + .as_kind() .intersect(roof1) .translate(Vec3::new(0, 0, -1)) - .fill(darkwood.clone()); + .fill(darkwood, filler); painter .aabb(Aabb { min: Vec2::new(wpos.x - 23, wpos.y - 2) @@ -1090,8 +1136,9 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + 23, wpos.y + 2) .with_z(alt + raise + height_1 as i32 + 7), }) + .as_kind() .intersect(roof1) - .fill(red.clone()); + .fill(red, filler); painter .aabb(Aabb { min: Vec2::new(wpos.x - 2, wpos.y - 23) @@ -1099,9 +1146,10 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + 2, wpos.y + 23) .with_z(alt + raise + height_1 as i32 + 7), }) + .as_kind() .intersect(roof1) .translate(Vec3::new(0, 0, -1)) - .fill(darkwood); + .fill(darkwood, filler); painter .aabb(Aabb { min: Vec2::new(wpos.x - 2, wpos.y - 23) @@ -1109,11 +1157,12 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + 2, wpos.y + 23) .with_z(alt + raise + height_1 as i32 + 7), }) + .as_kind() .intersect(roof1) - .fill(red); + .fill(red, filler); painter .cylinder_with_radius(floor2_pos, rad_2 - 1.0, height_2) - .clear(); + .clear(filler); } match kind { @@ -1134,6 +1183,7 @@ impl Structure for GnarlingFortification { door_height, roof_height, roof_overhang, + filler, ); }, GnarlingStructure::VeloriteHut => { @@ -1146,10 +1196,10 @@ impl Structure for GnarlingFortification { let length = 14; let width = 6; let height = alt + 12; - let darkwood = Fill::Brick(BlockKind::Wood, Rgb::new(55, 25, 8), 12); - let lightwood = Fill::Brick(BlockKind::Wood, Rgb::new(71, 33, 11), 12); - let moss = Fill::Brick(BlockKind::Wood, Rgb::new(22, 36, 20), 24); - let red = Fill::Brick(BlockKind::Wood, Rgb::new(102, 31, 2), 12); + let darkwood = filler.brick(BlockKind::Wood, Rgb::new(55, 25, 8), 12); + let lightwood = filler.brick(BlockKind::Wood, Rgb::new(71, 33, 11), 12); + let moss = filler.brick(BlockKind::Wood, Rgb::new(22, 36, 20), 24); + let red = filler.brick(BlockKind::Wood, Rgb::new(102, 31, 2), 12); let low1 = painter.aabb(Aabb { min: Vec2::new(wpos.x - width, wpos.y - length).with_z(height + 1), @@ -1176,35 +1226,40 @@ impl Structure for GnarlingFortification { let low = low1.union(low2); let top = top1.union(top2); - let roof = low1.union(low2).union(top1).union(top2); + let roof = painter.union_all([ + low1.into(), + low2.into(), + top1.into(), + top2.into(), + ].into_iter()); let roofmoss = roof.translate(Vec3::new(0, 0, 1)).without(top).without(low); - top.fill(darkwood.clone()); - low.fill(lightwood); - roofmoss.fill(moss); + top.fill(darkwood, filler); + low.fill(lightwood, filler); + roofmoss.fill(moss, filler); painter .sphere_with_radius( Vec2::new(wpos.x + rand.y - 5, wpos.y + rand.z - 5) .with_z(height + 4), 7.0, ) - .intersect(roofmoss) - .clear(); + .intersect(roofmoss.as_kind()) + .clear(filler); painter .sphere_with_radius( Vec2::new(wpos.x + rand.x - 5, wpos.y + rand.y - 5) .with_z(height + 4), 4.0, ) - .intersect(roofmoss) - .clear(); + .intersect(roofmoss.as_kind()) + .clear(filler); painter .sphere_with_radius( Vec2::new(wpos.x + 2 * (rand.z - 5), wpos.y + 2 * (rand.x - 5)) .with_z(height + 4), 4.0, ) - .intersect(roofmoss) - .clear(); + .intersect(roofmoss.as_kind()) + .clear(filler); //inside leg let leg1 = painter.aabb(Aabb { @@ -1231,14 +1286,22 @@ impl Structure for GnarlingFortification { .rotate_about_min(Mat3::new(-1, 0, 0, 0, -1, 0, 0, 0, 1)) .translate(Vec3::new(width * 2 + 2, width * 2 + 2, 0)); - let legsupports = legsupport1 - .union(legsupport2) - .union(legsupport3) - .union(legsupport4); + let legsupports = painter.union_all([ + legsupport1.into(), + legsupport2.into(), + legsupport3.into(), + legsupport4.into(), + ].into_iter()); - let legs = leg1.union(leg2).union(leg3).union(leg4); - legs.fill(darkwood); - legsupports.without(legs).fill(red); + let legs = painter.union_all([ + leg1.into(), + leg2.into(), + leg3.into(), + leg4.into(), + ].into_iter()); + legsupports.fill(red, filler); + legs.fill(darkwood, filler); + // legsupports.without(legs).fill(red, filler); let spike1 = painter.line( Vec2::new(wpos.x - 12, wpos.y + 2).with_z(height + 3), @@ -1260,7 +1323,7 @@ impl Structure for GnarlingFortification { .translate(Vec3::new(16, -9, 0)); let spikesall = spikeshalf.union(spikesotherhalf); - spikesall.fill(Fill::Brick(BlockKind::Wood, Rgb::new(112, 110, 99), 24)); + spikesall.fill(filler.brick(BlockKind::Wood, Rgb::new(112, 110, 99), 24), filler); let crystal1 = painter.aabb(Aabb { min: Vec2::new(wpos.x - 2, wpos.y - 3).with_z(alt), max: Vec2::new(wpos.x + 2, wpos.y + 1).with_z(alt + 7), @@ -1280,16 +1343,16 @@ impl Structure for GnarlingFortification { let crystalp1 = crystal1.union(crystal3); let crystalp2 = crystal2.union(crystal4); - crystalp1.fill(Fill::Brick( + crystalp1.fill(filler.brick( BlockKind::GlowingRock, Rgb::new(50, 225, 210), 24, - )); - crystalp2.fill(Fill::Brick( + ), filler); + crystalp2.fill(filler.brick( BlockKind::GlowingRock, Rgb::new(36, 187, 151), 24, - )); + ), filler); }, GnarlingStructure::Totem => { let totem_pos = wpos.with_z(alt); @@ -1299,18 +1362,18 @@ impl Structure for GnarlingFortification { PrefabStructure::load_group("site_structures.gnarling.totem"); } - let totem = TOTEM.read(); - let totem = totem[self.seed as usize % totem.len()].clone(); + let totem = TOTEM.get(); + let totem = &totem[self.seed as usize % totem.len()]; painter - .prim(Primitive::Prefab(Box::new(totem.clone()))) + .prefab(totem) .translate(totem_pos) - .fill(Fill::Prefab(Box::new(totem), totem_pos, self.seed)); + .fill(filler.prefab(totem, totem_pos, self.seed), filler); }, GnarlingStructure::ChieftainHut => { let roof_height = 3.0; - generate_chieftainhut(painter, wpos, alt, roof_height); + generate_chieftainhut(painter, wpos, alt, roof_height, filler); }, GnarlingStructure::Banner => { @@ -1320,14 +1383,14 @@ impl Structure for GnarlingFortification { (land.get_alt_approx(wpos) as i32).abs() % 10, ); - let darkwood = Fill::Brick(BlockKind::Wood, Rgb::new(55, 25, 8), 12); - let moss = Fill::Brick(BlockKind::Leaves, Rgb::new(22, 36, 20), 24); - let red = Fill::Brick(BlockKind::Wood, Rgb::new(102, 31, 2), 12); + let darkwood = filler.brick(BlockKind::Wood, Rgb::new(55, 25, 8), 12); + let moss = filler.brick(BlockKind::Leaves, Rgb::new(22, 36, 20), 24); + let red = filler.brick(BlockKind::Wood, Rgb::new(102, 31, 2), 12); let flag = painter.aabb(Aabb { min: Vec2::new(wpos.x + 1, wpos.y - 1).with_z(alt + 8), max: Vec2::new(wpos.x + 8, wpos.y).with_z(alt + 38), }); - flag.fill(red); + flag.fill(red, filler); //add green streaks let streak1 = painter .line( @@ -1335,7 +1398,8 @@ impl Structure for GnarlingFortification { Vec2::new(wpos.x + 8, wpos.y - 1).with_z(alt + 33), 4.0, ) - .intersect(flag); + .intersect(flag.as_kind()); + // streak1.fill(moss, filler); let streak2 = painter .line( @@ -1343,16 +1407,24 @@ impl Structure for GnarlingFortification { Vec2::new(wpos.x + 8, wpos.y - 1).with_z(alt + 25), 1.5, ) - .intersect(flag); + .intersect(flag.as_kind()); + // streak2.fill(moss, filler); + let streak3 = painter .line( Vec2::new(wpos.x - 5, wpos.y - 1).with_z(alt + 8), Vec2::new(wpos.x + 8, wpos.y - 1).with_z(alt + 21), 1.0, ) - .intersect(flag); - let streaks = streak1.union(streak2).union(streak3); - streaks.fill(moss); + .intersect(flag.as_kind()); + // streak3.fill(moss, filler); + + let streaks = painter.union_all([ + streak1.into(), + streak2.into(), + streak3.into(), + ].into_iter()); + streaks.fill(moss, filler); //erase from top and bottom of rectangle flag for shape painter .line( @@ -1360,12 +1432,12 @@ impl Structure for GnarlingFortification { Vec2::new(wpos.x + 8, wpos.y - 1).with_z(alt + 44), 5.0, ) - .intersect(flag) - .clear(); + .intersect(flag.as_kind()) + .clear(filler); painter .sphere_with_radius(Vec2::new(wpos.x + 8, wpos.y).with_z(alt + 8), 6.0) - .intersect(flag) - .clear(); + .intersect(flag.as_kind()) + .clear(filler); //tatters painter .line( @@ -1374,16 +1446,16 @@ impl Structure for GnarlingFortification { Vec2::new(wpos.x + 3 + rand.y / 5, wpos.y - 1).with_z(alt + 5), 0.9 * rand.z as f32 / 4.0, ) - .clear(); + .clear(filler); painter .line( Vec2::new(wpos.x + 4 + rand.z / 2, wpos.y - 1) .with_z(alt + 20 + rand.x), Vec2::new(wpos.x + 4 + rand.z / 2, wpos.y - 1) .with_z(alt + 17 + rand.y), - 0.9 * rand.z as f32 / 6.0, + 0.5 * rand.z as f32 / 6.0, ) - .clear(); + .clear(filler); //flagpole let column = painter.aabb(Aabb { @@ -1394,10 +1466,10 @@ impl Structure for GnarlingFortification { let arm = painter.line( Vec2::new(wpos.x - 5, wpos.y - 1).with_z(alt + 26), Vec2::new(wpos.x + 8, wpos.y - 1).with_z(alt + 39), - 0.9, + 0.5, ); - let flagpole = column.union(arm); - flagpole.fill(darkwood); + let flagpole = column.as_kind().union(arm); + flagpole.fill(darkwood, filler); }, GnarlingStructure::WatchTower => { let platform_1_height = 14; @@ -1435,8 +1507,6 @@ impl Structure for GnarlingFortification { .rotate_about_min(Mat3::new(-1, 0, 0, 0, -1, 0, 0, 0, 1)) .translate(Vec3::new(13, 13, 0)); - let supports = support_1.union(support_2).union(support_3).union(support_4); - let platform_1_supports = painter .plane( Aabr { @@ -1454,7 +1524,7 @@ impl Structure for GnarlingFortification { (wpos + 3).with_z(alt + platform_2_height), Vec2::new(0.0, -1.0), )) - .without( + /* .without( painter.aabb(Aabb { min: Vec2::new(wpos.x + 3, wpos.y + 2) .with_z(alt + platform_1_height), @@ -1469,16 +1539,16 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + 9, wpos.y + 9) .with_z(alt + platform_2_height + 2), }), - ) + ) */ .union( painter.aabb(Aabb { min: Vec2::new(wpos.x + 2, wpos.y + 2) .with_z(alt + platform_1_height), max: Vec2::new(wpos.x + 9, wpos.y + 9) .with_z(alt + platform_2_height), - }), + }).as_kind(), ) - .without( + /* .without( painter.aabb(Aabb { min: Vec2::new(wpos.x + 3, wpos.y + 2) .with_z(alt + platform_1_height), @@ -1493,7 +1563,7 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + 9, wpos.y + 8) .with_z(alt + platform_2_height), }), - ); + )*/; let platform_2_supports = painter .plane( @@ -1512,23 +1582,23 @@ impl Structure for GnarlingFortification { (wpos + 3).with_z(alt + platform_3_height), Vec2::new(-1.0, 0.0), )) - .without( + /* .without( painter.aabb(Aabb { min: Vec2::new(wpos.x + 3, wpos.y + 4) .with_z(alt + platform_2_height), max: Vec2::new(wpos.x + 8, wpos.y + 7) .with_z(alt + platform_3_height), }), - ) + ) */ .union( painter.aabb(Aabb { min: Vec2::new(wpos.x + 3, wpos.y + 3) .with_z(alt + platform_2_height), max: Vec2::new(wpos.x + 8, wpos.y + 8) .with_z(alt + platform_3_height), - }), + }).as_kind(), ) - .without( + /* .without( painter.aabb(Aabb { min: Vec2::new(wpos.x + 4, wpos.y + 3) .with_z(alt + platform_2_height), @@ -1543,7 +1613,7 @@ impl Structure for GnarlingFortification { max: Vec2::new(wpos.x + 8, wpos.y + 7) .with_z(alt + platform_3_height), }), - ); + ) */; let roof = painter .gable( @@ -1613,7 +1683,11 @@ impl Structure for GnarlingFortification { .rotate_about_min(Mat3::new(-1, 0, 0, 0, 1, 0, 0, 0, 1)); let skirt3 = skirt2.translate(Vec3::new(3, 0, 0)); - let skirtside1 = skirt1.union(skirt2).union(skirt3); + let skirtside1 = painter.union_all([ + skirt1.into(), + skirt2.into(), + skirt3.into(), + ].into_iter()); let skirtside2 = skirtside1 .rotate_about_min(Mat3::new(0, -1, 0, 1, 0, 0, 0, 0, 1)) .translate(Vec3::new(0, 1, 0)); @@ -1628,70 +1702,138 @@ impl Structure for GnarlingFortification { .rotate_about_min(Mat3::new(1, 0, 0, 0, -1, 0, 0, 0, 1)) .translate(Vec3::new(0, 11, 6)); - let skirt = skirt1.union(skirt2).union(roof); + let skirt = painter.union_all([ + skirt1.into(), + skirt2.into(), + roof.into(), + ].into_iter()); painter.fill( skirt, - Fill::Brick(BlockKind::Leaves, Rgb::new(22, 36, 20), 24), + filler.brick(BlockKind::Leaves, Rgb::new(22, 36, 20), 24), + filler, ); - let towerplatform = platform_1.union(platform_2).union(platform_3); + let towerplatform = painter.union_all([ + platform_1.into(), + platform_2.into(), + platform_3.into(), + ].into_iter()); painter.fill( towerplatform, - Fill::Brick(BlockKind::Wood, Rgb::new(71, 33, 11), 24), + filler.brick(BlockKind::Wood, Rgb::new(71, 33, 11), 24), + filler, ); - let towervertical = supports - .union(platform_1_supports) - .union(platform_2_supports) - .union(roof_pillars); + + let towervertical = painter.union_all([ + support_1, + support_2, + support_3, + support_4, + platform_1_supports, + platform_2_supports, + roof_pillars.as_kind(), + ].into_iter()); painter.fill( towervertical, - Fill::Brick(BlockKind::Wood, Rgb::new(55, 25, 8), 24), + filler.brick(BlockKind::Wood, Rgb::new(55, 25, 8), 24), + filler, ); + + painter.union_all([ + painter.aabb(Aabb { + min: Vec2::new(wpos.x + 3, wpos.y + 2) + .with_z(alt + platform_1_height), + max: Vec2::new(wpos.x + 8, wpos.y + 9) + .with_z(alt + platform_2_height), + }), + painter.aabb(Aabb { + min: Vec2::new(wpos.x + 2, wpos.y + 2) + .with_z(alt + platform_2_height), + max: Vec2::new(wpos.x + 9, wpos.y + 9) + .with_z(alt + platform_2_height + 2), + }), + painter.aabb(Aabb { + min: Vec2::new(wpos.x + 3, wpos.y + 2) + .with_z(alt + platform_1_height), + max: Vec2::new(wpos.x + 8, wpos.y + 9) + .with_z(alt + platform_2_height), + }), + painter.aabb(Aabb { + min: Vec2::new(wpos.x + 2, wpos.y + 3) + .with_z(alt + platform_1_height), + max: Vec2::new(wpos.x + 9, wpos.y + 8) + .with_z(alt + platform_2_height), + }), + painter.aabb(Aabb { + min: Vec2::new(wpos.x + 3, wpos.y + 4) + .with_z(alt + platform_2_height), + max: Vec2::new(wpos.x + 8, wpos.y + 7) + .with_z(alt + platform_3_height), + }), + painter.aabb(Aabb { + min: Vec2::new(wpos.x + 4, wpos.y + 3) + .with_z(alt + platform_2_height), + max: Vec2::new(wpos.x + 7, wpos.y + 8) + .with_z(alt + platform_3_height), + }), + painter.aabb(Aabb { + min: Vec2::new(wpos.x + 3, wpos.y + 4) + .with_z(alt + platform_2_height), + max: Vec2::new(wpos.x + 8, wpos.y + 7) + .with_z(alt + platform_3_height), + }), + ].into_iter()) + .clear(filler); }, } }); // Create tunnels beneath the fortification - let wood = Fill::Brick(BlockKind::Wood, Rgb::new(55, 25, 8), 24); - let dirt = Fill::Brick(BlockKind::Earth, Rgb::new(55, 25, 8), 24); + let wood = filler.brick(BlockKind::Wood, Rgb::new(55, 25, 8), 24); + let dirt = filler.brick(BlockKind::Earth, Rgb::new(55, 25, 8), 24); let alt = land.get_alt_approx(self.origin) as i32; - let stump = painter - .cylinder(Aabb { + let stump = painter.union_all([ + painter.cylinder(Aabb { min: (self.tunnels.start.xy() - 10).with_z(alt - 15), max: (self.tunnels.start.xy() + 11).with_z(alt + 10), - }) - .union(painter.cylinder(Aabb { + }).into(), + painter.cylinder(Aabb { min: (self.tunnels.start.xy() - 11).with_z(alt), max: (self.tunnels.start.xy() + 12).with_z(alt + 2), - })) - .union(painter.line( + }).into(), + painter./*line*/segment_prism( self.tunnels.start.xy().with_z(alt + 10), (self.tunnels.start.xy() + 15).with_z(alt - 8), 5.0, - )) - .union(painter.line( + 5.0, + ).into(), + painter./*line*/segment_prism( self.tunnels.start.xy().with_z(alt + 10), Vec2::new(self.tunnels.start.x - 15, self.tunnels.start.y + 15).with_z(alt - 8), 5.0, - )) - .union(painter.line( + 5.0, + ).into(), + painter./*line*/segment_prism( self.tunnels.start.xy().with_z(alt + 10), Vec2::new(self.tunnels.start.x + 15, self.tunnels.start.y - 15).with_z(alt - 8), 5.0, - )) - .union(painter.line( + 5.0, + ).into(), + painter./*line*/segment_prism( self.tunnels.start.xy().with_z(alt + 10), (self.tunnels.start.xy() - 15).with_z(alt - 8), 5.0, - )) - .without( + 5.0, + ).into(), + ].into_iter()) + /* .without( painter.sphere_with_radius((self.tunnels.start.xy() + 10).with_z(alt + 26), 18.0), ) .without( painter.sphere_with_radius((self.tunnels.start.xy() - 10).with_z(alt + 26), 18.0), - ); + )*/; let entrance_hollow = painter.line( self.tunnels.start, self.tunnels.start.xy().with_z(alt + 10), @@ -1730,39 +1872,44 @@ impl Structure for GnarlingFortification { let ctrl1_offset = end.x % 6 * if end.y % 2 == 0 { -1 } else { 1 }; let ctrl0 = (((start + end) / 2) + start) / 2 + ctrl0_offset; let ctrl1 = (((start + end) / 2) + end) / 2 + ctrl1_offset; - let tunnel = painter.cubic_bezier(start, ctrl0, ctrl1, end, tunnel_radius); - let tunnel_clear = painter.cubic_bezier(start, ctrl0, ctrl1, end, tunnel_radius - 1.0); - let mut fern_scatter = painter.empty(); - let mut velorite_scatter = painter.empty(); - let mut fire_bowl_scatter = painter.empty(); + let tunnel = painter.segment_prism(start.with_z(start.z - tunnel_radius as i32), end.with_z(end.z - tunnel_radius as i32), tunnel_radius, tunnel_radius * 2.0); + let tunnel_clear = painter.segment_prism(start.with_z(start.z - tunnel_radius as i32 + 1), end.with_z(end.z - tunnel_radius as i32 + 1), tunnel_radius - 1.0, tunnel_radius * 2.0 - 1.0); + /* let tunnel = painter.cubic_bezier(start, ctrl0, ctrl1, end, tunnel_radius); + let tunnel_clear = painter.cubic_bezier(start, ctrl0, ctrl1, end, tunnel_radius - 1.0); */ + let mut fern_scatter = Vec::new(); + let mut velorite_scatter = Vec::new(); + let mut fire_bowl_scatter = Vec::new(); let min_z = branch.0.z.min(branch.1.z); let max_z = branch.0.z.max(branch.1.z); for i in branch.0.x - tunnel_radius_i32..branch.1.x + tunnel_radius_i32 { for j in branch.0.y - tunnel_radius_i32..branch.1.y + tunnel_radius_i32 { if random_field.get(Vec3::new(i, j, min_z)) % 6 == 0 { - fern_scatter = fern_scatter.union(painter.aabb(Aabb { + fern_scatter.push(painter.aabb(Aabb { min: Vec3::new(i, j, min_z), max: Vec3::new(i + 1, j + 1, max_z), - })); + }).into()); } if random_field.get(Vec3::new(i, j, min_z)) % 30 == 0 { - velorite_scatter = velorite_scatter.union(painter.aabb(Aabb { + velorite_scatter.push(painter.aabb(Aabb { min: Vec3::new(i, j, min_z), max: Vec3::new(i + 1, j + 1, max_z), - })); + }).into()); } if random_field.get(Vec3::new(i, j, min_z)) % 30 == 0 { - fire_bowl_scatter = fire_bowl_scatter.union(painter.aabb(Aabb { + fire_bowl_scatter.push(painter.aabb(Aabb { min: Vec3::new(i, j, min_z), max: Vec3::new(i + 1, j + 1, max_z), - })); + }).into()); } } } - let fern = tunnel_clear.intersect(fern_scatter); - let velorite = tunnel_clear.intersect(velorite_scatter); - let fire_bowl = tunnel_clear.intersect(fire_bowl_scatter); + let fern_scatter = painter.union_all(fern_scatter.into_iter()); + let fern = tunnel_clear.intersect(fern_scatter.as_kind()); + let velorite_scatter = painter.union_all(velorite_scatter.into_iter()); + let velorite = tunnel_clear.intersect(velorite_scatter.as_kind()); + let fire_bowl_scatter = painter.union_all(fire_bowl_scatter.into_iter()); + let fire_bowl = tunnel_clear.intersect(fire_bowl_scatter.as_kind()); if in_path { path_tunnels.push(tunnel); } else { @@ -1796,7 +1943,7 @@ impl Structure for GnarlingFortification { min: terminal.with_z(terminal.z - 7), max: terminal.with_z(terminal.z - 7) + 1, }); - fire_bowls.push(fire_bowl); + fire_bowls.push(fire_bowl.as_kind()); // Chest let chest_seed = random_field.get(*terminal) % 5; @@ -1830,8 +1977,8 @@ impl Structure for GnarlingFortification { .chain(rooms.into_iter()) .chain(core::iter::once(boss_room)) .chain(core::iter::once(stump)) - .for_each(|prim| prim.fill(wood.clone())); - path_tunnels.into_iter().for_each(|t| t.fill(dirt.clone())); + .for_each(|prim| prim.fill(wood, filler)); + path_tunnels.into_iter().for_each(|t| t.fill(dirt, filler)); // Clear out insides after filling the walls in let mut sprite_clear = Vec::new(); @@ -1842,38 +1989,38 @@ impl Structure for GnarlingFortification { .for_each(|prim| { sprite_clear.push(prim.translate(Vec3::new(0, 0, 1)).intersect(prim)); - prim.clear(); + prim.clear(filler); }); // Place sprites ferns .into_iter() - .for_each(|prim| prim.fill(Fill::Block(Block::air(SpriteKind::JungleFern)))); + .for_each(|prim| prim.fill(filler.block(Block::air(SpriteKind::JungleFern)), filler)); velorite_ores .into_iter() - .for_each(|prim| prim.fill(Fill::Block(Block::air(SpriteKind::Velorite)))); + .for_each(|prim| prim.fill(filler.block(Block::air(SpriteKind::Velorite)), filler)); fire_bowls .into_iter() - .for_each(|prim| prim.fill(Fill::Block(Block::air(SpriteKind::FireBowlGround)))); + .for_each(|prim| prim.fill(filler.block(Block::air(SpriteKind::FireBowlGround)), filler)); chests_ori_0.into_iter().for_each(|prim| { - prim.fill(Fill::Block( + prim.fill(filler.block( Block::air(SpriteKind::DungeonChest0).with_ori(0).unwrap(), - )) + ), filler) }); chests_ori_2.into_iter().for_each(|prim| { - prim.fill(Fill::Block( + prim.fill(filler.block( Block::air(SpriteKind::DungeonChest0).with_ori(2).unwrap(), - )) + ), filler) }); chests_ori_4.into_iter().for_each(|prim| { - prim.fill(Fill::Block( + prim.fill(filler.block( Block::air(SpriteKind::DungeonChest0).with_ori(4).unwrap(), - )) + ), filler) }); - entrance_hollow.clear(); - sprite_clear.into_iter().for_each(|prim| prim.clear()); + entrance_hollow.clear(filler); + sprite_clear.into_iter().for_each(|prim| prim.clear(filler)); } } diff --git a/world/src/site2/plot/house.rs b/world/src/site2/plot/house.rs index 6bf1a3a33f..796993a8bc 100644 --- a/world/src/site2/plot/house.rs +++ b/world/src/site2/plot/house.rs @@ -90,8 +90,8 @@ impl House { const STOREY: i32 = 5; -impl Structure for House { - fn render(&self, site: &Site, _land: &Land, painter: &Painter) { +impl Structure for House { + fn render<'a>(&self, site: &Site, _land: Land, painter: &Painter<'a>, filler: &mut FillFn<'a, '_, F>) { let storey = STOREY; let roof = storey * self.levels as i32 - 1; let foundations = 12; @@ -109,8 +109,8 @@ impl Structure for House { let (roof_primitive, roof_empty) = match self.front { 0 => { ( - painter.prim(Primitive::Gable { - aabb: Aabb { + painter.gable( + Aabb { min: (self.bounds.min - roof_lip).with_z(alt + roof), max: (Vec2::new( self.bounds.max.x + 1 + roof_lip, @@ -121,11 +121,11 @@ impl Structure for House { )) .with_z(alt + roof + roof_height), }, - inset: roof_height, - dir: Dir::Y, - }), - painter.prim(Primitive::Gable { - aabb: Aabb { + roof_height, + Dir::Y, + ), + painter.gable( + Aabb { min: (Vec2::new(self.bounds.min.x, self.bounds.min.y - 1)) .with_z(alt + roof), /* self.bounds.min - roof_lip).with_z(alt + * roof), */ @@ -138,15 +138,15 @@ impl Structure for House { )) .with_z(alt + roof + roof_height - 1), }, - inset: roof_height - 1, - dir: Dir::Y, - }), + roof_height - 1, + Dir::Y, + ), ) }, 1 => { ( - painter.prim(Primitive::Gable { - aabb: Aabb { + painter.gable( + Aabb { min: (self.bounds.min - roof_lip).with_z(alt + roof), max: Vec2::new( self.bounds.max.x @@ -157,11 +157,11 @@ impl Structure for House { ) .with_z(alt + roof + roof_height), }, - inset: roof_height, - dir: Dir::X, - }), - painter.prim(Primitive::Gable { - aabb: Aabb { + roof_height, + Dir::X, + ), + painter.gable( + Aabb { min: (Vec2::new(self.bounds.min.x - 1, self.bounds.min.y)) .with_z(alt + roof), /* self.bounds.min - roof_lip).with_z(alt + * roof), */ @@ -174,14 +174,14 @@ impl Structure for House { ) .with_z(alt + roof + roof_height - 1), }, - inset: roof_height - 1, - dir: Dir::X, - }), + roof_height - 1, + Dir::X, + ), ) }, 2 => ( - painter.prim(Primitive::Gable { - aabb: Aabb { + painter.gable( + Aabb { min: Vec2::new( self.bounds.min.x - roof_lip, self.bounds.min.y - roof_lip - (self.levels as i32 - 1) * self.overhang, @@ -193,11 +193,11 @@ impl Structure for House { ) .with_z(alt + roof + roof_height), }, - inset: roof_height, - dir: Dir::Y, - }), - painter.prim(Primitive::Gable { - aabb: Aabb { + roof_height, + Dir::Y, + ), + painter.gable( + Aabb { min: Vec2::new( self.bounds.min.x, self.bounds.min.y - 1 - (self.levels as i32 - 1) * self.overhang - 1, @@ -206,13 +206,13 @@ impl Structure for House { max: Vec2::new(self.bounds.max.x + 1, self.bounds.max.y + roof_lip + 1) .with_z(alt + roof + roof_height - 1), }, - inset: roof_height - 1, - dir: Dir::Y, - }), + roof_height - 1, + Dir::Y, + ), ), _ => ( - painter.prim(Primitive::Gable { - aabb: Aabb { + painter.gable( + Aabb { min: Vec2::new( self.bounds.min.x - roof_lip - (self.levels as i32 - 1) * self.overhang, self.bounds.min.y - roof_lip, @@ -224,11 +224,11 @@ impl Structure for House { ) .with_z(alt + roof + roof_height), }, - inset: roof_height, - dir: Dir::X, - }), - painter.prim(Primitive::Gable { - aabb: Aabb { + roof_height, + Dir::X, + ), + painter.gable( + Aabb { min: Vec2::new( self.bounds.min.x - roof_lip @@ -240,15 +240,15 @@ impl Structure for House { max: Vec2::new(self.bounds.max.x + 1 + roof_lip, self.bounds.max.y + 1) .with_z(alt + roof + roof_height - 1), }, - inset: roof_height - 1, - dir: Dir::X, - }), + roof_height - 1, + Dir::X, + ), ), }; let (roof_front_wall, roof_rear_wall) = match self.front { 0 => ( - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: (Vec2::new( self.bounds.min.x, self.bounds.max.y + (self.levels as i32 - 1) * self.overhang, @@ -259,15 +259,15 @@ impl Structure for House { self.bounds.max.y + (self.levels as i32 - 1) * self.overhang + 1, )) .with_z(alt + roof + roof_height), - })), - painter.prim(Primitive::Aabb(Aabb { + }), + painter.aabb(Aabb { min: (Vec2::new(self.bounds.min.x, self.bounds.min.y).with_z(alt + roof)), max: (Vec2::new(self.bounds.max.x + 1, self.bounds.min.y + 1) .with_z(alt + roof + roof_height)), - })), + }), ), 1 => ( - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: Vec2::new( self.bounds.max.x + (self.levels as i32 - 1) * self.overhang, self.bounds.min.y, @@ -278,15 +278,15 @@ impl Structure for House { self.bounds.max.y + 1, ) .with_z(alt + roof + roof_height), - })), - painter.prim(Primitive::Aabb(Aabb { + }), + painter.aabb(Aabb { min: Vec2::new(self.bounds.min.x, self.bounds.min.y).with_z(alt + roof), max: Vec2::new(self.bounds.min.x + 1, self.bounds.max.y + 1) .with_z(alt + roof + roof_height), - })), + }), ), 2 => ( - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x, self.bounds.min.y - (self.levels as i32 - 1) * self.overhang, @@ -297,15 +297,15 @@ impl Structure for House { self.bounds.min.y - (self.levels as i32 - 1) * self.overhang + 1, ) .with_z(alt + roof + roof_height), - })), - painter.prim(Primitive::Aabb(Aabb { + }), + painter.aabb(Aabb { min: Vec2::new(self.bounds.min.x, self.bounds.max.y).with_z(alt + roof), max: Vec2::new(self.bounds.max.x + 1, self.bounds.max.y + 1) .with_z(alt + roof + roof_height), - })), + }), ), _ => ( - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x - (self.levels as i32 - 1) * self.overhang, self.bounds.min.y, @@ -316,101 +316,103 @@ impl Structure for House { self.bounds.max.y + 1, ) .with_z(alt + roof + roof_height), - })), - painter.prim(Primitive::Aabb(Aabb { + }), + painter.aabb(Aabb { min: Vec2::new(self.bounds.max.x, self.bounds.min.y).with_z(alt + roof), max: Vec2::new(self.bounds.max.x + 1, self.bounds.max.y + 1) .with_z(alt + roof + roof_height), - })), + }), ), }; - let roof_front = painter.prim(Primitive::intersect(roof_empty, roof_front_wall)); - let roof_rear = painter.prim(Primitive::intersect(roof_empty, roof_rear_wall)); + let roof_front = roof_empty.intersect(roof_front_wall.as_kind()); + let roof_rear = roof_empty.intersect(roof_rear_wall.as_kind()); painter.fill( roof_primitive, - Fill::Brick(BlockKind::Wood, self.roof_color, 24), + filler.brick(BlockKind::Wood, self.roof_color, 24), + filler, ); - painter.fill(roof_empty, Fill::Block(Block::empty())); - let roof_walls = painter.prim(Primitive::union(roof_front, roof_rear)); + painter.fill(roof_empty, filler.block(Block::empty()), filler); + let roof_walls = roof_front.union(roof_rear); painter.fill( roof_walls, - Fill::Brick(BlockKind::Wood, Rgb::new(200, 180, 150), 24), + filler.brick(BlockKind::Wood, Rgb::new(200, 180, 150), 24), + filler, ); let max_overhang = (self.levels as i32 - 1) * self.overhang; let (roof_beam, roof_beam_right, roof_beam_left) = match self.front { 0 => ( - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: Vec2::new(self.bounds.min.x, self.bounds.min.y).with_z(alt + roof), max: Vec2::new(self.bounds.max.x + 1, self.bounds.max.y + 1 + max_overhang) .with_z(alt + roof + 1), - })), - painter.prim(Primitive::Aabb(Aabb { + }), + painter.aabb(Aabb { min: Vec2::new(self.bounds.min.x, self.bounds.min.y).with_z(alt + roof), max: Vec2::new(self.bounds.min.x + 1, self.bounds.max.y + 1 + max_overhang) .with_z(alt + roof + 1), - })), - painter.prim(Primitive::Aabb(Aabb { + }), + painter.aabb(Aabb { min: Vec2::new(self.bounds.max.x, self.bounds.min.y).with_z(alt + roof), max: Vec2::new(self.bounds.max.x + 1, self.bounds.max.y + 1 + max_overhang) .with_z(alt + roof + 1), - })), + }), ), 1 => ( - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: Vec2::new(self.bounds.min.x, self.bounds.min.y).with_z(alt + roof), max: Vec2::new(self.bounds.max.x + max_overhang + 1, self.bounds.max.y + 1) .with_z(alt + roof + 1), - })), - painter.prim(Primitive::Aabb(Aabb { + }), + painter.aabb(Aabb { min: Vec2::new(self.bounds.min.x, self.bounds.min.y).with_z(alt + roof), max: Vec2::new(self.bounds.max.x + max_overhang + 1, self.bounds.min.y + 1) .with_z(alt + roof + 1), - })), - painter.prim(Primitive::Aabb(Aabb { + }), + painter.aabb(Aabb { min: Vec2::new(self.bounds.min.x, self.bounds.max.y).with_z(alt + roof), max: Vec2::new(self.bounds.max.x + max_overhang + 1, self.bounds.max.y + 1) .with_z(alt + roof + 1), - })), + }), ), 2 => ( - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: Vec2::new(self.bounds.min.x, self.bounds.min.y - max_overhang) .with_z(alt + roof), max: Vec2::new(self.bounds.max.x + 1, self.bounds.max.y + 1) .with_z(alt + roof + 1), - })), - painter.prim(Primitive::Aabb(Aabb { + }), + painter.aabb(Aabb { min: Vec2::new(self.bounds.max.x, self.bounds.min.y - max_overhang) .with_z(alt + roof), max: Vec2::new(self.bounds.max.x + 1, self.bounds.max.y + 1) .with_z(alt + roof + 1), - })), - painter.prim(Primitive::Aabb(Aabb { + }), + painter.aabb(Aabb { min: Vec2::new(self.bounds.min.x, self.bounds.min.y - max_overhang) .with_z(alt + roof), max: Vec2::new(self.bounds.min.x + 1, self.bounds.max.y + 1) .with_z(alt + roof + 1), - })), + }), ), _ => ( - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: Vec2::new(self.bounds.min.x - max_overhang - 1, self.bounds.min.y) .with_z(alt + roof), max: Vec2::new(self.bounds.max.x + 1, self.bounds.max.y + 1) .with_z(alt + roof + 1), - })), - painter.prim(Primitive::Aabb(Aabb { + }), + painter.aabb(Aabb { min: Vec2::new(self.bounds.min.x - max_overhang, self.bounds.min.y) .with_z(alt + roof), max: Vec2::new(self.bounds.max.x + 1, self.bounds.min.y + 1) .with_z(alt + roof + 1), - })), - painter.prim(Primitive::Aabb(Aabb { + }), + painter.aabb(Aabb { min: Vec2::new(self.bounds.min.x - max_overhang, self.bounds.max.y) .with_z(alt + roof), max: Vec2::new(self.bounds.max.x + 1, self.bounds.max.y + 1) .with_z(alt + roof + 1), - })), + }), ), }; let quarter_x = self.bounds.min.x + (self.bounds.max.x - self.bounds.min.x) / 4; @@ -420,22 +422,22 @@ impl Structure for House { let three_quarter_x = self.bounds.min.x + 3 * (self.bounds.max.x - self.bounds.min.x) / 4; let three_quarter_y = self.bounds.min.y + 3 * (self.bounds.max.y - self.bounds.min.y) / 4; let top_rafter = if self.front % 2 == 0 { - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: (Vec2::new(half_x, self.bounds.min.y - 2 - max_overhang.abs()) .with_z(alt + roof)), max: (Vec2::new(half_x + 1, self.bounds.max.y + 2 + max_overhang.abs())) .with_z(alt + roof + roof_height), - })) + }) } else { - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: (Vec2::new(self.bounds.min.x - 1 - max_overhang.abs(), half_y) .with_z(alt + roof)), max: (Vec2::new(self.bounds.max.x + 1 + max_overhang.abs(), half_y + 1)) .with_z(alt + roof + roof_height), - })) + }) }; let left_rafter = if self.front % 2 == 0 { - painter.prim(Primitive::Plane( + painter.plane( Aabr { min: Vec2::new(half_x, self.bounds.min.y - 1 - max_overhang.abs()), max: Vec2::new( @@ -445,9 +447,9 @@ impl Structure for House { }, Vec2::new(half_x, self.bounds.min.y - 1 - max_overhang.abs()).with_z(alt + roof), Vec2::new(1.0, 0.0), - )) + ) } else { - painter.prim(Primitive::Plane( + painter.plane( Aabr { min: Vec2::new(self.bounds.min.x - 1 - max_overhang.abs(), half_y), max: Vec2::new( @@ -457,41 +459,44 @@ impl Structure for House { }, Vec2::new(self.bounds.min.x - 1 - max_overhang.abs(), half_y).with_z(alt + roof), Vec2::new(0.0, 1.0), - )) + ) }; let right_rafter = if self.front % 2 == 0 { - painter.prim(Primitive::Plane( + painter.plane( Aabr { min: Vec2::new(quarter_x, self.bounds.min.y - 1 - max_overhang.abs()), max: Vec2::new(half_x + 1, self.bounds.max.y + 1 + max_overhang.abs()), }, Vec2::new(half_x, self.bounds.min.y - 1 - max_overhang.abs()).with_z(alt + roof), Vec2::new(1.0, 0.0), - )) + ) } else { - painter.prim(Primitive::Plane( + painter.plane( Aabr { min: Vec2::new(self.bounds.min.x - 1 - max_overhang.abs(), quarter_y), max: Vec2::new(self.bounds.max.x + 1 + max_overhang.abs(), half_y + 1), }, Vec2::new(self.bounds.min.x - 1 - max_overhang.abs(), half_y).with_z(alt + roof), Vec2::new(0.0, 1.0), - )) + ) }; - let rafters1 = painter.prim(Primitive::union(left_rafter, right_rafter)); - let rafters2 = painter.prim(Primitive::union(rafters1, top_rafter)); + let rafters1 = left_rafter.union(right_rafter); + let rafters2 = rafters1.union(top_rafter.as_kind()); painter.fill( - painter.prim(Primitive::intersect(roof_beam, roof_walls)), - Fill::Block(Block::new(BlockKind::Wood, Rgb::new(55, 25, 8))), + roof_beam.as_kind().intersect(roof_walls), + filler.block(Block::new(BlockKind::Wood, Rgb::new(55, 25, 8))), + filler, ); painter.fill( - painter.prim(Primitive::union(roof_beam_left, roof_beam_right)), - Fill::Block(Block::new(BlockKind::Wood, Rgb::new(55, 25, 8))), + roof_beam_left.union(roof_beam_right), + filler.block(Block::new(BlockKind::Wood, Rgb::new(55, 25, 8))), + filler, ); painter.fill( - painter.prim(Primitive::intersect(rafters2, roof_walls)), - Fill::Block(Block::new(BlockKind::Wood, Rgb::new(55, 25, 8))), + rafters2.intersect(roof_walls.as_kind()), + filler.block(Block::new(BlockKind::Wood, Rgb::new(55, 25, 8))), + filler, ); // Walls @@ -505,102 +510,102 @@ impl Structure for House { // Walls let inner_level = if self.overhang < -4 && i > 1 { match self.front { - 0 => painter.prim(Primitive::Aabb(Aabb { + 0 => painter.aabb(Aabb { min: (self.bounds.min + 1).with_z(alt + previous_height), max: Vec2::new(self.bounds.max.x, self.bounds.max.y + storey_increase + 1) .with_z(alt + height), - })), - 1 => painter.prim(Primitive::Aabb(Aabb { + }), + 1 => painter.aabb(Aabb { min: (self.bounds.min + 1).with_z(alt + previous_height), max: Vec2::new(self.bounds.max.x + storey_increase + 1, self.bounds.max.y) .with_z(alt + height), - })), - 2 => painter.prim(Primitive::Aabb(Aabb { + }), + 2 => painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x + 1, self.bounds.min.y - storey_increase + 1, ) .with_z(alt + previous_height), max: Vec2::new(self.bounds.max.x, self.bounds.max.y).with_z(alt + height), - })), - _ => painter.prim(Primitive::Aabb(Aabb { + }), + _ => painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x - storey_increase + 1, self.bounds.min.y + 1, ) .with_z(alt + previous_height), max: Vec2::new(self.bounds.max.x, self.bounds.max.y).with_z(alt + height), - })), + }), } } else { match self.front { - 0 => painter.prim(Primitive::Aabb(Aabb { + 0 => painter.aabb(Aabb { min: (self.bounds.min + 1).with_z(alt + previous_height), max: Vec2::new(self.bounds.max.x, self.bounds.max.y + storey_increase) .with_z(alt + height), - })), - 1 => painter.prim(Primitive::Aabb(Aabb { + }), + 1 => painter.aabb(Aabb { min: (self.bounds.min + 1).with_z(alt + previous_height), max: (Vec2::new(self.bounds.max.x + storey_increase, self.bounds.max.y)) .with_z(alt + height), - })), - 2 => painter.prim(Primitive::Aabb(Aabb { + }), + 2 => painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x + 1, self.bounds.min.y - storey_increase + 1, ) .with_z(alt + previous_height), max: Vec2::new(self.bounds.max.x, self.bounds.max.y).with_z(alt + height), - })), - _ => painter.prim(Primitive::Aabb(Aabb { + }), + _ => painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x - storey_increase + 1, self.bounds.min.y + 1, ) .with_z(alt + previous_height), max: Vec2::new(self.bounds.max.x, self.bounds.max.y).with_z(alt + height), - })), + }), } }; let outer_level = match self.front { - 0 => painter.prim(Primitive::Aabb(Aabb { + 0 => painter.aabb(Aabb { min: self.bounds.min.with_z(alt + previous_height), max: (Vec2::new( self.bounds.max.x + 1, self.bounds.max.y + storey_increase + 1, )) .with_z(alt + height), - })), - 1 => painter.prim(Primitive::Aabb(Aabb { + }), + 1 => painter.aabb(Aabb { min: self.bounds.min.with_z(alt + previous_height), max: Vec2::new( self.bounds.max.x + storey_increase + 1, self.bounds.max.y + 1, ) .with_z(alt + height), - })), - 2 => painter.prim(Primitive::Aabb(Aabb { + }), + 2 => painter.aabb(Aabb { min: Vec2::new(self.bounds.min.x, self.bounds.min.y - storey_increase) .with_z(alt + previous_height), max: Vec2::new(self.bounds.max.x + 1, self.bounds.max.y + 1) .with_z(alt + height), - })), - _ => painter.prim(Primitive::Aabb(Aabb { + }), + _ => painter.aabb(Aabb { min: Vec2::new(self.bounds.min.x - storey_increase, self.bounds.min.y) .with_z(alt + previous_height), max: Vec2::new(self.bounds.max.x + 1, self.bounds.max.y + 1) .with_z(alt + height), - })), + }), }; // Ground floor has rock walls let wall_block_fill = if i < 2 { - Fill::Brick(BlockKind::Rock, Rgb::new(80, 75, 85), 24) + filler.brick(BlockKind::Rock, Rgb::new(80, 75, 85), 24) } else { - Fill::Brick(BlockKind::Wood, Rgb::new(200, 180, 150), 24) + filler.brick(BlockKind::Wood, Rgb::new(200, 180, 150), 24) }; - painter.fill(outer_level, wall_block_fill); - painter.fill(inner_level, Fill::Block(Block::empty())); + painter.fill(outer_level, wall_block_fill, filler); + painter.fill(inner_level, filler.block(Block::empty()), filler); let walls = outer_level .union(inner_level) @@ -609,8 +614,8 @@ impl Structure for House { // Wall Pillars // Only upper non-stone floors have wooden beams in the walls if i > 1 { - let mut pillars_y = painter.prim(Primitive::Empty); - let mut overhang_supports = painter.prim(Primitive::Empty); + let mut pillars_y = painter.empty(); + let mut overhang_supports = painter.empty().as_kind(); for x in self.tile_aabr.min.x - 2..self.tile_aabr.max.x + 2 { if self.overhang >= 2 && self.front % 2 == 0 { @@ -643,24 +648,24 @@ impl Structure for House { // Vec2::new(temp.x + 1, self.bounds.min.y - storey_increase // - 3).with_z(alt + previous_height - 3), 1.0) //}, - _ => painter.prim(Primitive::Empty), + _ => painter.empty().as_kind(), }; if temp.x <= self.bounds.max.x && temp.x >= self.bounds.min.x { overhang_supports = - painter.prim(Primitive::union(overhang_supports, support)); + overhang_supports.union(support); } } - let pillar = painter.prim(Primitive::Aabb(Aabb { + let pillar = painter.aabb(Aabb { min: site .tile_wpos(Vec2::new(x, self.tile_aabr.min.y - 4)) .with_z(alt + previous_height), max: (site.tile_wpos(Vec2::new(x, self.tile_aabr.max.y + 4)) + Vec2::unit_x()) .with_z(alt + height), - })); - pillars_y = painter.prim(Primitive::union(pillars_y, pillar)); + }); + pillars_y = pillars_y.union(pillar); } - let mut pillars_x = painter.prim(Primitive::Empty); + let mut pillars_x = painter.empty(); for y in self.tile_aabr.min.y - 2..self.tile_aabr.max.y + 2 { if self.overhang >= 2 && self.front % 2 != 0 { let temp = match self.front { @@ -670,7 +675,7 @@ impl Structure for House { _ => site.tile_wpos(Vec2::new(self.tile_aabr.min.x, y)), }; let support = match self.front { - 0 => painter.prim(Primitive::Empty), + 0 => painter.empty().as_kind(), 1 => painter.line( Vec2::new( self.bounds.max.x + storey_increase - self.overhang + 1, @@ -684,7 +689,7 @@ impl Structure for House { .with_z(alt + previous_height), 0.75, ), - 2 => painter.prim(Primitive::Empty), + 2 => painter.empty().as_kind(), _ => painter.line( Vec2::new( self.bounds.min.x - storey_increase + self.overhang - 1, @@ -701,24 +706,24 @@ impl Structure for House { }; if temp.y <= self.bounds.max.y && temp.y >= self.bounds.min.y { overhang_supports = - painter.prim(Primitive::union(overhang_supports, support)); + overhang_supports.union(support); } } - let pillar = painter.prim(Primitive::Aabb(Aabb { + let pillar = painter.aabb(Aabb { min: site .tile_wpos(Vec2::new(self.tile_aabr.min.x - 4, y)) .with_z(alt + previous_height), max: (site.tile_wpos(Vec2::new(self.tile_aabr.max.x + 4, y)) + Vec2::unit_y()) .with_z(alt + height), - })); - pillars_x = painter.prim(Primitive::union(pillars_x, pillar)); + }); + pillars_x = pillars_x.union(pillar); } let front_wall = if self.overhang < -4 && i > 1 { - painter.prim(Primitive::Empty) + painter.empty() } else { match self.front { - 0 => painter.prim(Primitive::Aabb(Aabb { + 0 => painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x - 1, self.bounds.max.y + storey_increase, @@ -729,8 +734,8 @@ impl Structure for House { self.bounds.max.y + storey_increase + 1, ) .with_z(alt + height), - })), - 1 => painter.prim(Primitive::Aabb(Aabb { + }), + 1 => painter.aabb(Aabb { min: Vec2::new( self.bounds.max.x + storey_increase, self.bounds.min.y - 1, @@ -741,8 +746,8 @@ impl Structure for House { self.bounds.max.y + 1, ) .with_z(alt + height), - })), - 2 => painter.prim(Primitive::Aabb(Aabb { + }), + 2 => painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x - 1, self.bounds.min.y - storey_increase, @@ -753,8 +758,8 @@ impl Structure for House { self.bounds.min.y - storey_increase + 1, ) .with_z(alt + height), - })), - _ => painter.prim(Primitive::Aabb(Aabb { + }), + _ => painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x - storey_increase, self.bounds.min.y - 1, @@ -765,18 +770,18 @@ impl Structure for House { self.bounds.max.y + 1, ) .with_z(alt + height), - })), + }), } }; let pillars1 = if self.front % 2 == 0 { - painter.prim(Primitive::intersect(pillars_y, front_wall)) + pillars_y.intersect(front_wall) } else { - painter.prim(Primitive::intersect(pillars_x, front_wall)) + pillars_x.intersect(front_wall) }; - let pillars2 = painter.prim(Primitive::intersect(pillars_x, pillars_y)); - let pillars3 = painter.prim(Primitive::union(pillars1, pillars2)); + let pillars2 = pillars_x.intersect(pillars_y); + let pillars3 = pillars1.union(pillars2); let pillars4 = match self.front { - 0 => painter.prim(Primitive::Aabb(Aabb { + 0 => painter.aabb(Aabb { min: Vec2::new(self.bounds.min.x - 1, self.bounds.min.y - 1) .with_z(alt + previous_height), max: Vec2::new( @@ -784,8 +789,8 @@ impl Structure for House { self.bounds.max.y + storey_increase + 1, ) .with_z(alt + previous_height + 1), - })), - 1 => painter.prim(Primitive::Aabb(Aabb { + }), + 1 => painter.aabb(Aabb { min: Vec2::new(self.bounds.min.x - 1, self.bounds.min.y - 1) .with_z(alt + previous_height), max: Vec2::new( @@ -793,8 +798,8 @@ impl Structure for House { self.bounds.max.y + 1, ) .with_z(alt + previous_height + 1), - })), - 2 => painter.prim(Primitive::Aabb(Aabb { + }), + 2 => painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x - 1, self.bounds.min.y - storey_increase - 1, @@ -802,8 +807,8 @@ impl Structure for House { .with_z(alt + previous_height), max: Vec2::new(self.bounds.max.x + 1, self.bounds.max.y + 1) .with_z(alt + previous_height + 1), - })), - _ => painter.prim(Primitive::Aabb(Aabb { + }), + _ => painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x - storey_increase - 1, self.bounds.min.y - 1, @@ -811,23 +816,25 @@ impl Structure for House { .with_z(alt + previous_height), max: Vec2::new(self.bounds.max.x + 1, self.bounds.max.y + 1) .with_z(alt + previous_height + 1), - })), + }), }; - let pillars = painter.prim(Primitive::union(pillars3, pillars4)); + let pillars = pillars3.union(pillars4); painter.fill( - painter.prim(Primitive::intersect(walls, pillars)), - Fill::Block(Block::new(BlockKind::Wood, Rgb::new(55, 25, 8))), + walls.intersect(pillars), + filler.block(Block::new(BlockKind::Wood, Rgb::new(55, 25, 8))), + filler, ); painter.fill( overhang_supports, - Fill::Block(Block::new(BlockKind::Wood, Rgb::new(55, 25, 8))), + filler.block(Block::new(BlockKind::Wood, Rgb::new(55, 25, 8))), + filler, ); } // Windows x axis { - let mut windows = painter.prim(Primitive::Empty); + let mut windows = painter.empty(); for y in self.tile_aabr.min.y - 2..self.tile_aabr.max.y + 2 { let min = (site.tile_wpos(Vec2::new(self.tile_aabr.min.x - 4, y)) + Vec2::unit_y() * 2) @@ -835,7 +842,7 @@ impl Structure for House { let max = (site.tile_wpos(Vec2::new(self.tile_aabr.max.x + 4, y + 1)) + Vec2::new(1, -1)) .with_z(alt + previous_height + 2 + window_height); - let window = painter.prim(Primitive::Aabb(Aabb { min, max })); + let window = painter.aabb(Aabb { min, max }); let add_windows = match self.front { 0 => { max.y < self.bounds.max.y + storey_increase && min.y > self.bounds.min.y @@ -847,51 +854,54 @@ impl Structure for House { _ => max.y < self.bounds.max.y && min.y > self.bounds.min.y, }; if add_windows { - windows = painter.prim(Primitive::union(windows, window)); + windows = windows.union(window); } } painter.fill( - painter.prim(Primitive::intersect(walls, windows)), - Fill::Block(Block::air(SpriteKind::Window1).with_ori(2).unwrap()), + walls.intersect(windows), + filler.block(Block::air(SpriteKind::Window1).with_ori(2).unwrap()), + filler, ); // Wall lamps if i == 1 { - let mut torches_min = painter.prim(Primitive::Empty); - let mut torches_max = painter.prim(Primitive::Empty); + let mut torches_min = painter.empty(); + let mut torches_max = painter.empty(); for y in self.tile_aabr.min.y..self.tile_aabr.max.y { let pos = site .tile_wpos(Vec2::new(self.tile_aabr.min.x, y)) .with_z(alt + previous_height + 3) + Vec3::new(-1, 0, 0); - let torch = painter.prim(Primitive::Aabb(Aabb { + let torch = painter.aabb(Aabb { min: pos, max: pos + 1, - })); - torches_min = painter.prim(Primitive::union(torches_min, torch)); + }); + torches_min = torches_min.union(torch); let pos = site .tile_wpos(Vec2::new(self.tile_aabr.max.x, y + 1)) .with_z(alt + previous_height + 3) + Vec3::new(1, 0, 0); - let torch = painter.prim(Primitive::Aabb(Aabb { + let torch = painter.aabb(Aabb { min: pos, max: pos + 1, - })); - torches_max = painter.prim(Primitive::union(torches_max, torch)); + }); + torches_max = torches_max.union(torch); } painter.fill( torches_min, - Fill::Block(Block::air(SpriteKind::WallLampSmall).with_ori(6).unwrap()), + filler.block(Block::air(SpriteKind::WallLampSmall).with_ori(6).unwrap()), + filler, ); painter.fill( torches_max, - Fill::Block(Block::air(SpriteKind::WallLampSmall).with_ori(2).unwrap()), + filler.block(Block::air(SpriteKind::WallLampSmall).with_ori(2).unwrap()), + filler, ); } } // Windows y axis { - let mut windows = painter.prim(Primitive::Empty); + let mut windows = painter.empty(); for x in self.tile_aabr.min.x - 2..self.tile_aabr.max.x + 2 { let min = (site.tile_wpos(Vec2::new(x, self.tile_aabr.min.y - 4)) + Vec2::unit_x() * 2) @@ -899,7 +909,7 @@ impl Structure for House { let max = (site.tile_wpos(Vec2::new(x + 1, self.tile_aabr.max.y + 4)) + Vec2::new(-1, 1)) .with_z(alt + previous_height + 2 + window_height); - let window = painter.prim(Primitive::Aabb(Aabb { min, max })); + let window = painter.aabb(Aabb { min, max }); let add_windows = match self.front { 0 => max.x < self.bounds.max.x && min.x > self.bounds.min.x, 1 => { @@ -911,45 +921,48 @@ impl Structure for House { }, }; if add_windows { - windows = painter.prim(Primitive::union(windows, window)); + windows = windows.union(window); }; } painter.fill( - painter.prim(Primitive::intersect(walls, windows)), - Fill::Block(Block::air(SpriteKind::Window1).with_ori(0).unwrap()), + walls.intersect(windows), + filler.block(Block::air(SpriteKind::Window1).with_ori(0).unwrap()), + filler, ); // Wall lamps if i == 1 { - let mut torches_min = painter.prim(Primitive::Empty); - let mut torches_max = painter.prim(Primitive::Empty); + let mut torches_min = painter.empty(); + let mut torches_max = painter.empty(); for x in self.tile_aabr.min.x..self.tile_aabr.max.x { let pos = site .tile_wpos(Vec2::new(x + 1, self.tile_aabr.min.y)) .with_z(alt + previous_height + 3) + Vec3::new(0, -1, 0); - let torch = painter.prim(Primitive::Aabb(Aabb { + let torch = painter.aabb(Aabb { min: pos, max: pos + 1, - })); - torches_min = painter.prim(Primitive::union(torches_min, torch)); + }); + torches_min = torches_min.union(torch); let pos = site .tile_wpos(Vec2::new(x, self.tile_aabr.max.y)) .with_z(alt + previous_height + 3) + Vec3::new(0, 1, 0); - let torch = painter.prim(Primitive::Aabb(Aabb { + let torch = painter.aabb(Aabb { min: pos, max: pos + 1, - })); - torches_max = painter.prim(Primitive::union(torches_max, torch)); + }); + torches_max = torches_max.union(torch); } painter.fill( torches_min, - Fill::Block(Block::air(SpriteKind::WallLampSmall).with_ori(0).unwrap()), + filler.block(Block::air(SpriteKind::WallLampSmall).with_ori(0).unwrap()), + filler, ); painter.fill( torches_max, - Fill::Block(Block::air(SpriteKind::WallLampSmall).with_ori(4).unwrap()), + filler.block(Block::air(SpriteKind::WallLampSmall).with_ori(4).unwrap()), + filler, ); } } @@ -957,8 +970,8 @@ impl Structure for House { // Shed roof on negative overhangs if self.overhang < -4 && i > 1 { let shed = match self.front { - 0 => painter.prim(Primitive::Ramp { - aabb: Aabb { + 0 => painter.ramp( + Aabb { min: Vec2::new( self.bounds.min.x - 1, self.bounds.max.y + storey_increase + 1, @@ -970,11 +983,11 @@ impl Structure for House { ) .with_z(alt + height), }, - inset: storey, - dir: Dir::NegY, - }), - 1 => painter.prim(Primitive::Ramp { - aabb: Aabb { + storey, + Dir::NegY, + ), + 1 => painter.ramp( + Aabb { min: Vec2::new( self.bounds.max.x + storey_increase + 1, self.bounds.min.y - 1, @@ -986,11 +999,11 @@ impl Structure for House { ) .with_z(alt + height), }, - inset: storey, - dir: Dir::NegX, - }), - 2 => painter.prim(Primitive::Ramp { - aabb: Aabb { + storey, + Dir::NegX, + ), + 2 => painter.ramp( + Aabb { min: Vec2::new( self.bounds.min.x - 1, self.bounds.min.y - storey_increase - self.overhang.abs(), @@ -1002,11 +1015,11 @@ impl Structure for House { ) .with_z(alt + height), }, - inset: storey, - dir: Dir::Y, - }), - _ => painter.prim(Primitive::Ramp { - aabb: Aabb { + storey, + Dir::Y, + ), + _ => painter.ramp( + Aabb { min: Vec2::new( self.bounds.min.x - storey_increase - self.overhang.abs(), self.bounds.min.y - 1, @@ -1018,13 +1031,13 @@ impl Structure for House { ) .with_z(alt + height), }, - inset: storey, - dir: Dir::X, - }), + storey, + Dir::X, + ), }; let shed_empty = match self.front { - 0 => painter.prim(Primitive::Ramp { - aabb: Aabb { + 0 => painter.ramp( + Aabb { min: Vec2::new( self.bounds.min.x - 1, self.bounds.max.y + storey_increase + 1, @@ -1036,11 +1049,11 @@ impl Structure for House { ) .with_z(alt + height - 1), }, - inset: storey - 1, - dir: Dir::NegY, - }), - 1 => painter.prim(Primitive::Ramp { - aabb: Aabb { + storey - 1, + Dir::NegY, + ), + 1 => painter.ramp( + Aabb { min: Vec2::new( self.bounds.max.x + storey_increase + 1, self.bounds.min.y - 1, @@ -1052,11 +1065,11 @@ impl Structure for House { ) .with_z(alt + height - 1), }, - inset: storey - 1, - dir: Dir::NegX, - }), - 2 => painter.prim(Primitive::Ramp { - aabb: Aabb { + storey - 1, + Dir::NegX, + ), + 2 => painter.ramp( + Aabb { min: Vec2::new( self.bounds.min.x - 1, self.bounds.min.y - storey_increase - self.overhang.abs() + 1, @@ -1068,11 +1081,11 @@ impl Structure for House { ) .with_z(alt + height), }, - inset: storey - 1, - dir: Dir::Y, - }), - _ => painter.prim(Primitive::Ramp { - aabb: Aabb { + storey - 1, + Dir::Y, + ), + _ => painter.ramp( + Aabb { min: Vec2::new( self.bounds.min.x - storey_increase - self.overhang.abs() + 1, self.bounds.min.y - 1, @@ -1084,14 +1097,14 @@ impl Structure for House { ) .with_z(alt + height), }, - inset: storey - 1, - dir: Dir::X, - }), + storey - 1, + Dir::X, + ), }; - painter.fill(shed, Fill::Brick(BlockKind::Wood, self.roof_color, 24)); - painter.fill(shed_empty, Fill::Block(Block::empty())); + painter.fill(shed, filler.brick(BlockKind::Wood, self.roof_color, 24), filler); + painter.fill(shed_empty, filler.block(Block::empty()), filler); let shed_left_wall = match self.front { - 0 => painter.prim(Primitive::Aabb(Aabb { + 0 => painter.aabb(Aabb { min: Vec2::new(self.bounds.min.x, self.bounds.max.y + storey_increase + 1) .with_z(alt + previous_height), max: Vec2::new( @@ -1099,8 +1112,8 @@ impl Structure for House { self.bounds.max.y + storey_increase + self.overhang.abs(), ) .with_z(alt + height - 1), - })), - 1 => painter.prim(Primitive::Aabb(Aabb { + }), + 1 => painter.aabb(Aabb { min: Vec2::new(self.bounds.max.x + storey_increase + 1, self.bounds.min.y) .with_z(alt + previous_height), max: Vec2::new( @@ -1108,8 +1121,8 @@ impl Structure for House { self.bounds.min.y + 1, ) .with_z(alt + height - 1), - })), - 2 => painter.prim(Primitive::Aabb(Aabb { + }), + 2 => painter.aabb(Aabb { min: Vec2::new( self.bounds.max.x, self.bounds.min.y - storey_increase - self.overhang.abs() + 1, @@ -1120,8 +1133,8 @@ impl Structure for House { self.bounds.min.y - storey_increase + 1, ) .with_z(alt + height), - })), - _ => painter.prim(Primitive::Aabb(Aabb { + }), + _ => painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x - storey_increase - self.overhang.abs() + 1, self.bounds.max.y, @@ -1132,10 +1145,10 @@ impl Structure for House { self.bounds.max.y + 1, ) .with_z(alt + height), - })), + }), }; let shed_right_wall = match self.front { - 0 => painter.prim(Primitive::Aabb(Aabb { + 0 => painter.aabb(Aabb { min: Vec2::new(self.bounds.max.x, self.bounds.max.y + storey_increase + 1) .with_z(alt + previous_height), max: Vec2::new( @@ -1143,8 +1156,8 @@ impl Structure for House { self.bounds.max.y + storey_increase + self.overhang.abs(), ) .with_z(alt + height - 1), - })), - 1 => painter.prim(Primitive::Aabb(Aabb { + }), + 1 => painter.aabb(Aabb { min: Vec2::new(self.bounds.max.x + storey_increase + 1, self.bounds.max.y) .with_z(alt + previous_height), max: Vec2::new( @@ -1152,8 +1165,8 @@ impl Structure for House { self.bounds.max.y + 1, ) .with_z(alt + height - 1), - })), - 2 => painter.prim(Primitive::Aabb(Aabb { + }), + 2 => painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x, self.bounds.min.y - storey_increase - self.overhang.abs() + 1, @@ -1164,8 +1177,8 @@ impl Structure for House { self.bounds.min.y - storey_increase + 1, ) .with_z(alt + height), - })), - _ => painter.prim(Primitive::Aabb(Aabb { + }), + _ => painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x - storey_increase - self.overhang.abs() + 1, self.bounds.min.y, @@ -1176,10 +1189,10 @@ impl Structure for House { self.bounds.min.y + 1, ) .with_z(alt + height), - })), + }), }; let shed_wall_beams = match self.front { - 0 => painter.prim(Primitive::Aabb(Aabb { + 0 => painter.aabb(Aabb { min: Vec2::new(self.bounds.min.x, self.bounds.max.y + storey_increase + 1) .with_z(alt + previous_height), max: Vec2::new( @@ -1187,8 +1200,8 @@ impl Structure for House { self.bounds.max.y + storey_increase + self.overhang.abs(), ) .with_z(alt + previous_height + 1), - })), - 1 => painter.prim(Primitive::Aabb(Aabb { + }), + 1 => painter.aabb(Aabb { min: Vec2::new(self.bounds.max.x + storey_increase + 1, self.bounds.min.y) .with_z(alt + previous_height), max: Vec2::new( @@ -1196,8 +1209,8 @@ impl Structure for House { self.bounds.max.y + 1, ) .with_z(alt + previous_height + 1), - })), - 2 => painter.prim(Primitive::Aabb(Aabb { + }), + 2 => painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x, self.bounds.min.y - storey_increase - self.overhang.abs() + 1, @@ -1208,8 +1221,8 @@ impl Structure for House { self.bounds.min.y - storey_increase + 1, ) .with_z(alt + previous_height + 1), - })), - _ => painter.prim(Primitive::Aabb(Aabb { + }), + _ => painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x - storey_increase - self.overhang.abs() + 1, self.bounds.min.y, @@ -1220,16 +1233,18 @@ impl Structure for House { self.bounds.max.y + 1, ) .with_z(alt + previous_height + 1), - })), + }), }; - let shed_walls = painter.prim(Primitive::union(shed_left_wall, shed_right_wall)); + let shed_walls = shed_left_wall.union(shed_right_wall); painter.fill( - painter.prim(Primitive::intersect(shed_walls, shed_empty)), - Fill::Brick(BlockKind::Wood, Rgb::new(200, 180, 150), 24), + shed_walls.as_kind().intersect(shed_empty), + filler.brick(BlockKind::Wood, Rgb::new(200, 180, 150), 24), + filler, ); painter.fill( - painter.prim(Primitive::intersect(shed_wall_beams, shed_walls)), - Fill::Block(Block::new(BlockKind::Wood, Rgb::new(55, 25, 8))), + shed_wall_beams.intersect(shed_walls), + filler.block(Block::new(BlockKind::Wood, Rgb::new(55, 25, 8))), + filler, ); // Dormers @@ -1246,7 +1261,7 @@ impl Structure for House { _ => site.tile_wpos(Vec2::new(self.tile_aabr.min.x, n)) - 4, }; let dormer_box = match self.front { - 0 => painter.prim(Primitive::Aabb(Aabb { + 0 => painter.aabb(Aabb { min: Vec2::new(temp.x - 1, self.bounds.max.y + storey_increase + 1) .with_z(alt + previous_height), max: Vec2::new( @@ -1254,8 +1269,8 @@ impl Structure for House { self.bounds.max.y + storey_increase + self.overhang.abs(), ) .with_z(alt + height - 1), - })), - 1 => painter.prim(Primitive::Aabb(Aabb { + }), + 1 => painter.aabb(Aabb { min: Vec2::new(self.bounds.max.x + storey_increase + 1, temp.y - 1) .with_z(alt + previous_height), max: Vec2::new( @@ -1263,8 +1278,8 @@ impl Structure for House { temp.y + 4, ) .with_z(alt + height - 1), - })), - 2 => painter.prim(Primitive::Aabb(Aabb { + }), + 2 => painter.aabb(Aabb { min: Vec2::new( temp.x - 1, self.bounds.min.y - storey_increase - self.overhang.abs() + 1, @@ -1272,8 +1287,8 @@ impl Structure for House { .with_z(alt + previous_height), max: Vec2::new(temp.x + 4, self.bounds.min.y - storey_increase - 1) .with_z(alt + height - 1), - })), - _ => painter.prim(Primitive::Aabb(Aabb { + }), + _ => painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x - storey_increase - self.overhang.abs() + 1, temp.y - 1, @@ -1281,11 +1296,11 @@ impl Structure for House { .with_z(alt + previous_height), max: Vec2::new(self.bounds.min.x - storey_increase - 1, temp.y + 4) .with_z(alt + height - 1), - })), + }), }; let dormer_roof = match self.front { - 0 => painter.prim(Primitive::Gable { - aabb: Aabb { + 0 => painter.gable( + Aabb { min: Vec2::new(temp.x - 1, self.bounds.max.y + storey_increase + 1) .with_z(alt + height - 2), max: Vec2::new( @@ -1294,11 +1309,11 @@ impl Structure for House { ) .with_z(alt + height + 1), }, - inset: 3, - dir: Dir::Y, - }), - 1 => painter.prim(Primitive::Gable { - aabb: Aabb { + 3, + Dir::Y, + ), + 1 => painter.gable( + Aabb { min: Vec2::new(self.bounds.max.x + storey_increase + 1, temp.y - 1) .with_z(alt + height - 2), max: Vec2::new( @@ -1307,11 +1322,11 @@ impl Structure for House { ) .with_z(alt + height + 1), }, - inset: 3, - dir: Dir::X, - }), - 2 => painter.prim(Primitive::Gable { - aabb: Aabb { + 3, + Dir::X, + ), + 2 => painter.gable( + Aabb { min: Vec2::new( temp.x - 1, self.bounds.min.y - storey_increase - self.overhang.abs() + 1, @@ -1320,11 +1335,11 @@ impl Structure for House { max: Vec2::new(temp.x + 4, self.bounds.min.y - storey_increase) .with_z(alt + height + 1), }, - inset: 3, - dir: Dir::Y, - }), - _ => painter.prim(Primitive::Gable { - aabb: Aabb { + 3, + Dir::Y, + ), + _ => painter.gable( + Aabb { min: Vec2::new( self.bounds.min.x - storey_increase - self.overhang.abs() + 1, temp.y - 1, @@ -1333,9 +1348,9 @@ impl Structure for House { max: Vec2::new(self.bounds.min.x - storey_increase, temp.y + 4) .with_z(alt + height + 1), }, - inset: 3, - dir: Dir::X, - }), + 3, + Dir::X, + ), }; let window_min = match self.front { 0 => Vec2::new( @@ -1381,12 +1396,12 @@ impl Structure for House { ) .with_z(alt + previous_height + 2 + window_height), }; - let window = painter.prim(Primitive::Aabb(Aabb { + let window = painter.aabb(Aabb { min: window_min, max: window_max, - })); + }); let window_cavity = match self.front { - 0 => painter.prim(Primitive::Aabb(Aabb { + 0 => painter.aabb(Aabb { min: Vec2::new(temp.x, self.bounds.max.y + storey_increase) .with_z(alt + previous_height), max: Vec2::new( @@ -1394,8 +1409,8 @@ impl Structure for House { self.bounds.max.y + storey_increase + self.overhang.abs() - 1, ) .with_z(alt + previous_height + 2 + window_height), - })), - 1 => painter.prim(Primitive::Aabb(Aabb { + }), + 1 => painter.aabb(Aabb { min: Vec2::new(self.bounds.max.x + storey_increase, temp.y) .with_z(alt + previous_height), max: Vec2::new( @@ -1403,8 +1418,8 @@ impl Structure for House { temp.y + 3, ) .with_z(alt + previous_height + 2 + window_height), - })), - 2 => painter.prim(Primitive::Aabb(Aabb { + }), + 2 => painter.aabb(Aabb { min: Vec2::new( temp.x, self.bounds.min.y - storey_increase - self.overhang.abs() + 2, @@ -1412,8 +1427,8 @@ impl Structure for House { .with_z(alt + previous_height), max: Vec2::new(temp.x + 3, self.bounds.min.y - storey_increase + 1) .with_z(alt + previous_height + 2 + window_height), - })), - _ => painter.prim(Primitive::Aabb(Aabb { + }), + _ => painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x - storey_increase - self.overhang.abs() + 2, temp.y, @@ -1421,7 +1436,7 @@ impl Structure for House { .with_z(alt + previous_height), max: Vec2::new(self.bounds.min.x - storey_increase + 1, temp.y + 3) .with_z(alt + previous_height + 2 + window_height), - })), + }), }; let valid_dormer = if self.front % 2 == 0 { window_min.x > self.bounds.min.x && window_max.x < self.bounds.max.x @@ -1431,21 +1446,24 @@ impl Structure for House { let window_ori = if self.front % 2 == 0 { 0 } else { 2 }; if valid_dormer { painter.fill( - painter.prim(Primitive::without(dormer_box, shed)), - Fill::Brick(BlockKind::Wood, Rgb::new(200, 180, 150), 24), + dormer_box.without(shed), + filler.brick(BlockKind::Wood, Rgb::new(200, 180, 150), 24), + filler, ); painter.fill( - painter.prim(Primitive::without(dormer_roof, shed)), - Fill::Brick(BlockKind::Wood, self.roof_color, 24), + dormer_roof.without(shed), + filler.brick(BlockKind::Wood, self.roof_color, 24), + filler, ); - painter.fill(window_cavity, Fill::Block(Block::empty())); + painter.fill(window_cavity, filler.block(Block::empty()), filler); painter.fill( window, - Fill::Block( + filler.block( Block::air(SpriteKind::Window1) .with_ori(window_ori) .unwrap(), ), + filler, ); } } @@ -1456,15 +1474,15 @@ impl Structure for House { if i > 1 { let floor = if self.overhang < -1 && i > 1 { match self.front { - 0 => painter.prim(Primitive::Aabb(Aabb { + 0 => painter.aabb(Aabb { min: (self.bounds.min + 1).with_z(alt + previous_height), max: Vec2::new( self.bounds.max.x, self.bounds.max.y + storey_increase + self.overhang.abs(), ) .with_z(alt + previous_height + 1), - })), - 1 => painter.prim(Primitive::Aabb(Aabb { + }), + 1 => painter.aabb(Aabb { min: Vec2::new(self.bounds.min.x + 1, self.bounds.min.y + 1) .with_z(alt + previous_height), max: Vec2::new( @@ -1472,8 +1490,8 @@ impl Structure for House { self.bounds.max.y, ) .with_z(alt + previous_height + 1), - })), - 2 => painter.prim(Primitive::Aabb(Aabb { + }), + 2 => painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x + 1, self.bounds.min.y + 1 - storey_increase - self.overhang.abs(), @@ -1481,8 +1499,8 @@ impl Structure for House { .with_z(alt + previous_height), max: Vec2::new(self.bounds.max.x, self.bounds.max.y) .with_z(alt + previous_height + 1), - })), - _ => painter.prim(Primitive::Aabb(Aabb { + }), + _ => painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x + 1 - storey_increase - self.overhang.abs(), self.bounds.min.y + 1, @@ -1490,27 +1508,27 @@ impl Structure for House { .with_z(alt + previous_height), max: Vec2::new(self.bounds.max.x, self.bounds.max.y) .with_z(alt + previous_height + 1), - })), + }), } } else { match self.front { - 0 => painter.prim(Primitive::Aabb(Aabb { + 0 => painter.aabb(Aabb { min: (self.bounds.min + 1).with_z(alt + previous_height), max: (Vec2::new( self.bounds.max.x, self.bounds.max.y + storey_increase, )) .with_z(alt + previous_height + 1), - })), - 1 => painter.prim(Primitive::Aabb(Aabb { + }), + 1 => painter.aabb(Aabb { min: (self.bounds.min + 1).with_z(alt + previous_height), max: (Vec2::new( self.bounds.max.x + storey_increase, self.bounds.max.y, )) .with_z(alt + previous_height + 1), - })), - 2 => painter.prim(Primitive::Aabb(Aabb { + }), + 2 => painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x + 1, self.bounds.min.y + 1 - storey_increase, @@ -1518,8 +1536,8 @@ impl Structure for House { .with_z(alt + previous_height), max: (Vec2::new(self.bounds.max.x, self.bounds.max.y)) .with_z(alt + previous_height + 1), - })), - _ => painter.prim(Primitive::Aabb(Aabb { + }), + _ => painter.aabb(Aabb { min: Vec2::new( self.bounds.min.x + 1 - storey_increase, self.bounds.min.y + 1, @@ -1527,12 +1545,13 @@ impl Structure for House { .with_z(alt + previous_height), max: (Vec2::new(self.bounds.max.x, self.bounds.max.y)) .with_z(alt + previous_height + 1), - })), + }), } }; painter.fill( floor, - Fill::Block(Block::new(BlockKind::Rock, Rgb::new(89, 44, 14))), + filler.block(Block::new(BlockKind::Rock, Rgb::new(89, 44, 14))), + filler, ); } @@ -1546,9 +1565,9 @@ impl Structure for House { _ => Vec2::new(half_x, half_y), }; let nightstand_pos = Vec2::new(bed_pos.x + 2, bed_pos.y + 1); - painter.sprite(bed_pos.with_z(base), SpriteKind::Bed); + painter.sprite(bed_pos.with_z(base), SpriteKind::Bed, filler); // drawer next to bed - painter.sprite(nightstand_pos.with_z(base), SpriteKind::DrawerSmall); + painter.sprite(nightstand_pos.with_z(base), SpriteKind::DrawerSmall, filler); // collectible on top of drawer let rng = RandomField::new(0).get(nightstand_pos.with_z(base + 1)); painter.sprite(nightstand_pos.with_z(base + 1), match rng % 5 { @@ -1557,7 +1576,7 @@ impl Structure for House { 2 => SpriteKind::VialEmpty, 3 => SpriteKind::Bowl, _ => SpriteKind::Empty, - }); + }, filler); // wardrobe along wall in corner of the room let (wardrobe_pos, drawer_ori) = match self.front { 0 => (Vec2::new(self.bounds.max.x - 2, self.bounds.min.y + 1), 4), @@ -1569,6 +1588,7 @@ impl Structure for House { wardrobe_pos.with_z(base), SpriteKind::WardrobeDouble, drawer_ori, + filler, ); } else { // living room with table + chairs + random @@ -1582,7 +1602,7 @@ impl Structure for House { 5..=7 => SpriteKind::Pot, 8..=9 => SpriteKind::Lantern, _ => SpriteKind::Empty, - }); + }, filler); } if self.bounds.max.x - self.bounds.min.x < 16 @@ -1590,13 +1610,14 @@ impl Structure for House { { let table_pos = Vec2::new(half_x, half_y); // room is smaller, so use small table - painter.sprite(table_pos.with_z(base), SpriteKind::TableDining); + painter.sprite(table_pos.with_z(base), SpriteKind::TableDining, filler); for (idx, dir) in CARDINALS.iter().enumerate() { let chair_pos = table_pos + dir; painter.rotated_sprite( chair_pos.with_z(base), SpriteKind::ChairSingle, (idx * 2 + ((idx % 2) * 4)) as u8, + filler, ); } } else { @@ -1606,13 +1627,14 @@ impl Structure for House { 1 => Vec2::new(half_x, half_y), _ => Vec2::new(quarter_x, half_y), }; - painter.sprite(table_pos.with_z(base), SpriteKind::TableDouble); + painter.sprite(table_pos.with_z(base), SpriteKind::TableDouble, filler); for (idx, dir) in CARDINALS.iter().enumerate() { let chair_pos = table_pos + dir * (1 + idx % 2) as i32; painter.rotated_sprite( chair_pos.with_z(base), SpriteKind::ChairSingle, (idx * 2 + ((idx % 2) * 4)) as u8, + filler, ); } } @@ -1627,6 +1649,7 @@ impl Structure for House { drawer_pos.with_z(base), SpriteKind::DrawerLarge, drawer_ori, + filler, ); } @@ -1641,272 +1664,274 @@ impl Structure for House { _ => Vec2::new(self.bounds.max.x - 12, self.bounds.min.y + 1), }; let staircase = if i < 2 { - painter.prim(Primitive::Empty) + painter.empty().as_kind() } else if i % 2 == 0 { let ramp = /*match self.front */{ //0 => { - painter.prim(Primitive::Ramp { - aabb: Aabb { + painter.ramp( + Aabb { min: Vec2::new(stair_origin.x + 3, stair_origin.y).with_z(alt + previous_floor_height), max: Vec2::new(stair_origin.x + 10, stair_origin.y + stair_width).with_z(alt + previous_height + 1), }, - inset: storey, - dir: Dir::X, - }) + storey, + Dir::X, + ) /*}, 1 => { - painter.prim(Primitive::Ramp { - aabb: Aabb { + painter.ramp( + Aabb { min: Vec2::new(stair_origin.x, stair_origin.y + 3).with_z(alt + previous_floor_height), max: Vec2::new(stair_origin.x + stair_width, stair_origin.y + 10).with_z(alt + previous_height + 1), }, - inset: storey, - dir: 0, - }) + storey, + 0, + ) }, 2 => { - painter.prim(Primitive::Ramp { - aabb: Aabb { + painter.ramp( + Aabb { min: Vec2::new(stair_origin.x + 3, stair_origin.y).with_z(alt + previous_floor_height), max: Vec2::new(stair_origin.x + 10, stair_origin.y + stair_width).with_z(alt + previous_height + 1), }, - inset: storey, - dir: 0, - }) + storey, + 0, + ) }, _ => { - painter.prim(Primitive::Ramp { - aabb: Aabb { + painter.ramp( + Aabb { min: Vec2::new(stair_origin.x, stair_origin.y + 3).with_z(alt + previous_floor_height), max: Vec2::new(stair_origin.x + stair_width, stair_origin.y + 10).with_z(alt + previous_height + 1), }, - inset: storey, - dir: 0, - }) + storey, + 0, + ) }*/ }; let support = { //match self.front { //0 => { - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: Vec2::new(stair_origin.x + 10, stair_origin.y) .with_z(alt + previous_floor_height), max: Vec2::new(stair_origin.x + 12, stair_origin.y + stair_width) .with_z(alt + previous_height + 1), - })) + }) //}, //1 => { - // painter.prim(Primitive::Aabb(Aabb { + // painter.aabb(Aabb { // min: Vec2::new(stair_origin.x, stair_origin.y // + 10).with_z(alt + previous_floor_height), // max: Vec2::new(stair_origin.x + stair_width, // stair_origin.y + 12).with_z(alt + previous_height + - // 1), })) + // 1), }) //}, //2 => { - // painter.prim(Primitive::Aabb(Aabb { + // painter.aabb(Aabb { // min: Vec2::new(stair_origin.x + 10, // stair_origin.y).with_z(alt + previous_floor_height), // max: Vec2::new(stair_origin.x + 12, // stair_origin.y + stair_width).with_z(alt + - // previous_height + 1), })) + // previous_height + 1), }) //}, //_ => { - // painter.prim(Primitive::Aabb(Aabb { + // painter.aabb(Aabb { // min: Vec2::new(stair_origin.x, stair_origin.y // + 10).with_z(alt + previous_floor_height), // max: Vec2::new(stair_origin.x + stair_width, // stair_origin.y + 12).with_z(alt + previous_height + - // 1), })) + // 1), }) //}, }; - painter.prim(Primitive::union(ramp, support)) + ramp.union(support.as_kind()) } else { let ramp = /*match self.front */{ //0 => { - painter.prim(Primitive::Ramp { - aabb: Aabb { + painter.ramp( + Aabb { min: Vec2::new(stair_origin.x + 1, stair_origin.y + stair_width).with_z(alt + previous_floor_height), max: Vec2::new(stair_origin.x + 8, stair_origin.y + 2 * stair_width).with_z(alt + previous_height + 1), }, - inset: storey, - dir: Dir::NegX, - }) + storey, + Dir::NegX, + ) /*}, 1 => { - painter.prim(Primitive::Ramp { - aabb: Aabb { + painter.ramp( + Aabb { min: Vec2::new(stair_origin.x + stair_width, stair_origin.y + 1).with_z(alt + previous_floor_height), max: Vec2::new(stair_origin.x + 2 * stair_width, stair_origin.y + 8).with_z(alt + previous_height + 1), }, - inset: storey, - dir: 1, - }) + storey, + 1, + ) }, 2 => { - painter.prim(Primitive::Ramp { - aabb: Aabb { + painter.ramp( + Aabb { min: Vec2::new(stair_origin.x + 1, stair_origin.y + stair_width).with_z(alt + previous_floor_height), max: Vec2::new(stair_origin.x + 8, stair_origin.y + 2 * stair_width).with_z(alt + previous_height + 1), }, - inset: storey, - dir: 1, - }) + storey, + 1, + ) }, _ => { - painter.prim(Primitive::Ramp { - aabb: Aabb { + painter.ramp( + Aabb { min: Vec2::new(stair_origin.x + stair_width, stair_origin.y + 1).with_z(alt + previous_floor_height), max: Vec2::new(stair_origin.x + 2 * stair_width, stair_origin.y + 8).with_z(alt + previous_height + 1), }, - inset: storey, - dir: 1, - }) + storey, + 1, + ) }, */ }; let support = { //match self.front { //0 => { - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: Vec2::new(stair_origin.x, stair_origin.y + stair_width) .with_z(alt + previous_floor_height), max: Vec2::new(stair_origin.x + 2, stair_origin.y + 2 * stair_width) .with_z(alt + previous_height + 1), - })) + }) //}, //1 => { - // painter.prim(Primitive::Aabb(Aabb { + // painter.aabb(Aabb { // min: Vec2::new(stair_origin.x + stair_width, // stair_origin.y).with_z(alt + previous_floor_height), // max: Vec2::new(stair_origin.x + 2 * // stair_width, stair_origin.y + 2).with_z(alt + - // previous_height + 1), })) + // previous_height + 1), }) //}, //2 => { - // painter.prim(Primitive::Aabb(Aabb { + // painter.aabb(Aabb { // min: Vec2::new(stair_origin.x, stair_origin.y // + stair_width).with_z(alt + previous_floor_height), // max: Vec2::new(stair_origin.x + 2, // stair_origin.y + 2 * stair_width).with_z(alt + - // previous_height + 1), })) + // previous_height + 1), }) //}, //_ => { - // painter.prim(Primitive::Aabb(Aabb { + // painter.aabb(Aabb { // min: Vec2::new(stair_origin.x + stair_width, // stair_origin.y).with_z(alt + previous_floor_height), // max: Vec2::new(stair_origin.x + 2 * // stair_width, stair_origin.y + 2).with_z(alt + - // previous_height + 1), })) + // previous_height + 1), }) //}, }; - painter.prim(Primitive::union(ramp, support)) + ramp.union(support.as_kind()) }; let stairwell = if i < 2 { - painter.prim(Primitive::Empty) + painter.empty() } else if i % 2 == 0 { - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: Vec2::new(stair_origin.x + 2, stair_origin.y) .with_z(alt + previous_floor_height + 1), max: Vec2::new(stair_origin.x + 9, stair_origin.y + stair_width) .with_z(alt + previous_height + 1), - })) + }) //match self.front { // 0 => { - // painter.prim(Primitive::Aabb(Aabb { + // painter.aabb(Aabb { // min: Vec2::new(stair_origin.x, // stair_origin.y).with_z(alt + previous_floor_height + 1), // max: Vec2::new(stair_origin.x + 9, // stair_origin.y + stair_width).with_z(alt + - // previous_height + 1), })) + // previous_height + 1), }) // }, // 1 => { - // painter.prim(Primitive::Aabb(Aabb { + // painter.aabb(Aabb { // min: Vec2::new(stair_origin.x, // stair_origin.y).with_z(alt + previous_floor_height + 1), // max: Vec2::new(stair_origin.x + // stair_width, stair_origin.y + 9).with_z(alt + - // previous_height + 1), })) + // previous_height + 1), }) // }, // 2 => { - // painter.prim(Primitive::Aabb(Aabb { + // painter.aabb(Aabb { // min: Vec2::new(stair_origin.x, // stair_origin.y).with_z(alt + previous_floor_height + 1), // max: Vec2::new(stair_origin.x + 9, // stair_origin.y + stair_width).with_z(alt + - // previous_height + 1), })) + // previous_height + 1), }) // }, // _ => { - // painter.prim(Primitive::Aabb(Aabb { + // painter.aabb(Aabb { // min: Vec2::new(stair_origin.x, // stair_origin.y).with_z(alt + previous_floor_height + 1), // max: Vec2::new(stair_origin.x + // stair_width, stair_origin.y + 9).with_z(alt + - // previous_height + 1), })) + // previous_height + 1), }) // }, //} } else { - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: Vec2::new(stair_origin.x + 2, stair_origin.y + stair_width) .with_z(alt + previous_floor_height + 1), max: Vec2::new(stair_origin.x + 11, stair_origin.y + 2 * stair_width) .with_z(alt + previous_height + 1), - })) + }) //match self.front { // 0 => { - // painter.prim(Primitive::Aabb(Aabb { + // painter.aabb(Aabb { // min: Vec2::new(stair_origin.x + 2, // stair_origin.y + stair_width).with_z(alt + // previous_floor_height + 1), // max: Vec2::new(stair_origin.x + 11, // stair_origin.y + 2 * stair_width).with_z(alt + - // previous_height + 1), })) + // previous_height + 1), }) // }, // 1 => { - // painter.prim(Primitive::Aabb(Aabb { + // painter.aabb(Aabb { // min: Vec2::new(stair_origin.x + // stair_width, stair_origin.y + 2).with_z(alt + // previous_floor_height + 1), // max: Vec2::new(stair_origin.x + 2 * // stair_width, stair_origin.y + 11).with_z(alt + - // previous_height + 1), })) + // previous_height + 1), }) // }, // 2 => { - // painter.prim(Primitive::Aabb(Aabb { + // painter.aabb(Aabb { // min: Vec2::new(stair_origin.x + 2, // stair_origin.y + stair_width).with_z(alt + // previous_floor_height + 1), // max: Vec2::new(stair_origin.x + 11, // stair_origin.y + 2 * stair_width).with_z(alt + - // previous_height + 1), })) + // previous_height + 1), }) // }, // _ => { - // painter.prim(Primitive::Aabb(Aabb { + // painter.aabb(Aabb { // min: Vec2::new(stair_origin.x + // stair_width, stair_origin.y + 2).with_z(alt + // previous_floor_height + 1), // max: Vec2::new(stair_origin.x + 2 * // stair_width, stair_origin.y + 11).with_z(alt + - // previous_height + 1), })) + // previous_height + 1), }) // }, //} }; - painter.fill(stairwell, Fill::Block(Block::empty())); + painter.fill(stairwell, filler.block(Block::empty()), filler); painter.fill( staircase, - Fill::Block(Block::new(BlockKind::Rock, Rgb::new(89, 44, 14))), + filler.block(Block::new(BlockKind::Rock, Rgb::new(89, 44, 14))), + filler, ); } } // Foundation painter.fill( - painter.prim(Primitive::Aabb(Aabb { + painter.aabb(Aabb { min: (self.bounds.min - 1).with_z(self.alt - foundations), max: (self.bounds.max + 2).with_z(self.alt + 1), - })), - Fill::Block(Block::new(BlockKind::Rock, Rgb::new(31, 33, 32))), + }), + filler.block(Block::new(BlockKind::Rock, Rgb::new(31, 33, 32))), + filler, ); // Fireplace and chimney @@ -1942,49 +1967,49 @@ impl Structure for House { } }; let chimney = match self.front { - 0 => painter.prim(Primitive::Aabb(Aabb { + 0 => painter.aabb(Aabb { min: Vec2::new(fireplace_origin.x, fireplace_origin.y).with_z(alt), max: Vec2::new(fireplace_origin.x + 4, fireplace_origin.y + 3) .with_z(alt + roof + roof_height + 2), - })), - 1 => painter.prim(Primitive::Aabb(Aabb { + }), + 1 => painter.aabb(Aabb { min: Vec2::new(fireplace_origin.x, fireplace_origin.y).with_z(alt), max: Vec2::new(fireplace_origin.x + 3, fireplace_origin.y + 4) .with_z(alt + roof + roof_height + 2), - })), - 2 => painter.prim(Primitive::Aabb(Aabb { + }), + 2 => painter.aabb(Aabb { min: Vec2::new(fireplace_origin.x, fireplace_origin.y).with_z(alt), max: Vec2::new(fireplace_origin.x + 4, fireplace_origin.y + 3) .with_z(alt + roof + roof_height + 2), - })), - _ => painter.prim(Primitive::Aabb(Aabb { + }), + _ => painter.aabb(Aabb { min: Vec2::new(fireplace_origin.x, fireplace_origin.y).with_z(alt), max: Vec2::new(fireplace_origin.x + 3, fireplace_origin.y + 4) .with_z(alt + roof + roof_height + 2), - })), + }), }; let chimney_cavity = match self.front { - 0 => painter.prim(Primitive::Aabb(Aabb { + 0 => painter.aabb(Aabb { min: Vec2::new(fireplace_origin.x + 1, fireplace_origin.y + 1).with_z(alt), max: Vec2::new(fireplace_origin.x + 3, fireplace_origin.y + 2) .with_z(alt + roof + roof_height + 2), - })), - 1 => painter.prim(Primitive::Aabb(Aabb { + }), + 1 => painter.aabb(Aabb { min: Vec2::new(fireplace_origin.x + 1, fireplace_origin.y + 1).with_z(alt), max: Vec2::new(fireplace_origin.x + 2, fireplace_origin.y + 3) .with_z(alt + roof + roof_height + 2), - })), - 2 => painter.prim(Primitive::Aabb(Aabb { + }), + 2 => painter.aabb(Aabb { min: Vec2::new(fireplace_origin.x + 1, fireplace_origin.y + 1).with_z(alt), max: Vec2::new(fireplace_origin.x + 3, fireplace_origin.y + 2) .with_z(alt + roof + roof_height + 2), - })), - _ => painter.prim(Primitive::Aabb(Aabb { + }), + _ => painter.aabb(Aabb { min: Vec2::new(fireplace_origin.x + 1, fireplace_origin.y + 1).with_z(alt), max: Vec2::new(fireplace_origin.x + 2, fireplace_origin.y + 3) .with_z(alt + roof + roof_height + 2), - })), + }), }; let fire_embers = match self.front { 0 => Aabb { @@ -2025,16 +2050,19 @@ impl Structure for House { painter.fill( chimney, - Fill::Brick(BlockKind::Rock, Rgb::new(80, 75, 85), 24), + filler.brick(BlockKind::Rock, Rgb::new(80, 75, 85), 24), + filler, ); - painter.fill(chimney_cavity, Fill::Block(Block::empty())); + painter.fill(chimney_cavity, filler.block(Block::empty()), filler); painter.fill( - painter.prim(Primitive::Aabb(fireplace_cavity)), - Fill::Block(Block::empty()), + painter.aabb(fireplace_cavity), + filler.block(Block::empty()), + filler, ); painter.fill( - painter.prim(Primitive::Aabb(fire_embers)), - Fill::Block(Block::air(SpriteKind::Ember)), + painter.aabb(fire_embers), + filler.block(Block::air(SpriteKind::Ember)), + filler, ); // Door @@ -2058,8 +2086,9 @@ impl Structure for House { }, }; painter.fill( - painter.prim(Primitive::Aabb(doorway1)), - Fill::Brick(BlockKind::Rock, Rgb::new(80, 75, 85), 24), + painter.aabb(doorway1), + filler.brick(BlockKind::Rock, Rgb::new(80, 75, 85), 24), + filler, ); // Carve out the doorway with air @@ -2082,8 +2111,9 @@ impl Structure for House { }, }; painter.fill( - painter.prim(Primitive::Aabb(doorway2)), - Fill::Block(Block::empty()), + painter.aabb(doorway2), + filler.block(Block::empty()), + filler, ); // Fill in the right and left side doors @@ -2154,16 +2184,19 @@ impl Structure for House { ), }; painter.fill( - painter.prim(Primitive::Aabb(door_gap)), - Fill::Block(Block::air(SpriteKind::Empty)), + painter.aabb(door_gap), + filler.block(Block::air(SpriteKind::Empty)), + filler, ); painter.fill( - painter.prim(Primitive::Aabb(door1)), - Fill::Block(Block::air(SpriteKind::Door).with_ori(door1_ori).unwrap()), + painter.aabb(door1), + filler.block(Block::air(SpriteKind::Door).with_ori(door1_ori).unwrap()), + filler, ); painter.fill( - painter.prim(Primitive::Aabb(door2)), - Fill::Block(Block::air(SpriteKind::Door).with_ori(door2_ori).unwrap()), + painter.aabb(door2), + filler.block(Block::air(SpriteKind::Door).with_ori(door2_ori).unwrap()), + filler, ); } } diff --git a/world/src/site2/plot/workshop.rs b/world/src/site2/plot/workshop.rs index d8416b1379..2385772fb2 100644 --- a/world/src/site2/plot/workshop.rs +++ b/world/src/site2/plot/workshop.rs @@ -39,29 +39,29 @@ impl Workshop { } } -impl Structure for Workshop { - fn render(&self, _site: &Site, _land: &Land, painter: &Painter) { - let brick = Fill::Brick(BlockKind::Rock, Rgb::new(80, 75, 85), 24); +impl Structure for Workshop { + fn render<'a>(&self, _site: &Site, _land: Land, painter: &Painter<'a>, filler: &mut FillFn<'a, '_, F>) { + let brick = filler.brick(BlockKind::Rock, Rgb::new(80, 75, 85), 24); let base = self.alt + 1; let center = self.bounds.center(); // Base painter - .aabb(Aabb { + .aabb/*::*/(Aabb { min: (self.bounds.min + 1).with_z(base - 16), max: self.bounds.max.with_z(base), }) - .fill(brick.clone()); + .fill(brick, filler); let roof = base + 5; painter - .aabb(Aabb { + .aabb/*::*/(Aabb { min: (self.bounds.min + 2).with_z(base), max: (self.bounds.max - 1).with_z(roof), }) - .clear(); + .clear(filler); // Supports for pos in [ @@ -72,10 +72,10 @@ impl Structure for Workshop { ] { painter .line(pos.with_z(base), pos.with_z(roof), 1.0) - .fill(Fill::Block(Block::new( + .fill(filler.block(Block::new( BlockKind::Wood, Rgb::new(55, 25, 8), - ))); + )), filler); } let roof_top = roof + 5; @@ -86,7 +86,7 @@ impl Structure for Workshop { min: (self.bounds.min + 2).with_z(roof), max: (self.bounds.max - 1).with_z(roof_top), }) - .fill(Fill::Brick(BlockKind::Rock, Rgb::new(45, 28, 21), 24)); + .fill(filler.brick(BlockKind::Rock, Rgb::new(45, 28, 21), 24), filler); let chimney = roof_top + 2; @@ -98,19 +98,20 @@ impl Structure for Workshop { center.with_z(chimney), chimney_radius, ) - .fill(brick); + .fill(brick, filler); painter .line( center.with_z(base), center.with_z(chimney + 2), chimney_radius - 1.0, ) - .clear(); + .clear(filler); for x in -1..2 { for y in -1..2 { painter.sprite( (center + Vec2::new(x, y)).with_z(base - 1), SpriteKind::Ember, + filler, ); } } @@ -134,11 +135,11 @@ impl Structure for Workshop { let cr_station = stations.swap_remove( RandomField::new(0).get(position.with_z(base)) as usize % stations.len(), ); - painter.sprite(position.with_z(base), cr_station); + painter.sprite(position.with_z(base), cr_station, filler); } } - painter.spawn( + filler.spawn( EntityInfo::at(self.bounds.center().with_z(base).map(|e| e as f32 + 0.5)) .into_waypoint(), ); diff --git a/world/src/site2/tile.rs b/world/src/site2/tile.rs index e058642191..6f651e2f2d 100644 --- a/world/src/site2/tile.rs +++ b/world/src/site2/tile.rs @@ -215,6 +215,10 @@ impl Tile { } } + pub fn plot(&self) -> Option> { + self.plot + } + pub fn is_empty(&self) -> bool { self.kind == TileKind::Empty } pub fn is_natural(&self) -> bool { matches!(self.kind, TileKind::Empty | TileKind::Hazard(_)) } diff --git a/world/src/site2/util/gradient.rs b/world/src/site2/util/gradient.rs index ffdf9f3a0f..70e6e8dc34 100644 --- a/world/src/site2/util/gradient.rs +++ b/world/src/site2/util/gradient.rs @@ -39,7 +39,7 @@ impl Shape { pub fn radial_line(direction: Vec3) -> Self { Shape::Line(direction.normalized()) } } -#[derive(Clone)] +#[derive(Clone, Copy)] pub struct Gradient { /// The center of the gradient shape pub(super) center: Vec3, diff --git a/world/src/util/structure.rs b/world/src/util/structure.rs index 2b7b8bfa1a..913eb11a4b 100644 --- a/world/src/util/structure.rs +++ b/world/src/util/structure.rs @@ -116,6 +116,56 @@ impl StructureGen2d { ) }) } + + /// Note: Generates all possible closest samples for elements in the range + /// of min to max, *exclusive.* + pub fn iter( + &self, + min: Vec2, + max: Vec2, + ) -> impl Iterator { + let freq = self.freq; + let spread = self.spread; + let spread_mul = Self::spread_mul(spread); + assert!(spread * 2 == spread_mul); + assert!(spread_mul <= freq); + let spread = spread as i32; + let freq = freq as i32; + let freq_offset = Self::freq_offset(freq); + assert!(freq_offset * 2 == freq); + + let min_index = Self::sample_to_index_internal(freq, min) - 1; + let max_index = Self::sample_to_index_internal(freq, max) + 1; + assert!(min_index.x < max_index.x); + // NOTE: xlen > 0 + let xlen = (max_index.x - min_index.x) as u32; + assert!(min_index.y < max_index.y); + // NOTE: ylen > 0 + let ylen = (max_index.y - min_index.y) as u32; + // NOTE: Cannot fail, since every product of u32s fits in a u64. + let len = ylen as u64 * xlen as u64; + // NOTE: since iteration is *exclusive* for the initial range, it's fine that we + // don't go up to the maximum value. + // NOTE: we convert to usize first, and then iterate, because we want to make + // sure we get a properly indexed parallel iterator that can deal with + // the whole range at once. + let x_field = self.x_field; + let y_field = self.y_field; + let seed_field = self.seed_field; + (0..len).into_iter().map(move |xy| { + let index = min_index + Vec2::new((xy % xlen as u64) as i32, (xy / xlen as u64) as i32); + Self::index_to_sample_internal( + freq, + freq_offset, + spread, + spread_mul, + x_field, + y_field, + seed_field, + index, + ) + }) + } } impl Sampler<'static> for StructureGen2d {