1232. 缀点成线
在一个 XY 坐标系中有一些点,我们用数组 coordinates
来分别记录它们的坐标,其中 coordinates[i] = [x, y]
表示横坐标为 x
、纵坐标为 y
的点。
请你来判断,这些点是否在该坐标系中属于同一条直线上,是则返回 true
,否则请返回 false
。
示例 1:
输入:coordinates = [[1,2],[2,3],[3,4],[4,5],[5,6],[6,7]] 输出:true
示例 2:
输入:coordinates = [[1,1],[2,2],[3,4],[4,5],[5,6],[7,7]] 输出:false
提示:
2 <= coordinates.length <= 1000
coordinates[i].length == 2
-10^4 <= coordinates[i][0], coordinates[i][1] <= 10^4
coordinates
中不含重复的点
我的Java代码:
思路:看一些点是否在一条直线上,就看相邻两对点(数组中相邻即可)的斜率是否一样,即 dy/dx 是否相等。另外要考虑 dx = 0 的特殊情况,我这里考虑的 dy = 0 的情况其实没有必要。看斜率其实看数组中相邻两点就可以,最开始我想应该把点排序取几何上相邻的两点求斜率,其实多此一举。。
class Solution {
public static boolean checkStraightLine(int[][] coordinates) {
if(coordinates == null) {
return false;
}
int dx = coordinates[1][0] - coordinates[0][0];
int dy = coordinates[1][1] - coordinates[0][1];
int k = 0;
if(dx != 0 && dy != 0) {
k = dy/dx;
}
for(int i = 2;i < coordinates.length;i++) {
if(dx == 0 && (coordinates[i][0]-coordinates[i-1][0])!=dx) {
return false;
}else if(dy == 0 && (coordinates[i][1]-coordinates[i-1][1])!=dy) {
return false;
}else if(dx != 0 && dy != 0) {
int x = coordinates[i][0]-coordinates[i-1][0];
int y = coordinates[i][1]-coordinates[i-1][1];
if(x == 0 || y == 0){
return false;
}
if(k != (y/x)) {
return false;
}
}
}
return true;
}
}