用完整的C++代码展示用回溯法解决01背包问题
时间: 2024-02-01 20:13:26 浏览: 79
回溯法解决01背包问题
下面是使用回溯法解决01背包问题的完整C++代码:
```c++
#include <iostream>
#include <vector>
using namespace std;
int n; // 物品数量
int capacity; // 背包容量
int max_value; // 最大价值和
vector<int> weight; // 每个物品的重量
vector<int> value; // 每个物品的价值
void backtrack(int index, int cur_weight, int cur_value) {
if (cur_weight > capacity) { // 超出背包容量
return;
}
if (index == n) { // 遍历完所有物品
max_value = max(max_value, cur_value); // 更新最大价值和
return;
}
// 不选当前物品
backtrack(index + 1, cur_weight, cur_value);
// 选当前物品
backtrack(index + 1, cur_weight + weight[index], cur_value + value[index]);
}
int main() {
cout << "请输入物品数量和背包容量:" << endl;
cin >> n >> capacity;
cout << "请输入每个物品的重量和价值:" << endl;
for (int i = 0; i < n; i++) {
int w, v;
cin >> w >> v;
weight.push_back(w);
value.push_back(v);
}
backtrack(0, 0, 0); // 从第一个物品开始遍历
cout << "最大价值和为:" << max_value << endl;
return 0;
}
```
阅读全文