#include <stdio.h>
#include <stdlib.h>
#define MAX_ITEMS 5
#define MAX_WEIGHT 100
struct Bean {
char name[10];
int quantity;
int value;
double unitValue;
};
int compare(const void *a, const void *b) {
return ((struct Bean *)b)->unitValue - ((struct Bean *)a)->unitValue;
}
void knapsack(struct Bean beans[], int n, int capacity) {
for (int i = 0; i < n; i++) {
beans[i].unitValue = (double)beans[i].value / beans[i].quantity;
}
qsort(beans, n, sizeof(struct Bean), compare);
int currentQuantity = 0;
int totalValue = 0;
for (int i = 0; i < n; i++) {
if (currentQuantity + beans[i].quantity <= capacity) {
currentQuantity += beans[i].quantity;
totalValue += beans[i].value;
printf("放 %d kg 的 %s 到包里\n", beans[i].quantity, beans[i].name);
} else {
int remainingQuantity = capacity - currentQuantity;
double fraction = (double)remainingQuantity / beans[i].quantity;
currentQuantity = capacity;
totalValue += fraction * beans[i].value;
printf("放 %.2lf kg 的 %s 到包里\n", fraction * beans[i].quantity, beans[i].name);
}
}
printf("总价值: %d\n", totalValue);
}
int main() {
struct Bean beans[MAX_ITEMS] = {
{"黄豆", 100, 100},
{"绿豆", 30, 90},
{"红豆", 20, 80},
{"黑豆", 20, 80},
{"青豆", 50, 75}
};
int capacity = MAX_WEIGHT;
knapsack(beans, MAX_ITEMS, capacity);
return 0;
}