背包是一個袋子。而背包問題則涉及根據物品的價值將物品放入袋子中。它的目標是最大化袋子內的價值。在0-1背包中,您可以選擇放入物品或丟棄它,沒有將物品的一部分放入背包的概念。
Value of items = {20, 25,40} Weights of items = {25, 20, 30} Capacity of the bag = 50
25,20{1,2} 20,30 {2,3} If we use {1,3} the weight will be above the max allowed value. For {1,2} : weight= 20+25=45 Value = 20+25 = 45 For {2,3}: weight=20+30=50 Value = 25+40=65
最大值為65,因此我們將物品2和3放入背包中。
#include<stdio.h> int max(int a, int b) { if(a>b){ return a; } else { return b; } } int knapsack(int W, int wt[], int val[], int n) { int i, w; int knap[n+1][W+1]; for (i = 0; i <= n; i++) { for (w = 0; w <= W; w++) { if (i==0 || w==0) knap[i][w] = 0; else if (wt[i-1] <= w) knap[i][w] = max(val[i-1] + knap[i-1][w-wt[i-1]], knap[i-1][w]); else knap[i][w] = knap[i-1][w]; } } return knap[n][W]; } int main() { int val[] = {20, 25, 40}; int wt[] = {25, 20, 30}; int W = 50; int n = sizeof(val)/sizeof(val[0]); printf("The solution is : %d", knapsack(W, wt, val, n)); return 0; }
The solution is : 65
以上是在C語言中,將以下內容翻譯為中文:0-1背包問題的詳細內容。更多資訊請關注PHP中文網其他相關文章!