Skip to content

Update MinimumCostPath.js #551

New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Merged
merged 1 commit into from
Dec 21, 2020
Merged
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
49 changes: 29 additions & 20 deletions Dynamic-Programming/MinimumCostPath.js
Original file line number Diff line number Diff line change
@@ -1,37 +1,46 @@
// youtube Link -> https://www.youtube.com/watch?v=lBRtnuxg-gU
// Problem Statement => https://www.youtube.com/watch?v=lBRtnuxg-gU

const minCostPath = (matrix) => {
/*
Find the min cost path from top-left to bottom-right in matrix
>>> minCostPath([[2, 1], [3, 1], [4, 2]])
6
*/
Find the min cost path from top-left to bottom-right in matrix
>>> minCostPath([[2, 1], [3, 1], [4, 2]])
>>> 6
*/

const n = matrix.length
const m = matrix[0].length

// Preprocessing first row
for (let i = 1; i < m; i++) {
matrix[0][i] += matrix[0][i - 1]
}
// moves[i][j] => minimum number of moves to reach cell i, j
const moves = new Array(n)
for (let i = 0; i < moves.length; i++) moves[i] = new Array(m)

// Preprocessing first column
for (let i = 1; i < n; i++) {
matrix[i][0] += matrix[i - 1][0]
}
// base conditions
moves[0][0] = matrix[0][0] // to reach cell (0, 0) from (0, 0) is of no moves
for (let i = 1; i < m; i++) moves[0][i] = moves[0][i - 1] + matrix[0][i]
for (let i = 1; i < n; i++) moves[i][0] = moves[i - 1][0] + matrix[i][0]

// Updating cost to current position
for (let i = 1; i < n; i++) {
for (let j = 1; j < m; j++) {
matrix[i][j] += Math.min(matrix[i - 1][j], matrix[i][j - 1])
}
for (let j = 1; j < m; j++) { moves[i][j] = Math.min(moves[i - 1][j], moves[i][j - 1]) + matrix[i][j] }
}

return matrix[n - 1][m - 1]
return moves[n - 1][m - 1]
}

const main = () => {
console.log(minCostPath([[2, 1], [3, 1], [4, 2]]))
console.log(minCostPath([[2, 1, 4], [2, 1, 3], [3, 2, 1]]))
console.log(
minCostPath([
[2, 1],
[3, 1],
[4, 2]
])
)
console.log(
minCostPath([
[2, 1, 4],
[2, 1, 3],
[3, 2, 1]
])
)
}

main()