Description:
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]]

题意:给定一系列的坐标点,找出所有可能的点LeetCode-Number of Boomerangs_Hash Table,使得满足LeetCode-Number of Boomerangs_散列表_02

解法:我们需要考虑每一个点,计算是否有另外的两个点满足到当前点的距离相同;

  1. 遍历所有的点LeetCode-Number of Boomerangs_散列表_03
  2. 遍历除LeetCode-Number of Boomerangs_散列表_03外的所有点LeetCode-Number of Boomerangs_Hash Table_05,利用散列表LeetCode-Number of Boomerangs_java_06记录下此时点LeetCode-Number of Boomerangs_Hash Table_05到点LeetCode-Number of Boomerangs_散列表_03的距离,并且对于每个点LeetCode-Number of Boomerangs_Hash Table_05,在散列表中查找是否有其他的点到LeetCode-Number of Boomerangs_散列表_03的距离相同;则此时可能的坐标点组合为LeetCode-Number of Boomerangs_LeetCode_11,每包含一个具有相同距离的点,其组合数增加2(即LeetCode-Number of Boomerangs_redis_12LeetCode-Number of Boomerangs_java_13);
Java
class Solution {
public int numberOfBoomerangs(int[][] points) {
int result = 0;
for (int[] i : points) {
Map<Integer, Integer> table = new HashMap<>();
for (int[] j : points) {
if (i == j) continue;
int dis = (i[0] - j[0]) * (i[0] - j[0]) +
(i[1] - j[1]) * (i[1] - j[1]);
int preDis = table.getOrDefault(dis, 0);
result += 2 * preDis;
table.put(dis, preDis + 1);
}
}
return result;
}
}