在 JavaScript 中构建乘积数组

javascriptweb developmentfront end technologyobject oriented programming

我们需要编写一个 JavaScript 函数,该函数接受一个数字数组。该函数应根据原始数组构造一个新数组。新数组的每个对应元素应为原始数组的所有元素(包括该元素)的乘积。

例如 −

如果输入数组为 −

const arr = [1, 2, 3, 4, 5];

则输出数组应为 −

const output = [120, 60, 40, 30, 24];

我们必须在线性时间和恒定空间内实现此目标(显然不包括构造新数组所用的空间)。

示例

以下是代码 −

const arr = [1, 2, 3, 4, 5];
const exclusiveProduct = (arr = []) => {
   // O(n) time complexity
   const product = arr.reduce((acc, val) => acc * val);
   const res = [];
   // O(n) time complexity
   for(let i = 0; i < arr.length; i++){
      const el = arr[i];
      res[i] = product / el;
   };
   return res;
};
console.log(exclusiveProduct(arr));

输出

以下是控制台上的输出 −

[120, 60, 40, 30, 24]

相关文章