shared/Circle.js

  1. 'use strict';
  2. /**
  3. * A simple circular hitbox. Remember that this circle describes the item as if
  4. * its settings were x=0, y=0, scale=1, rotation=0.
  5. *
  6. * @memberof module:shared
  7. * @implements {module:shared.Hitbox}
  8. *
  9. * @param {number} radius - The radius of the circle.
  10. * @param {number} [x=0] - The x offset of the circle.
  11. * @param {number} [y=0] - The y offset of the circle.
  12. */
  13. class Circle {
  14. constructor(radius, x = 0, y = 0) {
  15. /**
  16. * The radius of the circle.
  17. *
  18. * @type {number}
  19. */
  20. this.radius = radius;
  21. /**
  22. * The x coordinate of the circle.
  23. *
  24. * @type {number}
  25. */
  26. this.x = x;
  27. /**
  28. * The y coordinate of the circle.
  29. *
  30. * @type {number}
  31. */
  32. this.y = y;
  33. }
  34. /**
  35. * Determines if a point is inside the circle.
  36. *
  37. * @param {module:shared.Point2D} point - The point to test.
  38. *
  39. * @return {boolean} true if the point is inside the circle, false
  40. * otherwise.
  41. */
  42. contains(point) {
  43. const distance = Math.sqrt(Math.pow(point.x - this.x, 2) + Math.pow(point.y - this.y, 2));
  44. return distance <= this.radius;
  45. }
  46. }
  47. module.exports = Circle;