查找二次方程的根 - JavaScript
我们需要编写一个 JavaScript 函数,它接受三个数字(分别表示二次二次方程中的二次项系数值、一次项系数值和常数)。
而且我们还需要找出根(如果它们是实根),否则我们必须返回 false。让我们编写这个函数的代码
示例
以下为代码 −
const coefficients = [3, 12, 2]; const findRoots = co => { const [a, b, c] = co; const discriminant = (b * b) - 4 * a * c; if(discriminant < 0){ // the roots are non-real roots return false; }; const d = Math.sqrt(discriminant); const x1 = (d - b) / (2 * a); const x2 = ((d + b) * -1) / (2 * a); return [x1, x2]; }; console.log(findRoots(coefficients));
输出
控制台中的输出 −
[ -0.17425814164944628, -3.825741858350554 ]
广告