Fact-checked by Grok 2 weeks ago

Voxel

A voxel, short for "," is the three-dimensional analogue of a two-dimensional , representing a discrete value—such as color, , or opacity—on a in . The term originated as a portmanteau of "" and "" and was first documented in 1976 during discussions on computer-aided . As a fundamental unit in volumetric data structures, a voxel typically occupies a cubic defined by coordinates, enabling the of continuous volumes into manageable computational elements. Voxels play a central role in and scientific visualization, where they facilitate volume rendering techniques to display complex internal structures without relying on surface meshes. In medical imaging, such as computed tomography (CT) and magnetic resonance imaging (MRI), voxels encode tissue densities or signal intensities, allowing for accurate 3D reconstructions of anatomical features and aiding in diagnostics, surgical planning, and radiation therapy simulations. Their grid-based nature also supports efficient algorithms for segmentation, registration, and analysis of volumetric datasets in fields like neuroscience and radiology. Beyond visualization, voxels find applications in and additive manufacturing, where they define printable volume elements to create intricate, lattice-like structures with precise material properties at the micro-scale. In video games and simulations, voxel representations enable procedural terrain generation, destructible environments, and physics-based interactions, as seen in titles employing voxel engines for dynamic worlds. Emerging uses extend to geophysical modeling, robotics for obstacle avoidance, and artificial intelligence for processing point cloud data, highlighting voxels' versatility in handling spatial information across disciplines.

Fundamentals

Definition

A voxel is a portmanteau of "" and "," serving as the three-dimensional analog to a two-dimensional by representing a value on a in . This value typically encodes properties such as density, color, or material type, allowing voxels to model volumetric data in fields like and scientific visualization. Key characteristics of a voxel include its position within a regular cubic lattice, where each voxel occupies a discrete cell defined by integer coordinates, and its association with scalar or vector data that captures spatial information. This structure enables the representation of 3D spatial occupancy, where filled voxels indicate occupied volume and empty ones denote voids, facilitating uniform sampling of continuous 3D fields. Mathematically, a voxel at coordinates (x, y, z) holds a value v(x,y,z), commonly stored in a 3D array of dimensions N \times M \times P, where N, M, and P define the grid resolution along each axis. Unlike polygonal meshes, which approximate surfaces using connected vertices, edges, and faces for efficient rendering of complex geometries, voxels employ a , grid-based approach that excels in of volumes but can become memory-intensive for high-resolution representations of intricate shapes. This grid underpins interpolation techniques, such as , essential for reconstructing continuous fields from voxel data in subsequent rendering and analysis processes.

Etymology

The term "voxel" originated as a portmanteau of "volume" and "element," formed by analogy to "pixel" (short for "picture element") to denote a fundamental unit of three-dimensional space. This linguistic construction underscores the discretization of volumetric data, extending the two-dimensional pixel concept to higher dimensions for representing finite volumes in digital processing. The earliest documented use of "voxel" appeared in 1976 within the Proceedings of the Symposium on Computer-Aided Diagnosis of Medical Images, where it described volumetric units in the context of digital medical imaging. Subsequent early applications emerged in three-dimensional imaging literature during the late , particularly in medical diagnostics and . The terminology evolved from the more verbose "volume element" to "voxel" for conciseness as digital processing matured in the . This facilitated efficient communication in technical fields, while distinguishing "voxel" from related terms like "texel" (texture element, for surface mapping) and "pixel" (two-dimensional picture element), thereby emphasizing its unique focus on volumetric . Rosenfeld's 1981 work on digital topology further popularized the term by explicitly defining voxels as shorthand for s in picture analysis.

Historical Development

The foundations of voxel technology trace back to the 1960s, when pioneering work in laid the groundwork for volumetric representations. Ivan Sutherland's development of in 1963 introduced interactive graphics on the TX-2 computer, enabling the manipulation of line drawings and marking the birth of modern , which later extended to concepts essential for handling volume elements. Concurrently, in , the invention of the first computed (CT) scanner in 1972 by produced cross-sectional slices that, when stacked, formed early volumetric datasets, revolutionizing the visualization of internal body structures through aggregated 2D data. The 1970s and saw formalization and practical adoption of voxels. The term "voxel" first appeared in the 1976 Proceedings of the Symposium on of Medical Images, establishing it as the 3D analog to the pixel in image processing and . By the , voxel-based reconstructions became integral to and (MRI), with early techniques enabling the synthesis of images from data sampled in voxels; a seminal contribution was Levoy's 1988 paper on displaying surfaces from volume data, which introduced methods for efficient visualization of medical scans. Scientific visualization software further advanced this era, exemplified by Vital Images' Voxel View in 1989, which allowed interactive rendering of volumetric datasets from and MRI for applications in and . The marked a surge in voxel integration into consumer applications, particularly gaming, where hardware limitations favored volumetric techniques over polygons. The Comanche series, starting with Comanche: Maximum Overkill in 1992, employed the engine for terrain rendering, using heightfield-based to generate detailed 3D landscapes in flight simulations. Experiments in during this decade, such as specialized rasterizers, optimized voxel processing for interactive displays, bridging scientific and entertainment domains. From the 2000s onward, voxels experienced widespread adoption driven by computational advances. The 2011 release of Minecraft popularized procedural voxel worlds, enabling user-generated 3D environments composed of discrete blocks and sparking indie game development. GPU-optimized rendering techniques in the 2000s facilitated faster volume traversal and shading, enhancing real-time applications. In the 2020s, real-time voxel engines have advanced virtual reality (VR), supporting immersive simulations with dynamic lighting and destruction. Key modern contributors include Sean Barrett, whose stb_voxel_render library (2015) provides efficient single-file implementations for mesh generation from voxel data, influencing open-source tools.

Data Representation

Basic Structures

The primary structure for storing voxel data is a dense three-dimensional represented as a multi-dimensional , where each corresponds to a voxel at coordinates (x, y, z) within the defined bounds. This approach suits uniform, fully populated volumes, such as those in or simple , by enabling direct spatial mapping without sparsity overhead. In languages like C++, this can be implemented as a nested structure, such as std::vector<std::vector<std::vector<T>>>, where T denotes the voxel's (e.g., unsigned char for scalar intensity or struct for color). To optimize memory access and performance, especially in hardware-accelerated environments, the 3D is often flattened into a one-dimensional using row-major ordering. The index i for a voxel at (x, y, z) in a grid of width W and H is calculated as:
i = x + y \cdot W + z \cdot W \cdot H
This facilitates contiguous storage and efficient traversal in GPU shaders or . Voxel data is commonly persisted in raw formats, which store the grid as unencoded byte sequences preceded by a header specifying essential metadata. Formats like .rawvol or generic .raw files include headers detailing the grid dimensions (e.g., X, Y, Z sizes in voxels), (such as 8-bit unsigned for scalar values representing or 24-bit RGB for color), and byte order to ensure . The .vox format, popularized by tools like MagicaVoxel, extends this with a chunk-based structure: a main header for version and size, followed by SIZE chunks for dimensions and XYZI chunks packing voxel positions and colors in a compact layout, supporting both scalar and palette-indexed RGB data. These formats prioritize simplicity, with headers typically 20-100 bytes, allowing direct memory mapping for loading without decompression. Memory usage for a dense voxel grid follows a space complexity of O(N \cdot M \cdot P), where N, M, P are the dimensions in voxels, multiplied by the size of each voxel's data (e.g., 1 byte for 8-bit scalars yields 1 for a 1000^3 grid). Access patterns emphasize locality, such as nearest-neighbor lookups for , which query adjacent voxels via offset calculations in the (e.g., (x+1, y, z) at i+1 in flattened form). Cross-platform compatibility requires explicit handling in headers and loaders, as little-endian (common on x86) versus big-endian (e.g., some network protocols) can corrupt multi-byte values like 24-bit colors; tools like ITK enforce byte-swapping based on header flags during import. Basic operations on voxel grids include traversal algorithms for region processing and slicing for visualization. (BFS), implemented via a , enables by starting from a seed voxel and propagating to 6-connected neighbors (sharing a face), updating properties like or material in a level-order manner to approximate distance or . This is efficient for dense grids, with O(volume) in the worst case. Slicing extracts 2D projections by selecting a fixed coordinate (e.g., all voxels where z = k) or aggregating along an axis, such as summing intensities for a maximum , which reduces the 3D to a 2D for rendering or analysis.

Advanced Structures and Compression

Advanced structures for voxel data leverage hierarchical partitioning and encoding schemes to handle sparsity and repetition, enabling efficient storage and access in large volumes. Unlike dense arrays, these methods prioritize non-uniform distributions common in real-world data, such as in simulations or uniform regions in scans. (RLE) is a technique particularly suited for voxel volumes with uniform or repetitive regions, where sequences of identical voxel values are represented as pairs of (value, length). This approach excels in sparse or repetitive datasets, like or fluid simulations, by exploiting spatial coherency to reduce without of . For instance, in volumetric animations of running , RLE applied to key-frames achieves compression ratios of up to 30:1, while difference frames for in-betweens yield even higher ratios around 400:1, resulting in overall animation of approximately 100:1. Hierarchical structures like s and kd-trees facilitate non-uniform access by partitioning the space into subdivided nodes based on occupancy or geometric features. An divides a cubic volume into eight child nodes recursively, storing only populated branches to compress empty space, with each internal node typically having up to eight children. Kd-trees, in contrast, use binary splits along alternating axes (k=3 for ), enabling adaptive partitioning that balances build time and query efficiency for irregular voxel distributions. These trees support efficient traversal for operations like ray intersection, making them valuable for accelerating access in large, sparse voxel sets. Sparse voxel octrees (SVOs) extend octrees for GPU-accelerated applications by storing only occupied nodes, achieving memory efficiency of O(k \log n), where k is the number of non-empty voxels and n is the total grid resolution. This structure is widely adopted in rendering, as it allows direct traversal without full decompression, balancing sparsity with fast access for dynamic scenes. Other compression methods include transforms for lossy reduction in scientific volumetric data, which decompose voxels into components for selective retention of , yielding ratios from 8.5:1 to 28.2:1 depending on threshold settings. Additionally, hash-based sparse grids, as implemented in Unreal Engine's Nanite system, use hashing to index non-uniform geometry clusters, enabling virtualized micropolygon rendering with implicit sparsity for high-detail assets. These techniques involve trade-offs between ratios and processing overhead; for example, RLE can achieve up to 10:1 savings on uniform data but incurs costs during , while hierarchical methods like SVOs offer logarithmic query times at the expense of build . Selection depends on data characteristics, with lossless options like RLE suiting exact and lossy wavelets prioritizing speed in resource-constrained environments.

Rendering and Visualization

Ray Casting and Tracing

Ray casting serves as a foundational technique for rendering voxel-based volumes by simulating light propagation through the 3D grid. In this method, rays are projected from the image plane (or viewer's eye point) into the voxel data structure, traversing the grid cell by cell or via direct volume access. Along each ray, discrete samples are taken at fixed or adaptive intervals, querying the voxel values to retrieve scalar densities or opacities, which are then classified and shaded to contribute color. These contributions are composited accumulatively from front to back, blending transparency and emission to form the final pixel intensity, as detailed in Marc Levoy's seminal 1988 algorithm for efficient volume rendering. This front-to-back approach allows for progressive integration of semi-transparent materials, enabling visualization of internal structures within the voxel grid without explicit surface extraction. Ray marching extends for more efficient traversal in voxel representations, particularly when using signed distance fields () to define implicit surfaces or boundaries within the volume. Here, the ray advances in steps proportional to the SDF value at the current position, which estimates the distance to the nearest surface, preventing in while ensuring no gaps occur near . For volumetric densities stored in voxels, the step size is often adapted as \Delta t = \min\left(\frac{1}{\text{density}}, [\epsilon](/page/Epsilon)\right), where \epsilon is a small margin, to maintain accuracy in high-density regions and accelerate traversal in sparse areas. This technique, applied to voxel grids via distance field representations, supports rendering of complex, implicit voxel geometries with reduced computational cost compared to uniform sampling. Ray tracing builds on these methods by incorporating advanced light interactions within voxel media, such as reflections and refractions at material interfaces or through participating media like fog. In voxel-based scenes, rays are recursively spawned at scattering events, simulating photon paths through the volume to capture effects like subsurface scattering or caustics in dense regions. Monte Carlo integration is commonly employed for global illumination, randomly sampling scattering directions and distances based on voxel densities to unbiasedly estimate radiance, which is particularly effective for heterogeneous volumetric media. This enables realistic depiction of light transport in applications like atmospheric effects, where voxels represent varying extinction coefficients. Performance optimizations are critical for practical use, including early ray termination once accumulated opacity reaches unity, which skips remaining samples along opaque paths and significantly reduces computation in dense voxel volumes. Hardware acceleration further enhances efficiency; for instance, NVIDIA's OptiX framework leverages GPU ray tracing cores to parallelize voxel traversal and intersection tests, achieving real-time rendering of complex voxel scenes at over 20 frames per second on hardware such as the NVIDIA Quadro FX 5800 (2008). Common artifacts in voxel ray casting and tracing include aliasing from insufficient sampling, manifesting as jagged edges or moiré patterns at boundaries, which can be mitigated through —casting multiple rays per and averaging results for smoother anti-aliased output. Monte Carlo-based tracing introduces from variance in random sampling, appearing as grainy textures in low-sample regimes; this is addressed using post-process denoising filters, such as edge-aware wavelets or neural networks, that reconstruct clean images while preserving details in the voxel-derived .

Rasterization Techniques

Rasterization techniques for voxels focus on projecting three-dimensional voxel data onto two-dimensional screens using -accelerated methods, emphasizing efficiency for surface rendering over volumetric integration. These approaches convert discrete voxel grids into raster images by traversing or approximating surfaces, leveraging incremental computations to minimize processing overhead. Unlike ray-based methods, rasterization prioritizes speed through polygon approximation or direct filling, making it suitable for applications where hardware pipelines can handle or primitives. One foundational rasterization method for voxels is incremental error rasterization, which extends to three dimensions for efficient voxel traversal during surface projection. This hardware-friendly technique uses to decide voxel inclusion along scanlines, avoiding floating-point operations and enabling fast implementation on early graphics cards. Developed in the late 1980s, the extension of Bresenham's algorithm determines the sequence of voxels intersected by a line or plane, facilitating scan-conversion of voxel-based into 2D pixels with minimal memory access. In the 1990s, patents incorporated similar incremental error mechanisms into graphics hardware for voxel-to-pixel mapping, supporting accelerated rendering of complex surfaces in systems like early accelerators. A widely adopted rasterization strategy involves converting voxel volumes to polygonal meshes via extraction, particularly using the algorithm introduced by Lorensen and Cline in 1987. This method thresholds the of a voxel grid to identify surface boundaries, then interpolates vertices within each cubic cell based on signs relative to the threshold, generating a triangulated suitable for standard GPU rasterization pipelines. The algorithm processes the volume cell-by-cell in a "marching" order, producing up to five triangles per cube to approximate smooth surfaces while preserving . This polygonization enables voxels to leverage conventional rendering hardware, reducing the complexity of direct voxel and achieving high-fidelity visuals for dense datasets. For optimizing distant or complex voxel structures, and techniques render voxels as oriented 2D quads with precomputed textures, serving as level-of-detail () approximations to maintain performance. face the viewer dynamically, while use depth or layered textures to simulate from a single viewpoint, minimizing count for far-field rendering. In voxel contexts, volumetric extend this by stacking oriented slices or clouds of quads to represent semi-transparent voxel clusters, allowing display of intricate details like foliage or clouds without full . These methods reduce draw calls significantly for interactive rates in games and simulations. Modern rasterization of voxels increasingly utilizes GPU compute shaders in pipelines for advanced effects like via voxel cone tracing (VCT). Introduced by Crassin et al. in , VCT voxelizes the into a 3D , then traces cones from surface points through the to approximate indirect , integrating occlusion and radiance in a rasterization pass post-voxelization. Compute shaders handle the construction and tracing, enabling dynamic updates at resolutions with 10-20 ms per frame on mid-range GPUs. This approach combines rasterization efficiency with volumetric accuracy, supporting hybrid rendering where primary surfaces are rasterized traditionally and secondary effects leverage voxel data. Recent advancements as of 2025 include dynamic voxel-based for handling static and dynamic objects with diffuse materials under changing lighting (Pharr et al., 2024) and GPU-driven voxel rendering frameworks like Aokana, which use sparse voxel directed acyclic graphs (SVDAGs), level-of-detail (), and streaming for efficient rendering of large voxel worlds in open-world games (Li et al., 2025). In the early 1990s, Incorporated (SGI) hardware pioneered rasterization for voxel medical visualization, using specialized workstations like the to implement shear-warp factorization for fast of volume data. This technique shears the voxel grid to align with the viewing axis, warps it to intermediate image space, and rasterizes via , achieving interactive rates for 256^3 datasets—up to five times faster than prior methods on SGI systems. Such implementations facilitated clinical adoption of voxel rendering for CT and MRI scans, emphasizing surface for diagnostic clarity.

Visual Examples

To illustrate the core principles of voxel rendering, consider a basic cubic voxel grid where each voxel is assigned a color based on its scalar value, such as or . In a low-resolution example at 64³ voxels, the grid exhibits prominent artifacts, manifesting as jagged edges and blocky discontinuities when viewed from an angle; this is evident in renders produced using the Open3D library, which voxelizes simple geometric primitives like spheres or meshes into uniform grids. Conversely, a higher-resolution 256³ grid with smoothing techniques, such as Gaussian filtering applied during rendering, yields a more continuous appearance, mitigating while preserving the volumetric structure; this comparison highlights the trade-offs in resolution for visual fidelity, as demonstrated in PyVista's voxelization pipeline for surface meshes. Rendering time for the low-res version is typically under 0.1 seconds on modern GPUs, while the smoothed high-res render may take 1-2 seconds, using tools like Open3D for real-time visualization. In , voxel reconstructions from scans provide a practical example of density-based coloring. A 512³ voxel dataset from a of a human kidney, for instance, colors voxels according to Hounsfield units—high-density structures in white (values >1000 HU) versus softer tissue in grayscale (200-500 HU)—revealing internal like and cortex with clear volumetric depth; this render, generated via in tools like VOXEL-MAN, emphasizes how voxel opacity mapping enhances organ differentiation without surface extraction. The reconstruction process from raw slices to rendered view takes approximately 5-10 seconds on standard hardware, showcasing the utility of voxels in non-destructive 3D visualization. Voxel-based game assets often embrace a deliberately blocky aesthetic, as seen in terrain renders mimicking Minecraft-style worlds. A 128³ section of procedural terrain, composed of stacked cubic voxels for soil, stone, and vegetation layers, displays the characteristic angular, low-poly look when rendered without smoothing, capturing earthy undulations and cave overhangs; this is exemplified in exports from MagicaVoxel, where individual blocks are textured for material variety like grass or ore veins. A smoothed variant, applying and subtle beveling, softens edges for a more organic feel while retaining voxel integrity, with rendering times around 0.5 seconds per frame in the tool's built-in path tracer, illustrating aesthetic flexibility in interactive environments. For advanced structures, sparse voxel octrees enable efficient rendering of complex scenes like cityscapes by storing only occupied regions. A 1024³ octree representation of an urban environment, voxelizing buildings and streets from 3D models, contrasts a dense full-grid fill with a sparse version that reduces memory via hierarchical pruning, both rendered to show global illumination effects; NVIDIA's Efficient Sparse Voxel Octrees framework demonstrates this on the "CITY" dataset, where sparse octrees at depth 13 achieve high performance of 126.6 Mrays/s (corresponding to interactive frame rates) on GTX 285 hardware, with sparsity reducing memory usage significantly compared to dense representations (e.g., from 1368 MB to 432 MB with contour optimization at depth 14). This comparison underscores compression benefits for large-scale visualizations, using GPU-accelerated ray tracing for realistic shadows and reflections.

Applications

Video Games and Graphics

Voxels have played a significant role in since the , particularly in rendering to overcome the limitations of polygon-based graphics at the time. In Outcast (), developed by , the game utilized a voxel engine for rendering expansive outdoor environments, allowing for smooth gradients and detailed landscapes without the geometric constraints of polygons. This approach enabled the creation of rolling hills and mountains through voxel interpolation, providing a sense of depth and scale that was innovative for software-rendered scenes. In modern block-based games, voxels form the foundation of vast, interactive worlds, with (2011) serving as a pioneering example. The game's universe is constructed on a cubic voxel grid, where procedural generation employs to create varied terrain heights and biomes seamlessly across infinite expanses. This method ensures coherent randomness, allowing players to explore and modify the environment in real-time while maintaining performance through chunk-based loading. Voxel-based physics have enabled advanced simulations of destructible environments, as seen in Teardown (2020) by Tuxedo Labs. The game features a fully interactive voxel world where players can demolish structures using vehicles, explosives, or tools, with simulating real-time destruction and debris interaction. This voxel approach supports , such as creating shortcuts through walls, while the underlying simulation handles fragmentation at a granular level for realistic collapse behaviors. Beyond world-building, voxels enhance graphics techniques like in game engines. Voxel Global Illumination (VXGI), developed by , approximates dynamic lighting by voxelizing scenes to trace indirect light propagation, integrated into engines such as Unreal Engine 4 for real-time effects without pre-baked lightmaps. This allows for responsive shadows and bounces in open-world games, improving visual fidelity in dynamic settings like those in or Unreal projects. Despite these advances, voxel rendering in games faces challenges, particularly in large-scale worlds where empty space is essential to avoid processing vast unoccupied volumes. Techniques like octree-based partitioning and queries help mitigate this by skipping invisible voxels, enabling efficient rendering on modern hardware. Artistically, voxels often adopt a blocky aesthetic for stylized simplicity, but smoothing methods such as dual contouring can generate more organic surfaces by interpolating isosurfaces across voxel edges, balancing with visual appeal in titles pursuing varied styles.

Scientific and Medical Imaging

In medical imaging, computed tomography (CT) and magnetic resonance imaging (MRI) scans are commonly represented as voxel datasets, where each voxel encodes intensity values reflecting tissue density or signal strength. These volumetric representations enable three-dimensional analysis of anatomical structures, with CT voxels quantified using to differentiate materials—air at -1000 HU, water at 0 HU, and soft tissues typically ranging from 20 to 80 HU. Segmentation techniques, such as thresholding, isolate regions of interest by selecting voxels within specific HU ranges; for instance, voxels between 0 and 100 HU can approximate for initial tumor boundary detection in CT scans. Voxel-wise analysis further supports tumor assessment, correlating CT and MRI data to monitor changes over time, such as increased in malignant lesions. Beyond , voxels facilitate precise delineation in other medical contexts, including voxel-based morphometry in MRI for quantifying brain tissue volume differences in neurodegenerative diseases. In scientific visualization, (CFD) simulations employ voxel grids to model fields and distributions in complex flows, such as around biological structures or dynamics in vascular networks. Each voxel stores vector components of alongside scalar properties like , allowing solvers to propagate motion across the grid while adhering to Navier-Stokes equations. This approach contrasts with mesh-based methods by enabling uniform discretization of irregular domains, as demonstrated in Eulerian-Lagrangian CFD models for porous media flows. Geophysical modeling leverages voxels to interpret seismic data, constructing subsurface structures from reflection amplitudes stored in volumetric grids. Voxelization techniques convert 2D seismic sections and borehole logs into 3D implicit models, interpolating properties like rock density or porosity to reveal faults and reservoirs. For example, regular voxel splitting with hierarchical interpolation enhances resolution in layered formations, aiding hydrocarbon exploration by visualizing stratigraphic continuity. Processing pipelines in these fields often integrate to visualize internal densities, projecting voxel data into photorealistic 3D views for organ assessment—such as rendering cardiac chambers from to evaluate ejection fractions. This direct technique samples opacity and color along rays through the voxel array, preserving spatial fidelity for applications like presurgical planning of organ models. Voxel meshes also support finite element analysis (FEA) for , converting segmented volumes into tetrahedral elements to simulate mechanical loads on or ; nonlinear voxel-based FEA, for instance, predicts fracture risk in metastatic femurs under compressive forces. algorithms refine voxel surfaces to mitigate stair-step artifacts, improving strain predictions in trabecular . The Digital Imaging and Communications in Medicine (DICOM) standard governs voxel data storage in medical imaging, encapsulating 3D arrays with metadata tags for spatial calibration—such as Pixel Spacing (0028,0030) for in-plane resolution and Slice Thickness (0018,0050) for inter-slice gaps, ensuring accurate voxel dimensions typically around 0.5–1 mm. Rescale Slope and Intercept attributes further normalize HU values across scanners. Advancements in the have introduced AI-assisted reconstruction, where neural networks synthesize voxel volumes from limited 2D slices, enhancing in sparse MRI datasets via generative models like convolutional autoencoders. These methods, such as adaptive equivariant CNNs, achieve superior segmentation accuracy on volumetric data by enforcing spatial consistency, reducing artifacts in reconstructed or organ scans.

Emerging Uses

Voxel-based models have gained prominence in additive manufacturing, particularly for creating complex structures with variable that enhance properties while minimizing material use. These models discretize designs into voxels, allowing precise control over internal architectures that traditional layer-based methods struggle with, such as graded lattices for lightweight components in applications. In () printing, voxel slicing techniques enable volumetric curing of photopolymers, supporting the fabrication of intricate, support-free structures by treating the build volume as a rather than sequential 2D layers. This approach facilitates patient-specific implants and dynamic prototypes with embedded functionalities, achieving resolutions down to micrometers for biomedical uses. In virtual and , voxels support the creation of customizable avatars and immersive environments, enabling in social platforms. For instance, leverages voxel-based building tools to allow players to construct persistent worlds without specialized software, fostering collaborative experiences in the 2020s ecosystem. These voxel representations simplify deformation and interaction for avatars, integrating full-body tracking to enhance social presence in meetings and multiplayer scenarios. Such integrations extend to broader applications, where voxel data streams efficiently across devices for real-time editing and sharing of 3D spaces. Advancements in and increasingly utilize voxel data for tasks, with convolutional neural networks ( CNNs) processing volumetric inputs to achieve high accuracy in . These networks apply filters across spatial dimensions to extract multi-scale features from voxel grids, outperforming methods on tasks like shape classification in cluttered scenes. Generative models, such as VoxelGAN variants inspired by 3D-GAN architectures, synthesize realistic volumes by learning probabilistic distributions from voxelized training data, enabling applications in for rare . These techniques have demonstrated up to 10% improvements in recognition precision on datasets like ModelNet, highlighting their role in scalable . In simulation and , voxel occupancy grids provide a robust foundation for path planning, representing environments as probabilistic volumes to detect free space and obstacles. Integrated into frameworks like the (ROS), these grids support real-time navigation for autonomous vehicles by converting voxel data into traversable maps, reducing computational overhead while maintaining safety margins. For instance, ROS-based systems use voxel layers to fuse sensor inputs for dynamic replanning around moving objects in unstructured terrains. In climate modeling, atmospheric voxel layers discretize global data into layered grids to simulate phenomena like and variations, aiding in the and of patterns with high spatial fidelity. NASA's volume-rendered models exemplify this, using voxels to render multi-parameter atmospheric datasets for analysis of events such as wildfires. As of 2025, hybrid approaches combining voxels with neural radiance fields () have emerged for photorealistic rendering, blending explicit voxel structures with implicit neural representations to accelerate training and inference. These hybrids employ voxel splatting to propagate features in scene reconstruction, achieving rendering speeds while preserving view-dependent effects in dynamic environments. Such integrations, as seen in 4D neural voxel splatting, extend capabilities to temporal data, enabling efficient synthesis of novel views for applications in and virtual production.

Tools and Software

Voxel Editors

Voxel editors are specialized software applications that enable users to create, modify, and manipulate voxel-based models through intuitive graphical interfaces, primarily targeting artists, designers, and hobbyists in . These tools facilitate the construction of volumetric representations by allowing direct placement, removal, or alteration of individual voxels within a structure, often supporting real-time previews to aid . Popular examples include MagicaVoxel, released in 2014 as a free tool by Ephtracy, which provides real-time rendering capabilities and export options to formats like and for integration with other 3D pipelines. Another notable editor is Voxatron, developed by Lexaloffle Games in 2011, which is tailored for game development and emphasizes quick prototyping of voxel assets within a retro-style aesthetic. Core features of voxel editors typically encompass layer-based editing systems, where models can be organized into stacked layers for complex compositions, and sculpting tools that permit additive or subtractive operations on voxel clusters to shape organic or geometric forms. Palette systems allow for efficient color assignment, often with predefined or customizable color sets to maintain consistency in artistic workflows, while support enables keyframe-based modifications, such as transforming voxel positions or colors over time for simple motion sequences. These functionalities promote for non-programmers, enabling the creation of detailed models without requiring extensive coding knowledge. User interfaces in voxel editors are designed for precision and efficiency, featuring grid-based painting modes where users can "paint" voxels onto a canvas using brushes of varying sizes and shapes. Symmetry mirroring tools assist in creating balanced designs by automatically duplicating edits across axes, and import capabilities often extend to converting data from 3D scans or polygonal meshes into voxel formats, bridging traditional modeling techniques with volumetric editing. Among open-source alternatives, Goxel stands out as a cross-platform editor that uses sparse matrices for efficient handling of large scenes without excessive memory use. VoxelShop, a Java-based tool, focuses on simplicity for beginners, offering basic editing for small-scale models with export to common formats. Despite their strengths, voxel editors face limitations in managing very large datasets; for instance, resolutions exceeding 512³ voxels often demand hardware optimizations or to avoid performance bottlenecks and memory constraints.

Libraries and Frameworks

is an open-source C++ library developed by (initially in collaboration with Disney researchers) in 2012 for efficient storage and manipulation of sparse volumetric data in film , supporting structures like level sets and narrow-band signed distance fields. It employs a to handle high-resolution voxel grids with dynamic , enabling operations such as topology-preserving smoothing and at interactive speeds on large datasets. GVDB, released in 2017, extends this paradigm to GPU-accelerated processing via , providing a sparse voxel database for , , and ray-traced rendering of volumetric data on Pascal and later architectures. The library uses indexed memory pooling and to achieve efficient raytracing of sparse grids, supporting applications in and physics simulations. In game engine ecosystems, voxel integrations facilitate procedural content creation and runtime modifications. The Voxel Plugin for , a widely adopted third-party extension, enables graph-driven procedural world generation and runtime editing of voxel terrains, including support for Nanite integration in 5 for high-fidelity rendering. Version 2.0 was released in early 2025, introducing runtime Nanite support and advanced material painting capabilities. For , plugins like Cubiquity provide voxel-based terrain editing with capabilities, allowing caves, overhangs, and deformable landscapes through C++-backed PolyVox integration. These tools often export voxel data in formats compatible with standalone editors for further refinement. Scientific computing libraries offer robust voxel processing pipelines. The Insight Toolkit (ITK), an open-source framework for medical image analysis, includes extensive filters for voxel data, such as recursive Gaussian smoothing implemented as (IIR) convolutions to reduce noise while preserving edges in volumetric scans. The Visualization Toolkit () complements this with rendering pipelines for voxel volumes, supporting techniques like and extraction to visualize medical and scientific datasets in . At the programming level, voxels are commonly represented using multidimensional . In , NumPy's ndarray class efficiently handles voxel grids through array operations like slicing and broadcasting, forming the basis for custom voxel manipulations in scientific workflows. For C++, Boost.Geometry provides spatial indexing via R-trees for efficient queries on voxel datasets, such as nearest-neighbor searches or range intersections in space. Recent advancements include browser-based libraries leveraging WebGL for voxel rendering. Voxel.js, an evolving JavaScript framework with updates into the 2020s, enables procedural voxel worlds in web applications using Three.js for graphics, supporting chunked terrain generation and multiplayer interactions directly in the browser.

Extensions

Sparse Voxels

Sparse voxels represent a memory-efficient extension to traditional voxel grids by storing data only for occupied or non-empty regions, thereby eliminating the need to allocate resources for vast expanses of empty space inherent in most 3D scenes. In typical 3D environments, such as those encountered in computer graphics or virtual simulations, more than 90% of the voxel space is often empty, resulting in substantial waste when using dense grids that uniformly cover the entire volume. This approach addresses the inefficiency of dense representations, particularly in sparse scenarios like architectural models or outdoor terrains where geometry occupies only a fraction of the bounding volume. A key structure for implementing sparse voxels is the (SVO), a hierarchical that extends octrees by selectively subdividing space based on occupancy. In an SVO, each internal node corresponds to a cubic volume and contains pointers to up to eight child nodes, which may be further sub-octrees or leaf voxels containing actual data; empty regions are represented implicitly by the absence of nodes, allowing for compact storage. Traversal methods, such as , leverage this hierarchy by skipping entire empty branches, which accelerates queries like intersection testing or visibility determination. For practical implementation, SVOs employ techniques like node pooling on GPUs to reuse memory allocations dynamically, often using compact 32-bit child pointers to into a of nodes rather than full addresses. Construction typically involves initial voxelization of input data, such as point clouds or triangle meshes, followed by bottom-up aggregation to build the tree hierarchy; this process can be accelerated using GPU rasterization to fill leaf nodes efficiently before merging. In real-time applications, SVOs enable advanced rendering techniques, exemplified by CryEngine's Sparse Voxel Octree (SVOGI) system, which was integrated starting in 2015 to support dynamic in video games through voxel-based ray tracing of sparse scenes. The benefits of sparse voxels include dramatic savings—for instance, achieving roughly 1/10th the storage of a dense in scenes with high emptiness—making them suitable for large-scale or resource-constrained environments. However, the non-uniform structure introduces traversal overhead, as algorithms must navigate pointers and handle branching logic, potentially increasing compared to regular grids.

Adaptive and Hierarchical Voxels

Hierarchical voxels extend traditional uniform grids by organizing data into multi-resolution structures, such as octrees or mipmapped pyramids, to enable level-of-detail (LOD) rendering based on viewer distance or importance. In these approaches, coarser levels approximate distant or less critical regions to reduce computational load, while finer resolutions capture details in closer areas, similar to texture mipmapping but applied to volumes. For instance, octree-based hierarchies dynamically select resolution levels from multi-scale primitives, achieving consistent rendering in complex scenes by balancing quality and efficiency. Adaptive voxels introduce non-uniform cell shapes, such as sheared or anisotropic , to better align with underlying phenomena like fluid flow, improving accuracy without excessive grid refinement. In fluid , these use tilted or staggered structures to conform to flow directions, enabling efficient handling of large-scale incompressible flows on adaptive hexahedral layouts that over a billion voxels on multiprocessor systems. This adaptability minimizes artifacts in anisotropic domains, such as biological tissues or dynamic liquids, by prioritizing resolution where gradients are steep. Dual contouring is an algorithm for extracting smooth surfaces from hierarchical , placing vertices at optimal positions to preserve sharp features and avoid the cracking issues of . Introduced in , it operates on signed fields with Hermite data—intersection points and normals on edges—to generate manifold meshes that adapt to multi-resolution octrees, ensuring watertight even across level transitions. The method excels in applications requiring precise , such as modeling, by minimizing surface approximation errors in adaptive hierarchies. Nanovoxels achieve sub-voxel precision through offset or dual-grid techniques, allowing fractional positioning within cells to enhance rendering quality in voxel engines. These offsets enable by pre-filtering subpixel data in sparse representations, reducing artifacts on silhouettes without fully subdividing the grid, as demonstrated in octree-based massive model visualization. In practice, this supports smoother transitions in dynamic scenes, integrating with hierarchical structures for efficient sub-geometry handling. Recent research explores integrating adaptive hierarchical voxels with for efficient , using octree-based sampling to refine resolution in sparse, AI-generated scenes. Dynamic PlenOctrees, for example, enable adaptive refinement in explicit NeRF variants, combining voxel hierarchies with neural densities to accelerate training and inference for novel view synthesis. This hybrid approach, often merged briefly with sparse voxels, holds potential for scalable in the 2020s.

References

  1. [1]
    VOXEL Definition & Meaning - Merriam-Webster
    The meaning of VOXEL is any of the discrete elements comprising a three-dimensional entity (such as an image produced by magnetic resonance imaging).
  2. [2]
    voxel – DSPLAB - Laboratorij za digitalno procesiranje signalov
    Jan 31, 2021 · Voxel is an image of a three-dimensional space region limited by given sizes, which has its own nodal point coordinates in an accepted coordinate system.<|control11|><|separator|>
  3. [3]
    [PDF] Volume graphics - Computer
    A voxel is the cubic unit of volume centered at the integral grid point. As a unit of volume, the voxel is the 3D counterpart of the 2D pixel, ...
  4. [4]
    Computer graphics in medicine: a survey - PubMed
    The general framework is composed of six parts: data acquisition and preprocessing, polygonal object representation, voxel description, system architecture, ...
  5. [5]
    Interactive voxel surface rendering in medical applications
    Semi-boundary (SB) data structure is a compact voxel surface representation of the structure from the medical images. It represents only the boundary of the ...
  6. [6]
    What is a voxel in 3D printing? - Engineering.com
    Mar 7, 2018 · A voxel represents a value on a regular grid in three-dimensional space. These values are frequently used in the visualization and analysis of medical and ...
  7. [7]
  8. [8]
    Volume Objects - CHAI3D
    Voxel is a portmanteau for "volume" and "pixel" where pixel is a combination of "picture" and "element". As with pixels in a bitmap, voxels themselves do ...
  9. [9]
    Enhanced Voxelization and Representation of Objects with Sharp ...
    Jul 7, 2009 · Voxelization is a sampling process that transforms a continuously defined object into a discrete one represented as a voxel field.
  10. [10]
    Voxels representation & Marching Cubes Algorithm - MIT
    Definition: A voxel is a volume element, typically a cubic cell. The concept ... Every vertex of the voxel can be either under or above the threshold.
  11. [11]
    Volume sampled voxelization of geometric primitives
    Voxelizing a continuous model into a 3D raster requires a sampling process which determines the value to assign to each element, or voxel, of the 3D raster.
  12. [12]
    3D Representation Methods: A Survey - arXiv
    Oct 9, 2024 · ... 3D array of voxels. Voxel grids are pivotal in computer graphics and game development, exemplified by their use in destructible environments ...
  13. [13]
    A Function-Based Approach to Interactive High-Precision Volumetric ...
    Sep 29, 2023 · The corresponding voxel models can include hundreds of billions of elements with associated memory requirements running upwards of terabytes.
  14. [14]
    [PDF] Display Methods for Grey-Scale, Voxel-Based Data Sets
    The dramatic increase in the use of 3D image acquisition devices over the past decade has inspired major new developments in the display of volume data sets ...
  15. [15]
    voxel, n. meanings, etymology and more - Oxford English Dictionary
    The earliest known use of the noun voxel is in the 1970s. OED's earliest evidence for voxel is from 1976, in Proceedings Symp. Computer-aided Diagnosis ...Missing: origin | Show results with:origin
  16. [16]
    The theory, design, implementation and evaluation of a three ...
    Abstract. In many three-dimensional imaging applications the three-dimensional scene is represented by a three-dimensional array of volume elements, or voxels ...
  17. [17]
    The Remarkable Ivan Sutherland - CHM - Computer History Museum
    Feb 21, 2023 · Ivan Sutherland has blazed a truly unique trail through computing over the past six decades. Along the way, he helped to open new pathways ...
  18. [18]
    CT-scan Image Production Procedures - StatPearls - NCBI Bookshelf
    In 1972, electrical engineer Sir Godfrey Hounsfield invented the first computed tomography (CT) scanner.[1] Around the same time, physicist Allan McLeod Cormack ...
  19. [19]
    Display of Surfaces from Volume Data
    In this article we explore the application of volume rendering techniques to the display of surfaces from sampled scalar functions of three spatial dimensions.
  20. [20]
    Vital Images, Inc. | Encyclopedia.com
    His software took apart two-dimensional images in blocks of "voxels" (volume elements) that could be easily reassembled in a three-dimensional view. Earlier ...Missing: 1987 | Show results with:1987
  21. [21]
    [PDF] futspace-bsc-thesis.pdf - Why Futhark?
    Jun 8, 2020 · The Voxel Space 3D engine was developed in 1992 by Kyle Freeman at Novalogic for the video game Comanche: Maximum Overkill.
  22. [22]
    Volume rendering - Stanford Computer Graphics Laboratory
    May 10, 2021 · Volume rendering is a technique for directly displaying a sampled 3D scalar field without first fitting geometric primitives to the samples.
  23. [23]
    A method for voxel visualization of 3D objects - SpringerLink
    ... voxel description of volume objects is suggested ... 6. Ivanov, V.P. and Batrakov, A.S., Trekhmernaya komp'yuternaya grafika (Three-dimensional Computer Graphics) ...
  24. [24]
    Analysis of very large voxel datasets - ScienceDirect.com
    In all cases, the algorithm collects ( p × q × r ) - blocks around voxels in the input dataset, and passes those blocks, one by one, along with the 3D array ...
  25. [25]
    Medical Image File Formats - PMC - NIH
    Dec 13, 2013 · An Analyze 7.5 volume consists of two binary files: an image file with extension “.img” that contains the voxel raw data and a header file with ...
  26. [26]
    vox file format - Paul Bourke
    vox files are a voxel based file description used to represent assets for 3D games and virtual environments. The layout is similar to tiff files, that is, a ...
  27. [27]
    Reading images in raw data format - ITK-Snap
    May 30, 2011 · Reading images in raw data format · The size of the image header. · The dimensions of the 3D image volume. · The size of the voxel in millimeters.
  28. [28]
    [PDF] ALGORITHMS FOR VOXEL-BASED ARCHITECTURAL SPACE ...
    Voxel-based algorithms use a 3D voxel model for pathfinding, visibility, and sunlight calculations, using a 3D grid-based approach.<|separator|>
  29. [29]
    Efficient sparse voxel octrees - ACM Digital Library
    In this paper we examine the possibilities of using voxel representations as a generic way for expressing complex and feature-rich geometry on current and ...
  30. [30]
    [PDF] A COMPRESSION SCHEME FOR VOLUMETRIC ANIMATIONS OF ...
    The application generates huge amounts of voxel data. ... coherency makes the data a candidate for the Run Length Encoding (RLE). ... to compress the in-betweens ...
  31. [31]
    [PDF] Interactive Ray Tracing of Large Models Using Voxel Hierarchies
    The kd-tree is a data structure that yields good performance for both tasks. A subset of the kd-tree nodes contain a single LOD voxel. (Section 4.2), which is a ...
  32. [32]
    [PDF] Wavelet-Based 3D Compression Scheme for Very Large Volume Data
    Our motivation for this research was to develop a 3D compression method that enables users to load a whole compressed Visible Human data set into a main memory.
  33. [33]
    Understanding Nanite 5's new virtualized geometry system
    Jun 4, 2021 · Nanite uses a new internal mesh format and rendering technology to render pixel scale detail and high object counts.
  34. [34]
    Efficient ray tracing of volume data | ACM Transactions on Graphics
    Marc Levoy. Marc ... This paper presents a front-to-back image-order volume-rendering algorithm and discusses two techniques for improving its performance.
  35. [35]
    Raymarching Distance Fields - Inigo Quilez
    Raymarching SDFs (Signed Distance Fields) is slowly getting popular, because it's a simple, elegant and powerful way to represent 3D objects and even render 3D ...
  36. [36]
    [PDF] Monte Carlo Methods for Volumetric Light Transport Simulation
    The following two sections describe the two fundamental building blocks of MC light-transport algorithms for volumes: methods for free-path sampling and the ...<|separator|>
  37. [37]
    [PDF] Real-Time Ray Tracing Using Nvidia OptiX - Eurographics Association
    At an fps of 22.08, this shows that OptiX is capable of rendering voxels scenes in real-time. 4.1. Performance vs. optimized GPU ray-tracers. Table 2 shows the ...
  38. [38]
    3D scan-conversion algorithms for voxel-based graphics
    An assortment of algorithms, termed three-dimensional (3D) scan-conversion algorithms, is presented, whichScan-convert 3D geometric objects into their ...
  39. [39]
    Marching cubes: A high resolution 3D surface construction algorithm
    We present a new algorithm, called marching cubes, that creates triangle models of constant density surfaces from 3D medical data.
  40. [40]
    Billboard clouds for extreme model simplification - ACM Digital Library
    We introduce billboard clouds -- a new approach for extreme simplification in the context of real-time rendering. 3D models are simplified onto a set of ...
  41. [41]
    [PDF] Investigating the Feasibility of Volumetric Billboards in Games
    Aug 29, 2011 · Polygonal techniques represent objects by modeling the object's surface, while voxels easily allow the modeling of interior details. Techniques ...
  42. [42]
    [PDF] Fast Volume Rendering Using a Shear-Warp Factorization of the ...
    Our implementation running on an SGI Indigo workstation can render a 2563 voxel medical data set in one second, a factor of at least five faster than previous ...
  43. [43]
    Voxelization — Open3D latest (664eff5) documentation
    The voxel grid is another geometry type in 3D that is defined on a regular 3D grid, whereas a voxel can be thought of as the 3D counterpart to the pixel in 2D.
  44. [44]
    Voxelize a Surface Mesh — PyVista 0.46.3 documentation
    Create a voxel model (like legos) of a closed surface or volumetric mesh. This example also demonstrates how to compute an implicit distance from a bounding ...
  45. [45]
    VOXEL-MAN Gallery - The Virtual Body
    This gallery shows selected highlights of the VOXEL-MAN project from four decades of research and development in 3D visualization, image segmentation, ...
  46. [46]
    MagicaVoxel
    MagicaVoxel @ ephtracy [Win/Mac] 0.99.7.2 [7/12/2025] A free lightweight GPU-based voxel art editor and interactive path tracing renderer.MagicaVoxel · MagicaCSG · Aerialod · Viewer
  47. [47]
    [PDF] Efficient Sparse Voxel Octrees – Analysis, Extensions, and ...
    Assuming DX texture compression, colors can be encoded using 4 bits per sample, and for three-axis displacement 8 bits per sample might be sufficient using e.g. ...
  48. [48]
    Outcast - Franck Sauer
    This required adjustments in the voxel engine renderer to feature interpolation of color for smooth gradients rendering. The polygon engine stayed with point ...
  49. [49]
    Outcast - Timigi.com
    This required adjustments in the voxel rendering engine to feature interpolation of color for smooth gradients. ... Outcast is a game made with passion ...
  50. [50]
    perlin noise - Minecraft style world generation
    Sep 24, 2017 · I started off with basic terrain generation, using cube game objects arranged in a grid, whose heights are varied by a Perlin noise function.How is a 3d perlin noise function used to generate terrain?Simplest free algorithm for generating caves and ore in 3D voxel gameMore results from gamedev.stackexchange.com
  51. [51]
    Teardown on Steam
    In stock Rating 5.0 (67,748) Prepare the perfect heist in this simulated and fully destructible voxel world. Tear down walls with vehicles or explosives to create shortcuts.Teardown: Folkrace · Teardown a Steamen · Quilez R0113R Robot · Season Pass
  52. [52]
    Teardown
    Teardown features a fully destructible and truly interactive environment where player freedom and emergent gameplay are the driving mechanics.
  53. [53]
    VXGI | GeForce - NVIDIA
    Voxel Global Illumination (VXGI) is a stunning advancement, delivering incredibly realistic lighting, shading and reflections to next-generation games and ...
  54. [54]
    [PDF] VXGI_Dynamic_Global_Illuminat...
    So we integrated VXGI into Unreal Engine 4 for you to be able to use it relatively easily. VXGI takes the geometry in your scene and uses it to compute indirect ...
  55. [55]
    Voxelart Styles in Video Games - Game Developer
    Feb 14, 2019 · Voxelart animation in games uses rigid body, soft-body, and frame-based techniques. Rigid body uses 3D rigs, soft-body uses weights, and frame- ...Missing: dual contouring<|control11|><|separator|>
  56. [56]
    High Performance Voxel Engine: Vertex Pooling - Nick's Blog
    Apr 4, 2021 · A few additional optimizations were made: All chunk data was memory pooled as a flattened array; Chunks were merged into super-chunks based on ...
  57. [57]
    Voxels and Dual Contouring | dexyfex.com
    May 16, 2016 · Dual contouring, a method for rendering voxel isosurfaces, generates up to 3 quads per voxel cell based on corner points above/below a ...
  58. [58]
    1: 3D medical image data: From pixels to voxels - ResearchGate
    We will focus on the reconstruction of individual anatomy from medical image data for computer assisted treatment planning and numerical simulations.
  59. [59]
    CT Hounsfield Numbers of Soft Tissues on Unenhanced Abdominal ...
    Hounsfield unit measurements for unenhanced abdominal soft tissues of the same patient vary between scanners of two common MDCT manufacturers.
  60. [60]
    Investigating the impact of the CT Hounsfield unit range on radiomic ...
    Re-segmentation may be performed to remove voxels from the intensity mask that fall outside of a specified range. An example is the exclusion of voxels with ...
  61. [61]
    Comparison of Voxel-Wise Tumor Perfusion Changes Measured ...
    Direct voxel-to-voxel Pearson analysis showed statistically significant correlations between CT and magnetic resonance which peaked at day 7 for Ktrans (R = ...Missing: detection | Show results with:detection
  62. [62]
    A Comprehensive Guide to 3D Models for Medical Image ... - Datature
    Feb 14, 2025 · In medical imaging, voxels correspond to volumetric elements in MRI or CT scans. By stacking 2D slices along a third, depth dimension, we ...<|separator|>
  63. [63]
    [PDF] Fast Fluid Dynamics on the Single-chip Cloud Computer
    Each voxel contains the density and the velocity at the corresponding spatial location, thus defining a vector velocity field U and a density scalar field D.
  64. [64]
    [PDF] A 3D Voxel-based Approach for Fast Aerodynamic ... - CAD Journal
    For this reason, fluid dynamics numerical approaches are often used to evaluate the velocity and pressure fields around objects in the conceptual design stage.
  65. [65]
    Comparison of Voxel‐Based and Mesh‐Based CFD Models for ...
    Oct 8, 2020 · In this work, an Eulerian-Lagrangian computational fluid dynamics model is used based on a voxel-based (GeoDict) and a mesh-based (StarCCM+) code.
  66. [66]
    Turning Seismic Data into a Voxel Layer in ArcGIS Pro - Exprodat
    Jun 7, 2021 · A voxel layer represents multidimensional spatial and temporal information in a 3D volumetric visualization. For example, think of a room.
  67. [67]
    (PDF) Considerations on voxelization techniques for 3D geological ...
    In this study we examine how we can create voxel and equidistant 3D models from data with different data density, and which interpolation methods can be applied ...
  68. [68]
    3D geological implicit modeling method of regular voxel splitting ...
    Aug 16, 2022 · In this paper, a 3D geological implicit modeling method of regular voxel splitting based on hierarchical interpolation data is proposed.
  69. [69]
    [PDF] Medical Volume Rendering Techniques - arXiv
    Feb 21, 2018 · Isosurfaces recreate the digitized images taken by computed tomography (CT), magnetic resonance. (MR), and single-photon emission computed tomog ...
  70. [70]
    Voxel Printing Anatomy: Design and Fabrication of Realistic ... - JoVE
    Feb 9, 2022 · This method demonstrates a voxel-based 3D printing workflow, which prints directly from medical images with exact spatial fidelity and spatial/contrast ...
  71. [71]
    Nonlinear voxel-based finite element model for strength assessment ...
    Apr 1, 2020 · A nonlinear voxel-based FE model was evaluated to assess femoral bone strength. Both healthy and metastatic femurs were evaluated.
  72. [72]
    [PDF] On Smoothing Surfaces in Voxel Based Finite Element ... - ETH Zürich
    The finite element analysis is used to determine stresses and strains at the trabecular level of bone. It is even used to predict fracture of osteoporotic bone.
  73. [73]
    Reconstructing and resizing 3D images from DICOM files
    Images in the DICOM format have metadata for each slice and include information such as the slice thickness, spacing between slices, and image resolution. ...
  74. [74]
    medicalVolume - 3-D medical image voxel data and spatial ...
    For DICOM files, medicalVolume rescales the intensity values using the RescaleIntercept and RescaleSlope metadata attributes, if they are present in the file.Missing: thickness | Show results with:thickness
  75. [75]
    [PDF] efficient 3d affinely equivariant cnns with adaptive - arXiv
    Dec 11, 2024 · Experiments on four medical image segmentation datasets show that the proposed methods achieve better affine group equivariance and superior ...<|control11|><|separator|>
  76. [76]
    ASM-UNet: Adaptive Scan Mamba Integrating Group Commonalities ...
    Aug 10, 2025 · In addition to the 2D images, researchers extend to employing Mamba for segmenting 3D medical images. For instance, U-Mamba [39] combines ...Asm-Unet: Adaptive Scan... · Iii Dataset · V Experiment
  77. [77]
    Full article: Voxelization and one-dimensional lattice structures for ...
    This method eliminates the need for boundary representations of lattice structure models, leading to more efficient data handling. The results of this research ...
  78. [78]
    Rec Room's big plans for the metaverse: 'So much more than a game'
    Dec 20, 2021 · Rec Room, a Seattle-based social gaming startup founded by people who worked on Microsoft's early HoloLens efforts, said Monday it has raised $145 million.
  79. [79]
    Rec Room Full Body Avatars Beta Now Available To All Players
    Jun 28, 2024 · Rec Room's optional full body avatars are now available to all players in beta, but they still don't support body tracking.
  80. [80]
    Multi-level 3D CNN for Learning Multi-scale Spatial Features - arXiv
    May 30, 2018 · The performance of our multi-level learning algorithm for object recognition is comparable to dense voxel representations while using ...
  81. [81]
    Classical 3D Features are (Almost) All You Need for 3D Anomaly ...
    Mar 11, 2024 · [3] presented a 3D autoencoder approach for medical voxel data. Voxel data is significantly different from point cloud 3D data. Bergmann et al.
  82. [82]
    Spatio-temporal voxel layer: A view on robot perception for the ...
    Apr 23, 2020 · The spatio-temporal voxel grid is an actively maintained open-source project providing an improved three-dimensional environmental representation.<|separator|>
  83. [83]
    Volume-Rendered Global Atmospheric Model - NASA SVS
    Aug 10, 2014 · For each voxel numerous physical parameters are available such as temperature, wind speed and direction, pressure, humidity, etc.
  84. [84]
    Documentation - OpenVDB
    OpenVDB documentation includes online documentation, API reference, FAQ, coding standards, and a Mathematica interface guide. There is also ƒVDB documentation.Missing: Disney voxel
  85. [85]
    [PDF] VDB: High-resolution sparse volumes with dynamic topology
    VDB is a hierarchical data structure for sparse, time-varying volumetric data, encoding data and grid topology, and enabling fast access to high-resolution ...
  86. [86]
    NVIDIA® GVDB Voxels
    NVIDIA GVDB Voxels is a framework for simulation, compute, and rendering of sparse voxels on the GPU, supporting high performance on NVIDIA Pascal GPUs.
  87. [87]
    NVIDIA/gvdb-voxels: Sparse volume compute and rendering on ...
    Jan 29, 2020 · NVIDIA GVDB Voxels is a new library and SDK for simulation, compute, and rendering of sparse volumetric data.
  88. [88]
    [PDF] GVDB: Raytracing Sparse Voxel Database Structures on the GPU
    GVDB is a GPU voxel database structure for efficient raytracing on sparse grids, using indexed memory pooling and a hierarchical traversal.
  89. [89]
    Voxel Plugin
    Graph-Driven Design. Control every step of your world generation through a powerful but easy-to-use node graph. Supporting custom tools is easy.Documentation · Licensing · Login
  90. [90]
    Quick Start | Voxel Plugin
    Oct 13, 2025 · We recommend using Unreal Engine 5.4 alongside Voxel Plugin Legacy - it is significantly more stable than on previous engine versions.
  91. [91]
    Cubiquity - A fast and powerful voxel plugin for Unity3D
    Jun 2, 2013 · Cubiquity is a flexible and powerful voxel engine for both the free and pro versions of Unity. It can be used to create terrains with caves and overhangs.
  92. [92]
  93. [93]
    VTK - The Visualization Toolkit
    The Visualization Toolkit (VTK) is open source software for manipulating and displaying scientific data. It comes with state-of-the-art tools for 3D rendering.Download · VTK in Action · Documentation · About
  94. [94]
    VTK documentation
    VTK is an open-source system for image processing, 3D graphics, volume rendering, and visualization. Its documentation includes tutorials, examples, and best ...
  95. [95]
    The N-dimensional array (ndarray) — NumPy v2.3 Manual
    An ndarray is a multidimensional container of items of the same type and size, with its shape defining the number of dimensions and items.Numpy.ndarray · Numpy.ndarray.shape · Indexing routines
  96. [96]
    joshmarinacci/voxeljs-next: The next generation of Voxel JS - GitHub
    VoxelJS is a voxel engine for games, similar to Minecraft. It provides the ability to draw voxels on the screen, define the landscape with a function, load up ...Missing: 2020s | Show results with:2020s
  97. [97]
    voxel.js * blocks in yo browser - GitHub Pages
    voxel.js is a collection of projects that make it easier than ever to create 3D voxel games like Minecraft all in the browser.Missing: 2020s | Show results with:2020s
  98. [98]
    [PDF] Octree-Based Sparse Voxelization for Real-Time Global Illumination
    Structured LODs. Olick. 2008. Laine and Karras (NVIDIA) 2010. Crassin et al. 2009. (GigaVoxels). Page 6 ...
  99. [99]
    Check out Miscreated - the first game to feature SVOGI! - CryEngine
    Oct 1, 2015 · Sparse Voxel Octree Global Illumination is a system that makes in-game light behave extremely closely to how it does in the real world, adding ...
  100. [100]
    [PDF] State-of-the-Art in GPU-Based Large-Scale Volume Visualization
    Another type of multi-resolution pyramids are hierarchical grids (or mipmaps) where each resolution level of the data is bricked individually. These grids have ...
  101. [101]
    [PDF] gigavoxel paged terrain generation and rendering - DigiPen
    Voxel scenes can be pre-filtered using the same. MIP-mapping technique used to reduce aliasing in 2D texture images because voxels are essentially a 3D texture.<|separator|>
  102. [102]
    [PDF] An Adaptive Staggered-Tilted Grid for Incompressible Flow Simulation
    The AST grid structure provides a new regular pattern for the adaptive fluid simulation that is able to be integrated with existing grid structures such as an ...Missing: sheared | Show results with:sheared
  103. [103]
    Large-Scale Liquid Simulation on Adaptive Hexahedral Grids
    Aug 9, 2025 · Regular grids are attractive for numerical fluid simulations because they give rise to efficient computational kernels.Missing: sheared | Show results with:sheared
  104. [104]
    Adaptive Generation of Multimaterial Grids from Imaging Data ... - NIH
    We developed and applied novel automated meshing algorithms to generate anisotropic hybrid meshes on arbitrary biological geometries.
  105. [105]
    [PDF] Dual Contouring of Hermite Data
    This paper describes a new method for contouring a signed grid whose edges are tagged by Hermite data (i.e; exact intersection points and normals).Missing: hierarchical voxel<|separator|>
  106. [106]
    [PDF] Representing Appearance and Pre-filtering Subpixel Data in Sparse ...
    Jun 5, 2012 · Our pre-calculed mask table is 256×256. Anti-aliasing Our method ensures proper anti-aliasing of silhouettes even for complex subgeometry ...
  107. [107]
    [PDF] An anti-aliasing technique for voxel-based massive model ...
    A naive solution would be breaking the voxel into smaller voxels, which would create a representation that could adjust to the model with the required precision ...Missing: nanovoxels offset
  108. [108]
    [PDF] Dynamic PlenOctree for Adaptive Sampling Refinement in Explicit ...
    Recent research has explored various explicit repre- sentations for NeRF, including dense grids [18, 34], sparse. 3D voxel grids [21, 7, 43], multiple compact ...
  109. [109]
    [PDF] Adaptive Sampling for Real-time Rendering of Neural Radiance Fields
    In this paper, we introduce AdaNeRF, a compact dual-network neural repre- sentation that is optimized end-to-end, and fine-tuned to the desired performance for ...