rekapi.js

  1. import { Tweenable, setBezierFunction } from 'shifty';
  2. import { Actor } from './actor';
  3. import {
  4. each,
  5. pick,
  6. without
  7. } from './utils';
  8. const UPDATE_TIME = 1000 / 60;
  9. export const DEFAULT_EASING = 'linear';
  10. /*!
  11. * Fire an event bound to a Rekapi.
  12. * @param {Rekapi} rekapi
  13. * @param {string} eventName
  14. * @param {Object} [data={}] Optional event-specific data
  15. */
  16. export const fireEvent = (rekapi, eventName, data = {}) =>
  17. rekapi._events[eventName].forEach(handler => handler(rekapi, data));
  18. /*!
  19. * @param {Rekapi} rekapi
  20. */
  21. export const invalidateAnimationLength = rekapi =>
  22. rekapi._animationLengthValid = false;
  23. /*!
  24. * Determines which iteration of the loop the animation is currently in.
  25. * @param {Rekapi} rekapi
  26. * @param {number} timeSinceStart
  27. */
  28. export const determineCurrentLoopIteration = (rekapi, timeSinceStart) => {
  29. const animationLength = rekapi.getAnimationLength();
  30. if (animationLength === 0) {
  31. return timeSinceStart;
  32. }
  33. return Math.floor(timeSinceStart / animationLength);
  34. };
  35. /*!
  36. * Calculate how many milliseconds since the animation began.
  37. * @param {Rekapi} rekapi
  38. * @return {number}
  39. */
  40. export const calculateTimeSinceStart = rekapi =>
  41. Tweenable.now() - rekapi._loopTimestamp;
  42. /*!
  43. * Determines if the animation is complete or not.
  44. * @param {Rekapi} rekapi
  45. * @param {number} currentLoopIteration
  46. * @return {boolean}
  47. */
  48. export const isAnimationComplete = (rekapi, currentLoopIteration) =>
  49. currentLoopIteration >= rekapi._timesToIterate
  50. && rekapi._timesToIterate !== -1;
  51. /*!
  52. * Stops the animation if it is complete.
  53. * @param {Rekapi} rekapi
  54. * @param {number} currentLoopIteration
  55. * @fires rekapi.animationComplete
  56. */
  57. export const updatePlayState = (rekapi, currentLoopIteration) => {
  58. if (isAnimationComplete(rekapi, currentLoopIteration)) {
  59. rekapi.stop();
  60. fireEvent(rekapi, 'animationComplete');
  61. }
  62. };
  63. /*!
  64. * Calculate how far in the animation loop `rekapi` is, in milliseconds,
  65. * based on the current time. Also overflows into a new loop if necessary.
  66. * @param {Rekapi} rekapi
  67. * @param {number} forMillisecond
  68. * @param {number} currentLoopIteration
  69. * @return {number}
  70. */
  71. export const calculateLoopPosition = (rekapi, forMillisecond, currentLoopIteration) => {
  72. const animationLength = rekapi.getAnimationLength();
  73. return animationLength === 0 ?
  74. 0 :
  75. isAnimationComplete(rekapi, currentLoopIteration) ?
  76. animationLength :
  77. forMillisecond % animationLength;
  78. };
  79. /*!
  80. * Calculate the timeline position and state for a given millisecond.
  81. * Updates the `rekapi` state internally and accounts for how many loop
  82. * iterations the animation runs for.
  83. * @param {Rekapi} rekapi
  84. * @param {number} forMillisecond
  85. * @fires rekapi.animationLooped
  86. */
  87. export const updateToMillisecond = (rekapi, forMillisecond) => {
  88. const currentIteration = determineCurrentLoopIteration(rekapi, forMillisecond);
  89. const loopPosition = calculateLoopPosition(
  90. rekapi, forMillisecond, currentIteration
  91. );
  92. rekapi._loopPosition = loopPosition;
  93. const keyframeResetList = [];
  94. if (currentIteration > rekapi._latestIteration) {
  95. fireEvent(rekapi, 'animationLooped');
  96. rekapi._actors.forEach(actor => {
  97. const { _keyframeProperties } = actor;
  98. const fnKeyframes = Object.keys(_keyframeProperties).reduce(
  99. (acc, propertyId) => {
  100. const property = _keyframeProperties[propertyId];
  101. if (property.name === 'function') {
  102. acc.push(property);
  103. }
  104. return acc;
  105. },
  106. []
  107. );
  108. const lastFnKeyframe = fnKeyframes[fnKeyframes.length - 1];
  109. if (lastFnKeyframe && !lastFnKeyframe.hasFired) {
  110. lastFnKeyframe.invoke();
  111. }
  112. keyframeResetList.push(...fnKeyframes);
  113. });
  114. }
  115. rekapi._latestIteration = currentIteration;
  116. rekapi.update(loopPosition, true);
  117. updatePlayState(rekapi, currentIteration);
  118. keyframeResetList.forEach(fnKeyframe => {
  119. fnKeyframe.hasFired = false;
  120. });
  121. };
  122. /*!
  123. * Calculate how far into the animation loop `rekapi` is, in milliseconds,
  124. * and update based on that time.
  125. * @param {Rekapi} rekapi
  126. */
  127. export const updateToCurrentMillisecond = rekapi =>
  128. updateToMillisecond(rekapi, calculateTimeSinceStart(rekapi));
  129. /*!
  130. * This is the heartbeat of an animation. This updates `rekapi`'s state and
  131. * then calls itself continuously.
  132. * @param {Rekapi} rekapi
  133. */
  134. const tick = rekapi =>
  135. // Need to check for .call presence to get around an IE limitation. See
  136. // annotation for cancelLoop for more info.
  137. rekapi._loopId = rekapi._scheduleUpdate.call ?
  138. rekapi._scheduleUpdate.call(global, rekapi._updateFn, UPDATE_TIME) :
  139. setTimeout(rekapi._updateFn, UPDATE_TIME);
  140. /*!
  141. * @return {Function}
  142. */
  143. const getUpdateMethod = () =>
  144. // requestAnimationFrame() shim by Paul Irish (modified for Rekapi)
  145. // http://paulirish.com/2011/requestanimationframe-for-smart-animating/
  146. global.requestAnimationFrame ||
  147. global.webkitRequestAnimationFrame ||
  148. global.oRequestAnimationFrame ||
  149. global.msRequestAnimationFrame ||
  150. (global.mozCancelRequestAnimationFrame && global.mozRequestAnimationFrame) ||
  151. global.setTimeout;
  152. /*!
  153. * @return {Function}
  154. */
  155. const getCancelMethod = () =>
  156. global.cancelAnimationFrame ||
  157. global.webkitCancelAnimationFrame ||
  158. global.oCancelAnimationFrame ||
  159. global.msCancelAnimationFrame ||
  160. global.mozCancelRequestAnimationFrame ||
  161. global.clearTimeout;
  162. /*!
  163. * Cancels an update loop. This abstraction is needed to get around the fact
  164. * that in IE, clearTimeout is not technically a function
  165. * (https://twitter.com/kitcambridge/status/206655060342603777) and thus
  166. * Function.prototype.call cannot be used upon it.
  167. * @param {Rekapi} rekapi
  168. */
  169. const cancelLoop = rekapi =>
  170. rekapi._cancelUpdate.call ?
  171. rekapi._cancelUpdate.call(global, rekapi._loopId) :
  172. clearTimeout(rekapi._loopId);
  173. const STOPPED = 'stopped';
  174. const PAUSED = 'paused';
  175. const PLAYING = 'playing';
  176. /*!
  177. * @type {Object.<function>} Contains the context init function to be called in
  178. * the Rekapi constructor. This array is populated by modules in the
  179. * renderers/ directory.
  180. */
  181. export const rendererBootstrappers = [];
  182. /**
  183. * If this is a rendered animation, the appropriate renderer is accessible as
  184. * `this.renderer`. If provided, a reference to `context` is accessible
  185. * as `this.context`.
  186. * @param {(Object|CanvasRenderingContext2D|HTMLElement)} [context={}] Sets
  187. * {@link rekapi.Rekapi#context}. This determines how to render the animation.
  188. * {@link rekapi.Rekapi} will also automatically set up all necessary {@link
  189. * rekapi.Rekapi#renderers} based on this value:
  190. *
  191. * * If this is not provided or is a plain object (`{}`), the animation will
  192. * not render anything and {@link rekapi.Rekapi#renderers} will be empty.
  193. * * If this is a
  194. * [`CanvasRenderingContext2D`](https://developer.mozilla.org/en-US/docs/Web/API/CanvasRenderingContext2D),
  195. * {@link rekapi.Rekapi#renderers} will contain a {@link
  196. * rekapi.CanvasRenderer}.
  197. * * If this is a DOM element, {@link rekapi.Rekapi#renderers} will contain a
  198. * {@link rekapi.DOMRenderer}.
  199. * @constructs rekapi.Rekapi
  200. */
  201. export class Rekapi {
  202. constructor (context = {}) {
  203. /**
  204. * @member {(Object|CanvasRenderingContext2D|HTMLElement)}
  205. * rekapi.Rekapi#context The rendering context for an animation.
  206. * @default {}
  207. */
  208. this.context = context;
  209. this._actors = [];
  210. this._playState = STOPPED;
  211. /**
  212. * @member {(rekapi.actorSortFunction|null)} rekapi.Rekapi#sort Optional
  213. * function for sorting the render order of {@link rekapi.Actor}s. If set,
  214. * this is called each frame before the {@link rekapi.Actor}s are rendered.
  215. * If not set, {@link rekapi.Actor}s will render in the order they were
  216. * added via {@link rekapi.Rekapi#addActor}.
  217. *
  218. * The following example assumes that all {@link rekapi.Actor}s are circles
  219. * that have a `radius` {@link rekapi.KeyframeProperty}. The circles will
  220. * be rendered in order of the value of their `radius`, from smallest to
  221. * largest. This has the effect of layering larger circles on top of
  222. * smaller circles, thus giving a sense of perspective.
  223. *
  224. * const rekapi = new Rekapi();
  225. * rekapi.sort = actor => actor.get().radius;
  226. * @default null
  227. */
  228. this.sort = null;
  229. this._events = {
  230. animationComplete: [],
  231. playStateChange: [],
  232. play: [],
  233. pause: [],
  234. stop: [],
  235. beforeUpdate: [],
  236. afterUpdate: [],
  237. addActor: [],
  238. removeActor: [],
  239. beforeAddKeyframeProperty: [],
  240. addKeyframeProperty: [],
  241. removeKeyframeProperty: [],
  242. removeKeyframePropertyComplete: [],
  243. beforeRemoveKeyframeProperty: [],
  244. addKeyframePropertyTrack: [],
  245. removeKeyframePropertyTrack: [],
  246. timelineModified: [],
  247. animationLooped: []
  248. };
  249. // How many times to loop the animation before stopping
  250. this._timesToIterate = -1;
  251. // Millisecond duration of the animation
  252. this._animationLength = 0;
  253. this._animationLengthValid = false;
  254. // The setTimeout ID of `tick`
  255. this._loopId = null;
  256. // The UNIX time at which the animation loop started
  257. this._loopTimestamp = null;
  258. // Used for maintaining position when the animation is paused
  259. this._pausedAtTime = null;
  260. // The last millisecond position that was updated
  261. this._lastUpdatedMillisecond = 0;
  262. // The most recent loop iteration a frame was calculated for
  263. this._latestIteration = 0;
  264. // The most recent millisecond position within the loop that the animation
  265. // was updated to
  266. this._loopPosition = null;
  267. this._scheduleUpdate = getUpdateMethod();
  268. this._cancelUpdate = getCancelMethod();
  269. this._updateFn = () => {
  270. tick(this);
  271. updateToCurrentMillisecond(this);
  272. };
  273. /**
  274. * @member {Array.<rekapi.renderer>} rekapi.Rekapi#renderers Instances of
  275. * {@link rekapi.renderer} classes, as inferred by the `context`
  276. * parameter provided to the {@link rekapi.Rekapi} constructor. You can
  277. * add more renderers to this list manually; see the {@tutorial
  278. * multiple-renderers} tutorial for an example.
  279. */
  280. this.renderers = rendererBootstrappers
  281. .map(renderer => renderer(this))
  282. .filter(_ => _);
  283. }
  284. /**
  285. * Add a {@link rekapi.Actor} to the animation. Decorates the added {@link
  286. * rekapi.Actor} with a reference to this {@link rekapi.Rekapi} instance as
  287. * {@link rekapi.Actor#rekapi}.
  288. *
  289. * @method rekapi.Rekapi#addActor
  290. * @param {(rekapi.Actor|Object)} [actor={}] If this is an `Object`, it is used to as
  291. * the constructor parameters for a new {@link rekapi.Actor} instance that
  292. * is created by this method.
  293. * @return {rekapi.Actor} The {@link rekapi.Actor} that was added.
  294. * @fires rekapi.addActor
  295. */
  296. addActor (actor = {}) {
  297. const rekapiActor = actor instanceof Actor ?
  298. actor :
  299. new Actor(actor);
  300. // You can't add an actor more than once.
  301. if (~this._actors.indexOf(rekapiActor)) {
  302. return rekapiActor;
  303. }
  304. rekapiActor.context = rekapiActor.context || this.context;
  305. rekapiActor.rekapi = this;
  306. // Store a reference to the actor internally
  307. this._actors.push(rekapiActor);
  308. invalidateAnimationLength(this);
  309. rekapiActor.setup();
  310. fireEvent(this, 'addActor', rekapiActor);
  311. return rekapiActor;
  312. }
  313. /**
  314. * @method rekapi.Rekapi#getActor
  315. * @param {number} actorId
  316. * @return {rekapi.Actor} A reference to an actor from the animation by its
  317. * `id`. You can use {@link rekapi.Rekapi#getActorIds} to get a list of IDs
  318. * for all actors in the animation.
  319. */
  320. getActor (actorId) {
  321. return this._actors.filter(actor => actor.id === actorId)[0];
  322. }
  323. /**
  324. * @method rekapi.Rekapi#getActorIds
  325. * @return {Array.<number>} The `id`s of all {@link rekapi.Actor}`s in the
  326. * animation.
  327. */
  328. getActorIds () {
  329. return this._actors.map(actor => actor.id);
  330. }
  331. /**
  332. * @method rekapi.Rekapi#getAllActors
  333. * @return {Array.<rekapi.Actor>} All {@link rekapi.Actor}s in the animation.
  334. */
  335. getAllActors () {
  336. return this._actors.slice();
  337. }
  338. /**
  339. * @method rekapi.Rekapi#getActorCount
  340. * @return {number} The number of {@link rekapi.Actor}s in the animation.
  341. */
  342. getActorCount () {
  343. return this._actors.length;
  344. }
  345. /**
  346. * Remove an actor from the animation. This does not destroy the actor, it
  347. * only removes the link between it and this {@link rekapi.Rekapi} instance.
  348. * This method calls the actor's {@link rekapi.Actor#teardown} method, if
  349. * defined.
  350. * @method rekapi.Rekapi#removeActor
  351. * @param {rekapi.Actor} actor
  352. * @return {rekapi.Actor} The {@link rekapi.Actor} that was removed.
  353. * @fires rekapi.removeActor
  354. */
  355. removeActor (actor) {
  356. // Remove the link between Rekapi and actor
  357. this._actors = without(this._actors, actor);
  358. delete actor.rekapi;
  359. actor.teardown();
  360. invalidateAnimationLength(this);
  361. fireEvent(this, 'removeActor', actor);
  362. return actor;
  363. }
  364. /**
  365. * Remove all {@link rekapi.Actor}s from the animation.
  366. * @method rekapi.Rekapi#removeAllActors
  367. * @return {Array.<rekapi.Actor>} The {@link rekapi.Actor}s that were
  368. * removed.
  369. */
  370. removeAllActors () {
  371. return this.getAllActors().map(actor => this.removeActor(actor));
  372. }
  373. /**
  374. * Play the animation.
  375. *
  376. * @method rekapi.Rekapi#play
  377. * @param {number} [iterations=-1] If omitted, the animation will loop
  378. * endlessly.
  379. * @return {rekapi.Rekapi}
  380. * @fires rekapi.playStateChange
  381. * @fires rekapi.play
  382. */
  383. play (iterations = -1) {
  384. cancelLoop(this);
  385. if (this._playState === PAUSED) {
  386. // Move the playhead to the correct position in the timeline if resuming
  387. // from a pause
  388. this._loopTimestamp += Tweenable.now() - this._pausedAtTime;
  389. } else {
  390. this._loopTimestamp = Tweenable.now();
  391. }
  392. this._timesToIterate = iterations;
  393. this._playState = PLAYING;
  394. // Start the update loop
  395. tick(this);
  396. fireEvent(this, 'playStateChange');
  397. fireEvent(this, 'play');
  398. return this;
  399. }
  400. /**
  401. * Move to a specific millisecond on the timeline and play from there.
  402. *
  403. * @method rekapi.Rekapi#playFrom
  404. * @param {number} millisecond
  405. * @param {number} [iterations] Works as it does in {@link
  406. * rekapi.Rekapi#play}.
  407. * @return {rekapi.Rekapi}
  408. */
  409. playFrom (millisecond, iterations) {
  410. this.play(iterations);
  411. this._loopTimestamp = Tweenable.now() - millisecond;
  412. this._actors.forEach(
  413. actor => actor._resetFnKeyframesFromMillisecond(millisecond)
  414. );
  415. return this;
  416. }
  417. /**
  418. * Play from the last frame that was rendered with {@link
  419. * rekapi.Rekapi#update}.
  420. *
  421. * @method rekapi.Rekapi#playFromCurrent
  422. * @param {number} [iterations] Works as it does in {@link
  423. * rekapi.Rekapi#play}.
  424. * @return {rekapi.Rekapi}
  425. */
  426. playFromCurrent (iterations) {
  427. return this.playFrom(this._lastUpdatedMillisecond, iterations);
  428. }
  429. /**
  430. * Pause the animation. A "paused" animation can be resumed from where it
  431. * left off with {@link rekapi.Rekapi#play}.
  432. *
  433. * @method rekapi.Rekapi#pause
  434. * @return {rekapi.Rekapi}
  435. * @fires rekapi.playStateChange
  436. * @fires rekapi.pause
  437. */
  438. pause () {
  439. if (this._playState === PAUSED) {
  440. return this;
  441. }
  442. this._playState = PAUSED;
  443. cancelLoop(this);
  444. this._pausedAtTime = Tweenable.now();
  445. fireEvent(this, 'playStateChange');
  446. fireEvent(this, 'pause');
  447. return this;
  448. }
  449. /**
  450. * Stop the animation. A "stopped" animation will start from the beginning
  451. * if {@link rekapi.Rekapi#play} is called.
  452. *
  453. * @method rekapi.Rekapi#stop
  454. * @return {rekapi.Rekapi}
  455. * @fires rekapi.playStateChange
  456. * @fires rekapi.stop
  457. */
  458. stop () {
  459. this._playState = STOPPED;
  460. cancelLoop(this);
  461. // Also kill any shifty tweens that are running.
  462. this._actors.forEach(actor =>
  463. actor._resetFnKeyframesFromMillisecond(0)
  464. );
  465. fireEvent(this, 'playStateChange');
  466. fireEvent(this, 'stop');
  467. return this;
  468. }
  469. /**
  470. * @method rekapi.Rekapi#isPlaying
  471. * @return {boolean} Whether or not the animation is playing (meaning not paused or
  472. * stopped).
  473. */
  474. isPlaying () {
  475. return this._playState === PLAYING;
  476. }
  477. /**
  478. * @method rekapi.Rekapi#isPaused
  479. * @return {boolean} Whether or not the animation is paused (meaning not playing or
  480. * stopped).
  481. */
  482. isPaused () {
  483. return this._playState === PAUSED;
  484. }
  485. /**
  486. * @method rekapi.Rekapi#isStopped
  487. * @return {boolean} Whether or not the animation is stopped (meaning not playing or
  488. * paused).
  489. */
  490. isStopped () {
  491. return this._playState === STOPPED;
  492. }
  493. /**
  494. * Render an animation frame at a specific point in the timeline.
  495. *
  496. * @method rekapi.Rekapi#update
  497. * @param {number} [millisecond=this._lastUpdatedMillisecond] The point in
  498. * the timeline at which to render. If omitted, this renders the last
  499. * millisecond that was rendered (it's a re-render).
  500. * @param {boolean} [doResetLaterFnKeyframes=false] If `true`, allow all
  501. * {@link rekapi.keyframeFunction}s later in the timeline to be run again.
  502. * This is a low-level feature, it should not be `true` (or even provided)
  503. * for most use cases.
  504. * @return {rekapi.Rekapi}
  505. * @fires rekapi.beforeUpdate
  506. * @fires rekapi.afterUpdate
  507. */
  508. update (
  509. millisecond = this._lastUpdatedMillisecond,
  510. doResetLaterFnKeyframes = false
  511. ) {
  512. fireEvent(this, 'beforeUpdate');
  513. const { sort } = this;
  514. const renderOrder = sort ?
  515. this._actors.sort((a, b) => sort(a) - sort(b)) :
  516. this._actors;
  517. // Update and render each of the actors
  518. renderOrder.forEach(actor => {
  519. actor._updateState(millisecond, doResetLaterFnKeyframes);
  520. if (actor.wasActive) {
  521. actor.render(actor.context, actor.get());
  522. }
  523. });
  524. this._lastUpdatedMillisecond = millisecond;
  525. fireEvent(this, 'afterUpdate');
  526. return this;
  527. }
  528. /**
  529. * @method rekapi.Rekapi#getLastPositionUpdated
  530. * @return {number} The normalized timeline position (between 0 and 1) that
  531. * was last rendered.
  532. */
  533. getLastPositionUpdated () {
  534. return (this._lastUpdatedMillisecond / this.getAnimationLength());
  535. }
  536. /**
  537. * @method rekapi.Rekapi#getLastMillisecondUpdated
  538. * @return {number} The millisecond that was last rendered.
  539. */
  540. getLastMillisecondUpdated () {
  541. return this._lastUpdatedMillisecond;
  542. }
  543. /**
  544. * @method rekapi.Rekapi#getAnimationLength
  545. * @return {number} The length of the animation timeline, in milliseconds.
  546. */
  547. getAnimationLength () {
  548. if (!this._animationLengthValid) {
  549. this._animationLength = Math.max.apply(
  550. Math,
  551. this._actors.map(actor => actor.getEnd())
  552. );
  553. this._animationLengthValid = true;
  554. }
  555. return this._animationLength;
  556. }
  557. /**
  558. * Bind a {@link rekapi.eventHandler} function to a Rekapi event.
  559. * @method rekapi.Rekapi#on
  560. * @param {string} eventName
  561. * @param {rekapi.eventHandler} handler The event handler function.
  562. * @return {rekapi.Rekapi}
  563. */
  564. on (eventName, handler) {
  565. if (!this._events[eventName]) {
  566. return this;
  567. }
  568. this._events[eventName].push(handler);
  569. return this;
  570. }
  571. /**
  572. * Manually fire a Rekapi event, thereby calling all {@link
  573. * rekapi.eventHandler}s bound to that event.
  574. * @param {string} eventName The name of the event to trigger.
  575. * @param {any} [data] Optional data to provide to the `eventName` {@link
  576. * rekapi.eventHandler}s.
  577. * @method rekapi.Rekapi#trigger
  578. * @return {rekapi.Rekapi}
  579. * @fires *
  580. */
  581. trigger (eventName, data) {
  582. fireEvent(this, eventName, data);
  583. return this;
  584. }
  585. /**
  586. * Unbind one or more handlers from a Rekapi event.
  587. * @method rekapi.Rekapi#off
  588. * @param {string} eventName Valid values correspond to the list under
  589. * {@link rekapi.Rekapi#on}.
  590. * @param {rekapi.eventHandler} [handler] A reference to the {@link
  591. * rekapi.eventHandler} to unbind. If omitted, all {@link
  592. * rekapi.eventHandler}s bound to `eventName` are unbound.
  593. * @return {rekapi.Rekapi}
  594. */
  595. off (eventName, handler) {
  596. if (!this._events[eventName]) {
  597. return this;
  598. }
  599. this._events[eventName] = handler ?
  600. without(this._events[eventName], handler) :
  601. [];
  602. return this;
  603. }
  604. /**
  605. * Export the timeline to a `JSON.stringify`-friendly `Object`.
  606. *
  607. * @method rekapi.Rekapi#exportTimeline
  608. * @param {Object} [config]
  609. * @param {boolean} [config.withId=false] If `true`, include internal `id`
  610. * values in exported data.
  611. * @return {rekapi.timelineData} This data can later be consumed by {@link
  612. * rekapi.Rekapi#importTimeline}.
  613. */
  614. exportTimeline ({ withId = false } = {}) {
  615. const exportData = {
  616. duration: this.getAnimationLength(),
  617. actors: this._actors.map(actor => actor.exportTimeline({ withId }))
  618. };
  619. const { formulas } = Tweenable;
  620. const filteredFormulas = Object.keys(formulas).filter(
  621. formulaName => typeof formulas[formulaName].x1 === 'number'
  622. );
  623. const pickProps = ['displayName', 'x1', 'y1', 'x2', 'y2'];
  624. exportData.curves = filteredFormulas.reduce((acc, formulaName) => {
  625. const formula = formulas[formulaName];
  626. acc[formula.displayName] = pick(formula, pickProps);
  627. return acc;
  628. },
  629. {}
  630. );
  631. return exportData;
  632. }
  633. /**
  634. * Import data that was created by {@link rekapi.Rekapi#exportTimeline}.
  635. * This sets up all actors, keyframes, and custom easing curves specified in
  636. * the `rekapiData` parameter. These two methods collectively allow you
  637. * serialize an animation (for sending to a server for persistence, for
  638. * example) and later recreating an identical animation.
  639. *
  640. * @method rekapi.Rekapi#importTimeline
  641. * @param {rekapi.timelineData} rekapiData Any object that has the same data
  642. * format as the object generated from {@link rekapi.Rekapi#exportTimeline}.
  643. */
  644. importTimeline (rekapiData) {
  645. each(rekapiData.curves, (curve, curveName) =>
  646. setBezierFunction(
  647. curveName,
  648. curve.x1,
  649. curve.y1,
  650. curve.x2,
  651. curve.y2
  652. )
  653. );
  654. rekapiData.actors.forEach(actorData => {
  655. const actor = new Actor();
  656. actor.importTimeline(actorData);
  657. this.addActor(actor);
  658. });
  659. }
  660. /**
  661. * @method rekapi.Rekapi#getEventNames
  662. * @return {Array.<string>} The list of event names that this Rekapi instance
  663. * supports.
  664. */
  665. getEventNames () {
  666. return Object.keys(this._events);
  667. }
  668. /**
  669. * Get a reference to a {@link rekapi.renderer} that was initialized for this
  670. * animation.
  671. * @method rekapi.Rekapi#getRendererInstance
  672. * @param {rekapi.renderer} rendererConstructor The type of {@link
  673. * rekapi.renderer} subclass (such as {@link rekapi.CanvasRenderer} or {@link
  674. * rekapi.DOMRenderer}) to look up an instance of.
  675. * @return {rekapi.renderer|undefined} The matching {@link rekapi.renderer},
  676. * if any.
  677. */
  678. getRendererInstance (rendererConstructor) {
  679. return this.renderers.filter(renderer =>
  680. renderer instanceof rendererConstructor
  681. )[0];
  682. }
  683. /**
  684. * Move a {@link rekapi.Actor} around within the internal render order list.
  685. * By default, a {@link rekapi.Actor} is rendered in the order it was added
  686. * with {@link rekapi.Rekapi#addActor}.
  687. *
  688. * This method has no effect if {@link rekapi.Rekapi#sort} is set.
  689. *
  690. * @method rekapi.Rekapi#moveActorToPosition
  691. * @param {rekapi.Actor} actor
  692. * @param {number} layer This should be within `0` and the total number of
  693. * {@link rekapi.Actor}s in the animation. That number can be found with
  694. * {@link rekapi.Rekapi#getActorCount}.
  695. * @return {rekapi.Rekapi}
  696. */
  697. moveActorToPosition (actor, position) {
  698. if (position < this._actors.length && position > -1) {
  699. this._actors = without(this._actors, actor);
  700. this._actors.splice(position, 0, actor);
  701. }
  702. return this;
  703. }
  704. }