p447

LeetCode p447 Number of Boomerangs 题解

1.题目:

Given n points in the plane that are all pairwise distinct, a “boomerang” is a tuple of points (i, j, k) such that the distance between i and j equals the distance between i and k (the order of the tuple matters).

Find the number of boomerangs. You may assume that n will be at most 500 and coordinates of points are all in the range [-10000, 10000] (inclusive).

Example:
Input:
[[0,0],[1,0],[2,0]]

Output:
2

Explanation:
The two boomerangs are [[1,0],[0,0],[2,0]] and [[1,0],[2,0],[0,0]]

题意:

输入一个二维数组,数组中储存的是点的坐标。
设符合要求的点的数组中含有3个点【1,2,3】
第一个点到第二个点的距离等于第一个点到第三个点的距离。
输出这样的三点数组有多少个。

2.解题思路:

使用HashMap
写一个求两点之间距离的函数getd
在第一个循环中设循环到此的数为第一个点。然后循环全部数组储存其他点到这点的距离。
在HashMap中储存相同距离的点的个数,res累加,每次累加的数即从n个数中取两个数。
方法有 A = n*(n-1) 种。
假设的每个点循环完毕之后记得将Map清空。

3.代码


[title] [] [url] [link text]
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
 
public class Solution {
public int numberOfBoomerangs(int[][] points) {
int ans = 0;
int n = points.length;
Map<Integer, Integer> map = new HashMap<Integer, Integer>();
for (int i = 0; i < n; i++) {
for (int j = 0; j < n; j++) {
if (j == i)
continue;
int d = getd(points[i], points[j]);
map.put(d, map.getOrDefault(d, 0) + 1);
}
for (int v : map.values()) {
ans += v * (v - 1);
}
map.clear();// 记得清空

}
return ans;
}

public int getd(int[] a, int[] b) {
int i = a[0] - b[0];
int j = a[1] - b[1];
return i * i + j * j;
}
}

4.一些总结: