美文网首页
447. Number of Boomerangs

447. Number of Boomerangs

作者: matrxyz | 来源:发表于2018-01-16 06:51 被阅读0次

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

    Solution:

    思路:
    如果我们有一个点a,还有两个点b和c,如果ab和ac之间的距离相等,那么就有两种排列方法abc和acb;如果有三个点b,c,d都分别和a之间的距离相等,那么有六种排列方法,abc, acb, acd, adc, abd, adb,那么是怎么算出来的呢,很简单,如果有n个点和a距离相等,那么排列方式为n(n-1),这属于最简单的排列组合问题了,我大天朝中学生都会做的。那么我们问题就变成了遍历所有点,让每个点都做一次点a,然后遍历其他所有点,统计和a距离相等的点有多少个,然后分别带入n(n-1)计算结果并累加到res中,只有当n大于等于2时,res值才会真正增加

    Time Complexity: O(N^2) Space Complexity: O(N)

    Solution Code:

    class Solution {
        public int numberOfBoomerangs(int[][] points) {
            int res = 0;
    
            Map<Integer, Integer> map = new HashMap<>();
            for(int i=0; i<points.length; i++) {
                for(int j=0; j<points.length; j++) {
                    if(i == j)
                        continue;
    
                    int d = getDistance(points[i], points[j]);                
                    map.put(d, map.getOrDefault(d, 0) + 1);
                }
    
                for(int val : map.values()) {
                    res += val * (val-1);
                }            
                map.clear();
            }
    
            return res;
        }
    
        private int getDistance(int[] a, int[] b) {
            int dx = a[0] - b[0];
            int dy = a[1] - b[1];
    
            return dx*dx + dy*dy;
        }
    
    }
    

    相关文章

      网友评论

          本文标题:447. Number of Boomerangs

          本文链接:https://www.haomeiwen.com/subject/irpcoxtx.html