{ "version": 3, "sources": ["../../../static/script/conways-game-of-life.ts"], "sourcesContent": ["document.addEventListener(\"DOMContentLoaded\", async (): Promise<void> => {\n const game: Game = new Game();\n await game.init();\n\n initGridSizeDropdown(game);\n initPlayPauseButton(game);\n initResetButton(game);\n initTickTimeoutSlider(game);\n});\n\nfunction initGridSizeDropdown(game: Game): void {\n const inputGridSize: HTMLElement | null = document.getElementById(\"select-grid-size\");\n if (!(inputGridSize instanceof HTMLSelectElement)) {\n console.error(`Failed to get grid size input. Expected HTMLSelectElement, got ${typeof inputGridSize}.`);\n return;\n }\n\n // listen for every change\n inputGridSize.addEventListener(\"input\", async (event: Event): Promise<void> => {\n const eventTarget: EventTarget | null = event.target;\n if (!(eventTarget instanceof HTMLSelectElement)) {\n console.error(`Failed to get grid size input. Expected HTMLSelectElement, got ${typeof eventTarget}.`);\n return;\n }\n\n // convert the value to a number\n const gridSize: number = parseInt(eventTarget.value, 10);\n\n // update the game's grid size\n await game.reset(gridSize);\n });\n}\n\nfunction initPlayPauseButton(game: Game): void {\n const buttonPlayPause: HTMLElement | null = document.getElementById(\"button-play-pause\");\n if (!(buttonPlayPause instanceof HTMLParagraphElement)) {\n console.error(`Failed to get play/pause button. Expected HTMLButtonElement, got ${typeof buttonPlayPause}.`);\n return;\n }\n\n buttonPlayPause.addEventListener(\"click\", (): void => {\n if (buttonPlayPause.textContent === \"\u25B6\uFE0F\") {\n buttonPlayPause.textContent = \"\u23F8\uFE0F\";\n } else {\n buttonPlayPause.textContent = \"\u25B6\uFE0F\";\n }\n game.playPause();\n });\n}\n\nfunction initResetButton(game: Game): void {\n const buttonReset: HTMLElement | null = document.getElementById(\"button-reset\");\n if (!(buttonReset instanceof HTMLButtonElement)) {\n console.error(`Failed to get reset button. Expected HTMLButtonElement, got ${typeof buttonReset}.`);\n return;\n }\n\n buttonReset.addEventListener(\"click\", async (): Promise<void> => {\n await game.reset();\n });\n}\n\nfunction initTickTimeoutSlider(game: Game): void {\n const inputTickTimeout: HTMLElement | null = document.getElementById(\"input-tick-timeout\");\n if (!(inputTickTimeout instanceof HTMLInputElement)) {\n console.error(`Failed to get tick timeout input. Expected HTMLInputElement, got ${typeof inputTickTimeout}.`);\n return;\n }\n\n // set default game tick timeout\n game.setTickTimeout(inputTickTimeout.value);\n\n // listen for every change\n inputTickTimeout.addEventListener(\"input\", (event: Event): void => {\n const eventTarget: EventTarget | null = event.target;\n if (!(eventTarget instanceof HTMLInputElement)) {\n console.error(`Failed to get tick timeout input. Expected HTMLInputElement, got ${typeof eventTarget}.`);\n return;\n }\n\n // update the game's tick timeout\n game.setTickTimeout(eventTarget.value);\n });\n}\n\nclass Game {\n // canvas\n readonly ASPECT_RATIO: number = 16 / 9;\n readonly WIDTH: number = 3840;\n readonly HEIGHT: number = this.WIDTH / this.ASPECT_RATIO;\n\n // grid\n GRID_SIZE: number = 64;\n\n // render loop\n UPDATE_INTERVAL_MILLISECONDS: number = 64;\n step: number = 0;\n intervalId: number | null = null;\n\n // webgpu\n gpuDevice: GPUDevice | null = null;\n gpuCanvasContext: GPUCanvasContext | null = null;\n cellRenderPipeline: GPURenderPipeline | null = null;\n simulationPipeline: GPUComputePipeline | null = null;\n bindGroups: GPUBindGroup[] | null = null;\n vertexBuffer: GPUBuffer | null = null;\n readonly WORKGROUP_SIZE: number = 8;\n\n async reset(gridSize: number | null = null): Promise<void> {\n // stop the simulation\n if (this.intervalId !== null) {\n clearInterval(this.intervalId);\n this.intervalId = null;\n }\n this.step = 0;\n\n // reset all the WebGPU resources\n if (this.gpuDevice !== null) {\n this.gpuDevice.destroy();\n this.gpuDevice = null;\n }\n if (this.gpuCanvasContext !== null) {\n this.gpuCanvasContext.unconfigure();\n this.gpuCanvasContext = null;\n }\n this.cellRenderPipeline = null;\n this.simulationPipeline = null;\n this.bindGroups = null;\n if (this.vertexBuffer !== null) {\n this.vertexBuffer.destroy();\n this.vertexBuffer = null;\n }\n\n // configure the new grid size, if one was provided\n if (gridSize !== null) {\n this.GRID_SIZE = gridSize;\n }\n\n // restart the simulation\n await this.init();\n }\n\n playPause(): void {\n if (this.intervalId === null) {\n this.updateGrid.bind(this);\n this.intervalId = setInterval(this.updateGrid.bind(this), this.UPDATE_INTERVAL_MILLISECONDS);\n } else {\n clearInterval(this.intervalId);\n this.intervalId = null;\n }\n }\n\n async init(): Promise<void> {\n //\n // WEBGPU\n //\n\n // make sure the browser has WebGPU support\n if (!navigator.gpu) {\n alert(\"WebGPU not supported on this browser. Please try Google Chrome!\");\n throw Error(\"WebGPU not supported on this browser. Please try Google Chrome!\");\n }\n\n // get access to \"WebGPU's representation of a specific piece of GPU hardware in the user's computer\"\n const gpuAdapter: GPUAdapter | null = await navigator.gpu.requestAdapter();\n if (gpuAdapter === null) {\n alert(\"WebGPU not supported on this browser. Please try Google Chrome!\");\n throw Error(\"Failed to get GPU Adapter. WebGPU not supported on this browser. Please try Google Chrome!\");\n }\n\n // get access to the \"main interface through which most interaction with the GPU happens\"\n this.gpuDevice = await gpuAdapter.requestDevice();\n\n // set up the canvas to use the new GPUDevice\n this.gpuCanvasContext = this.initCanvas();\n const gpuTextureFormat: GPUTextureFormat = navigator.gpu.getPreferredCanvasFormat();\n this.gpuCanvasContext.configure({\n device: this.gpuDevice,\n format: gpuTextureFormat,\n width: this.WIDTH,\n height: this.HEIGHT,\n });\n\n //\n // CELL\n //\n\n // create an array/buffer to represent the state of each cell in the grid\n const cellStateArray: Uint32Array = new Uint32Array(this.GRID_SIZE * this.GRID_SIZE);\n const cellStateStorage: GPUBuffer[] = [\n this.gpuDevice.createBuffer({\n label: \"Cell State 1\",\n size: cellStateArray.byteLength,\n usage: GPUBufferUsage.STORAGE | GPUBufferUsage.COPY_DST,\n }),\n this.gpuDevice.createBuffer({\n label: \"Cell State 2\",\n size: cellStateArray.byteLength,\n usage: GPUBufferUsage.STORAGE | GPUBufferUsage.COPY_DST,\n }),\n ];\n\n // initialize the first storage buffer with random cell states\n // (prefer more \"living\" cells than \"dead\" cells)\n for (let i: number = 0; i < cellStateArray.length; i++) {\n cellStateArray[i] = Math.random() > 0.6 ? 1 : 0;\n }\n this.gpuDevice.queue.writeBuffer(cellStateStorage[0], 0, cellStateArray);\n\n // create a uniform buffer to hold the grid size\n // a \"uniform\" is a buffer value that is the same for every invocation of the vertex shader\n const uniformArray: Float32Array = new Float32Array([this.GRID_SIZE, this.GRID_SIZE]);\n const uniformBuffer: GPUBuffer = this.gpuDevice.createBuffer({\n label: \"Grid Uniforms\",\n size: uniformArray.byteLength,\n usage: GPUBufferUsage.UNIFORM | GPUBufferUsage.COPY_DST,\n });\n this.gpuDevice.queue.writeBuffer(uniformBuffer, 0, uniformArray);\n\n // create a contiguous block of memory to hold the vertices of a square\n // deno-fmt-ignore\n const vertices: Float32Array = new Float32Array([\n // X, Y\n\n // square\n // 1\n -0.8, -0.8,\n 0.8, -0.8,\n 0.8, 0.8,\n // 2\n -0.8, -0.8,\n 0.8, 0.8,\n -0.8, 0.8,\n\n // // star\n // // 1\n // 0.0, 0.0,\n // 0.0, 0.9,\n // -0.4, 0.0,\n // // 2\n // 0.0, 0.0,\n // 0.4, 0.0,\n // 0.0, 0.9,\n // // 3\n // 0.0, 0.0,\n // -0.9, 0.0,\n // 0.0, 0.4,\n // // 4\n // 0.0, 0.0,\n // 0.9, 0.0,\n // 0.0, 0.4,\n // // 5\n // 0.0, 0.0,\n // -0.9, 0.0,\n // 0.0, -0.4,\n // // 6\n // 0.0, 0.0,\n // 0.9, 0.0,\n // 0.0, -0.4,\n // // 7\n // -0.4, 0.0,\n // -0.5, -0.9,\n // 0.0, -0.4,\n // // 8\n // 0.4, 0.0,\n // 0.5, -0.9,\n // 0.0, -0.4,\n ].map((value: number, _index: number): number => {\n // scale the vertices to the aspect ratio\n // if (index % 2 === 0) {\n // return value / this.ASPECT_RATIO;\n // }\n return value;\n }));\n this.vertexBuffer = this.gpuDevice.createBuffer({\n label: \"Cell vertices\",\n size: vertices.byteLength,\n usage: GPUBufferUsage.VERTEX | GPUBufferUsage.COPY_DST, /* allows copying data into it */\n });\n this.gpuDevice.queue.writeBuffer(this.vertexBuffer, 0, vertices);\n\n // describe the structure of the vertex data to the GPU\n const vertexBufferLayout: {\n arrayStride: number;\n attributes: [{ format: GPUVertexFormat; offset: number; shaderLocation: number }];\n } = {\n arrayStride: 4 /* bytes */ * 2, /* positions: X, Y */\n attributes: [{\n format: \"float32x2\", // X, Y\n offset: 0, // how many bytes into the vertex this particular attribute starts\n shaderLocation: 0, // arbitrary unique number between 0-15; links attribute to particular vertex shader input\n }],\n };\n\n // define vertex and fragment shaders\n const cellShaderModule: GPUShaderModule = this.gpuDevice.createShaderModule({\n label: \"Cell shader\",\n code: `\n @group(0) @binding(0) var<uniform> gridSize: vec2f;\n // TODO - figure out how to store 32 cells state in a single u32\n @group(0) @binding(1) var<storage> cellState: array<u32>;\n\n struct VertexInput {\n @location(0) position: vec2f,\n @builtin(instance_index) instance: u32\n }\n\n struct VertexOutput {\n @builtin(position) position: vec4f,\n @location(0) cell: vec2f,\n }\n\n @vertex\n fn vertexMain(input: VertexInput) -> VertexOutput {\n let instanceIndex = f32(input.instance);\n let cell = vec2f(\n instanceIndex % gridSize.x,\n floor(instanceIndex / gridSize.x)\n );\n let state = f32(cellState[input.instance]);\n let cellOffset = cell / gridSize * 2;\n let gridPosition = ((input.position + 1) / gridSize - 1 + cellOffset) * state;\n\n var output: VertexOutput;\n output.position = vec4f(gridPosition, 0, 1); // (X, Y), Z, W\n output.cell = cell;\n return output;\n }\n\n struct FragmentInput {\n @location(0) cell: vec2f,\n }\n\n @fragment\n fn fragmentMain(input: FragmentInput) -> @location(0) vec4f {\n let color = input.cell / gridSize;\n return vec4f(color, 1-color.x, 1); // (R, G), B, A\n }\n `,\n });\n\n // define compute shader\n const simulationShaderModule: GPUShaderModule = this.gpuDevice.createShaderModule({\n label: \"Simulation shader\",\n code: `\n @group(0) @binding(0) var<uniform> gridSize: vec2f;\n\n @group(0) @binding(1) var<storage> cellStateIn: array<u32>;\n @group(0) @binding(2) var<storage, read_write> cellStateOut: array<u32>;\n\n fn cellIndex(cell: vec2u) -> u32 {\n return (cell.y % u32(gridSize.y)) * u32(gridSize.x) + (cell.x % u32(gridSize.x));\n }\n\n fn cellActive(x: u32, y: u32) -> u32 {\n return cellStateIn[cellIndex(vec2u(x, y))];\n }\n\n @compute\n @workgroup_size(${this.WORKGROUP_SIZE}, ${this.WORKGROUP_SIZE})\n fn computeMain(@builtin(global_invocation_id) cell: vec3u) {\n let activeNeighbors: u32 = cellActive(cell.x+1, cell.y+1) +\n cellActive(cell.x+1, cell.y) +\n cellActive(cell.x+1, cell.y-1) +\n cellActive(cell.x, cell.y+1) +\n cellActive(cell.x, cell.y-1) +\n cellActive(cell.x-1, cell.y+1) +\n cellActive(cell.x-1, cell.y) +\n cellActive(cell.x-1, cell.y-1);\n\n let index = cellIndex(cell.xy);\n\n switch activeNeighbors {\n // cells that have 2 neighbors stay dead/alive\n case 2: {\n cellStateOut[index] = cellStateIn[index];\n }\n // cells that have 3 neighbors come alive\n case 3: {\n cellStateOut[index] = 1;\n }\n // all other cells die\n default: {\n cellStateOut[index] = 0;\n }\n }\n }\n `,\n });\n\n // create a bind group layout, which \"describes the layout of the bind groups that a pipeline expects\"\n const bindGroupLayout: GPUBindGroupLayout = this.gpuDevice.createBindGroupLayout({\n label: \"Cell Bind Group Layout\",\n entries: [{\n binding: 0,\n visibility: GPUShaderStage.VERTEX | GPUShaderStage.COMPUTE | GPUShaderStage.FRAGMENT,\n buffer: {\n type: \"uniform\", // grid uniform buffer\n },\n }, {\n binding: 1,\n visibility: GPUShaderStage.VERTEX | GPUShaderStage.COMPUTE,\n buffer: {\n type: \"read-only-storage\", // cell state input buffer\n },\n }, {\n binding: 2,\n visibility: GPUShaderStage.COMPUTE,\n buffer: {\n type: \"storage\", // cell state output buffer\n },\n }],\n });\n\n // create a pipeline layout, which \"describes the layout of the bind groups that a pipeline expects\"\n const pipelineLayout: GPUPipelineLayout = this.gpuDevice.createPipelineLayout({\n label: \"Cell pipeline layout\",\n bindGroupLayouts: [bindGroupLayout],\n });\n\n // create a render pipeline, which \"controls how geometry is drawn, which shaders are used,\n // how vertex buffer data is interpreted, which kind of geometry is rendered (points, lines, triangles), etc\"\n this.cellRenderPipeline = this.gpuDevice.createRenderPipeline({\n label: \"Cell pipeline\",\n layout: pipelineLayout,\n vertex: {\n module: cellShaderModule,\n entryPoint: \"vertexMain\",\n buffers: [vertexBufferLayout],\n },\n fragment: {\n module: cellShaderModule,\n entryPoint: \"fragmentMain\",\n targets: [{\n format: gpuTextureFormat,\n }],\n },\n });\n\n // create a compute pipeline, which \"controls how compute operations are executed\"\n this.simulationPipeline = this.gpuDevice.createComputePipeline({\n label: \"Simulation pipeline\",\n layout: pipelineLayout,\n compute: {\n module: simulationShaderModule,\n entryPoint: \"computeMain\",\n },\n });\n\n // create a bind group, which is a \"collection of resources that you want to make accessible to a shader\"\n this.bindGroups = [\n this.gpuDevice.createBindGroup({\n label: \"Cell renderer bind group 1\",\n layout: bindGroupLayout,\n entries: [{\n binding: 0,\n resource: {\n buffer: uniformBuffer,\n },\n }, {\n binding: 1,\n resource: {\n buffer: cellStateStorage[0],\n },\n }, {\n binding: 2,\n resource: {\n buffer: cellStateStorage[1],\n },\n }],\n }),\n this.gpuDevice.createBindGroup({\n label: \"Cell renderer bind group 2\",\n layout: bindGroupLayout,\n entries: [{\n binding: 0,\n resource: {\n buffer: uniformBuffer,\n },\n }, {\n binding: 1,\n resource: {\n buffer: cellStateStorage[1],\n },\n }, {\n binding: 2,\n resource: {\n buffer: cellStateStorage[0],\n },\n }],\n }),\n ];\n\n // schedule the simulation to run\n this.updateGrid.bind(this);\n this.intervalId = setInterval(this.updateGrid.bind(this), this.UPDATE_INTERVAL_MILLISECONDS);\n }\n\n updateGrid(): void {\n if (this.gpuDevice === null) {\n throw Error(\"GPU Device is null.\");\n }\n if (this.gpuCanvasContext === null) {\n throw Error(\"GPU Canvas Context is null.\");\n }\n if (this.cellRenderPipeline === null) {\n throw Error(\"Cell Render Pipeline is null.\");\n }\n if (this.simulationPipeline === null) {\n throw Error(\"Simulation Pipeline is null.\");\n }\n if (this.bindGroups === null) {\n throw Error(\"Bind Groups is null.\");\n }\n if (this.vertexBuffer === null) {\n throw Error(\"Vertex Buffer is null.\");\n }\n\n // create an encoder, which \"provides a way to record commands for the GPU to execute\"\n const gpuCommandEncoder: GPUCommandEncoder = this.gpuDevice.createCommandEncoder();\n\n // create a compute pass, which is \"where all compute operations in WebGPU happen\"\n const gpuComputePassEncoder: GPUComputePassEncoder = gpuCommandEncoder.beginComputePass();\n gpuComputePassEncoder.setPipeline(this.simulationPipeline);\n gpuComputePassEncoder.setBindGroup(0, this.bindGroups[this.step % 2]);\n\n // set the workgroup size\n const workgroupCount: number = Math.ceil(this.GRID_SIZE / this.WORKGROUP_SIZE);\n gpuComputePassEncoder.dispatchWorkgroups(workgroupCount, workgroupCount, 1);\n\n // end the compute pass\n gpuComputePassEncoder.end();\n\n // update the step between passes\n // (so that the output buffer of the compute pipeline becomes the input buffer for the render pipeline)\n this.step++;\n if (this.step === 2) {\n this.step = 0;\n }\n\n // creat a render pass, which is \"where all drawing operations in WebGPU happen\";\n const gpuRenderPassEncoder: GPURenderPassEncoder = gpuCommandEncoder.beginRenderPass({\n colorAttachments: [\n {\n view: this.gpuCanvasContext.getCurrentTexture().createView(),\n loadOp: \"clear\", // indicates \"texture should be cleared when render pass starts\"\n clearValue: { r: 0.0, g: 0.0, b: 0.0, a: 1.0 }, // change clear color (values must be between 0.0-1.0)\n storeOp: \"store\", // indicates \"save results of all drawing done during render pass to the texture\"\n },\n ],\n });\n gpuRenderPassEncoder.setPipeline(this.cellRenderPipeline);\n gpuRenderPassEncoder.setBindGroup(0, this.bindGroups[this.step % 2]); // slot 0 is the first index of GPURenderPipeline.layout.bindGroupLayouts\n\n // draw the square\n gpuRenderPassEncoder.setVertexBuffer(0, this.vertexBuffer); // slot 0 is the first index of GPURenderPipeline.vertex.buffers\n gpuRenderPassEncoder.draw(\n this.vertexBuffer.size / 4 / 2, // 4 bytes per float, 2 floats per vertex\n this.GRID_SIZE * this.GRID_SIZE,\n );\n\n // end the render pass\n gpuRenderPassEncoder.end();\n\n // get access to a command buffer, which is an \"opaque handle to the recorded commands\"\n // submit the command buffer to the GPU Device\n // (once a command buffer is submitted, it cannot be used again)\n this.gpuDevice.queue.submit([gpuCommandEncoder.finish()]);\n }\n\n initCanvas(): GPUCanvasContext {\n const canvas: HTMLElement | null = document.getElementById(\"webgpu-canvas\");\n if (canvas === null) {\n throw Error(\"Failed to get canvas.\");\n }\n if (!(canvas instanceof HTMLCanvasElement)) {\n throw Error(\"Canvas was unexpectedly not an HTMLCanvasElement.\");\n }\n\n // handle hdpi\n const devicePixelRatio: number = globalThis.devicePixelRatio;\n canvas.width = this.WIDTH * devicePixelRatio;\n canvas.height = this.HEIGHT * devicePixelRatio;\n\n const gpuCanvasContext: GPUCanvasContext = canvas.getContext(\"webgpu\");\n if (gpuCanvasContext === null) {\n alert(\"WebGPU not supported on this browser. Please try Google Chrome!\");\n throw Error(\"Failed to get GPU Canvas Context. WebGPU not supported on this browser. Please try Google Chrome!\");\n }\n return gpuCanvasContext;\n }\n\n setTickTimeout(valueString: string): void {\n // convert from string to number\n let valueNumber: number = parseInt(valueString, 10);\n\n // enforce bounds\n if (valueNumber < 1) {\n valueNumber = 1;\n }\n if (valueNumber > 5) {\n valueNumber = 5;\n }\n\n // convert value to milliseconds\n switch (valueNumber) {\n case 1:\n valueNumber = 4;\n break;\n case 2:\n valueNumber = 16;\n break;\n case 3:\n valueNumber = 64;\n break;\n case 4:\n valueNumber = 256;\n break;\n case 5:\n valueNumber = 1024;\n break;\n }\n\n // update the game's tick timeout\n this.UPDATE_INTERVAL_MILLISECONDS = valueNumber;\n\n // clear the current interval\n if (this.intervalId !== null) {\n clearInterval(this.intervalId);\n }\n\n // schedule the simulation to run\n this.updateGrid.bind(this);\n this.intervalId = setInterval(this.updateGrid.bind(this), this.UPDATE_INTERVAL_MILLISECONDS);\n }\n}\n"], "mappings": "AAAA,SAAS,iBAAiB,mBAAoB,SAA2B,CACvE,IAAMA,EAAa,IAAIC,EACvB,MAAMD,EAAK,KAAK,EAEhBE,EAAqBF,CAAI,EACzBG,EAAoBH,CAAI,EACxBI,EAAgBJ,CAAI,EACpBK,EAAsBL,CAAI,CAC5B,CAAC,EAED,SAASE,EAAqBF,EAAkB,CAC9C,IAAMM,EAAoC,SAAS,eAAe,kBAAkB,EACpF,GAAI,EAAEA,aAAyB,mBAAoB,CACjD,QAAQ,MAAM,kEAAkE,OAAOA,CAAa,GAAG,EACvG,MACF,CAGAA,EAAc,iBAAiB,QAAS,MAAOC,GAAgC,CAC7E,IAAMC,EAAkCD,EAAM,OAC9C,GAAI,EAAEC,aAAuB,mBAAoB,CAC/C,QAAQ,MAAM,kEAAkE,OAAOA,CAAW,GAAG,EACrG,MACF,CAGA,IAAMC,EAAmB,SAASD,EAAY,MAAO,EAAE,EAGvD,MAAMR,EAAK,MAAMS,CAAQ,CAC3B,CAAC,CACH,CAEA,SAASN,EAAoBH,EAAkB,CAC7C,IAAMU,EAAsC,SAAS,eAAe,mBAAmB,EACvF,GAAI,EAAEA,aAA2B,sBAAuB,CACtD,QAAQ,MAAM,oEAAoE,OAAOA,CAAe,GAAG,EAC3G,MACF,CAEAA,EAAgB,iBAAiB,QAAS,IAAY,CAChDA,EAAgB,cAAgB,eAClCA,EAAgB,YAAc,eAE9BA,EAAgB,YAAc,eAEhCV,EAAK,UAAU,CACjB,CAAC,CACH,CAEA,SAASI,EAAgBJ,EAAkB,CACzC,IAAMW,EAAkC,SAAS,eAAe,cAAc,EAC9E,GAAI,EAAEA,aAAuB,mBAAoB,CAC/C,QAAQ,MAAM,+DAA+D,OAAOA,CAAW,GAAG,EAClG,MACF,CAEAA,EAAY,iBAAiB,QAAS,SAA2B,CAC/D,MAAMX,EAAK,MAAM,CACnB,CAAC,CACH,CAEA,SAASK,EAAsBL,EAAkB,CAC/C,IAAMY,EAAuC,SAAS,eAAe,oBAAoB,EACzF,GAAI,EAAEA,aAA4B,kBAAmB,CACnD,QAAQ,MAAM,oEAAoE,OAAOA,CAAgB,GAAG,EAC5G,MACF,CAGAZ,EAAK,eAAeY,EAAiB,KAAK,EAG1CA,EAAiB,iBAAiB,QAAUL,GAAuB,CACjE,IAAMC,EAAkCD,EAAM,OAC9C,GAAI,EAAEC,aAAuB,kBAAmB,CAC9C,QAAQ,MAAM,oEAAoE,OAAOA,CAAW,GAAG,EACvG,MACF,CAGAR,EAAK,eAAeQ,EAAY,KAAK,CACvC,CAAC,CACH,CAEA,IAAMP,EAAN,KAAW,CAEA,aAAuB,GAAK,EAC5B,MAAgB,KAChB,OAAiB,KAAK,MAAQ,KAAK,aAG5C,UAAoB,GAGpB,6BAAuC,GACvC,KAAe,EACf,WAA4B,KAG5B,UAA8B,KAC9B,iBAA4C,KAC5C,mBAA+C,KAC/C,mBAAgD,KAChD,WAAoC,KACpC,aAAiC,KACxB,eAAyB,EAElC,MAAM,MAAMQ,EAA0B,KAAqB,CAErD,KAAK,aAAe,OACtB,cAAc,KAAK,UAAU,EAC7B,KAAK,WAAa,MAEpB,KAAK,KAAO,EAGR,KAAK,YAAc,OACrB,KAAK,UAAU,QAAQ,EACvB,KAAK,UAAY,MAEf,KAAK,mBAAqB,OAC5B,KAAK,iBAAiB,YAAY,EAClC,KAAK,iBAAmB,MAE1B,KAAK,mBAAqB,KAC1B,KAAK,mBAAqB,KAC1B,KAAK,WAAa,KACd,KAAK,eAAiB,OACxB,KAAK,aAAa,QAAQ,EAC1B,KAAK,aAAe,MAIlBA,IAAa,OACf,KAAK,UAAYA,GAInB,MAAM,KAAK,KAAK,CAClB,CAEA,WAAkB,CACZ,KAAK,aAAe,MACtB,KAAK,WAAW,KAAK,IAAI,EACzB,KAAK,WAAa,YAAY,KAAK,WAAW,KAAK,IAAI,EAAG,KAAK,4BAA4B,IAE3F,cAAc,KAAK,UAAU,EAC7B,KAAK,WAAa,KAEtB,CAEA,MAAM,MAAsB,CAM1B,GAAI,CAAC,UAAU,IACb,YAAM,iEAAiE,EACjE,MAAM,iEAAiE,EAI/E,IAAMI,EAAgC,MAAM,UAAU,IAAI,eAAe,EACzE,GAAIA,IAAe,KACjB,YAAM,iEAAiE,EACjE,MAAM,4FAA4F,EAI1G,KAAK,UAAY,MAAMA,EAAW,cAAc,EAGhD,KAAK,iBAAmB,KAAK,WAAW,EACxC,IAAMC,EAAqC,UAAU,IAAI,yBAAyB,EAClF,KAAK,iBAAiB,UAAU,CAC9B,OAAQ,KAAK,UACb,OAAQA,EACR,MAAO,KAAK,MACZ,OAAQ,KAAK,MACf,CAAC,EAOD,IAAMC,EAA8B,IAAI,YAAY,KAAK,UAAY,KAAK,SAAS,EAC7EC,EAAgC,CACpC,KAAK,UAAU,aAAa,CAC1B,MAAO,eACP,KAAMD,EAAe,WACrB,MAAO,eAAe,QAAU,eAAe,QACjD,CAAC,EACD,KAAK,UAAU,aAAa,CAC1B,MAAO,eACP,KAAMA,EAAe,WACrB,MAAO,eAAe,QAAU,eAAe,QACjD,CAAC,CACH,EAIA,QAASE,EAAY,EAAGA,EAAIF,EAAe,OAAQE,IACjDF,EAAeE,CAAC,EAAI,KAAK,OAAO,EAAI,GAAM,EAAI,EAEhD,KAAK,UAAU,MAAM,YAAYD,EAAiB,CAAC,EAAG,EAAGD,CAAc,EAIvE,IAAMG,EAA6B,IAAI,aAAa,CAAC,KAAK,UAAW,KAAK,SAAS,CAAC,EAC9EC,EAA2B,KAAK,UAAU,aAAa,CAC3D,MAAO,gBACP,KAAMD,EAAa,WACnB,MAAO,eAAe,QAAU,eAAe,QACjD,CAAC,EACD,KAAK,UAAU,MAAM,YAAYC,EAAe,EAAGD,CAAY,EAI/D,IAAME,EAAyB,IAAI,aAAa,CAK9C,IAAM,IACN,GAAK,IACL,GAAK,GAEL,IAAM,IACN,GAAK,GACL,IAAM,EAmCR,EAAE,IAAI,CAACC,EAAeC,IAKbD,CACR,CAAC,EACF,KAAK,aAAe,KAAK,UAAU,aAAa,CAC9C,MAAO,gBACP,KAAMD,EAAS,WACf,MAAO,eAAe,OAAS,eAAe,QAChD,CAAC,EACD,KAAK,UAAU,MAAM,YAAY,KAAK,aAAc,EAAGA,CAAQ,EAG/D,IAAMG,EAGF,CACF,YAAa,EAAgB,EAC7B,WAAY,CAAC,CACX,OAAQ,YACR,OAAQ,EACR,eAAgB,CAClB,CAAC,CACH,EAGMC,EAAoC,KAAK,UAAU,mBAAmB,CAC1E,MAAO,cACP,KAAM;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OA0CR,CAAC,EAGKC,EAA0C,KAAK,UAAU,mBAAmB,CAChF,MAAO,oBACP,KAAM;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,wBAeY,KAAK,cAAc,KAAK,KAAK,cAAc;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OA6B/D,CAAC,EAGKC,EAAsC,KAAK,UAAU,sBAAsB,CAC/E,MAAO,yBACP,QAAS,CAAC,CACR,QAAS,EACT,WAAY,eAAe,OAAS,eAAe,QAAU,eAAe,SAC5E,OAAQ,CACN,KAAM,SACR,CACF,EAAG,CACD,QAAS,EACT,WAAY,eAAe,OAAS,eAAe,QACnD,OAAQ,CACN,KAAM,mBACR,CACF,EAAG,CACD,QAAS,EACT,WAAY,eAAe,QAC3B,OAAQ,CACN,KAAM,SACR,CACF,CAAC,CACH,CAAC,EAGKC,EAAoC,KAAK,UAAU,qBAAqB,CAC5E,MAAO,uBACP,iBAAkB,CAACD,CAAe,CACpC,CAAC,EAID,KAAK,mBAAqB,KAAK,UAAU,qBAAqB,CAC5D,MAAO,gBACP,OAAQC,EACR,OAAQ,CACN,OAAQH,EACR,WAAY,aACZ,QAAS,CAACD,CAAkB,CAC9B,EACA,SAAU,CACR,OAAQC,EACR,WAAY,eACZ,QAAS,CAAC,CACR,OAAQV,CACV,CAAC,CACH,CACF,CAAC,EAGD,KAAK,mBAAqB,KAAK,UAAU,sBAAsB,CAC7D,MAAO,sBACP,OAAQa,EACR,QAAS,CACP,OAAQF,EACR,WAAY,aACd,CACF,CAAC,EAGD,KAAK,WAAa,CAChB,KAAK,UAAU,gBAAgB,CAC7B,MAAO,6BACP,OAAQC,EACR,QAAS,CAAC,CACR,QAAS,EACT,SAAU,CACR,OAAQP,CACV,CACF,EAAG,CACD,QAAS,EACT,SAAU,CACR,OAAQH,EAAiB,CAAC,CAC5B,CACF,EAAG,CACD,QAAS,EACT,SAAU,CACR,OAAQA,EAAiB,CAAC,CAC5B,CACF,CAAC,CACH,CAAC,EACD,KAAK,UAAU,gBAAgB,CAC7B,MAAO,6BACP,OAAQU,EACR,QAAS,CAAC,CACR,QAAS,EACT,SAAU,CACR,OAAQP,CACV,CACF,EAAG,CACD,QAAS,EACT,SAAU,CACR,OAAQH,EAAiB,CAAC,CAC5B,CACF,EAAG,CACD,QAAS,EACT,SAAU,CACR,OAAQA,EAAiB,CAAC,CAC5B,CACF,CAAC,CACH,CAAC,CACH,EAGA,KAAK,WAAW,KAAK,IAAI,EACzB,KAAK,WAAa,YAAY,KAAK,WAAW,KAAK,IAAI,EAAG,KAAK,4BAA4B,CAC7F,CAEA,YAAmB,CACjB,GAAI,KAAK,YAAc,KACrB,MAAM,MAAM,qBAAqB,EAEnC,GAAI,KAAK,mBAAqB,KAC5B,MAAM,MAAM,6BAA6B,EAE3C,GAAI,KAAK,qBAAuB,KAC9B,MAAM,MAAM,+BAA+B,EAE7C,GAAI,KAAK,qBAAuB,KAC9B,MAAM,MAAM,8BAA8B,EAE5C,GAAI,KAAK,aAAe,KACtB,MAAM,MAAM,sBAAsB,EAEpC,GAAI,KAAK,eAAiB,KACxB,MAAM,MAAM,wBAAwB,EAItC,IAAMY,EAAuC,KAAK,UAAU,qBAAqB,EAG3EC,EAA+CD,EAAkB,iBAAiB,EACxFC,EAAsB,YAAY,KAAK,kBAAkB,EACzDA,EAAsB,aAAa,EAAG,KAAK,WAAW,KAAK,KAAO,CAAC,CAAC,EAGpE,IAAMC,EAAyB,KAAK,KAAK,KAAK,UAAY,KAAK,cAAc,EAC7ED,EAAsB,mBAAmBC,EAAgBA,EAAgB,CAAC,EAG1ED,EAAsB,IAAI,EAI1B,KAAK,OACD,KAAK,OAAS,IAChB,KAAK,KAAO,GAId,IAAME,EAA6CH,EAAkB,gBAAgB,CACnF,iBAAkB,CAChB,CACE,KAAM,KAAK,iBAAiB,kBAAkB,EAAE,WAAW,EAC3D,OAAQ,QACR,WAAY,CAAE,EAAG,EAAK,EAAG,EAAK,EAAG,EAAK,EAAG,CAAI,EAC7C,QAAS,OACX,CACF,CACF,CAAC,EACDG,EAAqB,YAAY,KAAK,kBAAkB,EACxDA,EAAqB,aAAa,EAAG,KAAK,WAAW,KAAK,KAAO,CAAC,CAAC,EAGnEA,EAAqB,gBAAgB,EAAG,KAAK,YAAY,EACzDA,EAAqB,KACnB,KAAK,aAAa,KAAO,EAAI,EAC7B,KAAK,UAAY,KAAK,SACxB,EAGAA,EAAqB,IAAI,EAKzB,KAAK,UAAU,MAAM,OAAO,CAACH,EAAkB,OAAO,CAAC,CAAC,CAC1D,CAEA,YAA+B,CAC7B,IAAMI,EAA6B,SAAS,eAAe,eAAe,EAC1E,GAAIA,IAAW,KACb,MAAM,MAAM,uBAAuB,EAErC,GAAI,EAAEA,aAAkB,mBACtB,MAAM,MAAM,mDAAmD,EAIjE,IAAMC,EAA2B,WAAW,iBAC5CD,EAAO,MAAQ,KAAK,MAAQC,EAC5BD,EAAO,OAAS,KAAK,OAASC,EAE9B,IAAMC,EAAqCF,EAAO,WAAW,QAAQ,EACrE,GAAIE,IAAqB,KACvB,YAAM,iEAAiE,EACjE,MAAM,mGAAmG,EAEjH,OAAOA,CACT,CAEA,eAAeC,EAA2B,CAExC,IAAIC,EAAsB,SAASD,EAAa,EAAE,EAWlD,OARIC,EAAc,IAChBA,EAAc,GAEZA,EAAc,IAChBA,EAAc,GAIRA,EAAa,CACnB,IAAK,GACHA,EAAc,EACd,MACF,IAAK,GACHA,EAAc,GACd,MACF,IAAK,GACHA,EAAc,GACd,MACF,IAAK,GACHA,EAAc,IACd,MACF,IAAK,GACHA,EAAc,KACd,KACJ,CAGA,KAAK,6BAA+BA,EAGhC,KAAK,aAAe,MACtB,cAAc,KAAK,UAAU,EAI/B,KAAK,WAAW,KAAK,IAAI,EACzB,KAAK,WAAa,YAAY,KAAK,WAAW,KAAK,IAAI,EAAG,KAAK,4BAA4B,CAC7F,CACF", "names": ["game", "Game", "initGridSizeDropdown", "initPlayPauseButton", "initResetButton", "initTickTimeoutSlider", "inputGridSize", "event", "eventTarget", "gridSize", "buttonPlayPause", "buttonReset", "inputTickTimeout", "gpuAdapter", "gpuTextureFormat", "cellStateArray", "cellStateStorage", "i", "uniformArray", "uniformBuffer", "vertices", "value", "_index", "vertexBufferLayout", "cellShaderModule", "simulationShaderModule", "bindGroupLayout", "pipelineLayout", "gpuCommandEncoder", "gpuComputePassEncoder", "workgroupCount", "gpuRenderPassEncoder", "canvas", "devicePixelRatio", "gpuCanvasContext", "valueString", "valueNumber"] }