1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043
//! Definition of blocks, which are the game objects which occupy the grid of a
//! [`Space`]. See [`Block`] for details.
//!
//! The types of most interest in this module are [`Block`], [`Primitive`],
//! [`BlockAttributes`], and [`Modifier`].
use alloc::borrow::Cow;
use alloc::boxed::Box;
use alloc::collections::VecDeque;
use alloc::sync::Arc;
use alloc::vec::Vec;
use core::fmt;
use crate::listen::{Listen as _, Listener};
use crate::math::{GridAab, GridCoordinate, GridPoint, GridRotation, GridVector, Rgb, Rgba, Vol};
use crate::space::{SetCubeError, Space, SpaceChange};
use crate::universe::{Handle, HandleVisitor, VisitHandles};
/// Construct a [`Block`] with the given reflectance color, and default attributes.
///
/// This is equivalent to calling `Block::from()`, except that:
///
/// * the arguments must be constant expressions,
/// * no allocations are performed, and
/// * the value may be used in `const` evaluation.
///
/// The color may be specified as an expression which returns [`Rgb`] or [`Rgba`], or as three
/// or four [`f32`] literal color components.
///
/// ```
/// use all_is_cubes::{block::Block, color_block, math::{Rgb, rgb_const}};
///
/// assert_eq!(
/// color_block!(rgb_const!(1.0, 0.5, 0.0)),
/// Block::from(Rgb::new(1.0, 0.5, 0.0)),
/// );
///
/// assert_eq!(
/// color_block!(rgb_const!(1.0, 0.5, 0.0)),
/// color_block!(1.0, 0.5, 0.0),
/// );
///
/// assert_eq!(
/// color_block!(1.0, 0.5, 0.0),
/// color_block!(1.0, 0.5, 0.0, 1.0),
/// );
/// ```
// ---
// Must declare this macro before child modules, so they can use it.
#[macro_export]
macro_rules! color_block {
($color:expr) => {
$crate::block::Block::from_static_primitive(const {
&$crate::block::Primitive::from_color($color.with_alpha_one_if_has_no_alpha())
})
};
($r:literal, $g:literal, $b:literal $(,)?) => {
$crate::color_block!($crate::math::rgb_const!($r, $g, $b))
};
($r:literal, $g:literal, $b:literal, $a:literal $(,)?) => {
$crate::color_block!($crate::math::rgba_const!($r, $g, $b, $a))
};
}
mod attributes;
pub use attributes::*;
mod block_def;
pub use block_def::*;
pub mod builder;
#[doc(inline)]
pub use builder::BlockBuilder;
mod eval;
pub use eval::*;
mod modifier;
pub use modifier::*;
/// Scale factor between a [`Block`] and its component voxels.
///
/// This resolution cubed is the number of voxels making up a block.
///
/// Resolutions are always powers of 2. This ensures that the arithmetic is well-behaved
/// (no division by zero, exact floating-point representation, and the potential of
/// fixed-point representation),
/// and that it is always possible to subdivide a block further (up to the limit) without
/// shifting the existing voxel boundaries.
///
/// Note that while quite high resolutions are permitted, this does not mean that it is
/// practical to routinely use full blocks at that resolution. For example, 64 × 64 × 64
/// = 262,144 voxels, occupying several megabytes just for color data.
/// High resolutions are permitted for special purposes that do not necessarily use the
/// full cube volume:
///
/// * *Thin* blocks (e.g. 128 × 128 × 1) can display high resolution text and other 2D
/// images.
/// * Multi-block structures can be defined using [`Modifier::Zoom`]; their total size
/// is limited by the resolution limit.
pub use all_is_cubes_base::resolution::Resolution;
pub use all_is_cubes_base::resolution::*;
pub mod text;
#[cfg(test)]
mod tests;
// --- Block type declarations ---
// File organization: This is a series of closely related type definitions together before
// any of their `impl`s, so the types can be understood in context.
/// A [`Block`] is something that can exist in the grid of a [`Space`]; it occupies one
/// unit cube of simulated physical space, and has a specified appearance and behavior.
///
/// A [`Block`] is made up of a [`Primitive`] and zero or more [`Modifier`]s.
///
/// In general, when a block appears multiple times from an in-game perspective, that may
/// or may not be the the same copy; `Block`s are "by value" and any block [`Eq`] to
/// another will behave identically and should be treated identically. However, some
/// blocks are defined by reference to shared mutable data, and [`Block`] containers such
/// as [`Space`] must follow those changes.
///
/// To determine the concrete appearance and behavior of a block, use [`Block::evaluate()`]
/// or [`Block::evaluate_and_listen()`], which will return an [`EvaluatedBlock`] value.
///
#[doc = include_str!("save/serde-warning.md")]
#[derive(Clone)]
pub struct Block(BlockPtr);
/// Pointer to data of a [`Block`] value.
///
/// This is a separate type so that the enum variants are not exposed.
/// It does not implement Eq and Hash, but Block does through it.
#[derive(Clone, Debug)]
enum BlockPtr {
Static(&'static Primitive),
Owned(Arc<BlockParts>),
}
#[derive(Clone, Debug, Eq, Hash, PartialEq)]
struct BlockParts {
primitive: Primitive,
/// Modifiers are stored in innermost-first order.
modifiers: Vec<Modifier>,
}
/// The possible fundamental representations of a [`Block`]'s shape.
///
#[doc = include_str!("save/serde-warning.md")]
#[derive(Clone, Eq, Hash, PartialEq)]
#[non_exhaustive]
pub enum Primitive {
/// A block whose definition is stored elsewhere in a
/// [`Universe`](crate::universe::Universe).
///
/// Note that this is a handle to a [`Block`], not a [`Primitive`]; the referenced
/// [`BlockDef`] may have its own [`Modifier`]s, and thus the result of
/// [evaluating](Block::evaluate) a primitive with no modifiers is not necessarily
/// free of the effects of modifiers.
Indirect(Handle<BlockDef>),
/// A block of totally uniform properties.
Atom(Atom),
/// A block that is composed of smaller blocks, defined by the referenced [`Space`].
Recur {
#[allow(missing_docs)]
attributes: BlockAttributes,
/// The space from which voxels are taken.
space: Handle<Space>,
/// Which portion of the space will be used, specified by the most negative
/// corner.
offset: GridPoint,
/// The side length of the cubical volume of sub-blocks (voxels) used for this
/// block.
resolution: Resolution,
},
/// An invisible, unselectable, inert block used as “no block”; the primitive of [`AIR`].
///
/// This is essentially a specific [`Primitive::Atom`]. There are a number of
/// algorithms which treat this block specially or which return it (e.g. outside the
/// bounds of a `Space`), so it exists here to make it an explicit element of the
/// data model — so that if it is, say, serialized and loaded in a future version,
/// it is still recognized as [`AIR`]. Additionally, it's cheaper to compare this way.
Air,
/// A piece of text rendered as voxels.
///
/// To combine the text with other shapes, use [`Modifier::Composite`].
Text {
/// The text to draw, and the font and text-layout-dependent positioning.
text: text::Text,
/// Translation, in whole cubes, of the region of the text to draw.
///
/// For text within a single block, this should be zero.
/// For multi-block text, this should be equal to the difference between
/// the adjacent blocks' positions.
offset: GridVector,
},
}
/// Data of [`Primitive::Atom`]. The definition of a single [block](Block) that has uniform
/// material properties rather than spatially varying ones; a single voxel.
#[derive(Clone, Eq, Hash, PartialEq)]
#[allow(clippy::exhaustive_structs)]
pub struct Atom {
#[allow(missing_docs)]
pub attributes: BlockAttributes,
/// The color exhibited by diffuse reflection from this block.
///
/// If the alpha component is neither 0 nor 1, then this is interpreted as the
/// opacity of a unit thickness of the material.
pub color: Rgba,
/// Light emitted (not reflected) by the block.
///
/// This quantity is the [_luminous emittance_](https://en.wikipedia.org/wiki/Luminous_emittance)
/// (the emitted portion of luminance) of the block surface, in unspecified units where 1.0 is
/// the display white level (except for the effects of tone mapping).
/// In the future this may be redefined in terms of a physical unit, but with the same
/// dimensions.
///
/// TODO: Define the interpretation for non-opaque blocks.
pub emission: Rgb,
/// The effect on a [`Body`](crate::physics::Body) of colliding with this block.
///
/// The default value is [`BlockCollision::Hard`].
pub collision: BlockCollision,
}
// --- End of type declarations, beginning of impls ---
impl fmt::Debug for Block {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
let mut s = f.debug_struct("Block");
s.field("primitive", self.primitive());
let modifiers = self.modifiers();
if !modifiers.is_empty() {
s.field("modifiers", &self.modifiers());
}
s.finish()
}
}
impl Block {
/// Returns a new [`BlockBuilder`] which may be used to construct a [`Block`] value
/// from various inputs with convenient syntax.
pub const fn builder() -> BlockBuilder<builder::NeedsPrimitive, ()> {
BlockBuilder::new()
}
/// Construct a [`Block`] from a [`Primitive`] value.
// TODO: Decide whether this should go away as temporary from refactoring.
pub fn from_primitive(p: Primitive) -> Self {
if let Primitive::Air = p {
// Avoid allocating an Arc.
AIR
} else {
Block(BlockPtr::Owned(Arc::new(BlockParts {
primitive: p,
modifiers: vec![],
})))
}
}
/// Constructs a [`Block`] which references the given static [`Primitive`].
///
/// This performs no allocation.
/// It is also available as a [`From`] implementation.
#[doc(hidden)] // used by `color_block!()`, but I'm not sure whether to make it really public
pub const fn from_static_primitive(r: &'static Primitive) -> Self {
Block(BlockPtr::Static(r))
}
/// Returns the [`Primitive`] which defines this block before any
/// [`Modifier`]s are applied.
pub fn primitive(&self) -> &Primitive {
match self.0 {
BlockPtr::Static(primitive) => primitive,
BlockPtr::Owned(ref arc) => &arc.primitive,
}
}
/// Returns a mutable reference to the [`Primitive`] which defines this block before
/// any [`Modifier`]s are applied.
///
/// This may cause part or all of the block's data to stop sharing storage with other
/// blocks.
pub fn primitive_mut(&mut self) -> &mut Primitive {
&mut self.make_parts_mut().primitive
}
/// Returns all the modifiers of this block.
///
/// Modifiers are arranged in order of their application to the primitive,
/// or “innermost” to “outermost”.
///
/// Note that this does not necessarily return all modifiers involved in its
/// definition; modifiers on the far end of a [`Primitive::Indirect`] are
/// not reported here, even though they take effect when evaluated.
pub fn modifiers(&self) -> &[Modifier] {
match self.0 {
BlockPtr::Static(_) => &[],
BlockPtr::Owned(ref arc_parts) => &arc_parts.modifiers,
}
}
/// Returns a mutable reference to the vector of [`Modifier`]s on this block.
///
/// This may cause part or all of the block's data to stop sharing storage with other
/// blocks.
// TODO: This nails down our representation a bit much
pub fn modifiers_mut(&mut self) -> &mut Vec<Modifier> {
&mut self.make_parts_mut().modifiers
}
fn make_parts_mut(&mut self) -> &mut BlockParts {
match self.0 {
BlockPtr::Static(static_primitive) => {
*self = Block(BlockPtr::Owned(Arc::new(BlockParts {
primitive: static_primitive.clone(),
modifiers: vec![],
})));
match self.0 {
BlockPtr::Owned(ref mut arc_repr) => Arc::make_mut(arc_repr),
BlockPtr::Static(_) => unreachable!(),
}
}
BlockPtr::Owned(ref mut arc_repr) => Arc::make_mut(arc_repr),
}
}
/// Add the given modifier to this block.
///
/// This is a convenience operation which is exactly equivalent to
/// doing `block.modifiers_mut().push(modifier.into())`. It does not do any of the
/// special case logic that, for example, [`Block::rotate()`] does.
#[must_use]
pub fn with_modifier(mut self, modifier: impl Into<Modifier>) -> Self {
self.modifiers_mut().push(modifier.into());
self
}
/// Rotates this block by the specified rotation.
///
/// Compared to direct use of [`Modifier::Rotate`], this will:
///
/// * Avoid constructing chains of redundant modifiers.
/// * Not rotate blocks that should never appear rotated (including atom blocks).
///
/// (TODO: This should be replaced with `with_modifier()` or similar having a general
/// rule set for combining modifiers.)
///
/// ```
/// use all_is_cubes::block::{AIR, Block, Modifier};
/// use all_is_cubes::color_block;
/// use all_is_cubes::content::make_some_voxel_blocks;
/// use all_is_cubes::math::{GridRotation, Rgba};
/// use all_is_cubes::universe::Universe;
///
/// let mut universe = Universe::new();
/// let [block] = make_some_voxel_blocks(&mut universe);
/// let clockwise = GridRotation::CLOCKWISE;
///
/// // Basic rotation
/// let rotated = block.clone().rotate(clockwise);
/// assert_eq!(rotated.modifiers(), &[Modifier::Rotate(clockwise)]);
///
/// // Multiple rotations are combined
/// let double = rotated.clone().rotate(clockwise);
/// assert_eq!(double.modifiers(), &[Modifier::Rotate(clockwise * clockwise)]);
///
/// // Atoms and AIR are never rotated
/// let atom = color_block!(Rgba::WHITE);
/// assert_eq!(atom.clone().rotate(clockwise), atom);
/// assert_eq!(AIR.rotate(clockwise), AIR);
/// ```
#[must_use]
pub fn rotate(mut self, rotation: GridRotation) -> Self {
if rotation == GridRotation::IDENTITY {
// TODO: Should we *remove* any identity rotation already present,
// to make a fully canonical result?
return self;
}
match (self.primitive(), self.modifiers().is_empty()) {
(Primitive::Atom(_) | Primitive::Air, true) => {
// TODO: Just checking for Primitive::Atom doesn't help when the atom
// is hidden behind Primitive::Indirect. In general, we need to evaluate()
// (which suggests that this perhaps should be at least available
// as a function that takes Block + EvaluatedBlock).
self
}
_ => {
let parts = self.make_parts_mut();
match parts.modifiers.last_mut() {
// TODO: If the combined rotation is the identity, discard the modifier
Some(Modifier::Rotate(existing_rotation)) => {
*existing_rotation = rotation * *existing_rotation;
}
None | Some(_) => parts.modifiers.push(Modifier::Rotate(rotation)),
}
self
}
}
}
/// Standardizes any characteristics of this block which may be presumed to be
/// specific to its usage in its current location, so that it can be used elsewhere
/// or compared with others. Specifically, it has the following effects:
///
/// * Removes [`Modifier::Rotate`].
///
/// In future versions there may be additional changes or ones customizable per block.
///
/// # Examples
///
/// Removing rotation:
/// ```
/// use all_is_cubes::block::Block;
/// # use all_is_cubes::content::make_some_voxel_blocks;
/// use all_is_cubes::math::GridRotation;
/// use all_is_cubes::universe::Universe;
///
/// let mut universe = Universe::new();
/// let [block] = make_some_voxel_blocks(&mut universe);
/// let rotated = block.clone().rotate(GridRotation::CLOCKWISE);
///
/// assert_ne!(&block, &rotated);
/// assert_eq!(vec![block], rotated.clone().unspecialize());
/// ```
#[must_use]
pub fn unspecialize(&self) -> Vec<Block> {
let mut queue = VecDeque::from([self.clone()]);
let mut output = Vec::new();
'queue: while let Some(mut block) = queue.pop_front() {
if block.modifiers().is_empty() {
// No need to reify the modifier list if it doesn't exist already.
output.push(block);
continue;
}
while let Some(modifier) = block.modifiers().last() {
match modifier.unspecialize(&block) {
ModifierUnspecialize::Keep => {
output.push(block);
continue 'queue;
}
ModifierUnspecialize::Pop => {
block.modifiers_mut().pop();
// and continue to possibly pop more...
}
ModifierUnspecialize::Replace(replacements) => {
let replacements = replacements.into_iter().inspect(|r| {
assert_ne!(
r, &block,
"infinite loop detected: \
modifier returned original block from unspecialize()"
);
});
queue.extend(replacements);
continue 'queue;
}
}
}
// If and only if we got here rather than doing something else, the block
// now has all its unwanted modifiers popped or replaced.
output.push(block);
}
output
}
/// Converts this `Block` into a “flattened” and snapshotted form which contains all
/// information needed for rendering and physics, and does not require [`Handle`] access
/// to other objects.
pub fn evaluate(&self) -> Result<EvaluatedBlock, EvalBlockError> {
self.evaluate2(&EvalFilter {
skip_eval: false,
listener: None,
budget: Default::default(),
})
}
/// As [`Block::evaluate()`], but also installs a listener which will be notified of
/// changes in all data sources that might affect the evaluation result.
///
/// Note that this does not listen for mutations of the [`Block`] value itself, in the
/// sense that none of the methods on [`Block`] will cause this listener to fire.
/// Rather, it listens for changes in by-reference-to-interior-mutable-data sources
/// such as the [`Space`] referred to by a [`Primitive::Recur`] or the [`BlockDef`]
/// referred to by a [`Primitive::Indirect`].
///
/// # Errors
///
/// If an evaluation error is reported, the [`Listener`] may have been installed
/// incompletely or not at all. It should not be relied on.
pub fn evaluate_and_listen(
&self,
listener: impl Listener<BlockChange> + 'static,
) -> Result<EvaluatedBlock, EvalBlockError> {
self.evaluate2(&EvalFilter {
skip_eval: false,
listener: Some(listener.erased()),
budget: Default::default(),
})
}
/// Internal general entry point for block evaluation.
///
/// TODO: Placeholder name. At some point we may expose `EvalFilter` directly and make
/// this be just `evaluate()`.
pub(crate) fn evaluate2(&self, filter: &EvalFilter) -> Result<EvaluatedBlock, EvalBlockError> {
finish_evaluation(filter.budget.get(), self.evaluate_impl(filter), filter)
}
/// Equivalent to `Evoxel::from_block(block.evaluate2(filter))` except for the error type.
/// For use when blocks contain other blocks as voxels.
fn evaluate_to_evoxel_internal(&self, filter: &EvalFilter) -> Result<Evoxel, InEvalError> {
// TODO: Make this more efficient by not building the full `EvaluatedBlock`
self.evaluate_impl(filter)
.map(|minev| Evoxel::from_block(&minev.finish(Cost::ZERO /* ignored */)))
}
#[inline]
fn evaluate_impl(&self, filter: &EvalFilter) -> Result<MinEval, InEvalError> {
// The block's primitive counts as 1 component.
Budget::decrement_components(&filter.budget)?;
let mut value: MinEval = match *self.primitive() {
Primitive::Indirect(ref def_handle) => def_handle.read()?.evaluate_impl(filter)?,
Primitive::Atom(Atom {
ref attributes,
color,
emission,
collision,
}) => MinEval {
attributes: attributes.clone(),
voxels: Evoxels::One(Evoxel {
color,
emission,
selectable: attributes.selectable,
collision,
}),
},
Primitive::Air => AIR_EVALUATED_MIN,
Primitive::Recur {
ref attributes,
offset,
resolution,
space: ref space_handle,
} => {
let block_space = space_handle.read()?;
// The region of `space` that the parameters say to look at.
let full_resolution_bounds =
GridAab::for_block(resolution).translate(offset.to_vector());
if let Some(listener) = &filter.listener {
block_space.listen(listener.clone().filter(
move |msg: &SpaceChange| -> Option<BlockChange> {
match *msg {
SpaceChange::CubeBlock { cube, .. }
if full_resolution_bounds.contains_cube(cube) =>
{
Some(BlockChange::new())
}
SpaceChange::CubeBlock { .. } => None,
SpaceChange::EveryBlock => Some(BlockChange::new()),
// TODO: It would be nice if the space gave more precise updates
// such that we could conclude e.g. "this is a new/removed block
// in an unaffected area" without needing to store any data.
SpaceChange::BlockEvaluation(_) => Some(BlockChange::new()),
// Index changes by themselves cannot affect the result.
SpaceChange::BlockIndex(_) => None,
// Things that do not matter.
SpaceChange::CubeLight { .. } => None,
SpaceChange::Physics => None,
}
},
));
}
// Intersect that region with the actual bounds of `space`.
let mut voxels_animation_hint = AnimationHint::UNCHANGING;
let voxels: Vol<Arc<[Evoxel]>> = match full_resolution_bounds
.intersection_cubes(block_space.bounds())
.filter(|_| !filter.skip_eval)
{
Some(occupied_bounds) => {
Budget::decrement_voxels(
&filter.budget,
occupied_bounds.volume().unwrap(),
)?;
block_space
.extract(
occupied_bounds,
#[inline(always)]
|extract| {
let ev = extract.block_data().evaluated();
voxels_animation_hint |= ev.attributes.animation_hint;
Evoxel::from_block(ev)
},
)
.translate(-offset.to_vector())
}
None => {
// If there is no intersection, then return an empty voxel array,
// with an arbitrary position.
// Also applies when skip_eval is true
Vol::from_elements(GridAab::ORIGIN_EMPTY, Box::<[Evoxel]>::default())
.unwrap()
}
};
MinEval {
attributes: BlockAttributes {
// Translate the voxels' animation hints into their effect on
// the outer block.
animation_hint: attributes.animation_hint
| AnimationHint {
redefinition: voxels_animation_hint.redefinition
| voxels_animation_hint.replacement,
replacement: AnimationChange::None,
},
..attributes.clone()
},
voxels: Evoxels::Many(resolution, voxels),
}
}
Primitive::Text { ref text, offset } => text.evaluate(offset, filter)?,
};
#[cfg(debug_assertions)]
value.consistency_check();
for (index, modifier) in self.modifiers().iter().enumerate() {
value = modifier.evaluate(self, index, value, filter)?;
#[cfg(debug_assertions)]
value.consistency_check();
}
Ok(value)
}
/// Returns the single [`Rgba`] color of this block's [`Primitive::Atom`] or
/// [`Primitive::Air`], or panics if it has a different kind of primitive.
/// **Intended for use in tests only.**
pub fn color(&self) -> Rgba {
match *self.primitive() {
Primitive::Atom(Atom { color, .. }) => color,
Primitive::Air => AIR_EVALUATED.color,
Primitive::Indirect(_) | Primitive::Recur { .. } | Primitive::Text { .. } => {
panic!("Block::color not defined for non-atom blocks")
}
}
}
}
// Manual implementations of Eq and Hash ensure that the [`BlockPtr`] storage
// choices do not affect equality.
impl PartialEq for Block {
fn eq(&self, other: &Self) -> bool {
self.primitive() == other.primitive() && self.modifiers() == other.modifiers()
}
}
impl Eq for Block {}
impl core::hash::Hash for Block {
fn hash<H: core::hash::Hasher>(&self, state: &mut H) {
self.primitive().hash(state);
self.modifiers().hash(state);
}
}
impl VisitHandles for Block {
fn visit_handles(&self, visitor: &mut dyn HandleVisitor) {
self.primitive().visit_handles(visitor);
for modifier in self.modifiers() {
modifier.visit_handles(visitor)
}
}
}
impl From<&'static Primitive> for Block {
/// Constructs a [`Block`] which references the given static [`Primitive`].
///
/// This performs no allocation.
fn from(r: &'static Primitive) -> Self {
Block(BlockPtr::Static(r))
}
}
impl From<Primitive> for Block {
/// Constructs a [`Block`] that owns the given [`Primitive`].
///
/// This operation creates a heap allocation for the [`Primitive`].
fn from(primitive: Primitive) -> Self {
Block::from_primitive(primitive)
}
}
// Implementing conversions to `Cow` allow various functions to accept either an owned
// or borrowed `Block`. The motivation for this is to avoid unnecessary cloning
// (in case an individual block has large data).
// TODO: Eliminate these given the new Block-is-a-pointer world.
impl From<Block> for Cow<'_, Block> {
fn from(block: Block) -> Self {
Cow::Owned(block)
}
}
impl<'a> From<&'a Block> for Cow<'a, Block> {
fn from(block: &'a Block) -> Self {
Cow::Borrowed(block)
}
}
// Converting colors to blocks.
impl From<Rgb> for Block {
/// Constructs a [`Block`] with the given reflectance color, and default attributes.
///
/// This operation allocates a new [`Primitive`] value on the heap.
/// If the color is a constant, you may use [`color_block!`] instead to avoid allocation.
fn from(color: Rgb) -> Self {
Block::from(color.with_alpha_one())
}
}
impl From<Rgba> for Block {
/// Construct a [`Block`] with the given reflectance color, and default attributes.
///
/// This operation allocates a new [`Primitive`] value on the heap.
/// If the color is a constant, you may use [`color_block!`] instead to avoid allocation.
fn from(color: Rgba) -> Self {
Block::from_primitive(Primitive::Atom(Atom::from(color)))
}
}
#[cfg(feature = "arbitrary")]
mod arbitrary_block {
use super::*;
use arbitrary::{size_hint, Arbitrary, Unstructured};
// Manual impl to skip past BlockPtr etc.
// This means we're not exercising the `&'static` case, but that's not possible
// unless we decide to leak memory.
impl<'a> Arbitrary<'a> for Block {
fn arbitrary(u: &mut Unstructured<'a>) -> arbitrary::Result<Self> {
let mut block = Block::from_primitive(Primitive::arbitrary(u)?);
*block.modifiers_mut() = Vec::arbitrary(u)?;
Ok(block)
}
fn size_hint(depth: usize) -> (usize, Option<usize>) {
size_hint::and(
Primitive::size_hint(depth),
Vec::<Modifier>::size_hint(depth),
)
}
}
// Manual impl because `GridPoint` doesn't impl Arbitrary.
impl<'a> Arbitrary<'a> for Primitive {
fn arbitrary(u: &mut Unstructured<'a>) -> arbitrary::Result<Self> {
Ok(match u.int_in_range(0..=4)? {
0 => Primitive::Air,
1 => Primitive::Atom(Atom {
attributes: BlockAttributes::arbitrary(u)?,
color: Rgba::arbitrary(u)?,
emission: Rgb::arbitrary(u)?,
collision: BlockCollision::arbitrary(u)?,
}),
2 => Primitive::Indirect(Handle::arbitrary(u)?),
3 => Primitive::Recur {
attributes: BlockAttributes::arbitrary(u)?,
offset: GridPoint::from(<[i32; 3]>::arbitrary(u)?),
resolution: Resolution::arbitrary(u)?,
space: Handle::arbitrary(u)?,
},
4 => Primitive::Text {
text: text::Text::arbitrary(u)?,
// TODO: fix unhandled overflows so this can be full i32 range
offset: GridVector::from(<[i16; 3]>::arbitrary(u)?.map(i32::from)),
},
_ => unreachable!(),
})
}
fn size_hint(depth: usize) -> (usize, Option<usize>) {
size_hint::recursion_guard(depth, |depth| {
size_hint::or_all(&[
size_hint::and_all(&[
BlockAttributes::size_hint(depth),
Rgba::size_hint(depth),
Rgb::size_hint(depth),
BlockCollision::size_hint(depth),
]),
Handle::<BlockDef>::size_hint(depth),
size_hint::and_all(&[
BlockAttributes::size_hint(depth),
<[i32; 3]>::size_hint(depth),
Resolution::size_hint(depth),
Handle::<Space>::size_hint(depth),
]),
size_hint::and_all(&[
text::Text::size_hint(depth),
<[i16; 3]>::size_hint(depth),
]),
])
})
}
}
}
/// An invisible, unselectable, inert block used as “no block”.
///
/// It is used by [`Space`] to respond to out-of-bounds requests,
/// as well as other algorithms treating it as replaceable or discardable.
///
/// When evaluated, will always produce [`AIR_EVALUATED`].
pub const AIR: Block = Block(BlockPtr::Static(&Primitive::Air));
// TODO: uncomfortable with where this impl block is located
impl Primitive {
/// Construct a [`Primitive`] from a reflectance color.
///
/// This function is equivalent to `Block::from(color)` but it can be used in const contexts.
pub const fn from_color(color: Rgba) -> Primitive {
Primitive::Atom(Atom::from_color(color))
}
}
impl fmt::Debug for Primitive {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
match self {
Self::Indirect(def) => f.debug_tuple("Indirect").field(def).finish(),
Self::Atom(atom) => atom.fmt(f),
Self::Recur {
attributes,
space,
offset,
resolution,
} => f
.debug_struct("Recur")
.field("attributes", attributes)
.field("space", space)
.field("offset", offset)
.field("resolution", resolution)
.finish(),
Self::Air => write!(f, "Air"),
Self::Text { text, offset } => f
.debug_struct("Text")
.field("offset", offset)
.field("text", text)
.finish(),
}
}
}
impl fmt::Debug for Atom {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
let &Self {
ref attributes,
color,
emission,
collision,
} = self;
let mut s = f.debug_struct("Atom");
if attributes != &BlockAttributes::default() {
s.field("attributes", &attributes);
}
s.field("color", &color);
if emission != Rgb::ZERO {
s.field("emission", &emission);
}
s.field("collision", &collision);
s.finish()
}
}
impl VisitHandles for Primitive {
fn visit_handles(&self, visitor: &mut dyn HandleVisitor) {
match self {
Primitive::Indirect(block_handle) => visitor.visit(block_handle),
Primitive::Atom(atom) => atom.visit_handles(visitor),
Primitive::Air => {}
Primitive::Recur {
space,
attributes,
offset: _,
resolution: _,
} => {
visitor.visit(space);
attributes.visit_handles(visitor);
}
Primitive::Text { text, offset: _ } => text.visit_handles(visitor),
}
}
}
impl VisitHandles for Atom {
fn visit_handles(&self, visitor: &mut dyn HandleVisitor) {
let Self {
attributes,
color: _,
emission: _,
collision: _,
} = self;
attributes.visit_handles(visitor);
}
}
mod conversions_for_atom {
use super::*;
impl Atom {
/// Construct an [`Atom`] with the given reflectance color, and default attributes.
///
/// This is identical to `From<Rgba>::from()` except that it is a `const fn`.
// TODO: public API?
pub(crate) const fn from_color(color: Rgba) -> Self {
Atom {
attributes: BlockAttributes::default(),
color,
emission: Rgb::ZERO,
collision: BlockCollision::DEFAULT_FOR_FROM_COLOR,
}
}
}
impl From<Rgb> for Atom {
/// Construct an [`Atom`] with the given reflectance color, and default attributes.
fn from(color: Rgb) -> Self {
Self::from_color(color.with_alpha_one())
}
}
impl From<Rgba> for Atom {
/// Construct an [`Atom`] with the given reflectance color, and default attributes.
fn from(color: Rgba) -> Self {
Self::from_color(color)
}
}
impl From<Atom> for Primitive {
fn from(value: Atom) -> Self {
Primitive::Atom(value)
}
}
impl From<Atom> for Block {
fn from(value: Atom) -> Self {
Block::from_primitive(Primitive::Atom(value))
}
}
}
mod conversions_for_indirect {
use super::*;
impl From<Handle<BlockDef>> for Primitive {
/// Convert a `Handle<BlockDef>` into a [`Primitive::Indirect`] that refers to it.
fn from(block_def_handle: Handle<BlockDef>) -> Self {
Primitive::Indirect(block_def_handle)
}
}
impl From<Handle<BlockDef>> for Block {
/// Convert a `Handle<BlockDef>` into a block with [`Primitive::Indirect`] that refers to it.
///
/// The returned block will evaluate to the same [`EvaluatedBlock`] as the block contained
/// within the given [`BlockDef`] (except in case of errors).
fn from(block_def_handle: Handle<BlockDef>) -> Self {
Block::from_primitive(Primitive::Indirect(block_def_handle))
}
}
}
/// Notification when an [`EvaluatedBlock`] result changes.
#[derive(Clone, Debug, Eq, Hash, PartialEq)]
#[non_exhaustive]
pub struct BlockChange {
/// I expect there _might_ be future uses for a set of flags of what changed;
/// this helps preserve the option of adding them.
_not_public: (),
}
impl BlockChange {
#[allow(clippy::new_without_default)]
#[allow(missing_docs)] // TODO: why is this public, anyway?
pub fn new() -> BlockChange {
BlockChange { _not_public: () }
}
}
/// Construct a set of [`Primitive::Recur`] blocks that form a miniature of the given `space`.
/// The returned [`Space`] contains each of the blocks; its coordinates will correspond to
/// those of the input, scaled down by `resolution`.
///
/// Panics if the `Space` cannot be accessed, and returns
/// [`SetCubeError::TooManyBlocks`] if the space volume is too large.
///
/// TODO: add doc test for this
pub fn space_to_blocks(
resolution: Resolution,
attributes: BlockAttributes,
space_handle: Handle<Space>,
) -> Result<Space, SetCubeError> {
let resolution_g: GridCoordinate = resolution.into();
let source_bounds = space_handle
.read()
.expect("space_to_blocks() could not read() provided space")
.bounds();
let destination_bounds = source_bounds.divide(resolution_g);
let mut destination_space = Space::empty(destination_bounds);
destination_space.fill(destination_bounds, move |cube| {
Some(Block::from_primitive(Primitive::Recur {
attributes: attributes.clone(),
offset: (cube.lower_bounds().to_vector() * resolution_g).to_point(),
resolution,
space: space_handle.clone(),
}))
})?;
Ok(destination_space)
}