Knapsack¶
Problem Statement¶
Say you have a knapsack of size
Greedy Approach¶
Start by picking the ball with highest value of
While this approach seems intuitive, it may fail.
Consider this example
1 | 2 | 2 |
100 | 199 | 1.99 |
in this case, the greedy approach starts by picking the first item. Then it picks one of the remaining items. This gives us a final value of 2 in the knapsack. Meanwhile, by picking the last item, one can get a value of 199. This can be extended to get a ratio between the optimal and greedy value as high as possible.
Recursive Approach¶
Consider the final state in which we have every optimal item in the knapsack. Now let us follow the steps of this approach in reverse.
Say the last item was in the knapsack. So we remove this item. Now the knapsack is optimal for a weight up till
Otherwise, the last item cannot be in the knapsack. So, the knapsack must contain items between
Now we end up in the same state as before. We can repeat this till we get to any
Recursive Algorithm¶
Base Cases:
- for
, {there is no space to add elements} - for
, {there are no elements to add}
Recursive Case:
Starting:
Runtime¶
This algorithm has a runtime of
Memoisation¶
With the power of memoisation, we can reduce the runtime to
This is referred to as a pseudopolynomial runtime.
However, we will need
Runtime Demonstration¶
I | w | v |
---|---|---|
1 | 4 | 3 |
2 | 3 | 2 |
3 | 2 | 4 |
4 | 3 | 4 |
i\w | 0 | 1 | 2 | 3 | 4 | 5 | 6 |
---|---|---|---|---|---|---|---|
0 | 0 | 0 | 0 | 0 | 0 | 0 | 0 |
1 | 0 | 0 | 0 | 0 | 3 | 3 | 3 |
2 | 0 | 0 | 0 | 2 | 3 | 3 | 3 |
3 | 0 | 0 | 4 | 4 | 4 | 6 | 7 |
4 | 0 | 0 | 4 | 4 | 4 | 8 | 8 |
Iterative Approach¶
An iterative approach to this problem just focuses on filling the table. We can traverse row major or column major.
for w = 0 to W:
vmax[0, w] = 0
for i = 1 to n:
for i = 0 to W:
if (wt[i] > w):
vmax[i, w] = vmax[i-1, w]
else:
vmax[i, w] = max(vmax[i-1, w], vmax[i-1, w - wt[i]] + v[i])
return vmax[n, W]