-
Notifications
You must be signed in to change notification settings - Fork 14
/
Copy pathMaxPointsNoLine.java
116 lines (92 loc) · 2.13 KB
/
MaxPointsNoLine.java
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
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
package com.demo;
import java.util.HashMap;
import java.util.Map;
import java.util.Map.Entry;
/**
* Given n points on a 2D plane, find the maximum number
* of points that lie on the same straight line.
* 优化了部分代码,提高运行效率
* @author kexun
*
*/
public class MaxPointsNoLine {
public static void main(String[] args) {
Point p1 = new MaxPointsNoLine(). new Point(0,0);
Point p2 = new MaxPointsNoLine(). new Point(1,0);
Point p3 = new MaxPointsNoLine(). new Point(0,0);
Point p4 = new MaxPointsNoLine(). new Point(0,0);
Point p5 = new MaxPointsNoLine(). new Point(4,2);
Point p6 = new MaxPointsNoLine(). new Point(8,4);
Point[] pl = {p1, p2, p3, p4, p5,p6};
MaxPointsNoLine m = new MaxPointsNoLine();
int count = m.maxPoints(pl);
System.out.println(count);
}
public int maxPoints(Point[] points) {
Map<Double, Integer> map = new HashMap<Double, Integer>();
int max = 0;
int length = points.length;
if(length <= 2)
return length;
for (int i=0; i<length; i++) {
Point p1 = points[i];
int samePoint = 1;
int yp = 1;
for (int j=i+1; j<length; j++) {
Point p2 = points[j];
if (p1.x == p2.x && p1.y == p2.y) {
samePoint++;
} else if (p1.x == p2.x) {
yp++;
} else {
double k = calLine(p1, p2);
Integer temp = map.get(k);
if (temp == null) {
temp = 1;
} else {
temp++;
}
map.put(k, temp);
}
}
for(Entry<Double, Integer> e : map.entrySet()) {
int tempMax = e.getValue()+samePoint;
if (tempMax > max)
max = tempMax;
}
if (yp > max) {
max = yp;
}
if (samePoint > max) {
max = samePoint;
}
map.clear();
}
return max;
}
public boolean isSamePoint(Point p1, Point p2) {
return p1.x == p2.x && p1.y == p2.y;
}
public double calLine(Point p1, Point p2) {
double k = Double.MAX_VALUE;
if (p2.x != p1.x) {
k = (double) (1.0*(p2.y - p1.y)/(p2.x - p1.x));
}
if (Math.abs(k) == 0) {
k = 0;
}
return k;
}
class Point {
int x;
int y;
Point() {
x = 0;
y = 0;
}
Point(int a, int b) {
x = a;
y = b;
}
}
}