标签:style class blog code color 2014
题目:有n个人,第i个人的重量为wi,每艘船的最大载重量均为C,且最多只能乘两个人。用最少的船装载所有人。
分析:贪心法!
考虑最轻的人i,他应该和谁一起坐呢?如果每个人都无法和他一起坐船,那么唯一的方案就是每个人坐一艘船!
否则,他应该选择能和他一起坐船的人中最重的一个j。
这样的方法是贪心的!因为:它只是让“眼前”的浪费最少。
程序实现:我们只需用两个下标i和j分别表示当前考虑的最轻的人和最重的人,每次先将j往左移动,直到i和j可以共坐一艘船,然后i加1,j减1。并且重复上述操作!
复杂度是o(n)。
代码:
#include <iostream> #include <string> #include <algorithm> using namespace std; const int MAXN = 10000; int arr[MAXN]; int main() { int n, C; //C表示每艘船的最大载重量 cin >> n >> C; for(int i = 1; i <= n; ++i) { cin >> arr[i]; } sort(arr+1, arr+n+1); int i = 1, j = n; int ans = 0; while(i < j) { if(arr[i] + arr[j] > C) j--; else if(arr[i] + arr[j] <= C) { ans++; i++; j--; } } cout << ans + n - (2*ans) << endl; return 0; }
最后的输出应该是已经配对的数量 + 剩下的人数!
剩下的人数 = 总的人数n - 减去配对成功的人数!
配对成功的人数 = 2 * ans。
ans代表已经配对的对数!
标准红外遥控的接收程序-松瀚汇编源程序,布布扣,bubuko.com
标签:style class blog code color 2014
原文地址:http://blog.csdn.net/libiaojs/article/details/30113655