top of page
Caută
  • Poza scriitoruluioanaunciuleanu

Find the minimum cost to reach the destination using a train in JAVA

There are n stops on a journey. The train starts from station 0 and ends the journey at station n-1. All the ticket costs are given in an array. You must find the minimum cost to reach the destination.


​Input: int[][] cost = {{0, 25, 70, 85}, {INF, 0, 35, 45}, {INF, INF, 0, 65}, {INF, INF, INF, 0} }; static int INF = Integer.MAX_VALUE; Output: 70 Explanation: To get the minimum cost, first you will have to go from station 0 to 1 for cost 25, then from station 1 to the last one for cost 45. This means a total cost of 70.



Solution:


1. static int minimumCost(int[][] cost) { 2. int size = cost.length; 3. int[] minimumCosts = new int[size]; 4. for (int i = 1; i < size; i++) { 5. minimumCosts[i] = Integer.MAX_VALUE; 6. } 7. 8. for (int i = 0; i < size; i++) { 9. for (int j = i + 1; j < size; j++) { 10. if (minimumCosts[j] > minimumCosts[i] + cost[i][j]) { 11. minimumCosts[j] = minimumCosts[i] + cost[i][j]; 12. } 13. } 14. } 15. 16. return minimumCosts[size - 1]; 17. } 18.

1 afișare0 comentarii

Postări recente

Afișează-le pe toate

Weighted Job Scheduling in JAVA

You receive a list of jobs that have three elements: start time, finish time and profit. You have to schedule the jobs with no overlapping, in order to obtain the maximum profit. Solution: 1. static

Tiling Problem in JAVA

You can use a board that is 2 x n size. The tiles are of size 2 x 1. Count the number of ways to tile the board. Tiles can be placed vertically 2 x 1 or horizontally as 1 x 2. Solution: 1. static

bottom of page