Expand description
Fidget is a library of infrastructure and algorithms for complex closed-form implicit surfaces.
An implicit surface is a function f(x, y, z), where x, y, and z
represent a position in 3D space. By convention, if f(x, y, z) < 0, then
that position is inside the shape; if it’s > 0, then that position is
outside the shape; otherwise, it’s on the boundary of the shape.
A closed-form implicit surface means that the function is given as a fixed expression built from closed-form operations (addition, subtraction, etc), with no mutable state. This is in contrast to ShaderToy-style implicit surface functions, which often include mutable state and make control-flow decisions at runtime.
Finally, complex means that that the library scales to expressions with thousands of clauses.
Details on overall project status are in the project’s README; the rest of this page is a quick tour through the library APIs.
§Shape construction
Shapes are constructed within a
fidget::context::Context. A context serves as
an arena-style allocator, doing local deduplication and other simple
optimizations (e.g. constant folding).
Shapes can be constructed manually, using functions on a context:
use fidget::context::Context;
let mut ctx = Context::new();
let x = ctx.x();
let y = ctx.y();
let sum = ctx.add(x, y)?;As an alternative, Fidget includes bindings to Rhai, a
simple Rust-native scripting language, in the fidget::rhai
namespace. These bindings offer a terser way to construct
a shape from a script:
let (sum, ctx) = fidget::rhai::eval("x + y")?;§Evaluation
The main operation performed on an implicit surface is evaluation, i.e.
passing it some position (x, y, z) and getting back a result. This will
be done a lot, so it has to be fast.
Evaluation is deliberately agnostic to the specific details of how we go
from position to results. This abstraction is represented by the
Shape trait, which defines how to make both
evaluators and tapes.
An evaluator is an object which performs evaluation of some kind (point, array, gradient, interval). It carries no persistent data, and would typically be constructed on a per-thread basis.
A tape contains instructions for an evaluator.
At the moment, Fidget implements two kinds of shapes:
fidget::vm::VmShapeevaluates a list of opcodes using an interpreter. This is slower, but can run in more situations (e.g. in WebAssembly).fidget::jit::JitShapeperforms fast evaluation by compiling shapes down to native code.
The eval::Shape trait requires four different kinds
of evaluation:
- Single-point evaluation
- Interval evaluation
- Evaluation on an array of points, returning
f32values - Evaluation on an array of points, returning partial derivatives with
respect to
x, y, z
These evaluation flavors are used in rendering:
- Interval evaluation can conservatively prove large regions of space to be empty or full, at which point they don’t need to be considered further.
- Array-of-points evaluation speeds up calculating occupancy (inside / outside) when given a set of voxels, because dispatch overhead is amortized over many points.
- At the surface of the model, partial derivatives represent normals and can be used for shading.
Here’s a simple example of interval evaluation:
use fidget::{
eval::{Shape, MathShape, EzShape, TracingEvaluator},
vm::VmShape
};
let (sum, ctx) = fidget::rhai::eval("x + y")?;
let shape = VmShape::new(&ctx, sum)?;
let mut interval_eval = VmShape::new_interval_eval();
let tape = shape.ez_interval_tape();
let (out, _trace) = interval_eval.eval(
&tape,
[0.0, 1.0], // X
[2.0, 3.0], // Y
[0.0, 0.0], // Z
&[] // variables (unused)
)?;
assert_eq!(out, [2.0, 4.0].into());§Shape simplification
Interval evaluation serves two purposes. As we already mentioned, it can be used to prove large regions empty or filled, which lets us do less work when rendering. In addition, it can discover sections of the tape that are always inactive in a particular spatial region.
Consider evaluating f(x, y, z) = max(x, y) with x = [0, 1] and
y = [2, 3]:
use fidget::{
eval::{TracingEvaluator, Shape, MathShape, EzShape},
vm::VmShape
};
let (sum, ctx) = fidget::rhai::eval("min(x, y)")?;
let shape = VmShape::new(&ctx, sum)?;
let mut interval_eval = VmShape::new_interval_eval();
let tape = shape.ez_interval_tape();
let (out, trace) = interval_eval.eval(
&tape,
[0.0, 1.0], // X
[2.0, 3.0], // Y
[0.0, 0.0], // Z
&[] // variables (unused)
)?;
assert_eq!(out, [0.0, 1.0].into());In the evaluation region x = [0, 1]; y = [2, 3], x is strictly less
than y in the min(x, y) clause. This means that we can simplify the
tape from f(x, y, z) = min(x, y) → f(x, y, z) = x.
Interval evaluation is a kind of
tracing evaluation, which returns a tuple
of (value, trace). The trace can be used to simplify the original shape:
eval::{TracingEvaluator, Shape, MathShape, EzShape},
vm::VmShape
};
// (same code as above)
assert_eq!(tape.size(), 3);
let new_shape = shape.ez_simplify(trace.unwrap())?;
assert_eq!(new_shape.ez_interval_tape().size(), 1); // just the 'X' termRemember that this simplified tape is only valid for points (or intervals)
within the interval region x = [0, 1]; y = [2, 3]. It’s up to you to make
sure this is upheld!
§Rasterization
Fidget implements both 2D and 3D rasterization of implicit surfaces,
implemented in the fidget::render module.
Here’s a quick example:
use fidget::{
context::Context,
eval::MathShape,
render::{BitRenderMode, RenderConfig},
vm::VmShape,
};
let (shape, ctx) = fidget::rhai::eval("sqrt(x*x + y*y) - 1")?;
let cfg = RenderConfig::<2> {
image_size: 32,
..RenderConfig::default()
};
let shape = VmShape::new(&ctx, shape)?;
let out = cfg.run(shape, &BitRenderMode)?;
let mut iter = out.iter();
for y in 0..cfg.image_size {
for x in 0..cfg.image_size {
if *iter.next().unwrap() {
print!("XX");
} else {
print!(" ");
}
}
println!();
}
// This will print
// XXXXXXXXXX
// XXXXXXXXXXXXXXXXXX
// XXXXXXXXXXXXXXXXXXXXXX
// XXXXXXXXXXXXXXXXXXXXXXXXXX
// XXXXXXXXXXXXXXXXXXXXXXXXXX
// XXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
// XXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
// XXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
// XXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
// XXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
// XXXXXXXXXXXXXXXXXXXXXXXXXX
// XXXXXXXXXXXXXXXXXXXXXXXXXX
// XXXXXXXXXXXXXXXXXXXXXX
// XXXXXXXXXXXXXXXXXX
// XXXXXXXXXX§Meshing
Fidget implements Manifold Dual Contouring, which converts from implicit surfaces to triangle meshes.
This is documented in the fidget::mesh module.
§Feature flags
jit(enabled by default) — Enables fast evaluation via a JIT compiler. This is exposed in thefidget::jitmodule, and is supported onaarch64-apple-darwin,aarch64-unknown-linux-*, andx86_64-unknown-linux-*. There’s no way to disable the feature on other platforms (Cargo issue); users will have to disable it manually viadefault-features = false.rhai(enabled by default) — Enable Rhai bindings, in thefidget::rhaimodulerender(enabled by default) — Enable 2D and 3D rendering, in thefidget::rendermodulemesh(enabled by default) — Enable 3D meshing, in thefidget::meshmoduleeval-tests— Enableeval-testsif you’re writing your own Shape / evaluators and want to unit-test them. When enabled, the crate exports a set of macros to test each evaluator type, e.g.float_slice_tests!(...).write-xor-execute— On Linux, this feature usesmprotectto prevent JIT buffers from being both writable and executable at the same time. This is best practice from a security perspective, but incurs a 25% slowdown.
Modules§
- Compiler infrastructure
- Infrastructure for representing math expressions as graphs
- Traits and data structures for evaluation
- Compilation down to native machine code
- Octree construction and meshing
- 2D and 3D rendering
- Rhai bindings to Fidget
- Shape-specific data types
- Custom types used during evaluation
- Simple virtual machine for shape evaluation
Structs§
- A
Contextholds a set of deduplicated constants, variables, and operations.
Enums§
- Universal error type for Fidget