第86天。
今天的题目是Rectangle Area:
Find the total area covered by two rectilinear rectangles in a 2D plane.
Each rectangle is defined by its bottom left corner and top right corner as shown in the figure.
Assume that the total area is never beyond the maximum possible value of int.
一开始以为是求两个矩形重合部分的面积,后来仔细看了一下才发现是求它们的覆盖面积,好在把重合部分面积求出来后,求他们覆盖面积也比较简单,只需要先求出两个矩形的面积和之后再减去重合部分的面积就可以得到覆盖面积了。
1int area(int A,int B,int C,int D) {2    return (C-A)*(D-B);3}4int intersect(int A, int B, int C, int D, int E, int F, int G, int H) {5    //求重合部分的面积6    if (!check(A, B, C, D, E, F, G, H)) return 0;7    return min(min(C-E,G-A),min(G-E,C-A)) * min(min(D-F,H-B),min(D-B,H-F));8}9int computeArea(int A, int B, int C, int D, int E, int F, int G, int H) {10    int a1 = area(A, B, C, D);11    int a2 = area(E, F, G, H);12    //cout << a1 << " " << a2 << endl;13    return a1- intersect(A, B, C, D, E, F, G, H) + a2;14}15bool check(int A, int B, int C, int D, int E, int F, int G, int H) {3 collapsed lines
16    //判断是否重合17    return ( abs(A+C-E-G) <= (abs(A-C) + abs(G-E)) )&& (abs(B+D-F-H) <= (abs(D-B) + abs(H-F)));18}然后是dicuss中比较简洁的解法:
1int computeArea(int A, int B, int C, int D, int E, int F, int G, int H) {2    int left = max(A,E), right = max(min(C,G), left);3    int bottom = max(B,F), top = max(min(D,H), bottom);4    return (C-A)*(D-B) - (right-left)*(top-bottom) + (G-E)*(H-F);5} 
  Assume that the total area is never beyond the maximum possible value of int.
Assume that the total area is never beyond the maximum possible value of int.