Vector2.js 1.9 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586
  1. /************************************************************************
  2. * Vector2.js
  3. ************************************************************************
  4. * Copyright (c) 2021 Pedro Tonini Rosenberg Schneider.
  5. *
  6. * This file is part of Pandora.
  7. *
  8. * Pandora is free software: you can redistribute it and/or modify
  9. * it under the terms of the GNU General Public License as published by
  10. * the Free Software Foundation, either version 3 of the License, or
  11. * (at your option) any later version.
  12. *
  13. * Pandora is distributed in the hope that it will be useful,
  14. * but WITHOUT ANY WARRANTY; without even the implied warranty of
  15. * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  16. * GNU General Public License for more details.
  17. *
  18. * You should have received a copy of the GNU General Public License
  19. * along with Pandora. If not, see <https://www.gnu.org/licenses/>.
  20. *************************************************************************/
  21. class Vector2
  22. {
  23. static ZERO()
  24. {
  25. return new Vector2(0, 0);
  26. }
  27. static ONE()
  28. {
  29. return new Vector2(1, 1);
  30. }
  31. static RIGHT()
  32. {
  33. return new Vector2(1, 0);
  34. }
  35. static LEFT()
  36. {
  37. return new Vector2(-1, 0);
  38. }
  39. static UP()
  40. {
  41. return new Vector2(0, -1);
  42. }
  43. static DOWN()
  44. {
  45. return new Vector2(0, 1);
  46. }
  47. constructor(x, y)
  48. {
  49. this.x = x;
  50. this.y = y;
  51. }
  52. // Methods
  53. abs()
  54. {
  55. return new Vector2(abs(this.x), abs(this.y));
  56. }
  57. angle()
  58. {
  59. return atan2(this.y, this.x);
  60. }
  61. lengthSquared()
  62. {
  63. return this.x * this.x + this.y * this.y;
  64. }
  65. length()
  66. {
  67. return sqrt(this.lengthSquared());
  68. }
  69. normalized()
  70. {
  71. let len = this.length();
  72. return new Vector2(this.x / len, this.y / len);
  73. }
  74. distanceSquaredTo(v)
  75. {
  76. return new Vector2(v.x - this.x, v.y - this.y).length();
  77. }
  78. }