- 
          
- 
                Notifications
    You must be signed in to change notification settings 
- Fork 36k
Three.js Shading Language
An Approach to Productive and Maintainable Shader Creation.
- Introduction
- Learning TSL
- Constants and explicit conversions
- Conversions
- Uniform
- Swizzle
- Operators
- Function
- Variables
- Varying
- Conditional
- Loop
- Math
- Method chaining
- Texture
- Attributes
- Position
- Normal
- Tangent
- Bitangent
- Camera
- Model
- Screen
- Viewport
- Blend Modes
- Reflect
- UV Utils
- Interpolation
- Random
- Rotate
- Oscillator
- Packing
- NodeMaterial
- Transitioning common GLSL properties to TSL
Creating shaders has always been an advanced step for most developers, many game developers have never created GLSL code from scratch. The shader graph solution adopted today by the industry has allowed developers more focused on dynamics to create the necessary graphic effects to meet the demands of their projects.
The aim of the project is to create an easy-to-use, environment for shader creation. Even if for this we need to create complexity behind, this happened initially with Renderer and now with the TSL.
Other benefits that TSL brings besides simplifying shading creation is keeping the renderer agnostic, while all the complexity of a material can be imported into different modules and use tree shaking without breaking during the process.
A detail map makes things look more real in games. It adds tiny details like cracks or bumps to surfaces. In this example we will scale uv to improve details when seen up close and multiply with a base texture.
This is how we would achieve that using .onBeforeCompile():
const material = new THREE.MeshStandardMaterial();
material.map = colorMap;
material.onBeforeCompile = ( shader ) => {
	shader.uniforms.detailMap = { value: detailMap };
	let token = '#define STANDARD';
	let insert = /* glsl */`
		uniform sampler2D detailMap;
	`;
	shader.fragmentShader = shader.fragmentShader.replace( token, token + insert );
	token = '#include <map_fragment>';
	insert = /* glsl */`
		diffuseColor *= texture2D( detailMap, vMapUv * 10.0 );
	`;
	shader.fragmentShader = shader.fragmentShader.replace( token, token + insert );
};Any simple change from this makes the code increasingly complicated using .onBeforeCompile, the result we have today in the community are countless types of parametric materials that do not communicate with each other, and that need to be updated periodically to be operating, limiting the creativity to create unique materials reusing modules in a simple way.
With TSL the code would look like this:
import { texture, uv } from 'three/tsl';
const detail = texture( detailMap, uv().mul( 10 ) );
const material = new THREE.MeshStandardNodeMaterial();
material.colorNode = texture( colorMap ).mul( detail );TSL is also capable of encoding code into different outputs such as WGSL/GLSL - WebGPU/WebGL, in addition to optimizing the shader graph automatically and through codes that can be inserted within each Node. This allows the developer to focus on productivity and leave the graphical management part to the Node System.
Another important feature of a graph shader is that we will no longer need to care about the sequence in which components are created, because the Node System will only declare and include it once.
Let's say that you import positionWorld into your code, even if another component uses it, the calculations performed to obtain position world will only be performed once, as is the case with any other node such as: normalWorld, modelPosition, etc.
All TSL components are extended from Node class. The Node allows it to communicate with any other, value conversions can be automatic or manual, a Node can receive the output value expected by the parent Node and modify its own output snippet. It's possible to modulate them using tree shaking in the shader construction process, the Node will have important information such as geometry, material, renderer as well as the backend, which can influence the type and value of output.
The main class responsible for creating the code is NodeBuilder. This class can be extended to any output programming language, so you can use TSL for a third language if you wish. Currently NodeBuilder has two extended classes, the WGSLNodeBuilder aimed at WebGPU and GLSLNodeBuilder aimed at WebGL2.
The build process is based on three pillars: setup, analyze and generate.
| setup | Use TSLto create a completely customized code for theNodeoutput. TheNodecan use many others within itself, have countless inputs, but there will always be a single output. | 
| analyze | This proccess will check the nodesthat were created in order to create useful information forgeneratethe snippet, such as the need to create or not a cache/variable for optimizing a node. | 
| generate | An output of stringwill be returned from eachnode. Any node will also be able to create code in the flow of shader, supporting multiple lines. | 
Node also have a native update process invoked by the update() function, these events be called by frame, render call and object draw.
It is also possible to serialize or deserialize a Node using serialize() and deserialize() functions.
TSL is a Node-based shader abstraction, written in JavaScript. TSL's functions are inspired by GLSL, but follow a very different concept. WGSL and GLSL are focused on creating GPU programs, in TSL this is one of the features.
- Unified Code
- Write shader logic directly in JS/TS, eliminating the need to manipulate strings.
- Create and manipulate render objects just like any other JavaScript logic inside a TSL function.
- Advanced events to control a Node before and after the object is rendered.
 
- JS Ecosystem
- Use native import/export, NPM, and integrate JS/TS components directly into your shader logic.
 
- Typing
- Benefit from better type checking (especially with TypeScript and @three-types), increasing code robustness.
 
- Focus on Intent
- Build materials by connecting nodes through: positionWorld, normalWorld, screenUV, attribute(), etc. More declarative("what") vs. imperative("how").
 
- Composition & High-Level Concepts
- Work with high-level concepts for Node Material like colorNode, roughnessNode, metalnessNode, positionNode, etc. This preserves the integrity of the lighting model while allowing customizations, helping to avoid mistakes from incorrect setups.
 
- Keeping an eye on software exchange
- Modern 3D authoring software uses Shader-Graph based material composition to exchange between other software. TSL already has its own MaterialX integration.
 
- Easier Migration
- Many functions are directly inspired by GLSL to smooth the learning curve for those with prior experience.
 
- Control rendering steps and create new render-passes per individual TSL functions.
- Implement complex effects is easily with nodes using a single function call either in post-processing and in materials allowing the node itself to manage the rendering process as it needs.
- 
gaussianBlur(): Double render-pass gaussian blur node. It can be used in the material or in post-processing through a single function.
 
- 
- Easy access to renderer buffers using TSL functions like:
- 
viewportSharedTexture(): Accesses the beauty what has already been rendered, preserving the render-order.
- 
viewportLinearDepth(): Accesses the depth what has already been rendered, preserving the render-order.
 
- 
- Integrated Compute Shaders
- Perform calculations on buffers using compute stage directly during an object's rendering.
 
- TSL allows dynamic manipulation of renderer functions, which makes it more customizable than intermediate languages that would have to use flags in fixed pipelines for this.
- You just need to use the events of a Node for the renderer manipulations, without needing to modify the core.
 
- Implement complex effects is easily with nodes using a single function call either in post-processing and in materials allowing the node itself to manage the rendering process as it needs.
- Your TSL code automatically benefits from optimizations and workarounds implemented in the Three.js compiler with each new version.
- Simplifications
- Automatic type conversions.
- Execute a block of code in vertex-stage and get it in fragment-stage just using vertexStage( node ).
- Automatically choose interpolation method for varyings depending on type.
- Don't worry about collisions of global variables internally when using Nodes.
 
- Polyfills
- e.g: textureSample()function in the vertex shader (not natively supported in WGSL) is correctly transpiled to work.
- e.g: Automatic correction for the pow()function, which didn't accept negative bases on Windows/DirectX using WGSL.
 
- e.g: 
- Optimizations
- Repeated expressions: TSL can automatically create temporary variables to avoid redundant calculations.
- Automatic reuse of uniforms and attributes.
- Creating varying only if necessary. Otherwise they are replaced by simple variables.
 
 
- Simplifications
- Beginners users
- You only need one line to create your first custom shader.
 
- Advanced users
- Makes creating shaders simple but not limited. Example: https://www.youtube.com/watch?v=C2gDL9Qk_vo
- If you don't like fixed pipelines and low level, you'll love this.
 
TSL is based on Nodes, so don’t worry about sharing your functions and uniforms across materials and post-processing.
// Shared the same uniform with various materials
const sharedColor = uniform( new THREE.Color() );
materialA.colorNode = sharedColor.div( 2 );
materialB.colorNode = sharedColor.mul( .5 );
materialC.colorNode = sharedColor.add( .5 );Access material, geometry, object, camera, scene, renderer and more directly from a TSL function. Function calls are only performed at the time of building the shader allowing you to customize the function according to the object's setup.
// Returns a uniform of the material's custom color if it exists 
const customColor = Fn( ( { material, geometry, object } ) => {
	if ( material.customColor !== undefined ) {
		return uniform( material.customColor );
	}
	return vec3( 0 );
} );
//
material.colorNode = customColor();This can be used for any other JS and Three.js ecosystem needs. You can manipulate your assets according to the needs of a function. This can work for creating buffers, attributes, uniforms and any other JavaScript operation.
let bayer16Texture = null;
export const bayer16 = Fn( ( [ uv ] ) => {
	if ( bayer16Texture === null ) {
		const bayer16Base64 = 'data:image/png;base64,...==';
		bayer16Texture = new TextureLoader().load( bayer16Base64 );
	}
	return textureLoad( bayer16Texture, ivec2( uv ).mod( int( 16 ) ) );
} );
//
material.colorNode = bayer16( screenCoordinate );The node architecture allows the creation of instances of custom attributes and buffers through simple functions.
// Range values node example
const randomColor = range( new THREE.Color( 0x000000 ), new THREE.Color( 0xFFFFFF ) );
material.colorNode = randomColor;
//...
const mesh = new THREE.InstancedMesh( geometry, material, count );TSL syntax follows JavaScript style because they are the same thing, so if you come from GLSL you can explore new possibilities.
// A simple example of Function closure
const mainTask = Fn( () => {
	const task2 = Fn( ( [ a, b ] ) => {
		return a.add( b ).mul( 0.5 );
	} );
	return task2( color( 0x00ff00 ), color( 0x0000ff ) );
} );
//
material.colorNode = mainTask();Double render-pass gaussianBlur() node. It can be used in the material or in post-processing through a single function.
// Applies a double render-pass gaussianBlur and then a grayscale filter before the object with the material is rendered.
const myTexture = texture( map );
material.colorNode = grayscale( gaussianBlur( myTexture, 4 ) );Accesses what has already been rendered, preserving the render-order for easy refraction effects, avoiding multiple render-pass and manual sorts.
// Leaving the back in grayscale.
material.colorNode = grayscale( viewportSharedTexture( screenUV ) );
material.transparent = true;You no longer need to create a Material for each desired effect, instead create Nodes. A Node can have access to the Material and can be used in many ways. Extend the TSL from Nodes and let the user use it in creative ways.
A great example of this is TSL-Textures.
import * as THREE from 'three';
import { simplexNoise } from 'tsl-textures';
material.colorNode = simplexNoise ( {
	scale: 2,
	balance: 0,
	contrast: 0,
	color: new THREE.Color(16777215),
	background: new THREE.Color(0),
	seed: 0
} );Input functions can be used to create contants and do explicit conversions.
Conversions are also performed automatically if the output and input are of different types.
| Name | Returns a constant or convertion of type: | 
|---|---|
| float( node|number ) | float | 
| int( node|number ) | int | 
| uint( node|number ) | uint | 
| bool( node|value ) | boolean | 
| color( node|hex|r,g,b ) | color | 
| vec2( node|Vector2|x,y ) | vec2 | 
| vec3( node|Vector3|x,y,z ) | vec3 | 
| vec4( node|Vector4|x,y,z,w ) | vec4 | 
| mat2( node|Matrix2|a,b,c,d ) | mat2 | 
| mat3( node|Matrix3|a,b,c,d,e,f,g,h,i ) | mat3 | 
| mat4( node|Matrix4|a,b,c,d,e,f,g,h,i,j,k,l,m,n,o,p ) | mat4 | 
| ivec2( node|x,y ) | ivec2 | 
| ivec3( node|x,y,z ) | ivec3 | 
| ivec4( node|x,y,z,w ) | ivec4 | 
| uvec2( node|x,y ) | uvec2 | 
| uvec3( node|x,y,z ) | uvec3 | 
| uvec4( node|x,y,z,w ) | uvec4 | 
| bvec2( node|x,y ) | bvec2 | 
| bvec3( node|x,y,z ) | bvec3 | 
| bvec4( node|x,y,z,w ) | bvec4 | 
Example:
import { color, vec2, positionWorld } from 'three/tsl';
// constant
material.colorNode = color( 0x0066ff );
// conversion
material.colorNode = vec2( positionWorld ); // result positionWorld.xyIt is also possible to perform conversions using the method chaining:
| Name | Returns a constant or conversion of type: | 
|---|---|
| .toFloat() | float | 
| .toInt() | int | 
| .toUint() | uint | 
| .toBool() | boolean | 
| .toColor() | color | 
| .toVec2() | vec2 | 
| .toVec3() | vec3 | 
| .toVec4() | vec4 | 
| .toMat2() | mat2 | 
| .toMat3() | mat3 | 
| .toMat4() | mat4 | 
| .toIVec2() | ivec2 | 
| .toIVec3() | ivec3 | 
| .toIVec4() | ivec4 | 
| .toUVec2() | uvec2 | 
| .toUVec3() | uvec3 | 
| .toUVec4() | uvec4 | 
| .toBVec2() | bvec2 | 
| .toBVec3() | bvec3 | 
| .toBVec4() | bvec4 | 
Example:
import { positionWorld } from 'three/tsl';
// conversion
material.colorNode = positionWorld.toVec2(); // result positionWorld.xyUniforms are useful to update values of variables like colors, lighting, or transformations without having to recreate the shader program. They are the true variables from a GPU's point of view.
| Name | Description | 
|---|---|
| uniform( boolean | number | Color | Vector2 | Vector3 | Vector4 | Matrix3 | Matrix4, type = null ) | Dynamic values. | 
Example:
const myColor = uniform( new THREE.Color( 0x0066FF ) );
material.colorNode = myColor;It is also possible to create update events on uniforms, which can be defined by the user:
| Name | Description | 
|---|---|
| .onObjectUpdate( function ) | It will be updated every time an object like Meshis rendered with thisnodeinMaterial. | 
| .onRenderUpdate( function ) | It will be updated once per render, common and shared materials, fog, tone mapping, etc. | 
| .onFrameUpdate( function ) | It will be updated only once per frame, recommended for values that will be updated only once per frame, regardless of when render-passthe frame has, cases liketimefor example. | 
Example:
const posY = uniform( 0 ); // it's possible use uniform( 'float' )
// or using event to be done automatically
// { object } will be the current rendering object
posY.onObjectUpdate( ( { object } ) => object.position.y );
// you can also update manually using the .value property
posY.value = object.position.y;
material.colorNode = posY;Swizzling is the technique that allows you to access, reorder, or duplicate the components of a vector using a specific notation within TSL. This is done by combining the identifiers:
const original = vec3( 1.0, 2.0, 3.0 ); // (x, y, z)
const swizzled = original.zyx; // swizzled = (3.0, 2.0, 1.0)It's possible use xyzw, rgba or stpq.
| Name | Description | 
|---|---|
| .add( node | value, ... ) | Return the addition of two or more value. | 
| .sub( node | value ) | Return the subraction of two or more value. | 
| .mul( node | value ) | Return the multiplication of two or more value. | 
| .div( node | value ) | Return the division of two or more value. | 
| .assign( node | value ) | Assign one or more value to a and return the same. | 
| .mod( node | value ) | Computes the remainder of dividing the first node by the second. | 
| .equal( node | value ) | Checks if two nodes are equal. | 
| .notEqual( node | value ) | Checks if two nodes are not equal. | 
| .lessThan( node | value ) | Checks if the first node is less than the second. | 
| .greaterThan( node | value ) | Checks if the first node is greater than the second. | 
| .lessThanEqual( node | value ) | Checks if the first node is less than or equal to the second. | 
| .greaterThanEqual( node | value ) | Checks if the first node is greater than or equal to the second. | 
| .and( node | value ) | Performs logical AND on two nodes. | 
| .or( node | value ) | Performs logical OR on two nodes. | 
| .not( node | value ) | Performs logical NOT on a node. | 
| .xor( node | value ) | Performs logical XOR on two nodes. | 
| .bitAnd( node | value ) | Performs bitwise AND on two nodes. | 
| .bitNot( node | value ) | Performs bitwise NOT on a node. | 
| .bitOr( node | value ) | Performs bitwise OR on two nodes. | 
| .bitXor( node | value ) | Performs bitwise XOR on two nodes. | 
| .shiftLeft( node | value ) | Shifts a node to the left. | 
| .shiftRight( node | value ) | Shifts a node to the right. | 
const a = float( 1 );
const b = float( 2 );
const result = a.add( b ); // output: 3It is possible to use classic JS functions or a Fn() interface. The main difference is that Fn() creates a controllable environment, allowing the use of stack where you can use assign and conditional, while the classic function only allows inline approaches.
Example:
// tsl function
const oscSine = Fn( ( [ t = time ] ) => {
	return t.add( 0.75 ).mul( Math.PI * 2 ).sin().mul( 0.5 ).add( 0.5 );
} );
// inline function
export const oscSine = ( t = time ) => t.add( 0.75 ).mul( Math.PI * 2 ).sin().mul( 0.5 ).add( 0.5 );Both above can be called with
oscSin( value ).
TSL allows the entry of parameters as objects, this is useful in functions that have many optional arguments.
Example:
const oscSine = Fn( ( { timer = time } ) => {
	return timer.add( 0.75 ).mul( Math.PI * 2 ).sin().mul( 0.5 ).add( 0.5 );
} );
const value = oscSine( { timer: value } );If you want to use an export function compatible with tree shaking, remember to use /*@__PURE__*/
export const oscSawtooth = /*@__PURE__*/ Fn( ( [ timer = time ] ) => timer.fract() );The second parameter of the function, if there are any parameters, will always be the first if there are none, and is dedicated to NodeBuilder. In NodeBuilder you can find out details about the current construction process and also obtain objects related to the shader construction, such as material, geometry, object, camera, etc.
Functions used to declare variables.
| Name | Description | 
|---|---|
| .toVar( node, name = null )orVar( node, name = null ) | Converts a node into a reusable variable in the shader. | 
| .toConst( node, name = null )orConst( node, name = null ) | Converts a node into an inline constant. | 
| property( type, name = null ) | Declares an property but does not assign an initial value. | 
The name is optional; if set to null, the node system will generate one automatically.
Creating a variable, constant, or property can help optimize the shader graph manually or assist in debugging.
const uvScaled = uv().mul( 10 ).toVar();
material.colorNode = texture( map, uvScaled );Functions used to declare varying.
| Name | Description | 
|---|---|
| vertexStage( node ) | Computes the node in the vertex stage. | 
| varying( node, name = null ) | Computes the node in the vertex stage and passes interpolated values to the fragment shader. | 
| varyingProperty( type, name = null ) | Declares an varying property but does not assign an initial value. | 
Let's suppose you want to optimize some calculation in the vertex stage but are using it in a slot like material.colorNode.
For example:
// multiplication will be executed in vertex stage
const normalView = vertexStage( modelNormalMatrix.mul( normalLocal ) );
// normalize will be computed in fragment stage while `normalView` is computed on vertex stage
material.colorNode = normalView.normalize();The first parameter of vertexStage() modelNormalMatrix.mul( normalLocal ) will be computed in vertex stage, and the return from vertexStage() will be a varying as we are used in WGSL/GLSL, this can optimize extra calculations in the fragment stage. The second parameter of varying() allows you to add a custom name in code generation.
If varying() is added only to material.positionNode, it will only return a simple variable and varying will not be created because material.positionNode is one of the only nodes that are computed at the vertex stage.
If-else conditionals can be used within Fn(). Conditionals in TSL are built using the If function:
If( conditional, function )
.ElseIf( conditional, function )
.Else( function )Notice here the
iinIfis capitalized.
Example:
In this example below, we will limit the y position of the geometry to 10.
const limitPosition = Fn( ( { position } ) => {
	const limit = 10;
	// Convert to variable using `.toVar()` to be able to use assignments.
	const result = position.toVec3().toVar();
	If( result.y.greaterThan( limit ), () => {
		result.y = limit;
	} );
	return result;
} );
material.positionNode = limitPosition( { position: positionLocal } );Example using elseif:
const limitPosition = Fn( ( { position } ) => {
	const limit = 10;
	// Convert to variable using `.toVar()` to be able to use assignments.
	const result = position.toVec3().toVar();
	If( result.y.greaterThan( limit ), () => {
		result.y = limit;
	} ).ElseIf( result.y.lessThan( limit ), () => {
		result.y = limit;
	} );
	return result;
} );
material.positionNode = limitPosition( { position: positionLocal } );A Switch-Case statement is an alternative way to express conditional logic compared to If-Else.
const col = color().toVar();
Switch( 0 ).Case( 0, () => {
	col.assign( color( 1, 0, 0 ) );
} ).Case( 1, () => {
	col.assign( color( 0, 1, 0 ) );
} ).Case( 2, 3, () => {
	col.assign( color( 0, 0, 1 ) );
} ).Default( () => {
	col.assign( color( 1, 1, 1 ) );
} );Notice that there are some rules when using this syntax which differentiate TSL from JavaScript:
- There is no fallthrough support. So each Case()statement has an implicit break.
- A Case()statement can hold multiple values (selectors) for testing.
Different from if-else, a ternary conditional will return a value and can be used outside of Fn().
const result = select( value.greaterThan( 1 ), 1.0, value );Equivalent in JavaScript should be:
value > 1 ? 1.0 : value
This module offers a variety of ways to implement loops in TSL. In it's basic form it's:
Loop( count, ( { i } ) => {
} );However, it is also possible to define a start and end ranges, data types and loop conditions:
Loop( { start: int( 0 ), end: int( 10 ), type: 'int', condition: '<' }, ( { i } ) => {
} );Nested loops can be defined in a compacted form:
Loop( 10, 5, ( { i, j } ) => {
} );Loops that should run backwards can be defined like so:
Loop( { start: 10 }, () => {} );It is possible to execute with boolean values, similar to the while syntax.
const value = float( 0 ).toVar();
Loop( value.lessThan( 10 ), () => {
	value.addAssign( 1 );
} );The module also provides Break() and Continue() TSL expression for loop control.
| Name | Description | 
|---|---|
| EPSION | A small value used to handle floating-point precision errors. | 
| INFINITY | Represent infinity. | 
| abs( x ) | Return the absolute value of the parameter. | 
| acos( x ) | Return the arccosine of the parameter. | 
| all( x ) | Return true if all components of x are true. | 
| any( x ) | Return true if any component of x is true. | 
| asin( x ) | Return the arcsine of the parameter. | 
| atan( y, x ) | Return the arc-tangent of the parameters. | 
| bitcast( x, y ) | Reinterpret the bits of a value as a different type. | 
| cbrt( x ) | Return the cube root of the parameter. | 
| ceil( x ) | Find the nearest integer that is greater than or equal to the parameter. | 
| clamp( x, min, max ) | Constrain a value to lie between two further values. | 
| cos( x ) | Return the cosine of the parameter. | 
| cross( x, y ) | Calculate the cross product of two vectors. | 
| dFdx( p ) | Return the partial derivative of an argument with respect to x. | 
| dFdy( p ) | Return the partial derivative of an argument with respect to y. | 
| degrees( radians ) | Convert a quantity in radians to degrees. | 
| difference( x, y ) | Calculate the absolute difference between two values. | 
| distance( x, y ) | Calculate the distance between two points. | 
| dot( x, y ) | Calculate the dot product of two vectors. | 
| equals( x, y ) | Return true if x equals y. | 
| exp( x ) | Return the natural exponentiation of the parameter. | 
| exp2( x ) | Return 2 raised to the power of the parameter. | 
| faceforward( N, I, Nref ) | Return a vector pointing in the same direction as another. | 
| floor( x ) | Find the nearest integer less than or equal to the parameter. | 
| fract( x ) | Compute the fractional part of the argument. | 
| fwidth( x ) | Return the sum of the absolute derivatives in x and y. | 
| inverseSqrt( x ) | Return the inverse of the square root of the parameter. | 
| length( x ) | Calculate the length of a vector. | 
| lengthSq( x ) | Calculate the squared length of a vector. | 
| log( x ) | Return the natural logarithm of the parameter. | 
| log2( x ) | Return the base 2 logarithm of the parameter. | 
| max( x, y ) | Return the greater of two values. | 
| min( x, y ) | Return the lesser of two values. | 
| mix( x, y, a ) | Linearly interpolate between two values. | 
| negate( x ) | Negate the value of the parameter ( -x ). | 
| normalize( x ) | Calculate the unit vector in the same direction as the original vector. | 
| oneMinus( x ) | Return 1 minus the parameter. | 
| pow( x, y ) | Return the value of the first parameter raised to the power of the second. | 
| pow2( x ) | Return the square of the parameter. | 
| pow3( x ) | Return the cube of the parameter. | 
| pow4( x ) | Return the fourth power of the parameter. | 
| radians( degrees ) | Convert a quantity in degrees to radians. | 
| reciprocal( x ) | Return the reciprocal of the parameter (1/x). | 
| reflect( I, N ) | Calculate the reflection direction for an incident vector. | 
| refract( I, N, eta ) | Calculate the refraction direction for an incident vector. | 
| round( x ) | Round the parameter to the nearest integer. | 
| saturate( x ) | Constrain a value between 0 and 1. | 
| sign( x ) | Extract the sign of the parameter. | 
| sin( x ) | Return the sine of the parameter. | 
| smoothstep( e0, e1, x ) | Perform Hermite interpolation between two values. | 
| sqrt( x ) | Return the square root of the parameter. | 
| step( edge, x ) | Generate a step function by comparing two values. | 
| tan( x ) | Return the tangent of the parameter. | 
| transformDirection( dir, matrix ) | Transform the direction of a vector by a matrix and then normalize the result. | 
| trunc( x ) | Truncate the parameter, removing the fractional part. | 
const value = float( -1 );
// It's possible use `value.abs()` too.
const positiveValue = abs( value ); // output: 1Method chaining will only be including operators, converters, math and some core functions. These functions, however, can be used on any node.
Example:
oneMinus() is a mathematical function like abs(), sin(). This example uses .oneMinus() as a built-in function in the class that returns a new node instead of classic C function like oneMinus( texture( map ).rgb ).
// it will invert the texture color
material.colorNode = texture( map ).rgb.oneMinus();You can use mathematical operators on any node, e.g:
const contrast = .5;
const brightness = .5;
material.colorNode = texture( map ).mul( contrast ).add( brightness );| Name | Description | Type | 
|---|---|---|
| texture( texture, uv = uv(), level = null ) | Retrieves texels from a texture. | vec4 | 
| cubeTexture( texture, uvw = reflectVector, level = null ) | Retrieves texels from a cube texture. | vec4 | 
| triplanarTexture( textureX, textureY = null, textureZ = null, scale = float( 1 ), position = positionLocal, normal = normalLocal ) | Computes texture using triplanar mapping based on provided parameters. | vec4 | 
| Name | Description | Type | 
|---|---|---|
| attribute( name, type = null ) | Getting geometry attribute using name and type. | any | 
| uv( index = 0 ) | UV attribute named uv + index. | vec2 | 
| vertexColor( index = 0 ) | Vertex color node for the specified index. | color | 
| Name | Description | Type | 
|---|---|---|
| positionGeometry | Position attribute of geometry. | vec3 | 
| positionLocal | Local variable for position. | vec3 | 
| positionWorld | World position. | vec3 | 
| positionWorldDirection | Normalized world direction. | vec3 | 
| positionView | View position. | vec3 | 
| positionViewDirection | Normalized view direction. | vec3 | 
positionLocalrepresents the position after modifications made byskinning,morpher, etc.
| Name | Description | Type | 
|---|---|---|
| normalGeometry | Normal attribute of geometry. | vec3 | 
| normalLocal | Local variable for normal. | vec3 | 
| normalView | Normalized view normal. | vec3 | 
| normalWorld | Normalized world normal. | vec3 | 
| transformedNormalView | Transformed normal in view space. | vec3 | 
| transformedNormalWorld | Normalized transformed normal in world space. | vec3 | 
| transformedClearcoatNormalView | Transformed clearcoat normal in view space. | vec3 | 
transformed*represents the normal after modifications made byskinning,morpher, etc.
| Name | Description | Type | 
|---|---|---|
| tangentGeometry | Tangent attribute of geometry. | vec4 | 
| tangentLocal | Local variable for tangent. | vec3 | 
| tangentView | Normalized view tangent. | vec3 | 
| tangentWorld | Normalized world tangent. | vec3 | 
| transformedTangentView | Transformed tangent in view space. | vec3 | 
| transformedTangentWorld | Normalized transformed tangent in world space. | vec3 | 
| Name | Description | Type | 
|---|---|---|
| bitangentGeometry | Normalized bitangent in geometry space. | vec3 | 
| bitangentLocal | Normalized bitangent in local space. | vec3 | 
| bitangentView | Normalized bitangent in view space. | vec3 | 
| bitangentWorld | Normalized bitangent in world space. | vec3 | 
| transformedBitangentView | Normalized transformed bitangent in view space. | vec3 | 
| transformedBitangentWorld | Normalized transformed bitangent in world space. | vec3 | 
| Name | Description | Type | 
|---|---|---|
| cameraNear | Near plane distance of the camera. | float | 
| cameraFar | Far plane distance of the camera. | float | 
| cameraProjectionMatrix | Projection matrix of the camera. | mat4 | 
| cameraProjectionMatrixInverse | Inverse projection matrix of the camera. | mat4 | 
| cameraViewMatrix | View matrix of the camera. | mat4 | 
| cameraWorldMatrix | World matrix of the camera. | mat4 | 
| cameraNormalMatrix | Normal matrix of the camera. | mat3 | 
| cameraPosition | World position of the camera. | vec3 | 
| Name | Description | Type | 
|---|---|---|
| modelDirection | Direction of the model. | vec3 | 
| modelViewMatrix | View-space matrix of the model. | mat4 | 
| modelNormalMatrix | View-space matrix of the model. | mat3 | 
| modelWorldMatrix | World-space matrix of the model. | mat4 | 
| modelPosition | Position of the model. | vec3 | 
| modelScale | Scale of the model. | vec3 | 
| modelViewPosition | View-space position of the model. | vec3 | 
| modelWorldMatrixInverse | Inverse world matrix of the model. | mat4 | 
| highpModelViewMatrix | View-space matrix of the model computed on CPU using 64-bit. | mat4 | 
| highpModelNormalViewMatrix | View-space normal matrix of the model computed on CPU using 64-bit. | mat3 | 
Screen nodes will return the values related to the current frame buffer, either normalized or in physical pixel units considering the current Pixel Ratio.
| Variable | Description | Type | 
|---|---|---|
| screenUV | Returns the normalized frame buffer coordinate. | vec2 | 
| screenCoordinate | Returns the frame buffer coordinate in physical pixel units. | vec2 | 
| screentSize | Returns the frame buffer size in physical pixel units. | vec2 | 
viewport is influenced by the area defined in renderer.setViewport(), different of the values defined in the renderer that are logical pixel units, it use physical pixel units considering the current Pixel Ratio.
| Variable | Description | Type | 
|---|---|---|
| viewportUV | Returns the normalized viewport coordinate. | vec2 | 
| viewport | Returns the viewport dimension in physical pixel units. | vec4 | 
| viewportCoordinate | Returns the viewport coordinate in physical pixel units. | vec2 | 
| viewportSize | Returns the viewport size in physical pixel units. | vec2 | 
| Variable | Description | Type | 
|---|---|---|
| blendBurn( a, b ) | Returns the burn blend mode. | color | 
| blendDodge( a, b ) | Returns the dodge blend mode. | color | 
| blendOverlay( a, b ) | Returns the overlay blend mode. | color | 
| blendScreen( a, b ) | Returns the screen blend mode. | color | 
| blendColor( a, b ) | Returns the (normal) color blend mode. | color | 
| Name | Description | Type | 
|---|---|---|
| reflectView | Computes reflection direction in view space. | vec3 | 
| reflectVector | Transforms the reflection direction to world space. | vec3 | 
| Name | Description | Type | 
|---|---|---|
| matcapUV | UV coordinates for matcap texture. | vec2 | 
| rotateUV( uv, rotation, centerNode = vec2( 0.5 ) ) | Rotates UV coordinates around a center point. | vec2 | 
| spherizeUV( uv, strength, centerNode = vec2( 0.5 ) ) | Distorts UV coordinates with a spherical effect around a center point. | vec2 | 
| spritesheetUV( count, uv = uv(), frame = float( 0 ) ) | Computes UV coordinates for a sprite sheet based on the number of frames, UV coordinates, and frame index. | vec2 | 
| equirectUV( direction = positionWorldDirection ) | Computes UV coordinates for equirectangular mapping based on the direction vector. | vec2 | 
import { texture, matcapUV } from 'three/tsl';
const matcap = texture( matcapMap, matcapUV );| Variable | Description | Type | 
|---|---|---|
| remap( node, inLow, inHigh, outLow = float( 0 ), outHigh = float( 1 ) ) | Remaps a value from one range to another. | any | 
| remapClamp( node, inLow, inHigh, outLow = float( 0 ), outHigh = float( 1 ) ) | Remaps a value from one range to another, with clamping. | any | 
| Variable | Description | Type | 
|---|---|---|
| hash( seed ) | Generates a hash value in the range [ 0, 1 ] from the given seed. | float | 
| range( min, max ) | Generates a range attributeof values between min and max. Attribute randomization is useful when you want to randomize values between instances and not between pixels. | any | 
| Name | Description | Type | 
|---|---|---|
| rotate( position, rotation ) | Applies a rotation to the given position node. Depending on whether the position data are 2D or 3D, the rotation is expressed a single float value or an Euler value. | vec2,vec3 | 
| Variable | Description | Type | 
|---|---|---|
| oscSine( timer = timerGlobal ) | Generates a sine wave oscillation based on a timer. | float | 
| oscSquare( timer = timerGlobal ) | Generates a square wave oscillation based on a timer. | float | 
| oscTriangle( timer = timerGlobal ) | Generates a triangle wave oscillation based on a timer. | float | 
| oscSawtooth( timer = timerGlobal ) | Generates a sawtooth wave oscillation based on a timer. | float | 
| Variable | Description | Type | 
|---|---|---|
| directionToColor( value ) | Converts direction vector to color. | color | 
| colorToDirection( value ) | Converts color to direction vector. | vec3 | 
Check below for more details about NodeMaterial inputs.
| Name | Description | Type | 
|---|---|---|
| .fragmentNode | Replaces the built-in material logic used in the fragment stage. | vec4 | 
| .vertexNode | Replaces the built-in material logic used in the vertex stage. | vec4 | 
| .geometryNode | Allows you to execute a TSL function to deal with Geometry. | Fn() | 
| Name | Description | Reference | Type | 
|---|---|---|---|
| .colorNode | Replace the logic of material.color * material.map. | materialColor | vec4 | 
| .depthNode | Customize the depthoutput. | depth | float | 
| .opacityNode | Replace the logic of material.opacity * material.alphaMap. | materialOpacity | float | 
| .alphaTestNode | Sets a threshold to discard pixels with low opacity. | materialAlphaTest | float | 
| .positionNode | Represents the vertex positions in local-space. Replace the logic of material.displacementMap * material.displacementScale + material.displacementBias. | positionLocal | vec3 | 
| Name | Description | Reference | Type | 
|---|---|---|---|
| .emissiveNode | Replace the logic of material.emissive * material.emissiveIntensity * material.emissiveMap. | materialEmissive | color | 
| .normalNode | Represents the normals direction in view-space. Replace the logic of material.normalMap * material.normalScaleandmaterial.bumpMap * material.bumpScale. | materialNormal | vec3 | 
| .lightsNode | Defines the lights and lighting model that will be used by the material. | lights() | |
| .envNode | Replace the logic of material.envMap * material.envMapRotation * material.envMapIntensity. | color | 
| Name | Description | Type | 
|---|---|---|
| .backdropNode | Render the Nodeinput before applyingSpecular, useful fortransmissionandrefractionmaterials. | vec3 | 
| .backdropAlphaNode | Define the alpha of backdropNode. | float | 
| Name | Description | Reference | Type | 
|---|---|---|---|
| .castShadowNode | Control the colorandopacityof the shadow that will be projected by the material. | vec4 | |
| .receivedShadowNode | Handle the shadow cast on the material. | Fn() | |
| .shadowPositionNode | Define the shadow projection position in world-space. | shadowPositionWorld | vec3 | 
| .aoNode | Replace the logic of material.aoMap * aoMapIntensity. | materialAO | float | 
| Name | Description | Reference | Type | 
|---|---|---|---|
| .mrtNode | Define a different MRT than the one defined in pass(). | mrt() | |
| .outputNode | Defines the material's final output. | output | vec4 | 
| Name | Description | Reference | Type | 
|---|---|---|---|
| .dashScaleNode | Replace the logic of material.scale. | materialLineScale | float | 
| .dashSizeNode | Replace the logic of material.dashSize. | materialLineDashSize | float | 
| .gapSizeNode | Replace the logic of material.gapSize. | materialLineGapSize | float | 
| .offsetNode | Replace the logic of material.dashOffset. | materialLineDashOffset | float | 
| Name | Description | Reference | Type | 
|---|---|---|---|
| .shininessNode | Replace the logic of material.shininess. | materialShininess | float | 
| .specularNode | Replace the logic of material.specular. | materialSpecular | color | 
| Name | Description | Reference | Type | 
|---|---|---|---|
| .metalnessNode | Replace the logic of material.metalness * material.metalnessMap. | metalnessNode | float | 
| .roughnessNode | Replace the logic of material.roughness * material.roughnessMap. | roughnessNode | float | 
| Name | Description | Reference | Type | 
|---|---|---|---|
| .clearcoatNode | Replace the logic of material.clearcoat * material.clearcoatMap. | materialClearcoat | float | 
| .clearcoatRoughnessNode | Replace the logic of material.clearcoatRoughness * material.clearcoatRoughnessMap. | materialClearcoatRoughness | float | 
| .clearcoatNormalNode | Replace the logic of material.clearcoatNormalMap * material.clearcoatNormalMapScale. | materialClearcoatNormal | vec3 | 
| .sheenNode | Replace the logic of material.sheenColor * material.sheenColorMap. | materialSheen | color | 
| .iridescenceNode | Replace the logic of material.iridescence. | materialIridescence | float | 
| .iridescenceIORNode | Replace the logic of material.iridescenceIOR. | materialIridescenceIOR | float | 
| .iridescenceThicknessNode | Replace the logic of material.iridescenceThicknessRange * material.iridescenceThicknessMap. | materialIridescenceThickness | float | 
| .specularIntensityNode | Replace the logic of material.specularIntensity * material.specularIntensityMap. | materialSpecularIntensity | float | 
| .specularColorNode | Replace the logic of material.specularColor * material.specularColorMap. | materialSpecularColor | color | 
| .iorNode | Replace the logic of material.ior. | materialIOR | float | 
| .transmissionNode | Replace the logic of material.transmission * material.transmissionMap. | materialTransmission | color | 
| .thicknessNode | Replace the logic of material.thickness * material.thicknessMap. | materialTransmission | float | 
| .attenuationDistanceNode | Replace the logic of material.attenuationDistance. | materialAttenuationDistance | float | 
| .attenuationColorNode | Replace the logic of material.attenuationColor. | materialAttenuationColor | color | 
| .dispersionNode | Replace the logic of material.dispersion. | materialDispersion | float | 
| .anisotropyNode | Replace the logic of material.anisotropy * material.anisotropyMap. | materialAnisotropy | vec2 | 
| Name | Description | Type | 
|---|---|---|
| .positionNode | Defines the position. | vec3 | 
| .rotationNode | Defines the rotation. | float | 
| .scaleNode | Defines the scale. | vec2 | 
| GLSL | TSL | Type | 
|---|---|---|
| position | positionGeometry | vec3 | 
| transformed | positionLocal | vec3 | 
| transformedNormal | normalLocal | vec3 | 
| vWorldPosition | positionWorld | vec3 | 
| vColor | vertexColor() | vec3 | 
| vUv|uv | uv() | vec2 | 
| vNormal | normalView | vec3 | 
| viewMatrix | cameraViewMatrix | mat4 | 
| modelMatrix | modelWorldMatrix | mat4 | 
| modelViewMatrix | modelViewMatrix | mat4 | 
| projectionMatrix | cameraProjectionMatrix | mat4 | 
| diffuseColor | material.colorNode | vec4 | 
| gl_FragColor | material.fragmentNode | vec4 |