I have this function that returns the minimum difference between the sum of two parts of an array based on the position P the Array is partitioned. The programmed is tested to to run at O(N * N) time complexity and 0% performance though O(N) is was expected.
Question: Is there any aspect of this I can change to improve on the performance? Is there a better way to summing array within a loop without using a sub-loop? Thanks
Any integer P, such that 0 < P < N, splits this tape into two non-empty parts: A[0], A[1], ..., A[P − 1] and A[P], A[P + 1], ..., A[N − 1].
The difference between the two parts is the value of: |(A[0] + A[1] + ... + A[P − 1]) − (A[P] + A[P + 1] + ... + A[N − 1])|
function solution(A) {
'use strict';
if(arguments.length === 1 && typeof A === "object" && A.length > 1 ){
try{
const N = A.length;
let diff;
for( let P =1 ; P < N ; P++) {
// For each value of P, calc the difference
//|(A[0] + A[1] + ... + A[P − 1]) − (A[P] + A[P + 1] + ... + A[N − 1])|
// use slice to prevent modification of oraginal copy
var A2 = A.slice(0) ;
//splice array into two A1 and A2
let A1 = A2.splice(0, P); // All Element from start up to P
console.log("From Array " + A + " Remove "+ A1 + " Remaining " + A2);
// reduce((a, b) => a + b, 0);
let diffp = Math.abs((A1.reduce(function(a, b) { return a + b; }, 0)) -
(A2.reduce(function(a, b) { return a + b; }, 0))) ;
if(diff > diffp || diff === undefined ){
diff = diffp ;
}
console.log(P + "Difference ="+ diff + " Instead of " + diffp + " \r\n " );
}
// Return the Minimum value of P
return diff ;
}
catch(err){
console.log("Error: " + err );
return 0 ; // undefined ;
}
}else{
console.log("Invalid parameter(s)");
return 0 ; // undefined ;
}
}
var A = [] ;
A[0] = 5
A[1] = 1
A[2] = 2
A[3] = 7
A[4] = 4
console.log(solution(A)) ;
Yes, it's pretty trivial to do this in linear time (and even constant space) with a running sum.