-2

我正在尝试使用 JavaScript 计算 R² 中的单位向量。

我预计输出为 1,但我得到 1.949.6。我在这个实现中错过了什么?

    function calcHypotenuse(a, b) {
        return (Math.sqrt((a * a) + (b * b)));
    }
      
    function contructUnitVector(a, b) {
        const magitude = calcHypotenuse(a, b);
        return (Math.sqrt(a + b / magitude)); 
    }
    
    console.log(contructUnitVector(3, 4)); // 1.949, expected 1

4

1 回答 1

1

单位向量不是数字,而是 ... 向量。如果给定一个向量在 R² 中的坐标,则可以得到对应的单位向量,如下所示:

function vectorSize(x, y) {
   return Math.sqrt(x * x + y * y);
}
     
function unitVector(x, y) {
   const magnitude = vectorSize(x, y);
   // We need to return a vector here, so we return an array of coordinates:
   return [x / magnitude, y / magnitude]; 
}
   
let unit = unitVector(3, 4);

console.log("Unit vector has coordinates: ", ...unit);
console.log("It's magnitude is: ", vectorSize(...unit)); // Always 1 

于 2020-12-09T12:15:13.937 回答