Tushar's Birthday Party

As it is Tushar’s Birthday on March 1st, he decided to throw a party to all his friends at TGI Fridays in Pune.
Given are the eating capacity of each friend, filling capacity of each dish and cost of each dish. A friend is satisfied if the sum of the filling capacity of dishes he ate is equal to his capacity. Find the minimum cost such that all of Tushar’s friends are satisfied (reached their eating capacity).

NOTE:

  1. Each dish is supposed to be eaten by only one person. Sharing is not allowed.
  2. Each friend can take any dish unlimited number of times.
  3. There always exists a dish with filling capacity 1 so that a solution always exists.
Input Format

Friends : List of integers denoting eating capacity of friends separated by space.
Capacity: List of integers denoting filling capacity of each type of dish.
Cost :    List of integers denoting cost of each type of dish.

Constraints:
1 <= Capacity of friend <= 1000
1 <= No. of friends <= 1000
1 <= No. of dishes <= 1000

Example:

Input:
    2 4 6
    2 1 3
    2 5 3

Output:
    14

Explanation: 
    First friend will take 1st and 2nd dish, second friend will take 2nd dish twice.  Thus, total cost = (5+3)+(3*2)= 14
Solution:

Time/Space: O(mn)

public class Solution {
    // DO NOT MODIFY THE ARGUMENTS WITH "final" PREFIX. IT IS READ ONLY
    public int solve(final int[] A, final int[] B, final int[] C) {
        int n = B.length;
        int[][] dp = new int[n + 1][1001];
        int total = 0;
        List<Integer> caps = new ArrayList<>();
        for (int i : A) caps.add(i);
        Collections.sort(caps, Collections.reverseOrder());
        for (int cap : caps) {
            total += calcCost(cap, B, C, dp);
        }
        return total;
    }
    
    private int calcCost(int cap, int[] foodCap, int[] cost, int[][] dp) {
        // dp[i][c] = cost for food 0 ~ i - 1 to have cap c
        // dp[i][c] = min(dp[i - 1][c], dp[i][c - foodCap[i - 1]] + cost[i - 1])
        //                                 i because we can shoose i multiple times
        // dp[0][c] = INTMAX
        // dp[i][0] = 0
        // dp[n][cap]
        int n = foodCap.length;
        if (dp[n][cap] != 0) return dp[n][cap];
        for (int j = 1; j <= cap; j ++) {
            dp[0][j] = Integer.MAX_VALUE;
        }
        for (int i = 1; i <= n; i ++) {
            int fc = foodCap[i - 1];
            int c = cost[i - 1];
            for (int j = 1; j <= cap; j ++) {
                dp[i][j] = dp[i - 1][j];
                if (j >= fc && dp[i][j - fc] != Integer.MAX_VALUE) {
                    dp[i][j] = Math.min(dp[i][j], dp[i][j - fc] + c);
                }
            }
        }
        return dp[n][cap];
    }
}