1232. 缀点成线

题目

给定一个数组 coordinates ,其中 coordinates[i] = [x, y][x, y] 表示横坐标为 x、纵坐标为 y 的点。请你来判断,这些点是否在该坐标系中属于同一条直线上。

示例 1:

1
2
输入:coordinates = [[1,2],[2,3],[3,4],[4,5],[5,6],[6,7]]
输出:true

示例2:

1
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

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
public boolean checkStraightLine(int[][] coordinates) {
int m = coordinates.length;
if (m <= 2) {
return true;
}
int x1 = coordinates[1][0] - coordinates[0][0];
int y1 = coordinates[1][1] - coordinates[0][1];
for (int i = 2; i < m; i++) {
int x2 = coordinates[i][0] - coordinates[0][0];
int y2 = coordinates[i][1] - coordinates[0][1];
if (x1 * y2 != x2 * y1) {
return false;
}
}
return true;
}
0%