1. 程式人生 > >leetcode_812_ 最大三角形面積

leetcode_812_ 最大三角形面積

給定包含多個點的集合,從其中取三個點組成三角形,返回能組成的最大三角形的面積。

示例:
輸入: points = [[0,0],[0,1],[1,0],[0,2],[2,0]]
輸出: 2
解釋: 
這五個點如下圖所示。組成的橙色三角形是最大的,面積為2

注意:

  • 3 <= points.length <= 50.
  • 不存在重複的點。
  •  -50 <= points[i][j] <= 50.
  • 結果誤差值在 10^-6 以內都認為是正確答案。

已知三個點為(x1,y1),(x2,y2),(x3,y3)

面積為A= 1/2 * [ x1(y2-y3) + x2(y3-y1) + x3(y1-y2) ]

double largestTriangleArea(vector<vector<int>>& points)

{
    int s1=points.size();
    double res=0;
    double area;
    for(int i=0;i<s1;i++)
    {
        for(int j=i+1;j<s1;j++)
        {
            for(int k=j+1;k<s1;k++)
            {
                area=0.5*abs(points[i][0]*(points[j][1]-points[k][1])+points[j][0]*(points[k][1]-points[i][1])+points[k][0]*(points[i][1]-points[j][1]));
                res=max(res,area);
            }
        }
    }
    return res;
}