当前位置:   article > 正文

LeetCode 238: Product of Array Except Self_238. product of array except self java

238. product of array except self java

Given an array of n integers where n > 1, nums, return an arrayoutput such thatoutput[i] is equal to the product of all the elements ofnums exceptnums[i].

Solve it without division and in O(n).

For example, given [1,2,3,4], return [24,12,8,6].

Follow up:
Could you solve it with constant space complexity? (Note: The output array does not count as extra space for the purpose of space complexity analysis.)


分析:

1、如果数组中有两个及以上的0,那么结果数组的每一项都为0.

2、如果数组中只有一个0,那么结果数组中,0对应的位置,为数组中其他元素的成绩,其余位置都为0。

3、如果数组中没有0,那么结果数组每一项均为数组所有元素的乘积/当前数组元素。


需要扫描数组两次,算法时间复杂度为O(n):

第一次:计算0的个数,以及非0元素的乘积。

第二次,计算结果数组每一位的元素。


需要两个临时变量: product保存非0元素的乘积,zeroCount计算0元素的个数,空间复杂度为O(1)。

代码如下:

  1. class Solution {
  2. public:
  3. vector<int> productExceptSelf(vector<int>& nums) {
  4. long int product = 1;
  5. vector<int> result;
  6. int length = nums.size();
  7. int zerocount = 0;
  8. for (int i=0; i<length; i++)
  9. {
  10. if (nums[i] != 0)
  11. {
  12. product *= nums[i];
  13. }else{
  14. zerocount++;
  15. }
  16. }
  17. for (int i=0; i<length; i++)
  18. {
  19. if (nums[i] != 0 )
  20. {
  21. if (zerocount != 0)
  22. result.push_back(0);
  23. else
  24. result.push_back(product/nums[i]);
  25. }else{
  26. if (zerocount==1)
  27. result.push_back(product);
  28. else
  29. result.push_back(0);
  30. }
  31. }
  32. return result;
  33. }
  34. };

好吧,题目中要求不能用除法。上述算法还是用了除法。另一种不用除法的解法如下:

1)分别计算两个数组,left、right,left[i]为nums[i]的左边元素的成绩,right[i]为nums[i]右边元素的乘积。

2)result[i] = left[i] * right[i]

  1. class Solution {
  2. public:
  3. vector<int> productExceptSelf(vector<int>& nums) {
  4. int count = nums.size();
  5. vector<int> result(count, 1);
  6. vector<int> left(count, 1);
  7. vector<int> right(count, 1);
  8. for (int i = 1; i < count; ++i)
  9. {
  10. left[i] = left[i-1] * nums[i-1];
  11. }
  12. for (int i = count -2; i >= 0; --i)
  13. {
  14. right [i]= right[i+1] * nums[i+1];
  15. }
  16. for (int i = 0; i < count; ++i)
  17. {
  18. result[i] = left[i] * right[i];
  19. }
  20. return result;
  21. }
  22. };




这样算法的时间复杂度为O(n),但算法空间复杂度也为O(n),不满足空间O(1)的需求.

题目中提到 返回的结果不计空间,所以直接在result中保存left值。 right 值用变量代替,空间优化后的代码如下:


  1. class Solution {
  2. public:
  3. vector<int> productExceptSelf(vector<int>& nums) {
  4. int count = nums.size();
  5. vector<int> result(count, 1);
  6. int right =1;
  7. for (int i = 1; i < count; ++i)
  8. {
  9. result[i] = result[i-1] * nums[i-1];
  10. }
  11. for (int i = count -2; i >= 0; --i)
  12. {
  13. right *= nums[i+1];
  14. result[i] *= right;
  15. }
  16. return result;
  17. }
  18. };




声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/在线问答5/article/detail/857509
推荐阅读
相关标签
  

闽ICP备14008679号