https://leetcode.cn/problems/max-points-on-a-line/
给你一个数组 points ,其中 points[i] = [xi, yi] 表示 X-Y 平面上的一个点。求最多有多少个点在同一条直线上。
遍历所有节点,比较斜率,如果斜率相同就统计,最后返回最大统计数。
class Solution {
public int maxPoints(int[][] points) {
int result = 1;
for (int i = 0; i < points.length; i++) {
int[] first = points[i];
for (int j = i + 1; j < points.length; j++) {
int[] second = points[j];
// 只要到这里,说明至少有两个点
// 两个点就能构成一条直线,所以至少是2
// 这里相当于是i和j确定了一条直线,继续统计经过这条直线上的点数
int cnt = 2;
for (int k = j + 1; k < points.length; k++) {
int[] third = points[k];
// 计算斜率 (y1 - y0) / (x1 - x0) 是否相等
// 因为涉及除不尽的情况,所以交还两边的除数来相乘
int k1 = (second[0] - first[0]) * (third[1] - second[1]);
int k2 = (third[0] - second[0]) * (second[1] - first[1]);
if (k1 == k2) {
cnt++;
}
}
result = Math.max(result, cnt);
}
}
return result;
}
}
O(N^3)
O(1)
class Solution {
public int maxPoints(int[][] ps) {
int n = ps.length;
int result = 1;
for (int i = 0; i < n; i++) {
Map<String, Integer> map = new HashMap<>();
// 经过当前点 i 的直线所经过的最多点数量
int max = 0;
for (int j = i + 1; j < n; j++) {
int x1 = ps[i][0], y1 = ps[i][1];
int x2 = ps[j][0], y2 = ps[j][1];
// 斜率可能除不尽,所以换一个方式存储
int a = x1 - x2, b = y1 - y2;
// 公约数
int k = gcd(a, b);
// 将分子分母公约后存储
String key = (a / k) + "_" + (b / k);
// 记录斜率的点数
map.put(key, map.getOrDefault(key, 1) + 1);
// 更新经过当前点的直线的最大点数
// 即比较所有经过当前点的直线上的点数,取最大者
max = Math.max(max, map.get(key));
}
// 更新结果
result = Math.max(result, max);
}
return result;
}
// 求公约数
int gcd(int a, int b) {
return b == 0 ? a : gcd(b, a % b);
}
}
O(N)