#include <stdio.h>
struct Item {
int weight;
int value;
};
int maxProfit = 0;
int isFeasible(int weight, int value, int capacity) {
return (weight <= capacity);
}
float upperBound(int level, int profit, int weight, int capacity, struct Item items[], int n) {
float upperBound = profit;
int totalWeight = weight;
for (int i = level; i < n; i++) {
if (totalWeight + items[i].weight <= capacity) {
totalWeight += items[i].weight;
upperBound += items[i].value;
} else {
int remainingCapacity = capacity - totalWeight;
upperBound += (float)items[i].value * remainingCapacity / items[i].weight;
break;
}
}
return upperBound;
}
void knapsack(int level, int profit, int weight, int capacity, struct Item items[], int n) {
if (level == n) {
if (profit > maxProfit) {
maxProfit = profit;
}
return;
}
knapsack(level + 1, profit, weight, capacity, items, n);
if (isFeasible(weight + items[level].weight, profit + items[level].value, capacity)) {
knapsack(level + 1, profit + items[level].value, weight + items[level].weight, capacity, items, n);
}
}
int main() {
int capacity = 10;
struct Item items[] = {{2, 10}, {3, 5}, {5, 15}, {7, 7}, {1, 6}};
int n = sizeof(items) / sizeof(items[0]);
knapsack(0, 0, 0, capacity, items, n);
printf("Maximum Profit: %d\n", maxProfit);
return 0;
}