#include <stdio.h>
int max(int a, int b) {
return (a > b) ? a : b;
}
int beibao(int weights[], int values[], int n, int capacity) {
int dp[n + 1][capacity + 1];
for (int i = 0; i <= n; i++) {
for (int j = 0; j <= capacity; j++) {
if (i == 0 || j == 0) {
dp[i][j] = 0;
} else if (weights[i - 1] <= j) {
dp[i][j] = max(dp[i - 1][j], values[i - 1] + dp[i - 1][j - weights[i - 1]]);
} else {
dp[i][j] = dp[i - 1][j];
}
}
}
return dp[n][capacity];
}
int main() {
int weights[] = {2, 3, 4, 5};
int values[] = {3, 4, 5, 6};
int n = sizeof(weights) / sizeof(weights[0]);
int capacity = 5;
int result = beibao(weights, values, n, capacity);
printf("0/1 背包问题的最大价值: %d\n", result);
return 0;
}