藍橋杯 買瓜

爱学习的小许?發表於2024-12-01



思路:
解決一個關於選擇和處理 “瓜” 的組合最佳化問題。給定了一定數量的 “瓜”(數量為 n),每個 “瓜” 有其自身的質量(儲存在陣列 a 中),需要透過選擇和可能的 “劈” 操作(將瓜的質量減半),使得所選瓜的總質量儘可能接近給定的目標質量 m,並輸出達到或最接近目標質量所需的最少操作次數(選瓜或劈瓜的操作)。如果無法達到或接近目標質量,則輸出 -1。

程式碼展示:

#include<bits/stdc++.h>
using namespace std;
const int N = 50;
int ans = 50;
int n, m;
double a[N];//存每個瓜的重量
double s[N];//用來計算字尾和,後面有用
void dfs(int u, double w, int cnt)
{
	if (w == m) {
		ans = min(ans, cnt);
		return;
	}
	if (u >= n) return;//如果n個瓜都遍歷完了,返回
	if (cnt >= ans) return;//當前方案不猶於已有的合法答案,返回
	if (w > m) return;//如果總質量已經超了,返回
	if (w + s[u] < m) return;//如果當前所選瓜的總質量 w 加上從當前瓜往後的所有瓜的質量總和都小於m,返回
	//選但不劈
	dfs(u + 1, w + a[u],cnt);
	//選、劈
	dfs(u + 1, w + a[u] / 2, cnt + 1);
	//不選
	dfs(u + 1, w, cnt);
}
int main()
{
	cin >> n >> m;
	for (int i = 0; i < n; i++)
	{
		cin >> a[i];
	}
	sort(a, a + n, greater<>());//從大到小排序
	for (int i = n - 1; i >= 0; i--)//字尾和
	{
		s[i] = s[i + 1] + a[i];
	}
	dfs(0, 0, 0);
	if (ans == 50) printf("-1");
	else printf("%d", ans);
	return 0;
}