剑指 Offer 66——构建乘积数组

题目连接:https://leetcode-cn.com/problems/gou-jian-cheng-ji-shu-zu-lcof/

给定一个数组 A[0,1,…,n-1],请构建一个数组 B[0,1,…,n-1],其中 B 中的元素 B[i]=A[0]×A[1]×…×A[i-1]×A[i+1]×…×A[n-1]。不能使用除法。

输入: [1,2,3,4,5]
输出: [120,60,40,30,24]

解题过程

题目意思是:B[i]的值是a中出去i位置的值的乘积

  • 先求 i 左侧的乘积值,存入 res 数组。这里很巧妙,采用 left 和 right 变量后赋值的方法避开 i 值的计算
  • 再求 i 右侧的乘积值,直接在前面结果上处理。将 right 值后赋值,这样 res[i] 乘积就错过 a[i] 值
class Solution {
    public int[] constructArr(int[] a) {
        int len = a.length;
        int[] res = new int[len];
        int left = 1;       // 记录 i 左侧的值
        for (int i = 0; i < len; i++) { // 先计算 i 左边的乘积值
            // 1 式要在 2 式前面,这样res不会计算当前 i 值
            res[i] = left;      // 1
            left *= a[i];       // 2
        }

        int right = 1;      // 记录 i 右侧的值
        for (int i = len - 1; i >= 0; i--) {
            res[i] *= right;    
            right *= a[i];
        }
        return res;
    }
}

你可能感兴趣的:(LeetCode)