原题链接:阻挡广告牌I
- 题意:求图中黄色部分面积?
- 已知:三个矩形的
左下角
和右上角
坐标
思路:
- a、b是两个红色矩形,t是蓝色矩形。
- a和b面积之和减去a和t的公共部分,再减去b和t的公共部分。
#include <bits/stdc++.h>
using namespace std;
struct Rect {
int x1, y1, x2, y2;
int area() {
return (y2 - y1) * (x2 - x1);
}
};
int intersect(Rect p, Rect q) { //area of the public part
int xOverlap = max(0, min(p.x2, q.x2) - max(p.x1, q.x1));
int yOverlap = max(0, min(p.y2, q.y2) - max(p.y1, q.y1));
return xOverlap * yOverlap;
}
int main() {
Rect a, b, t; // billboards a, b, and the truck
cin >> a.x1 >> a.y1 >> a.x2 >> a.y2;
cin >> b.x1 >> b.y1 >> b.x2 >> b.y2;
cin >> t.x1 >> t.y1 >> t.x2 >> t.y2;
cout << a.area() + b.area() - intersect(a, t) - intersect(b, t) << endl;
}
原题链接:阻挡广告牌II
-
题意:
红色矩形a
在前,蓝色矩形b
在后,若a
挡不住b
,则要用一个矩形t
挡住b
。求矩形t
的最小面积?
-
思想:
-
以下五种情况可以不用完整遮住
矩形b
,除了这五种情况其他情况都需要矩形t
面积等于矩形b
。
#include <iostream>
#include <cstring>
#include <algorithm>
#include <cmath>
using namespace std;
int main()
{
int x1,y1,x2,y2;
cin >> x1 >> y1 >> x2 >> y2;
int s = abs(x1 - x2) * abs(y1 - y2);
int x3,y3,x4,y4;
cin >> x3 >> y3 >> x4 >> y4;
if(x3 <= x1 && x4 >= x2 && y3 <= y1 && y4 >= y2) s = 0; //图五
else if(x1 >= x3 && x2 <= x4 && y1 <= y4 && y4 <= y2 && y3 <= y1) s = abs(y2 - y4) * abs(x1 - x2); //图一
else if(x1 >= x3 && x2 <= x4 && y1 <= y3 && y3 <= y2 && y4 >= y2) s = abs(y3 - y1) * abs(x1 - x2); //图二
else if(y1 >= y3 && y2 <= y4 && x1 <= x4 && x4 <= x2 && x1 >= x3) s = abs(x4 - x2) * abs(y1 - y2); //图三
else if(y1 >= y3 && y2 <= y4 && x1 <= x3 && x3 <= x2 && x2 <= x4) s = abs(x3 - x1) * abs(y1 - y2); //图四
cout << s << endl;
return 0;
}