Game.js

  1. /* global document, platypus, window */
  2. import {Application, CaptionPlayer, ScaleManager, TextRenderer} from 'springroll';
  3. import {Container, Renderer, Ticker} from 'pixi.js';
  4. import {arrayCache, greenSlice, greenSplice, union} from './utils/array.js';
  5. import Async from './Async.js';
  6. import Data from './Data.js';
  7. import Entity from './Entity.js';
  8. import Messenger from './Messenger.js';
  9. import SFXPlayer from './SFXPlayer.js';
  10. import Sound from 'pixi-sound';
  11. import Storage from './Storage.js';
  12. import TweenJS from '@tweenjs/tween.js';
  13. import VOPlayer from './VOPlayer.js';
  14. import config from 'config';
  15. import sayHello from './sayHello.js';
  16. export default (function () {
  17. const XMLHttpRequest = window.XMLHttpRequest,
  18. getJSON = function (path, callback) {
  19. var xhr = new XMLHttpRequest();
  20. xhr.open('GET', path, true);
  21. xhr.responseType = 'text';
  22. xhr.onload = function () {
  23. var obj = null;
  24. if (xhr.status === 200) {
  25. try {
  26. obj = JSON.parse(xhr.responseText);
  27. } catch (e) {
  28. platypus.debug.warn('Error parsing "' + path + '": ' + e.message);
  29. }
  30. } else {
  31. platypus.debug.warn('Error opening "' + path + '": ' + xhr.description);
  32. }
  33. callback(obj);
  34. };
  35. xhr.send();
  36. },
  37. loadJSONLinks = function (obj, callback) {
  38. var i = 0,
  39. key = '',
  40. callbacks = 0,
  41. resolve = function () {
  42. callbacks -= 1;
  43. if (!callbacks) {
  44. callback(obj);
  45. }
  46. },
  47. assign = function (obj, i, callback) {
  48. loadJSONLinks(obj[i], function (result) {
  49. obj[i] = result;
  50. callback(result);
  51. });
  52. };
  53. if (obj) {
  54. if (Array.isArray(obj)) {
  55. callbacks = obj.length;
  56. if (callbacks) {
  57. for (i = 0; i < obj.length; i++) {
  58. assign(obj, i, resolve);
  59. }
  60. } else {
  61. callback(obj);
  62. }
  63. return;
  64. } else if (typeof obj === 'object') {
  65. if (obj.src && (obj.src.length > 5) && (obj.src.substring(obj.src.length - 5).toLowerCase() === '.json')) {
  66. loadJSONLinks(obj.src, function (result) {
  67. if (obj.src !== result) {
  68. obj = result;
  69. }
  70. callback(obj);
  71. });
  72. } else {
  73. for (key in obj) {
  74. if (obj.hasOwnProperty(key)) {
  75. callbacks += 1;
  76. }
  77. }
  78. if (callbacks) {
  79. for (key in obj) {
  80. if (obj.hasOwnProperty(key)) {
  81. assign(obj, key, resolve);
  82. }
  83. }
  84. } else {
  85. callback(obj);
  86. }
  87. }
  88. return;
  89. } else if ((typeof obj === 'string') && (obj.length > 5) && (obj.substring(obj.length - 5).toLowerCase() === '.json')) {
  90. getJSON(obj, function (result) {
  91. if (typeof result === 'object') {
  92. loadJSONLinks(result, callback);
  93. } else {
  94. callback(result);
  95. }
  96. });
  97. return;
  98. }
  99. }
  100. callback(obj);
  101. },
  102. setUpFPS = function (ticker, canvas) {
  103. var framerate = document.createElement("div"),
  104. framerateTimer = 0;
  105. framerate.id = "framerate";
  106. framerate.innerHTML = "FPS: 00.000";
  107. canvas.parentNode.insertBefore(framerate, canvas);
  108. ticker.add(function () {
  109. framerateTimer += this.deltaMS;
  110. // Only update the framerate every second
  111. if (framerateTimer >= 1000) {
  112. framerate.innerHTML = "FPS: " + this.FPS.toFixed(3);
  113. framerateTimer = 0;
  114. }
  115. }.bind(ticker));
  116. };
  117. /**
  118. * This class is used to create the `platypus.game` object and loads the Platypus game as described by the game configuration files.
  119. *
  120. * Configuration definition typically takes something like the following structures, but is highly dependent on the particular components used in a given game:
  121. *
  122. * {
  123. * "atlases": {}, // Keyed list of Spine atlases.
  124. * "captions": {}, // Keyed list of captions for closed captioning.
  125. * "entities": {}, // Keyed list of entity definitions.
  126. * "levels": {}, // Keyed list of Tiled levels.
  127. * "mouthCues": {}, // Keyed list of Rhubarb mouth cues for lip synch.
  128. * "scenes": {}, // Keyed list of scene definitions.
  129. * "skeletons": {}, // Keyed list of Spine skeletons.
  130. * "spriteSheets": {} // Keyed list of sprite sheet definitions.
  131. * }
  132. *
  133. * Options may include any of these:
  134. *
  135. * {
  136. * audio: '', // Relative path to audio assets (like "assets/audio/").
  137. * canvasId: '', // HTML element ID for the canvas to draw to. If specified but unfound, will create a canvas with this ID.
  138. * display: {}, // Display options are passed directly to PixiJS for setting up the renderer.
  139. * features: { // Features supported for the Springroll application. Defaults are listed below.
  140. * sfx: true,
  141. * vo: true,
  142. * music: true,
  143. * sound: true,
  144. * captions: true
  145. * },
  146. * images: '', // Relative path to graphical assets (like "assets/images/").
  147. * name: '', // Name of game. Used for local storage keys and displayed in the console on run.
  148. * storageKeys: [] // Array of keys to create in local storage on first run so game code may assume they exist.
  149. * version: '' // Version of the game. This is displayed in the console on run.
  150. * }
  151. *
  152. * @memberof platypus
  153. * @extends platypus.Messenger
  154. */
  155. class Game extends Messenger {
  156. /**
  157. * @constructor
  158. * @param definition {Object} Collection of configuration settings, typically from config.json.
  159. * @param options {Object} Options describing the display options, Springroll features, etc.
  160. * @param [onFinishedLoading] {Function} An optional function to run once the game has begun.
  161. * @return {platypus.Game} Returns the instantiated game.
  162. */
  163. constructor (definition, options, onFinishedLoading) {
  164. const
  165. displayOptions = options.display || {},
  166. load = function (displayOptions, settings) {
  167. const
  168. dpi = window.devicePixelRatio || 1,
  169. ticker = Ticker.shared;
  170. platypus.game = this; //Make this instance the only Game instance.
  171. if (config.dev) {
  172. settings.debug = true;
  173. }
  174. this.settings = settings;
  175. if (settings.captions) {
  176. const captionsElement = document.getElementById("captions") || (function (canvas) {
  177. const element = document.createElement('div');
  178. element.setAttribute('id', 'captions');
  179. canvas.parentNode.insertBefore(element, canvas);
  180. return element;
  181. }(this.canvas));
  182. this.voPlayer.captions = new CaptionPlayer(settings.captions, new TextRenderer(captionsElement));
  183. }
  184. this.stage = new Container();
  185. this.stage.sortableChildren = true;
  186. this.renderer = new Renderer({
  187. width: this.canvas.width,
  188. height: this.canvas.height,
  189. view: this.canvas,
  190. transparent: !!displayOptions.transparent,
  191. antialias: !!displayOptions.antiAlias,
  192. preserveDrawingBuffer: !!displayOptions.preserveDrawingBuffer,
  193. clearBeforeRender: !!displayOptions.clearView,
  194. backgroundColor: displayOptions.backgroundColor || 0,
  195. autoResize: false
  196. });
  197. if (displayOptions.aspectRatio) { // Aspect ratio may be a single value like "4:3" or "4:3-2:1" for a range
  198. const
  199. aspectRatioRange = displayOptions.aspectRatio.split('-'),
  200. ratioArray1 = aspectRatioRange[0].split(':'),
  201. ratioArray2 = aspectRatioRange[aspectRatioRange.length - 1].split(':'),
  202. ratio1 = ratioArray1[0] / ratioArray1[1],
  203. ratio2 = ratioArray2[0] / ratioArray2[1],
  204. smallRatio = Math.min(ratio1, ratio2),
  205. largeRatio = Math.max(ratio1, ratio2);
  206. this.scaleManager = new ScaleManager(({width, height/*, ratio*/}) => {
  207. const
  208. renderer = this.renderer,
  209. frame = document.getElementById('content'),
  210. newHeight = (width / smallRatio) >> 0,
  211. newWidth = (height * largeRatio) >> 0;
  212. let h = height * dpi,
  213. w = width * dpi;
  214. if (height > newHeight) {
  215. frame.style.height = newHeight + 'px';
  216. frame.style.top = (((height - newHeight) / 2) >> 0) + 'px';
  217. frame.style.width = '';
  218. frame.style.left = '';
  219. h = newHeight * dpi;
  220. } else if (width > newWidth) {
  221. frame.style.width = newWidth + 'px';
  222. frame.style.left = (((width - newWidth) / 2) >> 0) + 'px';
  223. frame.style.height = '';
  224. frame.style.top = '';
  225. w = newWidth * dpi;
  226. } else {
  227. frame.style.height = '';
  228. frame.style.top = '';
  229. frame.style.width = '';
  230. frame.style.left = '';
  231. }
  232. renderer.resize(w, h);
  233. renderer.render(this.stage); // to prevent flickering from canvas adjustment.
  234. });
  235. } else {
  236. this.scaleManager = new ScaleManager(({width, height/*, ratio*/}) => {
  237. const
  238. renderer = this.renderer;
  239. renderer.resize(width * dpi, height * dpi);
  240. renderer.render(this.stage); // to prevent flickering from canvas adjustment.
  241. });
  242. }
  243. this.scaleManager.onResize({ // Run once to resize content div.
  244. width: window.innerWidth,
  245. height: window.innerHeight
  246. });
  247. if (onFinishedLoading) {
  248. onFinishedLoading(this);
  249. }
  250. if (!settings.hideHello) {
  251. sayHello(this);
  252. }
  253. platypus.debug.general("Game config loaded.", settings);
  254. //Add Debug tools
  255. window.getEntityById = function (id) {
  256. return this.getEntityById(id);
  257. }.bind(this);
  258. window.getEntitiesByType = function (type) {
  259. return this.getEntitiesByType(type);
  260. }.bind(this);
  261. window.getVisibleSprites = function (c, a) {
  262. var i = 0;
  263. a = a || arrayCache.setUp();
  264. c = c || this.stage;
  265. if (!c.texture && c.visible) {
  266. for (i = 0; i < c.children.length; i++) {
  267. window.getVisibleSprites(c.children[i], a);
  268. }
  269. return a;
  270. } else if (c.visible) {
  271. a.push(c);
  272. return a;
  273. }
  274. return a;
  275. }.bind(this);
  276. this.ticker = ticker;
  277. this.tickInstance = this.tick.bind(this, ticker, {
  278. delta: 0, // standard, backwards-compatible parameter for `deltaMS`
  279. deltaMS: 0, // MS from last frame (matches above)
  280. deltaTime: 0, // PIXI ticker frame value
  281. elapsed: 0 // MS since game start (minus pauses)
  282. });
  283. // START GAME!
  284. ticker.add(this.tickInstance);
  285. this.paused = false;
  286. if (config.dev) {
  287. setUpFPS(ticker, this.canvas);
  288. }
  289. };
  290. let canvas = null;
  291. super();
  292. if (!definition) {
  293. platypus.debug.warn('No game definition is supplied. Game not created.');
  294. return;
  295. }
  296. this.options = options;
  297. // Get or set canvas.
  298. if (options.canvasId) {
  299. canvas = window.document.getElementById(options.canvasId);
  300. }
  301. if (!canvas) {
  302. canvas = window.document.createElement('canvas');
  303. window.document.body.appendChild(canvas);
  304. if (options.canvasId) {
  305. canvas.setAttribute('id', options.canvasId);
  306. }
  307. }
  308. canvas.width = canvas.offsetWidth;
  309. canvas.height = canvas.offsetHeight;
  310. // Fix for MS Edge so that "no-drag" icon doesn't appear on drag.
  311. canvas.ondragstart = function () {
  312. return false;
  313. };
  314. this.canvas = canvas;
  315. this.voPlayer = new VOPlayer(this, platypus.assetCache);
  316. this.voPlayer.trackSound = platypus.supports.iOS;
  317. this.sfxPlayer = new SFXPlayer();
  318. this.musicPlayer = new SFXPlayer();
  319. this.springroll = (function () {
  320. const
  321. springroll = new Application({
  322. features: options.features || {
  323. sfx: true,
  324. vo: true,
  325. music: true,
  326. sound: true,
  327. captions: true
  328. }
  329. }),
  330. state = springroll.state;
  331. state.pause.subscribe(function (current) {
  332. if (current) {
  333. if (!this.paused) {
  334. this.ticker.remove(this.tickInstance);
  335. this.paused = true;
  336. Sound.pauseAll();
  337. }
  338. } else {
  339. if (this.paused) {
  340. this.ticker.add(this.tickInstance);
  341. this.paused = false;
  342. Sound.resumeAll();
  343. }
  344. }
  345. }.bind(this));
  346. state.soundVolume.subscribe(function () {
  347. /* SR seems to trigger this too aggressively, in that it already calls mute/unmute on the comprising sfx/music/vo channels. We rely on the others instead. */
  348. });
  349. state.musicVolume.subscribe((current) => {
  350. platypus.game.musicPlayer.setVolume(current);
  351. });
  352. state.voVolume.subscribe(function (current) {
  353. platypus.game.voPlayer.setVolume(current);
  354. });
  355. state.captionsMuted.subscribe(function (current) {
  356. platypus.game.voPlayer.setCaptionMute(current);
  357. });
  358. state.sfxVolume.subscribe(function (current) {
  359. platypus.game.sfxPlayer.setVolume(current);
  360. });
  361. this.storage = new Storage(springroll, options);
  362. return springroll;
  363. }.bind(this))();
  364. this.layers = arrayCache.setUp();
  365. this.sceneLayers = arrayCache.setUp();
  366. this.loading = arrayCache.setUp();
  367. this.loadingQueue = arrayCache.setUp();
  368. if (typeof definition === 'string') {
  369. loadJSONLinks(definition, load.bind(this, displayOptions));
  370. } else {
  371. load.bind(this)(displayOptions, definition);
  372. }
  373. }
  374. /**
  375. * This method causes the game to tick once.
  376. *
  377. * @param ticker {PIXI.Ticker} The ticker being used to set the game tick.
  378. * @param tickMessage {Object} Event tracking tick data.
  379. * @param deltaTime {number} The time elapsed since the last tick.
  380. * @fires platypus.Game#tick
  381. * @fires platypus.Entity#tick
  382. **/
  383. tick (ticker, tickMessage, deltaTime) {
  384. const loading = this.loading;
  385. tickMessage.delta = tickMessage.deltaMS = ticker.deltaMS;
  386. tickMessage.deltaTime = deltaTime;
  387. tickMessage.elapsed += ticker.deltaMS;
  388. // If layers need to be loaded, load them!
  389. if (loading.length) {
  390. for (let i = 0; i < loading.length; i++) {
  391. loading[i]();
  392. }
  393. loading.length = 0;
  394. }
  395. TweenJS.update();
  396. /**
  397. * This event is triggered on the game as well as each layer currently loaded.
  398. *
  399. * @event platypus.Game#tick
  400. * @param tickMessage {Object} Event tracking tick data. This object is re-used for subsequent ticks.
  401. * @param tickMessage.delta {Number} Time in MS passed since last tick.
  402. * @param tickMessage.elapsed {Number} Time in MS passed since game load.
  403. */
  404. this.triggerEvent('tick', tickMessage);
  405. /**
  406. * This event is triggered on the game as well as each layer currently loaded.
  407. *
  408. * @event platypus.Entity#tick
  409. * @param tickMessage {Object} Event tracking tick data. This object is re-used for subsequent ticks.
  410. * @param tickMessage.delta {Number} Time in MS passed since last tick.
  411. * @param tickMessage.elapsed {Number} Time in MS passed since game load.
  412. */
  413. this.triggerOnChildren('tick', tickMessage);
  414. this.renderer.render(this.stage);
  415. }
  416. /**
  417. * This method is used by external objects to trigger messages on the layers as well as internal entities broadcasting messages across the scope of the scene.
  418. *
  419. * @param {String} eventId This is the message to process.
  420. * @param {*} event This is a message object or other value to pass along to component functions.
  421. **/
  422. triggerOnChildren (...args) {
  423. const layers = this.layers;
  424. for (let i = 0; i < layers.length; i++) {
  425. layers[i].trigger(...args);
  426. }
  427. }
  428. /**
  429. * Loads one or more layers.
  430. *
  431. * If one layer is specified, it will complete loading if no other layers are already loading. If other layers are presently loading, it will complete as soon as other layers are complete.
  432. *
  433. * If an array of layers is specified, all layers must finish loading before any receive a completion event.
  434. *
  435. * @param layerId {Array|String} The layer(s) to load.
  436. * @param data {Object} A list of key/value pairs describing options or settings for the loading scene.
  437. * @param isScene {Boolean} Whether the layers from a previous scene should be replaced by these layers.
  438. * @param progressIdOrFunction {String|Function} Whether to report progress. A string sets the id of progress events whereas a function is called directly with progress.
  439. * @fires platypus.Entity#layer-unloaded
  440. * @fires platypus.Entity#unload-layer
  441. * @fires platypus.Entity#layer-loaded
  442. * @fires platypus.Entity#layer-live
  443. **/
  444. load (layerId, data, isScene, progressIdOrFunction) {
  445. this.loadingQueue.push(layerId);
  446. // Delay load so it doesn't begin a scene mid-tick.
  447. this.loading.push(() => {
  448. const
  449. layers = Array.isArray(layerId) ? greenSlice(layerId) : arrayCache.setUp(layerId),
  450. assets = arrayCache.setUp(),
  451. properties = arrayCache.setUp(),
  452. loader = arrayCache.setUp((callback) => {
  453. const
  454. queue = this.loadingQueue,
  455. index = queue.indexOf(layerId);
  456. // Make sure previous layers have already gone live.
  457. if (index === 0) {
  458. queue.shift();
  459. callback();
  460. while (typeof queue[0] === 'function') {
  461. const prevCallback = queue[0];
  462. queue.shift();
  463. prevCallback();
  464. }
  465. } else { // Not the next in line, so we'll handle this later. (ie bracket above on another group of layers completion)
  466. queue[index] = callback;
  467. }
  468. }),
  469. getDefinition = (layer) => {
  470. const id = layer ? layer.type || layer : null;
  471. let layerDefinition = null;
  472. if (!id) {
  473. platypus.debug.warn('Game: A layer id or layer definition must be provided to load a layer.');
  474. return null;
  475. } else if (typeof id === 'string') {
  476. if (!this.settings.entities[id]) {
  477. platypus.debug.warn('Game: A layer with the id "' + id + '" has not been defined in the game settings.');
  478. return null;
  479. }
  480. layerDefinition = this.settings.entities[id];
  481. } else {
  482. layerDefinition = layer;
  483. }
  484. return layerDefinition;
  485. },
  486. loadAssets = function (layerDefinitions, properties, data, assetLists, progressCallback, completeCallback) {
  487. const assets = arrayCache.setUp();
  488. for (let i = 0; i < layerDefinitions.length; i++) {
  489. const
  490. props = Data.setUp(properties[i]),
  491. arr = assetLists[i] = Entity.getAssetList(layerDefinitions[i], props, data);
  492. for (let j = 0; j < arr.length; j++) {
  493. assets.push(arr[j]); // We don't union so that we can remove individual layers as needed and their asset dependencies.
  494. }
  495. props.recycle();
  496. }
  497. platypus.assetCache.load(assets, progressCallback, completeCallback);
  498. },
  499. loadLayer = function (layers, assetLists, index, layerDefinition, properties, data, completeCallback) {
  500. const props = Data.setUp(properties);
  501. props.stage = this.stage;
  502. props.parent = this;
  503. if (layerDefinition) { // Load layer
  504. const
  505. holds = Data.setUp('count', 1, 'release', () => {
  506. holds.count -= 1;
  507. if (!holds.count) { // All holds have been released
  508. holds.recycle();
  509. completeCallback();
  510. }
  511. }),
  512. layer = new Entity(layerDefinition, {
  513. properties: props
  514. }, (entity) => {
  515. layers[index] = entity;
  516. holds.release();
  517. });
  518. layer.unloadLayer = () => {
  519. const
  520. release = () => {
  521. holds -= 1;
  522. if (holds === 0) {
  523. // Delay load so it doesn't end a layer mid-tick.
  524. window.setTimeout(() => {
  525. /**
  526. * This event is triggered on the layers once the Scene is over.
  527. *
  528. * @event platypus.Entity#layer-unloaded
  529. */
  530. layer.triggerEvent('layer-unloaded');
  531. platypus.debug.olive('Layer unloaded: ' + layer.id);
  532. greenSplice(this.layers, this.layers.indexOf(layer));
  533. layer.destroy();
  534. platypus.assetCache.unload(assetLists[index]);
  535. arrayCache.recycle(assetLists[index]);
  536. }, 1);
  537. }
  538. };
  539. let holds = 1;
  540. /**
  541. * This event is triggered on the layer to allow children of the layer to place a hold on the closing until they're ready.
  542. *
  543. * @event platypus.Entity#unload-layer
  544. * @param data {Object} A list of key-value pairs of data sent into this Scene from the previous Scene.
  545. * @param hold {Function} Calling this function places a hold; `release` must be called to release this hold and unload the layer.
  546. * @param release {Function} Calling this function releases a previous hold.
  547. */
  548. layer.triggerEvent('unload-layer', () => {
  549. holds += 1;
  550. }, release);
  551. platypus.debug.olive('Layer unloading: ' + layer.id);
  552. release();
  553. };
  554. /**
  555. * This event is triggered on the layers once all assets have been readied and the layer is created.
  556. *
  557. * @event platypus.Entity#layer-loaded
  558. * @param persistentData {Object} Data passed from the last scene into this one.
  559. * @param persistentData.level {Object} A level name or definition to load if the level is not already specified.
  560. * @param holds {platypus.Data} An object that handles any holds on before making the scene live.
  561. * @param holds.count {Number} The number of holds to wait for before triggering "scene-live"
  562. * @param holds.release {Function} The method to trigger to let the scene loader know that one hold has been released.
  563. */
  564. layer.triggerEvent('layer-loaded', data, holds);
  565. }
  566. },
  567. progressHandler = progressIdOrFunction ? ((typeof progressIdOrFunction === 'string') ? function (progress, ratio) {
  568. progress.progress = ratio;
  569. this.triggerOnChildren('load-progress', progress);
  570. }.bind(this, Data.setUp(
  571. 'id', progressIdOrFunction,
  572. 'progress', 0
  573. )) : progressIdOrFunction) : null;
  574. for (let i = 0; i < layers.length; i++) {
  575. const
  576. layer = layers[i],
  577. layerDefinition = getDefinition(layer),
  578. layerProps = (layer && layer.type && layer.properties) || null;
  579. loader.push(loadLayer.bind(this, layers, assets, i, layerDefinition, layerProps, data));
  580. layers[i] = layerDefinition;
  581. properties[i] = layerProps;
  582. }
  583. loadAssets(layers, properties, data, assets, progressHandler, () => {
  584. Async.setUp(loader, () => {
  585. for (let i = 0; i < layers.length; i++) {
  586. const layer = layers[i];
  587. this.layers.push(layer);
  588. if (isScene) {
  589. this.sceneLayers.push(layer);
  590. }
  591. platypus.debug.olive('Layer live: ' + layer.id);
  592. /**
  593. * This event is triggered on each newly-live layer once it is finished loading and ready to display.
  594. *
  595. * @event platypus.Entity#layer-live
  596. * @param data {Object} A list of key-value pairs of data sent into this Scene from the previous Scene.
  597. */
  598. layer.triggerEvent('layer-live', data);
  599. }
  600. });
  601. });
  602. });
  603. }
  604. /**
  605. * Loads a scene.
  606. *
  607. * @param layersOrId {Array|Object|String} The list of layers, an object with a `layers` Array property, or scene id to load.
  608. * @param data {Object} A list of key/value pairs describing options or settings for the loading scene.
  609. * @param progressIdOrFunction {String|Function} Whether to report progress. A string sets the id of progress events whereas a function is called directly with progress.
  610. **/
  611. loadScene (layersOrId, data, progressIdOrFunction = 'scene') {
  612. const sceneLayers = this.sceneLayers;
  613. let layers = layersOrId;
  614. if (typeof layers === 'string') {
  615. layers = this.settings.scenes && this.settings.scenes[layers];
  616. }
  617. if (!layers) {
  618. platypus.debug.warn('Game: "' + layersOrId + '" is an invalid scene.');
  619. return;
  620. }
  621. if (layers.layers) { // Object containing a list of layers.
  622. layers = layers.layers;
  623. }
  624. while (sceneLayers.length) {
  625. this.unload(sceneLayers[0]);
  626. }
  627. this.load(layers, data, true, progressIdOrFunction);
  628. }
  629. /**
  630. * Unloads a layer.
  631. *
  632. * @param layer {String|Object} The layer to unload.
  633. **/
  634. unload (layer) {
  635. let layerToUnload = layer,
  636. sceneIndex = 0;
  637. if (typeof layerToUnload === 'string') {
  638. for (let i = 0; i < this.layers.length; i++) {
  639. if (this.layers[i].type === layerToUnload) {
  640. layerToUnload = this.layers[i];
  641. break;
  642. }
  643. }
  644. }
  645. sceneIndex = this.sceneLayers.indexOf(layerToUnload); // remove scene entry if it exists
  646. if (sceneIndex >= 0) {
  647. greenSplice(this.sceneLayers, sceneIndex);
  648. }
  649. layerToUnload.unloadLayer();
  650. }
  651. /**
  652. * This method will return the first entity it finds with a matching id.
  653. *
  654. * @param {string} id The entity id to find.
  655. * @return {Entity} Returns the entity that matches the specified entity id.
  656. **/
  657. getEntityById (id) {
  658. var i = 0,
  659. selection = null;
  660. for (i = 0; i < this.layers.length; i++) {
  661. if (this.layers[i].id === id) {
  662. return this.layers[i];
  663. }
  664. if (this.layers[i].getEntityById) {
  665. selection = this.layers[i].getEntityById(id);
  666. if (selection) {
  667. return selection;
  668. }
  669. }
  670. }
  671. return null;
  672. }
  673. /**
  674. * This method will return all game entities that match the provided type.
  675. *
  676. * @param {String} type The entity type to find.
  677. * @return entities {Array} Returns the entities that match the specified entity type.
  678. **/
  679. getEntitiesByType (type) {
  680. var i = 0,
  681. selection = null,
  682. entities = arrayCache.setUp();
  683. for (i = 0; i < this.layers.length; i++) {
  684. if (this.layers[i].type === type) {
  685. entities.push(this.layers[i]);
  686. }
  687. if (this.layers[i].getEntitiesByType) {
  688. selection = this.layers[i].getEntitiesByType(type);
  689. union(entities, selection);
  690. arrayCache.recycle(selection);
  691. }
  692. }
  693. return entities;
  694. }
  695. /**
  696. * This method destroys the game.
  697. *
  698. **/
  699. destroy () {
  700. const layers = this.layers;
  701. for (let i = 0; i < layers.length; i++) {
  702. layers[i].destroy();
  703. }
  704. layers.recycle();
  705. }
  706. }
  707. return Game;
  708. }());