ARTS-8-算法練習-二維平面查找最高共點數

概述:
左耳朵耗子專欄《左耳聽風》 用戶自發每週完成一個ARTS:

1.Algorithm:每週至少做一個 leetcode 的算法題

2.Review:閱讀並點評至少一篇英文技術文章

3.Tip:學習至少一個技術技巧

4.Share:分享一篇有觀點和思考的技術文章

Algorithm
題目概述:

 

Given n points on a 2D plane, find the maximum number of points that lie on the same straight line.

代碼:


import java.util.HashMap;
import java.util.Map;

class Point {
    int x;
    int y;

    Point() {
        x = 0;
        y = 0;
    }

    Point(int a, int b) {
        x = a;
        y = b;
    }
}

public class Solution {
    

 public int maxPoints(Point[] points) {
        int n = points.length;
        if(n < 2) return n;
         
        int ret = 0;
        for(int i = 0; i < n; i++) {
            // 分別統計與點i重合以及垂直的點的個數
            int dup = 1, vtl = 0;
            Map<Float, Integer> map = new HashMap<>();
            Point a = points[i];
             
            for(int j = 0; j < n; j++) {
                if(i == j) continue;
                Point b = points[j];
                if(a.x == b.x) {
                    if(a.y == b.y) dup++;
                    else vtl++;
                } else {
                    float k = (float)(a.y - b.y) / (a.x - b.x);
                    if(map.get(k) == null) map.put(k, 1);
                    else map.put(k, map.get(k) + 1);
                }
            }
             
            int max = vtl;
            for(float k: map.keySet()) {
                max = Math.max(max, map.get(k));
            }
            ret = Math.max(ret, max + dup);
        }
        return ret;
    }
}

 

 

發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章