原题地址:P1478 淘淘摘苹果(升级版)- 洛谷
又是一年秋季时,陶陶家的苹果树结了n个果子。陶陶又跑去摘苹果,这次她有一个a公分的椅子。当他手够不着时,他会站到椅子上再试试。
这次与NOIp2005普及组第一题不同的是:陶陶之前搬凳子,力气只剩下s了。当然,每次摘苹果时都要用一定的力气。陶陶想知道在s<0之前最多能摘到多少个苹果。
现在已知n个苹果到达地上的高度xi,椅子的高度a,陶陶手伸直的最大长度b,陶陶所剩的力气s,陶陶摘一个苹果需要的力气yi,求陶陶最多能摘到多少个苹果。
输入格式:
第1行:两个数 苹果数n,力气s。
第2行:两个数 椅子的高度a,陶陶手伸直的最大长度b。
第3行~第3+n-1行:每行两个数 苹果高度xi,摘这个苹果需要的力气yi。
输出格式:
只有一个整数,表示陶陶最多能摘到的苹果数。
输入样例#1: | 输出样例#1: |
---|---|
8 15 20 130 120 3 150 2 110 7 180 1 50 8 200 0 140 3 120 2 |
4 |
说明
所有数据:n<=5000 a<=50 b<=200 s<=1000
xi<=280 yi<=100
咳,首先由于前几天刚刚学了什么是“深度优先搜索(DFS)”,看到这道题,我第一反应是:这个不就是用深度优先搜索吗?!把所有情况全部列举出来,然后再在满足条件的情况下选择能摘到最多苹果的情况,不就AC了吗?!
自我感觉非常良好,还自以为很聪明。我还在输入的时候就把摘不到的苹果忽略了,以此来减少列举情况,节约时间。
于是写了这样的代码:
代码
#include
void dfs(int s, int num);
int apple[5005], book[5005];
int max = 0, n, t = 0;
int main()
{
int s, a, b, i, max1, xi;
scanf("%d%d%d%d", &n, &s, &a, &b);
max1 = a + b;
for(i = 0; i < n; i++)
{
scanf("%d", &xi);
if(xi <= max1)
{
scanf("%d", &apple[t]);
t++;
}
else
scanf("%d", &xi);
}
dfs(s, 0);
printf("%d", max);
return 0;
}
void dfs(int s, int num)
{
int i;
if(s <= 0 || num == t)
{
if(s < 0)
num--;
if(num > max)
max = num;
return;
}
for(i = 0; i < t; i++)
{
if(book[i] == 0)
{
book[i] = 1;
dfs(s - apple[i], num + 1);
book[i] = 0;
}
}
return;
}
最后的结果当然AC了 ,好吧…TLE了…感觉瞬间自己被自己打脸。
然后再次经过不断思考发现,只要将可以摘到的苹果用“快速排序”将要用的力气从小到大排序出来,然后从最小的力气一直累加,直到累加值>=淘淘拥有的力气,这时候就可以得到摘到最多苹果的值了。
ps.这时候要注意,苹果为0的情况。和累加是大于力气,还是等于力气,这两种不同情况的时候要对值做不同的处理。
所以最终获得AC了!我果然是天才!
AC代码
#include
void quicksort(int left, int right);
int apple[5005];
int main()
{
int s, n, a, b, i, t = 0, max1, xi, sum = 0;
scanf("%d%d%d%d", &n, &s, &a, &b);
max1 = a + b;
for(i = 0; i < n; i++)
{
scanf("%d", &xi);
if(xi <= max1)
{
scanf("%d", &apple[t]);
t++;
}
else
scanf("%d", &xi);
}
if(n == 0)
{
printf("0");
return 0;
}
quicksort(0, t - 1);
for(i = 0; i < t; i++)
{
sum += apple[i];
if(sum == s)
{
printf("%d", i + 1);
return 0;
}
else if(sum > s)
{
printf("%d", i);
return 0;
}
}
return 0;
}
void quicksort(int left, int right)
{
int i, j, temp, t;
if(left > right)
return;
temp = apple[left], i = left, j = right;
while(i != j)
{
while(apple[j] >= temp && i < j)
j--;
while(apple[i] <= temp && i < j)
i++;
if(i < j)
{
t = apple[i];
apple[i] = apple[j];
apple[j] = t;
}
}
apple[left] = apple[i];
apple[i] = temp;
quicksort(left, i - 1);
quicksort(i + 1, right);
}
最后的体会是:做题不能想当然,要思考用最快的方法,而不是用自己感觉很厉害的方法。