@rings-webgpu/core 1.0.28 → 1.0.30

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -25246,9 +25246,9 @@ let PointCloudShader = class extends Shader {
25246
25246
  pass.passType = PassType.COLOR;
25247
25247
  pass.setShaderEntry("VertMain", "FragMain");
25248
25248
  pass.topology = GPUPrimitiveTopology.triangle_list;
25249
- pass.depthWriteEnabled = false;
25249
+ pass.depthWriteEnabled = true;
25250
25250
  pass.cullMode = GPUCullMode.none;
25251
- pass.shaderState.transparent = true;
25251
+ pass.shaderState.transparent = false;
25252
25252
  pass.shaderState.blendMode = BlendMode.NORMAL;
25253
25253
  pass.shaderState.writeMasks = [15, 15];
25254
25254
  pass.shaderState.castReflection = false;
@@ -39799,7 +39799,10 @@ class FeatureTable {
39799
39799
  buffer;
39800
39800
  binOffset;
39801
39801
  binLength;
39802
- header;
39802
+ _header;
39803
+ get header() {
39804
+ return this._header;
39805
+ }
39803
39806
  constructor(buffer, start, headerLength, binLength) {
39804
39807
  this.buffer = buffer;
39805
39808
  this.binOffset = start + headerLength;
@@ -39811,13 +39814,13 @@ class FeatureTable {
39811
39814
  } else {
39812
39815
  header = {};
39813
39816
  }
39814
- this.header = header;
39817
+ this._header = header;
39815
39818
  }
39816
39819
  getKeys() {
39817
- return Object.keys(this.header);
39820
+ return Object.keys(this._header);
39818
39821
  }
39819
39822
  getData(key, count, defaultComponentType = null, defaultType = null) {
39820
- const header = this.header;
39823
+ const header = this._header;
39821
39824
  if (!(key in header)) {
39822
39825
  return null;
39823
39826
  }
@@ -39899,7 +39902,7 @@ class FeatureTable {
39899
39902
  }
39900
39903
  destroy() {
39901
39904
  this.buffer = null;
39902
- this.header = null;
39905
+ this._header = null;
39903
39906
  this.binOffset = null;
39904
39907
  this.binLength = null;
39905
39908
  }
@@ -42143,7 +42146,7 @@ class PostProcessingComponent extends ComponentBase {
42143
42146
  }
42144
42147
  }
42145
42148
 
42146
- const version = "1.0.27";
42149
+ const version = "1.0.29";
42147
42150
 
42148
42151
  class Engine3D {
42149
42152
  /**
@@ -61288,6 +61291,276 @@ class PlyParser extends ParserBase {
61288
61291
  }
61289
61292
  }
61290
61293
 
61294
+ class PNTSLoaderBase {
61295
+ async parse(buffer) {
61296
+ const dataView = new DataView(buffer);
61297
+ const magic = readMagicBytes(dataView);
61298
+ console.assert(magic === "pnts");
61299
+ const version = dataView.getUint32(4, true);
61300
+ console.assert(version === 1);
61301
+ const byteLength = dataView.getUint32(8, true);
61302
+ console.assert(byteLength === buffer.byteLength);
61303
+ const featureTableJSONByteLength = dataView.getUint32(12, true);
61304
+ const featureTableBinaryByteLength = dataView.getUint32(16, true);
61305
+ const batchTableJSONByteLength = dataView.getUint32(20, true);
61306
+ const batchTableBinaryByteLength = dataView.getUint32(24, true);
61307
+ const featureTableStart = 28;
61308
+ const featureTable = new FeatureTable(
61309
+ buffer,
61310
+ featureTableStart,
61311
+ featureTableJSONByteLength,
61312
+ featureTableBinaryByteLength
61313
+ );
61314
+ const batchTableStart = featureTableStart + featureTableJSONByteLength + featureTableBinaryByteLength;
61315
+ const pointsLength = featureTable.header.POINTS_LENGTH || 0;
61316
+ const batchTable = new BatchTable(
61317
+ buffer,
61318
+ pointsLength,
61319
+ batchTableStart,
61320
+ batchTableJSONByteLength,
61321
+ batchTableBinaryByteLength
61322
+ );
61323
+ return {
61324
+ version,
61325
+ featureTable,
61326
+ batchTable
61327
+ };
61328
+ }
61329
+ }
61330
+
61331
+ class PNTSLoader extends PNTSLoaderBase {
61332
+ async parse(buffer) {
61333
+ const pnts = await super.parse(buffer);
61334
+ const { featureTable, batchTable } = pnts;
61335
+ const pointsLength = featureTable.header.POINTS_LENGTH;
61336
+ if (!pointsLength || pointsLength <= 0) {
61337
+ throw new Error("PNTSLoader: POINTS_LENGTH must be defined and greater than zero");
61338
+ }
61339
+ const extensions = featureTable.header.extensions;
61340
+ const dracoExtension = extensions?.["3DTILES_draco_point_compression"];
61341
+ let positions;
61342
+ let colors;
61343
+ if (dracoExtension) {
61344
+ const dracoData = await this.parseDraco(
61345
+ featureTable,
61346
+ dracoExtension,
61347
+ pointsLength
61348
+ );
61349
+ positions = dracoData.positions;
61350
+ colors = dracoData.colors;
61351
+ dracoData.normals;
61352
+ } else {
61353
+ positions = this.parsePositions(featureTable, pointsLength);
61354
+ colors = this.parseColors(featureTable, pointsLength);
61355
+ this.parseNormals(featureTable, pointsLength);
61356
+ }
61357
+ const pointCloudObj = new Object3D();
61358
+ const renderer = pointCloudObj.addComponent(PointCloudRenderer);
61359
+ renderer.initFromData(positions, colors, pointsLength);
61360
+ renderer.setPointShape("circle");
61361
+ renderer.setPointSize(4);
61362
+ const rtcCenter = featureTable.getData("RTC_CENTER", 1, "FLOAT", "VEC3");
61363
+ if (rtcCenter) {
61364
+ pointCloudObj.transform.localPosition.set(
61365
+ rtcCenter[0],
61366
+ rtcCenter[1],
61367
+ rtcCenter[2]
61368
+ );
61369
+ }
61370
+ pointCloudObj["batchTable"] = batchTable;
61371
+ pointCloudObj["featureTable"] = featureTable;
61372
+ return pointCloudObj;
61373
+ }
61374
+ parsePositions(featureTable, pointsLength) {
61375
+ let positions = featureTable.getData(
61376
+ "POSITION",
61377
+ pointsLength,
61378
+ "FLOAT",
61379
+ "VEC3"
61380
+ );
61381
+ if (positions) {
61382
+ return positions;
61383
+ }
61384
+ const quantized = featureTable.getData(
61385
+ "POSITION_QUANTIZED",
61386
+ pointsLength,
61387
+ "UNSIGNED_SHORT",
61388
+ "VEC3"
61389
+ );
61390
+ if (!quantized) {
61391
+ throw new Error(
61392
+ "PNTSLoader: Either POSITION or POSITION_QUANTIZED must be defined"
61393
+ );
61394
+ }
61395
+ const scale = featureTable.getData(
61396
+ "QUANTIZED_VOLUME_SCALE",
61397
+ 1,
61398
+ "FLOAT",
61399
+ "VEC3"
61400
+ );
61401
+ const offset = featureTable.getData(
61402
+ "QUANTIZED_VOLUME_OFFSET",
61403
+ 1,
61404
+ "FLOAT",
61405
+ "VEC3"
61406
+ );
61407
+ if (!scale || !offset) {
61408
+ throw new Error(
61409
+ "PNTSLoader: QUANTIZED_VOLUME_SCALE and QUANTIZED_VOLUME_OFFSET must be defined for quantized positions"
61410
+ );
61411
+ }
61412
+ const decoded = new Float32Array(pointsLength * 3);
61413
+ const quantizedRange = 65535;
61414
+ for (let i = 0; i < pointsLength; i++) {
61415
+ const idx = i * 3;
61416
+ decoded[idx + 0] = quantized[idx + 0] / quantizedRange * scale[0] + offset[0];
61417
+ decoded[idx + 1] = quantized[idx + 1] / quantizedRange * scale[1] + offset[1];
61418
+ decoded[idx + 2] = quantized[idx + 2] / quantizedRange * scale[2] + offset[2];
61419
+ }
61420
+ return decoded;
61421
+ }
61422
+ parseColors(featureTable, pointsLength) {
61423
+ let colors = featureTable.getData(
61424
+ "RGBA",
61425
+ pointsLength,
61426
+ "UNSIGNED_BYTE",
61427
+ "VEC4"
61428
+ );
61429
+ if (colors) {
61430
+ return colors;
61431
+ }
61432
+ const rgb = featureTable.getData(
61433
+ "RGB",
61434
+ pointsLength,
61435
+ "UNSIGNED_BYTE",
61436
+ "VEC3"
61437
+ );
61438
+ if (rgb) {
61439
+ const rgba2 = new Uint8Array(pointsLength * 4);
61440
+ for (let i = 0; i < pointsLength; i++) {
61441
+ const rgbIdx = i * 3;
61442
+ const rgbaIdx = i * 4;
61443
+ rgba2[rgbaIdx + 0] = rgb[rgbIdx + 0];
61444
+ rgba2[rgbaIdx + 1] = rgb[rgbIdx + 1];
61445
+ rgba2[rgbaIdx + 2] = rgb[rgbIdx + 2];
61446
+ rgba2[rgbaIdx + 3] = 255;
61447
+ }
61448
+ return rgba2;
61449
+ }
61450
+ const rgb565 = featureTable.getData(
61451
+ "RGB565",
61452
+ pointsLength,
61453
+ "UNSIGNED_SHORT",
61454
+ "SCALAR"
61455
+ );
61456
+ if (rgb565) {
61457
+ const rgba2 = new Uint8Array(pointsLength * 4);
61458
+ for (let i = 0; i < pointsLength; i++) {
61459
+ const decoded = this.decodeRGB565(rgb565[i]);
61460
+ const idx = i * 4;
61461
+ rgba2[idx + 0] = decoded[0];
61462
+ rgba2[idx + 1] = decoded[1];
61463
+ rgba2[idx + 2] = decoded[2];
61464
+ rgba2[idx + 3] = 255;
61465
+ }
61466
+ return rgba2;
61467
+ }
61468
+ const constantRGBA = featureTable.getData(
61469
+ "CONSTANT_RGBA",
61470
+ 1,
61471
+ "UNSIGNED_BYTE",
61472
+ "VEC4"
61473
+ );
61474
+ if (constantRGBA) {
61475
+ const rgba2 = new Uint8Array(pointsLength * 4);
61476
+ for (let i = 0; i < pointsLength; i++) {
61477
+ const idx = i * 4;
61478
+ rgba2[idx + 0] = constantRGBA[0];
61479
+ rgba2[idx + 1] = constantRGBA[1];
61480
+ rgba2[idx + 2] = constantRGBA[2];
61481
+ rgba2[idx + 3] = constantRGBA[3];
61482
+ }
61483
+ return rgba2;
61484
+ }
61485
+ const rgba = new Uint8Array(pointsLength * 4);
61486
+ rgba.fill(255);
61487
+ return rgba;
61488
+ }
61489
+ parseNormals(featureTable, pointsLength) {
61490
+ let normals = featureTable.getData(
61491
+ "NORMAL",
61492
+ pointsLength,
61493
+ "FLOAT",
61494
+ "VEC3"
61495
+ );
61496
+ if (normals) {
61497
+ return normals;
61498
+ }
61499
+ const octNormals = featureTable.getData(
61500
+ "NORMAL_OCT16P",
61501
+ pointsLength,
61502
+ "UNSIGNED_BYTE",
61503
+ "VEC2"
61504
+ );
61505
+ if (octNormals) {
61506
+ return this.decodeOctNormals(octNormals, pointsLength);
61507
+ }
61508
+ return null;
61509
+ }
61510
+ decodeRGB565(value) {
61511
+ const r = (value >> 11 & 31) << 3;
61512
+ const g = (value >> 5 & 63) << 2;
61513
+ const b = (value & 31) << 3;
61514
+ return [r, g, b];
61515
+ }
61516
+ decodeOctNormals(octNormals, pointsLength) {
61517
+ const normals = new Float32Array(pointsLength * 3);
61518
+ for (let i = 0; i < pointsLength; i++) {
61519
+ const idx = i * 2;
61520
+ const x = octNormals[idx] / 255;
61521
+ const y = octNormals[idx + 1] / 255;
61522
+ const nx = x * 2 - 1;
61523
+ const ny = y * 2 - 1;
61524
+ const nz = 1 - Math.abs(nx) - Math.abs(ny);
61525
+ let tx, ty;
61526
+ if (nz < 0) {
61527
+ tx = (nx >= 0 ? 1 : -1) * (1 - Math.abs(ny));
61528
+ ty = (ny >= 0 ? 1 : -1) * (1 - Math.abs(nx));
61529
+ } else {
61530
+ tx = nx;
61531
+ ty = ny;
61532
+ }
61533
+ const length = Math.sqrt(tx * tx + ty * ty + nz * nz);
61534
+ const nidx = i * 3;
61535
+ normals[nidx + 0] = tx / length;
61536
+ normals[nidx + 1] = ty / length;
61537
+ normals[nidx + 2] = nz / length;
61538
+ }
61539
+ return normals;
61540
+ }
61541
+ async parseDraco(featureTable, dracoExtension, pointsLength) {
61542
+ throw new Error("Draco compression not yet implemented");
61543
+ }
61544
+ }
61545
+
61546
+ class PNTSParser extends ParserBase {
61547
+ static format = ParserFormat.BIN;
61548
+ async parseBuffer(buffer) {
61549
+ const loader = new PNTSLoader();
61550
+ const pntsRoot = await loader.parse(buffer);
61551
+ const pntsObj = new Object3D();
61552
+ pntsObj.name = "PNTS";
61553
+ pntsObj.addChild(pntsRoot);
61554
+ this.data = pntsObj;
61555
+ }
61556
+ verification() {
61557
+ if (this.data) {
61558
+ return true;
61559
+ }
61560
+ throw new Error("PNTSParser: Parse failed");
61561
+ }
61562
+ }
61563
+
61291
61564
  class PrefabBoneData {
61292
61565
  boneName;
61293
61566
  bonePath;
@@ -64394,9 +64667,9 @@ class TilesRenderer {
64394
64667
  const extension = getUrlExtension(uri);
64395
64668
  const fullUrl = url;
64396
64669
  let scene = null;
64670
+ const loader = new FileLoader();
64397
64671
  switch (extension.toLowerCase()) {
64398
- case "b3dm":
64399
- const loader = new FileLoader();
64672
+ case "b3dm": {
64400
64673
  const parser = await loader.load(fullUrl, B3DMParser, {
64401
64674
  onProgress: (e) => {
64402
64675
  },
@@ -64405,29 +64678,38 @@ class TilesRenderer {
64405
64678
  });
64406
64679
  scene = parser.data;
64407
64680
  break;
64408
- case "i3dm":
64409
- scene = await Engine3D.res.loadI3DM(
64410
- fullUrl,
64411
- {
64412
- onProgress: (e) => {
64413
- },
64414
- onComplete: (e) => {
64415
- }
64681
+ }
64682
+ case "i3dm": {
64683
+ const parser = await loader.load(fullUrl, I3DMParser, {
64684
+ onProgress: (e) => {
64685
+ },
64686
+ onComplete: (e) => {
64416
64687
  }
64417
- );
64688
+ });
64689
+ scene = parser.data;
64418
64690
  break;
64691
+ }
64419
64692
  case "glb":
64420
- case "gltf":
64421
- scene = await Engine3D.res.loadGltf(fullUrl, {
64693
+ case "gltf": {
64694
+ const parser = await loader.load(fullUrl, GLTFParser, {
64422
64695
  onProgress: (e) => {
64423
64696
  },
64424
64697
  onComplete: (e) => {
64425
64698
  }
64426
64699
  });
64700
+ scene = parser.data;
64427
64701
  break;
64428
- case "pnts":
64429
- console.warn("PNTS format not yet supported");
64702
+ }
64703
+ case "pnts": {
64704
+ const parser = await loader.load(fullUrl, PNTSParser, {
64705
+ onProgress: (e) => {
64706
+ },
64707
+ onComplete: (e) => {
64708
+ }
64709
+ });
64710
+ scene = parser.data;
64430
64711
  break;
64712
+ }
64431
64713
  case "json":
64432
64714
  {
64433
64715
  try {
@@ -70800,4 +71082,4 @@ const __viteBrowserExternal = /*#__PURE__*/Object.freeze(/*#__PURE__*/Object.def
70800
71082
  __proto__: null
70801
71083
  }, Symbol.toStringTag, { value: 'Module' }));
70802
71084
 
70803
- export { AccelerateDecelerateInterpolator, AccelerateInterpolator, AnimationCurve, AnimationCurveT, AnimationMonitor, AnimatorComponent, AnimatorEventKeyframe, AnticipateInterpolator, AnticipateOvershootInterpolator, ArrayHas, ArrayItemIndex, AtlasParser, AtmosphericComponent, AtmosphericScatteringSky, AtmosphericScatteringSkySetting, AtmosphericScatteringSky_shader, AttributeAnimCurve, AxisObject, B3DMLoader, B3DMLoaderBase, B3DMParseUtil, B3DMParser, BRDFLUT, BRDFLUTGenerate, BRDF_frag, BatchTable, BiMap, BillboardComponent, BillboardType, BitUtil, BitmapTexture2D, BitmapTexture2DArray, BitmapTextureCube, Blend, BlendFactor, BlendMode, BlendShapeData, BlendShapePropertyData, BloomPost, BlurEffectCreatorBlur_cs, BlurEffectCreatorSample_cs, BlurTexture2DBufferCreator, BounceInterpolator, BoundUtil, BoundingBox, BoundingSphere, BoundingVolume, BoxColliderShape, BoxGeometry, BrdfLut_frag, BsDF_frag, BxDF_frag, BxdfDebug_frag, BytesArray, CEvent, CEventDispatcher, CEventListener, CResizeEvent, CSM, Camera3D, CameraControllerBase, CameraType, CameraUtil, CapsuleColliderShape, CastPointShadowMaterialPass, CastShadowMaterialPass, Clearcoat_frag, ClusterBoundsSource_cs, ClusterConfig, ClusterDebug_frag, ClusterLight, ClusterLightingBuffer, ClusterLightingRender, ClusterLighting_cs, CollectInfo, ColliderComponent, ColliderShape, ColliderShapeType, Color, ColorGradient, ColorLitMaterial, ColorLitShader, ColorPassFragmentOutput, ColorPassRenderer, ColorUtil, ComData, Combine_cs, Common_frag, Common_vert, ComponentBase, ComponentCollect, ComputeGPUBuffer, ComputeShader, Context3D, CubeCamera, CubeMapFaceEnum, CubeSky_Shader, CubicBezierCurve, CubicBezierPath, CubicBezierType, CycleInterpolator, CylinderGeometry, DDGIIrradianceComputePass, DDGIIrradianceGPUBufferReader, DDGIIrradianceVolume, DDGIIrradiance_shader, DDGILightingPass, DDGILighting_shader, DDGIMultiBouncePass, DDGIProbeRenderer, DEGREES_TO_RADIANS, DRACO_DECODER_GLTF_JS, DecelerateInterpolator, Denoising_cs, Depth2DTextureArray, DepthCubeArrayTexture, DepthMaterialPass, DepthOfFieldPost, DepthOfView_cs, DirectLight, DoubleArray, EditorInspector, Engine3D, Entity, EntityBatchCollect, EntityCollect, EnvMap_frag, ErpImage2CubeMap, ErpImage2CubeMapCreateCube_cs, ErpImage2CubeMapRgbe2rgba_cs, ExtrudeGeometry, FAILED, FASTFLOOR, FXAAPost, FXAAShader, FastMathShader, FatLineGeometry, FatLineMaterial, FatLineRenderer, FatLineShader, FatLine_FS, FatLine_VS, FeatureTable, FileLoader, FirstPersonCameraController, Float16ArrayTexture, Float32ArrayTexture, FlyCameraController, FontChar, FontInfo, FontPage, FontParser, ForwardRenderJob, FragmentOutput, FragmentVarying, FrameCache, Frustum, FrustumCSM, FrustumCulling_cs, FullQuad_vert_wgsl, GBufferFrame, GBufferPass, GBufferPost, GBufferStand, GBuffer_pass, GILighting, GIProbeMaterial, GIProbeMaterialType, GIProbeShader, GIRenderCompleteEvent, GIRenderStartEvent, GLBChunk, GLBHeader, GLBParser, GLSLLexer, GLSLLexerToken, GLSLPreprocessor, GLSLSyntax, GLTFBinaryExtension, GLTFMaterial, GLTFParser, GLTFSubParser, GLTFSubParserCamera, GLTFSubParserConverter, GLTFSubParserMaterial, GLTFSubParserMesh, GLTFSubParserSkeleton, GLTFSubParserSkin, GLTFType, GLTF_Accessors, GLTF_Info, GLTF_Light, GLTF_Mesh, GLTF_Node, GLTF_Primitives, GLTF_Scene, GPUAddressMode, GPUBlendFactor, GPUBufferBase, GPUBufferType, GPUCompareFunction, GPUContext, GPUCullMode, GPUFilterMode, GPUPrimitiveTopology, GPUTextureFormat, GPUVertexFormat, GPUVertexStepMode, GSplatFormat, GSplatGeometry, GSplatMaterial, GSplatRenderer, GSplatShader, GSplat_FS, GSplat_VS, GTAOPost, GTAO_cs, GUIAtlasTexture, GUICanvas, GUIConfig, GUIGeometry, GUIGeometryRebuild, GUIMaterial, GUIPassRenderer, GUIPick, GUIPickHelper, GUIQuad, GUIQuadAttrEnum, GUIRenderer, GUIShader, GUISpace, GUISprite, GUITexture, GaussianSplatParser, GenerayRandomDir, GeoJsonParser, GeoJsonUtil, GeoType, GeometryBase, GeometryIndicesBuffer, GeometryUtil, GeometryVertexBuffer, GeometryVertexType, GetComponentClass, GetCountInstanceID, GetRepeat, GetShader, GlassShader, GlobalBindGroup, GlobalBindGroupLayout, GlobalFog, GlobalFog_shader, GlobalIlluminationComponent, GlobalUniform, GlobalUniformGroup, GodRayPost, GodRay_cs, GridObject, HDRTexture, HDRTextureCube, Hair_frag, Hair_shader_op, Hair_shader_tr, HaltonSeq, Horizontal, HoverCameraController, I3DMLoader, I3DMLoaderBase, I3DMParser, IBLEnvMapCreator, IBLEnvMapCreator_cs, IESProfiles, IESProfiles_frag, IKDTreeUserData, ImageType, IndicesGPUBuffer, Inline_vert, InputSystem, InstanceDrawComponent, InstanceUniform, InstancedMesh, Interpolator, InterpolatorEnum, IrradianceDataReaderCompleteEvent, IrradianceVolumeData_frag, Irradiance_frag, IsEditorInspector, IsNonSerialize, Joint, JointPose, JumperInterpolator, KDTreeEntity, KDTreeNode, KDTreeRange, KDTreeSpace, KDTreeUUID, KHR_draco_mesh_compression, KHR_lights_punctual, KHR_materials_clearcoat, KHR_materials_emissive_strength, KHR_materials_ior, KHR_materials_unlit, KMZParser, KV, KelvinUtil, KeyCode, KeyEvent, Keyframe, KeyframeT, LDRTextureCube, LOADED, LOADING, LRUCache, LambertMaterial, Lambert_shader, Light, LightBase, LightData, LightEntries, LightType, LightingFunction_frag, Line, LineClassification, LinearInterpolator, LitMaterial, LitSSSShader, LitShader, Lit_shader, LoaderBase, LoaderEvent, LoaderManager, MAX_VALUE, MIN_VALUE, Material, MaterialDataUniformGPUBuffer, MaterialUtilities, MathShader, MathUtil, Matrix3, Matrix4, MatrixBindGroup, MatrixGPUBuffer, MatrixShader, MemoryDO, MemoryInfo, MergeRGBACreator, MergeRGBA_cs, MeshColliderShape, MeshFilter, MeshRenderer, MinMaxAnimationCurves, MinMaxCurve, MinMaxCurveState, MinMaxPolyCurves, MorePassParser, MorePassShader, MorphTargetBlender, MorphTargetData, MorphTargetFrame, MorphTargetTransformKey, MorphTarget_shader, MouseCode, MultiBouncePass_cs, Navi3DAstar, Navi3DConst, Navi3DEdge, Navi3DFunnel, Navi3DMaskType, Navi3DMesh, Navi3DPoint, Navi3DPoint2D, Navi3DPointFat, Navi3DRouter, Navi3DTriangle, NonSerialize, NormalMap_frag, OAnimationEvent, OBJParser, Object3D, Object3DEvent, Object3DTransformTools, Object3DUtil, ObjectAnimClip, OcclusionSystem, Octree, OctreeEntity, OrbitController, OrderMap, Orientation3D, OutLineBlendColor_cs, OutlineCalcOutline_cs, OutlinePass, OutlinePost, OutlinePostData, OutlinePostManager, OutlinePostSlot, Outline_cs, OvershootInterpolator, PARSING, PBRLItShader, PBRLitSSSShader, PLUGIN_REGISTERED, ParserBase, ParserFormat, ParticleSystemCurveEvalMode, ParticleSystemRandomnessIds, PassGenerate, PassShader, PassType, PhysicMaterialUniform_frag, PickCompute, PickFire, PickGUIEvent3D, PickResult, Picker_cs, PingPong, PipelinePool, Plane3D, PlaneClassification, PlaneGeometry, PlyMode, PlyParser, PointClassification, PointCloudGeometry, PointCloudMaterial, PointCloudRenderer, PointCloudShader, PointCloud_FS, PointCloud_VS, PointLight, PointLightShadowRenderer, PointShadowCubeCamera, PointerEvent3D, Polynomial, PolynomialCurve, Polynomials, PoolNode, PostBase, PostProcessingComponent, PostRenderer, PreDepthPassRenderer, PreFilteredEnvironment_cs, PreFilteredEnvironment_cs2, PreIntegratedLut, PreIntegratedLutCompute, PrefabAvatarData, PrefabAvatarParser, PrefabBoneData, PrefabMaterialParser, PrefabMeshData, PrefabMeshParser, PrefabNode, PrefabParser, PrefabStringUtil, PrefabTextureData, PrefabTextureParser, Preprocessor, PriorityQueue, Probe, ProbeEntries, ProbeGBufferFrame, ProfilerUtil, PropertyAnimClip, PropertyAnimTag, PropertyAnimation, PropertyAnimationClip, PropertyAnimationClipState, PropertyAnimationEvent, PropertyHelp, QuadAABB, QuadGlsl_fs, QuadGlsl_vs, QuadRoot, QuadShader, QuadTree, QuadTreeCell, Quad_depth2dArray_frag_wgsl, Quad_depth2d_frag_wgsl, Quad_depthCube_frag_wgsl, Quad_frag_wgsl, Quad_vert_wgsl, Quaternion, R32UintTexture, RADIANS_TO_DEGREES, RGBEErrorCode, RGBEHeader, RGBEParser, RTDescriptor, RTFrame, RTResourceConfig, RTResourceMap, Rand, RandomSeed, Ray, RayCastMeshDetail, Reader, Rect, Reference, Reflection, ReflectionCG, ReflectionEntries, ReflectionMaterial, ReflectionRenderer, ReflectionShader, ReflectionShader_shader, RegisterComponent, RegisterShader, RenderContext, RenderLayer, RenderLayerUtil, RenderNode, RenderShaderCollect, RenderShaderCompute, RenderShaderPass, RenderTexture, RendererBase, RendererJob, RendererMap, RendererMask, RendererMaskUtil, RendererPassState, RepeatSE, Res, RotationControlComponents, SHCommon_frag, SN_ArrayConstant, SN_BinaryOperation, SN_Break, SN_CodeBlock, SN_Constant, SN_Continue, SN_Declaration, SN_Discard, SN_DoWhileLoop, SN_Expression, SN_ForLoop, SN_Function, SN_FunctionArgs, SN_FunctionCall, SN_IFBranch, SN_Identifier, SN_IndexOperation, SN_Layout, SN_ParenExpression, SN_Precision, SN_Return, SN_SelectOperation, SN_Struct, SN_TernaryOperation, SN_UnaryOperation, SN_WhileLoop, SSAO_cs, SSGI2_cs, SSGIPost, SSRPost, SSR_BlendColor_cs, SSR_IS_Kernel, SSR_IS_cs, SSR_RayTrace_cs, ScaleControlComponents, Scene3D, Shader, ShaderAttributeInfo, ShaderConverter, ShaderConverterResult, ShaderLib, ShaderPassBase, ShaderReflection, ShaderStage, ShaderState, ShaderUniformInfo, ShaderUtil, ShadingInput, ShadowLightsCollect, ShadowMapPassRenderer, ShadowMapping_frag, Skeleton, SkeletonAnimationClip, SkeletonAnimationClipState, SkeletonAnimationComponent, SkeletonAnimationCompute, SkeletonAnimation_shader, SkeletonBlendComputeArgs, SkeletonPose, SkeletonTransformComputeArgs, SkinnedMeshRenderer, SkinnedMeshRenderer2, SkyGBufferPass, SkyGBuffer_pass, SkyMaterial, SkyRenderer, SkyShader, SolidColorSky, SphereColliderShape, SphereGeometry, SphereReflection, SpotLight, StandShader, StatementNode, StorageGPUBuffer, StringUtil, Struct, StructStorageGPUBuffer, SubGeometry, TAACopyTex_cs, TAAPost, TAASharpTex_cs, TAA_cs, TestComputeLoadBuffer, TextAnchor, TextFieldLayout, TextFieldLine, Texture, TextureCube, TextureCubeFaceData, TextureCubeStdCreator, TextureCubeUtils, TextureMipmapCompute, TextureMipmapGenerator, TextureScaleCompute, ThirdPersonCameraController, Tile, TileSet, TileSetChild, TileSetChildContent, TileSetChildContentMetaData, TileSetRoot, TilesRenderer, Time, TokenType, TorusGeometry, TouchData, TrailGeometry, Transform, TransformAxisEnum, TransformControllerBaseComponent, TransformMode, TransformSpaceMode, TranslationControlComponents, TranslatorContext, TriGeometry, Triangle, UIButton, UIButtonTransition, UIComponentBase, UIEvent, UIImage, UIImageGroup, UIInteractive, UIInteractiveStyle, UIPanel, UIRenderAble, UIShadow, UITextField, UITransform, UNLOADED, UUID, UV, Uint32ArrayTexture, Uint8ArrayTexture, UnLit, UnLitMaterial, UnLitMaterialUniform_frag, UnLitShader, UnLitTexArrayMaterial, UnLitTexArrayShader, UnLitTextureArray, UnLit_frag, UniformGPUBuffer, UniformNode, UniformType, ValueEnumType, ValueOp, ValueParser, ValueSpread, Vector2, Vector3, Vector3Ex, Vector4, VertexAttribute, VertexAttributeIndexShader, VertexAttributeName, VertexAttributeSize, VertexAttributeStride, VertexAttributes_vert, VertexBufferLayout, VertexFormat, VertexGPUBuffer, Vertical, VideoUniform_frag, View3D, ViewPanel, ViewQuad, VirtualTexture, WGS84_FLATTENING, WGS84_HEIGHT, WGS84_RADIUS, WGSLTranslator, WayLines3D, WayPoint3D, WebGPUDescriptorCreator, WorldMatrixUniform, WorldPanel, WrapMode, WrapTimeMode, ZCullingCompute, ZPassShader_cs, ZPassShader_fs, ZPassShader_vs, ZSorterUtil, append, arrayToString, blendComponent, buildCurves, byteSizeOfType, calculateCurveRangesValue, calculateMinMax, castPointShadowMap_vert, clamp, clampRepeat, computeAABBFromPositions, cos, crossProduct, cubicPolynomialRoot, cubicPolynomialRootsGeneric, curvesSupportProcedural, deg2Rad, detectGSplatFormat, directionShadowCastMap_frag, dot, doubleIntegrateSegment, downSample, fastInvSqrt, floorfToIntPos, fonts, generateRandom, generateRandom3, getFloatFromInt, getGLTypeFromTypedArray, getGLTypeFromTypedArrayType, getGlobalRandomSeed, getTypedArray, getTypedArrayTypeFromGLType, grad1, grad2, grad3, grad4, inferSHOrder, integrateSegment, irradianceDataReader, kPI, lerp, lerpByte, lerpColor, lerpVector3, lruPriorityCallback, magnitude, makeAloneSprite, makeGUISprite, makeMatrix44, markUsedSetLeaves, markUsedTiles, markVisibleTiles, matrixMultiply, matrixRotate, matrixRotateY, mergeFunctions, multiplyMatrices4x4REF, normal_distribution, normalizeFast, normalizeSafe, normalizedToByte, normalizedToWord, outlinePostData, outlinePostManager, parsePlyGaussianSplat, parsePlyHeader, parsePlyMesh, parsePlyPointCloud, perm, post, priorityCallback, quadraticPolynomialRootsGeneric, rad2Deg, random01, randomBarycentricCoord, randomPointBetweenEllipsoid, randomPointBetweenSphere, randomPointInsideCube, randomPointInsideEllipsoid, randomPointInsideUnitCircle, randomPointInsideUnitSphere, randomQuaternion, randomQuaternionUniformDistribution, randomSeed, randomUnitVector, randomUnitVector2, rangedRandomFloat, rangedRandomInt, readByType, readMagicBytes, registerMaterial, repeat, rotMatrix, rotateVectorByQuat, roundfToIntPos, scale, shadowCastMap_frag, shadowCastMap_vert, simplex, sin, snoise1, snoise2, snoise3, snoise4, splatColorProperties, splatProperties, sqrMagnitude, sqrtImpl, stencilStateFace, swap, textureCompress, threshold, throttle, toHalfFloat, toggleTiles, traverseAncestors, traverseSet, tw, uniform_real_distribution, uniform_real_distribution2, upSample$1 as upSample, webGPUContext, zSorterUtil };
71085
+ export { AccelerateDecelerateInterpolator, AccelerateInterpolator, AnimationCurve, AnimationCurveT, AnimationMonitor, AnimatorComponent, AnimatorEventKeyframe, AnticipateInterpolator, AnticipateOvershootInterpolator, ArrayHas, ArrayItemIndex, AtlasParser, AtmosphericComponent, AtmosphericScatteringSky, AtmosphericScatteringSkySetting, AtmosphericScatteringSky_shader, AttributeAnimCurve, AxisObject, B3DMLoader, B3DMLoaderBase, B3DMParseUtil, B3DMParser, BRDFLUT, BRDFLUTGenerate, BRDF_frag, BatchTable, BiMap, BillboardComponent, BillboardType, BitUtil, BitmapTexture2D, BitmapTexture2DArray, BitmapTextureCube, Blend, BlendFactor, BlendMode, BlendShapeData, BlendShapePropertyData, BloomPost, BlurEffectCreatorBlur_cs, BlurEffectCreatorSample_cs, BlurTexture2DBufferCreator, BounceInterpolator, BoundUtil, BoundingBox, BoundingSphere, BoundingVolume, BoxColliderShape, BoxGeometry, BrdfLut_frag, BsDF_frag, BxDF_frag, BxdfDebug_frag, BytesArray, CEvent, CEventDispatcher, CEventListener, CResizeEvent, CSM, Camera3D, CameraControllerBase, CameraType, CameraUtil, CapsuleColliderShape, CastPointShadowMaterialPass, CastShadowMaterialPass, Clearcoat_frag, ClusterBoundsSource_cs, ClusterConfig, ClusterDebug_frag, ClusterLight, ClusterLightingBuffer, ClusterLightingRender, ClusterLighting_cs, CollectInfo, ColliderComponent, ColliderShape, ColliderShapeType, Color, ColorGradient, ColorLitMaterial, ColorLitShader, ColorPassFragmentOutput, ColorPassRenderer, ColorUtil, ComData, Combine_cs, Common_frag, Common_vert, ComponentBase, ComponentCollect, ComputeGPUBuffer, ComputeShader, Context3D, CubeCamera, CubeMapFaceEnum, CubeSky_Shader, CubicBezierCurve, CubicBezierPath, CubicBezierType, CycleInterpolator, CylinderGeometry, DDGIIrradianceComputePass, DDGIIrradianceGPUBufferReader, DDGIIrradianceVolume, DDGIIrradiance_shader, DDGILightingPass, DDGILighting_shader, DDGIMultiBouncePass, DDGIProbeRenderer, DEGREES_TO_RADIANS, DRACO_DECODER_GLTF_JS, DecelerateInterpolator, Denoising_cs, Depth2DTextureArray, DepthCubeArrayTexture, DepthMaterialPass, DepthOfFieldPost, DepthOfView_cs, DirectLight, DoubleArray, EditorInspector, Engine3D, Entity, EntityBatchCollect, EntityCollect, EnvMap_frag, ErpImage2CubeMap, ErpImage2CubeMapCreateCube_cs, ErpImage2CubeMapRgbe2rgba_cs, ExtrudeGeometry, FAILED, FASTFLOOR, FXAAPost, FXAAShader, FastMathShader, FatLineGeometry, FatLineMaterial, FatLineRenderer, FatLineShader, FatLine_FS, FatLine_VS, FeatureTable, FileLoader, FirstPersonCameraController, Float16ArrayTexture, Float32ArrayTexture, FlyCameraController, FontChar, FontInfo, FontPage, FontParser, ForwardRenderJob, FragmentOutput, FragmentVarying, FrameCache, Frustum, FrustumCSM, FrustumCulling_cs, FullQuad_vert_wgsl, GBufferFrame, GBufferPass, GBufferPost, GBufferStand, GBuffer_pass, GILighting, GIProbeMaterial, GIProbeMaterialType, GIProbeShader, GIRenderCompleteEvent, GIRenderStartEvent, GLBChunk, GLBHeader, GLBParser, GLSLLexer, GLSLLexerToken, GLSLPreprocessor, GLSLSyntax, GLTFBinaryExtension, GLTFMaterial, GLTFParser, GLTFSubParser, GLTFSubParserCamera, GLTFSubParserConverter, GLTFSubParserMaterial, GLTFSubParserMesh, GLTFSubParserSkeleton, GLTFSubParserSkin, GLTFType, GLTF_Accessors, GLTF_Info, GLTF_Light, GLTF_Mesh, GLTF_Node, GLTF_Primitives, GLTF_Scene, GPUAddressMode, GPUBlendFactor, GPUBufferBase, GPUBufferType, GPUCompareFunction, GPUContext, GPUCullMode, GPUFilterMode, GPUPrimitiveTopology, GPUTextureFormat, GPUVertexFormat, GPUVertexStepMode, GSplatFormat, GSplatGeometry, GSplatMaterial, GSplatRenderer, GSplatShader, GSplat_FS, GSplat_VS, GTAOPost, GTAO_cs, GUIAtlasTexture, GUICanvas, GUIConfig, GUIGeometry, GUIGeometryRebuild, GUIMaterial, GUIPassRenderer, GUIPick, GUIPickHelper, GUIQuad, GUIQuadAttrEnum, GUIRenderer, GUIShader, GUISpace, GUISprite, GUITexture, GaussianSplatParser, GenerayRandomDir, GeoJsonParser, GeoJsonUtil, GeoType, GeometryBase, GeometryIndicesBuffer, GeometryUtil, GeometryVertexBuffer, GeometryVertexType, GetComponentClass, GetCountInstanceID, GetRepeat, GetShader, GlassShader, GlobalBindGroup, GlobalBindGroupLayout, GlobalFog, GlobalFog_shader, GlobalIlluminationComponent, GlobalUniform, GlobalUniformGroup, GodRayPost, GodRay_cs, GridObject, HDRTexture, HDRTextureCube, Hair_frag, Hair_shader_op, Hair_shader_tr, HaltonSeq, Horizontal, HoverCameraController, I3DMLoader, I3DMLoaderBase, I3DMParser, IBLEnvMapCreator, IBLEnvMapCreator_cs, IESProfiles, IESProfiles_frag, IKDTreeUserData, ImageType, IndicesGPUBuffer, Inline_vert, InputSystem, InstanceDrawComponent, InstanceUniform, InstancedMesh, Interpolator, InterpolatorEnum, IrradianceDataReaderCompleteEvent, IrradianceVolumeData_frag, Irradiance_frag, IsEditorInspector, IsNonSerialize, Joint, JointPose, JumperInterpolator, KDTreeEntity, KDTreeNode, KDTreeRange, KDTreeSpace, KDTreeUUID, KHR_draco_mesh_compression, KHR_lights_punctual, KHR_materials_clearcoat, KHR_materials_emissive_strength, KHR_materials_ior, KHR_materials_unlit, KMZParser, KV, KelvinUtil, KeyCode, KeyEvent, Keyframe, KeyframeT, LDRTextureCube, LOADED, LOADING, LRUCache, LambertMaterial, Lambert_shader, Light, LightBase, LightData, LightEntries, LightType, LightingFunction_frag, Line, LineClassification, LinearInterpolator, LitMaterial, LitSSSShader, LitShader, Lit_shader, LoaderBase, LoaderEvent, LoaderManager, MAX_VALUE, MIN_VALUE, Material, MaterialDataUniformGPUBuffer, MaterialUtilities, MathShader, MathUtil, Matrix3, Matrix4, MatrixBindGroup, MatrixGPUBuffer, MatrixShader, MemoryDO, MemoryInfo, MergeRGBACreator, MergeRGBA_cs, MeshColliderShape, MeshFilter, MeshRenderer, MinMaxAnimationCurves, MinMaxCurve, MinMaxCurveState, MinMaxPolyCurves, MorePassParser, MorePassShader, MorphTargetBlender, MorphTargetData, MorphTargetFrame, MorphTargetTransformKey, MorphTarget_shader, MouseCode, MultiBouncePass_cs, Navi3DAstar, Navi3DConst, Navi3DEdge, Navi3DFunnel, Navi3DMaskType, Navi3DMesh, Navi3DPoint, Navi3DPoint2D, Navi3DPointFat, Navi3DRouter, Navi3DTriangle, NonSerialize, NormalMap_frag, OAnimationEvent, OBJParser, Object3D, Object3DEvent, Object3DTransformTools, Object3DUtil, ObjectAnimClip, OcclusionSystem, Octree, OctreeEntity, OrbitController, OrderMap, Orientation3D, OutLineBlendColor_cs, OutlineCalcOutline_cs, OutlinePass, OutlinePost, OutlinePostData, OutlinePostManager, OutlinePostSlot, Outline_cs, OvershootInterpolator, PARSING, PBRLItShader, PBRLitSSSShader, PLUGIN_REGISTERED, PNTSLoader, PNTSLoaderBase, PNTSParser, ParserBase, ParserFormat, ParticleSystemCurveEvalMode, ParticleSystemRandomnessIds, PassGenerate, PassShader, PassType, PhysicMaterialUniform_frag, PickCompute, PickFire, PickGUIEvent3D, PickResult, Picker_cs, PingPong, PipelinePool, Plane3D, PlaneClassification, PlaneGeometry, PlyMode, PlyParser, PointClassification, PointCloudGeometry, PointCloudMaterial, PointCloudRenderer, PointCloudShader, PointCloud_FS, PointCloud_VS, PointLight, PointLightShadowRenderer, PointShadowCubeCamera, PointerEvent3D, Polynomial, PolynomialCurve, Polynomials, PoolNode, PostBase, PostProcessingComponent, PostRenderer, PreDepthPassRenderer, PreFilteredEnvironment_cs, PreFilteredEnvironment_cs2, PreIntegratedLut, PreIntegratedLutCompute, PrefabAvatarData, PrefabAvatarParser, PrefabBoneData, PrefabMaterialParser, PrefabMeshData, PrefabMeshParser, PrefabNode, PrefabParser, PrefabStringUtil, PrefabTextureData, PrefabTextureParser, Preprocessor, PriorityQueue, Probe, ProbeEntries, ProbeGBufferFrame, ProfilerUtil, PropertyAnimClip, PropertyAnimTag, PropertyAnimation, PropertyAnimationClip, PropertyAnimationClipState, PropertyAnimationEvent, PropertyHelp, QuadAABB, QuadGlsl_fs, QuadGlsl_vs, QuadRoot, QuadShader, QuadTree, QuadTreeCell, Quad_depth2dArray_frag_wgsl, Quad_depth2d_frag_wgsl, Quad_depthCube_frag_wgsl, Quad_frag_wgsl, Quad_vert_wgsl, Quaternion, R32UintTexture, RADIANS_TO_DEGREES, RGBEErrorCode, RGBEHeader, RGBEParser, RTDescriptor, RTFrame, RTResourceConfig, RTResourceMap, Rand, RandomSeed, Ray, RayCastMeshDetail, Reader, Rect, Reference, Reflection, ReflectionCG, ReflectionEntries, ReflectionMaterial, ReflectionRenderer, ReflectionShader, ReflectionShader_shader, RegisterComponent, RegisterShader, RenderContext, RenderLayer, RenderLayerUtil, RenderNode, RenderShaderCollect, RenderShaderCompute, RenderShaderPass, RenderTexture, RendererBase, RendererJob, RendererMap, RendererMask, RendererMaskUtil, RendererPassState, RepeatSE, Res, RotationControlComponents, SHCommon_frag, SN_ArrayConstant, SN_BinaryOperation, SN_Break, SN_CodeBlock, SN_Constant, SN_Continue, SN_Declaration, SN_Discard, SN_DoWhileLoop, SN_Expression, SN_ForLoop, SN_Function, SN_FunctionArgs, SN_FunctionCall, SN_IFBranch, SN_Identifier, SN_IndexOperation, SN_Layout, SN_ParenExpression, SN_Precision, SN_Return, SN_SelectOperation, SN_Struct, SN_TernaryOperation, SN_UnaryOperation, SN_WhileLoop, SSAO_cs, SSGI2_cs, SSGIPost, SSRPost, SSR_BlendColor_cs, SSR_IS_Kernel, SSR_IS_cs, SSR_RayTrace_cs, ScaleControlComponents, Scene3D, Shader, ShaderAttributeInfo, ShaderConverter, ShaderConverterResult, ShaderLib, ShaderPassBase, ShaderReflection, ShaderStage, ShaderState, ShaderUniformInfo, ShaderUtil, ShadingInput, ShadowLightsCollect, ShadowMapPassRenderer, ShadowMapping_frag, Skeleton, SkeletonAnimationClip, SkeletonAnimationClipState, SkeletonAnimationComponent, SkeletonAnimationCompute, SkeletonAnimation_shader, SkeletonBlendComputeArgs, SkeletonPose, SkeletonTransformComputeArgs, SkinnedMeshRenderer, SkinnedMeshRenderer2, SkyGBufferPass, SkyGBuffer_pass, SkyMaterial, SkyRenderer, SkyShader, SolidColorSky, SphereColliderShape, SphereGeometry, SphereReflection, SpotLight, StandShader, StatementNode, StorageGPUBuffer, StringUtil, Struct, StructStorageGPUBuffer, SubGeometry, TAACopyTex_cs, TAAPost, TAASharpTex_cs, TAA_cs, TestComputeLoadBuffer, TextAnchor, TextFieldLayout, TextFieldLine, Texture, TextureCube, TextureCubeFaceData, TextureCubeStdCreator, TextureCubeUtils, TextureMipmapCompute, TextureMipmapGenerator, TextureScaleCompute, ThirdPersonCameraController, Tile, TileSet, TileSetChild, TileSetChildContent, TileSetChildContentMetaData, TileSetRoot, TilesRenderer, Time, TokenType, TorusGeometry, TouchData, TrailGeometry, Transform, TransformAxisEnum, TransformControllerBaseComponent, TransformMode, TransformSpaceMode, TranslationControlComponents, TranslatorContext, TriGeometry, Triangle, UIButton, UIButtonTransition, UIComponentBase, UIEvent, UIImage, UIImageGroup, UIInteractive, UIInteractiveStyle, UIPanel, UIRenderAble, UIShadow, UITextField, UITransform, UNLOADED, UUID, UV, Uint32ArrayTexture, Uint8ArrayTexture, UnLit, UnLitMaterial, UnLitMaterialUniform_frag, UnLitShader, UnLitTexArrayMaterial, UnLitTexArrayShader, UnLitTextureArray, UnLit_frag, UniformGPUBuffer, UniformNode, UniformType, ValueEnumType, ValueOp, ValueParser, ValueSpread, Vector2, Vector3, Vector3Ex, Vector4, VertexAttribute, VertexAttributeIndexShader, VertexAttributeName, VertexAttributeSize, VertexAttributeStride, VertexAttributes_vert, VertexBufferLayout, VertexFormat, VertexGPUBuffer, Vertical, VideoUniform_frag, View3D, ViewPanel, ViewQuad, VirtualTexture, WGS84_FLATTENING, WGS84_HEIGHT, WGS84_RADIUS, WGSLTranslator, WayLines3D, WayPoint3D, WebGPUDescriptorCreator, WorldMatrixUniform, WorldPanel, WrapMode, WrapTimeMode, ZCullingCompute, ZPassShader_cs, ZPassShader_fs, ZPassShader_vs, ZSorterUtil, append, arrayToString, blendComponent, buildCurves, byteSizeOfType, calculateCurveRangesValue, calculateMinMax, castPointShadowMap_vert, clamp, clampRepeat, computeAABBFromPositions, cos, crossProduct, cubicPolynomialRoot, cubicPolynomialRootsGeneric, curvesSupportProcedural, deg2Rad, detectGSplatFormat, directionShadowCastMap_frag, dot, doubleIntegrateSegment, downSample, fastInvSqrt, floorfToIntPos, fonts, generateRandom, generateRandom3, getFloatFromInt, getGLTypeFromTypedArray, getGLTypeFromTypedArrayType, getGlobalRandomSeed, getTypedArray, getTypedArrayTypeFromGLType, grad1, grad2, grad3, grad4, inferSHOrder, integrateSegment, irradianceDataReader, kPI, lerp, lerpByte, lerpColor, lerpVector3, lruPriorityCallback, magnitude, makeAloneSprite, makeGUISprite, makeMatrix44, markUsedSetLeaves, markUsedTiles, markVisibleTiles, matrixMultiply, matrixRotate, matrixRotateY, mergeFunctions, multiplyMatrices4x4REF, normal_distribution, normalizeFast, normalizeSafe, normalizedToByte, normalizedToWord, outlinePostData, outlinePostManager, parsePlyGaussianSplat, parsePlyHeader, parsePlyMesh, parsePlyPointCloud, perm, post, priorityCallback, quadraticPolynomialRootsGeneric, rad2Deg, random01, randomBarycentricCoord, randomPointBetweenEllipsoid, randomPointBetweenSphere, randomPointInsideCube, randomPointInsideEllipsoid, randomPointInsideUnitCircle, randomPointInsideUnitSphere, randomQuaternion, randomQuaternionUniformDistribution, randomSeed, randomUnitVector, randomUnitVector2, rangedRandomFloat, rangedRandomInt, readByType, readMagicBytes, registerMaterial, repeat, rotMatrix, rotateVectorByQuat, roundfToIntPos, scale, shadowCastMap_frag, shadowCastMap_vert, simplex, sin, snoise1, snoise2, snoise3, snoise4, splatColorProperties, splatProperties, sqrMagnitude, sqrtImpl, stencilStateFace, swap, textureCompress, threshold, throttle, toHalfFloat, toggleTiles, traverseAncestors, traverseSet, tw, uniform_real_distribution, uniform_real_distribution2, upSample$1 as upSample, webGPUContext, zSorterUtil };