/home/lindsay/xeolabs/xeogl-next/xeogl/src/scene/scene.js
API Docs for:

File: /home/lindsay/xeolabs/xeogl-next/xeogl/src/scene/scene.js

  1. /**
  2. The container for all 3D graphical objects and state in a xeogl scene.
  3.  
  4. ## Usage
  5.  
  6. * [Creating a Scene](#creating-a-scene)
  7. * [Creating and accessing components](#creating-and-accessing-components)
  8. * [Controlling the camera](#controlling-the-camera)
  9. * [Taking snapshots](#taking-snapshots)
  10. * [Lighting](#lighting)
  11. * [Clipping](#clipping)
  12. * [Picking](#picking)
  13. * [Querying and tracking boundaries](#querying-and-tracking-boundaries)
  14. * [Controlling the viewport](#controlling-the-viewport)
  15. * [Controlling rendering](#controlling-rendering)
  16. * [Gamma correction](#gamma-correction)
  17.  
  18. ### Creating a Scene
  19.  
  20. Creating a Scene with its own default canvas:
  21.  
  22. ````javascript
  23. var scene = new xeogl.Scene();
  24. ````
  25.  
  26. Creating a Scene with an existing canvas.
  27.  
  28. ````javascript
  29. var scene2 = new xeogl.Scene({
  30. canvas: "myCanvas"
  31. });
  32.  
  33. var scene3 = new xeogl.Scene({
  34. canvas: document.getElementById("myCanvas");
  35. });
  36. ````
  37.  
  38. ### Creating and accessing components
  39.  
  40. As a brief introduction to creating Scene components, we'll create a {{#crossLink "Mesh"}}{{/crossLink}} that has a
  41. {{#crossLink "TeapotGeometry"}}{{/crossLink}} and a {{#crossLink "PhongMaterial"}}{{/crossLink}}:
  42.  
  43. <a href="../../examples/#geometry_primitives_teapot"><img src="../../assets/images/screenshots/Scene/teapot.png"></img></a>
  44.  
  45. ````javascript
  46. var teapotMesh = new xeogl.Mesh(scene, {
  47. id: "myMesh", // <<---------- ID automatically generated if not provided
  48. geometry: new xeogl.TeapotGeometry(scene),
  49. material: new xeogl.PhongMaterial(scene, {
  50. id: "myMaterial",
  51. diffuse: [0.2, 0.2, 1.0]
  52. })
  53. });
  54. ````
  55.  
  56. Creating a {{#crossLink "Mesh"}}{{/crossLink}} within the default Scene (xeogl will automatically create the default Scene if it does not yet exist):
  57. ````javascript
  58. var teapotMesh = new xeogl.Mesh({
  59. id: "myMesh",
  60. geometry: new xeogl.TeapotGeometry(),
  61. material: new xeogl.PhongMaterial({
  62. id: "myMaterial",
  63. diffuse: [0.2, 0.2, 1.0]
  64. })
  65. });
  66.  
  67. teapotMesh.scene.camera.eye = [45, 45, 45];
  68. ````
  69.  
  70. The default Scene can be got from either the Mesh or the xeogl namespace:
  71.  
  72. ````javascript
  73. scene = teapotMesh.scene;
  74. scene = xeogl.getDefaultScene();
  75. ````
  76.  
  77. You can also make any Scene instance the default scene, so that components will belong to that Scene when you don't explicitly
  78. specify a Scene for them:
  79.  
  80. ````javascript
  81. var scene = new xeogl.Scene({ ... };
  82. xeogl.setDefaultScene( scene );
  83. ````
  84.  
  85. Find components by ID in their Scene's {{#crossLink "Scene/components:property"}}{{/crossLink}} map:
  86.  
  87. ````javascript
  88. var teapotMesh = scene.components["myMesh"];
  89. teapotMesh.visible = false;
  90.  
  91. var teapotMaterial = scene.components["myMaterial"];
  92. teapotMaterial.diffuse = [1,0,0]; // Change to red
  93. ````
  94.  
  95. A Scene also has a map of component instances for each {{#crossLink "Component"}}{{/crossLink}} subtype:
  96.  
  97. ````javascript
  98. var meshes = scene.types["xeogl.Mesh"];
  99. var teapotMesh = meshes["myMesh"];
  100. teapotMesh.ghosted = true;
  101.  
  102. var phongMaterials = scene.types["xeogl.PhongMaterial"];
  103. var teapotMaterial = phongMaterials["myMaterial"];
  104. teapotMaterial.diffuse = [0,1,0]; // Change to green
  105. ````
  106.  
  107. See {{#crossLink "Object"}}{{/crossLink}}, {{#crossLink "Group"}}{{/crossLink}} and {{#crossLink "Model"}}{{/crossLink}}
  108. for how to create and access more sophisticated content.
  109.  
  110. ### Controlling the camera
  111.  
  112. Use the Scene's {{#crossLink "Camera"}}{{/crossLink}} to control the current viewpoint and projection:
  113.  
  114. ````javascript
  115. var camera = myScene.camera;
  116.  
  117. camera.eye = [-10,0,0];
  118. camera.look = [-10,0,0];
  119. camera.up = [0,1,0];
  120.  
  121. camera.projection = "perspective";
  122. camera.perspective.fov = 45;
  123. //...
  124. ````
  125.  
  126. ### Managing the canvas, taking snapshots
  127.  
  128. The Scene's {{#crossLink "Canvas"}}{{/crossLink}} component provides various conveniences relevant to the WebGL canvas, such
  129. as getting getting snapshots, firing resize events etc:
  130.  
  131. ````javascript
  132. var canvas = scene.canvas;
  133.  
  134. canvas.on("boundary", function(boundary) {
  135. //...
  136. });
  137.  
  138. var imageData = canvas.getSnapshot({
  139. width: 500,
  140. height: 500,
  141. format: "png"
  142. });
  143. ````
  144.  
  145. ### Lighting
  146.  
  147. The Scene's {{#crossLink "Lights"}}{{/crossLink}} component manages lighting:
  148.  
  149. ````javascript
  150. var lights = scene.lights;
  151. lights[1].color = [0.9, 0.9, 0.9];
  152. //...
  153. ````
  154.  
  155. ### Clipping
  156.  
  157. The Scene's {{#crossLink "Clips"}}{{/crossLink}} component manages clipping planes for custom cross-sections:
  158.  
  159. ````javascript
  160. var clips = scene.clips;
  161. clips.clips = [
  162. new xeogl.Clip({ // Clip plane on negative diagonal
  163. pos: [1.0, 1.0, 1.0],
  164. dir: [-1.0, -1.0, -1.0],
  165. active: true
  166. }),
  167. new xeogl.Clip({ // Clip plane on positive diagonal
  168. pos: [-1.0, -1.0, -1.0],
  169. dir: [1.0, 1.0, 1.0],
  170. active: true
  171. }),
  172. //...
  173. ];
  174. ````
  175.  
  176. ### Picking
  177.  
  178. Use the Scene's {{#crossLink "Scene/pick:method"}}Scene#pick(){{/crossLink}} method to pick and raycast meshes.
  179.  
  180. For example, to pick a point on the surface of the closest mesh at the given canvas coordinates:
  181.  
  182. ````javascript
  183. var hit = scene.pick({
  184. pickSurface: true,
  185. canvasPos: [23, 131]
  186. });
  187.  
  188. if (hit) { // Picked a Mesh
  189.  
  190. var mesh = hit.mesh;
  191.  
  192. var primitive = hit.primitive; // Type of primitive that was picked, usually "triangles"
  193. var primIndex = hit.primIndex; // Position of triangle's first index in the picked Mesh's Geometry's indices array
  194. var indices = hit.indices; // UInt32Array containing the triangle's vertex indices
  195. var localPos = hit.localPos; // Float32Array containing the picked Local-space position on the triangle
  196. var worldPos = hit.worldPos; // Float32Array containing the picked World-space position on the triangle
  197. var viewPos = hit.viewPos; // Float32Array containing the picked View-space position on the triangle
  198. var bary = hit.bary; // Float32Array containing the picked barycentric position within the triangle
  199. var normal = hit.normal; // Float32Array containing the interpolated normal vector at the picked position on the triangle
  200. var uv = hit.uv; // Float32Array containing the interpolated UV coordinates at the picked position on the triangle
  201. }
  202. ````
  203.  
  204. #### Pick masking
  205.  
  206. We can use the {{#crossLink "Scene/pick:method"}}Scene#pick(){{/crossLink}} method's ````includeMeshes```` and ````excludeMeshes````
  207. options to mask which Meshes we attempt to pick.
  208.  
  209. This is useful for picking <em>through</em> things, to pick only the Meshes of interest.
  210.  
  211. To pick only Meshes ````"gearbox#77.0"```` and ````"gearbox#79.0"````, picking through any other Meshes that are
  212. in the way, as if they weren't there:
  213.  
  214. ````javascript
  215. var hit = scene.pick({
  216. canvasPos: [23, 131],
  217. includeMeshes: ["gearbox#77.0", "gearbox#79.0"]
  218. });
  219.  
  220. if (hit) {
  221. // Mesh will always be either "gearbox#77.0" or "gearbox#79.0"
  222. var mesh = hit.mesh;
  223. }
  224. ````
  225.  
  226. To pick any pickable Mesh, except for ````"gearbox#77.0"```` and ````"gearbox#79.0"````, picking through those
  227. Meshes if they happen to be in the way:
  228.  
  229. ````javascript
  230. var hit = scene.pick({
  231. canvasPos: [23, 131],
  232. excludeMeshes: ["gearbox#77.0", "gearbox#79.0"]
  233. });
  234.  
  235. if (hit) {
  236. // Mesh will never be "gearbox#77.0" or "gearbox#79.0"
  237. var mesh = hit.mesh;
  238. }
  239. ````
  240.  
  241. See {{#crossLink "Scene/pick:method"}}Scene#pick(){{/crossLink}} for more info on picking.
  242.  
  243. ### Querying and tracking boundaries
  244.  
  245. Getting a Scene's World-space axis-aligned boundary (AABB):
  246.  
  247. ````javascript
  248. var aabb = scene.aabb; // [xmin, ymin, zmin, xmax, ymax, zmax]
  249. ````
  250.  
  251. Subscribing to updates to the AABB, which occur whenever {{#crossLink "Meshes"}}{{/crossLink}} are transformed, their
  252. {{#crossLink "Geometry"}}Geometries{{/crossLink}} have been updated, or the {{#crossLink "Camera"}}Camera{{/crossLink}} has moved:
  253.  
  254. ````javascript
  255. scene.on("boundary", function() {
  256. var aabb = scene.aabb;
  257. });
  258. ````
  259.  
  260. Getting the AABB of the {{#crossLink "Object"}}Objects{{/crossLink}} with the given IDs:
  261.  
  262. ````JavaScript
  263. scene.getAABB(); // Gets collective boundary of all Mesh Objects in the scene
  264. scene.getAABB("saw"); // Gets boundary of an Object
  265. scene.getAABB(["saw", "gearbox"]); // Gets collective boundary of two Objects
  266. ````
  267.  
  268. See {{#crossLink "Scene/getAABB:method"}}Scene#getAABB(){{/crossLink}} and {{#crossLink "Object"}}{{/crossLink}} for more info on querying and tracking boundaries.
  269.  
  270. ### Managing the viewport
  271.  
  272. The Scene's {{#crossLink "Viewport"}}{{/crossLink}} component manages the WebGL viewport:
  273.  
  274. ````javascript
  275. var viewport = scene.viewport
  276. viewport.boundary = [0, 0, 500, 400];;
  277. ````
  278.  
  279. ### Controlling rendering
  280.  
  281. You can configure a Scene to perform multiple "passes" (renders) per frame. This is useful when we want to render the
  282. scene to multiple viewports, such as for stereo effects.
  283.  
  284. In the example, below, we'll configure the Scene to render twice on each frame, each time to different viewport. We'll do this
  285. with a callback that intercepts the Scene before each render and sets its {{#crossLink "Viewport"}}{{/crossLink}} to a
  286. different portion of the canvas. By default, the Scene will clear the canvas only before the first render, allowing the
  287. two views to be shown on the canvas at the same time.
  288.  
  289. ````Javascript
  290. // Load a glTF model
  291. var model = new xeogl.GLTFModel({
  292. src: "models/gltf/GearboxAssy/glTF-MaterialsCommon/GearboxAssy.gltf"
  293. });
  294.  
  295. var scene = model.scene;
  296. var viewport = scene.viewport;
  297.  
  298. // Configure Scene to render twice for each frame
  299. scene.passes = 2; // Default is 1
  300. scene.clearEachPass = false; // Default is false
  301.  
  302. // Render to a separate viewport on each render
  303.  
  304. var viewport = scene.viewport;
  305. viewport.autoBoundary = false;
  306.  
  307. scene.on("rendering", function (e) {
  308. switch (e.pass) {
  309. case 0:
  310. viewport.boundary = [0, 0, 200, 200]; // xmin, ymin, width, height
  311. break;
  312.  
  313. case 1:
  314. viewport.boundary = [200, 0, 200, 200];
  315. break;
  316. }
  317. });
  318.  
  319. // We can also intercept the Scene after each render,
  320. // (though we're not using this for anything here)
  321. scene.on("rendered", function (e) {
  322. switch (e.pass) {
  323. case 0:
  324. break;
  325.  
  326. case 1:
  327. break;
  328. }
  329. });
  330. ````
  331.  
  332. ### Gamma correction
  333.  
  334. Within its shaders, xeogl performs shading calculations in linear space.
  335.  
  336. By default, the Scene expects color textures (eg. {{#crossLink "PhongMaterial/diffuseMap:property"}}PhongMaterial#diffuseMap{{/crossLink}},
  337. {{#crossLink "MetallicMaterial/baseColorMap:property"}}MetallicMaterial#baseColorMap{{/crossLink}} and {{#crossLink "SpecularMaterial/diffuseMap:property"}}SphericalMaterial#diffuseMap{{/crossLink}}) to
  338. be in pre-multipled gamma space, so will convert those to linear space before they are used in shaders. Other textures are
  339. always expected to be in linear space.
  340.  
  341. By default, the Scene will also gamma-correct its rendered output.
  342.  
  343. You can configure the Scene to expect all those color textures to be linear space, so that it does not gamma-correct them:
  344.  
  345. ````javascript
  346. scene.gammaInput = false;
  347. ````
  348.  
  349. You would still need to gamma-correct the output, though, if it's going straight to the canvas, so normally we would
  350. leave that enabled:
  351.  
  352. ````javascript
  353. scene.gammaOutput = true;
  354. ````
  355.  
  356. See {{#crossLink "Texture"}}{{/crossLink}} for more information on texture encoding and gamma.
  357.  
  358. @class Scene
  359. @module xeogl
  360. @submodule scene
  361. @constructor
  362. @param [cfg] Scene parameters
  363. @param [cfg.id] {String} Optional ID, unique among all Scenes in xeogl, generated automatically when omitted.
  364. @param [cfg.meta] {String:Object} Optional map of user-defined metadata to attach to this Scene.
  365. @param [cfg.canvasId] {String} ID of existing HTML5 canvas in the DOM - creates a full-page canvas automatically if this is omitted
  366. @param [cfg.webgl2=true] {Boolean} Set this false when we **don't** want to use WebGL 2 for our Scene; the Scene will fall
  367. back on WebGL 1 if not available. This property will be deprecated when WebGL 2 is supported everywhere.
  368. @param [cfg.components] {Array(Object)} JSON array containing parameters for {{#crossLink "Component"}}Component{{/crossLink}} subtypes to immediately create within the Scene.
  369. @param [cfg.ticksPerRender=1] {Number} The number of {{#crossLink "Scene/tick:event"}}{{/crossLink}} that happen between each render or this Scene.
  370. @param [cfg.passes=1] {Number} The number of times this Scene renders per frame.
  371. @param [cfg.clearEachPass=false] {Boolean} When doing multiple passes per frame, specifies whether to clear the
  372. canvas before each pass (true) or just before the first pass (false).
  373. @param [cfg.transparent=false] {Boolean} Whether or not the canvas is transparent.
  374. @param [cfg.backgroundColor] {Float32Array} RGBA color for canvas background, when canvas is not transparent. Overridden by backgroundImage.
  375. @param [cfg.backgroundImage] {String} URL of an image to show as the canvas background, when canvas is not transparent. Overrides backgroundImage.
  376. @param [cfg.gammaInput=false] {Boolean} When true, expects that all textures and colors are premultiplied gamma.
  377. @param [cfg.gammaOutput=true] {Boolean} Whether or not to render with pre-multiplied gama.
  378. @param [cfg.gammaFactor=2.2] {Number} The gamma factor to use when rendering with pre-multiplied gamma.
  379. @extends Component
  380. */
  381.  
  382. import {core} from '../core.js';
  383. import {utils} from '../utils.js';
  384. import {math} from '../math/math.js';
  385. import {stats} from '../stats.js';
  386. import {Component} from '../component.js';
  387. import {Canvas} from '../canvas/canvas.js';
  388. import {Renderer} from '../renderer/renderer.js';
  389. import {Input} from '../input/input.js';
  390. import {Viewport} from '../viewport/viewport.js';
  391. import {Camera} from '../camera/camera.js';
  392. import {DirLight} from '../lighting/dirLight.js';
  393. import {BoxGeometry} from '../geometry/boxGeometry.js';
  394. import {PhongMaterial} from '../materials/phongMaterial.js';
  395. import {EmphasisMaterial} from '../materials/emphasisMaterial.js';
  396. import {EdgeMaterial} from '../materials/edgeMaterial.js';
  397. import {OutlineMaterial} from '../materials/outlineMaterial.js';
  398. import {componentClasses} from "../componentClasses.js";
  399.  
  400. const type = "xeogl.Scene";
  401.  
  402. // Cached vars to avoid garbage collection
  403.  
  404. const localRayOrigin = math.vec3();
  405. const localRayDir = math.vec3();
  406. const positionA = math.vec3();
  407. const positionB = math.vec3();
  408. const positionC = math.vec3();
  409. const triangleVertices = math.vec3();
  410. const position = math.vec4();
  411. const worldPos = math.vec3();
  412. const viewPos = math.vec3();
  413. const bary = math.vec3();
  414. const normalA = math.vec3();
  415. const normalB = math.vec3();
  416. const normalC = math.vec3();
  417. const uva = math.vec3();
  418. const uvb = math.vec3();
  419. const uvc = math.vec3();
  420. const tempVec4a = math.vec4();
  421. const tempVec4b = math.vec4();
  422. const tempVec4c = math.vec4();
  423. const tempVec3 = math.vec3();
  424. const tempVec3b = math.vec3();
  425. const tempVec3c = math.vec3();
  426. const tempVec3d = math.vec3();
  427. const tempVec3e = math.vec3();
  428. const tempVec3f = math.vec3();
  429. const tempVec3g = math.vec3();
  430. const tempVec3h = math.vec3();
  431. const tempVec3i = math.vec3();
  432. const tempVec3j = math.vec3();
  433. const tempVec3k = math.vec3();
  434.  
  435. function getMeshIDMap(scene, meshIds) {
  436. const map = {};
  437. let meshId;
  438. let mesh;
  439. for (let i = 0, len = meshIds.length; i < len; i++) {
  440. meshId = meshIds[i];
  441. mesh = scene.meshes[meshId];
  442. if (!mesh) {
  443. scene.warn("pick(): Mesh not found: " + meshId);
  444. continue;
  445. }
  446. map[meshId] = true;
  447. }
  448. return map;
  449. }
  450.  
  451. /**
  452. * Fired whenever a debug message is logged on a component within this Scene.
  453. * @event log
  454. * @param {String} value The debug message
  455. */
  456.  
  457. /**
  458. * Fired whenever an error is logged on a component within this Scene.
  459. * @event error
  460. * @param {String} value The error message
  461. */
  462.  
  463. /**
  464. * Fired whenever a warning is logged on a component within this Scene.
  465. * @event warn
  466. * @param {String} value The warning message
  467. */
  468. class Scene extends Component {
  469.  
  470. /**
  471. JavaScript class name for this Component.
  472.  
  473. For example: "xeogl.AmbientLight", "xeogl.MetallicMaterial" etc.
  474.  
  475. @property type
  476. @type String
  477. @final
  478. */
  479. get type() {
  480. return type;
  481. }
  482.  
  483. init(cfg) {
  484.  
  485. super.init(cfg);
  486.  
  487. const self = this;
  488.  
  489. const transparent = !!cfg.transparent;
  490.  
  491. /**
  492. The number of models currently loading.
  493.  
  494. @property loading
  495. @final
  496. @type {Number}
  497. */
  498. this.loading = 0;
  499.  
  500. /**
  501. The epoch time (in milliseconds since 1970) when this Scene was instantiated.
  502.  
  503. @property timeCreated
  504. @final
  505. @type {Number}
  506. */
  507. this.startTime = (new Date()).getTime();
  508.  
  509. /**
  510. {{#crossLink "Model"}}{{/crossLink}}s in this Scene, mapped to their IDs.
  511.  
  512. @property models
  513. @final
  514. @type {String:xeogl.Model}
  515. */
  516. this.models = {};
  517.  
  518. /**
  519. The {{#crossLink "Object"}}Objects{{/crossLink}} in this Scene, mapped to their IDs.
  520.  
  521. @property objects
  522. @final
  523. @type {{String:Object}}
  524. */
  525. this.objects = {};
  526.  
  527. /**
  528. {{#crossLink "Object"}}Objects{{/crossLink}} in this Scene that have GUIDs, mapped to their GUIDs.
  529.  
  530. Each Object is registered in this map when its {{#crossLink "Object/guid:property"}}{{/crossLink}} is
  531. assigned a value.
  532.  
  533. @property guidObjects
  534. @final
  535. @type {{String:Object}}
  536. */
  537. this.guidObjects = {};
  538.  
  539. /**
  540. For each entity type, a map of IDs to {{#crossLink "Object"}}Objects{{/crossLink}} of that entity type.
  541.  
  542. Each Object is registered in this map when its {{#crossLink "Object/entityType:property"}}{{/crossLink}} is
  543. assigned a value.
  544.  
  545. @property entityTypes
  546. @final
  547. @type {String:{String:xeogl.Component}}
  548. */
  549. this.entityTypes = {};
  550.  
  551. /**
  552. {{#crossLink "Object"}}Objects{{/crossLink}} in this Scene that have entity types, mapped to their IDs.
  553.  
  554. Each Object is registered in this map when its {{#crossLink "Object/entityType:property"}}{{/crossLink}} is
  555. assigned a value.
  556.  
  557. @property entities
  558. @final
  559. @type {{String:Object}}
  560. */
  561. this.entities = {};
  562.  
  563. /**
  564. Visible entity {{#crossLink "Object"}}Objects{{/crossLink}} within this Scene, mapped to their IDs.
  565.  
  566. Each Object is registered in this map when its {{#crossLink "Object/visible:property"}}{{/crossLink}} property is true and its
  567. {{#crossLink "Object/entityType:property"}}{{/crossLink}} is assigned a value.
  568.  
  569. @property visibleEntities
  570. @final
  571. @type {{String:Object}}
  572. */
  573. this.visibleEntities = {};
  574.  
  575. /**
  576. Ghosted entity {{#crossLink "Object"}}Objects{{/crossLink}} within this Scene, mapped to their IDs.
  577.  
  578. Each Object is registered in this map when its {{#crossLink "Object/ghosted:property"}}{{/crossLink}} property is true and its
  579. {{#crossLink "Object/entityType:property"}}{{/crossLink}} is assigned a value.
  580.  
  581. @property ghostedEntities
  582. @final
  583. @type {{String:Object}}
  584. */
  585. this.ghostedEntities = {};
  586.  
  587. /**
  588. Highlighted entity {{#crossLink "Object"}}Objects{{/crossLink}} within this Scene, mapped to their IDs.
  589.  
  590. Each Object is registered in this map when its {{#crossLink "Object/highlighted:property"}}{{/crossLink}} property is true and its
  591. {{#crossLink "Object/entityType:property"}}{{/crossLink}} is assigned a value.
  592.  
  593. @property highlightedEntities
  594. @final
  595. @type {{String:Object}}
  596. */
  597. this.highlightedEntities = {};
  598.  
  599. /**
  600. Selected entity {{#crossLink "Object"}}Objects{{/crossLink}} within this Scene, mapped to their IDs.
  601.  
  602. Each Object is registered in this map when its {{#crossLink "Object/selected:property"}}{{/crossLink}} property is true and its
  603. {{#crossLink "Object/entityType:property"}}{{/crossLink}} is assigned a value.
  604.  
  605. @property selectedEntities
  606. @final
  607. @type {{String:Object}}
  608. */
  609. this.selectedEntities = {};
  610.  
  611. // Cached ID arrays, lazy-rebuilt as needed when stale after map updates
  612.  
  613. /**
  614. Lazy-regenerated ID lists.
  615. */
  616. this._objectGUIDs = null;
  617. this._entityIds = null;
  618. this._visibleEntityIds = null;
  619. this._ghostedEntityIds = null;
  620. this._highlightedEntityIds = null;
  621. this._selectedEntityIds = null;
  622.  
  623. /**
  624. The {{#crossLink "Mesh"}}Meshes{{/crossLink}} in this Scene, mapped to their IDs.
  625.  
  626. @property meshes
  627. @final
  628. @type {String:xeogl.Mesh}
  629. */
  630. this.meshes = {};
  631.  
  632. this._needRecompileMeshes = false;
  633.  
  634. /**
  635. For each {{#crossLink "Component"}}{{/crossLink}} type, a map of
  636. IDs to {{#crossLink "Component"}}Components{{/crossLink}} instances of that type.
  637.  
  638. @property types
  639. @final
  640. @type {String:{String:xeogl.Component}}
  641. */
  642. this.types = {};
  643.  
  644. /**
  645. The {{#crossLink "Component"}}Component{{/crossLink}} within this Scene, mapped to their IDs.
  646.  
  647. @property components
  648. @final
  649. @type {String:xeogl.Component}
  650. */
  651. this.components = {};
  652.  
  653. /**
  654. The root {{#crossLink "Object"}}Objects{{/crossLink}} in this Scene, mapped to their IDs.
  655.  
  656. @property rootObjects
  657. @final
  658. @type {{String:Object}}
  659. */
  660. this.rootObjects = {};
  661.  
  662. /**
  663. The {{#crossLink "Clip"}}Clip{{/crossLink}} components in this Scene, mapped to their IDs.
  664.  
  665. @property clips
  666. @final
  667. @type {{String:Clip}}
  668. */
  669. this.clips = {};
  670.  
  671. /**
  672. The {{#crossLink "PointLight"}}{{/crossLink}}, {{#crossLink "DirLight"}}{{/crossLink}},
  673. {{#crossLink "SpotLight"}}{{/crossLink}} and {{#crossLink "AmbientLight"}}{{/crossLink}} components in this Scene, mapped to their IDs.
  674.  
  675. @property lights
  676. @final
  677. @type {{String:Object}}
  678. */
  679. this.lights = {};
  680.  
  681. /**
  682. The {{#crossLink "LightMap"}}{{/crossLink}} components in this Scene, mapped to their IDs.
  683.  
  684. @property lightMaps
  685. @final
  686. @type {{String:LightMap}}
  687. */
  688. this.lightMaps = {};
  689.  
  690. /**
  691. The {{#crossLink "ReflectionMap"}}{{/crossLink}} components in this Scene, mapped to their IDs.
  692.  
  693. @property reflectionMaps
  694. @final
  695. @type {{String:ReflectionMap}}
  696. */
  697. this.reflectionMaps = {};
  698.  
  699. /**
  700. Manages the HTML5 canvas for this Scene.
  701. @final
  702. @property canvas
  703. @type {Canvas}
  704. */
  705. this.canvas = new Canvas(this, {
  706. dontClear: true, // Never destroy this component with Scene#clear();
  707. canvas: cfg.canvas, // Can be canvas ID, canvas element, or null
  708. transparent: transparent,
  709. backgroundColor: cfg.backgroundColor,
  710. backgroundImage: cfg.backgroundImage,
  711. webgl2: cfg.webgl2 !== false,
  712. contextAttr: cfg.contextAttr || {},
  713. simulateWebGLContextLost: cfg.simulateWebGLContextLost
  714. });
  715.  
  716. // Redraw as canvas resized
  717. this.canvas.on("boundary", function () {
  718. self._renderer.imageDirty();
  719. });
  720.  
  721. this.canvas.on("webglContextFailed", function () {
  722. alert("xeogl failed to find WebGL!");
  723. });
  724.  
  725. this._renderer = new Renderer(this, {
  726. transparent: transparent
  727. });
  728.  
  729. this._clipsState = new (function () {
  730.  
  731. this.clips = [];
  732.  
  733. let hash = null;
  734.  
  735. this.getHash = function () {
  736. if (hash) {
  737. return hash;
  738. }
  739. const clips = this.clips;
  740. if (clips.length === 0) {
  741. return this.hash = ";";
  742. }
  743. let clip;
  744. const hashParts = [];
  745. for (let i = 0, len = clips.length; i < len; i++) {
  746. clip = clips[i];
  747. hashParts.push("cp");
  748. }
  749. hashParts.push(";");
  750. hash = hashParts.join("");
  751. return hash;
  752. };
  753.  
  754. this.addClip = function (clip) {
  755. this.clips.push(clip);
  756. hash = null;
  757. };
  758.  
  759. this.removeClip = function (clip) {
  760. for (let i = 0, len = this.clips.length; i < len; i++) {
  761. if (this.clips[i].id === clip.id) {
  762. this.clips.splice(i, 1);
  763. hash = null;
  764. return;
  765. }
  766. }
  767. };
  768. })();
  769.  
  770. this._lightsState = new (function () {
  771.  
  772. const DEFAULT_AMBIENT = math.vec3([0, 0, 0]);
  773. const ambientColor = math.vec3();
  774.  
  775. this.lights = [];
  776. this.reflectionMaps = [];
  777. this.lightMaps = [];
  778.  
  779. let hash = null;
  780. let ambientLight = null;
  781.  
  782. this.getHash = function () {
  783. if (hash) {
  784. return hash;
  785. }
  786. const hashParts = [];
  787. const lights = this.lights;
  788. let light;
  789. for (let i = 0, len = lights.length; i < len; i++) {
  790. light = lights[i];
  791. hashParts.push("/");
  792. hashParts.push(light.type);
  793. hashParts.push((light.space === "world") ? "w" : "v");
  794. if (light.shadow) {
  795. hashParts.push("sh");
  796. }
  797. }
  798. if (this.lightMaps.length > 0) {
  799. hashParts.push("/lm");
  800. }
  801. if (this.reflectionMaps.length > 0) {
  802. hashParts.push("/rm");
  803. }
  804. hashParts.push(";");
  805. hash = hashParts.join("");
  806. return hash;
  807. };
  808.  
  809. this.addLight = function (state) {
  810. this.lights.push(state);
  811. ambientLight = null;
  812. hash = null;
  813. };
  814.  
  815. this.removeLight = function (state) {
  816. for (let i = 0, len = this.lights.length; i < len; i++) {
  817. const light = this.lights[i];
  818. if (light.id === state.id) {
  819. this.lights.splice(i, 1);
  820. if (ambientLight && ambientLight.id === state.id) {
  821. ambientLight = null;
  822. }
  823. hash = null;
  824. return;
  825. }
  826. }
  827. };
  828.  
  829. this.addReflectionMap = function (state) {
  830. this.reflectionMaps.push(state);
  831. hash = null;
  832. };
  833.  
  834. this.removeReflectionMap = function (state) {
  835. for (let i = 0, len = this.reflectionMaps.length; i < len; i++) {
  836. if (this.reflectionMaps[i].id === state.id) {
  837. this.reflectionMaps.splice(i, 1);
  838. hash = null;
  839. return;
  840. }
  841. }
  842. };
  843.  
  844. this.addLightMap = function (state) {
  845. this.lightMaps.push(state);
  846. hash = null;
  847. };
  848.  
  849. this.removeLightMap = function (state) {
  850. for (let i = 0, len = this.lightMaps.length; i < len; i++) {
  851. if (this.lightMaps[i].id === state.id) {
  852. this.lightMaps.splice(i, 1);
  853. hash = null;
  854. return;
  855. }
  856. }
  857. };
  858.  
  859. this.getAmbientColor = function () {
  860. if (!ambientLight) {
  861. for (let i = 0, len = this.lights.length; i < len; i++) {
  862. const light = this.lights[i];
  863. if (light.type === "ambient") {
  864. ambientLight = light;
  865. break;
  866. }
  867. }
  868. }
  869. if (ambientLight) {
  870. const color = ambientLight.color;
  871. const intensity = ambientLight.intensity;
  872. ambientColor[0] = color[0] * intensity;
  873. ambientColor[1] = color[1] * intensity;
  874. ambientColor[2] = color[2] * intensity;
  875. return ambientColor;
  876. } else {
  877. return DEFAULT_AMBIENT;
  878. }
  879. };
  880.  
  881. })();
  882.  
  883. /**
  884. Publishes input events that occur on this Scene's canvas.
  885.  
  886. @final
  887. @property input
  888. @type {Input}
  889. @final
  890. */
  891. this.input = new Input(this, {
  892. dontClear: true, // Never destroy this component with Scene#clear();
  893. element: this.canvas.canvas
  894. });
  895.  
  896. // Register Scene on xeogl
  897. // Do this BEFORE we add components below
  898. core._addScene(this);
  899.  
  900. // Add components specified as JSON
  901.  
  902. const componentJSONs = cfg.components;
  903.  
  904. if (componentJSONs) {
  905. let componentJSON;
  906. let type;
  907. let constr;
  908. for (let i = 0, len = componentJSONs.length; i < len; i++) {
  909. componentJSON = componentJSONs[i];
  910. type = componentJSON.type;
  911. if (type) {
  912. constr = window[type];
  913. if (constr) {
  914. new constr(this, componentJSON);
  915. }
  916. }
  917. }
  918. }
  919.  
  920. // Init default components
  921.  
  922. this._initDefaults();
  923.  
  924. // Global components
  925.  
  926. this._viewport = new Viewport(this, {
  927. id: "default.viewport",
  928. autoBoundary: true,
  929. dontClear: true // Never destroy this component with Scene#clear();
  930. });
  931.  
  932. this._camera = new Camera(this, {
  933. id: "default.camera",
  934. dontClear: true // Never destroy this component with Scene#clear();
  935. });
  936.  
  937. // Default lights
  938.  
  939. new DirLight(this, {
  940. dir: [0.8, -0.6, -0.8],
  941. color: [1.0, 1.0, 1.0],
  942. intensity: 1.0,
  943. space: "view"
  944. });
  945.  
  946. new DirLight(this, {
  947. dir: [-0.8, -0.4, -0.4],
  948. color: [1.0, 1.0, 1.0],
  949. intensity: 1.0,
  950. space: "view"
  951. });
  952.  
  953. new DirLight(this, {
  954. dir: [0.2, -0.8, 0.8],
  955. color: [0.6, 0.6, 0.6],
  956. intensity: 1.0,
  957. space: "view"
  958. });
  959.  
  960. // Plug global components into renderer
  961.  
  962. const viewport = this._viewport;
  963. const renderer = this._renderer;
  964. const camera = this._camera;
  965.  
  966. camera.on("dirty", function () {
  967. renderer.imageDirty();
  968. });
  969.  
  970. this.ticksPerRender = cfg.ticksPerRender;
  971. this.passes = cfg.passes;
  972. this.clearEachPass = cfg.clearEachPass;
  973. this.gammaInput = cfg.gammaInput;
  974. this.gammaOutput = cfg.gammaOutput;
  975. this.gammaFactor = cfg.gammaFactor;
  976. }
  977.  
  978. _initDefaults() {
  979.  
  980. // Call this Scene's property accessors to lazy-init their properties
  981.  
  982. let dummy; // Keeps Codacy happy
  983.  
  984. dummy = this.geometry;
  985. dummy = this.material;
  986. dummy = this.ghostMaterial;
  987. dummy = this.outlineMaterial;
  988. }
  989.  
  990. _addComponent(component) {
  991. if (component.id) { // Manual ID
  992. if (this.components[component.id]) {
  993. this.error("Component " + utils.inQuotes(component.id) + " already exists in Scene - ignoring ID, will randomly-generate instead");
  994. component.id = null;
  995. }
  996. }
  997. if (!component.id) { // Auto ID
  998. if (window.nextID === undefined) {
  999. window.nextID = 0;
  1000. }
  1001. //component.id = math.createUUID();
  1002. component.id = "_" + window.nextID++;
  1003. while (this.components[component.id]) {
  1004. component.id = math.createUUID();
  1005. }
  1006. }
  1007. this.components[component.id] = component;
  1008. // Register for class type
  1009. const type = component.type;
  1010. let types = this.types[component.type];
  1011. if (!types) {
  1012. types = this.types[type] = {};
  1013. }
  1014. types[component.id] = component;
  1015. }
  1016.  
  1017. _removeComponent(component) {
  1018. delete this.components[component.id];
  1019. const types = this.types[component.type];
  1020. if (types) {
  1021. delete types[component.id];
  1022. if (utils.isEmptyObject(types)) {
  1023. delete this.types[component.type];
  1024. }
  1025. }
  1026. }
  1027.  
  1028. // Methods below are called by various component types to register themselves on their
  1029. // Scene. Violates Hollywood Principle, where we could just filter on type in _addComponent,
  1030. // but this is faster than checking the type of each component in such a filter.
  1031.  
  1032. _clipCreated(clip) {
  1033. this.clips[clip.id] = clip;
  1034. this.scene._clipsState.addClip(clip._state);
  1035. this._needRecompileMeshes = true;
  1036. }
  1037.  
  1038. _lightCreated(light) {
  1039. this.lights[light.id] = light;
  1040. this.scene._lightsState.addLight(light._state);
  1041. this._needRecompileMeshes = true;
  1042. }
  1043.  
  1044. _lightMapCreated(lightMap) {
  1045. this.lightMaps[lightMap.id] = lightMap;
  1046. this.scene._lightsState.addLightMap(lightMap._state);
  1047. this._needRecompileMeshes = true;
  1048. }
  1049.  
  1050. _reflectionMapCreated(reflectionMap) {
  1051. this.reflectionMaps[reflectionMap.id] = reflectionMap;
  1052. this.scene._lightsState.addReflectionMap(reflectionMap._state);
  1053. this._needRecompileMeshes = true;
  1054. }
  1055.  
  1056. _objectCreated(object) {
  1057. this.objects[object.id] = object;
  1058. if (object.guid) {
  1059. this.guidObjects[object.id] = object;
  1060. this._objectGUIDs = null; // To lazy-rebuild
  1061. }
  1062. if (!object.parent) {
  1063. this.rootObjects[object.id] = object; // TODO: What about when a root Object is added as child to another?
  1064. }
  1065. stats.components.objects++;
  1066. }
  1067.  
  1068. _meshCreated(mesh) {
  1069. this.meshes[mesh.id] = mesh;
  1070. stats.components.meshes++;
  1071. }
  1072.  
  1073. _modelCreated(model) {
  1074. this.models[model.id] = model;
  1075. stats.components.models++;
  1076. }
  1077.  
  1078. _clipDestroyed(clip) {
  1079. delete this.clips[clip.id];
  1080. this.scene._clipsState.removeClip(clip._state);
  1081. this._needRecompileMeshes = true;
  1082. }
  1083.  
  1084. _lightDestroyed(light) {
  1085. delete this.lights[light.id];
  1086. this.scene._lightsState.removeLight(light._state);
  1087. this._needRecompileMeshes = true;
  1088. }
  1089.  
  1090. _lightMapDestroyed(lightMap) {
  1091. delete this.lightMaps[lightMap.id];
  1092. this.scene._lightsState.removeLightMap(lightMap._state);
  1093. this._needRecompileMeshes = true;
  1094. }
  1095.  
  1096. _reflectionMapDestroyed(reflectionMap) {
  1097. delete this.reflectionMaps[reflectionMap.id];
  1098. this.scene._lightsState.removeReflectionMap(reflectionMap._state);
  1099. this._needRecompileMeshes = true;
  1100. }
  1101.  
  1102. _objectDestroyed(object) {
  1103. delete this.objects[object.id];
  1104. if (object.guid) {
  1105. delete this.guidObjects[object.guid];
  1106. this._objectGUIDs = null; // To lazy-rebuild
  1107. }
  1108. if (!object.parent) {
  1109. delete this.rootObjects[object.id];
  1110. }
  1111. stats.components.objects--;
  1112. }
  1113.  
  1114. _meshDestroyed(mesh) {
  1115. stats.components.meshes--;
  1116. delete this.meshes[mesh.id];
  1117. stats.components.meshes--;
  1118. }
  1119.  
  1120. _modelDestroyed(model) {
  1121. this.models[model.id] = model;
  1122. stats.components.models++;
  1123. }
  1124.  
  1125. _entityTypeAssigned(object, newEntityType) {
  1126. this.entities[object.id] = object;
  1127. let objectsOfType = this.entityTypes[newEntityType];
  1128. if (!objectsOfType) {
  1129. objectsOfType = {};
  1130. this.entityTypes[newEntityType] = objectsOfType;
  1131. }
  1132. objectsOfType[object.id] = object;
  1133. this._entityIds = null; // Lazy regenerate
  1134. this._entityTypeIds = null; // Lazy regenerate
  1135. }
  1136.  
  1137. _entityTypeRemoved(object, oldEntityType) {
  1138. delete this.entities[object.id];
  1139. const objectsOfType = this.entityTypes[oldEntityType];
  1140. if (objectsOfType) {
  1141. delete objectsOfType[object.id];
  1142. }
  1143. this._entityIds = null; // Lazy regenerate
  1144. this._entityTypeIds = null; // Lazy regenerate
  1145. }
  1146.  
  1147. _entityVisibilityUpdated(object, visible) {
  1148. if (visible) {
  1149. this.visibleEntities[object.id] = object;
  1150. } else {
  1151. delete this.visibleEntities[object.id];
  1152. }
  1153. this._visibleEntityIds = null; // Lazy regenerate
  1154. }
  1155.  
  1156. _entityGhostedUpdated(object, ghosted) {
  1157. if (ghosted) {
  1158. this.ghostedEntities[object.id] = object;
  1159. } else {
  1160. delete this.ghostedEntities[object.id];
  1161. }
  1162. this._ghostedEntityIds = null; // Lazy regenerate
  1163. }
  1164.  
  1165. _entityHighlightedUpdated(object, highlighted) {
  1166. if (highlighted) {
  1167. this.highlightedEntities[object.id] = object;
  1168. } else {
  1169. delete this.highlightedEntities[object.id];
  1170. }
  1171. this._highlightedEntityIds = null; // Lazy regenerate
  1172. }
  1173.  
  1174. _entitySelectedUpdated(object, selected) {
  1175. if (selected) {
  1176. this.selectedEntities[object.id] = object;
  1177. } else {
  1178. delete this.selectedEntities[object.id];
  1179. }
  1180. this._selectedEntityIds = null; // Lazy regenerate
  1181. }
  1182.  
  1183. _webglContextLost() {
  1184. // this.loading++;
  1185. this.canvas.spinner.processes++;
  1186. for (const id in this.components) {
  1187. if (this.components.hasOwnProperty(id)) {
  1188. const component = this.components[id];
  1189. if (component._webglContextLost) {
  1190. component._webglContextLost();
  1191. }
  1192. }
  1193. }
  1194. this._renderer.webglContextLost();
  1195. }
  1196.  
  1197. _webglContextRestored() {
  1198. const gl = this.canvas.gl;
  1199. for (const id in this.components) {
  1200. if (this.components.hasOwnProperty(id)) {
  1201. const component = this.components[id];
  1202. if (component._webglContextRestored) {
  1203. component._webglContextRestored(gl);
  1204. }
  1205. }
  1206. }
  1207. this._renderer.webglContextRestored(gl);
  1208. //this.loading--;
  1209. this.canvas.spinner.processes--;
  1210. }
  1211.  
  1212. /**
  1213. * Renders a single frame of this Scene.
  1214. *
  1215. * The Scene will periodically render itself after any updates, but you can call this method to force a render
  1216. * if required. This method is typically used when we want to synchronously take a snapshot of the canvas and
  1217. * need everything rendered right at that moment.
  1218. *
  1219. * @method render
  1220. * @param {Boolean} [forceRender=false] Forces a render when true, otherwise only renders if something has changed in this Scene
  1221. * since the last render.
  1222. */
  1223. render(forceRender) {
  1224.  
  1225. const renderEvent = {
  1226. sceneId: null,
  1227. pass: 0
  1228. };
  1229.  
  1230.  
  1231. if (this._needRecompileMeshes) {
  1232. this._recompileMeshes();
  1233. this._needRecompileMeshes = false;
  1234. }
  1235.  
  1236. if (this.loading > 0 || this.canvas.spinner.processes > 0) {
  1237. this.canvas.canvas.style.opacity = 0.0;
  1238. return;
  1239. }
  1240.  
  1241. let opacity = Number.parseFloat(this.canvas.canvas.style.opacity);
  1242. if (opacity < 1.0) {
  1243. opacity += 0.1;
  1244. this.canvas.canvas.style.opacity = opacity;
  1245. }
  1246.  
  1247. renderEvent.sceneId = this.id;
  1248.  
  1249. const passes = this._passes;
  1250. const clearEachPass = this._clearEachPass;
  1251. let pass;
  1252. let clear;
  1253.  
  1254. for (pass = 0; pass < passes; pass++) {
  1255.  
  1256. renderEvent.pass = pass;
  1257.  
  1258. /**
  1259. * Fired when about to render a frame for a Scene.
  1260. *
  1261. * @event rendering
  1262. * @param {String} sceneID The ID of this Scene.
  1263. * @param {Number} pass Index of the pass we are about to render (see {{#crossLink "Scene/passes:property"}}{{/crossLink}}).
  1264. */
  1265. this.fire("rendering", renderEvent, true);
  1266.  
  1267. clear = clearEachPass || (pass === 0);
  1268.  
  1269. this._renderer.render({pass: pass, clear: clear, force: forceRender});
  1270.  
  1271. /**
  1272. * Fired when we have just rendered a frame for a Scene.
  1273. *
  1274. * @event rendering
  1275. * @param {String} sceneID The ID of this Scene.
  1276. * @param {Number} pass Index of the pass we rendered (see {{#crossLink "Scene/passes:property"}}{{/crossLink}}).
  1277. */
  1278. this.fire("rendered", renderEvent, true);
  1279. }
  1280.  
  1281. this._saveAmbientColor();
  1282. }
  1283.  
  1284. _recompileMeshes() {
  1285. for (const id in this.meshes) {
  1286. if (this.meshes.hasOwnProperty(id)) {
  1287. this.meshes[id]._compile();
  1288. }
  1289. }
  1290. }
  1291.  
  1292. _saveAmbientColor() {
  1293. const canvas = this.canvas;
  1294. if (!canvas.transparent && !canvas.backgroundImage && !canvas.backgroundColor) {
  1295. const ambientColor = this._lightsState.getAmbientColor();
  1296. if (!this._lastAmbientColor ||
  1297. this._lastAmbientColor[0] !== ambientColor[0] ||
  1298. this._lastAmbientColor[1] !== ambientColor[1] ||
  1299. this._lastAmbientColor[2] !== ambientColor[2] ||
  1300. this._lastAmbientColor[3] !== ambientColor[3]) {
  1301. canvas.backgroundColor = ambientColor;
  1302. if (!this._lastAmbientColor) {
  1303. this._lastAmbientColor = math.vec4([0, 0, 0, 1]);
  1304. }
  1305. this._lastAmbientColor.set(ambientColor);
  1306. }
  1307. } else {
  1308. this._lastAmbientColor = null;
  1309. }
  1310. }
  1311.  
  1312. /**
  1313. Convenience array of entity type IDs in {{#crossLink "Scene/entityTypes:property"}}{{/crossLink}}.
  1314. @property entityTypeIds
  1315. @final
  1316. @type {Array of String}
  1317. */
  1318. get objectGUIDs() {
  1319. if (!this._objectGUIDs) {
  1320. this._objectGUIDs = Object.keys(this.guidObjects);
  1321. }
  1322. return this._objectGUIDs;
  1323. }
  1324.  
  1325. /**
  1326. Convenience array of entity type IDs in {{#crossLink "Scene/entityTypes:property"}}{{/crossLink}}.
  1327. @property entityTypeIds
  1328. @final
  1329. @type {Array of String}
  1330. */
  1331. get entityTypeIds() {
  1332. if (!this._entityTypeIds) {
  1333. this._entityTypeIds = Object.keys(this.entityTypes);
  1334. }
  1335. return this._entityTypeIds;
  1336. }
  1337.  
  1338. /**
  1339. Convenience array of IDs in {{#crossLink "Scene/entities:property"}}{{/crossLink}}.
  1340. @property entityIds
  1341. @final
  1342. @type {Array of String}
  1343. */
  1344. get entityIds() {
  1345. if (!this._entityIds) {
  1346. this._entityIds = Object.keys(this.entities);
  1347. }
  1348. return this._entityIds;
  1349. }
  1350.  
  1351. /**
  1352. Convenience array of IDs in {{#crossLink "Scene/visibleEntities:property"}}{{/crossLink}}.
  1353. @property visibleEntityIds
  1354. @final
  1355. @type {Array of String}
  1356. */
  1357. get visibleEntityIds() {
  1358. if (!this._visibleEntityIds) {
  1359. this._visibleEntityIds = Object.keys(this.visibleEntities);
  1360. }
  1361. return this._visibleEntityIds;
  1362. }
  1363.  
  1364. /**
  1365. Convenience array of IDs in {{#crossLink "Scene/ghostedEntities:property"}}{{/crossLink}}.
  1366. @property ghostedEntityIds
  1367. @final
  1368. @type {Array of String}
  1369. */
  1370. get ghostedEntityIds() {
  1371. if (!this._ghostedEntityIds) {
  1372. this._ghostedEntityIds = Object.keys(this.ghostedEntities);
  1373. }
  1374. return this._ghostedEntityIds;
  1375. }
  1376.  
  1377. /**
  1378. Convenience array of IDs in {{#crossLink "Scene/highlightedEntities:property"}}{{/crossLink}}.
  1379. @property highlightedEntityIds
  1380. @final
  1381. @type {Array of String}
  1382. */
  1383. get highlightedEntityIds() {
  1384. if (!this._highlightedEntityIds) {
  1385. this._highlightedEntityIds = Object.keys(this.highlightedEntities);
  1386. }
  1387. return this._highlightedEntityIds;
  1388. }
  1389.  
  1390. /**
  1391. Convenience array of IDs in {{#crossLink "Scene/selectedEntities:property"}}{{/crossLink}}.
  1392. @property selectedEntityIds
  1393. @final
  1394. @type {Array of String}
  1395. */
  1396. get selectedEntityIds() {
  1397. if (!this._selectedEntityIds) {
  1398. this._selectedEntityIds = Object.keys(this.selectedEntities);
  1399. }
  1400. return this._selectedEntityIds;
  1401. }
  1402.  
  1403. /**
  1404. The number of {{#crossLink "Scene/tick:property"}}{{/crossLink}} that happen between each render or this Scene.
  1405.  
  1406. @property ticksPerRender
  1407. @default 1
  1408. @type Number
  1409. */
  1410. set ticksPerRender(value) {
  1411. if (value === undefined || value === null) {
  1412. value = 1;
  1413. } else if (!utils.isNumeric(value) || value <= 0) {
  1414. this.error("Unsupported value for 'ticksPerRender': '" + value +
  1415. "' - should be an integer greater than zero.");
  1416. value = 1;
  1417. }
  1418. if (value === this._ticksPerRender) {
  1419. return;
  1420. }
  1421. this._ticksPerRender = value;
  1422. }
  1423.  
  1424. get ticksPerRender() {
  1425. return this._ticksPerRender;
  1426. }
  1427.  
  1428. /**
  1429. The number of times this Scene renders per frame.
  1430.  
  1431. @property passes
  1432. @default 1
  1433. @type Number
  1434. */
  1435. set passes(value) {
  1436. if (value === undefined || value === null) {
  1437. value = 1;
  1438. } else if (!utils.isNumeric(value) || value <= 0) {
  1439. this.error("Unsupported value for 'passes': '" + value +
  1440. "' - should be an integer greater than zero.");
  1441. value = 1;
  1442. }
  1443. if (value === this._passes) {
  1444. return;
  1445. }
  1446. this._passes = value;
  1447. this._renderer.imageDirty();
  1448. }
  1449.  
  1450. get passes() {
  1451. return this._passes;
  1452. }
  1453.  
  1454. /**
  1455. When doing multiple passes per frame, specifies whether to clear the
  1456. canvas before each pass (true) or just before the first pass (false).
  1457.  
  1458. @property clearEachPass
  1459. @default false
  1460. @type Boolean
  1461. */
  1462. set clearEachPass(value) {
  1463. value = !!value;
  1464. if (value === this._clearEachPass) {
  1465. return;
  1466. }
  1467. this._clearEachPass = value;
  1468. this._renderer.imageDirty();
  1469. }
  1470.  
  1471. get clearEachPass() {
  1472. return this._clearEachPass;
  1473. }
  1474.  
  1475. /**
  1476. When true, expects all textures and colors are premultiplied gamma.
  1477.  
  1478. @property gammaInput
  1479. @default false
  1480. @type Boolean
  1481. */
  1482. set gammaInput(value) {
  1483. value = value !== false;
  1484. if (value === this._renderer.gammaInput) {
  1485. return;
  1486. }
  1487. this._renderer.gammaInput = value;
  1488. this._needRecompileMeshes = true;
  1489. }
  1490.  
  1491. get gammaInput() {
  1492. return this._renderer.gammaInput;
  1493. }
  1494.  
  1495. /**
  1496. Whether or not to render pixels with pre-multiplied gama.
  1497.  
  1498. @property gammaOutput
  1499. @default true
  1500. @type Boolean
  1501. */
  1502. set gammaOutput(value) {
  1503. value = value !== false;
  1504. if (value === this._renderer.gammaOutput) {
  1505. return;
  1506. }
  1507. this._renderer.gammaOutput = value;
  1508. this._needRecompileMeshes = true;
  1509. }
  1510.  
  1511. get gammaOutput() {
  1512. return this._renderer.gammaOutput;
  1513. }
  1514.  
  1515. /**
  1516. The gamma factor to use when {{#crossLink "Scene/property:gammaOutput"}}{{/crossLink}} is set true.
  1517.  
  1518. @property gammaOutput
  1519. @default 1.0
  1520. @type Number
  1521. */
  1522. set gammaFactor(value) {
  1523. value = (value === undefined || value === null) ? 2.2 : value;
  1524. if (value === this._renderer.gammaFactor) {
  1525. return;
  1526. }
  1527. this._renderer.gammaFactor = value;
  1528. this._renderer.imageDirty();
  1529. }
  1530.  
  1531. get gammaFactor() {
  1532. return this._renderer.gammaFactor;
  1533. }
  1534.  
  1535. /**
  1536. The default geometry for this Scene, which is a {{#crossLink "BoxGeometry"}}BoxGeometry{{/crossLink}}.
  1537.  
  1538. This {{#crossLink "BoxGeometry"}}BoxGeometry{{/crossLink}} has an {{#crossLink "Component/id:property"}}id{{/crossLink}} equal to "default.geometry".
  1539.  
  1540. {{#crossLink "Mesh"}}Meshes{{/crossLink}} in this Scene are attached to this
  1541. {{#crossLink "Geometry"}}Geometry{{/crossLink}} by default.
  1542. @property geometry
  1543. @final
  1544. @type BoxGeometry
  1545. */
  1546. get geometry() {
  1547. return this.components["default.geometry"] ||
  1548. new BoxGeometry(this, {
  1549. id: "default.geometry",
  1550. dontClear: true
  1551. });
  1552. }
  1553.  
  1554. /**
  1555. The default drawing material for this Scene, which is a {{#crossLink "PhongMaterial"}}PhongMaterial{{/crossLink}}.
  1556.  
  1557. This {{#crossLink "PhongMaterial"}}PhongMaterial{{/crossLink}} has
  1558. an {{#crossLink "Component/id:property"}}id{{/crossLink}} equal to "default.material", with all
  1559. other properties initialised to their default values.
  1560.  
  1561. {{#crossLink "Mesh"}}Meshes{{/crossLink}} in this Scene are attached to this
  1562. {{#crossLink "PhongMaterial"}}PhongMaterial{{/crossLink}} by default.
  1563. @property material
  1564. @final
  1565. @type PhongMaterial
  1566. */
  1567. get material() {
  1568. return this.components["default.material"] || new PhongMaterial(this, {
  1569. id: "default.material",
  1570. emissive: [0.4, 0.4, 0.4], // Visible by default on geometry without normals
  1571. dontClear: true
  1572. });
  1573. }
  1574.  
  1575. /**
  1576. The Scene's default {{#crossLink "EmphasisMaterial"}}EmphasisMaterial{{/crossLink}} for the appearance of {{#crossLink "Meshes"}}Meshes{{/crossLink}} when they are ghosted.
  1577.  
  1578. This {{#crossLink "EmphasisMaterial"}}EmphasisMaterial{{/crossLink}} has
  1579. an {{#crossLink "Component/id:property"}}id{{/crossLink}} equal to "default.ghostMaterial", with all
  1580. other properties initialised to their default values.
  1581.  
  1582. {{#crossLink "Mesh"}}Meshes{{/crossLink}} in this Scene are attached to this
  1583. {{#crossLink "EmphasisMaterial"}}EmphasisMaterial{{/crossLink}} by default.
  1584. @property ghostMaterial
  1585. @final
  1586. @type EmphasisMaterial
  1587. */
  1588. get ghostMaterial() {
  1589. return this.components["default.ghostMaterial"] || new EmphasisMaterial(this, {
  1590. id: "default.ghostMaterial",
  1591. preset: "sepia",
  1592. dontClear: true
  1593. });
  1594. }
  1595.  
  1596. /**
  1597. The Scene's default {{#crossLink "EmphasisMaterial"}}EmphasisMaterial{{/crossLink}} for the appearance of {{#crossLink "Meshes"}}Meshes{{/crossLink}} when they are highlighted.
  1598.  
  1599. This {{#crossLink "HighlightMaterial"}}HighlightMaterial{{/crossLink}} has
  1600. an {{#crossLink "Component/id:property"}}id{{/crossLink}} equal to "default.highlightMaterial", with all
  1601. other properties initialised to their default values.
  1602.  
  1603. {{#crossLink "Mesh"}}Meshes{{/crossLink}} in this Scene are attached to this
  1604. {{#crossLink "HighlightMaterial"}}HighlightMaterial{{/crossLink}} by default.
  1605. @property highlightMaterial
  1606. @final
  1607. @type HighlightMaterial
  1608. */
  1609. get highlightMaterial() {
  1610. return this.components["default.highlightMaterial"] || new EmphasisMaterial(this, {
  1611. id: "default.highlightMaterial",
  1612. preset: "yellowHighlight",
  1613. dontClear: true
  1614. });
  1615. }
  1616.  
  1617. /**
  1618. The Scene's default {{#crossLink "EmphasisMaterial"}}EmphasisMaterial{{/crossLink}} for the appearance of {{#crossLink "Meshes"}}Meshes{{/crossLink}} when they are selected.
  1619.  
  1620. This {{#crossLink "SelectedMaterial"}}SelectedMaterial{{/crossLink}} has
  1621. an {{#crossLink "Component/id:property"}}id{{/crossLink}} equal to "default.selectedMaterial", with all
  1622. other properties initialised to their default values.
  1623.  
  1624. {{#crossLink "Mesh"}}Meshes{{/crossLink}} in this Scene are attached to this
  1625. {{#crossLink "SelectedMaterial"}}SelectedMaterial{{/crossLink}} by default.
  1626. @property selectedMaterial
  1627. @final
  1628. @type SelectedMaterial
  1629. */
  1630. get selectedMaterial() {
  1631. return this.components["default.selectedMaterial"] || new EmphasisMaterial(this, {
  1632. id: "default.selectedMaterial",
  1633. preset: "greenSelected",
  1634. dontClear: true
  1635. });
  1636. }
  1637.  
  1638. /**
  1639. The Scene's default {{#crossLink "EdgeMaterial"}}EmphasisMaterial{{/crossLink}} for the appearance of {{#crossLink "Meshes"}}Meshes{{/crossLink}} when edges are emphasized.
  1640.  
  1641. This {{#crossLink "EdgeMaterial"}}EdgeMaterial{{/crossLink}} has
  1642. an {{#crossLink "Component/id:property"}}id{{/crossLink}} equal to "default.edgeMaterial", with all
  1643. other properties initialised to their default values.
  1644.  
  1645. {{#crossLink "Mesh"}}Meshes{{/crossLink}} in this Scene are attached to this
  1646. {{#crossLink "EdgeMaterial"}}EdgeMaterial{{/crossLink}} by default.
  1647. @property edgeMaterial
  1648. @final
  1649. @type EdgeMaterial
  1650. */
  1651. get edgeMaterial() {
  1652. return this.components["default.edgeMaterial"] || new EdgeMaterial(this, {
  1653. id: "default.edgeMaterial",
  1654. preset: "default",
  1655. edgeColor: [0.0, 0.0, 0.0],
  1656. edgeAlpha: 1.0,
  1657. edgeWidth: 1,
  1658. dontClear: true
  1659. });
  1660. }
  1661.  
  1662. /**
  1663. The Scene's default {{#crossLink "OutlineMaterial"}}OutlineMaterial{{/crossLink}} for the appearance of {{#crossLink "Meshes"}}Meshes{{/crossLink}} when they are outlined.
  1664.  
  1665. This {{#crossLink "OutlineMaterial"}}OutlineMaterial{{/crossLink}} has
  1666. an {{#crossLink "Component/id:property"}}id{{/crossLink}} equal to "default.outlineMaterial", with all
  1667. other properties initialised to their default values.
  1668.  
  1669. {{#crossLink "Mesh"}}Meshes{{/crossLink}} in this Scene are attached to this
  1670. {{#crossLink "OutlineMaterial"}}OutlineMaterial{{/crossLink}} by default.
  1671. @property outlineMaterial
  1672. @final
  1673. @type OutlineMaterial
  1674. */
  1675. get outlineMaterial() {
  1676. return this.components["default.outlineMaterial"] || new OutlineMaterial(this, {
  1677. id: "default.outlineMaterial",
  1678. dontClear: true
  1679. });
  1680. }
  1681.  
  1682. /**
  1683. The {{#crossLink "Viewport"}}{{/crossLink}} belonging to this Scene.
  1684.  
  1685. @property viewport
  1686. @final
  1687. @type Viewport
  1688. */
  1689. get viewport() {
  1690. return this._viewport;
  1691. }
  1692.  
  1693. /**
  1694. The {{#crossLink "Camera"}}Camera{{/crossLink}} belonging to this Scene.
  1695.  
  1696. @property camera
  1697. @final
  1698. @type Camera
  1699. */
  1700. get camera() {
  1701. return this._camera;
  1702. }
  1703.  
  1704. /**
  1705. World-space 3D center of this Scene.
  1706.  
  1707. @property center
  1708. @final
  1709. @type {Float32Array}
  1710. */
  1711. get center() {
  1712. if (this._aabbDirty || !this._center) {
  1713. if (!this._center || !this._center) {
  1714. this._center = math.vec3();
  1715. }
  1716. const aabb = this.aabb;
  1717. this._center[0] = (aabb[0] + aabb[3] ) / 2;
  1718. this._center[1] = (aabb[1] + aabb[4] ) / 2;
  1719. this._center[2] = (aabb[2] + aabb[5] ) / 2;
  1720. }
  1721. return this._center;
  1722. }
  1723.  
  1724. /**
  1725. World-space axis-aligned 3D boundary (AABB) of this Scene.
  1726.  
  1727. The AABB is represented by a six-element Float32Array containing the min/max extents of the
  1728. axis-aligned volume, ie. ````[xmin, ymin,zmin,xmax,ymax, zmax]````.
  1729.  
  1730. @property aabb
  1731. @final
  1732. @type {Float32Array}
  1733. */
  1734. get aabb() {
  1735. if (this._aabbDirty) {
  1736. if (!this._aabb) {
  1737. this._aabb = math.AABB3();
  1738. }
  1739. let xmin = math.MAX_DOUBLE;
  1740. let ymin = math.MAX_DOUBLE;
  1741. let zmin = math.MAX_DOUBLE;
  1742. let xmax = -math.MAX_DOUBLE;
  1743. let ymax = -math.MAX_DOUBLE;
  1744. let zmax = -math.MAX_DOUBLE;
  1745. let aabb;
  1746. const meshes = this.meshes;
  1747. let mesh;
  1748. for (const meshId in meshes) {
  1749. if (meshes.hasOwnProperty(meshId)) {
  1750. mesh = meshes[meshId];
  1751. if (!mesh.collidable) {
  1752. continue;
  1753. }
  1754. aabb = mesh.aabb;
  1755. if (aabb[0] < xmin) {
  1756. xmin = aabb[0];
  1757. }
  1758. if (aabb[1] < ymin) {
  1759. ymin = aabb[1];
  1760. }
  1761. if (aabb[2] < zmin) {
  1762. zmin = aabb[2];
  1763. }
  1764. if (aabb[3] > xmax) {
  1765. xmax = aabb[3];
  1766. }
  1767. if (aabb[4] > ymax) {
  1768. ymax = aabb[4];
  1769. }
  1770. if (aabb[5] > zmax) {
  1771. zmax = aabb[5];
  1772. }
  1773. }
  1774. }
  1775. this._aabb[0] = xmin;
  1776. this._aabb[1] = ymin;
  1777. this._aabb[2] = zmin;
  1778. this._aabb[3] = xmax;
  1779. this._aabb[4] = ymax;
  1780. this._aabb[5] = zmax;
  1781. this._aabbDirty = false;
  1782. }
  1783. return this._aabb;
  1784. }
  1785.  
  1786. _setBoundaryDirty() {
  1787. //if (!this._aabbDirty) {
  1788. this._aabbDirty = true;
  1789. this.fire("boundary");
  1790. // }
  1791. }
  1792.  
  1793. /**
  1794. Attempts to pick an {{#crossLink "Mesh"}}Mesh{{/crossLink}} in this Scene.
  1795.  
  1796. Ignores {{#crossLink "Mesh"}}Meshes{{/crossLink}} with {{#crossLink "Mesh/pickable:property"}}pickable{{/crossLink}}
  1797. set *false*.
  1798.  
  1799. When a {{#crossLink "Mesh"}}{{/crossLink}} is picked, fires a "pick" event on the {{#crossLink "Mesh"}}{{/crossLink}}
  1800. with the hit result as parameters.
  1801.  
  1802. Picking the {{#crossLink "Mesh"}}{{/crossLink}} at the given canvas coordinates:
  1803.  
  1804. ````javascript
  1805. var hit = scene.pick({
  1806. canvasPos: [23, 131]
  1807. });
  1808.  
  1809. if (hit) { // Picked a Mesh
  1810. var mesh = hit.mesh;
  1811. }
  1812. ````
  1813.  
  1814. **Usage:**
  1815.  
  1816. Picking the {{#crossLink "Mesh"}}{{/crossLink}} that intersects a ray cast through the canvas:
  1817.  
  1818. ````javascript
  1819. var hit = scene.pick({
  1820. pickSurface: true,
  1821. canvasPos: [23, 131]
  1822. });
  1823.  
  1824. if (hit) { // Picked a Mesh
  1825.  
  1826. var mesh = hit.mesh;
  1827.  
  1828. // These properties are only on the hit result when we do a ray-pick:
  1829.  
  1830. var primitive = hit.primitive; // Type of primitive that was picked, usually "triangles"
  1831. var primIndex = hit.primIndex; // Position of triangle's first index in the picked Mesh's Geometry's indices array
  1832. var indices = hit.indices; // UInt32Array containing the triangle's vertex indices
  1833. var localPos = hit.localPos; // Float32Array containing the picked Local-space position on the triangle
  1834. var worldPos = hit.worldPos; // Float32Array containing the picked World-space position on the triangle
  1835. var viewPos = hit.viewPos; // Float32Array containing the picked View-space position on the triangle
  1836. var bary = hit.bary; // Float32Array containing the picked barycentric position within the triangle
  1837. var normal = hit.normal; // Float32Array containing the interpolated normal vector at the picked position on the triangle
  1838. var uv = hit.uv; // Float32Array containing the interpolated UV coordinates at the picked position on the triangle
  1839. }
  1840. ````
  1841.  
  1842. Picking the {{#crossLink "Mesh"}}{{/crossLink}} that intersects an arbitrarily-aligned World-space ray:
  1843.  
  1844. ````javascript
  1845. var hit = scene.pick({
  1846. pickSurface: true, // Picking with arbitrarily-positioned ray
  1847. origin: [0,0,-5], // Ray origin
  1848. direction: [0,0,1] // Ray direction
  1849. });
  1850.  
  1851. if (hit) { // Picked a Mesh with the ray
  1852.  
  1853. var mesh = hit.mesh;
  1854.  
  1855. var primitive = hit.primitive; // Type of primitive that was picked, usually "triangles"
  1856. var primIndex = hit.primIndex; // Position of triangle's first index in the picked Mesh's Geometry's indices array
  1857. var indices = hit.indices; // UInt32Array containing the triangle's vertex indices
  1858. var localPos = hit.localPos; // Float32Array containing the picked Local-space position on the triangle
  1859. var worldPos = hit.worldPos; // Float32Array containing the picked World-space position on the triangle
  1860. var viewPos = hit.viewPos; // Float32Array containing the picked View-space position on the triangle
  1861. var bary = hit.bary; // Float32Array containing the picked barycentric position within the triangle
  1862. var normal = hit.normal; // Float32Array containing the interpolated normal vector at the picked position on the triangle
  1863. var uv = hit.uv; // Float32Array containing the interpolated UV coordinates at the picked position on the triangle
  1864. var origin = hit.origin; // Float32Array containing the World-space ray origin
  1865. var direction = hit.direction; // Float32Array containing the World-space ray direction
  1866. }
  1867. ````
  1868. @method pick
  1869.  
  1870. @param {*} params Picking parameters.
  1871. @param {Boolean} [params.pickSurface=false] Whether to find the picked position on the surface of the Mesh.
  1872. @param {Float32Array} [params.canvasPos] Canvas-space coordinates. When ray-picking, this will override the
  1873. **origin** and ** direction** parameters and will cause the ray to be fired through the canvas at this position,
  1874. directly along the negative View-space Z-axis.
  1875. @param {Float32Array} [params.origin] World-space ray origin when ray-picking. Ignored when canvasPos given.
  1876. @param {Float32Array} [params.direction] World-space ray direction when ray-picking. Also indicates the length of the ray. Ignored when canvasPos given.
  1877. @param {Array} [params.includeMeshes] IDs of {{#crossLink "Mesh"}}Meshes{{/crossLink}} to restrict picking to. When given, ignores {{#crossLink "Mesh"}}Meshes{{/crossLink}} whose IDs are not in this list.
  1878. @param {Array} [params.excludeMeshes] IDs of {{#crossLink "Mesh"}}Meshes{{/crossLink}} to ignore. When given, will pick *through* these {{#crossLink "Mesh"}}Meshes{{/crossLink}}, as if they were not there.
  1879. @returns {*} Hit record, returned when an {{#crossLink "Mesh"}}{{/crossLink}} is picked, else null. See
  1880. method comments for description.
  1881. */
  1882. pick(params) {
  1883.  
  1884. if (this.canvas.boundary[2] === 0 || this.canvas.boundary[3] === 0) {
  1885. this.error("Picking not allowed while canvas has zero width or height");
  1886. return null;
  1887. }
  1888.  
  1889. params = params || {};
  1890.  
  1891. params.pickSurface = params.pickSurface || params.rayPick; // Backwards compatibility
  1892.  
  1893. if (!params.canvasPos && (!params.origin || !params.direction)) {
  1894. this.warn("picking without canvasPos or ray origin and direction");
  1895. }
  1896.  
  1897. const includeMeshes = params.includeMeshes || params.include; // Backwards compat
  1898. if (includeMeshes) {
  1899. params.includeMeshIds = getMeshIDMap(this, includeMeshes);
  1900. }
  1901.  
  1902. const excludeMeshes = params.excludeMeshes || params.exclude; // Backwards compat
  1903. if (excludeMeshes) {
  1904. params.excludeMeshIds = getMeshIDMap(this, excludeMeshes);
  1905. }
  1906.  
  1907. // if (params.includeEntityTypes) {
  1908. // params.includeObjects = getMeshIDMapFromEntityTypes(this, params.includeEntityTypes);
  1909. // }
  1910. //
  1911. // if (params.excludeEntityTypes) {
  1912. // params.excludeObjects = getMeshIDMapFromEntityTypes(this, params.excludeEntityTypes);
  1913. // }
  1914.  
  1915. const hit = this._renderer.pick(params);
  1916.  
  1917. if (hit) {
  1918.  
  1919. hit.object = hit.mesh; // Backwards compat
  1920.  
  1921. if (params.pickSurface) {
  1922.  
  1923. if (hit.primIndex !== undefined && hit.primIndex > -1) {
  1924.  
  1925. const geometry = hit.mesh.geometry._state;
  1926.  
  1927. if (geometry.primitiveName === "triangles") {
  1928.  
  1929. // Triangle picked; this only happens when the
  1930. // Mesh has a Geometry that has primitives of type "triangle"
  1931.  
  1932. hit.primitive = "triangle";
  1933.  
  1934. // Get the World-space positions of the triangle's vertices
  1935.  
  1936. const i = hit.primIndex; // Indicates the first triangle index in the indices array
  1937.  
  1938. const indices = geometry.indices; // Indices into geometry arrays, not into shared VertexBufs
  1939. const positions = geometry.positions;
  1940.  
  1941. let ia3;
  1942. let ib3;
  1943. let ic3;
  1944.  
  1945. if (indices) {
  1946.  
  1947. var ia = indices[i + 0];
  1948. var ib = indices[i + 1];
  1949. var ic = indices[i + 2];
  1950.  
  1951. triangleVertices[0] = ia;
  1952. triangleVertices[1] = ib;
  1953. triangleVertices[2] = ic;
  1954.  
  1955. hit.indices = triangleVertices;
  1956.  
  1957. ia3 = ia * 3;
  1958. ib3 = ib * 3;
  1959. ic3 = ic * 3;
  1960.  
  1961. } else {
  1962.  
  1963. ia3 = i * 3;
  1964. ib3 = ia3 + 3;
  1965. ic3 = ib3 + 3;
  1966. }
  1967.  
  1968. positionA[0] = positions[ia3 + 0];
  1969. positionA[1] = positions[ia3 + 1];
  1970. positionA[2] = positions[ia3 + 2];
  1971.  
  1972. positionB[0] = positions[ib3 + 0];
  1973. positionB[1] = positions[ib3 + 1];
  1974. positionB[2] = positions[ib3 + 2];
  1975.  
  1976. positionC[0] = positions[ic3 + 0];
  1977. positionC[1] = positions[ic3 + 1];
  1978. positionC[2] = positions[ic3 + 2];
  1979.  
  1980. if (geometry.quantized) {
  1981.  
  1982. // Decompress vertex positions
  1983.  
  1984. const positionsDecodeMatrix = geometry.positionsDecodeMatrix;
  1985. if (positionsDecodeMatrix) {
  1986. math.decompressPosition(positionA, positionsDecodeMatrix, positionA);
  1987. math.decompressPosition(positionB, positionsDecodeMatrix, positionB);
  1988. math.decompressPosition(positionC, positionsDecodeMatrix, positionC);
  1989. }
  1990. }
  1991.  
  1992. // Attempt to ray-pick the triangle in local space
  1993.  
  1994. let canvasPos;
  1995.  
  1996. if (params.canvasPos) {
  1997. canvasPos = params.canvasPos;
  1998. hit.canvasPos = params.canvasPos;
  1999. math.canvasPosToLocalRay(this.camera, hit.mesh, canvasPos, localRayOrigin, localRayDir);
  2000.  
  2001. } else if (params.origin && params.direction) {
  2002. math.worldRayToLocalRay(hit.mesh, params.origin, params.direction, localRayOrigin, localRayDir);
  2003. }
  2004.  
  2005. math.normalizeVec3(localRayDir);
  2006. math.rayPlaneIntersect(localRayOrigin, localRayDir, positionA, positionB, positionC, position);
  2007.  
  2008. // Get Local-space cartesian coordinates of the ray-triangle intersection
  2009.  
  2010. hit.localPos = position;
  2011. hit.position = position;
  2012.  
  2013. // Get interpolated World-space coordinates
  2014.  
  2015. // Need to transform homogeneous coords
  2016.  
  2017. tempVec4a[0] = position[0];
  2018. tempVec4a[1] = position[1];
  2019. tempVec4a[2] = position[2];
  2020. tempVec4a[3] = 1;
  2021.  
  2022. // Get World-space cartesian coordinates of the ray-triangle intersection
  2023.  
  2024. math.transformVec4(hit.mesh.worldMatrix, tempVec4a, tempVec4b);
  2025.  
  2026. worldPos[0] = tempVec4b[0];
  2027. worldPos[1] = tempVec4b[1];
  2028. worldPos[2] = tempVec4b[2];
  2029.  
  2030. hit.worldPos = worldPos;
  2031.  
  2032. // Get View-space cartesian coordinates of the ray-triangle intersection
  2033.  
  2034. math.transformVec4(hit.mesh.scene.camera.matrix, tempVec4b, tempVec4c);
  2035.  
  2036. viewPos[0] = tempVec4c[0];
  2037. viewPos[1] = tempVec4c[1];
  2038. viewPos[2] = tempVec4c[2];
  2039.  
  2040. hit.viewPos = viewPos;
  2041.  
  2042. // Get barycentric coordinates of the ray-triangle intersection
  2043.  
  2044. math.cartesianToBarycentric(position, positionA, positionB, positionC, bary);
  2045.  
  2046. hit.bary = bary;
  2047.  
  2048. // Get interpolated normal vector
  2049.  
  2050. const normals = geometry.normals;
  2051.  
  2052. if (normals) {
  2053.  
  2054. if (geometry.quantized) {
  2055.  
  2056. // Decompress vertex normals
  2057.  
  2058. const ia2 = ia * 2;
  2059. const ib2 = ib * 2;
  2060. const ic2 = ic * 2;
  2061.  
  2062. math.octDecodeVec2(normals.subarray(ia2, ia2 + 2), normalA);
  2063. math.octDecodeVec2(normals.subarray(ib2, ib2 + 2), normalB);
  2064. math.octDecodeVec2(normals.subarray(ic2, ic2 + 2), normalC);
  2065.  
  2066. } else {
  2067.  
  2068. normalA[0] = normals[ia3];
  2069. normalA[1] = normals[ia3 + 1];
  2070. normalA[2] = normals[ia3 + 2];
  2071.  
  2072. normalB[0] = normals[ib3];
  2073. normalB[1] = normals[ib3 + 1];
  2074. normalB[2] = normals[ib3 + 2];
  2075.  
  2076. normalC[0] = normals[ic3];
  2077. normalC[1] = normals[ic3 + 1];
  2078. normalC[2] = normals[ic3 + 2];
  2079. }
  2080.  
  2081. const normal = math.addVec3(math.addVec3(
  2082. math.mulVec3Scalar(normalA, bary[0], tempVec3),
  2083. math.mulVec3Scalar(normalB, bary[1], tempVec3b), tempVec3c),
  2084. math.mulVec3Scalar(normalC, bary[2], tempVec3d), tempVec3e);
  2085.  
  2086. hit.normal = math.transformVec3(hit.mesh.worldNormalMatrix, normal, tempVec3f);
  2087. }
  2088.  
  2089. // Get interpolated UV coordinates
  2090.  
  2091. const uvs = geometry.uv;
  2092.  
  2093. if (uvs) {
  2094.  
  2095. uva[0] = uvs[(ia * 2)];
  2096. uva[1] = uvs[(ia * 2) + 1];
  2097.  
  2098. uvb[0] = uvs[(ib * 2)];
  2099. uvb[1] = uvs[(ib * 2) + 1];
  2100.  
  2101. uvc[0] = uvs[(ic * 2)];
  2102. uvc[1] = uvs[(ic * 2) + 1];
  2103.  
  2104. if (geometry.quantized) {
  2105.  
  2106. // Decompress vertex UVs
  2107.  
  2108. const uvDecodeMatrix = geometry.uvDecodeMatrix;
  2109. if (uvDecodeMatrix) {
  2110. math.decompressUV(uva, uvDecodeMatrix, uva);
  2111. math.decompressUV(uvb, uvDecodeMatrix, uvb);
  2112. math.decompressUV(uvc, uvDecodeMatrix, uvc);
  2113. }
  2114. }
  2115.  
  2116. hit.uv = math.addVec3(
  2117. math.addVec3(
  2118. math.mulVec2Scalar(uva, bary[0], tempVec3g),
  2119. math.mulVec2Scalar(uvb, bary[1], tempVec3h), tempVec3i),
  2120. math.mulVec2Scalar(uvc, bary[2], tempVec3j), tempVec3k);
  2121. }
  2122. }
  2123. }
  2124. }
  2125.  
  2126. hit.mesh.fire("picked", hit);
  2127.  
  2128. return hit;
  2129. }
  2130. }
  2131.  
  2132. /**
  2133. Returns the collective axis-aligned bounding box of the {{#crossLink "Object"}}Objects{{/crossLink}}, specified by their IDs, GUIDs and/or entity types.
  2134.  
  2135. When no arguments are given, returns the total boundary of all objects in the scene.
  2136.  
  2137. Only {{#crossLink "Mesh"}}Meshes{{/crossLink}} with {{#crossLink "Mesh/collidable:property"}}collidable{{/crossLink}}
  2138. set ````true```` are included in the boundary.
  2139.  
  2140. ## Usage
  2141.  
  2142. ````JavaScript
  2143. scene.getAABB(); // Gets collective boundary of all objects in the scene
  2144. scene.getAABB("saw"); // Gets collective boundary of all objects in saw model
  2145. scene.getAABB(["saw", "gearbox"]); // Gets collective boundary of all objects in saw and gearbox models
  2146. scene.getAABB("saw#0.1"); // Get boundary of an object in the saw model
  2147. scene.getAABB(["saw#0.1", "saw#0.2"]); // Get collective boundary of two objects in saw model
  2148. scene.getAABB(["saw#0.1", "surface", "support"]); // Get collective boundary an object, and all objects of the given two entity classes.
  2149. ````
  2150.  
  2151. @method getAABB
  2152. @param {String|String[]} target {Array} Array of {{#crossLink "Object"}}{{/crossLink}} IDs, GUIDs or entity types.
  2153. @returns {[Number, Number, Number, Number, Number, Number]} An axis-aligned World-space bounding box, given as elements ````[xmin, ymin, zmin, xmax, ymax, zmax]````.
  2154. */
  2155. getAABB(target) {
  2156. if (target === undefined) {
  2157. return this.aabb;
  2158. }
  2159. if (utils.isString(target)) {
  2160. const object = this.objects[target];
  2161. if (object) {
  2162. return object.aabb;
  2163. }
  2164. target = [target]; // Must be an entity type
  2165. }
  2166. if (target.length === 0) {
  2167. return this.aabb;
  2168. }
  2169. let xmin = 100000;
  2170. let ymin = 100000;
  2171. let zmin = 100000;
  2172. let xmax = -100000;
  2173. let ymax = -100000;
  2174. let zmax = -100000;
  2175. let valid;
  2176. this.withObjects(target, object => {
  2177. const aabb = object.aabb;
  2178. if (aabb[0] < xmin) {
  2179. xmin = aabb[0];
  2180. }
  2181. if (aabb[1] < ymin) {
  2182. ymin = aabb[1];
  2183. }
  2184. if (aabb[2] < zmin) {
  2185. zmin = aabb[2];
  2186. }
  2187. if (aabb[3] > xmax) {
  2188. xmax = aabb[3];
  2189. }
  2190. if (aabb[4] > ymax) {
  2191. ymax = aabb[4];
  2192. }
  2193. if (aabb[5] > zmax) {
  2194. zmax = aabb[5];
  2195. }
  2196. valid = true;
  2197. }
  2198. );
  2199. if (valid) {
  2200. const aabb2 = new math.AABB3();
  2201. aabb2[0] = xmin;
  2202. aabb2[1] = ymin;
  2203. aabb2[2] = zmin;
  2204. aabb2[3] = xmax;
  2205. aabb2[4] = ymax;
  2206. aabb2[5] = zmax;
  2207. return aabb2;
  2208. } else {
  2209. return this.aabb; // Scene AABB
  2210. }
  2211. }
  2212.  
  2213. /**
  2214. Resets this Scene to its default state.
  2215.  
  2216. References to any components in this Scene will become invalid.
  2217.  
  2218. @method clear
  2219. */
  2220. clear() {
  2221. var component;
  2222. for (const id in this.components) {
  2223. if (this.components.hasOwnProperty(id)) {
  2224. // Each component fires "destroyed" as it is destroyed,
  2225. // which this Scene handles by removing the component
  2226. component = this.components[id];
  2227. if (!component._dontClear) { // Don't destroy components like xeogl.Camera, xeogl.Input, xeogl.Viewport etc.
  2228. component.destroy();
  2229. }
  2230. }
  2231. }
  2232. }
  2233.  
  2234. /**
  2235. Convenience method that destroys all light sources.
  2236.  
  2237. Removes all {{#crossLink "AmbientLight"}}AmbientLights{{/crossLink}}, {{#crossLink "PointLight"}}PointLights{{/crossLink}},
  2238. {{#crossLink "DirLight"}}DirLights{{/crossLink}} and {{#crossLink "SpotLight"}}SpotLights{{/crossLink}}.
  2239.  
  2240. @method clearLights
  2241. */
  2242. clearLights() {
  2243. const ids = Object.keys(this.lights);
  2244. for (let i = 0, len = ids.length; i < len; i++) {
  2245. this.lights[ids[i]].destroy();
  2246. }
  2247. }
  2248.  
  2249. /**
  2250. Convenience method that destroys all {{#crossLink "Clip"}}Clips{{/crossLink}}.
  2251.  
  2252. @method clearClips
  2253. */
  2254. clearClips() {
  2255. const ids = Object.keys(this.clips);
  2256. for (let i = 0, len = ids.length; i < len; i++) {
  2257. this.clips[ids[i]].destroy();
  2258. }
  2259. }
  2260.  
  2261. /**
  2262. Shows or hides a batch of {{#crossLink "Object"}}Objects{{/crossLink}}, specified by their IDs, GUIDs and/or entity types.
  2263.  
  2264. Each Object indicates its visibility status in its {{#crossLink "Object/visibility:property"}}{{/crossLink}} property.
  2265.  
  2266. Each visible Object is registered in the {{#crossLink "Scene"}}{{/crossLink}}'s
  2267. {{#crossLink "Scene/visibleEntities:property"}}{{/crossLink}} map while its {{#crossLink "Object/entityType:property"}}{{/crossLink}}
  2268. is assigned a value.
  2269.  
  2270. @method setVisible
  2271. @param ids {Array} Array of {{#crossLink "Object"}}{{/crossLink}} IDs, GUIDs or entity types.
  2272. @param visible {Boolean} The new visibility state.
  2273. @returns {Boolean} True if any {{#crossLink "Object"}}Objects{{/crossLink}} changed visibility, else false if all updates were redundant and not applied.
  2274. */
  2275. setVisible(ids, visible) {
  2276. return this.withObjects(ids, object => {
  2277. const changed = (object.visible !== visible);
  2278. object.visible = visible;
  2279. return changed;
  2280. });
  2281. }
  2282.  
  2283. /**
  2284. Culls or unculls a batch of {{#crossLink "Object"}}Objects{{/crossLink}}, specified by their IDs, GUIDs and/or entity types.
  2285.  
  2286. Each Object indicates its culled status in its {{#crossLink "Object/visibility:property"}}{{/crossLink}} property.
  2287.  
  2288. @method setVisible
  2289. @param ids {Array} Array of {{#crossLink "Object"}}{{/crossLink}} IDs, GUIDs or entity types.
  2290. @param culled {Boolean} The new cull state.
  2291. @returns {Boolean} True if any {{#crossLink "Object"}}Objects{{/crossLink}} changed culled state, else false if all updates were redundant and not applied.
  2292. */
  2293. setCulled(ids, culled) {
  2294. return this.withObjects(ids, object => {
  2295. const changed = (object.culled !== culled);
  2296. object.culled = culled;
  2297. return changed;
  2298. });
  2299. }
  2300.  
  2301. /**
  2302. Selects or de-selects a batch of {{#crossLink "Object"}}Objects{{/crossLink}}, specified by their IDs, GUIDs and/or entity types.
  2303.  
  2304. Each Object indicates its selected status in its {{#crossLink "Object/selected:property"}}{{/crossLink}} property.
  2305.  
  2306. Each selected Object is registered in the {{#crossLink "Scene"}}{{/crossLink}}'s
  2307. {{#crossLink "Scene/selectedEntities:property"}}{{/crossLink}} map while its {{#crossLink "Object/entityType:property"}}{{/crossLink}}
  2308. is assigned a value.
  2309.  
  2310. @method setSelected
  2311. @param ids {Array} Array of {{#crossLink "Object"}}{{/crossLink}} IDs, GUIDs or entity types.
  2312. @param selected {Boolean} Whether to select or deselect.
  2313. @returns {Boolean} True if any {{#crossLink "Object"}}Objects{{/crossLink}} changed selection state, else false if all updates were redundant and not applied.
  2314. */
  2315. setSelected(ids, selected) {
  2316. return this.withObjects(ids, object => {
  2317. const changed = (object.selected !== selected);
  2318. object.selected = selected;
  2319. return changed;
  2320. });
  2321. }
  2322.  
  2323. /**
  2324. Highlights or de-highlights a batch of {{#crossLink "Object"}}Objects{{/crossLink}}, specified by their IDs, GUIDs and/or entity types.
  2325.  
  2326. Each Object indicates its highlight status in its {{#crossLink "Object/highlighted:property"}}{{/crossLink}} property.
  2327.  
  2328. Each highlighted Object is registered in the {{#crossLink "Scene"}}{{/crossLink}}'s
  2329. {{#crossLink "Scene/highlightedEntities:property"}}{{/crossLink}} map while its {{#crossLink "Object/entityType:property"}}{{/crossLink}}
  2330. is assigned a value.
  2331.  
  2332. @method setHighlighted
  2333. @param ids {Array} Array of {{#crossLink "Object"}}{{/crossLink}} IDs, GUIDs or entity types.
  2334. @param highlighted {Boolean} Whether to highlight or un-highlight.
  2335. @returns {Boolean} True if any {{#crossLink "Object"}}Objects{{/crossLink}} changed highlighted state, else false if all updates were redundant and not applied.
  2336. */
  2337. setHighlighted(ids, highlighted) {
  2338. return this.withObjects(ids, object => {
  2339. const changed = (object.highlighted !== highlighted);
  2340. object.highlighted = highlighted;
  2341. return changed;
  2342. });
  2343. }
  2344.  
  2345. /**
  2346. Ghosts or un-ghosts a batch of {{#crossLink "Object"}}Objects{{/crossLink}}, specified by their IDs, GUIDs and/or entity types.
  2347.  
  2348. Each Object indicates its ghosted status in its {{#crossLink "Object/ghosted:property"}}{{/crossLink}} property.
  2349.  
  2350. Each ghosted Object is registered in the {{#crossLink "Scene"}}{{/crossLink}}'s
  2351. {{#crossLink "Scene/ghostedEntities:property"}}{{/crossLink}} map when its {{#crossLink "Object/entityType:property"}}{{/crossLink}}
  2352. is assigned a value.
  2353.  
  2354. @method setGhosted
  2355. @param ids {Array} Array of {{#crossLink "Object"}}{{/crossLink}} IDs, GUIDs or entity types.
  2356. @param ghosted {Float32Array} Whether to ghost or un-ghost.
  2357. @returns {Boolean} True if any {{#crossLink "Object"}}Objects{{/crossLink}} changed ghosted state, else false if all updates were redundant and not applied.
  2358. */
  2359. setGhosted(ids, ghosted) {
  2360. return this.withObjects(ids, object => {
  2361. const changed = (object.ghosted !== ghosted);
  2362. object.ghosted = ghosted;
  2363. return changed;
  2364. });
  2365. }
  2366.  
  2367. /**
  2368. Shows or hides wireeframe edges for batch of {{#crossLink "Object"}}Objects{{/crossLink}}, specified by their IDs, GUIDs and/or entity types.
  2369.  
  2370. @method setEdges
  2371. @param ids {Array} Array of {{#crossLink "Object"}}{{/crossLink}} IDs, GUIDs or entity types.
  2372. @param edges {Float32Array} Whether to show or hide edges.
  2373. @returns {Boolean} True if any {{#crossLink "Object"}}Objects{{/crossLink}} changed edges state, else false if all updates were redundant and not applied.
  2374. */
  2375. setEdges(ids, edges) {
  2376. return this.withObjects(ids, object => {
  2377. const changed = (object.edges !== edges);
  2378. object.edges = edges;
  2379. return changed;
  2380. });
  2381. }
  2382.  
  2383. /**
  2384. Shows or hides an outline around a batch of {{#crossLink "Object"}}Objects{{/crossLink}}, specified by their IDs, GUIDs and/or entity types.
  2385.  
  2386. Each Object indicates its outlined status in its {{#crossLink "Object/outlined:property"}}{{/crossLink}} property.
  2387.  
  2388. Each outlined Object is registered in the {{#crossLink "Scene"}}{{/crossLink}}'s
  2389. {{#crossLink "Scene/outlinedEntities:property"}}{{/crossLink}} map when its {{#crossLink "Object/entityType:property"}}{{/crossLink}}
  2390. is assigned a value.
  2391.  
  2392. @method setOutlined
  2393. @param ids {Array} Array of {{#crossLink "Object"}}{{/crossLink}} IDs, GUIDs or entity types.
  2394. @param outlined {Float32Array} Whether to show or hide the outline.
  2395. @returns {Boolean} True if any {{#crossLink "Object"}}Objects{{/crossLink}} changed outlined state, else false if all updates were redundant and not applied.
  2396. */
  2397. setOutlined(ids, outlined) {
  2398. return this.withObjects(ids, object => {
  2399. const changed = (object.outlined !== outlined);
  2400. object.outlined = outlined;
  2401. return changed;
  2402. });
  2403. }
  2404.  
  2405. /**
  2406. Colorizes a batch of {{#crossLink "Object"}}Objects{{/crossLink}}, specified by their IDs, GUIDs and/or entity types.
  2407.  
  2408. @method setColorize
  2409. @param ids {Array} Array of {{#crossLink "Object"}}{{/crossLink}} IDs, GUIDs or entity types.
  2410. @param [colorize=(1,1,1)] Float32Array RGB colorize factors, multiplied by the rendered pixel colors.
  2411. */
  2412. setColorize(ids, colorize) {
  2413. return this.withObjects(ids, object => {
  2414. object.colorize = colorize;
  2415. });
  2416. }
  2417.  
  2418. /**
  2419. Updates opacities of a batch of {{#crossLink "Object"}}Objects{{/crossLink}}, specified by their IDs, GUIDs and/or entity types.
  2420.  
  2421. @method setOpacity
  2422. @param ids {Array} Array of {{#crossLink "Object"}}{{/crossLink}} IDs, GUIDs or entity types.
  2423. @param [opacity=1] Number Opacity factor in range ````[0..1]````, multiplies by the rendered pixel alphas.
  2424. */
  2425. setOpacity(ids, opacity) {
  2426. return this.withObjects(ids, object => {
  2427. object.opacity = opacity;
  2428. });
  2429. }
  2430.  
  2431. /**
  2432. Sets a batch of {{#crossLink "Object"}}Objects{{/crossLink}} pickable or unpickable, specified by their IDs, GUIDs and/or entity types.
  2433.  
  2434. Picking is done via calls to {{#crossLink "Scene/pick:method"}}Scene#pick(){{/crossLink}}.
  2435.  
  2436. @method setPickable
  2437. @param ids {Array} Array of {{#crossLink "Object"}}{{/crossLink}} IDs, GUIDs or entity types.
  2438. @param pickable {Float32Array} Whether to ghost or un-ghost.
  2439. @returns {Boolean} True if any {{#crossLink "Object"}}Objects{{/crossLink}} changed pickable state, else false if all updates were redundant and not applied.
  2440. */
  2441. setPickable(ids, pickable) {
  2442. return this.withObjects(ids, object => {
  2443. const changed = (object.pickable !== pickable);
  2444. object.pickable = pickable;
  2445. return changed;
  2446. });
  2447. }
  2448.  
  2449. /**
  2450. Iterates with a callback over {{#crossLink "Object"}}Objects{{/crossLink}}, specified by their IDs, GUIDs and/or entity types.
  2451.  
  2452. @method withObjects
  2453. @param ids {String|Array} One or more {{#crossLink "Object"}}{{/crossLink}} IDs, GUIDs or entity types.
  2454. @param callback {Function} The callback, which takes each object as its argument.
  2455. */
  2456. withObjects(ids, callback) {
  2457. if (utils.isString(ids)) {
  2458. ids = [ids];
  2459. }
  2460. let changed = false;
  2461. for (let i = 0, len = ids.length; i < len; i++) {
  2462. const id = ids[i];
  2463. let object = this.objects[id];
  2464. if (object) {
  2465. changed = callback(object) || changed;
  2466. } else {
  2467. object = this.guidObjects[id];
  2468. if (object) {
  2469. changed = callback(object) || changed;
  2470. } else {
  2471. const objects = this.entityTypes[id];
  2472. if (objects) {
  2473. for (const objectId in objects) {
  2474. if (objects.hasOwnProperty(objectId)) {
  2475. changed = callback(objects[objectId]) || changed;
  2476. }
  2477. }
  2478. }
  2479. }
  2480. }
  2481. }
  2482. return changed;
  2483. }
  2484.  
  2485. destroy() {
  2486.  
  2487. super.destroy();
  2488.  
  2489. for (const id in this.components) {
  2490. if (this.components.hasOwnProperty(id)) {
  2491. this.components[id].destroy();
  2492. }
  2493. }
  2494.  
  2495. this.canvas.gl = null;
  2496.  
  2497. // Memory leak prevention
  2498. this.models = null;
  2499. this.objects = null;
  2500. this.guidObjects = null;
  2501. this.entityTypes = null;
  2502. this.entities = null;
  2503. this.visibleEntities = null;
  2504. this.ghostedEntities = null;
  2505. this.highlightedEntities = null;
  2506. this.selectedEntities = null;
  2507. this.clips = null;
  2508. this.lights = null;
  2509. this.lightMaps = null;
  2510. this.reflectionMaps = null;
  2511. this._objectGUIDs = null;
  2512. this._entityIds = null;
  2513. this._visibleEntityIds = null;
  2514. this._ghostedEntityIds = null;
  2515. this._highlightedEntityIds = null;
  2516. this._selectedEntityIds = null;
  2517. this.meshes = null;
  2518. this.types = null;
  2519. this.components = null;
  2520. this.rootObjects = null;
  2521. this.canvas = null;
  2522. this._renderer = null;
  2523. this.input = null;
  2524. this._viewport = null;
  2525. this._camera = null;
  2526. }
  2527. }
  2528.  
  2529. componentClasses[type] = Scene;
  2530.  
  2531. export {Scene};
  2532.