题目地址(149. 直线上最多的点数)
https://leetcode.cn/problems/max-points-on-a-line/
题目描述
给你一个数组 points ,其中 points[i] = [xi, yi] 表示 X-Y 平面上的一个点。求最多有多少个点在同一条直线上。
示例 1:
输入:points = [[1,1],[2,2],[3,3]]
输出:3
示例 2:
输入:points = [[1,1],[3,2],[5,3],[4,1],[2,3],[1,4]]
输出:4
提示:
1 <= points.length <= 300
points[i].length == 2
-104 <= xi, yi <= 104
points 中的所有点 互不相同
关键点
- 斜率形同
代码
- 语言支持:Java
Java Code:
class Solution {
public int maxPoints(int[][] ps) {
int ans = 0;
for(int i=0;i<ps.length;i++){
Map<String,Integer> map = new HashMap<>();
int max = 0;
for(int j=i+1;j<ps.length;j++){
int x1 = ps[i][0] , y1 = ps[i][1], x2 = ps[j][0], y2 = ps[j][1];
int a = x2 - x1, b = y2 - y1;
int k = maxGcd(a,b);
String key = (a/k)+"-"+(b/k);
int tmp = map.getOrDefault(key,0)+1;
map.put(key,tmp);
max = Math.max(max,tmp);
}
ans = Math.max(ans,max+1);
}
return ans;
}
int maxGcd(int a,int b){
return b == 0 ? a: maxGcd(b,a % b);
}
}