首页 > 其他 > 详细

[LeetCode] Multiplication Withtout Division

时间:2015-01-19 00:26:04      阅读:329      评论:0      收藏:0      [点我收藏+]

Question:

There is an array A[N] of N numbers. You have to compose an array Output[N] such that Output[i] will be equal to multiplication of all the elements of A[N] except A[i]. Solve it without division operator and in O(n).


For example Output[0] will be multiplication of A[1] to A[N-1] and Output[1] will be multiplication of A[0] and from A[2] to A[N-1].


Example:

A: {4, 3, 2, 1, 2}

OUTPUT: {12, 16, 24, 48, 24}


http://leetcode.com/2010/04/multiplication-of-numbers.html

// Time: O(n)
int[] calc(int[] A)
{
    // Assumptions:
    // A is not null, not empty.
    int len = A.length;
    
    // Define B[i] = A[0] * A[1] * ... * A[i];
    // B[0] = A[0];
    // B[i] = B[i - 1] * A[i];
    //
    // Similarly, define C[i] = A[i] * A[i + 1] * ... * A[len - 1]
    int[] B = new int[len];
    B[0] = A[0];
    
    int[] C = new int[len];
    C[len - 1] = A[len - 1];
    
    for (int i = 0 ; i < len ; i ++)
    {
        if (i > 0)
            B[i] = B[i - 1] * A[i];

        int j = len - 1 - i;
        if (j < len - 1)
            C[j] = C[j + 1] * A[j];
    }
    
    int[] toReturn = new int[len];
    for (int i = 0 ; i < len - 1 ; i ++)
    {
        int a = i == 0 ? 1 : B[i - 1];
        int b = i == len - 1 ? 1 : C[i + 1];
        toReturn[i] = a * b;
    }
    return toReturn;
}

// See the link as a better solution without extra space
int[] calc(int[] A)
{
    int len = A.length;
    
    int left = 1; // A[0] * A[1] * ... A[i - 1]
    int right = 1; // A[i + 1] * ... A[len - 1]
    // O[i] = left * right;
    
    int[] O = new int[len];
    Arrays.fill(O, 1);
    
    for (int i = 0 ; i < len ; i ++)
    {
        O[i] *= left;
        O[len - 1 - i] *= right;
        left *= A[i];
        right *= A[len - 1 - i];
    }
}


[LeetCode] Multiplication Withtout Division

原文:http://7371901.blog.51cto.com/7361901/1605237

(0)
(0)
   
举报
评论 一句话评论(0
关于我们 - 联系我们 - 留言反馈 - 联系我们:wmxa8@hotmail.com
© 2014 bubuko.com 版权所有
打开技术之扣,分享程序人生!