题目描述
给定一个数组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]。不能使用除法。
解题思路:
既然数组A全部为不小于零的数列,B数组索引为i的元素相当于A对应索引置1时所有元素的乘积,由此可得一下源代码:
public class Test {
public static void main(String[] args) {
int[] a = { 1, 2, 3, 4 };
for (int i = 0; i < multiply1(a).length; i++) {
System.out.print(multiply1(a)[i] + " ");
}
}
public static int[] multiply1(int[] A) {
int[] B = new int[A.length];
boolean flag = false;
for (int i = 0; i < B.length; i++) {
B[i] = 1;
for (int j = 0; j < A.length; j++) {
int temp = 1;
if (i == j) {
flag = true;
temp = A[j];
A[j] = 1;
}
B[i] *= A[j];
if (flag) {
A[j] = temp;
flag = false;
}
}
}
return B;
}
}