题目描述:
你现在要洗L件衣服。你有n台洗衣机和m台烘干机。由于你的机器非常的小,因此你
每次只能洗涤(烘干) 一件衣服。
第i台洗衣机洗一件衣服需要wi 分钟,第i台烘干机烘干一件衣服需要di 分钟。
请问把所有衣服洗干净并烘干,最少需要多少时间?假设衣服在机器间转移不需要时间,并且洗完的衣服可以过一会再烘干。
输入:
输入文件的第一行有3 个整数L, n 和m 。
第二行有n 个整数w1,w2, . . . , wn 。
第三行有m 个整数d1, d2, . . . , dm 。
输出:
输出一行一个整数,表示所需的最少时间。
如果平时认真做大扫除的话,这题就真的不难了。
首先我们可以知道,时间要尽量重叠。于是考虑用堆来求。
设洗 i i i件衣服的时间为 f i f_{i} fi,烘 i i i件衣服的时间为 g i g_{i} gi
于是有贪心得,答案是 m a x f i + g l − i + 1 max_{f_{i} + g_{l - i + 1}} maxfi+gl−i+1。
贴一个代码,其实 S T L STL STL + O 3 O3 O3是可以过的。
#include
#include
#include
#include
#include
#define __O3__ __attribute__((optimize(3)))
using namespace std;
typedef long long ll;
const int N = 100010;
__O3__ void read(ll &x)
{
char ch = getchar(); x = 0; int fg = 1;
for(;ch < '0' || ch > '9';) fg = ch == '-' ? -1 : 1, ch = getchar();
for(;ch >= '0' && ch <= '9';) x = x * 10 + (ch ^ '0'), ch = getchar();
x = fg == -1 ? -x : x;
}
struct node{ int id; ll val; } x;
__gnu_pbds::priority_queue< node > q,p;
bool operator < (node a,node b) { return a.val > b.val; }
int k,n,m; ll a[N],b[N],_[N * 10],ans;
__O3__ signed main()
{
#ifndef LOCAL
freopen("laundry.in","r",stdin);
freopen("laundry.out","w",stdout);
#endif
scanf("%d%d%d",&k,&n,&m);
for(int i = 1;i <= n; ++ i) read(a[i]), x = (node){ i,a[i] }, q.push(x);
for(int i = 1;i <= m; ++ i) read(b[i]), x = (node){ i,b[i] }, p.push(x);
for(int i = 1;i <= k; ++ i)
{
int id = q.top().id; ll v = q.top().val; q.pop();
_[i] = v, x = (node){ id,a[id] + v }, q.push(x);
}
for(int i = k;i; -- i)
{
int id = p.top().id; ll v = p.top().val; p.pop();
x = (node){ id,v + b[id] }, p.push(x), ans = max(ans,v + _[i]);
}
printf("%lld\n",ans);
fclose(stdin); fclose(stdout);
return 0;
}
手写堆也贴一个。 Z J J ZJJ ZJJ写的,可好看了。。。
#include
#include
using namespace std;
typedef long long ll;
const int N = 1E6 + 7;
int n,m,P; ll a[N],b[N],X;
ll max(ll x,ll y) { return x > y ? x : y; }
struct Heap
{
ll val[N],inc[N]; int tot;
void swap(ll &x,ll &y) { x ^= y ^= x ^= y; }
void insert(ll x,ll y)
{
val[++tot] = x, inc[tot] = y;
for(int p = tot;p > 1 && val[p] < val[p >> 1];p >>= 1)
swap(val[p],val[p >> 1]), swap(inc[p],inc[p >> 1]);
}
void pop()
{
ll x = val[1] + inc[1], y = inc[1];
val[1] = val[tot], inc[1] = inc[tot--];
for(int p = 1,son = 2;son <= tot;p = son, son <<= 1)
{
if(son < tot && val[son + 1] < val[son]) ++son;
if(val[p] < val[son]) break;
swap(val[p],val[son]), swap(inc[p],inc[son]);
}
insert(x,y);
}
} s;
int main()
{
freopen("laundry.in","r",stdin),
freopen("laundry.out","w",stdout);
scanf("%d%d%d",&P,&n,&m);
s.tot = 0;
for(int i = 1;i <= n; ++ i) scanf("%lld",&X), s.insert(X,X);
for(int i = 1;i <= P; ++ i) a[i] = s.val[1], s.pop();
s.tot = 0;
for(int i = 1;i <= m; ++ i) scanf("%lld",&X), s.insert(X,X);
for(int i = P;i >= 1; -- i) b[i] = s.val[1], s.pop();
X = 0ll;
for(int i = 1;i <= P; ++ i) X = max(X,a[i] + b[i]);
printf("%lld\n",X);
fclose(stdin), fclose(stdout);
return 0;
}