对于一个长度为N的整型数组A, 数组里所有的数都是正整数,对于两个满足0<=X <= Y
用三个下标 m1, m2, m3下标满足条件0 < m1, m1 + 1 < m2, m2 +1 < m3 < N – 1
。
可以把这个整型数组分成(0, m1-1), (m1+1, m2-1), (m2+1, m3-1), (m3+1, N-1) 四个切片。如果这四个切片中的整数求和相等,称作“四等分”。
编写一个函数,求一个给定的整型数组是否可以四等分,如果可以,返回一个布尔类型的true,如果不可以返回一个布尔类型的false。
限制条件: 数组A最多有1,000,000项,数组中的整数取值范围介于-1,000,000到1,000,000之间。
要求: 函数的计算复杂度为O(N),使用的额外存储空间(除了输入的数组之外)最多为O(N)。
例子:
对于数组A=[2, 5, 1, 1, 1, 1, 4, 1, 7, 3, 7] 存在下标 2, 7, 9使得数组分成四个分片[2, 5], [1, 1, 1, 4], [7], [7],这三个分片内整数之和相等,所以对于这个数组,函数应该返回true。
对于数组 A=[10, 2, 11, 13, 1, 1, 1, 1, 1], 找不到能把数组四等分的下标,所以函数应该返回false。
package ali;
public class Fourarr2 {
static boolean resolve(int[] a) {
if (a == null || a.length < 7)
return false;
// 定义两个个index
int i = 0;
int j = a.length - 1;
int mid = 0;
// 自定义三个变量, suml 和 sumr分别表示两边的和, suma表示最后的结果和
int suma = 0, sumb = 0, suml = 0, sumr = 0;
// 初值
suml += a[i];
sumr += a[j];
while (i < j) {
// 左边i自加
if (suml < sumr) {
i++;
suml += a[i];
} else if (suml > sumr) {// 右边j自减
j--;
sumr += a[j];
} else {// suml==sumr
mid = Math.max(mid, i + 2);
suma = 0;
sumb = 0;
while (mid < j - 3) {
suma += a[mid];
if (suma == suml) {
mid += 2;
while (mid < j - 1) {
sumb += a[mid];
if (sumb == suma && mid + 2 == j)
return true;
else if (sumb < suml)
mid++;
else
break;
}
break;
} else if (suma < suml)
mid++;
else {
i++;
suml += a[i];
break;
}
}
}
}
return false;
}
public static void main(String[] args) {
// int[] a = { 1, 1, 1, 1, 5, 4, 6, 4, 5, 1, 3 };
// int[] a = { 1, 1, 1, 4, 4, 6, 4, 1, 3 };
// int[] a = { 2, 5, 1, 1, 1, 1, 4, 1, 7, 3, 7 }; // true
int[] a = { 2, 5, 1, 7, 1, 7, 3, 7 }; // true
int[] a1 = { 10, 2, 13, 1, 1, 1, 1, 1 }; // false
int[] a2 = { 10, 1, 1, 11, 1, 11, 1, 1, 10 }; // true
System.out.println(resolve(a));
}
}
package ali;
public class FourArr {
/**
* 整体思路是 左右分别开始累加求和 当左边小时左边下标右移,右边小时右边下标左移
* 值到左右相等时,取中间部分在对其做一次如上的左右求和对比过程看能否找到中间的平衡点
* 记得要效验 平衡点的和与之前的和是否相等
* @return
*/
private static Boolean resolve(int[] a) {
if (a == null || a.length < 7)
return false;
boolean result = false;
int i = 0;
int j = a.length - 1;
int suml = a[i];
int sumr = a[j];
while (i < j) {
if (suml < sumr) {
i++;
suml += a[i];
} else if (suml > sumr) {
j--;
sumr += a[j];
} else if (suml == sumr) {
result = checkMiddle(i + 1, j - 1, suml, a);
if (result) {
return result;
} else {
i++;
suml += a[i];
}
}
}
return result;
}
private static boolean checkMiddle(int start, int end, int sum, int[] a) {
int i = start + 1;
int j = end - 1;
int suml = a[i];
int sumr = a[j];
while (j > i) {
if (suml < sumr) {
i++;
suml += a[i];
} else if (suml > sumr) {
j--;
sumr += a[j];
} else if (suml == sumr) {
if (j - i == 2 && suml == sum) {
return true;
} else {
return false;
}
}
}
return false;
}
public static void main(String[] args) {
int[] a = { 2, 5, 1, 7, 1, 7, 3, 7 }; // true
int[] a1 = { 10, 2, 13, 1, 1, 1, 1, 1 }; // false
int[] a2 = { 10, 1, 1, 11, 1, 11, 1, 1, 10 }; // true
System.out.println(resolve(a2));
}
}