Skip to content

A ray-tracer/path-tracer implemented in JavaScript using the WebGL 2 API

License

Notifications You must be signed in to change notification settings

saaaji/WebGL-2-Path-Tracer

Folders and files

NameName
Last commit message
Last commit date

Latest commit

 

History

41 Commits
 
 
 
 
 
 

Repository files navigation

A path tracer implemented in JavaScript using the WebGL 2 API

Preview Image

README Contents

  1. Overview
  2. Features
  3. Usage
  4. Retrospective
  5. Resources
  6. Gallery

Overview

A path tracer generates photorealistic images given a scene description (i.e. a 3D model) as input; it simulates the propagation of light and its interactions with different surfaces, creating realistic results. I began working on this renderer during my sophomore year of high school, and expanded on it over time in painfully small increments; I originally envisioned it as a proof-of-concept implementation of Ray Tracing in One Weekend in JavaScript and WebGL, though it really became an outlet for me to implement different techniques as I learned more about the field of computer graphics. The end result may not necessarily be impressive or particularly performant, but it was and continues to be a very valuable "educational experiment" of sorts.

Features

  • Progressive, tiled renderer
  • Basic glTF/GLB Support
  • Basic HDRi Support (Environment Maps)
  • Acceleration via Binary BVH (Binned SAH)
  • 2-Level BVH (TLAS/BLAS, Mesh Instancing)
  • Basic Editor
    • Manipulate TRS (translation-rotation-scale) matrices of scene-graph nodes and rebuild TLAS
    • Camera visualizations (frustums, focal plane adjustments)
  • PBR Materials (glTF Metallic-Roughness Physically-Based BRDF)
  • Importance Sampling
  • Next Event Estimation (NEE)
  • Multiple Importance Sampling (MIS)
  • Area Lights
  • "Ideal" Lights (point, directional, spot)

Usage

Editor Screenshot

Check out the renderer here. The functionality of the renderer has been divided across several panels. Refer to the screenshot above and the descriptions below:

  • Render Settings: The place to upload scene files and configure the renderer. At the moment, the only type of asset accepted is the internal hydra format; refer to Export Settings for generation of hydra files. The output resolution is specified along with the number of vertical and horizontal tiles, as the renderer is tiled. The specified output resolution should be divisible by the tile counts for intended functionality. Note the "Emissive factor" setting: currently, only area lights are supported. These are defined as any emissive triangles in the original model, whose emissive factors are clamped to the range [0, 1]. An emissive scaling factor may therefore be provided to overcome this limitation.
  • Export Settings: The place to generate hydra files from glb models. Any glb model should work, though some limitations exist: the model should contain at least one camera for the renderer to use, and only area lights, defined as any emissive primitives, are supported at the moment. A BVH is generated for each mesh within the scene, so this step may take a minute or so. When done exporting, a download link will appear in Console. For convenience, some example hydra files are provided here.
  • Viewport: The place where you can preview and render the scene. Some important key bindings are provided below:
    • r: Toggles between "preview" mode and "render" mode
    • p: Pauses the renderer, regardless of the current mode
    • d: Saves the image when in "render" mode and logs a download link in Console
    • t: Shows reference for all key bindings
  • Console: The place where any debug info or resources are logged. Look here for download links for saved snapshots or completed hydra files.
  • Node Tree: The place where you can navigate the scene-graph and inspect nodes. Nodes with a "branch" or "fork" icon may be expanded to reveal any children; nodes with the "leaf" icon are leaf nodes. To inspect a node, select its name and its info will appear in Active Node
  • Active Node: The place where you can modify the TRS (translation-rotation-scale) matrix of any scene-graph node. This will prompt a TLAS rebuild. Additionally, the focal distance and lens radius of any CameraNode may be modified.

Retrospective

Why?

The purpose of this renderer was largely educational, so I thought it might be appropriate to document any challenges I encountered or things that I learned. This section is largely just for me to refer back to in the future, but others may find something of value in it.

Notes on the Bounding Volume Hierarchy

Traversing a binary BVH in a fragment shader

The first modification I made to the base renderer of RTIOW was the addition of a BVH, and it has undergone many changes since. Given that all my knowledge of WebGL was sourced from webgl2fundamentals, the task of traversing a binary BVH in a fragment shader was initially very daunting. Achieving this required treating textures as buffers and "indexing" into them as though they were 1D arrays of texels. A flattened BVH (with its nodes in depth-first order) can then be uploaded to a texture, with each node requiring 2 floating-point RGBA texels (RGBA32F). This linear representation dictated an iterative traversal algorithm (and recursion is disallowed in GLSL shaders anyways), which resembled the typical stack-based, depth-first BST traversal scheme.

Stackless traversal

The above implementation would have remained unchanged had I not come across the following diagram on discord (recreation):

Stackless Tree

Instead of relying upon a stack to traverse the BVH, the "stackless" BVH relies on "miss-links" (indicated in red) to bypass subtrees within the BVH whenever the ray misses AABBs or primitives. This eliminates the overhead of having to maintain a stack. The caveat is that the traversal order remains fixed, and the tree must be traversed in depth-first order (as indicated by the green arrows). However, my initial stack-based implemention had a fixed order anyways, and the performance gains were immediate.

2-level BVH

My BVH construction remained relatively unoptimized, and could take several minutes for scenes of moderate complexity. To allow for interactive modification of scenes, the BVH had to be divided into a top-level acceleration structure ("TLAS"), which stored a series of bottom-level acceleration structures ("BLAS"). Given the amount of meshes in a scene is negligible relative to the total amount of triangle primitives, reconstructing the TLAS in real-time is trivial. However, this impacted traversal times, as now TLAS and BLAS traversal had to be handled in a single loop. Once the bottom level of the TLAS is reached, the ray is transformed from world- to object-space and intersected with a BLAS; once BLAS traversal has ended, TLAS traversal is resumed via a cached index and the ray is reset. This introduced additional complexity and was therefore noticeably slower than its single-hierarchy counterpart. I decided to experiment with stack-based traversal again, this time taking advantage of the flexible traversal order permitted by a stack; if nodes are traversed in a front-to-back order (as determined by the direction of the ray and the split axis of the node), occluded nodes are skipped more easily, eliminating unnecessary intersections. Surprisingly, however, fixed-order traversal appeared to be fastest, and any stack-based implementation was outperformed by the prior stackless scheme:

Performance Results

My best guess at the moment is that texture access poses as the primary bottleneck (which may be unique to GLSL ES 3.0, as modern APIs with compute have access to SSBOs), and relying on a fixed, depth-first traversal order helps maximize the cache hit-rate acrosss all threads, because one child is always adjacent to its parent in memory. Later stack-based tests with a depth-first memory layout seem to confirm this, though this analysis is limited by my lack of understanding of the underlying hardware. Moreover, I relied on a very limited set of test scenes to make this comparison and a rudimentary profiling system (EXT_disjoint_timer_query_webgl2 query results). I also performed these tests on a Chromebook only. In other words, I am reluctant to make any conclusions about the relative performance of each method at this time, and I think this experience has definitely demonstrated the need for an adequate profiler.

The Editor

I had implemented a 2-level BVH, but it was virtually useless without some way to modify meshes in the TLAS; a functional editor where the user could modify the TRS matrices of scene-graph nodes was necessary, so I decided to implement a rasterized "preview" mode where objects could be moved, rotated, and scaled before actually rendering the scene. Luckily, the geometric data that I had been storing in textures could be easily uploaded to vertex buffers, as demonstrated in this early test:

Pathtraced Side-By-Side Rasterized Side-By-Side
Pathtraced Image Rasterized Preview

Later, I decided that the preview should not be too detailed or have complex shading (partly because I wanted to get back to actual pathtracing); its purpose should be to convey geometric and spatial information to the user, which I tried to achieve primarily through highlights and outlines. There was also the added benefit of easily visualizing camera parameters, especially the focal distance:

Preview

Rendering Abstraction

Once I decided implement the rasterized preview mode discussed above, I found that it was no longer feasible to hardcode every render pass, especially with an outline shader that necessitated the creation of a G-buffer. This problem could only be solved with some sort of rendering abstraction that would simplify the management of resources and render passes. I decided to make something myself, and discovered a GDC presentation by EA/DICE on "render graphs." What I took away from this was that a single frame can be modeled as a directed acyclic graph (DAG), where the nodes, or individual render passes, are connected by resources (textures in this context), which serve as the edges. The passes can then be topologically ordered, iterated over, and executed to produce the final frame. From what I can tell, this organization is meant to be implemented in modern APIs, but in my case it seemed to provide a nice balance between higher-level resource management and lower-level control of the pipeline. I don't know if what I implemented is really a "render graph" per se, but I definitely took inspiration from the original presentation.

.hydra

As discussed in Usage, the renderer only accepts hydra files at the moment. This is not a standard format; in fact, it is an internal format used only within this renderer (the original name of this project was "hydra"). Early on in development, it became very inconvenient to wait on long BVH construction times in order to debug the light transport simulation, so I decided to dump all geometric and BVH data into a binary which could then be uploaded whenever necessary. Any metadata or additional model information, like material properties, were stored in a JSON header, and over time this format came to closely resemble the glTF format (which was designed in part for ease of use with JavaScript). All vertex attributes and hierarchy data are stored in a binary section, and all textures are packed into a single atlas (2048x2048xN TEXTURE_2D_ARRAY). A consequence of this organization is that all textures have the same wrapping and filtering settings, and high-resolution maps are disallowed (this is a consequence of GLSL ES 3.0 not supporting dynamic indexing into arrays of samplers).

Resources

Gallery

TBD