forked from rpj911/LeetCode_algorithm
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathMaxProduct.java
More file actions
66 lines (50 loc) · 1.69 KB
/
MaxProduct.java
File metadata and controls
66 lines (50 loc) · 1.69 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
package Algorithms.array;
public class MaxProduct {
public static int maxProduct(int[] A) {
if (A == null || A.length == 0) {
return 0;
}
// record the max value in the last node.
int DMax = A[0];
// record the min value in the last node.
int DMin = A[0];
// This is very important, should recode the A[0] as the initial value.
int max = A[0];
for (int i = 1; i < A.length; i++) {
int n1 = DMax * A[i];
int n2 = DMin * A[i];
// we can select the former nodes, or just discade them.
DMax = Math.max(A[i], Math.max(n1, n2));
max = Math.max(max, DMax);
// we can select the former nodes, or just discade them.
DMin = Math.min(A[i], Math.min(n1, n2));
}
return max;
}
/*
* 2014.12.20 Redo
* */
public int maxProduct2(int[] A) {
if (A == null || A.length == 0) {
return 0;
}
int max = 1;
int min = 1;
int ret = Integer.MIN_VALUE;
for (int i = 0; i < A.length; i++) {
int n1 = max * A[i];
int n2 = min * A[i];
max = Math.max(A[i], Math.max(n1, n2));
min = Math.min(A[i], Math.min(n1, n2));
ret = Math.max(max, ret);
}
return ret;
}
/*
* 作法是找到连续的正数,不断相乘即可。
* */
public static void main(String[] strs) {
int[] A = {2, 3, -2, 4};
System.out.println(maxProduct(A));
}
}