diff --git a/naloga_3/Light.js b/naloga_3/Light.js new file mode 100644 index 0000000..5d6174c --- /dev/null +++ b/naloga_3/Light.js @@ -0,0 +1,7 @@ +export class Light { + constructor({ ambient, cutoffAngle, intensity }) { + this.ambient = ambient; + this.cutoffAngle = cutoffAngle; + this.intensity = intensity; + } +} diff --git a/naloga_3/Renderer.js b/naloga_3/Renderer.js new file mode 100644 index 0000000..5c6cc02 --- /dev/null +++ b/naloga_3/Renderer.js @@ -0,0 +1,319 @@ +import { vec3, mat4 } from 'glm'; + +import * as WebGPU from 'engine/WebGPU.js'; + +import { Camera, Transform } from 'engine/core.js'; + +import { + getLocalModelMatrix, + getGlobalModelMatrix, + getGlobalViewMatrix, + getProjectionMatrix, + getModels, +} from 'engine/core/SceneUtils.js'; + +import { BaseRenderer } from 'engine/renderers/BaseRenderer.js'; + +import { Light } from './Light.js'; + +const vertexBufferLayout = { + arrayStride: 32, + attributes: [ + { + name: 'position', + shaderLocation: 0, + offset: 0, + format: 'float32x3', + }, + { + name: 'texcoords', + shaderLocation: 1, + offset: 12, + format: 'float32x2', + }, + { + name: 'normal', + shaderLocation: 2, + offset: 20, + format: 'float32x3', + }, + ], +}; + +export class Renderer extends BaseRenderer { + constructor(canvas) { + super(canvas); + } + + async initialize() { + await super.initialize(); + + const code = await fetch(new URL('shader.wgsl', import.meta.url)).then( + (response) => response.text(), + ); + const module = this.device.createShaderModule({ code }); + + this.pipeline = await this.device.createRenderPipelineAsync({ + layout: 'auto', + vertex: { + module, + buffers: [vertexBufferLayout], + }, + fragment: { + module, + targets: [{ format: this.format }], + }, + depthStencil: { + format: 'depth24plus', + depthWriteEnabled: true, + depthCompare: 'less', + }, + }); + + this.recreateDepthTexture(); + } + + recreateDepthTexture() { + this.depthTexture?.destroy(); + this.depthTexture = this.device.createTexture({ + format: 'depth24plus', + size: [this.canvas.width, this.canvas.height], + usage: GPUTextureUsage.RENDER_ATTACHMENT, + }); + } + + prepareNode(node) { + if (this.gpuObjects.has(node)) { + return this.gpuObjects.get(node); + } + + const modelUniformBuffer = this.device.createBuffer({ + label: 'modelUniformBuffer', + size: 128, + usage: GPUBufferUsage.UNIFORM | GPUBufferUsage.COPY_DST, + }); + + const modelBindGroup = this.device.createBindGroup({ + label: 'modelBindGroup', + layout: this.pipeline.getBindGroupLayout(1), + entries: [{ binding: 0, resource: { buffer: modelUniformBuffer } }], + }); + + const gpuObjects = { modelUniformBuffer, modelBindGroup }; + this.gpuObjects.set(node, gpuObjects); + return gpuObjects; + } + + prepareCamera(camera) { + if (this.gpuObjects.has(camera)) { + return this.gpuObjects.get(camera); + } + + const cameraUniformBuffer = this.device.createBuffer({ + label: 'cameraUniformBuffer', + size: 144, + usage: GPUBufferUsage.UNIFORM | GPUBufferUsage.COPY_DST, + }); + + const cameraBindGroup = this.device.createBindGroup({ + label: 'cameraBindGroup', + layout: this.pipeline.getBindGroupLayout(0), + entries: [ + { binding: 0, resource: { buffer: cameraUniformBuffer } }, + ], + }); + + const gpuObjects = { cameraUniformBuffer, cameraBindGroup }; + this.gpuObjects.set(camera, gpuObjects); + return gpuObjects; + } + + prepareLight(light) { + if (this.gpuObjects.has(light)) { + return this.gpuObjects.get(light); + } + + const lightUniformBuffer = this.device.createBuffer({ + label: 'lightUniformBuffer', + size: 48, + usage: GPUBufferUsage.UNIFORM | GPUBufferUsage.COPY_DST, + }); + + const lightBindGroup = this.device.createBindGroup({ + label: 'lightBindGroup', + layout: this.pipeline.getBindGroupLayout(3), + entries: [{ binding: 0, resource: { buffer: lightUniformBuffer } }], + }); + + const gpuObjects = { lightUniformBuffer, lightBindGroup }; + this.gpuObjects.set(light, gpuObjects); + return gpuObjects; + } + + prepareMaterial(material) { + if (this.gpuObjects.has(material)) { + return this.gpuObjects.get(material); + } + + const baseTexture = this.prepareImage( + material.baseTexture.image, + ).gpuTexture; + const baseSampler = this.prepareSampler( + material.baseTexture.sampler, + ).gpuSampler; + + const materialUniformBuffer = this.device.createBuffer({ + size: 64, + usage: GPUBufferUsage.UNIFORM | GPUBufferUsage.COPY_DST, + }); + + const materialBindGroup = this.device.createBindGroup({ + label: 'materialBindGroup', + layout: this.pipeline.getBindGroupLayout(2), + entries: [ + { binding: 0, resource: { buffer: materialUniformBuffer } }, + { binding: 1, resource: baseTexture.createView() }, + { binding: 2, resource: baseSampler }, + ], + }); + + const gpuObjects = { materialUniformBuffer, materialBindGroup }; + this.gpuObjects.set(material, gpuObjects); + return gpuObjects; + } + + calculateLightDirection(lightMatrix) { + // const lightDirection = mat4.getTranslation(vec3.create(), lightMatrix); + + const lightDirection = vec3.fromValues( + lightMatrix[4], + lightMatrix[5], + lightMatrix[6], + ); + + vec3.negate(lightDirection, lightDirection); + vec3.normalize(lightDirection, lightDirection); + + return lightDirection; + } + + render(scene, camera) { + if ( + this.depthTexture.width !== this.canvas.width || + this.depthTexture.height !== this.canvas.height + ) { + this.recreateDepthTexture(); + } + + const encoder = this.device.createCommandEncoder(); + this.renderPass = encoder.beginRenderPass({ + colorAttachments: [ + { + view: this.context.getCurrentTexture().createView(), + clearValue: [1, 1, 1, 1], + loadOp: 'clear', + storeOp: 'store', + }, + ], + depthStencilAttachment: { + view: this.depthTexture.createView(), + depthClearValue: 1, + depthLoadOp: 'clear', + depthStoreOp: 'discard', + }, + }); + this.renderPass.setPipeline(this.pipeline); + + const cameraComponent = camera.getComponentOfType(Camera); + const cameraMatrix = getGlobalModelMatrix(camera); + const cameraPosition = mat4.getTranslation(vec3.create(), cameraMatrix); + const viewMatrix = getGlobalViewMatrix(camera); + const projectionMatrix = getProjectionMatrix(camera); + const { cameraUniformBuffer, cameraBindGroup } = + this.prepareCamera(cameraComponent); + this.device.queue.writeBuffer(cameraUniformBuffer, 0, viewMatrix); + this.device.queue.writeBuffer( + cameraUniformBuffer, + 64, + projectionMatrix, + ); + this.device.queue.writeBuffer(cameraUniformBuffer, 128, cameraPosition); + this.renderPass.setBindGroup(0, cameraBindGroup); + + const light = scene.find((node) => node.getComponentOfType(Light)); + const lightComponent = light.getComponentOfType(Light); + const lightMatrix = getGlobalModelMatrix(light); + const lightPosition = mat4.getTranslation(vec3.create(), lightMatrix); + const lightDirection = this.calculateLightDirection(lightMatrix); + const { lightUniformBuffer, lightBindGroup } = + this.prepareLight(lightComponent); + this.device.queue.writeBuffer(lightUniformBuffer, 0, lightPosition); + this.device.queue.writeBuffer(lightUniformBuffer, 12, lightDirection); + this.device.queue.writeBuffer( + lightUniformBuffer, + 24, + new Float32Array([ + 1.0, + Math.cos(lightComponent.cutoffAngle), + lightComponent.ambient, + lightComponent.intensity, + ]), + ); + this.renderPass.setBindGroup(3, lightBindGroup); + + this.renderNode(scene); + + this.renderPass.end(); + this.device.queue.submit([encoder.finish()]); + } + + renderNode(node, modelMatrix = mat4.create()) { + const localMatrix = getLocalModelMatrix(node); + modelMatrix = mat4.multiply(mat4.create(), modelMatrix, localMatrix); + + const { modelUniformBuffer, modelBindGroup } = this.prepareNode(node); + const normalMatrix = mat4.normalFromMat4(mat4.create(), modelMatrix); + this.device.queue.writeBuffer(modelUniformBuffer, 0, modelMatrix); + this.device.queue.writeBuffer(modelUniformBuffer, 64, normalMatrix); + this.renderPass.setBindGroup(1, modelBindGroup); + + for (const model of getModels(node)) { + this.renderModel(model); + } + + for (const child of node.children) { + this.renderNode(child, modelMatrix); + } + } + + renderModel(model) { + for (const primitive of model.primitives) { + this.renderPrimitive(primitive); + } + } + + renderPrimitive(primitive) { + const { materialUniformBuffer, materialBindGroup } = + this.prepareMaterial(primitive.material); + this.device.queue.writeBuffer( + materialUniformBuffer, + 0, + new Float32Array(primitive.material.baseFactor), + ); + this.device.queue.writeBuffer( + materialUniformBuffer, + 16, + new Float32Array([1, 1]), + ); + this.renderPass.setBindGroup(2, materialBindGroup); + + const { vertexBuffer, indexBuffer } = this.prepareMesh( + primitive.mesh, + vertexBufferLayout, + ); + this.renderPass.setVertexBuffer(0, vertexBuffer); + this.renderPass.setIndexBuffer(indexBuffer, 'uint32'); + + this.renderPass.drawIndexed(primitive.mesh.indices.length); + } +} diff --git a/naloga_3/engine/WebGPU.js b/naloga_3/engine/WebGPU.js new file mode 100644 index 0000000..393c797 --- /dev/null +++ b/naloga_3/engine/WebGPU.js @@ -0,0 +1,73 @@ +export function createBuffer(device, { data, usage }) { + const buffer = device.createBuffer({ + size: Math.ceil(data.byteLength / 4) * 4, + mappedAtCreation: true, + usage, + }); + if (ArrayBuffer.isView(data)) { + new data.constructor(buffer.getMappedRange()).set(data); + } else { + new Uint8Array(buffer.getMappedRange()).set(new Uint8Array(data)); + } + buffer.unmap(); + return buffer; +} + +export function createTextureFromSource(device, { + source, + format = 'rgba8unorm', + usage = 0, + mipLevelCount = 1, + flipY = false, +}) { + const size = [source.width, source.height]; + const texture = device.createTexture({ + format, + size, + mipLevelCount, + usage: usage | + GPUTextureUsage.TEXTURE_BINDING | + GPUTextureUsage.COPY_DST | + GPUTextureUsage.RENDER_ATTACHMENT, + }); + device.queue.copyExternalImageToTexture( + { source, flipY }, + { texture }, + size, + ); + return texture; +} + +export function createTextureFromData(device, { + data, + size, + bytesPerRow, + rowsPerImage, + format = 'rgba8unorm', + dimension = '2d', + usage = 0, + mipLevelCount = 1, + flipY = false, +}) { + const texture = device.createTexture({ + format, + size, + mipLevelCount, + usage: usage | GPUTextureUsage.COPY_DST, + }); + device.queue.writeTexture( + { texture }, + data, + { bytesPerRow, rowsPerImage }, + size, + ); + return texture; +} + +export function createTexture(device, options) { + if (options.source) { + return createTextureFromSource(device, options); + } else { + return createTextureFromData(device, options); + } +} diff --git a/naloga_3/engine/animators/EasingFunctions.js b/naloga_3/engine/animators/EasingFunctions.js new file mode 100644 index 0000000..849be3a --- /dev/null +++ b/naloga_3/engine/animators/EasingFunctions.js @@ -0,0 +1,47 @@ +export function swap(f, t, ...args) { return 1 - f(1 - t, ...args); } +export function inout(f, t, ...args) { return t < 0.5 ? f(2 * t, ...args) / 2 : 1 - f(2 * (1 - t), ...args) / 2; } + +export function step(t, p = 0) { return t < p ? 0 : 1; } +export function stepEaseIn(...args) { return step(...args); } +export function stepEaseOut(...args) { return swap(step, ...args); } +export function stepEaseInOut(...args) { return inout(step, ...args); } + +export function linear(t) { return t; } +export function linearEaseIn(...args) { return linear(...args); } +export function linearEaseOut(...args) { return swap(linear, ...args); } +export function linearEaseInOut(...args) { return inout(linear, ...args); } + +export function poly(t, p = 2) { return Math.pow(t, p); } +export function polyEaseIn(...args) { return poly(...args); } +export function polyEaseOut(...args) { return swap(poly, ...args); } +export function polyEaseInOut(...args) { return inout(poly, ...args); } + +export function expo(t, p = 5) { return (Math.exp(p * t) - 1) / (Math.exp(p) - 1); } +export function expoEaseIn(...args) { return expo(...args); } +export function expoEaseOut(...args) { return swap(expo, ...args); } +export function expoEaseInOut(...args) { return inout(expo, ...args); } + +export function sine(t, n = 1) { return 1 - Math.cos(n * t * Math.PI / 2); } +export function sineEaseIn(...args) { return sine(...args); } +export function sineEaseOut(...args) { return swap(sine, ...args); } +export function sineEaseInOut(...args) { return inout(sine, ...args); } + +export function circ(t) { return 1 - Math.sqrt(1 - t * t); } +export function circEaseIn(...args) { return circ(...args); } +export function circEaseOut(...args) { return swap(circ, ...args); } +export function circEaseInOut(...args) { return inout(circ, ...args); } + +export function back(t, p = 2) { return t * t * ((p + 1) * t - p); } +export function backEaseIn(...args) { return back(...args); } +export function backEaseOut(...args) { return swap(back, ...args); } +export function backEaseInOut(...args) { return inout(back, ...args); } + +export function elastic(t, p = 5, n = 5) { return expo(t, p) * (1 - sine(t, 4 * n)); } +export function elasticEaseIn(...args) { return elastic(...args); } +export function elasticEaseOut(...args) { return swap(elastic, ...args); } +export function elasticEaseInOut(...args) { return inout(elastic, ...args); } + +export function bounce(t, p = 2, n = 2) { return Math.abs(poly(t, p) * (1 - sine(t, 4 * n))); } +export function bounceEaseIn(...args) { return bounce(...args); } +export function bounceEaseOut(...args) { return swap(bounce, ...args); } +export function bounceEaseInOut(...args) { return inout(bounce, ...args); } diff --git a/naloga_3/engine/animators/LinearAnimator.js b/naloga_3/engine/animators/LinearAnimator.js new file mode 100644 index 0000000..f67bc68 --- /dev/null +++ b/naloga_3/engine/animators/LinearAnimator.js @@ -0,0 +1,54 @@ +import { vec3 } from 'glm'; + +import { Transform } from '../core/Transform.js'; + +export class LinearAnimator { + + constructor(node, { + startPosition = [0, 0, 0], + endPosition = [0, 0, 0], + startTime = 0, + duration = 1, + loop = false, + } = {}) { + this.node = node; + + this.startPosition = startPosition; + this.endPosition = endPosition; + + this.startTime = startTime; + this.duration = duration; + this.loop = loop; + + this.playing = true; + } + + play() { + this.playing = true; + } + + pause() { + this.playing = false; + } + + update(t, dt) { + if (!this.playing) { + return; + } + + const linearInterpolation = (t - this.startTime) / this.duration; + const clampedInterpolation = Math.min(Math.max(linearInterpolation, 0), 1); + const loopedInterpolation = ((linearInterpolation % 1) + 1) % 1; + this.updateNode(this.loop ? loopedInterpolation : clampedInterpolation); + } + + updateNode(interpolation) { + const transform = this.node.getComponentOfType(Transform); + if (!transform) { + return; + } + + vec3.lerp(transform.translation, this.startPosition, this.endPosition, interpolation); + } + +} diff --git a/naloga_3/engine/animators/RotateAnimator.js b/naloga_3/engine/animators/RotateAnimator.js new file mode 100644 index 0000000..c25de0b --- /dev/null +++ b/naloga_3/engine/animators/RotateAnimator.js @@ -0,0 +1,54 @@ +import { quat, vec3 } from 'glm'; + +import { Transform } from '../core/Transform.js'; + +export class RotateAnimator { + + constructor(node, { + startRotation = [0, 0, 0, 1], + endRotation = [0, 0, 0, 1], + startTime = 0, + duration = 1, + loop = false, + } = {}) { + this.node = node; + + this.startRotation = startRotation; + this.endRotation = endRotation; + + this.startTime = startTime; + this.duration = duration; + this.loop = loop; + + this.playing = true; + } + + play() { + this.playing = true; + } + + pause() { + this.playing = false; + } + + update(t, dt) { + if (!this.playing) { + return; + } + + const linearInterpolation = (t - this.startTime) / this.duration; + const clampedInterpolation = Math.min(Math.max(linearInterpolation, 0), 1); + const loopedInterpolation = ((linearInterpolation % 1) + 1) % 1; + this.updateNode(this.loop ? loopedInterpolation : clampedInterpolation); + } + + updateNode(interpolation) { + const transform = this.node.getComponentOfType(Transform); + if (!transform) { + return; + } + + quat.slerp(transform.rotation, this.startRotation, this.endRotation, interpolation); + } + +} diff --git a/naloga_3/engine/controllers/FirstPersonController.js b/naloga_3/engine/controllers/FirstPersonController.js new file mode 100644 index 0000000..afdbfc5 --- /dev/null +++ b/naloga_3/engine/controllers/FirstPersonController.js @@ -0,0 +1,131 @@ +import { quat, vec3, mat4 } from 'glm'; + +import { Transform } from '../core/Transform.js'; + +export class FirstPersonController { + + constructor(node, domElement, { + pitch = 0, + yaw = 0, + velocity = [0, 0, 0], + acceleration = 50, + maxSpeed = 5, + decay = 0.99999, + pointerSensitivity = 0.002, + } = {}) { + this.node = node; + this.domElement = domElement; + + this.keys = {}; + + this.pitch = pitch; + this.yaw = yaw; + + this.velocity = velocity; + this.acceleration = acceleration; + this.maxSpeed = maxSpeed; + this.decay = decay; + this.pointerSensitivity = pointerSensitivity; + + this.initHandlers(); + } + + initHandlers() { + this.pointermoveHandler = this.pointermoveHandler.bind(this); + this.keydownHandler = this.keydownHandler.bind(this); + this.keyupHandler = this.keyupHandler.bind(this); + + const element = this.domElement; + const doc = element.ownerDocument; + + doc.addEventListener('keydown', this.keydownHandler); + doc.addEventListener('keyup', this.keyupHandler); + + element.addEventListener('click', e => element.requestPointerLock()); + doc.addEventListener('pointerlockchange', e => { + if (doc.pointerLockElement === element) { + doc.addEventListener('pointermove', this.pointermoveHandler); + } else { + doc.removeEventListener('pointermove', this.pointermoveHandler); + } + }); + } + + update(t, dt) { + // Calculate forward and right vectors. + const cos = Math.cos(this.yaw); + const sin = Math.sin(this.yaw); + const forward = [-sin, 0, -cos]; + const right = [cos, 0, -sin]; + + // Map user input to the acceleration vector. + const acc = vec3.create(); + if (this.keys['KeyW']) { + vec3.add(acc, acc, forward); + } + if (this.keys['KeyS']) { + vec3.sub(acc, acc, forward); + } + if (this.keys['KeyD']) { + vec3.add(acc, acc, right); + } + if (this.keys['KeyA']) { + vec3.sub(acc, acc, right); + } + + // Update velocity based on acceleration. + vec3.scaleAndAdd(this.velocity, this.velocity, acc, dt * this.acceleration); + + // If there is no user input, apply decay. + if (!this.keys['KeyW'] && + !this.keys['KeyS'] && + !this.keys['KeyD'] && + !this.keys['KeyA']) + { + const decay = Math.exp(dt * Math.log(1 - this.decay)); + vec3.scale(this.velocity, this.velocity, decay); + } + + // Limit speed to prevent accelerating to infinity and beyond. + const speed = vec3.length(this.velocity); + if (speed > this.maxSpeed) { + vec3.scale(this.velocity, this.velocity, this.maxSpeed / speed); + } + + const transform = this.node.getComponentOfType(Transform); + if (transform) { + // Update translation based on velocity. + vec3.scaleAndAdd(transform.translation, + transform.translation, this.velocity, dt); + + // Update rotation based on the Euler angles. + const rotation = quat.create(); + quat.rotateY(rotation, rotation, this.yaw); + quat.rotateX(rotation, rotation, this.pitch); + transform.rotation = rotation; + } + } + + pointermoveHandler(e) { + const dx = e.movementX; + const dy = e.movementY; + + this.pitch -= dy * this.pointerSensitivity; + this.yaw -= dx * this.pointerSensitivity; + + const twopi = Math.PI * 2; + const halfpi = Math.PI / 2; + + this.pitch = Math.min(Math.max(this.pitch, -halfpi), halfpi); + this.yaw = ((this.yaw % twopi) + twopi) % twopi; + } + + keydownHandler(e) { + this.keys[e.code] = true; + } + + keyupHandler(e) { + this.keys[e.code] = false; + } + +} diff --git a/naloga_3/engine/controllers/OrbitController.js b/naloga_3/engine/controllers/OrbitController.js new file mode 100644 index 0000000..adc6df8 --- /dev/null +++ b/naloga_3/engine/controllers/OrbitController.js @@ -0,0 +1,74 @@ +import { quat, vec3 } from 'glm'; + +import { Transform } from '../core/Transform.js'; + +export class OrbitController { + + constructor(node, domElement, { + rotation = [0, 0, 0, 1], + distance = 2, + moveSensitivity = 0.004, + zoomSensitivity = 0.002, + } = {}) { + this.node = node; + this.domElement = domElement; + + this.rotation = rotation; + this.distance = distance; + + this.moveSensitivity = moveSensitivity; + this.zoomSensitivity = zoomSensitivity; + + this.initHandlers(); + } + + initHandlers() { + this.pointerdownHandler = this.pointerdownHandler.bind(this); + this.pointerupHandler = this.pointerupHandler.bind(this); + this.pointermoveHandler = this.pointermoveHandler.bind(this); + this.wheelHandler = this.wheelHandler.bind(this); + + this.domElement.addEventListener('pointerdown', this.pointerdownHandler); + this.domElement.addEventListener('wheel', this.wheelHandler); + } + + pointerdownHandler(e) { + this.domElement.setPointerCapture(e.pointerId); + this.domElement.requestPointerLock(); + this.domElement.removeEventListener('pointerdown', this.pointerdownHandler); + this.domElement.addEventListener('pointerup', this.pointerupHandler); + this.domElement.addEventListener('pointermove', this.pointermoveHandler); + } + + pointerupHandler(e) { + this.domElement.releasePointerCapture(e.pointerId); + this.domElement.ownerDocument.exitPointerLock(); + this.domElement.addEventListener('pointerdown', this.pointerdownHandler); + this.domElement.removeEventListener('pointerup', this.pointerupHandler); + this.domElement.removeEventListener('pointermove', this.pointermoveHandler); + } + + pointermoveHandler(e) { + const dx = e.movementX; + const dy = e.movementY; + + quat.rotateX(this.rotation, this.rotation, -dy * this.moveSensitivity); + quat.rotateY(this.rotation, this.rotation, -dx * this.moveSensitivity); + quat.normalize(this.rotation, this.rotation); + } + + wheelHandler(e) { + this.distance *= Math.exp(this.zoomSensitivity * e.deltaY); + } + + update() { + const transform = this.node.getComponentOfType(Transform); + if (!transform) { + return; + } + + quat.copy(transform.rotation, this.rotation); + vec3.transformQuat(transform.translation, [0, 0, this.distance], this.rotation); + } + +} diff --git a/naloga_3/engine/controllers/TouchController.js b/naloga_3/engine/controllers/TouchController.js new file mode 100644 index 0000000..e6dd5c9 --- /dev/null +++ b/naloga_3/engine/controllers/TouchController.js @@ -0,0 +1,143 @@ +import { quat, vec2, vec3 } from 'glm'; + +import { Transform } from 'engine/core/Transform.js'; + +export class TouchController { + + constructor(node, domElement, { + translation = [0, 0, 0], + rotation = [0, 0, 0, 1], + distance = 2, + translateSensitivity = 0.001, + rotateSensitivity = 0.004, + wheelSensitivity = 0.002, + } = {}) { + this.node = node; + this.domElement = domElement; + + this.translation = translation; + this.rotation = rotation; + this.distance = distance; + + this.translateSensitivity = translateSensitivity; + this.rotateSensitivity = rotateSensitivity; + this.wheelSensitivity = wheelSensitivity; + + this.pointers = new Map(); + this.initHandlers(); + } + + initHandlers() { + this.pointerdownHandler = this.pointerdownHandler.bind(this); + this.pointerupHandler = this.pointerupHandler.bind(this); + this.pointermoveHandler = this.pointermoveHandler.bind(this); + this.wheelHandler = this.wheelHandler.bind(this); + + this.domElement.addEventListener('pointerdown', this.pointerdownHandler); + this.domElement.addEventListener('pointerup', this.pointerupHandler); + this.domElement.addEventListener('pointercancel', this.pointerupHandler); + this.domElement.addEventListener('pointermove', this.pointermoveHandler); + this.domElement.addEventListener('wheel', this.wheelHandler); + } + + pointerdownHandler(e) { + this.pointers.set(e.pointerId, e); + this.domElement.setPointerCapture(e.pointerId); + this.domElement.requestPointerLock(); + } + + pointerupHandler(e) { + this.pointers.delete(e.pointerId); + this.domElement.releasePointerCapture(e.pointerId); + this.domElement.ownerDocument.exitPointerLock(); + } + + pointermoveHandler(e) { + if (!this.pointers.has(e.pointerId)) { + return; + } + + if (this.pointers.size === 1) { + if (e.shiftKey) { + this.translate(e.movementX, e.movementY); + } else { + this.rotate(e.movementX, e.movementY); + } + this.pointers.set(e.pointerId, e); + } else { + const N = this.pointers.size; + + // Points before movement + const A = [...this.pointers.values()].map(e => [e.clientX, e.clientY]); + + this.pointers.set(e.pointerId, e); + + // Points after movement + const B = [...this.pointers.values()].map(e => [e.clientX, e.clientY]); + + const centroidA = A.reduce((a, v) => vec2.scaleAndAdd(a, a, v, 1 / N), [0, 0]); + const centroidB = B.reduce((a, v) => vec2.scaleAndAdd(a, a, v, 1 / N), [0, 0]); + + const translation = vec2.subtract(vec2.create(), centroidB, centroidA); + + const centeredA = A.map(v => vec2.subtract(vec2.create(), v, centroidA)); + const centeredB = B.map(v => vec2.subtract(vec2.create(), v, centroidB)); + + const scaleA = centeredA.reduce((a, v) => a + vec2.length(v) / N, 0); + const scaleB = centeredB.reduce((a, v) => a + vec2.length(v) / N, 0); + + const scale = scaleA / scaleB; + + const normalizedA = centeredA.map(v => vec2.normalize(vec2.create(), v)); + const normalizedB = centeredB.map(v => vec2.normalize(vec2.create(), v)); + + let sin = 0; + for (let i = 0; i < A.length; i++) { + const a = normalizedA[i]; + const b = normalizedB[i]; + sin += (a[0] * b[1] - a[1] * b[0]) / N; + } + const angle = Math.asin(sin); + + this.translate(...translation); + this.scale(scale); + this.screw(angle); + } + } + + wheelHandler(e) { + this.scale(Math.exp(e.deltaY * this.wheelSensitivity)); + } + + screw(amount) { + quat.rotateZ(this.rotation, this.rotation, amount); + } + + rotate(dx, dy) { + quat.rotateX(this.rotation, this.rotation, -dy * this.rotateSensitivity); + quat.rotateY(this.rotation, this.rotation, -dx * this.rotateSensitivity); + quat.normalize(this.rotation, this.rotation); + } + + translate(dx, dy) { + const translation = [-dx, dy, 0]; + vec3.transformQuat(translation, translation, this.rotation); + vec3.scaleAndAdd(this.translation, this.translation, translation, this.distance * this.translateSensitivity); + } + + scale(amount) { + this.distance *= amount; + } + + update() { + const transform = this.node.getComponentOfType(Transform); + if (!transform) { + return; + } + + quat.copy(transform.rotation, this.rotation); + vec3.transformQuat(transform.translation, [0, 0, this.distance], this.rotation); + vec3.add(transform.translation, transform.translation, this.translation); + } + +} diff --git a/naloga_3/engine/controllers/TurntableController.js b/naloga_3/engine/controllers/TurntableController.js new file mode 100644 index 0000000..d560662 --- /dev/null +++ b/naloga_3/engine/controllers/TurntableController.js @@ -0,0 +1,88 @@ +import { quat, vec3 } from 'glm'; + +import { Transform } from '../core/Transform.js'; + +export class TurntableController { + + constructor(node, domElement, { + pitch = 0, + yaw = 0, + distance = 1, + moveSensitivity = 0.004, + zoomSensitivity = 0.002, + } = {}) { + this.node = node; + this.domElement = domElement; + + this.pitch = pitch; + this.yaw = yaw; + this.distance = distance; + + this.moveSensitivity = moveSensitivity; + this.zoomSensitivity = zoomSensitivity; + + this.initHandlers(); + } + + initHandlers() { + this.pointerdownHandler = this.pointerdownHandler.bind(this); + this.pointerupHandler = this.pointerupHandler.bind(this); + this.pointermoveHandler = this.pointermoveHandler.bind(this); + this.wheelHandler = this.wheelHandler.bind(this); + + this.domElement.addEventListener('pointerdown', this.pointerdownHandler); + this.domElement.addEventListener('wheel', this.wheelHandler); + } + + pointerdownHandler(e) { + this.domElement.setPointerCapture(e.pointerId); + this.domElement.requestPointerLock(); + this.domElement.removeEventListener('pointerdown', this.pointerdownHandler); + this.domElement.addEventListener('pointerup', this.pointerupHandler); + this.domElement.addEventListener('pointermove', this.pointermoveHandler); + } + + pointerupHandler(e) { + this.domElement.releasePointerCapture(e.pointerId); + this.domElement.ownerDocument.exitPointerLock(); + this.domElement.addEventListener('pointerdown', this.pointerdownHandler); + this.domElement.removeEventListener('pointerup', this.pointerupHandler); + this.domElement.removeEventListener('pointermove', this.pointermoveHandler); + } + + pointermoveHandler(e) { + const dx = e.movementX; + const dy = e.movementY; + + this.pitch -= dy * this.moveSensitivity; + this.yaw -= dx * this.moveSensitivity; + + const twopi = Math.PI * 2; + const halfpi = Math.PI / 2; + + this.pitch = Math.min(Math.max(this.pitch, -halfpi), halfpi); + this.yaw = ((this.yaw % twopi) + twopi) % twopi; + } + + wheelHandler(e) { + this.distance *= Math.exp(this.zoomSensitivity * e.deltaY); + } + + update() { + const transform = this.node.getComponentOfType(Transform); + if (!transform) { + return; + } + + const rotation = quat.create(); + quat.rotateY(rotation, rotation, this.yaw); + quat.rotateX(rotation, rotation, this.pitch); + transform.rotation = rotation; + + const translation = [0, 0, this.distance]; + vec3.rotateX(translation, translation, [0, 0, 0], this.pitch); + vec3.rotateY(translation, translation, [0, 0, 0], this.yaw); + transform.translation = translation; + } + +} diff --git a/naloga_3/engine/core.js b/naloga_3/engine/core.js new file mode 100644 index 0000000..f780e30 --- /dev/null +++ b/naloga_3/engine/core.js @@ -0,0 +1,11 @@ +export * from './core/Accessor.js'; +export * from './core/Camera.js'; +export * from './core/Material.js'; +export * from './core/Mesh.js'; +export * from './core/Model.js'; +export * from './core/Node.js'; +export * from './core/Primitive.js'; +export * from './core/Sampler.js'; +export * from './core/Texture.js'; +export * from './core/Transform.js'; +export * from './core/Vertex.js'; diff --git a/naloga_3/engine/core/Accessor.js b/naloga_3/engine/core/Accessor.js new file mode 100644 index 0000000..766222c --- /dev/null +++ b/naloga_3/engine/core/Accessor.js @@ -0,0 +1,132 @@ +export class Accessor { + + constructor({ + buffer, + viewLength, + viewOffset = 0, + offset = 0, + stride = componentSize, + + componentType = 'int', + componentCount = 1, + componentSize = 1, + componentSigned = false, + componentNormalized = false, + } = {}) { + this.buffer = buffer; + this.offset = offset; + this.stride = stride; + + this.componentType = componentType; + this.componentCount = componentCount; + this.componentSize = componentSize; + this.componentSigned = componentSigned; + this.componentNormalized = componentNormalized; + + const viewType = this.getViewType({ + componentType, + componentSize, + componentSigned, + }); + + if (viewLength !== undefined) { + this.view = new viewType(buffer, viewOffset, viewLength / viewType.BYTES_PER_ELEMENT); + } else { + this.view = new viewType(buffer, viewOffset); + } + + this.offsetInElements = offset / viewType.BYTES_PER_ELEMENT; + this.strideInElements = stride / viewType.BYTES_PER_ELEMENT; + + this.count = Math.floor((this.view.length - this.offsetInElements) / this.strideInElements); + + this.normalize = this.getNormalizer({ + componentType, + componentSize, + componentSigned, + componentNormalized, + }); + + this.denormalize = this.getDenormalizer({ + componentType, + componentSize, + componentSigned, + componentNormalized, + }); + } + + get(index) { + const start = index * this.strideInElements + this.offsetInElements; + const end = start + this.componentCount; + return [...this.view.slice(start, end)].map(this.normalize); + } + + set(index, value) { + const start = index * this.strideInElements + this.offsetInElements; + this.view.set(value.map(this.denormalize), start); + } + + getNormalizer({ + componentType, + componentSize, + componentSigned, + componentNormalized, + }) { + if (!componentNormalized || componentType === 'float') { + return x => x; + } + + const multiplier = componentSigned + ? 2 ** ((componentSize * 8) - 1) - 1 + : 2 ** (componentSize * 8) - 1; + + return x => Math.max(x / multiplier, -1); + } + + getDenormalizer({ + componentType, + componentSize, + componentSigned, + componentNormalized, + }) { + if (!componentNormalized || componentType === 'float') { + return x => x; + } + + const multiplier = componentSigned + ? 2 ** ((componentSize * 8) - 1) - 1 + : 2 ** (componentSize * 8) - 1; + + const min = componentSigned ? -1 : 0; + const max = 1; + + return x => Math.floor(0.5 + multiplier * Math.min(Math.max(x, min), max)); + } + + getViewType({ + componentType, + componentSize, + componentSigned, + }) { + if (componentType === 'float') { + if (componentSize === 4) { + return Float32Array; + } + } else if (componentType === 'int') { + if (componentSigned) { + switch (componentSize) { + case 1: return Int8Array; + case 2: return Int16Array; + case 4: return Int32Array; + } + } else { + switch (componentSize) { + case 1: return Uint8Array; + case 2: return Uint16Array; + case 4: return Uint32Array; + } + } + } + } + +} diff --git a/naloga_3/engine/core/Camera.js b/naloga_3/engine/core/Camera.js new file mode 100644 index 0000000..1f7616c --- /dev/null +++ b/naloga_3/engine/core/Camera.js @@ -0,0 +1,46 @@ +import { mat4 } from 'glm'; + +export class Camera { + + constructor({ + orthographic = 0, + aspect = 1, + fovy = 1, + halfy = 1, + near = 0.01, + far = 1000, + } = {}) { + this.orthographic = orthographic; + this.aspect = aspect; + this.fovy = fovy; + this.halfy = halfy; + this.near = near; + this.far = far; + } + + get projectionMatrix() { + if (this.orthographic === 0) { + return this.perspectiveMatrix; + } else if (this.orthographic === 1) { + return this.orthographicMatrix; + } else { + const a = this.orthographicMatrix; + const b = this.perspectiveMatrix; + return mat4.add(mat4.create(), + mat4.multiplyScalar(a, a, this.orthographic), + mat4.multiplyScalar(b, b, 1 - this.orthographic)); + } + } + + get orthographicMatrix() { + const { halfy, aspect, near, far } = this; + const halfx = halfy * aspect; + return mat4.orthoZO(mat4.create(), -halfx, halfx, -halfy, halfy, near, far); + } + + get perspectiveMatrix() { + const { fovy, aspect, near, far } = this; + return mat4.perspectiveZO(mat4.create(), fovy, aspect, near, far); + } + +} diff --git a/naloga_3/engine/core/Material.js b/naloga_3/engine/core/Material.js new file mode 100644 index 0000000..88d3f86 --- /dev/null +++ b/naloga_3/engine/core/Material.js @@ -0,0 +1,33 @@ +export class Material { + + constructor({ + baseTexture, + emissionTexture, + normalTexture, + occlusionTexture, + roughnessTexture, + metalnessTexture, + + baseFactor = [1, 1, 1, 1], + emissionFactor = [0, 0, 0], + normalFactor = 1, + occlusionFactor = 1, + roughnessFactor = 1, + metalnessFactor = 1, + } = {}) { + this.baseTexture = baseTexture; + this.emissionTexture = emissionTexture; + this.normalTexture = normalTexture; + this.occlusionTexture = occlusionTexture; + this.roughnessTexture = roughnessTexture; + this.metalnessTexture = metalnessTexture; + + this.baseFactor = baseFactor; + this.emissionFactor = emissionFactor; + this.normalFactor = normalFactor; + this.occlusionFactor = occlusionFactor; + this.roughnessFactor = roughnessFactor; + this.metalnessFactor = metalnessFactor; + } + +} diff --git a/naloga_3/engine/core/Mesh.js b/naloga_3/engine/core/Mesh.js new file mode 100644 index 0000000..e57145a --- /dev/null +++ b/naloga_3/engine/core/Mesh.js @@ -0,0 +1,11 @@ +export class Mesh { + + constructor({ + vertices = [], + indices = [], + } = {}) { + this.vertices = vertices; + this.indices = indices; + } + +} diff --git a/naloga_3/engine/core/MeshUtils.js b/naloga_3/engine/core/MeshUtils.js new file mode 100644 index 0000000..d5a8c1d --- /dev/null +++ b/naloga_3/engine/core/MeshUtils.js @@ -0,0 +1,43 @@ +import { quat, vec3, vec4, mat3, mat4 } from 'glm'; + +export function transformVertex(vertex, matrix, + normalMatrix = mat3.normalFromMat4(mat3.create(), matrix), + tangentMatrix = mat3.fromMat4(mat3.create(), matrix), +) { + vec3.transformMat4(vertex.position, vertex.position, matrix); + vec3.transformMat3(vertex.normal, vertex.normal, normalMatrix); + vec3.transformMat3(vertex.tangent, vertex.tangent, tangentMatrix); +} + +export function transformMesh(mesh, matrix, + normalMatrix = mat3.normalFromMat4(mat3.create(), matrix), + tangentMatrix = mat3.fromMat4(mat3.create(), matrix), +) { + for (const vertex of mesh.vertices) { + transformVertex(vertex, matrix, normalMatrix, tangentMatrix); + } +} + +export function calculateAxisAlignedBoundingBox(mesh) { + const initial = { + min: vec3.clone(mesh.vertices[0].position), + max: vec3.clone(mesh.vertices[0].position), + }; + + return { + min: mesh.vertices.reduce((a, b) => vec3.min(a, a, b.position), initial.min), + max: mesh.vertices.reduce((a, b) => vec3.max(a, a, b.position), initial.max), + }; +} + +export function mergeAxisAlignedBoundingBoxes(boxes) { + const initial = { + min: vec3.clone(boxes[0].min), + max: vec3.clone(boxes[0].max), + }; + + return { + min: boxes.reduce(({ min: amin }, { min: bmin }) => vec3.min(amin, amin, bmin), initial), + max: boxes.reduce(({ max: amax }, { max: bmax }) => vec3.max(amax, amax, bmax), initial), + }; +} diff --git a/naloga_3/engine/core/Model.js b/naloga_3/engine/core/Model.js new file mode 100644 index 0000000..fc88d41 --- /dev/null +++ b/naloga_3/engine/core/Model.js @@ -0,0 +1,9 @@ +export class Model { + + constructor({ + primitives = [], + } = {}) { + this.primitives = primitives; + } + +} diff --git a/naloga_3/engine/core/Node.js b/naloga_3/engine/core/Node.js new file mode 100644 index 0000000..a5b2f86 --- /dev/null +++ b/naloga_3/engine/core/Node.js @@ -0,0 +1,69 @@ +export class Node { + + constructor() { + this.children = []; + this.parent = null; + this.components = []; + } + + addChild(node) { + node.parent?.removeChild(node); + this.children.push(node); + node.parent = this; + } + + removeChild(node) { + const index = this.children.indexOf(node); + if (index >= 0) { + this.children.splice(index, 1); + node.parent = null; + } + } + + traverse(before, after) { + before?.(this); + for (const child of this.children) { + child.traverse(before, after); + } + after?.(this); + } + + linearize() { + const array = []; + this.traverse(node => array.push(node)); + return array; + } + + filter(predicate) { + return this.linearize().filter(predicate); + } + + find(predicate) { + return this.linearize().find(predicate); + } + + map(transform) { + return this.linearize().map(transform); + } + + addComponent(component) { + this.components.push(component); + } + + removeComponent(component) { + this.components = this.components.filter(c => c !== component); + } + + removeComponentsOfType(type) { + this.components = this.components.filter(component => !(component instanceof type)); + } + + getComponentOfType(type) { + return this.components.find(component => component instanceof type); + } + + getComponentsOfType(type) { + return this.components.filter(component => component instanceof type); + } + +} diff --git a/naloga_3/engine/core/Primitive.js b/naloga_3/engine/core/Primitive.js new file mode 100644 index 0000000..653da28 --- /dev/null +++ b/naloga_3/engine/core/Primitive.js @@ -0,0 +1,11 @@ +export class Primitive { + + constructor({ + mesh, + material, + } = {}) { + this.mesh = mesh; + this.material = material; + } + +} diff --git a/naloga_3/engine/core/Sampler.js b/naloga_3/engine/core/Sampler.js new file mode 100644 index 0000000..e8c6a3a --- /dev/null +++ b/naloga_3/engine/core/Sampler.js @@ -0,0 +1,21 @@ +export class Sampler { + + constructor({ + minFilter = 'linear', + magFilter = 'linear', + mipmapFilter = 'linear', + addressModeU = 'clamp-to-edge', + addressModeV = 'clamp-to-edge', + addressModeW = 'clamp-to-edge', + maxAnisotropy = 1, + } = {}) { + this.minFilter = minFilter; + this.magFilter = magFilter; + this.mipmapFilter = mipmapFilter; + this.addressModeU = addressModeU; + this.addressModeV = addressModeV; + this.addressModeW = addressModeW; + this.maxAnisotropy = maxAnisotropy; + } + +} diff --git a/naloga_3/engine/core/SceneUtils.js b/naloga_3/engine/core/SceneUtils.js new file mode 100644 index 0000000..594aae8 --- /dev/null +++ b/naloga_3/engine/core/SceneUtils.js @@ -0,0 +1,42 @@ +import { mat4 } from 'glm'; + +import { Camera } from './Camera.js'; +import { Model } from './Model.js'; +import { Transform } from './Transform.js'; + +export function getLocalModelMatrix(node) { + const matrix = mat4.create(); + for (const transform of node.getComponentsOfType(Transform)) { + mat4.mul(matrix, matrix, transform.matrix); + } + return matrix; +} + +export function getGlobalModelMatrix(node) { + if (node.parent) { + const parentMatrix = getGlobalModelMatrix(node.parent); + const modelMatrix = getLocalModelMatrix(node); + return mat4.multiply(parentMatrix, parentMatrix, modelMatrix); + } else { + return getLocalModelMatrix(node); + } +} + +export function getLocalViewMatrix(node) { + const matrix = getLocalModelMatrix(node); + return mat4.invert(matrix, matrix); +} + +export function getGlobalViewMatrix(node) { + const matrix = getGlobalModelMatrix(node); + return mat4.invert(matrix, matrix); +} + +export function getProjectionMatrix(node) { + const camera = node.getComponentOfType(Camera); + return camera ? camera.projectionMatrix : mat4.create(); +} + +export function getModels(node) { + return node.getComponentsOfType(Model); +} diff --git a/naloga_3/engine/core/Texture.js b/naloga_3/engine/core/Texture.js new file mode 100644 index 0000000..0412456 --- /dev/null +++ b/naloga_3/engine/core/Texture.js @@ -0,0 +1,21 @@ +export class Texture { + + constructor({ + image, + sampler, + isSRGB = false, + } = {}) { + this.image = image; + this.sampler = sampler; + this.isSRGB = isSRGB; + } + + get width() { + return this.image.width; + } + + get height() { + return this.image.height; + } + +} diff --git a/naloga_3/engine/core/Transform.js b/naloga_3/engine/core/Transform.js new file mode 100644 index 0000000..8742ff7 --- /dev/null +++ b/naloga_3/engine/core/Transform.js @@ -0,0 +1,30 @@ +import { mat4 } from 'glm'; + +export class Transform { + + constructor({ + rotation = [0, 0, 0, 1], + translation = [0, 0, 0], + scale = [1, 1, 1], + matrix, + } = {}) { + this.rotation = rotation; + this.translation = translation; + this.scale = scale; + if (matrix) { + this.matrix = matrix; + } + } + + get matrix() { + return mat4.fromRotationTranslationScale(mat4.create(), + this.rotation, this.translation, this.scale); + } + + set matrix(matrix) { + mat4.getRotation(this.rotation, matrix); + mat4.getTranslation(this.translation, matrix); + mat4.getScaling(this.scale, matrix); + } + +} diff --git a/naloga_3/engine/core/Vertex.js b/naloga_3/engine/core/Vertex.js new file mode 100644 index 0000000..8191c34 --- /dev/null +++ b/naloga_3/engine/core/Vertex.js @@ -0,0 +1,15 @@ +export class Vertex { + + constructor({ + position = [0, 0, 0], + texcoords = [0, 0], + normal = [0, 0, 0], + tangent = [0, 0, 0], + } = {}) { + this.position = position; + this.texcoords = texcoords; + this.normal = normal; + this.tangent = tangent; + } + +} diff --git a/naloga_3/engine/core/VertexUtils.js b/naloga_3/engine/core/VertexUtils.js new file mode 100644 index 0000000..47149f1 --- /dev/null +++ b/naloga_3/engine/core/VertexUtils.js @@ -0,0 +1,35 @@ +import { Accessor } from './Accessor.js'; + +export function parseFormat(format) { + const regex = /(?float|((?u|s)(?int|norm)))(?\d+)x(?\d+)/; + const groups = format.match(regex).groups; + + return { + componentType: groups.type === 'float' ? 'float' : 'int', + componentNormalized: groups.norm === 'norm', + componentSigned: groups.sign === 's', + componentSize: Number(groups.bits) / 8, + componentCount: Number(groups.count), + }; +} + +export function createVertexBuffer(vertices, layout) { + const buffer = new ArrayBuffer(layout.arrayStride * vertices.length); + const accessors = layout.attributes.map(attribute => new Accessor({ + buffer, + stride: layout.arrayStride, + ...parseFormat(attribute.format), + ...attribute, + })); + + for (let i = 0; i < vertices.length; i++) { + const vertex = vertices[i]; + for (let j = 0; j < layout.attributes.length; j++) { + const accessor = accessors[j]; + const attribute = layout.attributes[j].name; + accessor.set(i, vertex[attribute]); + } + } + + return buffer; +} diff --git a/naloga_3/engine/loaders/GLTFLoader.js b/naloga_3/engine/loaders/GLTFLoader.js new file mode 100644 index 0000000..ee0396d --- /dev/null +++ b/naloga_3/engine/loaders/GLTFLoader.js @@ -0,0 +1,483 @@ +import { + Accessor, + Camera, + Material, + Mesh, + Model, + Node, + Primitive, + Sampler, + Texture, + Transform, + Vertex, +} from '../core.js'; + +// TODO: GLB support +// TODO: accessors with no buffer views (zero-initialized) +// TODO: image from buffer view +// TODO: mipmaps +// TODO: material texcoord sets +// TODO: material alpha, doubleSided + +export class GLTFLoader { + + // Loads the GLTF JSON file and all buffers and images that it references. + // It also creates a cache for all future resource loading. + async load(url) { + this.gltfUrl = new URL(url, window.location); + this.gltf = await this.fetchJson(this.gltfUrl); + this.defaultScene = this.gltf.scene ?? 0; + this.cache = new Map(); + + await Promise.all(this.gltf.buffers?.map(buffer => this.preloadBuffer(buffer)) ?? []); + await Promise.all(this.gltf.images?.map(image => this.preloadImage(image)) ?? []); + } + + // Finds an object in list at the given index, or if the 'name' + // property matches the given name. + findByNameOrIndex(list, nameOrIndex) { + if (typeof nameOrIndex === 'number') { + return list[nameOrIndex]; + } else { + return list.find(element => element.name === nameOrIndex); + } + } + + fetchJson(url) { + return fetch(url) + .then(response => response.json()); + } + + fetchBuffer(url) { + return fetch(url) + .then(response => response.arrayBuffer()); + } + + fetchImage(url) { + return fetch(url) + .then(response => response.blob()) + .then(blob => createImageBitmap(blob)); + } + + async preloadImage(gltfSpec) { + if (this.cache.has(gltfSpec)) { + return this.cache.get(gltfSpec); + } + + if (gltfSpec.uri) { + const url = new URL(gltfSpec.uri, this.gltfUrl); + const image = await this.fetchImage(url); + this.cache.set(gltfSpec, image); + return image; + } else { + const bufferView = this.gltf.bufferViews[gltfSpec.bufferView]; + const buffer = this.loadBuffer(bufferView.buffer); + const dataView = new DataView(buffer, bufferView.byteOffset ?? 0, bufferView.byteLength); + const blob = new Blob([dataView], { type: gltfSpec.mimeType }); + const url = URL.createObjectURL(blob); + const image = await this.fetchImage(url); + URL.revokeObjectURL(url); + this.cache.set(gltfSpec, image); + return image; + } + } + + async preloadBuffer(gltfSpec) { + if (this.cache.has(gltfSpec)) { + return this.cache.get(gltfSpec); + } + + const url = new URL(gltfSpec.uri, this.gltfUrl); + const buffer = await this.fetchBuffer(url); + this.cache.set(gltfSpec, buffer); + return buffer; + } + + loadImage(nameOrIndex) { + const gltfSpec = this.findByNameOrIndex(this.gltf.images, nameOrIndex); + if (!gltfSpec) { + return null; + } + + return this.cache.get(gltfSpec); + } + + loadBuffer(nameOrIndex) { + const gltfSpec = this.findByNameOrIndex(this.gltf.buffers, nameOrIndex); + if (!gltfSpec) { + return null; + } + + return this.cache.get(gltfSpec); + } + + loadSampler(nameOrIndex) { + const gltfSpec = this.findByNameOrIndex(this.gltf.samplers, nameOrIndex); + if (!gltfSpec) { + return null; + } + if (this.cache.has(gltfSpec)) { + return this.cache.get(gltfSpec); + } + + const minFilter = { + 9728: 'nearest', + 9729: 'linear', + 9984: 'nearest', + 9985: 'linear', + 9986: 'nearest', + 9987: 'linear', + }; + + const magFilter = { + 9728: 'nearest', + 9729: 'linear', + }; + + const mipmapFilter = { + 9728: 'nearest', + 9729: 'linear', + 9984: 'nearest', + 9985: 'nearest', + 9986: 'linear', + 9987: 'linear', + }; + + const addressMode = { + 33071: 'clamp-to-edge', + 33648: 'mirror-repeat', + 10497: 'repeat', + }; + + const sampler = new Sampler({ + minFilter: minFilter[gltfSpec.minFilter ?? 9729], + magFilter: magFilter[gltfSpec.magFilter ?? 9729], + mipmapFilter: mipmapFilter[gltfSpec.minFilter ?? 9729], + addressModeU: addressMode[gltfSpec.wrapS ?? 10497], + addressModeV: addressMode[gltfSpec.wrapT ?? 10497], + }); + + this.cache.set(gltfSpec, sampler); + return sampler; + } + + loadTexture(nameOrIndex) { + const gltfSpec = this.findByNameOrIndex(this.gltf.textures, nameOrIndex); + if (!gltfSpec) { + return null; + } + if (this.cache.has(gltfSpec)) { + return this.cache.get(gltfSpec); + } + + const options = {}; + if (gltfSpec.source !== undefined) { + options.image = this.loadImage(gltfSpec.source); + } + if (gltfSpec.sampler !== undefined) { + options.sampler = this.loadSampler(gltfSpec.sampler); + } else { + options.sampler = new Sampler(); + } + + const texture = new Texture(options); + + this.cache.set(gltfSpec, texture); + return texture; + } + + loadMaterial(nameOrIndex) { + const gltfSpec = this.findByNameOrIndex(this.gltf.materials, nameOrIndex); + if (!gltfSpec) { + return null; + } + if (this.cache.has(gltfSpec)) { + return this.cache.get(gltfSpec); + } + + const options = {}; + const pbr = gltfSpec.pbrMetallicRoughness; + if (pbr) { + if (pbr.baseColorTexture) { + options.baseTexture = this.loadTexture(pbr.baseColorTexture.index); + options.baseTexture.isSRGB = true; + } + if (pbr.metallicRoughnessTexture) { + options.metalnessTexture = this.loadTexture(pbr.metallicRoughnessTexture.index); + options.roughnessTexture = this.loadTexture(pbr.metallicRoughnessTexture.index); + } + options.baseFactor = pbr.baseColorFactor; + options.metalnessFactor = pbr.metallicFactor; + options.roughnessFactor = pbr.roughnessFactor; + } + + if (gltfSpec.normalTexture) { + options.normalTexture = this.loadTexture(gltfSpec.normalTexture.index); + options.normalFactor = gltfSpec.normalTexture.scale; + } + + if (gltfSpec.emissiveTexture) { + options.emissionTexture = this.loadTexture(gltfSpec.emissiveTexture.index); + options.emissionTexture.isSRGB = true; + options.emissionFactor = gltfSpec.emissiveFactor; + } + + if (gltfSpec.occlusionTexture) { + options.occlusionTexture = this.loadTexture(gltfSpec.occlusionTexture.index); + options.occlusionFactor = gltfSpec.occlusionTexture.strength; + } + + const material = new Material(options); + + this.cache.set(gltfSpec, material); + return material; + } + + loadAccessor(nameOrIndex) { + const gltfSpec = this.findByNameOrIndex(this.gltf.accessors, nameOrIndex); + if (!gltfSpec) { + return null; + } + if (this.cache.has(gltfSpec)) { + return this.cache.get(gltfSpec); + } + + if (gltfSpec.bufferView === undefined) { + console.warn('Accessor does not reference a buffer view'); + return null; + } + + const bufferView = this.gltf.bufferViews[gltfSpec.bufferView]; + const buffer = this.loadBuffer(bufferView.buffer); + + const componentType = { + 5120: 'int', + 5121: 'int', + 5122: 'int', + 5123: 'int', + 5124: 'int', + 5125: 'int', + 5126: 'float', + }[gltfSpec.componentType]; + + const componentSize = { + 5120: 1, + 5121: 1, + 5122: 2, + 5123: 2, + 5124: 4, + 5125: 4, + 5126: 4, + }[gltfSpec.componentType]; + + const componentSigned = { + 5120: true, + 5121: false, + 5122: true, + 5123: false, + 5124: true, + 5125: false, + 5126: false, + }[gltfSpec.componentType]; + + const componentCount = { + SCALAR: 1, + VEC2: 2, + VEC3: 3, + VEC4: 4, + MAT2: 4, + MAT3: 9, + MAT4: 16, + }[gltfSpec.type]; + + const componentNormalized = gltfSpec.normalized ?? false; + + const stride = bufferView.byteStride ?? (componentSize * componentCount); + const offset = gltfSpec.byteOffset ?? 0; + const viewOffset = bufferView.byteOffset ?? 0; + const viewLength = bufferView.byteLength; + + const accessor = new Accessor({ + buffer, + viewLength, + viewOffset, + offset, + stride, + + componentType, + componentCount, + componentSize, + componentSigned, + componentNormalized, + }); + + this.cache.set(gltfSpec, accessor); + return accessor; + } + + createMeshFromPrimitive(spec) { + if (spec.attributes.POSITION === undefined) { + console.warn('No position in mesh'); + return new Mesh(); + } + + if (spec.indices === undefined) { + console.warn('No indices in mesh'); + return new Mesh(); + } + + const accessors = {}; + for (const attribute in spec.attributes) { + accessors[attribute] = this.loadAccessor(spec.attributes[attribute]); + } + + const position = accessors.POSITION; + const texcoords = accessors.TEXCOORD_0; + const normal = accessors.NORMAL; + const tangent = accessors.TANGENT; + + const vertexCount = position.count; + const vertices = []; + + for (let i = 0; i < vertexCount; i++) { + const options = {}; + + if (position) { options.position = position.get(i); } + if (texcoords) { options.texcoords = texcoords.get(i); } + if (normal) { options.normal = normal.get(i); } + if (tangent) { options.tangent = tangent.get(i); } + + vertices.push(new Vertex(options)); + } + + const indices = []; + const indicesAccessor = this.loadAccessor(spec.indices); + const indexCount = indicesAccessor.count; + + for (let i = 0; i < indexCount; i++) { + indices.push(indicesAccessor.get(i)); + } + + return new Mesh({ vertices, indices }); + } + + loadMesh(nameOrIndex) { + const gltfSpec = this.findByNameOrIndex(this.gltf.meshes, nameOrIndex); + if (!gltfSpec) { + return null; + } + if (this.cache.has(gltfSpec)) { + return this.cache.get(gltfSpec); + } + + const primitives = []; + for (const primitiveSpec of gltfSpec.primitives) { + if (primitiveSpec.mode !== 4 && primitiveSpec.mode !== undefined) { + console.warn(`GLTFLoader: skipping primitive with mode ${primitiveSpec.mode}`); + continue; + } + + const options = {}; + options.mesh = this.createMeshFromPrimitive(primitiveSpec); + + if (primitiveSpec.material !== undefined) { + options.material = this.loadMaterial(primitiveSpec.material); + } + + primitives.push(new Primitive(options)); + } + + const model = new Model({ primitives }); + + this.cache.set(gltfSpec, model); + return model; + } + + loadCamera(nameOrIndex) { + const gltfSpec = this.findByNameOrIndex(this.gltf.cameras, nameOrIndex); + if (!gltfSpec) { + return null; + } + if (this.cache.has(gltfSpec)) { + return this.cache.get(gltfSpec); + } + + const options = {}; + if (gltfSpec.type === 'perspective') { + const { aspectRatio, yfov, znear, zfar } = gltfSpec.perspective; + Object.assign(options, { + orthographic: 0, + aspect: aspectRatio, + fovy: yfov, + near: znear, + far: zfar, + }); + } else if (gltfSpec.type === 'orthographic') { + const { xmag, ymag, znear, zfar } = gltfSpec.orthographic; + Object.assign(options, { + orthographic: 1, + aspect: xmag / ymag, + halfy: ymag, + near: znear, + far: zfar, + }); + } + + const camera = new Camera(options); + + this.cache.set(gltfSpec, camera); + return camera; + } + + loadNode(nameOrIndex) { + const gltfSpec = this.findByNameOrIndex(this.gltf.nodes, nameOrIndex); + if (!gltfSpec) { + return null; + } + if (this.cache.has(gltfSpec)) { + return this.cache.get(gltfSpec); + } + + const node = new Node(); + + node.addComponent(new Transform(gltfSpec)); + + if (gltfSpec.children) { + for (const childIndex of gltfSpec.children) { + node.addChild(this.loadNode(childIndex)); + } + } + + if (gltfSpec.camera !== undefined) { + node.addComponent(this.loadCamera(gltfSpec.camera)); + } + + if (gltfSpec.mesh !== undefined) { + node.addComponent(this.loadMesh(gltfSpec.mesh)); + } + + this.cache.set(gltfSpec, node); + return node; + } + + loadScene(nameOrIndex) { + const gltfSpec = this.findByNameOrIndex(this.gltf.scenes, nameOrIndex); + if (!gltfSpec) { + return null; + } + if (this.cache.has(gltfSpec)) { + return this.cache.get(gltfSpec); + } + + const scene = new Node(); + if (gltfSpec.nodes) { + for (const nodeIndex of gltfSpec.nodes) { + scene.addChild(this.loadNode(nodeIndex)); + } + } + + this.cache.set(gltfSpec, scene); + return scene; + } + +} diff --git a/naloga_3/engine/loaders/ImageLoader.js b/naloga_3/engine/loaders/ImageLoader.js new file mode 100644 index 0000000..b22ef5b --- /dev/null +++ b/naloga_3/engine/loaders/ImageLoader.js @@ -0,0 +1,10 @@ +export class ImageLoader { + + async load(url) { + const response = await fetch(url); + const blob = await response.blob(); + const imageBitmap = await createImageBitmap(blob); + return imageBitmap; + } + +} diff --git a/naloga_3/engine/loaders/JSONLoader.js b/naloga_3/engine/loaders/JSONLoader.js new file mode 100644 index 0000000..1205bbc --- /dev/null +++ b/naloga_3/engine/loaders/JSONLoader.js @@ -0,0 +1,24 @@ +import { Mesh, Vertex } from '../core.js'; + +export class JSONLoader { + + async loadMesh(url) { + const response = await fetch(url); + const json = await response.json(); + + const vertices = []; + const vertexCount = json.positions.length / 3; + for (let i = 0; i < vertexCount; i++) { + const position = json?.positions?.slice(i * 3, (i + 1) * 3); + const texcoords = json?.texcoords?.slice(i * 2, (i + 1) * 2); + const normal = json?.normals?.slice(i * 3, (i + 1) * 3); + const tangent = json?.tangents?.slice(i * 3, (i + 1) * 3); + vertices.push(new Vertex({ position, texcoords, normal, tangent })); + } + + const indices = json.indices; + + return new Mesh({ vertices, indices }); + } + +} diff --git a/naloga_3/engine/loaders/OBJLoader.js b/naloga_3/engine/loaders/OBJLoader.js new file mode 100644 index 0000000..a2d1c71 --- /dev/null +++ b/naloga_3/engine/loaders/OBJLoader.js @@ -0,0 +1,70 @@ +import { Mesh, Vertex } from '../core.js'; + +export class OBJLoader { + + async loadMesh(url) { + const response = await fetch(url); + const text = await response.text(); + + const lines = text.split('\n'); + + const vRegex = /v\s+(\S+)\s+(\S+)\s+(\S+)\s*/; + const vData = lines + .filter(line => vRegex.test(line)) + .map(line => [...line.match(vRegex)].slice(1)) + .map(entry => entry.map(entry => Number(entry))); + + const vnRegex = /vn\s+(\S+)\s+(\S+)\s+(\S+)\s*/; + const vnData = lines + .filter(line => vnRegex.test(line)) + .map(line => [...line.match(vnRegex)].slice(1)) + .map(entry => entry.map(entry => Number(entry))); + + const vtRegex = /vt\s+(\S+)\s+(\S+)\s*/; + const vtData = lines + .filter(line => vtRegex.test(line)) + .map(line => [...line.match(vtRegex)].slice(1)) + .map(entry => entry.map(entry => Number(entry))); + + function triangulate(list) { + const triangles = []; + for (let i = 2; i < list.length; i++) { + triangles.push(list[0], list[i - 1], list[i]); + } + return triangles; + } + + const fRegex = /f\s+(.*)/; + const fData = lines + .filter(line => fRegex.test(line)) + .map(line => line.match(fRegex)[1]) + .map(line => line.trim().split(/\s+/)) + .flatMap(face => triangulate(face)); + + const vertices = []; + const indices = []; + const cache = {}; + let cacheLength = 0; + const indicesRegex = /(\d+)(\/(\d+))?(\/(\d+))?/; + + for (const id of fData) { + if (id in cache) { + indices.push(cache[id]); + } else { + cache[id] = cacheLength; + indices.push(cacheLength); + const [,vIndex,,vtIndex,,vnIndex] = [...id.match(indicesRegex)] + .map(entry => Number(entry) - 1); + vertices.push(new Vertex({ + position: vData[vIndex], + normal: vnData[vnIndex], + texcoords: vtData[vtIndex], + })); + cacheLength++; + } + } + + return new Mesh({ vertices, indices }); + } + +} diff --git a/naloga_3/engine/renderers/BaseRenderer.js b/naloga_3/engine/renderers/BaseRenderer.js new file mode 100644 index 0000000..4be22d2 --- /dev/null +++ b/naloga_3/engine/renderers/BaseRenderer.js @@ -0,0 +1,75 @@ +import { mat4 } from 'glm'; + +import * as WebGPU from '../WebGPU.js'; + +import { createVertexBuffer } from '../core/VertexUtils.js'; + +export class BaseRenderer { + + constructor(canvas) { + this.canvas = canvas; + this.gpuObjects = new WeakMap(); + } + + async initialize() { + const adapter = await navigator.gpu.requestAdapter(); + const device = await adapter.requestDevice(); + const context = this.canvas.getContext('webgpu'); + const format = navigator.gpu.getPreferredCanvasFormat(); + context.configure({ device, format }); + + this.device = device; + this.context = context; + this.format = format; + } + + prepareImage(image, isSRGB = false) { + if (this.gpuObjects.has(image)) { + return this.gpuObjects.get(image); + } + + const gpuTexture = WebGPU.createTexture(this.device, { + source: image, + format: isSRGB ? 'rgba8unorm-srgb' : 'rgba8unorm', + }); + + const gpuObjects = { gpuTexture }; + this.gpuObjects.set(image, gpuObjects); + return gpuObjects; + } + + prepareSampler(sampler) { + if (this.gpuObjects.has(sampler)) { + return this.gpuObjects.get(sampler); + } + + const gpuSampler = this.device.createSampler(sampler); + + const gpuObjects = { gpuSampler }; + this.gpuObjects.set(sampler, gpuObjects); + return gpuObjects; + } + + prepareMesh(mesh, layout) { + if (this.gpuObjects.has(mesh)) { + return this.gpuObjects.get(mesh); + } + + const vertexBufferArrayBuffer = createVertexBuffer(mesh.vertices, layout); + const vertexBuffer = WebGPU.createBuffer(this.device, { + data: vertexBufferArrayBuffer, + usage: GPUBufferUsage.VERTEX, + }); + + const indexBufferArrayBuffer = new Uint32Array(mesh.indices).buffer; + const indexBuffer = WebGPU.createBuffer(this.device, { + data: indexBufferArrayBuffer, + usage: GPUBufferUsage.INDEX, + }); + + const gpuObjects = { vertexBuffer, indexBuffer }; + this.gpuObjects.set(mesh, gpuObjects); + return gpuObjects; + } + +} diff --git a/naloga_3/engine/renderers/UnlitRenderer.js b/naloga_3/engine/renderers/UnlitRenderer.js new file mode 100644 index 0000000..740ccbd --- /dev/null +++ b/naloga_3/engine/renderers/UnlitRenderer.js @@ -0,0 +1,236 @@ +import { mat4 } from 'glm'; + +import * as WebGPU from '../WebGPU.js'; + +import { Camera } from '../core.js'; + +import { + getLocalModelMatrix, + getGlobalViewMatrix, + getProjectionMatrix, + getModels, +} from '../core/SceneUtils.js'; + +import { BaseRenderer } from './BaseRenderer.js'; + +const vertexBufferLayout = { + arrayStride: 20, + attributes: [ + { + name: 'position', + shaderLocation: 0, + offset: 0, + format: 'float32x3', + }, + { + name: 'texcoords', + shaderLocation: 1, + offset: 12, + format: 'float32x2', + }, + ], +}; + +export class UnlitRenderer extends BaseRenderer { + + constructor(canvas) { + super(canvas); + } + + async initialize() { + await super.initialize(); + + const code = await fetch(new URL('UnlitRenderer.wgsl', import.meta.url)) + .then(response => response.text()); + const module = this.device.createShaderModule({ code }); + + this.pipeline = await this.device.createRenderPipelineAsync({ + layout: 'auto', + vertex: { + module, + entryPoint: 'vertex', + buffers: [ vertexBufferLayout ], + }, + fragment: { + module, + entryPoint: 'fragment', + targets: [{ format: this.format }], + }, + depthStencil: { + format: 'depth24plus', + depthWriteEnabled: true, + depthCompare: 'less', + }, + }); + + this.recreateDepthTexture(); + } + + recreateDepthTexture() { + this.depthTexture?.destroy(); + this.depthTexture = this.device.createTexture({ + format: 'depth24plus', + size: [this.canvas.width, this.canvas.height], + usage: GPUTextureUsage.RENDER_ATTACHMENT, + }); + } + + prepareNode(node) { + if (this.gpuObjects.has(node)) { + return this.gpuObjects.get(node); + } + + const modelUniformBuffer = this.device.createBuffer({ + size: 128, + usage: GPUBufferUsage.UNIFORM | GPUBufferUsage.COPY_DST, + }); + + const modelBindGroup = this.device.createBindGroup({ + layout: this.pipeline.getBindGroupLayout(1), + entries: [ + { binding: 0, resource: { buffer: modelUniformBuffer } }, + ], + }); + + const gpuObjects = { modelUniformBuffer, modelBindGroup }; + this.gpuObjects.set(node, gpuObjects); + return gpuObjects; + } + + prepareCamera(camera) { + if (this.gpuObjects.has(camera)) { + return this.gpuObjects.get(camera); + } + + const cameraUniformBuffer = this.device.createBuffer({ + size: 128, + usage: GPUBufferUsage.UNIFORM | GPUBufferUsage.COPY_DST, + }); + + const cameraBindGroup = this.device.createBindGroup({ + layout: this.pipeline.getBindGroupLayout(0), + entries: [ + { binding: 0, resource: { buffer: cameraUniformBuffer } }, + ], + }); + + const gpuObjects = { cameraUniformBuffer, cameraBindGroup }; + this.gpuObjects.set(camera, gpuObjects); + return gpuObjects; + } + + prepareTexture(texture) { + if (this.gpuObjects.has(texture)) { + return this.gpuObjects.get(texture); + } + + const { gpuTexture } = this.prepareImage(texture.image); // ignore sRGB + const { gpuSampler } = this.prepareSampler(texture.sampler); + + const gpuObjects = { gpuTexture, gpuSampler }; + this.gpuObjects.set(texture, gpuObjects); + return gpuObjects; + } + + prepareMaterial(material) { + if (this.gpuObjects.has(material)) { + return this.gpuObjects.get(material); + } + + const baseTexture = this.prepareTexture(material.baseTexture); + + const materialUniformBuffer = this.device.createBuffer({ + size: 16, + usage: GPUBufferUsage.UNIFORM | GPUBufferUsage.COPY_DST, + }); + + const materialBindGroup = this.device.createBindGroup({ + layout: this.pipeline.getBindGroupLayout(2), + entries: [ + { binding: 0, resource: { buffer: materialUniformBuffer } }, + { binding: 1, resource: baseTexture.gpuTexture.createView() }, + { binding: 2, resource: baseTexture.gpuSampler }, + ], + }); + + const gpuObjects = { materialUniformBuffer, materialBindGroup }; + this.gpuObjects.set(material, gpuObjects); + return gpuObjects; + } + + render(scene, camera) { + if (this.depthTexture.width !== this.canvas.width || this.depthTexture.height !== this.canvas.height) { + this.recreateDepthTexture(); + } + + const encoder = this.device.createCommandEncoder(); + this.renderPass = encoder.beginRenderPass({ + colorAttachments: [ + { + view: this.context.getCurrentTexture().createView(), + clearValue: [1, 1, 1, 1], + loadOp: 'clear', + storeOp: 'store', + }, + ], + depthStencilAttachment: { + view: this.depthTexture.createView(), + depthClearValue: 1, + depthLoadOp: 'clear', + depthStoreOp: 'discard', + }, + }); + this.renderPass.setPipeline(this.pipeline); + + const cameraComponent = camera.getComponentOfType(Camera); + const viewMatrix = getGlobalViewMatrix(camera); + const projectionMatrix = getProjectionMatrix(camera); + const { cameraUniformBuffer, cameraBindGroup } = this.prepareCamera(cameraComponent); + this.device.queue.writeBuffer(cameraUniformBuffer, 0, viewMatrix); + this.device.queue.writeBuffer(cameraUniformBuffer, 64, projectionMatrix); + this.renderPass.setBindGroup(0, cameraBindGroup); + + this.renderNode(scene); + + this.renderPass.end(); + this.device.queue.submit([encoder.finish()]); + } + + renderNode(node, modelMatrix = mat4.create()) { + const localMatrix = getLocalModelMatrix(node); + modelMatrix = mat4.multiply(mat4.create(), modelMatrix, localMatrix); + + const { modelUniformBuffer, modelBindGroup } = this.prepareNode(node); + const normalMatrix = mat4.normalFromMat4(mat4.create(), modelMatrix); + this.device.queue.writeBuffer(modelUniformBuffer, 0, modelMatrix); + this.device.queue.writeBuffer(modelUniformBuffer, 64, normalMatrix); + this.renderPass.setBindGroup(1, modelBindGroup); + + for (const model of getModels(node)) { + this.renderModel(model); + } + + for (const child of node.children) { + this.renderNode(child, modelMatrix); + } + } + + renderModel(model) { + for (const primitive of model.primitives) { + this.renderPrimitive(primitive); + } + } + + renderPrimitive(primitive) { + const { materialUniformBuffer, materialBindGroup } = this.prepareMaterial(primitive.material); + this.device.queue.writeBuffer(materialUniformBuffer, 0, new Float32Array(primitive.material.baseFactor)); + this.renderPass.setBindGroup(2, materialBindGroup); + + const { vertexBuffer, indexBuffer } = this.prepareMesh(primitive.mesh, vertexBufferLayout); + this.renderPass.setVertexBuffer(0, vertexBuffer); + this.renderPass.setIndexBuffer(indexBuffer, 'uint32'); + + this.renderPass.drawIndexed(primitive.mesh.indices.length); + } + +} diff --git a/naloga_3/engine/renderers/UnlitRenderer.wgsl b/naloga_3/engine/renderers/UnlitRenderer.wgsl new file mode 100644 index 0000000..21e8598 --- /dev/null +++ b/naloga_3/engine/renderers/UnlitRenderer.wgsl @@ -0,0 +1,56 @@ +struct VertexInput { + @location(0) position: vec3f, + @location(1) texcoords: vec2f, +} + +struct VertexOutput { + @builtin(position) position: vec4f, + @location(1) texcoords: vec2f, +} + +struct FragmentInput { + @location(1) texcoords: vec2f, +} + +struct FragmentOutput { + @location(0) color: vec4f, +} + +struct CameraUniforms { + viewMatrix: mat4x4f, + projectionMatrix: mat4x4f, +} + +struct ModelUniforms { + modelMatrix: mat4x4f, + normalMatrix: mat3x3f, +} + +struct MaterialUniforms { + baseFactor: vec4f, +} + +@group(0) @binding(0) var camera: CameraUniforms; +@group(1) @binding(0) var model: ModelUniforms; +@group(2) @binding(0) var material: MaterialUniforms; +@group(2) @binding(1) var baseTexture: texture_2d; +@group(2) @binding(2) var baseSampler: sampler; + +@vertex +fn vertex(input: VertexInput) -> VertexOutput { + var output: VertexOutput; + + output.position = camera.projectionMatrix * camera.viewMatrix * model.modelMatrix * vec4(input.position, 1); + output.texcoords = input.texcoords; + + return output; +} + +@fragment +fn fragment(input: FragmentInput) -> FragmentOutput { + var output: FragmentOutput; + + output.color = textureSample(baseTexture, baseSampler, input.texcoords) * material.baseFactor; + + return output; +} diff --git a/naloga_3/engine/style.css b/naloga_3/engine/style.css new file mode 100644 index 0000000..0df89ea --- /dev/null +++ b/naloga_3/engine/style.css @@ -0,0 +1,56 @@ +body, html { + margin: 0; + padding: 0; +} + +* { + font-family: sans-serif; +} + +.fullscreen { + width: 100vw; + height: 100vh; + overflow: hidden; +} + +.fullscreen > * { + width: 100%; + height: 100%; +} + +.overlay { + position: fixed; + left: 0; + top: 0; +} + +.no-touch { + touch-action: none; +} + +.pixelated { + image-rendering: pixelated; +} + +.loader-container { + display: flex; + align-items: center; + justify-content: center; +} + +.loader { + width: 100px; + height: 100px; + + border: 15px solid transparent; + border-radius: 50%; + border-top-color: #999; + border-bottom-color: #999; + + animation: spin 2s ease-in-out infinite; +} + +@keyframes spin { + 0% { transform: rotate(0deg); } + 100% { transform: rotate(1800deg); } +} diff --git a/naloga_3/engine/systems/ResizeSystem.js b/naloga_3/engine/systems/ResizeSystem.js new file mode 100644 index 0000000..3ca6730 --- /dev/null +++ b/naloga_3/engine/systems/ResizeSystem.js @@ -0,0 +1,84 @@ +export class ResizeSystem { + + constructor({ + canvas, + resize, + resolutionFactor = 1, + minWidth = 1, + minHeight = 1, + maxWidth = Infinity, + maxHeight = Infinity, + } = {}) { + this._resize = this._resize.bind(this); + + this.canvas = canvas; + this.resize = resize; + + this.resolutionFactor = resolutionFactor; + this.minCanvasSize = { + width: minWidth, + height: minHeight, + }; + this.maxCanvasSize = { + width: maxWidth, + height: maxHeight, + }; + this.lastSize = { + width: null, + height: null, + }; + } + + start() { + if (this._resizeFrame) { + return; + } + + this._resizeFrame = requestAnimationFrame(this._resize); + } + + stop() { + if (!this._resizeFrame) { + return; + } + + this._resizeFrame = cancelAnimationFrame(this._resizeFrame); + } + + _resize() { + this._resizeFrame = requestAnimationFrame(this._resize); + + const displayRect = this.canvas.getBoundingClientRect(); + if (displayRect.width === this.lastSize.width && displayRect.height === this.lastSize.height) { + return; + } + + this.lastSize = { + width: displayRect.width, + height: displayRect.height, + }; + + const displaySize = { + width: displayRect.width * devicePixelRatio, + height: displayRect.height * devicePixelRatio, + }; + + const unclampedSize = { + width: Math.round(displaySize.width * this.resolutionFactor), + height: Math.round(displaySize.height * this.resolutionFactor), + }; + + const canvasSize = { + width: Math.min(Math.max(unclampedSize.width, this.minCanvasSize.width), this.maxCanvasSize.width), + height: Math.min(Math.max(unclampedSize.height, this.minCanvasSize.height), this.maxCanvasSize.height), + }; + + if (this.canvas.width !== canvasSize.width || this.canvas.height !== canvasSize.height) { + this.canvas.width = canvasSize.width; + this.canvas.height = canvasSize.height; + } + + this.resize?.({ displaySize, canvasSize }); + } + +} diff --git a/naloga_3/engine/systems/UpdateSystem.js b/naloga_3/engine/systems/UpdateSystem.js new file mode 100644 index 0000000..f64a70d --- /dev/null +++ b/naloga_3/engine/systems/UpdateSystem.js @@ -0,0 +1,49 @@ +export class UpdateSystem { + + constructor(application) { + this._update = this._update.bind(this); + this._render = this._render.bind(this); + + this.application = application; + this.running = false; + } + + start() { + if (this.running) { + return; + } + + this.application.start?.(); + + this._time = performance.now() / 1000; + + this._updateFrame = setInterval(this._update, 0); + this._renderFrame = requestAnimationFrame(this._render); + } + + stop() { + if (!this.running) { + return; + } + + this.application.stop?.(); + + this._updateFrame = clearInterval(this._updateFrame); + this._renderFrame = cancelAnimationFrame(this._render); + } + + _update() { + const time = performance.now() / 1000; + const dt = time - this._time; + this._time = time; + + this.application.update?.(time, dt); + } + + _render() { + this._renderFrame = requestAnimationFrame(this._render); + + this.application.render?.(); + } + +} diff --git a/naloga_3/index.html b/naloga_3/index.html new file mode 100644 index 0000000..cc1ffb3 --- /dev/null +++ b/naloga_3/index.html @@ -0,0 +1,23 @@ + + + + + Naloga 3 + + + + + +
+ +
+ + diff --git a/naloga_3/lib/dat.js b/naloga_3/lib/dat.js new file mode 100644 index 0000000..628bfd7 --- /dev/null +++ b/naloga_3/lib/dat.js @@ -0,0 +1,22 @@ +function xe(n){if(n&&!(typeof window>"u")){var e=document.createElement("style");return e.setAttribute("type","text/css"),e.innerHTML=n,document.head.appendChild(e),n}}function B(n,e){var t=n.__state.conversionName.toString(),i=Math.round(n.r),o=Math.round(n.g),r=Math.round(n.b),d=n.a,l=Math.round(n.h),u=n.s.toFixed(1),f=n.v.toFixed(1);if(e||t==="THREE_CHAR_HEX"||t==="SIX_CHAR_HEX"){for(var m=n.hex.toString(16);m.length<6;)m="0"+m;return"#"+m}else{if(t==="CSS_RGB")return"rgb("+i+","+o+","+r+")";if(t==="CSS_RGBA")return"rgba("+i+","+o+","+r+","+d+")";if(t==="HEX")return"0x"+n.hex.toString(16);if(t==="RGB_ARRAY")return"["+i+","+o+","+r+"]";if(t==="RGBA_ARRAY")return"["+i+","+o+","+r+","+d+"]";if(t==="RGB_OBJ")return"{r:"+i+",g:"+o+",b:"+r+"}";if(t==="RGBA_OBJ")return"{r:"+i+",g:"+o+",b:"+r+",a:"+d+"}";if(t==="HSV_OBJ")return"{h:"+l+",s:"+u+",v:"+f+"}";if(t==="HSVA_OBJ")return"{h:"+l+",s:"+u+",v:"+f+",a:"+d+"}"}return"unknown format"}var re=Array.prototype.forEach,H=Array.prototype.slice,s={BREAK:{},extend:function(e){return this.each(H.call(arguments,1),function(t){var i=this.isObject(t)?Object.keys(t):[];i.forEach(function(o){this.isUndefined(t[o])||(e[o]=t[o])}.bind(this))},this),e},defaults:function(e){return this.each(H.call(arguments,1),function(t){var i=this.isObject(t)?Object.keys(t):[];i.forEach(function(o){this.isUndefined(e[o])&&(e[o]=t[o])}.bind(this))},this),e},compose:function(){var e=H.call(arguments);return function(){for(var t=H.call(arguments),i=e.length-1;i>=0;i--)t=[e[i].apply(this,t)];return t[0]}},each:function(e,t,i){if(e){if(re&&e.forEach&&e.forEach===re)e.forEach(t,i);else if(e.length===e.length+0){var o=void 0,r=void 0;for(o=0,r=e.length;o1?s.toArray(arguments):arguments[0];return s.each(Ce,function(t){if(t.litmus(e))return s.each(t.conversions,function(i,o){if(D=i.read(e),G===!1&&D!==!1)return G=D,D.conversionName=o,D.conversion=i,s.BREAK}),s.BREAK}),G},ae=void 0,M={hsv_to_rgb:function(e,t,i){var o=Math.floor(e/60)%6,r=e/60-Math.floor(e/60),d=i*(1-t),l=i*(1-r*t),u=i*(1-(1-r)*t),f=[[i,u,d],[l,i,d],[d,i,u],[d,l,i],[u,d,i],[i,d,l]][o];return{r:f[0]*255,g:f[1]*255,b:f[2]*255}},rgb_to_hsv:function(e,t,i){var o=Math.min(e,t,i),r=Math.max(e,t,i),d=r-o,l=void 0,u=void 0;if(r!==0)u=d/r;else return{h:NaN,s:0,v:0};return e===r?l=(t-i)/d:t===r?l=2+(i-e)/d:l=4+(e-t)/d,l/=6,l<0&&(l+=1),{h:l*360,s:u,v:r/255}},rgb_to_hex:function(e,t,i){var o=this.hex_with_component(0,2,e);return o=this.hex_with_component(o,1,t),o=this.hex_with_component(o,0,i),o},component_from_hex:function(e,t){return e>>t*8&255},hex_with_component:function(e,t,i){return i<<(ae=t*8)|e&~(255<-1?e.length-e.indexOf(".")-1:0}var ne=function(n){A(e,n);function e(t,i,o){w(this,e);var r=S(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,i)),d=o||{};return r.__min=d.min,r.__max=d.max,r.__step=d.step,s.isUndefined(r.__step)?r.initialValue===0?r.__impliedStep=1:r.__impliedStep=Math.pow(10,Math.floor(Math.log(Math.abs(r.initialValue))/Math.LN10))/10:r.__impliedStep=r.__step,r.__precision=se(r.__impliedStep),r}return x(e,[{key:"setValue",value:function(i){var o=i;return this.__min!==void 0&&othis.__max&&(o=this.__max),this.__step!==void 0&&o%this.__step!==0&&(o=Math.round(o/this.__step)*this.__step),E(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"setValue",this).call(this,o)}},{key:"min",value:function(i){return this.__min=i,this}},{key:"max",value:function(i){return this.__max=i,this}},{key:"step",value:function(i){return this.__step=i,this.__impliedStep=i,this.__precision=se(i),this}}]),e}(k);function ke(n,e){var t=Math.pow(10,e);return Math.round(n*t)/t}var z=function(n){A(e,n);function e(t,i,o){w(this,e);var r=S(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,i,o));r.__truncationSuspended=!1;var d=r,l=void 0;function u(){var b=parseFloat(d.__input.value);s.isNaN(b)||d.setValue(b)}function f(){d.__onFinishChange&&d.__onFinishChange.call(d,d.getValue())}function m(){f()}function c(b){var _=l-b.clientY;d.setValue(d.getValue()+_*d.__impliedStep),l=b.clientY}function h(){a.unbind(window,"mousemove",c),a.unbind(window,"mouseup",h),f()}function y(b){a.bind(window,"mousemove",c),a.bind(window,"mouseup",h),l=b.clientY}return r.__input=document.createElement("input"),r.__input.setAttribute("type","text"),a.bind(r.__input,"change",u),a.bind(r.__input,"blur",m),a.bind(r.__input,"mousedown",y),a.bind(r.__input,"keydown",function(b){b.keyCode===13&&(d.__truncationSuspended=!0,this.blur(),d.__truncationSuspended=!1,f())}),r.updateDisplay(),r.domElement.appendChild(r.__input),r}return x(e,[{key:"updateDisplay",value:function(){return this.__input.value=this.__truncationSuspended?this.getValue():ke(this.getValue(),this.__precision),E(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"updateDisplay",this).call(this)}}]),e}(ne);function de(n,e,t,i,o){return i+(o-i)*((n-e)/(t-e))}var j=function(n){A(e,n);function e(t,i,o,r,d){w(this,e);var l=S(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,i,{min:o,max:r,step:d})),u=l;l.__background=document.createElement("div"),l.__foreground=document.createElement("div"),a.bind(l.__background,"mousedown",f),a.bind(l.__background,"touchstart",h),a.addClass(l.__background,"slider"),a.addClass(l.__foreground,"slider-fg");function f(_){document.activeElement.blur(),a.bind(window,"mousemove",m),a.bind(window,"mouseup",c),m(_)}function m(_){_.preventDefault();var v=u.__background.getBoundingClientRect();return u.setValue(de(_.clientX,v.left,v.right,u.__min,u.__max)),!1}function c(){a.unbind(window,"mousemove",m),a.unbind(window,"mouseup",c),u.__onFinishChange&&u.__onFinishChange.call(u,u.getValue())}function h(_){_.touches.length===1&&(a.bind(window,"touchmove",y),a.bind(window,"touchend",b),y(_))}function y(_){var v=_.touches[0].clientX,O=u.__background.getBoundingClientRect();u.setValue(de(v,O.left,O.right,u.__min,u.__max))}function b(){a.unbind(window,"touchmove",y),a.unbind(window,"touchend",b),u.__onFinishChange&&u.__onFinishChange.call(u,u.getValue())}return l.updateDisplay(),l.__background.appendChild(l.__foreground),l.domElement.appendChild(l.__background),l}return x(e,[{key:"updateDisplay",value:function(){var i=(this.getValue()-this.__min)/(this.__max-this.__min);return this.__foreground.style.width=i*100+"%",E(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"updateDisplay",this).call(this)}}]),e}(ne),ie=function(n){A(e,n);function e(t,i,o){w(this,e);var r=S(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,i)),d=r;return r.__button=document.createElement("div"),r.__button.innerHTML=o===void 0?"Fire":o,a.bind(r.__button,"click",function(l){return l.preventDefault(),d.fire(),!1}),a.addClass(r.__button,"button"),r.domElement.appendChild(r.__button),r}return x(e,[{key:"fire",value:function(){this.__onChange&&this.__onChange.call(this),this.getValue().call(this.object),this.__onFinishChange&&this.__onFinishChange.call(this,this.getValue())}}]),e}(k),Y=function(n){A(e,n);function e(t,i){w(this,e);var o=S(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,i));o.__color=new g(o.getValue()),o.__temp=new g(0);var r=o;o.domElement=document.createElement("div"),a.makeSelectable(o.domElement,!1),o.__selector=document.createElement("div"),o.__selector.className="selector",o.__saturation_field=document.createElement("div"),o.__saturation_field.className="saturation-field",o.__field_knob=document.createElement("div"),o.__field_knob.className="field-knob",o.__field_knob_border="2px solid ",o.__hue_knob=document.createElement("div"),o.__hue_knob.className="hue-knob",o.__hue_field=document.createElement("div"),o.__hue_field.className="hue-field",o.__input=document.createElement("input"),o.__input.type="text",o.__input_textShadow="0 1px 1px ",a.bind(o.__input,"keydown",function(_){_.keyCode===13&&c.call(this)}),a.bind(o.__input,"blur",c),a.bind(o.__selector,"mousedown",function(){a.addClass(this,"drag").bind(window,"mouseup",function(){a.removeClass(r.__selector,"drag")})}),a.bind(o.__selector,"touchstart",function(){a.addClass(this,"drag").bind(window,"touchend",function(){a.removeClass(r.__selector,"drag")})});var d=document.createElement("div");s.extend(o.__selector.style,{width:"122px",height:"102px",padding:"3px",backgroundColor:"#222",boxShadow:"0px 1px 3px rgba(0,0,0,0.3)"}),s.extend(o.__field_knob.style,{position:"absolute",width:"12px",height:"12px",border:o.__field_knob_border+(o.__color.v<.5?"#fff":"#000"),boxShadow:"0px 1px 3px rgba(0,0,0,0.5)",borderRadius:"12px",zIndex:1}),s.extend(o.__hue_knob.style,{position:"absolute",width:"15px",height:"2px",borderRight:"4px solid #fff",zIndex:1}),s.extend(o.__saturation_field.style,{width:"100px",height:"100px",border:"1px solid #555",marginRight:"3px",display:"inline-block",cursor:"pointer"}),s.extend(d.style,{width:"100%",height:"100%",background:"none"}),le(d,"top","rgba(0,0,0,0)","#000"),s.extend(o.__hue_field.style,{width:"15px",height:"100px",border:"1px solid #555",cursor:"ns-resize",position:"absolute",top:"3px",right:"3px"}),Te(o.__hue_field),s.extend(o.__input.style,{outline:"none",textAlign:"center",color:"#fff",border:0,fontWeight:"bold",textShadow:o.__input_textShadow+"rgba(0,0,0,0.7)"}),a.bind(o.__saturation_field,"mousedown",l),a.bind(o.__saturation_field,"touchstart",l),a.bind(o.__field_knob,"mousedown",l),a.bind(o.__field_knob,"touchstart",l),a.bind(o.__hue_field,"mousedown",u),a.bind(o.__hue_field,"touchstart",u);function l(_){y(_),a.bind(window,"mousemove",y),a.bind(window,"touchmove",y),a.bind(window,"mouseup",f),a.bind(window,"touchend",f)}function u(_){b(_),a.bind(window,"mousemove",b),a.bind(window,"touchmove",b),a.bind(window,"mouseup",m),a.bind(window,"touchend",m)}function f(){a.unbind(window,"mousemove",y),a.unbind(window,"touchmove",y),a.unbind(window,"mouseup",f),a.unbind(window,"touchend",f),h()}function m(){a.unbind(window,"mousemove",b),a.unbind(window,"touchmove",b),a.unbind(window,"mouseup",m),a.unbind(window,"touchend",m),h()}function c(){var _=X(this.value);_!==!1?(r.__color.__state=_,r.setValue(r.__color.toOriginal())):this.value=r.__color.toString()}function h(){r.__onFinishChange&&r.__onFinishChange.call(r,r.__color.toOriginal())}o.__saturation_field.appendChild(d),o.__selector.appendChild(o.__field_knob),o.__selector.appendChild(o.__saturation_field),o.__selector.appendChild(o.__hue_field),o.__hue_field.appendChild(o.__hue_knob),o.domElement.appendChild(o.__input),o.domElement.appendChild(o.__selector),o.updateDisplay();function y(_){_.type.indexOf("touch")===-1&&_.preventDefault();var v=r.__saturation_field.getBoundingClientRect(),O=_.touches&&_.touches[0]||_,K=O.clientX,T=O.clientY,N=(K-v.left)/(v.right-v.left),F=1-(T-v.top)/(v.bottom-v.top);return F>1?F=1:F<0&&(F=0),N>1?N=1:N<0&&(N=0),r.__color.v=F,r.__color.s=N,r.setValue(r.__color.toOriginal()),!1}function b(_){_.type.indexOf("touch")===-1&&_.preventDefault();var v=r.__hue_field.getBoundingClientRect(),O=_.touches&&_.touches[0]||_,K=O.clientY,T=1-(K-v.top)/(v.bottom-v.top);return T>1?T=1:T<0&&(T=0),r.__color.h=T*360,r.setValue(r.__color.toOriginal()),!1}return o}return x(e,[{key:"updateDisplay",value:function(){var i=X(this.getValue());if(i!==!1){var o=!1;s.each(g.COMPONENTS,function(l){if(!s.isUndefined(i[l])&&!s.isUndefined(this.__color.__state[l])&&i[l]!==this.__color.__state[l])return o=!0,{}},this),o&&s.extend(this.__color.__state,i)}s.extend(this.__temp.__state,this.__color.__state),this.__temp.a=1;var r=this.__color.v<.5||this.__color.s>.5?255:0,d=255-r;s.extend(this.__field_knob.style,{marginLeft:100*this.__color.s-7+"px",marginTop:100*(1-this.__color.v)-7+"px",backgroundColor:this.__temp.toHexString(),border:this.__field_knob_border+"rgb("+r+","+r+","+r+")"}),this.__hue_knob.style.marginTop=(1-this.__color.h/360)*100+"px",this.__temp.s=1,this.__temp.v=1,le(this.__saturation_field,"left","#fff",this.__temp.toHexString()),this.__input.value=this.__color.toString(),s.extend(this.__input.style,{backgroundColor:this.__color.toHexString(),color:"rgb("+r+","+r+","+r+")",textShadow:this.__input_textShadow+"rgba("+d+","+d+","+d+",.7)"})}}]),e}(k),Oe=["-moz-","-o-","-webkit-","-ms-",""];function le(n,e,t,i){n.style.background="",s.each(Oe,function(o){n.style.cssText+="background: "+o+"linear-gradient("+e+", "+t+" 0%, "+i+" 100%); "})}function Te(n){n.style.background="",n.style.cssText+="background: -moz-linear-gradient(top, #ff0000 0%, #ff00ff 17%, #0000ff 34%, #00ffff 50%, #00ff00 67%, #ffff00 84%, #ff0000 100%);",n.style.cssText+="background: -webkit-linear-gradient(top, #ff0000 0%,#ff00ff 17%,#0000ff 34%,#00ffff 50%,#00ff00 67%,#ffff00 84%,#ff0000 100%);",n.style.cssText+="background: -o-linear-gradient(top, #ff0000 0%,#ff00ff 17%,#0000ff 34%,#00ffff 50%,#00ff00 67%,#ffff00 84%,#ff0000 100%);",n.style.cssText+="background: -ms-linear-gradient(top, #ff0000 0%,#ff00ff 17%,#0000ff 34%,#00ffff 50%,#00ff00 67%,#ffff00 84%,#ff0000 100%);",n.style.cssText+="background: linear-gradient(top, #ff0000 0%,#ff00ff 17%,#0000ff 34%,#00ffff 50%,#00ff00 67%,#ffff00 84%,#ff0000 100%);"}var Re={load:function(e,t){var i=t||document,o=i.createElement("link");o.type="text/css",o.rel="stylesheet",o.href=e,i.getElementsByTagName("head")[0].appendChild(o)},inject:function(e,t){var i=t||document,o=document.createElement("style");o.type="text/css",o.innerHTML=e;var r=i.getElementsByTagName("head")[0];try{r.appendChild(o)}catch{}}},Le=`
+ + Here's the new load parameter for your GUI's constructor: + + + +
+ + Automatically save + values to localStorage on exit. + +
The values saved to localStorage will + override those passed to dat.GUI's constructor. This makes it + easier to work incrementally, but localStorage is fragile, + and your friends may not see the same values you do. + +
+ +
+ +
`,Be=function(e,t){var i=e[t];return s.isArray(arguments[2])||s.isObject(arguments[2])?new ge(e,t,arguments[2]):s.isNumber(i)?s.isNumber(arguments[2])&&s.isNumber(arguments[3])?s.isNumber(arguments[4])?new j(e,t,arguments[2],arguments[3],arguments[4]):new j(e,t,arguments[2],arguments[3]):s.isNumber(arguments[4])?new z(e,t,{min:arguments[2],max:arguments[3],step:arguments[4]}):new z(e,t,{min:arguments[2],max:arguments[3]}):s.isString(i)?new be(e,t):s.isFunction(i)?new ie(e,t,""):s.isBoolean(i)?new te(e,t):null};function Ne(n){setTimeout(n,1e3/60)}var Fe=window.requestAnimationFrame||window.webkitRequestAnimationFrame||window.mozRequestAnimationFrame||window.oRequestAnimationFrame||window.msRequestAnimationFrame||Ne,He=function(){function n(){w(this,n),this.backgroundElement=document.createElement("div"),s.extend(this.backgroundElement.style,{backgroundColor:"rgba(0,0,0,0.8)",top:0,left:0,display:"none",zIndex:"1000",opacity:0,WebkitTransition:"opacity 0.2s linear",transition:"opacity 0.2s linear"}),a.makeFullscreen(this.backgroundElement),this.backgroundElement.style.position="fixed",this.domElement=document.createElement("div"),s.extend(this.domElement.style,{position:"fixed",display:"none",zIndex:"1001",opacity:0,WebkitTransition:"-webkit-transform 0.2s ease-out, opacity 0.2s linear",transition:"transform 0.2s ease-out, opacity 0.2s linear"}),document.body.appendChild(this.backgroundElement),document.body.appendChild(this.domElement);var e=this;a.bind(this.backgroundElement,"click",function(){e.hide()})}return x(n,[{key:"show",value:function(){var t=this;this.backgroundElement.style.display="block",this.domElement.style.display="block",this.domElement.style.opacity=0,this.domElement.style.webkitTransform="scale(1.1)",this.layout(),s.defer(function(){t.backgroundElement.style.opacity=1,t.domElement.style.opacity=1,t.domElement.style.webkitTransform="scale(1)"})}},{key:"hide",value:function(){var t=this,i=function o(){t.domElement.style.display="none",t.backgroundElement.style.display="none",a.unbind(t.domElement,"webkitTransitionEnd",o),a.unbind(t.domElement,"transitionend",o),a.unbind(t.domElement,"oTransitionEnd",o)};a.bind(this.domElement,"webkitTransitionEnd",i),a.bind(this.domElement,"transitionend",i),a.bind(this.domElement,"oTransitionEnd",i),this.backgroundElement.style.opacity=0,this.domElement.style.opacity=0,this.domElement.style.webkitTransform="scale(1.1)"}},{key:"layout",value:function(){this.domElement.style.left=window.innerWidth/2-a.getWidth(this.domElement)/2+"px",this.domElement.style.top=window.innerHeight/2-a.getHeight(this.domElement)/2+"px"}}]),n}(),De=xe(`.dg ul{list-style:none;margin:0;padding:0;width:100%;clear:both}.dg.ac{position:fixed;top:0;left:0;right:0;height:0;z-index:0}.dg:not(.ac) .main{overflow:hidden}.dg.main{-webkit-transition:opacity .1s linear;-o-transition:opacity .1s linear;-moz-transition:opacity .1s linear;transition:opacity .1s linear}.dg.main.taller-than-window{overflow-y:auto}.dg.main.taller-than-window .close-button{opacity:1;margin-top:-1px;border-top:1px solid #2c2c2c}.dg.main ul.closed .close-button{opacity:1 !important}.dg.main:hover .close-button,.dg.main .close-button.drag{opacity:1}.dg.main .close-button{-webkit-transition:opacity .1s linear;-o-transition:opacity .1s linear;-moz-transition:opacity .1s linear;transition:opacity .1s linear;border:0;line-height:19px;height:20px;cursor:pointer;text-align:center;background-color:#000}.dg.main .close-button.close-top{position:relative}.dg.main .close-button.close-bottom{position:absolute}.dg.main .close-button:hover{background-color:#111}.dg.a{float:right;margin-right:15px;overflow-y:visible}.dg.a.has-save>ul.close-top{margin-top:0}.dg.a.has-save>ul.close-bottom{margin-top:27px}.dg.a.has-save>ul.closed{margin-top:0}.dg.a .save-row{top:0;z-index:1002}.dg.a .save-row.close-top{position:relative}.dg.a .save-row.close-bottom{position:fixed}.dg li{-webkit-transition:height .1s ease-out;-o-transition:height .1s ease-out;-moz-transition:height .1s ease-out;transition:height .1s ease-out;-webkit-transition:overflow .1s linear;-o-transition:overflow .1s linear;-moz-transition:overflow .1s linear;transition:overflow .1s linear}.dg li:not(.folder){cursor:auto;height:27px;line-height:27px;padding:0 4px 0 5px}.dg li.folder{padding:0;border-left:4px solid rgba(0,0,0,0)}.dg li.title{cursor:pointer;margin-left:-4px}.dg .closed li:not(.title),.dg .closed ul li,.dg .closed ul li>*{height:0;overflow:hidden;border:0}.dg .cr{clear:both;padding-left:3px;height:27px;overflow:hidden}.dg .property-name{cursor:default;float:left;clear:left;width:40%;overflow:hidden;text-overflow:ellipsis}.dg .cr.function .property-name{width:100%}.dg .c{float:left;width:60%;position:relative}.dg .c input[type=text]{border:0;margin-top:4px;padding:3px;width:100%;float:right}.dg .has-slider input[type=text]{width:30%;margin-left:0}.dg .slider{float:left;width:66%;margin-left:-5px;margin-right:0;height:19px;margin-top:4px}.dg .slider-fg{height:100%}.dg .c input[type=checkbox]{margin-top:7px}.dg .c select{margin-top:5px}.dg .cr.function,.dg .cr.function .property-name,.dg .cr.function *,.dg .cr.boolean,.dg .cr.boolean *{cursor:pointer}.dg .cr.color{overflow:visible}.dg .selector{display:none;position:absolute;margin-left:-9px;margin-top:23px;z-index:10}.dg .c:hover .selector,.dg .selector.drag{display:block}.dg li.save-row{padding:0}.dg li.save-row .button{display:inline-block;padding:0px 6px}.dg.dialogue{background-color:#222;width:460px;padding:15px;font-size:13px;line-height:15px}#dg-new-constructor{padding:10px;color:#222;font-family:Monaco, monospace;font-size:10px;border:0;resize:none;box-shadow:inset 1px 1px 1px #888;word-wrap:break-word;margin:12px 0;display:block;width:440px;overflow-y:scroll;height:100px;position:relative}#dg-local-explain{display:none;font-size:11px;line-height:17px;border-radius:3px;background-color:#333;padding:8px;margin-top:10px}#dg-local-explain code{font-size:10px}#dat-gui-save-locally{display:none}.dg{color:#eee;font:11px 'Lucida Grande', sans-serif;text-shadow:0 -1px 0 #111}.dg.main::-webkit-scrollbar{width:5px;background:#1a1a1a}.dg.main::-webkit-scrollbar-corner{height:0;display:none}.dg.main::-webkit-scrollbar-thumb{border-radius:5px;background:#676767}.dg li:not(.folder){background:#1a1a1a;border-bottom:1px solid #2c2c2c}.dg li.save-row{line-height:25px;background:#dad5cb;border:0}.dg li.save-row select{margin-left:5px;width:108px}.dg li.save-row .button{margin-left:5px;margin-top:1px;border-radius:2px;font-size:9px;line-height:7px;padding:4px 4px 5px 4px;background:#c5bdad;color:#fff;text-shadow:0 1px 0 #b0a58f;box-shadow:0 -1px 0 #b0a58f;cursor:pointer}.dg li.save-row .button.gears{background:#c5bdad url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAsAAAANCAYAAAB/9ZQ7AAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAQJJREFUeNpiYKAU/P//PwGIC/ApCABiBSAW+I8AClAcgKxQ4T9hoMAEUrxx2QSGN6+egDX+/vWT4e7N82AMYoPAx/evwWoYoSYbACX2s7KxCxzcsezDh3evFoDEBYTEEqycggWAzA9AuUSQQgeYPa9fPv6/YWm/Acx5IPb7ty/fw+QZblw67vDs8R0YHyQhgObx+yAJkBqmG5dPPDh1aPOGR/eugW0G4vlIoTIfyFcA+QekhhHJhPdQxbiAIguMBTQZrPD7108M6roWYDFQiIAAv6Aow/1bFwXgis+f2LUAynwoIaNcz8XNx3Dl7MEJUDGQpx9gtQ8YCueB+D26OECAAQDadt7e46D42QAAAABJRU5ErkJggg==) 2px 1px no-repeat;height:7px;width:8px}.dg li.save-row .button:hover{background-color:#bab19e;box-shadow:0 -1px 0 #b0a58f}.dg li.folder{border-bottom:0}.dg li.title{padding-left:16px;background:#000 url(data:image/gif;base64,R0lGODlhBQAFAJEAAP////Pz8////////yH5BAEAAAIALAAAAAAFAAUAAAIIlI+hKgFxoCgAOw==) 6px 10px no-repeat;cursor:pointer;border-bottom:1px solid rgba(255,255,255,0.2)}.dg .closed li.title{background-image:url(data:image/gif;base64,R0lGODlhBQAFAJEAAP////Pz8////////yH5BAEAAAIALAAAAAAFAAUAAAIIlGIWqMCbWAEAOw==)}.dg .cr.boolean{border-left:3px solid #806787}.dg .cr.color{border-left:3px solid}.dg .cr.function{border-left:3px solid #e61d5f}.dg .cr.number{border-left:3px solid #2FA1D6}.dg .cr.number input[type=text]{color:#2FA1D6}.dg .cr.string{border-left:3px solid #1ed36f}.dg .cr.string input[type=text]{color:#1ed36f}.dg .cr.function:hover,.dg .cr.boolean:hover{background:#111}.dg .c input[type=text]{background:#303030;outline:none}.dg .c input[type=text]:hover{background:#3c3c3c}.dg .c input[type=text]:focus{background:#494949;color:#fff}.dg .c .slider{background:#303030;cursor:ew-resize}.dg .c .slider-fg{background:#2FA1D6;max-width:100%}.dg .c .slider:hover{background:#3c3c3c}.dg .c .slider:hover .slider-fg{background:#44abda} +`);Re.inject(De);var ue="dg",ce=72,fe=20,U="Default",P=function(){try{return!!window.localStorage}catch{return!1}}(),V=void 0,_e=!0,R=void 0,W=!1,ve=[],p=function n(e){var t=this,i=e||{};this.domElement=document.createElement("div"),this.__ul=document.createElement("ul"),this.domElement.appendChild(this.__ul),a.addClass(this.domElement,ue),this.__folders={},this.__controllers=[],this.__rememberedObjects=[],this.__rememberedObjectIndecesToControllers=[],this.__listening=[],i=s.defaults(i,{closeOnTop:!1,autoPlace:!0,width:n.DEFAULT_WIDTH}),i=s.defaults(i,{resizable:i.autoPlace,hideable:i.autoPlace}),s.isUndefined(i.load)?i.load={preset:U}:i.preset&&(i.load.preset=i.preset),s.isUndefined(i.parent)&&i.hideable&&ve.push(this),i.resizable=s.isUndefined(i.parent)&&i.resizable,i.autoPlace&&s.isUndefined(i.scrollable)&&(i.scrollable=!0);var o=P&&localStorage.getItem(L(this,"isLocal"))==="true",r=void 0,d=void 0;if(Object.defineProperties(this,{parent:{get:function(){return i.parent}},scrollable:{get:function(){return i.scrollable}},autoPlace:{get:function(){return i.autoPlace}},closeOnTop:{get:function(){return i.closeOnTop}},preset:{get:function(){return t.parent?t.getRoot().preset:i.load.preset},set:function(h){t.parent?t.getRoot().preset=h:i.load.preset=h,Me(this),t.revert()}},width:{get:function(){return i.width},set:function(h){i.width=h,q(t,h)}},name:{get:function(){return i.name},set:function(h){i.name=h,d&&(d.innerHTML=i.name)}},closed:{get:function(){return i.closed},set:function(h){i.closed=h,i.closed?a.addClass(t.__ul,n.CLASS_CLOSED):a.removeClass(t.__ul,n.CLASS_CLOSED),this.onResize(),t.__closeButton&&(t.__closeButton.innerHTML=h?n.TEXT_OPEN:n.TEXT_CLOSED)}},load:{get:function(){return i.load}},useLocalStorage:{get:function(){return o},set:function(h){P&&(o=h,h?a.bind(window,"unload",r):a.unbind(window,"unload",r),localStorage.setItem(L(t,"isLocal"),h))}}}),s.isUndefined(i.parent)){if(this.closed=i.closed||!1,a.addClass(this.domElement,n.CLASS_MAIN),a.makeSelectable(this.domElement,!1),P&&o){t.useLocalStorage=!0;var l=localStorage.getItem(L(this,"gui"));l&&(i.load=JSON.parse(l))}this.__closeButton=document.createElement("div"),this.__closeButton.innerHTML=n.TEXT_CLOSED,a.addClass(this.__closeButton,n.CLASS_CLOSE_BUTTON),i.closeOnTop?(a.addClass(this.__closeButton,n.CLASS_CLOSE_TOP),this.domElement.insertBefore(this.__closeButton,this.domElement.childNodes[0])):(a.addClass(this.__closeButton,n.CLASS_CLOSE_BOTTOM),this.domElement.appendChild(this.__closeButton)),a.bind(this.__closeButton,"click",function(){t.closed=!t.closed})}else{i.closed===void 0&&(i.closed=!0);var u=document.createTextNode(i.name);a.addClass(u,"controller-name"),d=oe(t,u);var f=function(h){return h.preventDefault(),t.closed=!t.closed,!1};a.addClass(this.__ul,n.CLASS_CLOSED),a.addClass(d,"title"),a.bind(d,"click",f),i.closed||(this.closed=!1)}i.autoPlace&&(s.isUndefined(i.parent)&&(_e&&(R=document.createElement("div"),a.addClass(R,ue),a.addClass(R,n.CLASS_AUTO_PLACE_CONTAINER),document.body.appendChild(R),_e=!1),R.appendChild(this.domElement),a.addClass(this.domElement,n.CLASS_AUTO_PLACE)),this.parent||q(t,i.width)),this.__resizeHandler=function(){t.onResizeDebounced()},a.bind(window,"resize",this.__resizeHandler),a.bind(this.__ul,"webkitTransitionEnd",this.__resizeHandler),a.bind(this.__ul,"transitionend",this.__resizeHandler),a.bind(this.__ul,"oTransitionEnd",this.__resizeHandler),this.onResize(),i.resizable&&Ie(this),r=function(){P&&localStorage.getItem(L(t,"isLocal"))==="true"&&localStorage.setItem(L(t,"gui"),JSON.stringify(t.getSaveObject()))},this.saveToLocalStorageIfPossible=r;function m(){var c=t.getRoot();c.width+=1,s.defer(function(){c.width-=1})}i.parent||m()};p.toggleHide=function(){W=!W,s.each(ve,function(n){n.domElement.style.display=W?"none":""})};p.CLASS_AUTO_PLACE="a";p.CLASS_AUTO_PLACE_CONTAINER="ac";p.CLASS_MAIN="main";p.CLASS_CONTROLLER_ROW="cr";p.CLASS_TOO_TALL="taller-than-window";p.CLASS_CLOSED="closed";p.CLASS_CLOSE_BUTTON="close-button";p.CLASS_CLOSE_TOP="close-top";p.CLASS_CLOSE_BOTTOM="close-bottom";p.CLASS_DRAG="drag";p.DEFAULT_WIDTH=245;p.TEXT_CLOSED="Close Controls";p.TEXT_OPEN="Open Controls";p._keydownHandler=function(n){document.activeElement.type!=="text"&&(n.which===ce||n.keyCode===ce)&&p.toggleHide()};a.bind(window,"keydown",p._keydownHandler,!1);s.extend(p.prototype,{add:function(e,t){return I(this,e,t,{factoryArgs:Array.prototype.slice.call(arguments,2)})},addColor:function(e,t){return I(this,e,t,{color:!0})},remove:function(e){this.__ul.removeChild(e.__li),this.__controllers.splice(this.__controllers.indexOf(e),1);var t=this;s.defer(function(){t.onResize()})},destroy:function(){if(this.parent)throw new Error("Only the root GUI should be removed with .destroy(). For subfolders, use gui.removeFolder(folder) instead.");this.autoPlace&&R.removeChild(this.domElement);var e=this;s.each(this.__folders,function(t){e.removeFolder(t)}),a.unbind(window,"keydown",p._keydownHandler,!1),he(this)},addFolder:function(e){if(this.__folders[e]!==void 0)throw new Error('You already have a folder in this GUI by the name "'+e+'"');var t={name:e,parent:this};t.autoPlace=this.autoPlace,this.load&&this.load.folders&&this.load.folders[e]&&(t.closed=this.load.folders[e].closed,t.load=this.load.folders[e]);var i=new p(t);this.__folders[e]=i;var o=oe(this,i.domElement);return a.addClass(o,"folder"),i},removeFolder:function(e){this.__ul.removeChild(e.domElement.parentElement),delete this.__folders[e.name],this.load&&this.load.folders&&this.load.folders[e.name]&&delete this.load.folders[e.name],he(e);var t=this;s.each(e.__folders,function(i){e.removeFolder(i)}),s.defer(function(){t.onResize()})},open:function(){this.closed=!1},close:function(){this.closed=!0},hide:function(){this.domElement.style.display="none"},show:function(){this.domElement.style.display=""},onResize:function(){var e=this.getRoot();if(e.scrollable){var t=a.getOffset(e.__ul).top,i=0;s.each(e.__ul.childNodes,function(o){e.autoPlace&&o===e.__save_row||(i+=a.getHeight(o))}),window.innerHeight-t-fe0&&(e.preset=this.preset,e.remembered||(e.remembered={}),e.remembered[this.preset]=$(this)),e.folders={},s.each(this.__folders,function(t,i){e.folders[i]=t.getSaveObject()}),e},save:function(){this.load.remembered||(this.load.remembered={}),this.load.remembered[this.preset]=$(this),J(this,!1),this.saveToLocalStorageIfPossible()},saveAs:function(e){this.load.remembered||(this.load.remembered={},this.load.remembered[U]=$(this,!0)),this.load.remembered[e]=$(this),this.preset=e,Q(this,e,!0),this.saveToLocalStorageIfPossible()},revert:function(e){s.each(this.__controllers,function(t){this.getRoot().load.remembered?ye(e||this.getRoot(),t):t.setValue(t.initialValue),t.__onFinishChange&&t.__onFinishChange.call(t,t.getValue())},this),s.each(this.__folders,function(t){t.revert(t)}),e||J(this.getRoot(),!1)},listen:function(e){var t=this.__listening.length===0;this.__listening.push(e),t&&we(this.__listening)},updateDisplay:function(){s.each(this.__controllers,function(e){e.updateDisplay()}),s.each(this.__folders,function(e){e.updateDisplay()})}});function oe(n,e,t){var i=document.createElement("li");return e&&i.appendChild(e),t?n.__ul.insertBefore(i,t):n.__ul.appendChild(i),n.onResize(),i}function he(n){a.unbind(window,"resize",n.__resizeHandler),n.saveToLocalStorageIfPossible&&a.unbind(window,"unload",n.saveToLocalStorageIfPossible)}function J(n,e){var t=n.__preset_select[n.__preset_select.selectedIndex];e?t.innerHTML=t.value+"*":t.innerHTML=t.value}function Pe(n,e,t){if(t.__li=e,t.__gui=n,s.extend(t,{options:function(d){if(arguments.length>1){var l=t.__li.nextElementSibling;return t.remove(),I(n,t.object,t.property,{before:l,factoryArgs:[s.toArray(arguments)]})}if(s.isArray(d)||s.isObject(d)){var u=t.__li.nextElementSibling;return t.remove(),I(n,t.object,t.property,{before:u,factoryArgs:[d]})}},name:function(d){return t.__li.firstElementChild.firstElementChild.innerHTML=d,t},listen:function(){return t.__gui.listen(t),t},remove:function(){return t.__gui.remove(t),t}}),t instanceof j){var i=new z(t.object,t.property,{min:t.__min,max:t.__max,step:t.__step});s.each(["updateDisplay","onChange","onFinishChange","step","min","max"],function(r){var d=t[r],l=i[r];t[r]=i[r]=function(){var u=Array.prototype.slice.call(arguments);return l.apply(i,u),d.apply(t,u)}}),a.addClass(e,"has-slider"),t.domElement.insertBefore(i.domElement,t.domElement.firstElementChild)}else if(t instanceof z){var o=function(d){if(s.isNumber(t.__min)&&s.isNumber(t.__max)){var l=t.__li.firstElementChild.firstElementChild.innerHTML,u=t.__gui.__listening.indexOf(t)>-1;t.remove();var f=I(n,t.object,t.property,{before:t.__li.nextElementSibling,factoryArgs:[t.__min,t.__max,t.__step]});return f.name(l),u&&f.listen(),f}return d};t.min=s.compose(o,t.min),t.max=s.compose(o,t.max)}else t instanceof te?(a.bind(e,"click",function(){a.fakeEvent(t.__checkbox,"click")}),a.bind(t.__checkbox,"click",function(r){r.stopPropagation()})):t instanceof ie?(a.bind(e,"click",function(){a.fakeEvent(t.__button,"click")}),a.bind(e,"mouseover",function(){a.addClass(t.__button,"hover")}),a.bind(e,"mouseout",function(){a.removeClass(t.__button,"hover")})):t instanceof Y&&(a.addClass(e,"color"),t.updateDisplay=s.compose(function(r){return e.style.borderLeftColor=t.__color.toString(),r},t.updateDisplay),t.updateDisplay());t.setValue=s.compose(function(r){return n.getRoot().__preset_select&&t.isModified()&&J(n.getRoot(),!0),r},t.setValue)}function ye(n,e){var t=n.getRoot(),i=t.__rememberedObjects.indexOf(e.object);if(i!==-1){var o=t.__rememberedObjectIndecesToControllers[i];if(o===void 0&&(o={},t.__rememberedObjectIndecesToControllers[i]=o),o[e.property]=e,t.load&&t.load.remembered){var r=t.load.remembered,d=void 0;if(r[n.preset])d=r[n.preset];else if(r[U])d=r[U];else return;if(d[i]&&d[i][e.property]!==void 0){var l=d[i][e.property];e.initialValue=l,e.setValue(l)}}}}function I(n,e,t,i){if(e[t]===void 0)throw new Error('Object "'+e+'" has no property "'+t+'"');var o=void 0;if(i.color)o=new Y(e,t);else{var r=[e,t].concat(i.factoryArgs);o=Be.apply(n,r)}i.before instanceof k&&(i.before=i.before.__li),ye(n,o),a.addClass(o.domElement,"c");var d=document.createElement("span");a.addClass(d,"property-name"),d.innerHTML=o.property;var l=document.createElement("div");l.appendChild(d),l.appendChild(o.domElement);var u=oe(n,l,i.before);return a.addClass(u,p.CLASS_CONTROLLER_ROW),o instanceof Y?a.addClass(u,"color"):a.addClass(u,Ee(o.getValue())),Pe(n,u,o),n.__controllers.push(o),o}function L(n,e){return document.location.href+"."+e}function Q(n,e,t){var i=document.createElement("option");i.innerHTML=e,i.value=e,n.__preset_select.appendChild(i),t&&(n.__preset_select.selectedIndex=n.__preset_select.length-1)}function pe(n,e){e.style.display=n.useLocalStorage?"block":"none"}function Ve(n){var e=n.__save_row=document.createElement("li");a.addClass(n.domElement,"has-save"),n.__ul.insertBefore(e,n.__ul.firstChild),a.addClass(e,"save-row");var t=document.createElement("span");t.innerHTML=" ",a.addClass(t,"button gears");var i=document.createElement("span");i.innerHTML="Save",a.addClass(i,"button"),a.addClass(i,"save");var o=document.createElement("span");o.innerHTML="New",a.addClass(o,"button"),a.addClass(o,"save-as");var r=document.createElement("span");r.innerHTML="Revert",a.addClass(r,"button"),a.addClass(r,"revert");var d=n.__preset_select=document.createElement("select");if(n.load&&n.load.remembered?s.each(n.load.remembered,function(c,h){Q(n,h,h===n.preset)}):Q(n,U,!1),a.bind(d,"change",function(){for(var c=0;c0?(Y[0]=(i*s+L*n+c*a-y*r)*2/k,Y[1]=(c*s+L*r+y*n-i*a)*2/k,Y[2]=(y*s+L*a+i*r-c*n)*2/k):(Y[0]=(i*s+L*n+c*a-y*r)*2,Y[1]=(c*s+L*r+y*n-i*a)*2,Y[2]=(y*s+L*a+i*r-c*n)*2),h.fromRotationTranslation(e,t,Y),e}static normalFromMat4(e,t){let n=t[0],r=t[1],a=t[2],s=t[3],i=t[4],c=t[5],y=t[6],L=t[7],k=t[8],l=t[9],b=t[10],M=t[11],d=t[12],m=t[13],o=t[14],x=t[15],z=n*c-r*i,R=n*y-a*i,V=n*L-s*i,w=r*y-a*c,g=r*L-s*c,T=a*L-s*y,E=k*m-l*d,F=k*o-b*d,f=k*x-M*d,N=l*o-b*m,B=l*x-M*m,D=b*x-M*o,Q=z*D-R*B+V*N+w*f-g*F+T*E;return Q?(Q=1/Q,e[0]=(c*D-y*B+L*N)*Q,e[1]=(y*f-i*D-L*F)*Q,e[2]=(i*B-c*f+L*E)*Q,e[3]=0,e[4]=(a*B-r*D-s*N)*Q,e[5]=(n*D-a*f+s*F)*Q,e[6]=(r*f-n*B-s*E)*Q,e[7]=0,e[8]=(m*T-o*g+x*w)*Q,e[9]=(o*V-d*T-x*R)*Q,e[10]=(d*g-m*V+x*z)*Q,e[11]=0,e[12]=0,e[13]=0,e[14]=0,e[15]=1,e):null}static normalFromMat4Fast(e,t){let n=t[0],r=t[1],a=t[2],s=t[4],i=t[5],c=t[6],y=t[8],L=t[9],k=t[10];return e[0]=i*k-k*L,e[1]=c*y-y*k,e[2]=s*L-L*y,e[3]=0,e[4]=L*a-k*r,e[5]=k*n-y*a,e[6]=y*r-L*n,e[7]=0,e[8]=r*c-a*i,e[9]=a*s-n*c,e[10]=n*i-r*s,e[11]=0,e[12]=0,e[13]=0,e[14]=0,e[15]=1,e}static getTranslation(e,t){return e[0]=t[12],e[1]=t[13],e[2]=t[14],e}static getScaling(e,t){let n=t[0],r=t[1],a=t[2],s=t[4],i=t[5],c=t[6],y=t[8],L=t[9],k=t[10];return e[0]=Math.sqrt(n*n+r*r+a*a),e[1]=Math.sqrt(s*s+i*i+c*c),e[2]=Math.sqrt(y*y+L*L+k*k),e}static getRotation(e,t){h.getScaling(Y,t);let n=1/Y[0],r=1/Y[1],a=1/Y[2],s=t[0]*n,i=t[1]*r,c=t[2]*a,y=t[4]*n,L=t[5]*r,k=t[6]*a,l=t[8]*n,b=t[9]*r,M=t[10]*a,d=s+L+M,m=0;return d>0?(m=Math.sqrt(d+1)*2,e[3]=.25*m,e[0]=(k-b)/m,e[1]=(l-c)/m,e[2]=(i-y)/m):s>L&&s>M?(m=Math.sqrt(1+s-L-M)*2,e[3]=(k-b)/m,e[0]=.25*m,e[1]=(i+y)/m,e[2]=(l+c)/m):L>M?(m=Math.sqrt(1+L-s-M)*2,e[3]=(l-c)/m,e[0]=(i+y)/m,e[1]=.25*m,e[2]=(k+b)/m):(m=Math.sqrt(1+M-s-L)*2,e[3]=(i-y)/m,e[0]=(l+c)/m,e[1]=(k+b)/m,e[2]=.25*m),e}static decompose(e,t,n,r){t[0]=r[12],t[1]=r[13],t[2]=r[14];let a=r[0],s=r[1],i=r[2],c=r[4],y=r[5],L=r[6],k=r[8],l=r[9],b=r[10];n[0]=Math.sqrt(a*a+s*s+i*i),n[1]=Math.sqrt(c*c+y*y+L*L),n[2]=Math.sqrt(k*k+l*l+b*b);let M=1/n[0],d=1/n[1],m=1/n[2],o=a*M,x=s*d,z=i*m,R=c*M,V=y*d,w=L*m,g=k*M,T=l*d,E=b*m,F=o+V+E,f=0;return F>0?(f=Math.sqrt(F+1)*2,e[3]=.25*f,e[0]=(w-T)/f,e[1]=(g-z)/f,e[2]=(x-R)/f):o>V&&o>E?(f=Math.sqrt(1+o-V-E)*2,e[3]=(w-T)/f,e[0]=.25*f,e[1]=(x+R)/f,e[2]=(g+z)/f):V>E?(f=Math.sqrt(1+V-o-E)*2,e[3]=(g-z)/f,e[0]=(x+R)/f,e[1]=.25*f,e[2]=(w+T)/f):(f=Math.sqrt(1+E-o-V)*2,e[3]=(x-R)/f,e[0]=(g+z)/f,e[1]=(w+T)/f,e[2]=.25*f),e}static fromRotationTranslationScale(e,t,n,r){let a=t[0],s=t[1],i=t[2],c=t[3],y=a+a,L=s+s,k=i+i,l=a*y,b=a*L,M=a*k,d=s*L,m=s*k,o=i*k,x=c*y,z=c*L,R=c*k,V=r[0],w=r[1],g=r[2];return e[0]=(1-(d+o))*V,e[1]=(b+R)*V,e[2]=(M-z)*V,e[3]=0,e[4]=(b-R)*w,e[5]=(1-(l+o))*w,e[6]=(m+x)*w,e[7]=0,e[8]=(M+z)*g,e[9]=(m-x)*g,e[10]=(1-(l+d))*g,e[11]=0,e[12]=n[0],e[13]=n[1],e[14]=n[2],e[15]=1,e}static fromRotationTranslationScaleOrigin(e,t,n,r,a){let s=t[0],i=t[1],c=t[2],y=t[3],L=s+s,k=i+i,l=c+c,b=s*L,M=s*k,d=s*l,m=i*k,o=i*l,x=c*l,z=y*L,R=y*k,V=y*l,w=r[0],g=r[1],T=r[2],E=a[0],F=a[1],f=a[2],N=(1-(m+x))*w,B=(M+V)*w,D=(d-R)*w,Q=(M-V)*g,Z=(1-(b+x))*g,W=(o+z)*g,U=(d+R)*T,K=(o-z)*T,v=(1-(b+m))*T;return e[0]=N,e[1]=B,e[2]=D,e[3]=0,e[4]=Q,e[5]=Z,e[6]=W,e[7]=0,e[8]=U,e[9]=K,e[10]=v,e[11]=0,e[12]=n[0]+E-(N*E+Q*F+U*f),e[13]=n[1]+F-(B*E+Z*F+K*f),e[14]=n[2]+f-(D*E+W*F+v*f),e[15]=1,e}static fromQuat(e,t){let n=t[0],r=t[1],a=t[2],s=t[3],i=n+n,c=r+r,y=a+a,L=n*i,k=r*i,l=r*c,b=a*i,M=a*c,d=a*y,m=s*i,o=s*c,x=s*y;return e[0]=1-l-d,e[1]=k+x,e[2]=b-o,e[3]=0,e[4]=k-x,e[5]=1-L-d,e[6]=M+m,e[7]=0,e[8]=b+o,e[9]=M-m,e[10]=1-L-l,e[11]=0,e[12]=0,e[13]=0,e[14]=0,e[15]=1,e}static frustumNO(e,t,n,r,a,s,i=1/0){let c=1/(n-t),y=1/(a-r);if(e[0]=s*2*c,e[1]=0,e[2]=0,e[3]=0,e[4]=0,e[5]=s*2*y,e[6]=0,e[7]=0,e[8]=(n+t)*c,e[9]=(a+r)*y,e[11]=-1,e[12]=0,e[13]=0,e[15]=0,i!=null&&i!==1/0){let L=1/(s-i);e[10]=(i+s)*L,e[14]=2*i*s*L}else e[10]=-1,e[14]=-2*s;return e}static frustum(e,t,n,r,a,s,i=1/0){return e}static frustumZO(e,t,n,r,a,s,i=1/0){let c=1/(n-t),y=1/(a-r);if(e[0]=s*2*c,e[1]=0,e[2]=0,e[3]=0,e[4]=0,e[5]=s*2*y,e[6]=0,e[7]=0,e[8]=(n+t)*c,e[9]=(a+r)*y,e[11]=-1,e[12]=0,e[13]=0,e[15]=0,i!=null&&i!==1/0){let L=1/(s-i);e[10]=i*L,e[14]=i*s*L}else e[10]=-1,e[14]=-s;return e}static perspectiveNO(e,t,n,r,a=1/0){let s=1/Math.tan(t/2);if(e[0]=s/n,e[1]=0,e[2]=0,e[3]=0,e[4]=0,e[5]=s,e[6]=0,e[7]=0,e[8]=0,e[9]=0,e[11]=-1,e[12]=0,e[13]=0,e[15]=0,a!=null&&a!==1/0){let i=1/(r-a);e[10]=(a+r)*i,e[14]=2*a*r*i}else e[10]=-1,e[14]=-2*r;return e}static perspective(e,t,n,r,a=1/0){return e}static perspectiveZO(e,t,n,r,a=1/0){let s=1/Math.tan(t/2);if(e[0]=s/n,e[1]=0,e[2]=0,e[3]=0,e[4]=0,e[5]=s,e[6]=0,e[7]=0,e[8]=0,e[9]=0,e[11]=-1,e[12]=0,e[13]=0,e[15]=0,a!=null&&a!==1/0){let i=1/(r-a);e[10]=a*i,e[14]=a*r*i}else e[10]=-1,e[14]=-r;return e}static perspectiveFromFieldOfView(e,t,n,r){let a=Math.tan(t.upDegrees*Math.PI/180),s=Math.tan(t.downDegrees*Math.PI/180),i=Math.tan(t.leftDegrees*Math.PI/180),c=Math.tan(t.rightDegrees*Math.PI/180),y=2/(i+c),L=2/(a+s);return e[0]=y,e[1]=0,e[2]=0,e[3]=0,e[4]=0,e[5]=L,e[6]=0,e[7]=0,e[8]=-((i-c)*y*.5),e[9]=(a-s)*L*.5,e[10]=r/(n-r),e[11]=-1,e[12]=0,e[13]=0,e[14]=r*n/(n-r),e[15]=0,e}static orthoNO(e,t,n,r,a,s,i){let c=1/(t-n),y=1/(r-a),L=1/(s-i);return e[0]=-2*c,e[1]=0,e[2]=0,e[3]=0,e[4]=0,e[5]=-2*y,e[6]=0,e[7]=0,e[8]=0,e[9]=0,e[10]=2*L,e[11]=0,e[12]=(t+n)*c,e[13]=(a+r)*y,e[14]=(i+s)*L,e[15]=1,e}static ortho(e,t,n,r,a,s,i){return e}static orthoZO(e,t,n,r,a,s,i){let c=1/(t-n),y=1/(r-a),L=1/(s-i);return e[0]=-2*c,e[1]=0,e[2]=0,e[3]=0,e[4]=0,e[5]=-2*y,e[6]=0,e[7]=0,e[8]=0,e[9]=0,e[10]=L,e[11]=0,e[12]=(t+n)*c,e[13]=(a+r)*y,e[14]=s*L,e[15]=1,e}static lookAt(e,t,n,r){let a=t[0],s=t[1],i=t[2],c=r[0],y=r[1],L=r[2],k=n[0],l=n[1],b=n[2];if(Math.abs(a-k)<1e-6&&Math.abs(s-l)<1e-6&&Math.abs(i-b)<1e-6)return h.identity(e);let M=a-k,d=s-l,m=i-b,o=1/Math.sqrt(M*M+d*d+m*m);M*=o,d*=o,m*=o;let x=y*m-L*d,z=L*M-c*m,R=c*d-y*M;o=Math.sqrt(x*x+z*z+R*R),o?(o=1/o,x*=o,z*=o,R*=o):(x=0,z=0,R=0);let V=d*R-m*z,w=m*x-M*R,g=M*z-d*x;return o=Math.sqrt(V*V+w*w+g*g),o?(o=1/o,V*=o,w*=o,g*=o):(V=0,w=0,g=0),e[0]=x,e[1]=V,e[2]=M,e[3]=0,e[4]=z,e[5]=w,e[6]=d,e[7]=0,e[8]=R,e[9]=g,e[10]=m,e[11]=0,e[12]=-(x*a+z*s+R*i),e[13]=-(V*a+w*s+g*i),e[14]=-(M*a+d*s+m*i),e[15]=1,e}static targetTo(e,t,n,r){let a=t[0],s=t[1],i=t[2],c=r[0],y=r[1],L=r[2],k=a-n[0],l=s-n[1],b=i-n[2],M=k*k+l*l+b*b;M>0&&(M=1/Math.sqrt(M),k*=M,l*=M,b*=M);let d=y*b-L*l,m=L*k-c*b,o=c*l-y*k;return M=d*d+m*m+o*o,M>0&&(M=1/Math.sqrt(M),d*=M,m*=M,o*=M),e[0]=d,e[1]=m,e[2]=o,e[3]=0,e[4]=l*o-b*m,e[5]=b*d-k*o,e[6]=k*m-l*d,e[7]=0,e[8]=k,e[9]=l,e[10]=b,e[11]=0,e[12]=a,e[13]=s,e[14]=i,e[15]=1,e}static frob(e){return Math.sqrt(e[0]*e[0]+e[1]*e[1]+e[2]*e[2]+e[3]*e[3]+e[4]*e[4]+e[5]*e[5]+e[6]*e[6]+e[7]*e[7]+e[8]*e[8]+e[9]*e[9]+e[10]*e[10]+e[11]*e[11]+e[12]*e[12]+e[13]*e[13]+e[14]*e[14]+e[15]*e[15])}static add(e,t,n){return e[0]=t[0]+n[0],e[1]=t[1]+n[1],e[2]=t[2]+n[2],e[3]=t[3]+n[3],e[4]=t[4]+n[4],e[5]=t[5]+n[5],e[6]=t[6]+n[6],e[7]=t[7]+n[7],e[8]=t[8]+n[8],e[9]=t[9]+n[9],e[10]=t[10]+n[10],e[11]=t[11]+n[11],e[12]=t[12]+n[12],e[13]=t[13]+n[13],e[14]=t[14]+n[14],e[15]=t[15]+n[15],e}static subtract(e,t,n){return e[0]=t[0]-n[0],e[1]=t[1]-n[1],e[2]=t[2]-n[2],e[3]=t[3]-n[3],e[4]=t[4]-n[4],e[5]=t[5]-n[5],e[6]=t[6]-n[6],e[7]=t[7]-n[7],e[8]=t[8]-n[8],e[9]=t[9]-n[9],e[10]=t[10]-n[10],e[11]=t[11]-n[11],e[12]=t[12]-n[12],e[13]=t[13]-n[13],e[14]=t[14]-n[14],e[15]=t[15]-n[15],e}static sub(e,t,n){return e}static multiplyScalar(e,t,n){return e[0]=t[0]*n,e[1]=t[1]*n,e[2]=t[2]*n,e[3]=t[3]*n,e[4]=t[4]*n,e[5]=t[5]*n,e[6]=t[6]*n,e[7]=t[7]*n,e[8]=t[8]*n,e[9]=t[9]*n,e[10]=t[10]*n,e[11]=t[11]*n,e[12]=t[12]*n,e[13]=t[13]*n,e[14]=t[14]*n,e[15]=t[15]*n,e}static multiplyScalarAndAdd(e,t,n,r){return e[0]=t[0]+n[0]*r,e[1]=t[1]+n[1]*r,e[2]=t[2]+n[2]*r,e[3]=t[3]+n[3]*r,e[4]=t[4]+n[4]*r,e[5]=t[5]+n[5]*r,e[6]=t[6]+n[6]*r,e[7]=t[7]+n[7]*r,e[8]=t[8]+n[8]*r,e[9]=t[9]+n[9]*r,e[10]=t[10]+n[10]*r,e[11]=t[11]+n[11]*r,e[12]=t[12]+n[12]*r,e[13]=t[13]+n[13]*r,e[14]=t[14]+n[14]*r,e[15]=t[15]+n[15]*r,e}static exactEquals(e,t){return e[0]===t[0]&&e[1]===t[1]&&e[2]===t[2]&&e[3]===t[3]&&e[4]===t[4]&&e[5]===t[5]&&e[6]===t[6]&&e[7]===t[7]&&e[8]===t[8]&&e[9]===t[9]&&e[10]===t[10]&&e[11]===t[11]&&e[12]===t[12]&&e[13]===t[13]&&e[14]===t[14]&&e[15]===t[15]}static equals(e,t){let n=e[0],r=e[1],a=e[2],s=e[3],i=e[4],c=e[5],y=e[6],L=e[7],k=e[8],l=e[9],b=e[10],M=e[11],d=e[12],m=e[13],o=e[14],x=e[15],z=t[0],R=t[1],V=t[2],w=t[3],g=t[4],T=t[5],E=t[6],F=t[7],f=t[8],N=t[9],B=t[10],D=t[11],Q=t[12],Z=t[13],W=t[14],U=t[15];return Math.abs(n-z)<=1e-6*Math.max(1,Math.abs(n),Math.abs(z))&&Math.abs(r-R)<=1e-6*Math.max(1,Math.abs(r),Math.abs(R))&&Math.abs(a-V)<=1e-6*Math.max(1,Math.abs(a),Math.abs(V))&&Math.abs(s-w)<=1e-6*Math.max(1,Math.abs(s),Math.abs(w))&&Math.abs(i-g)<=1e-6*Math.max(1,Math.abs(i),Math.abs(g))&&Math.abs(c-T)<=1e-6*Math.max(1,Math.abs(c),Math.abs(T))&&Math.abs(y-E)<=1e-6*Math.max(1,Math.abs(y),Math.abs(E))&&Math.abs(L-F)<=1e-6*Math.max(1,Math.abs(L),Math.abs(F))&&Math.abs(k-f)<=1e-6*Math.max(1,Math.abs(k),Math.abs(f))&&Math.abs(l-N)<=1e-6*Math.max(1,Math.abs(l),Math.abs(N))&&Math.abs(b-B)<=1e-6*Math.max(1,Math.abs(b),Math.abs(B))&&Math.abs(M-D)<=1e-6*Math.max(1,Math.abs(M),Math.abs(D))&&Math.abs(d-Q)<=1e-6*Math.max(1,Math.abs(d),Math.abs(Q))&&Math.abs(m-Z)<=1e-6*Math.max(1,Math.abs(m),Math.abs(Z))&&Math.abs(o-W)<=1e-6*Math.max(1,Math.abs(o),Math.abs(W))&&Math.abs(x-U)<=1e-6*Math.max(1,Math.abs(x),Math.abs(U))}static str(e){return`Mat4(${e.join(", ")})`}},Y=new Float32Array(3);O.prototype.mul=O.prototype.multiply;O.sub=O.subtract;O.mul=O.multiply;O.frustum=O.frustumNO;O.perspective=O.perspectiveNO;O.ortho=O.orthoNO;var le=O;var A=class h extends Float32Array{static BYTE_LENGTH=3*Float32Array.BYTES_PER_ELEMENT;constructor(...e){switch(e.length){case 3:super(e);break;case 2:super(e[0],e[1],3);break;case 1:{let t=e[0];typeof t=="number"?super([t,t,t]):super(t,0,3);break}default:super(3);break}}get x(){return this[0]}set x(e){this[0]=e}get y(){return this[1]}set y(e){this[1]=e}get z(){return this[2]}set z(e){this[2]=e}get r(){return this[0]}set r(e){this[0]=e}get g(){return this[1]}set g(e){this[1]=e}get b(){return this[2]}set b(e){this[2]=e}get magnitude(){let e=this[0],t=this[1],n=this[2];return Math.sqrt(e*e+t*t+n*n)}get mag(){return this.magnitude}get squaredMagnitude(){let e=this[0],t=this[1],n=this[2];return e*e+t*t+n*n}get sqrMag(){return this.squaredMagnitude}get str(){return h.str(this)}copy(e){return this.set(e),this}add(e){return this[0]+=e[0],this[1]+=e[1],this[2]+=e[2],this}subtract(e){return this[0]-=e[0],this[1]-=e[1],this[2]-=e[2],this}sub(e){return this}multiply(e){return this[0]*=e[0],this[1]*=e[1],this[2]*=e[2],this}mul(e){return this}divide(e){return this[0]/=e[0],this[1]/=e[1],this[2]/=e[2],this}div(e){return this}scale(e){return this[0]*=e,this[1]*=e,this[2]*=e,this}scaleAndAdd(e,t){return this[0]+=e[0]*t,this[1]+=e[1]*t,this[2]+=e[2]*t,this}distance(e){return h.distance(this,e)}dist(e){return 0}squaredDistance(e){return h.squaredDistance(this,e)}sqrDist(e){return 0}negate(){return this[0]*=-1,this[1]*=-1,this[2]*=-1,this}invert(){return this[0]=1/this[0],this[1]=1/this[1],this[2]=1/this[2],this}abs(){return this[0]=Math.abs(this[0]),this[1]=Math.abs(this[1]),this[2]=Math.abs(this[2]),this}dot(e){return this[0]*e[0]+this[1]*e[1]+this[2]*e[2]}normalize(){return h.normalize(this,this)}static create(){return new h}static clone(e){return new h(e)}static magnitude(e){let t=e[0],n=e[1],r=e[2];return Math.sqrt(t*t+n*n+r*r)}static mag(e){return 0}static length(e){return 0}static len(e){return 0}static fromValues(e,t,n){return new h(e,t,n)}static copy(e,t){return e[0]=t[0],e[1]=t[1],e[2]=t[2],e}static set(e,t,n,r){return e[0]=t,e[1]=n,e[2]=r,e}static add(e,t,n){return e[0]=t[0]+n[0],e[1]=t[1]+n[1],e[2]=t[2]+n[2],e}static subtract(e,t,n){return e[0]=t[0]-n[0],e[1]=t[1]-n[1],e[2]=t[2]-n[2],e}static sub(e,t,n){return[0,0,0]}static multiply(e,t,n){return e[0]=t[0]*n[0],e[1]=t[1]*n[1],e[2]=t[2]*n[2],e}static mul(e,t,n){return[0,0,0]}static divide(e,t,n){return e[0]=t[0]/n[0],e[1]=t[1]/n[1],e[2]=t[2]/n[2],e}static div(e,t,n){return[0,0,0]}static ceil(e,t){return e[0]=Math.ceil(t[0]),e[1]=Math.ceil(t[1]),e[2]=Math.ceil(t[2]),e}static floor(e,t){return e[0]=Math.floor(t[0]),e[1]=Math.floor(t[1]),e[2]=Math.floor(t[2]),e}static min(e,t,n){return e[0]=Math.min(t[0],n[0]),e[1]=Math.min(t[1],n[1]),e[2]=Math.min(t[2],n[2]),e}static max(e,t,n){return e[0]=Math.max(t[0],n[0]),e[1]=Math.max(t[1],n[1]),e[2]=Math.max(t[2],n[2]),e}static round(e,t){return e[0]=Math.round(t[0]),e[1]=Math.round(t[1]),e[2]=Math.round(t[2]),e}static scale(e,t,n){return e[0]=t[0]*n,e[1]=t[1]*n,e[2]=t[2]*n,e}static scaleAndAdd(e,t,n,r){return e[0]=t[0]+n[0]*r,e[1]=t[1]+n[1]*r,e[2]=t[2]+n[2]*r,e}static distance(e,t){let n=t[0]-e[0],r=t[1]-e[1],a=t[2]-e[2];return Math.sqrt(n*n+r*r+a*a)}static dist(e,t){return 0}static squaredDistance(e,t){let n=t[0]-e[0],r=t[1]-e[1],a=t[2]-e[2];return n*n+r*r+a*a}static sqrDist(e,t){return 0}static squaredLength(e){let t=e[0],n=e[1],r=e[2];return t*t+n*n+r*r}static sqrLen(e,t){return 0}static negate(e,t){return e[0]=-t[0],e[1]=-t[1],e[2]=-t[2],e}static inverse(e,t){return e[0]=1/t[0],e[1]=1/t[1],e[2]=1/t[2],e}static abs(e,t){return e[0]=Math.abs(t[0]),e[1]=Math.abs(t[1]),e[2]=Math.abs(t[2]),e}static normalize(e,t){let n=t[0],r=t[1],a=t[2],s=n*n+r*r+a*a;return s>0&&(s=1/Math.sqrt(s)),e[0]=t[0]*s,e[1]=t[1]*s,e[2]=t[2]*s,e}static dot(e,t){return e[0]*t[0]+e[1]*t[1]+e[2]*t[2]}static cross(e,t,n){let r=t[0],a=t[1],s=t[2],i=n[0],c=n[1],y=n[2];return e[0]=a*y-s*c,e[1]=s*i-r*y,e[2]=r*c-a*i,e}static lerp(e,t,n,r){let a=t[0],s=t[1],i=t[2];return e[0]=a+r*(n[0]-a),e[1]=s+r*(n[1]-s),e[2]=i+r*(n[2]-i),e}static slerp(e,t,n,r){let a=Math.acos(Math.min(Math.max(h.dot(t,n),-1),1)),s=Math.sin(a),i=Math.sin((1-r)*a)/s,c=Math.sin(r*a)/s;return e[0]=i*t[0]+c*n[0],e[1]=i*t[1]+c*n[1],e[2]=i*t[2]+c*n[2],e}static hermite(e,t,n,r,a,s){let i=s*s,c=i*(2*s-3)+1,y=i*(s-2)+s,L=i*(s-1),k=i*(3-2*s);return e[0]=t[0]*c+n[0]*y+r[0]*L+a[0]*k,e[1]=t[1]*c+n[1]*y+r[1]*L+a[1]*k,e[2]=t[2]*c+n[2]*y+r[2]*L+a[2]*k,e}static bezier(e,t,n,r,a,s){let i=1-s,c=i*i,y=s*s,L=c*i,k=3*s*c,l=3*y*i,b=y*s;return e[0]=t[0]*L+n[0]*k+r[0]*l+a[0]*b,e[1]=t[1]*L+n[1]*k+r[1]*l+a[1]*b,e[2]=t[2]*L+n[2]*k+r[2]*l+a[2]*b,e}static random(e,t){t=t===void 0?1:t;let n=Math.random()*2*Math.PI,r=Math.random()*2-1,a=Math.sqrt(1-r*r)*t;return e[0]=Math.cos(n)*a,e[1]=Math.sin(n)*a,e[2]=r*t,e}static transformMat4(e,t,n){let r=t[0],a=t[1],s=t[2],i=n[3]*r+n[7]*a+n[11]*s+n[15]||1;return e[0]=(n[0]*r+n[4]*a+n[8]*s+n[12])/i,e[1]=(n[1]*r+n[5]*a+n[9]*s+n[13])/i,e[2]=(n[2]*r+n[6]*a+n[10]*s+n[14])/i,e}static transformMat3(e,t,n){let r=t[0],a=t[1],s=t[2];return e[0]=r*n[0]+a*n[3]+s*n[6],e[1]=r*n[1]+a*n[4]+s*n[7],e[2]=r*n[2]+a*n[5]+s*n[8],e}static transformQuat(e,t,n){let r=n[0],a=n[1],s=n[2],i=n[3]*2,c=t[0],y=t[1],L=t[2],k=a*L-s*y,l=s*c-r*L,b=r*y-a*c,M=(a*b-s*l)*2,d=(s*k-r*b)*2,m=(r*l-a*k)*2;return e[0]=c+k*i+M,e[1]=y+l*i+d,e[2]=L+b*i+m,e}static rotateX(e,t,n,r){let a=n[1],s=n[2],i=t[1]-a,c=t[2]-s;return e[0]=t[0],e[1]=i*Math.cos(r)-c*Math.sin(r)+a,e[2]=i*Math.sin(r)+c*Math.cos(r)+s,e}static rotateY(e,t,n,r){let a=n[0],s=n[2],i=t[0]-a,c=t[2]-s;return e[0]=c*Math.sin(r)+i*Math.cos(r)+a,e[1]=t[1],e[2]=c*Math.cos(r)-i*Math.sin(r)+s,e}static rotateZ(e,t,n,r){let a=n[0],s=n[1],i=t[0]-a,c=t[1]-s;return e[0]=i*Math.cos(r)-c*Math.sin(r)+a,e[1]=i*Math.sin(r)+c*Math.cos(r)+s,e[2]=n[2],e}static angle(e,t){let n=e[0],r=e[1],a=e[2],s=t[0],i=t[1],c=t[2],y=Math.sqrt((n*n+r*r+a*a)*(s*s+i*i+c*c)),L=y&&h.dot(e,t)/y;return Math.acos(Math.min(Math.max(L,-1),1))}static zero(e){return e[0]=0,e[1]=0,e[2]=0,e}static str(e){return`Vec3(${e.join(", ")})`}static exactEquals(e,t){return e[0]===t[0]&&e[1]===t[1]&&e[2]===t[2]}static equals(e,t){let n=e[0],r=e[1],a=e[2],s=t[0],i=t[1],c=t[2];return Math.abs(n-s)<=1e-6*Math.max(1,Math.abs(n),Math.abs(s))&&Math.abs(r-i)<=1e-6*Math.max(1,Math.abs(r),Math.abs(i))&&Math.abs(a-c)<=1e-6*Math.max(1,Math.abs(a),Math.abs(c))}};A.prototype.sub=A.prototype.subtract;A.prototype.mul=A.prototype.multiply;A.prototype.div=A.prototype.divide;A.prototype.dist=A.prototype.distance;A.prototype.sqrDist=A.prototype.squaredDistance;A.sub=A.subtract;A.mul=A.multiply;A.div=A.divide;A.dist=A.distance;A.sqrDist=A.squaredDistance;A.sqrLen=A.squaredLength;A.mag=A.magnitude;A.length=A.magnitude;A.len=A.magnitude;var Me=A;var q=class h extends Float32Array{static BYTE_LENGTH=4*Float32Array.BYTES_PER_ELEMENT;constructor(...e){switch(e.length){case 4:super(e);break;case 2:super(e[0],e[1],4);break;case 1:{let t=e[0];typeof t=="number"?super([t,t,t,t]):super(t,0,4);break}default:super(4);break}}get x(){return this[0]}set x(e){this[0]=e}get y(){return this[1]}set y(e){this[1]=e}get z(){return this[2]}set z(e){this[2]=e}get w(){return this[3]}set w(e){this[3]=e}get r(){return this[0]}set r(e){this[0]=e}get g(){return this[1]}set g(e){this[1]=e}get b(){return this[2]}set b(e){this[2]=e}get a(){return this[3]}set a(e){this[3]=e}get magnitude(){let e=this[0],t=this[1],n=this[2],r=this[3];return Math.sqrt(e*e+t*t+n*n+r*r)}get mag(){return this.magnitude}get str(){return h.str(this)}copy(e){return super.set(e),this}add(e){return this[0]+=e[0],this[1]+=e[1],this[2]+=e[2],this[3]+=e[3],this}subtract(e){return this[0]-=e[0],this[1]-=e[1],this[2]-=e[2],this[3]-=e[3],this}sub(e){return this}multiply(e){return this[0]*=e[0],this[1]*=e[1],this[2]*=e[2],this[3]*=e[3],this}mul(e){return this}divide(e){return this[0]/=e[0],this[1]/=e[1],this[2]/=e[2],this[3]/=e[3],this}div(e){return this}scale(e){return this[0]*=e,this[1]*=e,this[2]*=e,this[3]*=e,this}scaleAndAdd(e,t){return this[0]+=e[0]*t,this[1]+=e[1]*t,this[2]+=e[2]*t,this[3]+=e[3]*t,this}distance(e){return h.distance(this,e)}dist(e){return 0}squaredDistance(e){return h.squaredDistance(this,e)}sqrDist(e){return 0}negate(){return this[0]*=-1,this[1]*=-1,this[2]*=-1,this[3]*=-1,this}invert(){return this[0]=1/this[0],this[1]=1/this[1],this[2]=1/this[2],this[3]=1/this[3],this}abs(){return this[0]=Math.abs(this[0]),this[1]=Math.abs(this[1]),this[2]=Math.abs(this[2]),this[3]=Math.abs(this[3]),this}dot(e){return this[0]*e[0]+this[1]*e[1]+this[2]*e[2]+this[3]*e[3]}normalize(){return h.normalize(this,this)}static create(){return new h}static clone(e){return new h(e)}static fromValues(e,t,n,r){return new h(e,t,n,r)}static copy(e,t){return e[0]=t[0],e[1]=t[1],e[2]=t[2],e[3]=t[3],e}static set(e,t,n,r,a){return e[0]=t,e[1]=n,e[2]=r,e[3]=a,e}static add(e,t,n){return e[0]=t[0]+n[0],e[1]=t[1]+n[1],e[2]=t[2]+n[2],e[3]=t[3]+n[3],e}static subtract(e,t,n){return e[0]=t[0]-n[0],e[1]=t[1]-n[1],e[2]=t[2]-n[2],e[3]=t[3]-n[3],e}static sub(e,t,n){return e}static multiply(e,t,n){return e[0]=t[0]*n[0],e[1]=t[1]*n[1],e[2]=t[2]*n[2],e[3]=t[3]*n[3],e}static mul(e,t,n){return e}static divide(e,t,n){return e[0]=t[0]/n[0],e[1]=t[1]/n[1],e[2]=t[2]/n[2],e[3]=t[3]/n[3],e}static div(e,t,n){return e}static ceil(e,t){return e[0]=Math.ceil(t[0]),e[1]=Math.ceil(t[1]),e[2]=Math.ceil(t[2]),e[3]=Math.ceil(t[3]),e}static floor(e,t){return e[0]=Math.floor(t[0]),e[1]=Math.floor(t[1]),e[2]=Math.floor(t[2]),e[3]=Math.floor(t[3]),e}static min(e,t,n){return e[0]=Math.min(t[0],n[0]),e[1]=Math.min(t[1],n[1]),e[2]=Math.min(t[2],n[2]),e[3]=Math.min(t[3],n[3]),e}static max(e,t,n){return e[0]=Math.max(t[0],n[0]),e[1]=Math.max(t[1],n[1]),e[2]=Math.max(t[2],n[2]),e[3]=Math.max(t[3],n[3]),e}static round(e,t){return e[0]=Math.round(t[0]),e[1]=Math.round(t[1]),e[2]=Math.round(t[2]),e[3]=Math.round(t[3]),e}static scale(e,t,n){return e[0]=t[0]*n,e[1]=t[1]*n,e[2]=t[2]*n,e[3]=t[3]*n,e}static scaleAndAdd(e,t,n,r){return e[0]=t[0]+n[0]*r,e[1]=t[1]+n[1]*r,e[2]=t[2]+n[2]*r,e[3]=t[3]+n[3]*r,e}static distance(e,t){let n=t[0]-e[0],r=t[1]-e[1],a=t[2]-e[2],s=t[3]-e[3];return Math.hypot(n,r,a,s)}static dist(e,t){return 0}static squaredDistance(e,t){let n=t[0]-e[0],r=t[1]-e[1],a=t[2]-e[2],s=t[3]-e[3];return n*n+r*r+a*a+s*s}static sqrDist(e,t){return 0}static magnitude(e){let t=e[0],n=e[1],r=e[2],a=e[3];return Math.sqrt(t*t+n*n+r*r+a*a)}static mag(e){return 0}static length(e){return 0}static len(e){return 0}static squaredLength(e){let t=e[0],n=e[1],r=e[2],a=e[3];return t*t+n*n+r*r+a*a}static sqrLen(e){return 0}static negate(e,t){return e[0]=-t[0],e[1]=-t[1],e[2]=-t[2],e[3]=-t[3],e}static inverse(e,t){return e[0]=1/t[0],e[1]=1/t[1],e[2]=1/t[2],e[3]=1/t[3],e}static abs(e,t){return e[0]=Math.abs(t[0]),e[1]=Math.abs(t[1]),e[2]=Math.abs(t[2]),e[3]=Math.abs(t[3]),e}static normalize(e,t){let n=t[0],r=t[1],a=t[2],s=t[3],i=n*n+r*r+a*a+s*s;return i>0&&(i=1/Math.sqrt(i)),e[0]=n*i,e[1]=r*i,e[2]=a*i,e[3]=s*i,e}static dot(e,t){return e[0]*t[0]+e[1]*t[1]+e[2]*t[2]+e[3]*t[3]}static cross(e,t,n,r){let a=n[0]*r[1]-n[1]*r[0],s=n[0]*r[2]-n[2]*r[0],i=n[0]*r[3]-n[3]*r[0],c=n[1]*r[2]-n[2]*r[1],y=n[1]*r[3]-n[3]*r[1],L=n[2]*r[3]-n[3]*r[2],k=t[0],l=t[1],b=t[2],M=t[3];return e[0]=l*L-b*y+M*c,e[1]=-(k*L)+b*i-M*s,e[2]=k*y-l*i+M*a,e[3]=-(k*c)+l*s-b*a,e}static lerp(e,t,n,r){let a=t[0],s=t[1],i=t[2],c=t[3];return e[0]=a+r*(n[0]-a),e[1]=s+r*(n[1]-s),e[2]=i+r*(n[2]-i),e[3]=c+r*(n[3]-c),e}static random(e,t){t=t||1;var n,r,a,s,i,c;do n=Math.random()*2-1,r=Math.random()*2-1,i=n*n+r*r;while(i>=1);do a=Math.random()*2-1,s=Math.random()*2-1,c=a*a+s*s;while(c>=1);var y=Math.sqrt((1-i)/c);return e[0]=t*n,e[1]=t*r,e[2]=t*a*y,e[3]=t*s*y,e}static transformMat4(e,t,n){let r=t[0],a=t[1],s=t[2],i=t[3];return e[0]=n[0]*r+n[4]*a+n[8]*s+n[12]*i,e[1]=n[1]*r+n[5]*a+n[9]*s+n[13]*i,e[2]=n[2]*r+n[6]*a+n[10]*s+n[14]*i,e[3]=n[3]*r+n[7]*a+n[11]*s+n[15]*i,e}static transformQuat(e,t,n){let r=t[0],a=t[1],s=t[2],i=n[0],c=n[1],y=n[2],L=n[3],k=L*r+c*s-y*a,l=L*a+y*r-i*s,b=L*s+i*a-c*r,M=-i*r-c*a-y*s;return e[0]=k*L+M*-i+l*-y-b*-c,e[1]=l*L+M*-c+b*-i-k*-y,e[2]=b*L+M*-y+k*-c-l*-i,e[3]=t[3],e}static zero(e){return e[0]=0,e[1]=0,e[2]=0,e[3]=0,e}static str(e){return`Vec4(${e.join(", ")})`}static exactEquals(e,t){return e[0]===t[0]&&e[1]===t[1]&&e[2]===t[2]&&e[3]===t[3]}static equals(e,t){let n=e[0],r=e[1],a=e[2],s=e[3],i=t[0],c=t[1],y=t[2],L=t[3];return Math.abs(n-i)<=1e-6*Math.max(1,Math.abs(n),Math.abs(i))&&Math.abs(r-c)<=1e-6*Math.max(1,Math.abs(r),Math.abs(c))&&Math.abs(a-y)<=1e-6*Math.max(1,Math.abs(a),Math.abs(y))&&Math.abs(s-L)<=1e-6*Math.max(1,Math.abs(s),Math.abs(L))}};q.prototype.sub=q.prototype.subtract;q.prototype.mul=q.prototype.multiply;q.prototype.div=q.prototype.divide;q.prototype.dist=q.prototype.distance;q.prototype.sqrDist=q.prototype.squaredDistance;q.sub=q.subtract;q.mul=q.multiply;q.div=q.divide;q.dist=q.distance;q.sqrDist=q.squaredDistance;q.sqrLen=q.squaredLength;q.mag=q.magnitude;q.length=q.magnitude;q.len=q.magnitude;var be=q;var I=class h extends Float32Array{static BYTE_LENGTH=4*Float32Array.BYTES_PER_ELEMENT;constructor(...e){switch(e.length){case 4:super(e);break;case 2:super(e[0],e[1],4);break;case 1:{let t=e[0];typeof t=="number"?super([t,t,t,t]):super(t,0,4);break}default:super(4),this[3]=1;break}}get x(){return this[0]}set x(e){this[0]=e}get y(){return this[1]}set y(e){this[1]=e}get z(){return this[2]}set z(e){this[2]=e}get w(){return this[3]}set w(e){this[3]=e}get magnitude(){let e=this[0],t=this[1],n=this[2],r=this[3];return Math.sqrt(e*e+t*t+n*n+r*r)}get mag(){return this.magnitude}get str(){return h.str(this)}copy(e){return super.set(e),this}identity(){return this[0]=0,this[1]=0,this[2]=0,this[3]=1,this}multiply(e){return h.multiply(this,this,e)}mul(e){return this}rotateX(e){return h.rotateX(this,this,e)}rotateY(e){return h.rotateY(this,this,e)}rotateZ(e){return h.rotateZ(this,this,e)}invert(){return h.invert(this,this)}scale(e){return this[0]*=e,this[1]*=e,this[2]*=e,this[3]*=e,this}dot(e){return h.dot(this,e)}static create(){return new h}static identity(e){return e[0]=0,e[1]=0,e[2]=0,e[3]=1,e}static setAxisAngle(e,t,n){n=n*.5;let r=Math.sin(n);return e[0]=r*t[0],e[1]=r*t[1],e[2]=r*t[2],e[3]=Math.cos(n),e}static getAxisAngle(e,t){let n=Math.acos(t[3])*2,r=Math.sin(n/2);return r>1e-6?(e[0]=t[0]/r,e[1]=t[1]/r,e[2]=t[2]/r):(e[0]=1,e[1]=0,e[2]=0),n}static getAngle(e,t){let n=h.dot(e,t);return Math.acos(2*n*n-1)}static multiply(e,t,n){let r=t[0],a=t[1],s=t[2],i=t[3],c=n[0],y=n[1],L=n[2],k=n[3];return e[0]=r*k+i*c+a*L-s*y,e[1]=a*k+i*y+s*c-r*L,e[2]=s*k+i*L+r*y-a*c,e[3]=i*k-r*c-a*y-s*L,e}static rotateX(e,t,n){n*=.5;let r=t[0],a=t[1],s=t[2],i=t[3],c=Math.sin(n),y=Math.cos(n);return e[0]=r*y+i*c,e[1]=a*y+s*c,e[2]=s*y-a*c,e[3]=i*y-r*c,e}static rotateY(e,t,n){n*=.5;let r=t[0],a=t[1],s=t[2],i=t[3],c=Math.sin(n),y=Math.cos(n);return e[0]=r*y-s*c,e[1]=a*y+i*c,e[2]=s*y+r*c,e[3]=i*y-a*c,e}static rotateZ(e,t,n){n*=.5;let r=t[0],a=t[1],s=t[2],i=t[3],c=Math.sin(n),y=Math.cos(n);return e[0]=r*y+a*c,e[1]=a*y-r*c,e[2]=s*y+i*c,e[3]=i*y-s*c,e}static calculateW(e,t){let n=t[0],r=t[1],a=t[2];return e[0]=n,e[1]=r,e[2]=a,e[3]=Math.sqrt(Math.abs(1-n*n-r*r-a*a)),e}static exp(e,t){let n=t[0],r=t[1],a=t[2],s=t[3],i=Math.sqrt(n*n+r*r+a*a),c=Math.exp(s),y=i>0?c*Math.sin(i)/i:0;return e[0]=n*y,e[1]=r*y,e[2]=a*y,e[3]=c*Math.cos(i),e}static ln(e,t){let n=t[0],r=t[1],a=t[2],s=t[3],i=Math.sqrt(n*n+r*r+a*a),c=i>0?Math.atan2(i,s)/i:0;return e[0]=n*c,e[1]=r*c,e[2]=a*c,e[3]=.5*Math.log(n*n+r*r+a*a+s*s),e}static pow(e,t,n){return h.ln(e,t),h.scale(e,e,n),h.exp(e,e),e}static slerp(e,t,n,r){let a=t[0],s=t[1],i=t[2],c=t[3],y=n[0],L=n[1],k=n[2],l=n[3],b,M,d=a*y+s*L+i*k+c*l;if(d<0&&(d=-d,y=-y,L=-L,k=-k,l=-l),1-d>1e-6){let m=Math.acos(d),o=Math.sin(m);b=Math.sin((1-r)*m)/o,M=Math.sin(r*m)/o}else b=1-r,M=r;return e[0]=b*a+M*y,e[1]=b*s+M*L,e[2]=b*i+M*k,e[3]=b*c+M*l,e}static random(e){let t=Math.random(),n=Math.random(),r=Math.random(),a=Math.sqrt(1-t),s=Math.sqrt(t);return e[0]=a*Math.sin(2*Math.PI*n),e[1]=a*Math.cos(2*Math.PI*n),e[2]=s*Math.sin(2*Math.PI*r),e[3]=s*Math.cos(2*Math.PI*r),e}static invert(e,t){let n=t[0],r=t[1],a=t[2],s=t[3],i=n*n+r*r+a*a+s*s,c=i?1/i:0;return e[0]=-n*c,e[1]=-r*c,e[2]=-a*c,e[3]=s*c,e}static conjugate(e,t){return e[0]=-t[0],e[1]=-t[1],e[2]=-t[2],e[3]=t[3],e}static fromMat3(e,t){let n=t[0]+t[4]+t[8],r;if(n>0)r=Math.sqrt(n+1),e[3]=.5*r,r=.5/r,e[0]=(t[5]-t[7])*r,e[1]=(t[6]-t[2])*r,e[2]=(t[1]-t[3])*r;else{let a=0;t[4]>t[0]&&(a=1),t[8]>t[a*3+a]&&(a=2);let s=(a+1)%3,i=(a+2)%3;r=Math.sqrt(t[a*3+a]-t[s*3+s]-t[i*3+i]+1),e[a]=.5*r,r=.5/r,e[3]=(t[s*3+i]-t[i*3+s])*r,e[s]=(t[s*3+a]+t[a*3+s])*r,e[i]=(t[i*3+a]+t[a*3+i])*r}return e}static fromEuler(e,t,n,r,a=u){let s=.5*Math.PI/180;t*=s,n*=s,r*=s;let i=Math.sin(t),c=Math.cos(t),y=Math.sin(n),L=Math.cos(n),k=Math.sin(r),l=Math.cos(r);switch(a){case"xyz":e[0]=i*L*l+c*y*k,e[1]=c*y*l-i*L*k,e[2]=c*L*k+i*y*l,e[3]=c*L*l-i*y*k;break;case"xzy":e[0]=i*L*l-c*y*k,e[1]=c*y*l-i*L*k,e[2]=c*L*k+i*y*l,e[3]=c*L*l+i*y*k;break;case"yxz":e[0]=i*L*l+c*y*k,e[1]=c*y*l-i*L*k,e[2]=c*L*k-i*y*l,e[3]=c*L*l+i*y*k;break;case"yzx":e[0]=i*L*l+c*y*k,e[1]=c*y*l+i*L*k,e[2]=c*L*k-i*y*l,e[3]=c*L*l-i*y*k;break;case"zxy":e[0]=i*L*l-c*y*k,e[1]=c*y*l+i*L*k,e[2]=c*L*k+i*y*l,e[3]=c*L*l-i*y*k;break;case"zyx":e[0]=i*L*l-c*y*k,e[1]=c*y*l+i*L*k,e[2]=c*L*k-i*y*l,e[3]=c*L*l+i*y*k;break;default:throw new Error("Unknown angle order "+a)}return e}static str(e){return`Quat(${e.join(", ")})`}static clone(e){return new h(e)}static fromValues(e,t,n,r){return new h(e,t,n,r)}static copy(e,t){return e[0]=t[0],e[1]=t[1],e[2]=t[2],e[3]=t[3],e}static set(e,t,n,r,a){return e}static add(e,t,n){return e}static mul(e,t,n){return e}static scale(e,t,n){return e[0]=t[0]*n,e[1]=t[1]*n,e[2]=t[2]*n,e[3]=t[3]*n,e}static dot(e,t){return e[0]*t[0]+e[1]*t[1]+e[2]*t[2]+e[3]*t[3]}static lerp(e,t,n,r){return e}static magnitude(e){return 0}static mag(e){return 0}static length(e){return 0}static len(e){return 0}static squaredLength(e){return 0}static sqrLen(e){return 0}static normalize(e,t){return e}static exactEquals(e,t){return!1}static equals(e,t){return!1}static rotationTo(e,t,n){let r=A.dot(t,n);return r<-.999999?(A.cross(H,de,t),A.mag(H)<1e-6&&A.cross(H,he,t),A.normalize(H,H),h.setAxisAngle(e,H,Math.PI),e):r>.999999?(e[0]=0,e[1]=0,e[2]=0,e[3]=1,e):(A.cross(H,t,n),e[0]=H[0],e[1]=H[1],e[2]=H[2],e[3]=1+r,h.normalize(e,e))}static sqlerp(e,t,n,r,a,s){return h.slerp(re,t,a,s),h.slerp(ae,n,r,s),h.slerp(e,re,ae,2*s*(1-s)),e}static setAxes(e,t,n,r){return G[0]=n[0],G[3]=n[1],G[6]=n[2],G[1]=r[0],G[4]=r[1],G[7]=r[2],G[2]=-t[0],G[5]=-t[1],G[8]=-t[2],h.normalize(e,h.fromMat3(e,G))}},re=new Float32Array(4),ae=new Float32Array(4),G=new Float32Array(9),H=new Float32Array(3),de=new Float32Array([1,0,0]),he=new Float32Array([0,1,0]);I.set=q.set;I.add=q.add;I.lerp=q.lerp;I.normalize=q.normalize;I.squaredLength=q.squaredLength;I.sqrLen=q.squaredLength;I.exactEquals=q.exactEquals;I.equals=q.equals;I.magnitude=q.magnitude;I.prototype.mul=I.prototype.multiply;I.mul=I.multiply;I.mag=I.magnitude;I.length=I.magnitude;I.len=I.magnitude;var me=I;var P=class h extends Float32Array{static BYTE_LENGTH=8*Float32Array.BYTES_PER_ELEMENT;constructor(...e){switch(e.length){case 8:super(e);break;case 2:super(e[0],e[1],8);break;case 1:{let t=e[0];typeof t=="number"?super([t,t,t,t,t,t,t,t]):super(t,0,8);break}default:super(8),this[3]=1;break}}get str(){return h.str(this)}copy(e){return super.set(e),this}static create(){return new h}static clone(e){return new h(e)}static fromValues(e,t,n,r,a,s,i,c){return new h(e,t,n,r,a,s,i,c)}static fromRotationTranslationValues(e,t,n,r,a,s,i){let c=a*.5,y=s*.5,L=i*.5;return new h(e,t,n,r,c*r+y*n-L*t,y*r+L*e-c*n,L*r+c*t-y*e,-c*e-y*t-L*n)}static fromRotationTranslation(e,t,n){let r=n[0]*.5,a=n[1]*.5,s=n[2]*.5,i=t[0],c=t[1],y=t[2],L=t[3];return e[0]=i,e[1]=c,e[2]=y,e[3]=L,e[4]=r*L+a*y-s*c,e[5]=a*L+s*i-r*y,e[6]=s*L+r*c-a*i,e[7]=-r*i-a*c-s*y,e}static fromTranslation(e,t){return e[0]=0,e[1]=0,e[2]=0,e[3]=1,e[4]=t[0]*.5,e[5]=t[1]*.5,e[6]=t[2]*.5,e[7]=0,e}static fromRotation(e,t){return e[0]=t[0],e[1]=t[1],e[2]=t[2],e[3]=t[3],e[4]=0,e[5]=0,e[6]=0,e[7]=0,e}static fromMat4(e,t){return O.getRotation(se,t),O.getTranslation(ie,t),h.fromRotationTranslation(e,se,ie)}static copy(e,t){return e[0]=t[0],e[1]=t[1],e[2]=t[2],e[3]=t[3],e[4]=t[4],e[5]=t[5],e[6]=t[6],e[7]=t[7],e}static identity(e){return e[0]=0,e[1]=0,e[2]=0,e[3]=1,e[4]=0,e[5]=0,e[6]=0,e[7]=0,e}static set(e,t,n,r,a,s,i,c,y){return e[0]=t,e[1]=n,e[2]=r,e[3]=a,e[4]=s,e[5]=i,e[6]=c,e[7]=y,e}static getReal(e,t){return e[0]=t[0],e[1]=t[1],e[2]=t[2],e[3]=t[3],e}static getDual(e,t){return e[0]=t[4],e[1]=t[5],e[2]=t[6],e[3]=t[7],e}static setReal(e,t){return e[0]=t[0],e[1]=t[1],e[2]=t[2],e[3]=t[3],e}static setDual(e,t){return e[4]=t[0],e[5]=t[1],e[6]=t[2],e[7]=t[3],e}static getTranslation(e,t){let n=t[4],r=t[5],a=t[6],s=t[7],i=-t[0],c=-t[1],y=-t[2],L=t[3];return e[0]=(n*L+s*i+r*y-a*c)*2,e[1]=(r*L+s*c+a*i-n*y)*2,e[2]=(a*L+s*y+n*c-r*i)*2,e}static translate(e,t,n){let r=t[0],a=t[1],s=t[2],i=t[3],c=n[0]*.5,y=n[1]*.5,L=n[2]*.5,k=t[4],l=t[5],b=t[6],M=t[7];return e[0]=r,e[1]=a,e[2]=s,e[3]=i,e[4]=i*c+a*L-s*y+k,e[5]=i*y+s*c-r*L+l,e[6]=i*L+r*y-a*c+b,e[7]=-r*c-a*y-s*L+M,e}static rotateX(e,t,n){let r=-t[0],a=-t[1],s=-t[2],i=t[3],c=t[4],y=t[5],L=t[6],k=t[7],l=c*i+k*r+y*s-L*a,b=y*i+k*a+L*r-c*s,M=L*i+k*s+c*a-y*r,d=k*i-c*r-y*a-L*s;return I.rotateX(e,t,n),r=e[0],a=e[1],s=e[2],i=e[3],e[4]=l*i+d*r+b*s-M*a,e[5]=b*i+d*a+M*r-l*s,e[6]=M*i+d*s+l*a-b*r,e[7]=d*i-l*r-b*a-M*s,e}static rotateY(e,t,n){let r=-t[0],a=-t[1],s=-t[2],i=t[3],c=t[4],y=t[5],L=t[6],k=t[7],l=c*i+k*r+y*s-L*a,b=y*i+k*a+L*r-c*s,M=L*i+k*s+c*a-y*r,d=k*i-c*r-y*a-L*s;return I.rotateY(e,t,n),r=e[0],a=e[1],s=e[2],i=e[3],e[4]=l*i+d*r+b*s-M*a,e[5]=b*i+d*a+M*r-l*s,e[6]=M*i+d*s+l*a-b*r,e[7]=d*i-l*r-b*a-M*s,e}static rotateZ(e,t,n){let r=-t[0],a=-t[1],s=-t[2],i=t[3],c=t[4],y=t[5],L=t[6],k=t[7],l=c*i+k*r+y*s-L*a,b=y*i+k*a+L*r-c*s,M=L*i+k*s+c*a-y*r,d=k*i-c*r-y*a-L*s;return I.rotateZ(e,t,n),r=e[0],a=e[1],s=e[2],i=e[3],e[4]=l*i+d*r+b*s-M*a,e[5]=b*i+d*a+M*r-l*s,e[6]=M*i+d*s+l*a-b*r,e[7]=d*i-l*r-b*a-M*s,e}static rotateByQuatAppend(e,t,n){let r=n[0],a=n[1],s=n[2],i=n[3],c=t[0],y=t[1],L=t[2],k=t[3];return e[0]=c*i+k*r+y*s-L*a,e[1]=y*i+k*a+L*r-c*s,e[2]=L*i+k*s+c*a-y*r,e[3]=k*i-c*r-y*a-L*s,c=t[4],y=t[5],L=t[6],k=t[7],e[4]=c*i+k*r+y*s-L*a,e[5]=y*i+k*a+L*r-c*s,e[6]=L*i+k*s+c*a-y*r,e[7]=k*i-c*r-y*a-L*s,e}static rotateByQuatPrepend(e,t,n){let r=t[0],a=t[1],s=t[2],i=t[3],c=n[0],y=n[1],L=n[2],k=n[3];return e[0]=r*k+i*c+a*L-s*y,e[1]=a*k+i*y+s*c-r*L,e[2]=s*k+i*L+r*y-a*c,e[3]=i*k-r*c-a*y-s*L,c=n[4],y=n[5],L=n[6],k=n[7],e[4]=r*k+i*c+a*L-s*y,e[5]=a*k+i*y+s*c-r*L,e[6]=s*k+i*L+r*y-a*c,e[7]=i*k-r*c-a*y-s*L,e}static rotateAroundAxis(e,t,n,r){if(Math.abs(r)<1e-6)return h.copy(e,t);let a=Math.sqrt(n[0]*n[0]+n[1]*n[1]+n[2]*n[2]);r=r*.5;let s=Math.sin(r),i=s*n[0]/a,c=s*n[1]/a,y=s*n[2]/a,L=Math.cos(r),k=t[0],l=t[1],b=t[2],M=t[3];e[0]=k*L+M*i+l*y-b*c,e[1]=l*L+M*c+b*i-k*y,e[2]=b*L+M*y+k*c-l*i,e[3]=M*L-k*i-l*c-b*y;let d=t[4],m=t[5],o=t[6],x=t[7];return e[4]=d*L+x*i+m*y-o*c,e[5]=m*L+x*c+o*i-d*y,e[6]=o*L+x*y+d*c-m*i,e[7]=x*L-d*i-m*c-o*y,e}static add(e,t,n){return e[0]=t[0]+n[0],e[1]=t[1]+n[1],e[2]=t[2]+n[2],e[3]=t[3]+n[3],e[4]=t[4]+n[4],e[5]=t[5]+n[5],e[6]=t[6]+n[6],e[7]=t[7]+n[7],e}static multiply(e,t,n){let r=t[0],a=t[1],s=t[2],i=t[3],c=n[4],y=n[5],L=n[6],k=n[7],l=t[4],b=t[5],M=t[6],d=t[7],m=n[0],o=n[1],x=n[2],z=n[3];return e[0]=r*z+i*m+a*x-s*o,e[1]=a*z+i*o+s*m-r*x,e[2]=s*z+i*x+r*o-a*m,e[3]=i*z-r*m-a*o-s*x,e[4]=r*k+i*c+a*L-s*y+l*z+d*m+b*x-M*o,e[5]=a*k+i*y+s*c-r*L+b*z+d*o+M*m-l*x,e[6]=s*k+i*L+r*y-a*c+M*z+d*x+l*o-b*m,e[7]=i*k-r*c-a*y-s*L+d*z-l*m-b*o-M*x,e}static mul(e,t,n){return e}static scale(e,t,n){return e[0]=t[0]*n,e[1]=t[1]*n,e[2]=t[2]*n,e[3]=t[3]*n,e[4]=t[4]*n,e[5]=t[5]*n,e[6]=t[6]*n,e[7]=t[7]*n,e}static dot(e,t){return 0}static lerp(e,t,n,r){let a=1-r;return h.dot(t,n)<0&&(r=-r),e[0]=t[0]*a+n[0]*r,e[1]=t[1]*a+n[1]*r,e[2]=t[2]*a+n[2]*r,e[3]=t[3]*a+n[3]*r,e[4]=t[4]*a+n[4]*r,e[5]=t[5]*a+n[5]*r,e[6]=t[6]*a+n[6]*r,e[7]=t[7]*a+n[7]*r,e}static invert(e,t){let n=h.squaredLength(t);return e[0]=-t[0]/n,e[1]=-t[1]/n,e[2]=-t[2]/n,e[3]=t[3]/n,e[4]=-t[4]/n,e[5]=-t[5]/n,e[6]=-t[6]/n,e[7]=t[7]/n,e}static conjugate(e,t){return e[0]=-t[0],e[1]=-t[1],e[2]=-t[2],e[3]=t[3],e[4]=-t[4],e[5]=-t[5],e[6]=-t[6],e[7]=t[7],e}static magnitude(e){return 0}static mag(e){return 0}static length(e){return 0}static len(e){return 0}static squaredLength(e){return 0}static sqrLen(e){return 0}static normalize(e,t){let n=h.squaredLength(t);if(n>0){n=Math.sqrt(n);let r=t[0]/n,a=t[1]/n,s=t[2]/n,i=t[3]/n,c=t[4],y=t[5],L=t[6],k=t[7],l=r*c+a*y+s*L+i*k;e[0]=r,e[1]=a,e[2]=s,e[3]=i,e[4]=(c-r*l)/n,e[5]=(y-a*l)/n,e[6]=(L-s*l)/n,e[7]=(k-i*l)/n}return e}static str(e){return`Quat2(${e.join(", ")})`}static exactEquals(e,t){return e[0]===t[0]&&e[1]===t[1]&&e[2]===t[2]&&e[3]===t[3]&&e[4]===t[4]&&e[5]===t[5]&&e[6]===t[6]&&e[7]===t[7]}static equals(e,t){let n=e[0],r=e[1],a=e[2],s=e[3],i=e[4],c=e[5],y=e[6],L=e[7],k=t[0],l=t[1],b=t[2],M=t[3],d=t[4],m=t[5],o=t[6],x=t[7];return Math.abs(n-k)<=1e-6*Math.max(1,Math.abs(n),Math.abs(k))&&Math.abs(r-l)<=1e-6*Math.max(1,Math.abs(r),Math.abs(l))&&Math.abs(a-b)<=1e-6*Math.max(1,Math.abs(a),Math.abs(b))&&Math.abs(s-M)<=1e-6*Math.max(1,Math.abs(s),Math.abs(M))&&Math.abs(i-d)<=1e-6*Math.max(1,Math.abs(i),Math.abs(d))&&Math.abs(c-m)<=1e-6*Math.max(1,Math.abs(c),Math.abs(m))&&Math.abs(y-o)<=1e-6*Math.max(1,Math.abs(y),Math.abs(o))&&Math.abs(L-x)<=1e-6*Math.max(1,Math.abs(L),Math.abs(x))}},se=new Float32Array(4),ie=new Float32Array(3);P.dot=I.dot;P.squaredLength=I.squaredLength;P.sqrLen=I.squaredLength;P.mag=I.magnitude;P.length=I.magnitude;P.len=I.magnitude;P.mul=P.multiply;var oe=P;var S=class h extends Float32Array{static BYTE_LENGTH=2*Float32Array.BYTES_PER_ELEMENT;constructor(...e){switch(e.length){case 2:{let t=e[0];typeof t=="number"?super([t,e[1]]):super(t,e[1],2);break}case 1:{let t=e[0];typeof t=="number"?super([t,t]):super(t,0,2);break}default:super(2);break}}get x(){return this[0]}set x(e){this[0]=e}get y(){return this[1]}set y(e){this[1]=e}get r(){return this[0]}set r(e){this[0]=e}get g(){return this[1]}set g(e){this[1]=e}get magnitude(){return Math.hypot(this[0],this[1])}get mag(){return this.magnitude}get squaredMagnitude(){let e=this[0],t=this[1];return e*e+t*t}get sqrMag(){return this.squaredMagnitude}get str(){return h.str(this)}copy(e){return this.set(e),this}add(e){return this[0]+=e[0],this[1]+=e[1],this}subtract(e){return this[0]-=e[0],this[1]-=e[1],this}sub(e){return this}multiply(e){return this[0]*=e[0],this[1]*=e[1],this}mul(e){return this}divide(e){return this[0]/=e[0],this[1]/=e[1],this}div(e){return this}scale(e){return this[0]*=e,this[1]*=e,this}scaleAndAdd(e,t){return this[0]+=e[0]*t,this[1]+=e[1]*t,this}distance(e){return h.distance(this,e)}dist(e){return 0}squaredDistance(e){return h.squaredDistance(this,e)}sqrDist(e){return 0}negate(){return this[0]*=-1,this[1]*=-1,this}invert(){return this[0]=1/this[0],this[1]=1/this[1],this}abs(){return this[0]=Math.abs(this[0]),this[1]=Math.abs(this[1]),this}dot(e){return this[0]*e[0]+this[1]*e[1]}normalize(){return h.normalize(this,this)}static create(){return new h}static clone(e){return new h(e)}static fromValues(e,t){return new h(e,t)}static copy(e,t){return e[0]=t[0],e[1]=t[1],e}static set(e,t,n){return e[0]=t,e[1]=n,e}static add(e,t,n){return e[0]=t[0]+n[0],e[1]=t[1]+n[1],e}static subtract(e,t,n){return e[0]=t[0]-n[0],e[1]=t[1]-n[1],e}static sub(e,t,n){return[0,0]}static multiply(e,t,n){return e[0]=t[0]*n[0],e[1]=t[1]*n[1],e}static mul(e,t,n){return[0,0]}static divide(e,t,n){return e[0]=t[0]/n[0],e[1]=t[1]/n[1],e}static div(e,t,n){return[0,0]}static ceil(e,t){return e[0]=Math.ceil(t[0]),e[1]=Math.ceil(t[1]),e}static floor(e,t){return e[0]=Math.floor(t[0]),e[1]=Math.floor(t[1]),e}static min(e,t,n){return e[0]=Math.min(t[0],n[0]),e[1]=Math.min(t[1],n[1]),e}static max(e,t,n){return e[0]=Math.max(t[0],n[0]),e[1]=Math.max(t[1],n[1]),e}static round(e,t){return e[0]=Math.round(t[0]),e[1]=Math.round(t[1]),e}static scale(e,t,n){return e[0]=t[0]*n,e[1]=t[1]*n,e}static scaleAndAdd(e,t,n,r){return e[0]=t[0]+n[0]*r,e[1]=t[1]+n[1]*r,e}static distance(e,t){return Math.hypot(t[0]-e[0],t[1]-e[1])}static dist(e,t){return 0}static squaredDistance(e,t){let n=t[0]-e[0],r=t[1]-e[1];return n*n+r*r}static sqrDist(e,t){return 0}static magnitude(e){let t=e[0],n=e[1];return Math.sqrt(t*t+n*n)}static mag(e){return 0}static length(e){return 0}static len(e){return 0}static squaredLength(e){let t=e[0],n=e[1];return t*t+n*n}static sqrLen(e,t){return 0}static negate(e,t){return e[0]=-t[0],e[1]=-t[1],e}static inverse(e,t){return e[0]=1/t[0],e[1]=1/t[1],e}static abs(e,t){return e[0]=Math.abs(t[0]),e[1]=Math.abs(t[1]),e}static normalize(e,t){let n=t[0],r=t[1],a=n*n+r*r;return a>0&&(a=1/Math.sqrt(a)),e[0]=t[0]*a,e[1]=t[1]*a,e}static dot(e,t){return e[0]*t[0]+e[1]*t[1]}static cross(e,t,n){let r=t[0]*n[1]-t[1]*n[0];return e[0]=e[1]=0,e[2]=r,e}static lerp(e,t,n,r){let a=t[0],s=t[1];return e[0]=a+r*(n[0]-a),e[1]=s+r*(n[1]-s),e}static transformMat2(e,t,n){let r=t[0],a=t[1];return e[0]=n[0]*r+n[2]*a,e[1]=n[1]*r+n[3]*a,e}static transformMat2d(e,t,n){let r=t[0],a=t[1];return e[0]=n[0]*r+n[2]*a+n[4],e[1]=n[1]*r+n[3]*a+n[5],e}static transformMat3(e,t,n){let r=t[0],a=t[1];return e[0]=n[0]*r+n[3]*a+n[6],e[1]=n[1]*r+n[4]*a+n[7],e}static transformMat4(e,t,n){let r=t[0],a=t[1];return e[0]=n[0]*r+n[4]*a+n[12],e[1]=n[1]*r+n[5]*a+n[13],e}static rotate(e,t,n,r){let a=t[0]-n[0],s=t[1]-n[1],i=Math.sin(r),c=Math.cos(r);return e[0]=a*c-s*i+n[0],e[1]=a*i+s*c+n[1],e}static angle(e,t){let n=e[0],r=e[1],a=t[0],s=t[1],i=Math.sqrt(n*n+r*r)*Math.sqrt(a*a+s*s),c=i&&(n*a+r*s)/i;return Math.acos(Math.min(Math.max(c,-1),1))}static zero(e){return e[0]=0,e[1]=0,e}static exactEquals(e,t){return e[0]===t[0]&&e[1]===t[1]}static equals(e,t){let n=e[0],r=e[1],a=t[0],s=t[1];return Math.abs(n-a)<=1e-6*Math.max(1,Math.abs(n),Math.abs(a))&&Math.abs(r-s)<=1e-6*Math.max(1,Math.abs(r),Math.abs(s))}static str(e){return`Vec2(${e.join(", ")})`}};S.prototype.sub=S.prototype.subtract;S.prototype.mul=S.prototype.multiply;S.prototype.div=S.prototype.divide;S.prototype.dist=S.prototype.distance;S.prototype.sqrDist=S.prototype.squaredDistance;S.sub=S.subtract;S.mul=S.multiply;S.div=S.divide;S.dist=S.distance;S.sqrDist=S.squaredDistance;S.sqrLen=S.squaredLength;S.mag=S.magnitude;S.length=S.magnitude;S.len=S.magnitude;var xe=S;var Re=["xx","xy","yx","yy","xxx","xxy","xyx","xyy","yxx","yxy","yyx","yyy","xxxx","xxxy","xxyx","xxyy","xyxx","xyxy","xyyx","xyyy","yxxx","yxxy","yxyx","yxyy","yyxx","yyxy","yyyx","yyyy","rr","rg","gr","gg","rrr","rrg","rgr","rgg","grr","grg","ggr","ggg","rrrr","rrrg","rrgr","rrgg","rgrr","rgrg","rggr","rggg","grrr","grrg","grgr","grgg","ggrr","ggrg","gggr","gggg"],Ve=["xz","yz","zx","zy","zz","xxz","xyz","xzx","xzy","xzz","yxz","yyz","yzx","yzy","yzz","zxx","zxy","zxz","zyx","zyy","zyz","zzx","zzy","zzz","xxxz","xxyz","xxzx","xxzy","xxzz","xyxz","xyyz","xyzx","xyzy","xyzz","xzxx","xzxy","xzxz","xzyx","xzyy","xzyz","xzzx","xzzy","xzzz","yxxz","yxyz","yxzx","yxzy","yxzz","yyxz","yyyz","yyzx","yyzy","yyzz","yzxx","yzxy","yzxz","yzyx","yzyy","yzyz","yzzx","yzzy","yzzz","zxxx","zxxy","zxxz","zxyx","zxyy","zxyz","zxzx","zxzy","zxzz","zyxx","zyxy","zyxz","zyyx","zyyy","zyyz","zyzx","zyzy","zyzz","zzxx","zzxy","zzxz","zzyx","zzyy","zzyz","zzzx","zzzy","zzzz","rb","gb","br","bg","bb","rrb","rgb","rbr","rbg","rbb","grb","ggb","gbr","gbg","gbb","brr","brg","brb","bgr","bgg","bgb","bbr","bbg","bbb","rrrb","rrgb","rrbr","rrbg","rrbb","rgrb","rggb","rgbr","rgbg","rgbb","rbrr","rbrg","rbrb","rbgr","rbgg","rbgb","rbbr","rbbg","rbbb","grrb","grgb","grbr","grbg","grbb","ggrb","gggb","ggbr","ggbg","ggbb","gbrr","gbrg","gbrb","gbgr","gbgg","gbgb","gbbr","gbbg","gbbb","brrr","brrg","brrb","brgr","brgg","brgb","brbr","brbg","brbb","bgrr","bgrg","bgrb","bggr","bggg","bggb","bgbr","bgbg","bgbb","bbrr","bbrg","bbrb","bbgr","bbgg","bbgb","bbbr","bbbg","bbbb"],ge=["xw","yw","zw","wx","wy","wz","ww","xxw","xyw","xzw","xwx","xwy","xwz","xww","yxw","yyw","yzw","ywx","ywy","ywz","yww","zxw","zyw","zzw","zwx","zwy","zwz","zww","wxx","wxy","wxz","wxw","wyx","wyy","wyz","wyw","wzx","wzy","wzz","wzw","wwx","wwy","wwz","www","xxxw","xxyw","xxzw","xxwx","xxwy","xxwz","xxww","xyxw","xyyw","xyzw","xywx","xywy","xywz","xyww","xzxw","xzyw","xzzw","xzwx","xzwy","xzwz","xzww","xwxx","xwxy","xwxz","xwxw","xwyx","xwyy","xwyz","xwyw","xwzx","xwzy","xwzz","xwzw","xwwx","xwwy","xwwz","xwww","yxxw","yxyw","yxzw","yxwx","yxwy","yxwz","yxww","yyxw","yyyw","yyzw","yywx","yywy","yywz","yyww","yzxw","yzyw","yzzw","yzwx","yzwy","yzwz","yzww","ywxx","ywxy","ywxz","ywxw","ywyx","ywyy","ywyz","ywyw","ywzx","ywzy","ywzz","ywzw","ywwx","ywwy","ywwz","ywww","zxxw","zxyw","zxzw","zxwx","zxwy","zxwz","zxww","zyxw","zyyw","zyzw","zywx","zywy","zywz","zyww","zzxw","zzyw","zzzw","zzwx","zzwy","zzwz","zzww","zwxx","zwxy","zwxz","zwxw","zwyx","zwyy","zwyz","zwyw","zwzx","zwzy","zwzz","zwzw","zwwx","zwwy","zwwz","zwww","wxxx","wxxy","wxxz","wxxw","wxyx","wxyy","wxyz","wxyw","wxzx","wxzy","wxzz","wxzw","wxwx","wxwy","wxwz","wxww","wyxx","wyxy","wyxz","wyxw","wyyx","wyyy","wyyz","wyyw","wyzx","wyzy","wyzz","wyzw","wywx","wywy","wywz","wyww","wzxx","wzxy","wzxz","wzxw","wzyx","wzyy","wzyz","wzyw","wzzx","wzzy","wzzz","wzzw","wzwx","wzwy","wzwz","wzww","wwxx","wwxy","wwxz","wwxw","wwyx","wwyy","wwyz","wwyw","wwzx","wwzy","wwzz","wwzw","wwwx","wwwy","wwwz","wwww","ra","ga","ba","ar","ag","ab","aa","rra","rga","rba","rar","rag","rab","raa","gra","gga","gba","gar","gag","gab","gaa","bra","bga","bba","bar","bag","bab","baa","arr","arg","arb","ara","agr","agg","agb","aga","abr","abg","abb","aba","aar","aag","aab","aaa","rrra","rrga","rrba","rrar","rrag","rrab","rraa","rgra","rgga","rgba","rgar","rgag","rgab","rgaa","rbra","rbga","rbba","rbar","rbag","rbab","rbaa","rarr","rarg","rarb","rara","ragr","ragg","ragb","raga","rabr","rabg","rabb","raba","raar","raag","raab","raaa","grra","grga","grba","grar","grag","grab","graa","ggra","ggga","ggba","ggar","ggag","ggab","ggaa","gbra","gbga","gbba","gbar","gbag","gbab","gbaa","garr","garg","garb","gara","gagr","gagg","gagb","gaga","gabr","gabg","gabb","gaba","gaar","gaag","gaab","gaaa","brra","brga","brba","brar","brag","brab","braa","bgra","bgga","bgba","bgar","bgag","bgab","bgaa","bbra","bbga","bbba","bbar","bbag","bbab","bbaa","barr","barg","barb","bara","bagr","bagg","bagb","baga","babr","babg","babb","baba","baar","baag","baab","baaa","arrr","arrg","arrb","arra","argr","argg","argb","arga","arbr","arbg","arbb","arba","arar","arag","arab","araa","agrr","agrg","agrb","agra","aggr","aggg","aggb","agga","agbr","agbg","agbb","agba","agar","agag","agab","agaa","abrr","abrg","abrb","abra","abgr","abgg","abgb","abga","abbr","abbg","abbb","abba","abar","abag","abab","abaa","aarr","aarg","aarb","aara","aagr","aagg","aagb","aaga","aabr","aabg","aabb","aaba","aaar","aaag","aaab","aaaa"],$={x:0,r:0,y:1,g:1,z:2,b:2,w:3,a:3};function J(h){switch(h.length){case 2:return function(){return new S(this[$[h[0]]],this[$[h[1]]])};case 3:return function(){return new A(this[$[h[0]]],this[$[h[1]]],this[$[h[2]]])};case 4:return function(){return new q(this[$[h[0]]],this[$[h[1]]],this[$[h[2]]],this[$[h[3]]])}}}var ce=!1;function ze(){if(!ce){for(let h of Re){let e=J(h);Object.defineProperty(S.prototype,h,{get:e}),Object.defineProperty(A.prototype,h,{get:e}),Object.defineProperty(q.prototype,h,{get:e})}for(let h of Ve){let e=J(h);Object.defineProperty(A.prototype,h,{get:e}),Object.defineProperty(q.prototype,h,{get:e})}for(let h of ge){let e=J(h);Object.defineProperty(q.prototype,h,{get:e})}ce=!0}}export{ze as EnableSwizzles,j as Mat2,C as Mat2d,X as Mat3,O as Mat4,I as Quat,P as Quat2,S as Vec2,A as Vec3,q as Vec4,ye as mat2,Le as mat2d,ke as mat3,le as mat4,me as quat,oe as quat2,xe as vec2,Me as vec3,be as vec4}; diff --git a/naloga_3/main.js b/naloga_3/main.js new file mode 100644 index 0000000..0084520 --- /dev/null +++ b/naloga_3/main.js @@ -0,0 +1,98 @@ +import { ResizeSystem } from 'engine/systems/ResizeSystem.js'; +import { UpdateSystem } from 'engine/systems/UpdateSystem.js'; +import { GLTFLoader } from 'engine/loaders/GLTFLoader.js'; +import { OrbitController } from 'engine/controllers/OrbitController.js'; +import { RotateAnimator } from 'engine/animators/RotateAnimator.js'; +import { LinearAnimator } from 'engine/animators/LinearAnimator.js'; +import { quat } from './lib/glm.js'; + +import { Camera, Model, Node, Transform } from 'engine/core.js'; + +import { Renderer } from './Renderer.js'; +import { Light } from './Light.js'; + +const canvas = document.querySelector('canvas'); +const renderer = new Renderer(canvas); +await renderer.initialize(); + +const gltfLoader = new GLTFLoader(); +await gltfLoader.load('./models/monkey/monkey.gltf'); + +const gltfLoader2 = new GLTFLoader(); +await gltfLoader2.load('./models/cone/cone.gltf'); + +const scene = gltfLoader.loadScene(gltfLoader.defaultScene); + +const camera = scene.find((node) => node.getComponentOfType(Camera)); +const cameraTransform = camera.getComponentOfType(Transform); +cameraTransform.rotation = [0, 0, 0, 1]; +cameraTransform.translation = [0, 0, 10]; + +camera.addComponent( + new OrbitController(camera, document.body, { + distance: 8, + }), +); + +const model = scene.find((node) => node.getComponentOfType(Model)); +// model.addComponent( +// new LinearAnimator(model, { +// startPosition: [1, 0, 0], +// endPosition: [-1, 0, 0], +// duration: 5, +// loop: true, +// }), +// ); + +const light = gltfLoader2.loadScene(gltfLoader.defaultScene); + +light.addComponent( + new Transform({ + translation: [0, 0, 0], + }), +); +light.addComponent( + new Light({ + ambient: 0, + intensity: 0.5, + cutoffAngle: 45 * (Math.PI / 180), + }), +); +light.addComponent({ + update(t, dt) { + const transform = light.getComponentOfType(Transform); + + const rotation = quat.create(); + quat.rotateX(rotation, rotation, (Math.PI / 180) * t * 100); + + transform.rotation = rotation; + }, +}); +// light.addComponent( +// new LinearAnimator(light, { +// startPosition: [0, 0, 0], +// endPosition: [0, 0, 0], +// duration: 5, +// loop: true, +// }), +// ); +scene.addChild(light); + +function update(time, dt) { + scene.traverse((node) => { + for (const component of node.components) { + component.update?.(time, dt); + } + }); +} + +function render() { + renderer.render(scene, camera); +} + +function resize({ displaySize: { width, height } }) { + camera.getComponentOfType(Camera).aspect = width / height; +} + +new ResizeSystem({ canvas, resize }).start(); +new UpdateSystem({ update, render }).start(); diff --git a/naloga_3/models/cone/base.png b/naloga_3/models/cone/base.png new file mode 100644 index 0000000..92c90d3 Binary files /dev/null and b/naloga_3/models/cone/base.png differ diff --git a/naloga_3/models/cone/cone.bin b/naloga_3/models/cone/cone.bin new file mode 100644 index 0000000..beb3d17 Binary files /dev/null and b/naloga_3/models/cone/cone.bin differ diff --git a/naloga_3/models/cone/cone.gltf b/naloga_3/models/cone/cone.gltf new file mode 100644 index 0000000..372f020 --- /dev/null +++ b/naloga_3/models/cone/cone.gltf @@ -0,0 +1,149 @@ +{ + "asset":{ + "generator":"Khronos glTF Blender I/O v4.2.60", + "version":"2.0" + }, + "extensionsUsed":[ + "KHR_materials_unlit" + ], + "scene":0, + "scenes":[ + { + "name":"Scene", + "nodes":[ + 0 + ] + } + ], + "nodes":[ + { + "mesh":0, + "name":"Cone", + "rotation":[ + 0, + 0, + -0.7071068286895752, + 0.7071068286895752 + ] + } + ], + "materials":[ + { + "doubleSided":true, + "extensions":{ + "KHR_materials_unlit":{} + }, + "name":"Material", + "pbrMetallicRoughness":{ + "baseColorTexture":{ + "index":0 + }, + "metallicFactor":0, + "roughnessFactor":0.9 + } + } + ], + "meshes":[ + { + "name":"Cone", + "primitives":[ + { + "attributes":{ + "POSITION":0, + "NORMAL":1, + "TEXCOORD_0":2 + }, + "indices":3, + "material":0 + } + ] + } + ], + "textures":[ + { + "sampler":0, + "source":0 + } + ], + "images":[ + { + "mimeType":"image/png", + "name":"base", + "uri":"base.png" + } + ], + "accessors":[ + { + "bufferView":0, + "componentType":5126, + "count":128, + "max":[ + 1, + 1, + 1 + ], + "min":[ + -1, + -1, + -1 + ], + "type":"VEC3" + }, + { + "bufferView":1, + "componentType":5126, + "count":128, + "type":"VEC3" + }, + { + "bufferView":2, + "componentType":5126, + "count":128, + "type":"VEC2" + }, + { + "bufferView":3, + "componentType":5123, + "count":186, + "type":"SCALAR" + } + ], + "bufferViews":[ + { + "buffer":0, + "byteLength":1536, + "byteOffset":0, + "target":34962 + }, + { + "buffer":0, + "byteLength":1536, + "byteOffset":1536, + "target":34962 + }, + { + "buffer":0, + "byteLength":1024, + "byteOffset":3072, + "target":34962 + }, + { + "buffer":0, + "byteLength":372, + "byteOffset":4096, + "target":34963 + } + ], + "samplers":[ + { + "magFilter":9729, + "minFilter":9987 + } + ], + "buffers":[ + { + "byteLength":4468, + "uri":"cone.bin" + } + ] +} diff --git a/naloga_3/models/cube.obj b/naloga_3/models/cube.obj new file mode 100644 index 0000000..6c8bfe1 --- /dev/null +++ b/naloga_3/models/cube.obj @@ -0,0 +1,40 @@ +# Blender 4.2.1 LTS +# www.blender.org +mtllib cube.mtl +o Cube +v 1.000000 1.000000 -1.000000 +v 1.000000 -1.000000 -1.000000 +v 1.000000 1.000000 1.000000 +v 1.000000 -1.000000 1.000000 +v -1.000000 1.000000 -1.000000 +v -1.000000 -1.000000 -1.000000 +v -1.000000 1.000000 1.000000 +v -1.000000 -1.000000 1.000000 +vn -0.0000 1.0000 -0.0000 +vn -0.0000 -0.0000 1.0000 +vn -1.0000 -0.0000 -0.0000 +vn -0.0000 -1.0000 -0.0000 +vn 1.0000 -0.0000 -0.0000 +vn -0.0000 -0.0000 -1.0000 +vt 0.625000 0.500000 +vt 0.875000 0.500000 +vt 0.875000 0.750000 +vt 0.625000 0.750000 +vt 0.375000 0.750000 +vt 0.625000 1.000000 +vt 0.375000 1.000000 +vt 0.375000 0.000000 +vt 0.625000 0.000000 +vt 0.625000 0.250000 +vt 0.375000 0.250000 +vt 0.125000 0.500000 +vt 0.375000 0.500000 +vt 0.125000 0.750000 +s 0 +usemtl Material +f 1/1/1 5/2/1 7/3/1 3/4/1 +f 4/5/2 3/4/2 7/6/2 8/7/2 +f 8/8/3 7/9/3 5/10/3 6/11/3 +f 6/12/4 2/13/4 4/5/4 8/14/4 +f 2/13/5 1/1/5 3/4/5 4/5/5 +f 6/11/6 5/10/6 1/1/6 2/13/6 diff --git a/naloga_3/models/monkey/base.png b/naloga_3/models/monkey/base.png new file mode 100644 index 0000000..92c90d3 Binary files /dev/null and b/naloga_3/models/monkey/base.png differ diff --git a/naloga_3/models/monkey/monkey.bin b/naloga_3/models/monkey/monkey.bin new file mode 100644 index 0000000..b81d93e Binary files /dev/null and b/naloga_3/models/monkey/monkey.bin differ diff --git a/naloga_3/models/monkey/monkey.gltf b/naloga_3/models/monkey/monkey.gltf new file mode 100644 index 0000000..9e151b7 --- /dev/null +++ b/naloga_3/models/monkey/monkey.gltf @@ -0,0 +1,190 @@ +{ + "asset":{ + "generator":"Khronos glTF Blender I/O v3.6.6", + "version":"2.0" + }, + "scene":0, + "scenes":[ + { + "name":"Scene", + "nodes":[ + 0, + 1 + ] + } + ], + "nodes":[ + { + "camera":0, + "name":"Camera", + "rotation":[ + -0.20997299253940582, + 0.3857799470424652, + 0.09062844514846802, + 0.8937962055206299 + ], + "translation":[ + 7.358891487121582, + 4.958309173583984, + 6.925790786743164 + ] + }, + { + "mesh":0, + "name":"Suzanne" + } + ], + "cameras":[ + { + "name":"Camera", + "perspective":{ + "aspectRatio":1.7777777777777777, + "yfov":0.39959652046304894, + "zfar":100, + "znear":0.10000000149011612 + }, + "type":"perspective" + } + ], + "materials":[ + { + "doubleSided":true, + "name":"Material", + "normalTexture": { + "index":1 + }, + "pbrMetallicRoughness":{ + "baseColorTexture":{ + "index":0 + }, + "metallicFactor":0, + "roughnessFactor":0.5 + } + } + ], + "meshes":[ + { + "name":"Suzanne", + "primitives":[ + { + "attributes":{ + "POSITION":0, + "TEXCOORD_0":1, + "NORMAL":2, + "TANGENT":3 + }, + "indices":4, + "material":0 + } + ] + } + ], + "textures":[ + { + "sampler":0, + "source":0 + }, + { + "sampler":0, + "source":1 + } + ], + "images":[ + { + "mimeType":"image/png", + "name":"base", + "uri":"base.png" + }, + { + "mimeType":"image/webp", + "name":"normal", + "uri":"normal.webp" + } + ], + "accessors":[ + { + "bufferView":0, + "componentType":5126, + "count":556, + "max":[ + 1.3671875, + 0.984375, + 0.8515625 + ], + "min":[ + -1.3671875, + -0.984375, + -0.8515625 + ], + "type":"VEC3" + }, + { + "bufferView":1, + "componentType":5126, + "count":556, + "type":"VEC2" + }, + { + "bufferView":2, + "componentType":5126, + "count":556, + "type":"VEC3" + }, + { + "bufferView":3, + "componentType":5126, + "count":556, + "type":"VEC4" + }, + { + "bufferView":4, + "componentType":5123, + "count":2904, + "type":"SCALAR" + } + ], + "bufferViews":[ + { + "buffer":0, + "byteLength":6672, + "byteOffset":0, + "target":34962 + }, + { + "buffer":0, + "byteLength":4448, + "byteOffset":6672, + "target":34962 + }, + { + "buffer":0, + "byteLength":6672, + "byteOffset":11120, + "target":34962 + }, + { + "buffer":0, + "byteLength":8896, + "byteOffset":17792, + "target":34962 + }, + { + "buffer":0, + "byteLength":5808, + "byteOffset":26688, + "target":34963 + } + ], + "samplers":[ + { + "magFilter":9729, + "minFilter":9987 + } + ], + "buffers":[ + { + "byteLength":32496, + "uri":"monkey.bin" + } + ] +} diff --git a/naloga_3/models/monkey/normal.webp b/naloga_3/models/monkey/normal.webp new file mode 100644 index 0000000..7b8a45c Binary files /dev/null and b/naloga_3/models/monkey/normal.webp differ diff --git a/naloga_3/shader.wgsl b/naloga_3/shader.wgsl new file mode 100644 index 0000000..74868a7 --- /dev/null +++ b/naloga_3/shader.wgsl @@ -0,0 +1,98 @@ +struct VertexInput { + @location(0) position: vec3f, + @location(1) texcoords: vec2f, + @location(2) normal: vec3f, +} + +struct VertexOutput { + @builtin(position) clipPosition: vec4f, + @location(0) position: vec3f, + @location(1) texcoords: vec2f, + @location(2) normal: vec3f, +} + +struct FragmentInput { + @location(0) position: vec3f, + @location(1) texcoords: vec2f, + @location(2) normal: vec3f, +} + +struct FragmentOutput { + @location(0) color: vec4f, +} + +struct CameraUniforms { + viewMatrix: mat4x4f, + projectionMatrix: mat4x4f, + cameraPosition: vec3f, +} + +struct ModelUniforms { + modelMatrix: mat4x4f, + normalMatrix: mat3x3f, +} + +struct MaterialUniforms { + baseFactor: vec4f, + specularFactor: f32, + shininess: f32, +} + +struct SpotLightUniforms { + position: vec3f, + direction: vec3f, + cutoffAngle: f32, + ambient: f32, + intensity: f32, +} + +@group(0) @binding(0) var camera: CameraUniforms; +@group(1) @binding(0) var model: ModelUniforms; +@group(2) @binding(0) var material: MaterialUniforms; +@group(2) @binding(1) var baseTexture: texture_2d; +@group(2) @binding(2) var baseSampler: sampler; +@group(3) @binding(0) var spotLight: SpotLightUniforms; + +@vertex +fn vertex(input: VertexInput) -> VertexOutput { + var output: VertexOutput; + + output.clipPosition = camera.projectionMatrix * camera.viewMatrix * model.modelMatrix * vec4(input.position, 1); + + output.position = (model.modelMatrix * vec4(input.position, 1)).xyz; + output.texcoords = input.texcoords; + output.normal = model.normalMatrix * input.normal; + + return output; +} + +@fragment +fn fragment(input: FragmentInput) -> FragmentOutput { + var output: FragmentOutput; + + let N = normalize(input.normal); + let L = normalize(spotLight.position - input.position); + let V = normalize(camera.cameraPosition - input.position); + let H = normalize(L + V); + + // Spotlight factor based on cutoff angle + let lightDir = normalize(spotLight.direction); + let theta = dot(L, -lightDir); + let spotlightFactor = select(0.0, 1.0, theta > spotLight.cutoffAngle); + + // Diffuse and Specular components + let lambert = max(dot(N, L), 0) * spotlightFactor; + let specular = pow(max(dot(N, H), 0), material.shininess) * spotlightFactor; + + let materialColor = textureSample(baseTexture, baseSampler, input.texcoords) * material.baseFactor; + let lambertFactor = vec4(vec3(lambert), 1); + let specularFactor = vec4(vec3(specular * material.specularFactor), 1); + let ambientFactor = vec4(vec3(spotLight.ambient), 1); + + // Final color +// output.color = materialColor * ((lambertFactor + specularFactor) + specularFactor * spotLight.intensity); +// output.color = spotLight.intensity * (lambertFactor + specularFactor) + ambientFactor; + output.color = spotlightFactor * materialColor; + + return output; +} diff --git a/vaja_1/base.png b/vaja_1/base.png new file mode 100644 index 0000000..92c90d3 Binary files /dev/null and b/vaja_1/base.png differ diff --git a/vaja_1/main.js b/vaja_1/main.js index ba206fe..02c907d 100644 --- a/vaja_1/main.js +++ b/vaja_1/main.js @@ -15,6 +15,35 @@ const depthTexture = device.createTexture({ format: 'depth24plus', }); +// Prepare color texture +// 1. fetch the texture from the server +const imageBitmap = await fetch('base.png') + .then((response) => response.blob()) + .then((blob) => createImageBitmap(blob)); + +// 2. create a texture +const colorTexture = device.createTexture({ + size: [imageBitmap.width, imageBitmap.height], + usage: + GPUTextureUsage.TEXTURE_BINDING | + GPUTextureUsage.RENDER_ATTACHMENT | + GPUTextureUsage.COPY_DST, + format: 'rgba8unorm', + mipLevelCount: 2, +}); + +// 3. transfer data +device.queue.copyExternalImageToTexture( + { source: imageBitmap }, + { texture: colorTexture }, + [imageBitmap.width, imageBitmap.height], +); + +// 4. create sampler +const colorSampler = device.createSampler({ + mipmapFilter: 'linear', +}); + // Create vertex buffer // prettier-ignore const vertices = new Float32Array([ @@ -24,7 +53,7 @@ const vertices = new Float32Array([ -1, 1, -1, 1, 0, 0, 1, 1, 1, 1, -1, 1, 1, 1, 0, 1, - -1, 1, 1, 1, 1, 0, 0, 1, + -1, -1, 1, 1, 1, 0, 0, 1, 1, -1, 1, 1, 0, 1, 0, 1, -1, 1, 1, 1, 0, 0, 1, 1, 1, 1, 1, 1, 1, 1, 0, 1, @@ -62,12 +91,12 @@ const module = device.createShaderModule({ code }); // Create the pipeline /** @type {GPUVertexBufferLayout} */ const vertexBufferLayout = { - arrayStride: 24, + arrayStride: 32, attributes: [ { shaderLocation: 0, offset: 0, - format: 'float32x2', + format: 'float32x4', }, { shaderLocation: 1, @@ -103,7 +132,11 @@ const uniformBuffer = device.createBuffer({ // Create the bind group const bindGroup = device.createBindGroup({ layout: pipeline.getBindGroupLayout(0), - entries: [{ binding: 0, resource: { buffer: uniformBuffer } }], + entries: [ + { binding: 0, resource: { buffer: uniformBuffer } }, + { binding: 1, resource: colorTexture.createView() }, + { binding: 2, resource: colorSampler }, + ], }); function update() { diff --git a/vaja_1/shader.wgsl b/vaja_1/shader.wgsl index aba83d8..9f3d5e8 100644 --- a/vaja_1/shader.wgsl +++ b/vaja_1/shader.wgsl @@ -1,38 +1,21 @@ -struct VertexInput { - @location(0) position: vec4f, - @location(1) color: vec4f, -} - struct VertexOutput { @builtin(position) position: vec4f, @location(0) color: vec4f, } -struct FragmentInput { - @location(0) color: vec4f, -} - -struct FragmentOutput { - @location(0) color: vec4f, -} - @group(0) @binding(0) var mtrx: mat4x4f; +@group(0) @binding(1) var colorTexture: texture_2d; +@group(0) @binding(2) var colorSampler: sampler; @vertex -fn vertex(input: VertexInput) -> VertexOutput { +fn vertex(@location(0) position: vec4f, @location(1) color: vec4f) -> VertexOutput { var output: VertexOutput; - - output.position = mtrx * input.position; - output.color = input.color; - + output.position = mtrx * position; + output.color = color; return output; } @fragment -fn fragment(input: FragmentInput) -> FragmentOutput { - var output: FragmentOutput; - - output.color = input.color; - - return output; +fn fragment(@location(0) color: vec4f) -> @location(0) vec4f { + return textureSample(colorTexture, colorSampler, color.xy); }