mixins/Hittable.js

  1. 'use strict';
  2. const { Point2D } = require('../shared.js');
  3. const Interactable = require('./Interactable.js');
  4. /**
  5. * The Hitbox interface is used by the Hittable mixin. If a Hitbox is attached
  6. * to a Hittable instance object, hit detection will be performed on the object
  7. * when the user's first input in an interaction sequence touches down.
  8. *
  9. * Note that a class implementing the Hitbox interface should not worry about
  10. * applying transformations to the points it receives. That will be taken care
  11. * of by the Hittable mixin. To produce accurate results, a Hitbox should behave
  12. * as if the object it is associated with is positioned at x = 0, y = 0, with
  13. * scale = 1 and rotation = 0. That is, with the identity transformation.
  14. *
  15. * @interface Hitbox
  16. * @memberof module:shared
  17. */
  18. /**
  19. * Report whether the given (x,y) point is contained within the shape.
  20. *
  21. * @function
  22. * @name module:shared.Hitbox#contains
  23. * @param {module:shared.Point2D} point - The point to test.
  24. * @return {boolean} True if the given point is inside the shape, false
  25. * otherwise.
  26. */
  27. /**
  28. * This mixin extends the Interactable mixin by allow hit detection. A Hittable
  29. * will not automatically be able to respond to hit detection. To make a
  30. * Hittable item responsive, add a 'hitbox' property to the class or
  31. * instantiated object, which is itself an instance of a class which implements
  32. * the 'Hitbox' interface.
  33. *
  34. * The purpose of the Hittable mixin is simply to provide functionality for
  35. * interacting with the 'hitbox' property.
  36. *
  37. * @private
  38. * @memberof module:mixins
  39. *
  40. * @mixin
  41. * @mixes module:mixins.Interactable
  42. */
  43. const Hittable = (sclass) =>
  44. class Hittable extends Interactable(sclass) {
  45. /**
  46. * The hitbox for this Hittable instance. If it is null, hit detection will
  47. * always return a falsy value.
  48. *
  49. * @name hitbox
  50. * @type {?module:shared.Hitbox}
  51. * @default undefined
  52. * @memberof module:mixins.Hittable
  53. */
  54. /**
  55. * Checks whether a point with the given x,y coordinates is contained by
  56. * this item.
  57. *
  58. * @memberof module:mixins.Hittable
  59. *
  60. * @param {number} px - x coordinate of the point to check.
  61. * @param {number} py - y coordinate of the point to check.
  62. *
  63. * @return {boolean} True if the (x,y) point is located inside this Item.
  64. * False otherwise.
  65. */
  66. containsPoint(px, py) {
  67. const point = new Point2D(px, py).minus(this).divideBy(this.scale).rotate(this.rotation);
  68. return this.hitbox && this.hitbox.contains(point);
  69. }
  70. };
  71. module.exports = Hittable;