modeling/src/maths/mat4/rotate.js

  1. const { EPS } = require('../constants')
  2. const { sin, cos } = require('../utils/trigonometry')
  3. const copy = require('./copy')
  4. /**
  5. * Rotates a matrix by the given angle about the given axis.
  6. *
  7. * @param {mat4} out - receiving matrix
  8. * @param {mat4} matrix - matrix to rotate
  9. * @param {Number} radians - angle to rotate the matrix by
  10. * @param {vec3} axis - axis to rotate around
  11. * @returns {mat4} out
  12. * @alias module:modeling/maths/mat4.rotate
  13. */
  14. const rotate = (out, matrix, radians, axis) => {
  15. let [x, y, z] = axis
  16. const lengthSquared = x * x + y * y + z * z
  17. if (Math.abs(lengthSquared) < EPS) {
  18. // axis is 0,0,0 or almost
  19. return copy(out, matrix)
  20. }
  21. const len = 1 / Math.sqrt(lengthSquared)
  22. x *= len
  23. y *= len
  24. z *= len
  25. const s = sin(radians)
  26. const c = cos(radians)
  27. const t = 1 - c
  28. const a00 = matrix[0]
  29. const a01 = matrix[1]
  30. const a02 = matrix[2]
  31. const a03 = matrix[3]
  32. const a10 = matrix[4]
  33. const a11 = matrix[5]
  34. const a12 = matrix[6]
  35. const a13 = matrix[7]
  36. const a20 = matrix[8]
  37. const a21 = matrix[9]
  38. const a22 = matrix[10]
  39. const a23 = matrix[11]
  40. // Construct the elements of the rotation matrix
  41. const b00 = x * x * t + c
  42. const b01 = y * x * t + z * s
  43. const b02 = z * x * t - y * s
  44. const b10 = x * y * t - z * s
  45. const b11 = y * y * t + c
  46. const b12 = z * y * t + x * s
  47. const b20 = x * z * t + y * s
  48. const b21 = y * z * t - x * s
  49. const b22 = z * z * t + c
  50. // Perform rotation-specific matrix multiplication
  51. out[0] = a00 * b00 + a10 * b01 + a20 * b02
  52. out[1] = a01 * b00 + a11 * b01 + a21 * b02
  53. out[2] = a02 * b00 + a12 * b01 + a22 * b02
  54. out[3] = a03 * b00 + a13 * b01 + a23 * b02
  55. out[4] = a00 * b10 + a10 * b11 + a20 * b12
  56. out[5] = a01 * b10 + a11 * b11 + a21 * b12
  57. out[6] = a02 * b10 + a12 * b11 + a22 * b12
  58. out[7] = a03 * b10 + a13 * b11 + a23 * b12
  59. out[8] = a00 * b20 + a10 * b21 + a20 * b22
  60. out[9] = a01 * b20 + a11 * b21 + a21 * b22
  61. out[10] = a02 * b20 + a12 * b21 + a22 * b22
  62. out[11] = a03 * b20 + a13 * b21 + a23 * b22
  63. if (matrix !== out) { // If the source and destination differ, copy the unchanged last row
  64. out[12] = matrix[12]
  65. out[13] = matrix[13]
  66. out[14] = matrix[14]
  67. out[15] = matrix[15]
  68. }
  69. return out
  70. }
  71. module.exports = rotate