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

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

  1. /**
  2. A **Geometry** defines a mesh for attached {{#crossLink "Mesh"}}Meshes{{/crossLink}}.
  3.  
  4. ## Usage
  5.  
  6. * [Geometry compression](#geometry-compression)
  7. * [Geometry batching](#geometry-batching)
  8.  
  9. ### Geometry compression
  10.  
  11. Geometries may be automatically quantized to reduce memory and GPU bus usage. Usually, geometry attributes such as positions
  12. and normals are stored as 32-bit floating-point numbers. Quantization compresses those attributes to 16-bit integers
  13. represented on a scale between the minimum and maximum values. Decompression is then done on the GPU, via a simple
  14. matrix multiplication in the vertex shader.
  15.  
  16. #### Disabling
  17.  
  18. Since each normal vector is oct-encoded into two 8-bit unsigned integers, this can cause them to lose precision, which
  19. may affect the accuracy of any operations that rely on them being perfectly perpendicular to their surfaces. In such
  20. cases, you may need to disable compression for your geometries and models:
  21.  
  22. ````javascript
  23. // Disable geometry compression when loading a Model
  24. var model = new xeogl.GLTFModel({
  25. src: "models/gltf/modern_office/scene.gltf",
  26. quantizeGeometry: false // Default is true
  27. });
  28.  
  29. // Disable compression when creating a Geometry
  30. var mesh = new xeogl.Mesh({
  31. geometry: new xeogl.TeapotGeometry({
  32. quantized: false // Default is false
  33. }),
  34. material: new xeogl.PhongMaterial({
  35. diffuse: [0.2, 0.2, 1.0]
  36. })
  37. });
  38. ````
  39.  
  40. ### Geometry batching
  41.  
  42. Geometries are automatically combined into the same vertex buffer objects (VBOs) so that we reduce the number of VBO
  43. binds done by WebGL on each frame. VBO binds are expensive, so this really makes a difference when we have large numbers
  44. of Meshes that share similar Materials (as is often the case in CAD rendering).
  45.  
  46. #### Disabling
  47.  
  48. Since combined VBOs need to be rebuilt whenever we destroy a Geometry, we can disable this optimization for individual
  49. Models and Geometries when we know that we'll be continually creating and destroying them.
  50.  
  51. ````javascript
  52. // Disable VBO combination for a GLTFModel
  53. var model = new xeogl.GLTFModel({
  54. src: "models/gltf/modern_office/scene.gltf",
  55. combinedGeometry: false // Default is true
  56. });
  57.  
  58. // Disable VBO combination for an individual Geometry
  59. var mesh = new xeogl.Mesh({
  60. geometry: new xeogl.TeapotGeometry({
  61. combined: false // Default is false
  62. }),
  63. material: new xeogl.PhongMaterial({
  64. diffuse: [0.2, 0.2, 1.0]
  65. })
  66. });
  67. ````
  68.  
  69. @class Geometry
  70. @module xeogl
  71. @submodule geometry
  72. @constructor
  73. @param [owner] {Component} Owner component. When destroyed, the owner will destroy this component as well. Creates this component within the default {{#crossLink "Scene"}}{{/crossLink}} when omitted.
  74. @param [cfg] {*} Configs
  75. @param [cfg.id] {String} Optional ID, unique among all components in the parent {{#crossLink "Scene"}}Scene{{/crossLink}},
  76. generated automatically when omitted.
  77. @param [cfg.meta] {String:Object} Optional map of user-defined metadata to attach to this Geometry.
  78. @param [cfg.primitive="triangles"] {String} The primitive type. Accepted values are 'points', 'lines', 'line-loop', 'line-strip', 'triangles', 'triangle-strip' and 'triangle-fan'.
  79. @param [cfg.positions] {Array of Number} Positions array.
  80. @param [cfg.normals] {Array of Number} Vertex normal vectors array.
  81. @param [cfg.uv] {Array of Number} UVs array.
  82. @param [cfg.colors] {Array of Number} Vertex colors.
  83. @param [cfg.indices] {Array of Number} Indices array.
  84. @param [cfg.autoVertexNormals=false] {Boolean} Set true to automatically generate normal vectors from the positions and
  85. indices, if those are supplied.
  86. @param [cfg.quantized=false] {Boolean} Stores positions, colors, normals and UVs in quantized and oct-encoded formats
  87. for reduced memory footprint and GPU bus usage.
  88. @param [cfg.combined=false] {Boolean} Combines positions, colors, normals and UVs into the same WebGL vertex buffers
  89. with other Geometries, in order to reduce the number of buffer binds performed per frame.
  90. @param [cfg.edgeThreshold=2] {Number} When a {{#crossLink "Mesh"}}{{/crossLink}} renders this Geometry as wireframe,
  91. this indicates the threshold angle (in degrees) between the face normals of adjacent triangles below which the edge is discarded.
  92. @extends Component
  93. */
  94.  
  95. import {Component} from '../component.js';
  96. import {State} from '../renderer/state.js';
  97. import {ArrayBuffer} from '../renderer/arrayBuffer.js';
  98. import {getSceneVertexBufs} from './sceneVertexBufs.js';
  99. import {math} from '../math/math.js';
  100. import {stats} from './../stats.js';
  101. import {WEBGL_INFO} from './../webglInfo.js';
  102. import {componentClasses} from "./../componentClasses.js";
  103.  
  104. const type = "xeogl.Geometry";
  105.  
  106. const memoryStats = stats.memory;
  107. var bigIndicesSupported = WEBGL_INFO.SUPPORTED_EXTENSIONS["OES_element_index_uint"];
  108. const IndexArrayType = bigIndicesSupported ? Uint32Array : Uint16Array;
  109. const nullVertexBufs = new State({});
  110. const tempAABB = math.AABB3();
  111.  
  112. class Geometry extends Component {
  113.  
  114. /**
  115. JavaScript class name for this Component.
  116.  
  117. For example: "xeogl.AmbientLight", "xeogl.MetallicMaterial" etc.
  118.  
  119. @property type
  120. @type String
  121. @final
  122. */
  123. get type() {
  124. return type;
  125. }
  126.  
  127. init(cfg) {
  128.  
  129. super.init(cfg);
  130.  
  131. const self = this;
  132.  
  133. this._state = new State({ // Arrays for emphasis effects are got from xeogl.Geometry friend methods
  134. combined: !!cfg.combined,
  135. quantized: !!cfg.quantized,
  136. autoVertexNormals: !!cfg.autoVertexNormals,
  137. primitive: null, // WebGL enum
  138. primitiveName: null, // String
  139. positions: null, // Uint16Array when quantized == true, else Float32Array
  140. normals: null, // Uint8Array when quantized == true, else Float32Array
  141. colors: null,
  142. uv: null, // Uint8Array when quantized == true, else Float32Array
  143. indices: null,
  144. positionsDecodeMatrix: null, // Set when quantized == true
  145. uvDecodeMatrix: null, // Set when quantized == true
  146. positionsBuf: null,
  147. normalsBuf: null,
  148. colorsbuf: null,
  149. uvBuf: null,
  150. indicesBuf: null,
  151. indicesBufCombined: null, // Indices into a shared VertexBufs, set when combined == true
  152. hash: ""
  153. });
  154.  
  155. this._edgeThreshold = cfg.edgeThreshold || 2.0;
  156.  
  157. // Lazy-generated VBOs
  158.  
  159. this._edgesIndicesBuf = null;
  160. this._pickTrianglePositionsBuf = null;
  161. this._pickTriangleColorsBuf = null;
  162.  
  163. // Local-space Boundary3D
  164.  
  165. this._boundaryDirty = true;
  166.  
  167. this._aabb = null;
  168. this._aabbDirty = true;
  169.  
  170. this._obb = null;
  171. this._obbDirty = true;
  172.  
  173. const state = this._state;
  174. const gl = this.scene.canvas.gl;
  175.  
  176. // Primitive type
  177.  
  178. cfg.primitive = cfg.primitive || "triangles";
  179. switch (cfg.primitive) {
  180. case "points":
  181. state.primitive = gl.POINTS;
  182. state.primitiveName = cfg.primitive;
  183. break;
  184. case "lines":
  185. state.primitive = gl.LINES;
  186. state.primitiveName = cfg.primitive;
  187. break;
  188. case "line-loop":
  189. state.primitive = gl.LINE_LOOP;
  190. state.primitiveName = cfg.primitive;
  191. break;
  192. case "line-strip":
  193. state.primitive = gl.LINE_STRIP;
  194. state.primitiveName = cfg.primitive;
  195. break;
  196. case "triangles":
  197. state.primitive = gl.TRIANGLES;
  198. state.primitiveName = cfg.primitive;
  199. break;
  200. case "triangle-strip":
  201. state.primitive = gl.TRIANGLE_STRIP;
  202. state.primitiveName = cfg.primitive;
  203. break;
  204. case "triangle-fan":
  205. state.primitive = gl.TRIANGLE_FAN;
  206. state.primitiveName = cfg.primitive;
  207. break;
  208. default:
  209. this.error("Unsupported value for 'primitive': '" + cfg.primitive +
  210. "' - supported values are 'points', 'lines', 'line-loop', 'line-strip', 'triangles', " +
  211. "'triangle-strip' and 'triangle-fan'. Defaulting to 'triangles'.");
  212. state.primitive = gl.TRIANGLES;
  213. state.primitiveName = cfg.primitive;
  214. }
  215.  
  216. if (cfg.positions) {
  217. if (this._state.quantized) {
  218. var bounds = getBounds(cfg.positions, 3);
  219. var quantized = quantizeVec3(cfg.positions, bounds.min, bounds.max);
  220. state.positions = quantized.quantized;
  221. state.positionsDecodeMatrix = quantized.decode;
  222. } else {
  223. state.positions = cfg.positions.constructor === Float32Array ? cfg.positions : new Float32Array(cfg.positions);
  224. }
  225. }
  226. if (cfg.colors) {
  227. state.colors = cfg.colors.constructor === Float32Array ? cfg.colors : new Float32Array(cfg.colors);
  228. }
  229. if (cfg.uv) {
  230. if (this._state.quantized) {
  231. var bounds = getBounds(cfg.uv, 2);
  232. var quantized = quantizeVec2(cfg.uv, bounds.min, bounds.max);
  233. state.uv = quantized.quantized;
  234. state.uvDecodeMatrix = quantized.decode;
  235. } else {
  236. state.uv = cfg.uv.constructor === Float32Array ? cfg.uv : new Float32Array(cfg.uv);
  237. }
  238. }
  239. if (cfg.normals) {
  240. if (this._state.quantized) {
  241. state.normals = octEncode(cfg.normals);
  242. } else {
  243. state.normals = cfg.normals.constructor === Float32Array ? cfg.normals : new Float32Array(cfg.normals);
  244. }
  245. }
  246. if (cfg.indices) {
  247. if (!bigIndicesSupported && cfg.indices.constructor === Uint32Array) {
  248. this.error("This WebGL implementation does not support Uint32Array");
  249. return;
  250. }
  251. state.indices = (cfg.indices.constructor === Uint32Array || cfg.indices.constructor === Uint16Array) ? cfg.indices : new IndexArrayType(cfg.indices);
  252. }
  253.  
  254. if (state.indices) {
  255. state.indicesBuf = new ArrayBuffer(gl, gl.ELEMENT_ARRAY_BUFFER, state.indices, state.indices.length, 1, gl.STATIC_DRAW);
  256. memoryStats.indices += state.indicesBuf.numItems;
  257. }
  258.  
  259. this._buildHash();
  260.  
  261. memoryStats.meshes++;
  262.  
  263. if (this._state.combined) {
  264. this._sceneVertexBufs = getSceneVertexBufs(this.scene, this._state);
  265. this._sceneVertexBufs.addGeometry(this._state);
  266. }
  267.  
  268. this._buildVBOs();
  269.  
  270. self.fire("created", this.created = true);
  271. }
  272.  
  273. _buildVBOs() {
  274. const state = this._state;
  275. const gl = this.scene.canvas.gl;
  276. if (state.indices) {
  277. state.indicesBuf = new ArrayBuffer(gl, gl.ELEMENT_ARRAY_BUFFER, state.indices, state.indices.length, 1, gl.STATIC_DRAW);
  278. memoryStats.indices += state.indicesBuf.numItems;
  279. }
  280. if (state.combined) {
  281. if (state.indices) {
  282. // indicesBufCombined is created when VertexBufs are built for this Geometry
  283. }
  284. } else {
  285. if (state.positions) {
  286. state.positionsBuf = new ArrayBuffer(gl, gl.ARRAY_BUFFER, state.positions, state.positions.length, 3, gl.STATIC_DRAW);
  287. memoryStats.positions += state.positionsBuf.numItems;
  288. }
  289. if (state.normals) {
  290. state.normalsBuf = new ArrayBuffer(gl, gl.ARRAY_BUFFER, state.normals, state.normals.length, 3, gl.STATIC_DRAW);
  291. memoryStats.normals += state.normalsBuf.numItems;
  292. }
  293. if (state.colors) {
  294. state.colorsBuf = new ArrayBuffer(gl, gl.ARRAY_BUFFER, state.colors, state.colors.length, 4, gl.STATIC_DRAW);
  295. memoryStats.colors += state.colorsBuf.numItems;
  296. }
  297. if (state.uv) {
  298. state.uvBuf = new ArrayBuffer(gl, gl.ARRAY_BUFFER, state.uv, state.uv.length, 2, gl.STATIC_DRAW);
  299. memoryStats.uvs += state.uvBuf.numItems;
  300. }
  301. }
  302. }
  303.  
  304. _buildHash() {
  305. const state = this._state;
  306. const hash = ["/g"];
  307. hash.push("/" + state.primitive + ";");
  308. if (state.positions) {
  309. hash.push("p");
  310. }
  311. if (state.colors) {
  312. hash.push("c");
  313. }
  314. if (state.normals || state.autoVertexNormals) {
  315. hash.push("n");
  316. }
  317. if (state.uv) {
  318. hash.push("u");
  319. }
  320. if (state.quantized) {
  321. hash.push("cp");
  322. }
  323. hash.push(";");
  324. state.hash = hash.join("");
  325. }
  326.  
  327. _getEdgesIndices() {
  328. if (!this._edgesIndicesBuf) {
  329. this._buildEdgesIndices();
  330. }
  331. return this._edgesIndicesBuf;
  332. }
  333.  
  334. _getPickTrianglePositions() {
  335. if (!this._pickTrianglePositionsBuf) {
  336. this._buildPickTriangleVBOs();
  337. }
  338. return this._pickTrianglePositionsBuf;
  339. }
  340.  
  341. _getPickTriangleColors() {
  342. if (!this._pickTriangleColorsBuf) {
  343. this._buildPickTriangleVBOs();
  344. }
  345. return this._pickTriangleColorsBuf;
  346. }
  347.  
  348. _buildEdgesIndices() { // FIXME: Does not adjust indices after other objects are deleted from vertex buffer!!
  349. const state = this._state;
  350. if (!state.positions || !state.indices) {
  351. return;
  352. }
  353. const gl = this.scene.canvas.gl;
  354. const edgesIndices = buildEdgesIndices(state.positions, state.indices, state.positionsDecodeMatrix, this._edgeThreshold, state.combined);
  355. if (state.combined) {
  356. const indicesOffset = this._sceneVertexBufs.getIndicesOffset(state);
  357. for (let i = 0, len = edgesIndices.length; i < len; i++) {
  358. edgesIndices[i] += indicesOffset;
  359. }
  360. }
  361. this._edgesIndicesBuf = new ArrayBuffer(gl, gl.ELEMENT_ARRAY_BUFFER, edgesIndices, edgesIndices.length, 1, gl.STATIC_DRAW);
  362. memoryStats.indices += this._edgesIndicesBuf.numItems;
  363. }
  364.  
  365. _buildPickTriangleVBOs() { // Builds positions and indices arrays that allow each triangle to have a unique color
  366. const state = this._state;
  367. if (!state.positions || !state.indices) {
  368. return;
  369. }
  370. const gl = this.scene.canvas.gl;
  371. const arrays = math.buildPickTriangles(state.positions, state.indices, state.quantized);
  372. const positions = arrays.positions;
  373. const colors = arrays.colors;
  374. this._pickTrianglePositionsBuf = new ArrayBuffer(gl, gl.ARRAY_BUFFER, positions, positions.length, 3, gl.STATIC_DRAW);
  375. this._pickTriangleColorsBuf = new ArrayBuffer(gl, gl.ARRAY_BUFFER, colors, colors.length, 4, gl.STATIC_DRAW, true);
  376. memoryStats.positions += this._pickTrianglePositionsBuf.numItems;
  377. memoryStats.colors += this._pickTriangleColorsBuf.numItems;
  378. }
  379.  
  380. _buildPickVertexVBOs() {
  381. // var state = this._state;
  382. // if (!state.positions || !state.indices) {
  383. // return;
  384. // }
  385. // var gl = this.scene.canvas.gl;
  386. // var arrays = math.buildPickVertices(state.positions, state.indices, state.quantized);
  387. // var pickVertexPositions = arrays.positions;
  388. // var pickColors = arrays.colors;
  389. // this._pickVertexPositionsBuf = new xeogl.renderer.ArrayBuffer(gl, gl.ARRAY_BUFFER, pickVertexPositions, pickVertexPositions.length, 3, gl.STATIC_DRAW);
  390. // this._pickVertexColorsBuf = new xeogl.renderer.ArrayBuffer(gl, gl.ARRAY_BUFFER, pickColors, pickColors.length, 4, gl.STATIC_DRAW, true);
  391. // memoryStats.positions += this._pickVertexPositionsBuf.numItems;
  392. // memoryStats.colors += this._pickVertexColorsBuf.numItems;
  393. }
  394.  
  395. _webglContextLost() {
  396. if (this._sceneVertexBufs) {
  397. this._sceneVertexBufs.webglContextLost();
  398. }
  399. }
  400.  
  401. _webglContextRestored() {
  402. if (this._sceneVertexBufs) {
  403. this._sceneVertexBufs.webglContextRestored();
  404. }
  405. this._buildVBOs();
  406. this._edgesIndicesBuf = null;
  407. this._pickVertexPositionsBuf = null;
  408. this._pickTrianglePositionsBuf = null;
  409. this._pickTriangleColorsBuf = null;
  410. this._pickVertexPositionsBuf = null;
  411. this._pickVertexColorsBuf = null;
  412. }
  413.  
  414. /**
  415. The Geometry's primitive type.
  416.  
  417. Valid types are: 'points', 'lines', 'line-loop', 'line-strip', 'triangles', 'triangle-strip' and 'triangle-fan'.
  418.  
  419. @property primitive
  420. @default "triangles"
  421. @type String
  422. */
  423. get primitive() {
  424. return this._state.primitiveName;
  425. }
  426.  
  427. /**
  428. Indicates if this Geometry is quantized.
  429.  
  430. Compression is an internally-performed optimization which stores positions, colors, normals and UVs
  431. in quantized and oct-encoded formats for reduced memory footprint and GPU bus usage.
  432.  
  433. Quantized geometry may not be updated.
  434.  
  435. @property quantized
  436. @default false
  437. @type Boolean
  438. @final
  439. */
  440. get quantized() {
  441. return this._state.quantized;
  442. }
  443.  
  444. /**
  445. Indicates if this Geometry is combined.
  446.  
  447. Combination is an internally-performed optimization which combines positions, colors, normals and UVs into
  448. the same WebGL vertex buffers with other Geometries, in order to reduce the number of buffer binds
  449. performed per frame.
  450.  
  451. @property combined
  452. @default false
  453. @type Boolean
  454. @final
  455. */
  456. get combined() {
  457. return this._state.combined;
  458. }
  459.  
  460. /**
  461. The Geometry's vertex positions.
  462.  
  463. @property positions
  464. @default null
  465. @type Float32Array
  466. */
  467. get positions() {
  468. if (!this._state.positions) {
  469. return;
  470. }
  471. if (!this._state.quantized) {
  472. return this._state.positions;
  473. }
  474. if (!this._decompressedPositions) {
  475. this._decompressedPositions = new Float32Array(this._state.positions.length);
  476. math.decompressPositions(this._state.positions, this._state.positionsDecodeMatrix, this._decompressedPositions);
  477. }
  478. return this._decompressedPositions;
  479. }
  480.  
  481. set positions(newPositions) {
  482. const state = this._state;
  483. const positions = state.positions;
  484. if (!positions) {
  485. this.error("can't update geometry positions - geometry has no positions");
  486. return;
  487. }
  488. if (positions.length !== newPositions.length) {
  489. this.error("can't update geometry positions - new positions are wrong length");
  490. return;
  491. }
  492. if (this._state.quantized) {
  493. const bounds = getBounds(newPositions, 3);
  494. const quantized = quantizeVec3(newPositions, bounds.min, bounds.max);
  495. newPositions = quantized.quantized; // TODO: Copy in-place
  496. state.positionsDecodeMatrix = quantized.decode;
  497. }
  498. positions.set(newPositions);
  499. if (state.positionsBuf) {
  500. state.positionsBuf.setData(positions);
  501. }
  502. if (this._state.combined) {
  503. this._sceneVertexBufs.setPositions(state);
  504. }
  505. this._setBoundaryDirty();
  506. this._renderer.imageDirty();
  507. }
  508.  
  509. /**
  510. The Geometry's vertex normals.
  511.  
  512. @property normals
  513. @default null
  514. @type Float32Array
  515. */
  516. get normals() {
  517. if (!this._state.normals) {
  518. return;
  519. }
  520. if (!this._state.quantized) {
  521. return this._state.normals;
  522. }
  523. if (!this._decompressedNormals) {
  524. const lenCompressed = this._state.normals.length;
  525. const lenDecompressed = lenCompressed + (lenCompressed / 2); // 2 -> 3
  526. this._decompressedNormals = new Float32Array(lenDecompressed);
  527. math.octDecodeVec2s(this._state.normals, this._decompressedNormals);
  528. }
  529. return this._decompressedNormals;
  530. }
  531.  
  532. set normals(newNormals) {
  533. if (this._state.quantized) {
  534. this.error("can't update geometry normals - quantized geometry is immutable"); // But will be eventually
  535. return;
  536. }
  537. const state = this._state;
  538. const normals = state.normals;
  539. if (!normals) {
  540. this.error("can't update geometry normals - geometry has no normals");
  541. return;
  542. }
  543. if (normals.length !== newNormals.length) {
  544. this.error("can't update geometry normals - new normals are wrong length");
  545. return;
  546. }
  547. normals.set(newNormals);
  548. if (state.normalsBuf) {
  549. state.normalsBuf.setData(normals);
  550. }
  551. if (this._state.combined) {
  552. this._sceneVertexBufs.setNormals(state);
  553. }
  554. this._renderer.imageDirty();
  555. }
  556.  
  557.  
  558. /**
  559. The Geometry's UV coordinates.
  560.  
  561. @property uv
  562. @default null
  563. @type Float32Array
  564. */
  565. get uv() {
  566. if (!this._state.uv) {
  567. return;
  568. }
  569. if (!this._state.quantized) {
  570. return this._state.uv;
  571. }
  572. if (!this._decompressedUV) {
  573. this._decompressedUV = new Float32Array(this._state.uv.length);
  574. math.decompressUVs(this._state.uv, this._state.uvDecodeMatrix, this._decompressedUV);
  575. }
  576. return this._decompressedUV;
  577. }
  578.  
  579. set uv(newUV) {
  580. if (this._state.quantized) {
  581. this.error("can't update geometry UVs - quantized geometry is immutable"); // But will be eventually
  582. return;
  583. }
  584. const state = this._state;
  585. const uv = state.uv;
  586. if (!uv) {
  587. this.error("can't update geometry UVs - geometry has no UVs");
  588. return;
  589. }
  590. if (uv.length !== newUV.length) {
  591. this.error("can't update geometry UVs - new UVs are wrong length");
  592. return;
  593. }
  594. uv.set(newUV);
  595. if (state.uvBuf) {
  596. state.uvBuf.setData(uv);
  597. }
  598. if (this._state.combined) {
  599. this._sceneVertexBufs.setUVs(state);
  600. }
  601. this._renderer.imageDirty();
  602. }
  603.  
  604. /**
  605. The Geometry's vertex colors.
  606.  
  607. @property colors
  608. @default null
  609. @type Float32Array
  610. */
  611. get colors() {
  612. return this._state.colors;
  613. }
  614.  
  615. set colors(newColors) {
  616. if (this._state.quantized) {
  617. this.error("can't update geometry colors - quantized geometry is immutable"); // But will be eventually
  618. return;
  619. }
  620. const state = this._state;
  621. const colors = state.colors;
  622. if (!colors) {
  623. this.error("can't update geometry colors - geometry has no colors");
  624. return;
  625. }
  626. if (colors.length !== newColors.length) {
  627. this.error("can't update geometry colors - new colors are wrong length");
  628. return;
  629. }
  630. colors.set(newColors);
  631. if (state.colorsBuf) {
  632. state.colorsBuf.setData(colors);
  633. }
  634. if (this._state.combined) {
  635. this._sceneVertexBufs.setColors(state);
  636. }
  637. this._renderer.imageDirty();
  638. }
  639.  
  640. /**
  641. The Geometry's indices.
  642.  
  643. If ````xeogl.WEBGL_INFO.SUPPORTED_EXTENSIONS["OES_element_index_uint"]```` is true, then this can be
  644. a ````Uint32Array````, otherwise it needs to be a ````Uint16Array````.
  645.  
  646. @property indices
  647. @default null
  648. @type Uint16Array | Uint32Array
  649. @final
  650. */
  651. get indices() {
  652. return this._state.indices;
  653. }
  654.  
  655. /**
  656. * Local-space axis-aligned 3D boundary (AABB) of this geometry.
  657. *
  658. * The AABB is represented by a six-element Float32Array containing the min/max extents of the
  659. * axis-aligned volume, ie. ````[xmin, ymin,zmin,xmax,ymax, zmax]````.
  660. *
  661. * @property aabb
  662. * @final
  663. * @type {Float32Array}
  664. */
  665. get aabb() {
  666. if (this._aabbDirty) {
  667. if (!this._aabb) {
  668. this._aabb = math.AABB3();
  669. }
  670. math.positions3ToAABB3(this._state.positions, this._aabb, this._state.positionsDecodeMatrix);
  671. this._aabbDirty = false;
  672. }
  673. return this._aabb;
  674. }
  675.  
  676. /**
  677. * Local-space oriented 3D boundary (OBB) of this geometry.
  678. *
  679. * The OBB is represented by a 32-element Float32Array containing the eight vertices of the box,
  680. * where each vertex is a homogeneous coordinate having [x,y,z,w] elements.
  681. *
  682. * @property obb
  683. * @final
  684. * @type {Float32Array}
  685. */
  686. get obb() {
  687. if (this._obbDirty) {
  688. if (!this._obb) {
  689. this._obb = math.OBB3();
  690. }
  691. math.positions3ToAABB3(this._state.positions, tempAABB, this._state.positionsDecodeMatrix);
  692. math.AABB3ToOBB3(tempAABB, this._obb);
  693. this._obbDirty = false;
  694. }
  695. return this._obb;
  696. }
  697.  
  698. get kdtree() {
  699. const state = this._state;
  700. if (!state.indices || !state.positions) {
  701. this.error("Can't provide a KD-tree: no indices/positions");
  702. return;
  703. }
  704. if (!this._kdtree) {
  705. this._kdtree = math.buildKDTree(state.indices, state.positions, this._state.positionsDecodeMatrix);
  706. }
  707. return this._kdtree;
  708. }
  709.  
  710. _setBoundaryDirty() {
  711. if (this._boundaryDirty) {
  712. return;
  713. }
  714. this._boundaryDirty = true;
  715. this._aabbDirty = true;
  716. this._obbDirty = true;
  717.  
  718. /**
  719. Fired whenever this Geometry's boundary changes.
  720.  
  721. Get the latest boundary from the Geometry's {{#crossLink "Geometry/aabb:property"}}{{/crossLink}}
  722. and {{#crossLink "Geometry/obb:property"}}{{/crossLink}} properties.
  723.  
  724. @event boundary
  725.  
  726. */
  727. this.fire("boundary");
  728. }
  729.  
  730. _getState() {
  731. return this._state;
  732. }
  733.  
  734. _getVertexBufs() {
  735. return this._state && this._state.combined ? this._sceneVertexBufs.getVertexBufs(this._state) : nullVertexBufs;
  736. }
  737.  
  738. destroy() {
  739. super.destroy();
  740. const state = this._state;
  741. if (state.indicesBuf) {
  742. state.indicesBuf.destroy();
  743. }
  744. if (this._edgesIndicesBuf) {
  745. this._edgesIndicesBuf.destroy();
  746. }
  747. if (this._pickTrianglePositionsBuf) {
  748. this._pickTrianglePositionsBuf.destroy();
  749. }
  750. if (this._pickTriangleColorsBuf) {
  751. this._pickTriangleColorsBuf.destroy();
  752. }
  753. if (this._pickVertexPositionsBuf) {
  754. this._pickVertexPositionsBuf.destroy();
  755. }
  756. if (this._pickVertexColorsBuf) {
  757. this._pickVertexColorsBuf.destroy();
  758. }
  759. if (this._state.combined) {
  760. this._sceneVertexBufs.removeGeometry(state);
  761. }
  762. state.destroy();
  763. memoryStats.meshes--;
  764. }
  765. }
  766.  
  767. function getBounds(array, stride) {
  768. const min = new Float32Array(stride);
  769. const max = new Float32Array(stride);
  770. let i, j;
  771. for (i = 0; i < stride; i++) {
  772. min[i] = Number.MAX_VALUE;
  773. max[i] = -Number.MAX_VALUE;
  774. }
  775. for (i = 0; i < array.length; i += stride) {
  776. for (j = 0; j < stride; j++) {
  777. min[j] = Math.min(min[j], array[i + j]);
  778. max[j] = Math.max(max[j], array[i + j]);
  779. }
  780. }
  781. return {
  782. min: min,
  783. max: max
  784. };
  785. }
  786.  
  787. // http://cg.postech.ac.kr/research/mesh_comp_mobile/mesh_comp_mobile_conference.pdf
  788. var quantizeVec3 = (function () {
  789. const translate = math.mat4();
  790. const scale = math.mat4();
  791. return function (array, min, max) {
  792. const quantized = new Uint16Array(array.length);
  793. const multiplier = new Float32Array([
  794. 65535 / (max[0] - min[0]),
  795. 65535 / (max[1] - min[1]),
  796. 65535 / (max[2] - min[2])
  797. ]);
  798. let i;
  799. for (i = 0; i < array.length; i += 3) {
  800. quantized[i + 0] = Math.floor((array[i + 0] - min[0]) * multiplier[0]);
  801. quantized[i + 1] = Math.floor((array[i + 1] - min[1]) * multiplier[1]);
  802. quantized[i + 2] = Math.floor((array[i + 2] - min[2]) * multiplier[2]);
  803. }
  804. math.identityMat4(translate);
  805. math.translationMat4v(min, translate);
  806. math.identityMat4(scale);
  807. math.scalingMat4v([
  808. (max[0] - min[0]) / 65535,
  809. (max[1] - min[1]) / 65535,
  810. (max[2] - min[2]) / 65535
  811. ], scale);
  812. const decodeMat = math.mulMat4(translate, scale, math.identityMat4());
  813. return {
  814. quantized: quantized,
  815. decode: decodeMat
  816. };
  817. };
  818. })();
  819.  
  820. var quantizeVec2 = (function () {
  821. const translate = math.mat3();
  822. const scale = math.mat3();
  823. return function (array, min, max) {
  824. const quantized = new Uint16Array(array.length);
  825. const multiplier = new Float32Array([
  826. 65535 / (max[0] - min[0]),
  827. 65535 / (max[1] - min[1])
  828. ]);
  829. let i;
  830. for (i = 0; i < array.length; i += 2) {
  831. quantized[i + 0] = Math.floor((array[i + 0] - min[0]) * multiplier[0]);
  832. quantized[i + 1] = Math.floor((array[i + 1] - min[1]) * multiplier[1]);
  833. }
  834. math.identityMat3(translate);
  835. math.translationMat3v(min, translate);
  836. math.identityMat3(scale);
  837. math.scalingMat3v([
  838. (max[0] - min[0]) / 65535,
  839. (max[1] - min[1]) / 65535
  840. ], scale);
  841. const decodeMat = math.mulMat3(translate, scale, math.identityMat3());
  842. return {
  843. quantized: quantized,
  844. decode: decodeMat
  845. };
  846. };
  847. })();
  848.  
  849. // http://jcgt.org/published/0003/02/01/
  850. function octEncode(array) {
  851. const encoded = new Int8Array(array.length * 2 / 3);
  852. let oct, dec, best, currentCos, bestCos;
  853. let i, ei;
  854. for (i = 0, ei = 0; i < array.length; i += 3, ei += 2) {
  855. // Test various combinations of ceil and floor
  856. // to minimize rounding errors
  857. best = oct = octEncodeVec3(array, i, "floor", "floor");
  858. dec = octDecodeVec2(oct);
  859. currentCos = bestCos = dot(array, i, dec);
  860. oct = octEncodeVec3(array, i, "ceil", "floor");
  861. dec = octDecodeVec2(oct);
  862. currentCos = dot(array, i, dec);
  863. if (currentCos > bestCos) {
  864. best = oct;
  865. bestCos = currentCos;
  866. }
  867. oct = octEncodeVec3(array, i, "floor", "ceil");
  868. dec = octDecodeVec2(oct);
  869. currentCos = dot(array, i, dec);
  870. if (currentCos > bestCos) {
  871. best = oct;
  872. bestCos = currentCos;
  873. }
  874. oct = octEncodeVec3(array, i, "ceil", "ceil");
  875. dec = octDecodeVec2(oct);
  876. currentCos = dot(array, i, dec);
  877. if (currentCos > bestCos) {
  878. best = oct;
  879. bestCos = currentCos;
  880. }
  881. encoded[ei] = best[0];
  882. encoded[ei + 1] = best[1];
  883. }
  884. return encoded;
  885. }
  886.  
  887. // Oct-encode single normal vector in 2 bytes
  888. function octEncodeVec3(array, i, xfunc, yfunc) {
  889. let x = array[i] / (Math.abs(array[i]) + Math.abs(array[i + 1]) + Math.abs(array[i + 2]));
  890. let y = array[i + 1] / (Math.abs(array[i]) + Math.abs(array[i + 1]) + Math.abs(array[i + 2]));
  891. if (array[i + 2] < 0) {
  892. let tempx = x;
  893. let tempy = y;
  894. tempx = (1 - Math.abs(y)) * (x >= 0 ? 1 : -1);
  895. tempy = (1 - Math.abs(x)) * (y >= 0 ? 1 : -1);
  896. x = tempx;
  897. y = tempy;
  898. }
  899. return new Int8Array([
  900. Math[xfunc](x * 127.5 + (x < 0 ? -1 : 0)),
  901. Math[yfunc](y * 127.5 + (y < 0 ? -1 : 0))
  902. ]);
  903. }
  904.  
  905. // Decode an oct-encoded normal
  906. function octDecodeVec2(oct) {
  907. let x = oct[0];
  908. let y = oct[1];
  909. x /= x < 0 ? 127 : 128;
  910. y /= y < 0 ? 127 : 128;
  911. const z = 1 - Math.abs(x) - Math.abs(y);
  912. if (z < 0) {
  913. x = (1 - Math.abs(y)) * (x >= 0 ? 1 : -1);
  914. y = (1 - Math.abs(x)) * (y >= 0 ? 1 : -1);
  915. }
  916. const length = Math.sqrt(x * x + y * y + z * z);
  917. return [
  918. x / length,
  919. y / length,
  920. z / length
  921. ];
  922. }
  923.  
  924. // Dot product of a normal in an array against a candidate decoding
  925. function dot(array, i, vec3) {
  926. return array[i] * vec3[0] + array[i + 1] * vec3[1] + array[i + 2] * vec3[2];
  927. }
  928.  
  929. var buildEdgesIndices = (function () {
  930.  
  931. // TODO: Optimize with caching, but need to cater to both compressed and uncompressed positions
  932.  
  933. const uniquePositions = [];
  934. const indicesLookup = [];
  935. const indicesReverseLookup = [];
  936. const weldedIndices = [];
  937.  
  938. function weldVertices(positions, indices) {
  939. const positionsMap = {}; // Hashmap for looking up vertices by position coordinates (and making sure they are unique)
  940. let vx;
  941. let vy;
  942. let vz;
  943. let key;
  944. const precisionPoints = 4; // number of decimal points, e.g. 4 for epsilon of 0.0001
  945. const precision = Math.pow(10, precisionPoints);
  946. let i;
  947. let len;
  948. let lenUniquePositions = 0;
  949. for (i = 0, len = positions.length; i < len; i += 3) {
  950. vx = positions[i];
  951. vy = positions[i + 1];
  952. vz = positions[i + 2];
  953. key = Math.round(vx * precision) + '_' + Math.round(vy * precision) + '_' + Math.round(vz * precision);
  954. if (positionsMap[key] === undefined) {
  955. positionsMap[key] = lenUniquePositions / 3;
  956. uniquePositions[lenUniquePositions++] = vx;
  957. uniquePositions[lenUniquePositions++] = vy;
  958. uniquePositions[lenUniquePositions++] = vz;
  959. }
  960. indicesLookup[i / 3] = positionsMap[key];
  961. }
  962. for (i = 0, len = indices.length; i < len; i++) {
  963. weldedIndices[i] = indicesLookup[indices[i]];
  964. indicesReverseLookup[weldedIndices[i]] = indices[i];
  965. }
  966. }
  967.  
  968. const faces = [];
  969. let numFaces = 0;
  970. const compa = new Uint16Array(3);
  971. const compb = new Uint16Array(3);
  972. const compc = new Uint16Array(3);
  973. const a = math.vec3();
  974. const b = math.vec3();
  975. const c = math.vec3();
  976. const cb = math.vec3();
  977. const ab = math.vec3();
  978. const cross = math.vec3();
  979. const normal = math.vec3();
  980.  
  981. function buildFaces(numIndices, positionsDecodeMatrix) {
  982. numFaces = 0;
  983. for (let i = 0, len = numIndices; i < len; i += 3) {
  984. const ia = ((weldedIndices[i]) * 3);
  985. const ib = ((weldedIndices[i + 1]) * 3);
  986. const ic = ((weldedIndices[i + 2]) * 3);
  987. if (positionsDecodeMatrix) {
  988. compa[0] = uniquePositions[ia];
  989. compa[1] = uniquePositions[ia + 1];
  990. compa[2] = uniquePositions[ia + 2];
  991. compb[0] = uniquePositions[ib];
  992. compb[1] = uniquePositions[ib + 1];
  993. compb[2] = uniquePositions[ib + 2];
  994. compc[0] = uniquePositions[ic];
  995. compc[1] = uniquePositions[ic + 1];
  996. compc[2] = uniquePositions[ic + 2];
  997. // Decode
  998. math.decompressPosition(compa, positionsDecodeMatrix, a);
  999. math.decompressPosition(compb, positionsDecodeMatrix, b);
  1000. math.decompressPosition(compc, positionsDecodeMatrix, c);
  1001. } else {
  1002. a[0] = uniquePositions[ia];
  1003. a[1] = uniquePositions[ia + 1];
  1004. a[2] = uniquePositions[ia + 2];
  1005. b[0] = uniquePositions[ib];
  1006. b[1] = uniquePositions[ib + 1];
  1007. b[2] = uniquePositions[ib + 2];
  1008. c[0] = uniquePositions[ic];
  1009. c[1] = uniquePositions[ic + 1];
  1010. c[2] = uniquePositions[ic + 2];
  1011. }
  1012. math.subVec3(c, b, cb);
  1013. math.subVec3(a, b, ab);
  1014. math.cross3Vec3(cb, ab, cross);
  1015. math.normalizeVec3(cross, normal);
  1016. const face = faces[numFaces] || (faces[numFaces] = {normal: math.vec3()});
  1017. face.normal[0] = normal[0];
  1018. face.normal[1] = normal[1];
  1019. face.normal[2] = normal[2];
  1020. numFaces++;
  1021. }
  1022. }
  1023.  
  1024. return function (positions, indices, positionsDecodeMatrix, edgeThreshold, combined) {
  1025. weldVertices(positions, indices);
  1026. buildFaces(indices.length, positionsDecodeMatrix);
  1027. const edgeIndices = [];
  1028. const thresholdDot = Math.cos(math.DEGTORAD * edgeThreshold);
  1029. const edges = {};
  1030. let edge1;
  1031. let edge2;
  1032. let index1;
  1033. let index2;
  1034. let key;
  1035. let largeIndex = false;
  1036. let edge;
  1037. let normal1;
  1038. let normal2;
  1039. let dot;
  1040. let ia;
  1041. let ib;
  1042. for (let i = 0, len = indices.length; i < len; i += 3) {
  1043. const faceIndex = i / 3;
  1044. for (let j = 0; j < 3; j++) {
  1045. edge1 = weldedIndices[i + j];
  1046. edge2 = weldedIndices[i + ((j + 1) % 3)];
  1047. index1 = Math.min(edge1, edge2);
  1048. index2 = Math.max(edge1, edge2);
  1049. key = index1 + "," + index2;
  1050. if (edges[key] === undefined) {
  1051. edges[key] = {
  1052. index1: index1,
  1053. index2: index2,
  1054. face1: faceIndex,
  1055. face2: undefined
  1056. };
  1057. } else {
  1058. edges[key].face2 = faceIndex;
  1059. }
  1060. }
  1061. }
  1062. for (key in edges) {
  1063. edge = edges[key];
  1064. // an edge is only rendered if the angle (in degrees) between the face normals of the adjoining faces exceeds this value. default = 1 degree.
  1065. if (edge.face2 !== undefined) {
  1066. normal1 = faces[edge.face1].normal;
  1067. normal2 = faces[edge.face2].normal;
  1068. dot = math.dotVec3(normal1, normal2);
  1069. if (dot > thresholdDot) {
  1070. continue;
  1071. }
  1072. }
  1073. ia = indicesReverseLookup[edge.index1];
  1074. ib = indicesReverseLookup[edge.index2];
  1075. if (!largeIndex && ia > 65535 || ib > 65535) {
  1076. largeIndex = true;
  1077. }
  1078. edgeIndices.push(ia);
  1079. edgeIndices.push(ib);
  1080. }
  1081. return (largeIndex || combined) ? new Uint32Array(edgeIndices) : new Uint16Array(edgeIndices);
  1082. };
  1083. })();
  1084.  
  1085. componentClasses[type] = Geometry;
  1086.  
  1087. export {Geometry};