Skip to content
geeksforgeeks
  • Tutorials
    • Python
    • Java
    • Data Structures & Algorithms
    • ML & Data Science
    • Interview Corner
    • Programming Languages
    • Web Development
    • CS Subjects
    • DevOps And Linux
    • School Learning
    • Practice Coding Problems
  • Courses
    • DSA to Development
    • Get IBM Certification
    • Newly Launched!
      • Master Django Framework
      • Become AWS Certified
    • For Working Professionals
      • Interview 101: DSA & System Design
      • Data Science Training Program
      • JAVA Backend Development (Live)
      • DevOps Engineering (LIVE)
      • Data Structures & Algorithms in Python
    • For Students
      • Placement Preparation Course
      • Data Science (Live)
      • Data Structure & Algorithm-Self Paced (C++/JAVA)
      • Master Competitive Programming (Live)
      • Full Stack Development with React & Node JS (Live)
    • Full Stack Development
    • Data Science Program
    • All Courses
  • DSA
  • Interview Problems on Matrix
  • Practice Matrix
  • MCQs on Matrix
  • Tutorial on Matrix
  • Matrix Traversal
  • Sorting in Matrix
  • Matrix Rotation
  • Transpose of Matrix
  • Inverse of Matrix
  • Determinant of Matrix
  • Matrix Application
  • Adjoint & Inverse Matrix
  • Sparse Matrix
  • Matrix Exponentiation
Open In App
Next Article:
Shortest path with constraint in Matrix
Next article icon

Shortest path with constraint in Matrix

Last Updated : 18 Jan, 2024
Comments
Improve
Suggest changes
Like Article
Like
Report

Given an N x N matrix of positive integers. The task is to find the shortest path from the first cell of the matrix to its last cell that satisfies the given constraint. We are allowed to move exactly k steps from any cell in the matrix where k is the cell's value, i.e., from a cell (i, j) having value k in a matrix M, we can move to ( i+k, j), ( i-k, j), ( i, j+k), or (i, j-k). Diagonal moves are not allowed.

Examples:

Input: N = 4
1 2 1 1
1 1 1 1
1 1 1 1
1 1 1 1
Output: 5

Approach: This can be solved with the following idea:

We can use the Breadth-First Search (BFS) algorithm to solve this problem. BFS is a graph traversal algorithm that visits all the vertices of a graph in breadth-first order, i.e., all the neighbors of a vertex is visited before visiting their neighbors.

Steps involved in the implementation of the code:

  • Create a queue and add the source cell (0, 0) to it.
  • While the queue is not empty, do the following:
    • Dequeue the front cell and check if it is the destination cell.
    • If it is the destination cell, return its distance from the source.
    • If not, for each possible move (i+k, j), (i-k, j), (i, j+k), or (i, j-k), check if the new cell is valid and not visited.
    • If the new cell is valid and not visited, add it to the queue, mark it as visited, and update its distance from the source.
  • If the destination cell is not reached, return -1.

Below is the implementation of the code:

C++
// C++ code of the above approach #include <iostream> #include <queue> #include <utility> #include <vector>  using namespace std;  // Function to check is coordinates valid bool isValid(int x, int y, int N) {     return x >= 0 && x < N && y >= 0 && y < N; }  // Function to find shortest path from // first cell to last cell int shortestPath(vector<vector<int> >& matrix, int N) {      vector<vector<bool> > visited(N,                                   vector<bool>(N, false));     vector<vector<int> > distance(N, vector<int>(N, 0));      queue<pair<int, int> > q;     q.push({ 0, 0 });     visited[0][0] = true;      // Start Iterating     while (!q.empty()) {         pair<int, int> cell = q.front();         q.pop();         int x = cell.first;         int y = cell.second;         int k = matrix[x][y];          if (x == N - 1 && y == N - 1) {             return distance[x][y];         }          int dx[] = { k, -k, 0, 0 };         int dy[] = { 0, 0, k, -k };          for (int i = 0; i < 4; i++) {             int newX = x + dx[i];             int newY = y + dy[i];              // If coordinates are valid             if (isValid(newX, newY, N)                 && !visited[newX][newY]) {                  q.push({ newX, newY });                 visited[newX][newY] = true;                 distance[newX][newY] = distance[x][y] + 1;             }         }     }      return -1; }  // Driver code int main() {     int N = 3;      vector<vector<int> > matrix         = { { 1, 1, 1 }, { 1, 1, 1 }, { 1, 1, 1 } };      // Function call     int result = shortestPath(matrix, N);     cout << result << endl;      return 0; } 
Java
import java.util.LinkedList; import java.util.Queue;  class Main {      // Function to check if coordinates are valid     static boolean isValid(int x, int y, int N)     {         return x >= 0 && x < N && y >= 0 && y < N;     }      // Function to find the shortest path from the first     // cell to the last cell     static int shortestPath(int[][] matrix, int N)     {         boolean[][] visited = new boolean[N][N];         int[][] distance = new int[N][N];          Queue<int[]> queue = new LinkedList<>();         queue.offer(new int[] { 0, 0 });         visited[0][0] = true;          // Start Iterating         while (!queue.isEmpty()) {             int[] cell = queue.poll();             int x = cell[0];             int y = cell[1];             int k = matrix[x][y];              if (x == N - 1 && y == N - 1) {                 return distance[x][y];             }              int[] dx = { k, -k, 0, 0 };             int[] dy = { 0, 0, k, -k };              for (int i = 0; i < 4; i++) {                 int newX = x + dx[i];                 int newY = y + dy[i];                  // If coordinates are valid                 if (isValid(newX, newY, N)                     && !visited[newX][newY]) {                     queue.offer(new int[] { newX, newY });                     visited[newX][newY] = true;                     distance[newX][newY]                         = distance[x][y] + 1;                 }             }         }          return -1;     }      // Driver code     public static void main(String[] args)     {         int N = 3;          int[][] matrix             = { { 1, 1, 1 }, { 1, 1, 1 }, { 1, 1, 1 } };          // Function call         int result = shortestPath(matrix, N);         System.out.println(result);     } }  // This code is contributed by shivamgupta310570 
Python3
from queue import Queue  # Function to check if coordinates are valid   def is_valid(x, y, N):     return 0 <= x < N and 0 <= y < N  # Function to find the shortest path from the first cell to the last cell   def shortest_path(matrix, N):     visited = [[False for _ in range(N)] for _ in range(N)]     distance = [[0 for _ in range(N)] for _ in range(N)]      q = Queue()     q.put((0, 0))     visited[0][0] = True      # Start Iterating     while not q.empty():         x, y = q.get()         k = matrix[x][y]          if x == N - 1 and y == N - 1:             return distance[x][y]          dx = [k, -k, 0, 0]         dy = [0, 0, k, -k]          for i in range(4):             new_x = x + dx[i]             new_y = y + dy[i]              # If coordinates are valid             if is_valid(new_x, new_y, N) and not visited[new_x][new_y]:                 q.put((new_x, new_y))                 visited[new_x][new_y] = True                 distance[new_x][new_y] = distance[x][y] + 1      return -1   # Driver code if __name__ == "__main__":     N = 3      matrix = [[1, 1, 1], [1, 1, 1], [1, 1, 1]]      # Function call     result = shortest_path(matrix, N)     print(result)   # This code is contributed by rambabuguphka 
C#
using System; using System.Collections.Generic;  class MainClass {     // Function to check if coordinates are valid     static bool isValid(int x, int y, int N)     {         return x >= 0 && x < N && y >= 0 && y < N;     }      // Function to find the shortest path from the first     // cell to the last cell     static int shortestPath(int[][] matrix, int N)     {         bool[,] visited = new bool[N, N];         int[,] distance = new int[N, N];          Queue<int[]> queue = new Queue<int[]>();         queue.Enqueue(new int[] { 0, 0 });         visited[0, 0] = true;          // Start Iterating         while (queue.Count > 0)         {             int[] cell = queue.Dequeue();             int x = cell[0];             int y = cell[1];             int k = matrix[x][y];              if (x == N - 1 && y == N - 1)             {                 return distance[x, y];             }              int[] dx = { k, -k, 0, 0 };             int[] dy = { 0, 0, k, -k };              for (int i = 0; i < 4; i++)             {                 int newX = x + dx[i];                 int newY = y + dy[i];                  // If coordinates are valid                 if (isValid(newX, newY, N) && !visited[newX, newY])                 {                     queue.Enqueue(new int[] { newX, newY });                     visited[newX, newY] = true;                     distance[newX, newY] = distance[x, y] + 1;                 }             }         }          return -1;     }      // Driver code     public static void Main(string[] args)     {         int N = 3;          int[][] matrix =         {             new[] { 1, 1, 1 },             new[] { 1, 1, 1 },             new[] { 1, 1, 1 }         };          // Function call         int result = shortestPath(matrix, N);         Console.WriteLine(result);     } } 
JavaScript
// Function to check if coordinates are valid function isValid(x, y, N) {     // Check if coordinates are within the matrix boundaries     return x >= 0 && x < N && y >= 0 && y < N; }  // Function to find the shortest path from the first cell to the last cell function shortestPath(matrix, N) {     // Initialize visited and distance arrays     const visited = Array.from({ length: N }, () => Array(N).fill(false));     const distance = Array.from({ length: N }, () => Array(N).fill(0));      // Initialize queue with starting cell     const queue = [{ x: 0, y: 0 }];     visited[0][0] = true;      // Start Iterating     while (queue.length > 0) {         // Process the front cell in the queue         const cell = queue.shift();         const x = cell.x;         const y = cell.y;         const k = matrix[x][y];          // Check if reached the destination         if (x === N - 1 && y === N - 1) {             return distance[x][y];         }          // Possible moves: right, left, down, up         const dx = [k, -k, 0, 0];         const dy = [0, 0, k, -k];          // Explore each possible move         for (let i = 0; i < 4; i++) {             const newX = x + dx[i];             const newY = y + dy[i];              // If coordinates are valid and not visited             if (isValid(newX, newY, N) && !visited[newX][newY]) {                 // Enqueue the new cell                 queue.push({ x: newX, y: newY });                 // Mark the cell as visited                 visited[newX][newY] = true;                 // Update the distance                 distance[newX][newY] = distance[x][y] + 1;             }         }     }      // No valid path found     return -1; }  // Driver code function main() {     // Set matrix size     const N = 3;      // Define the matrix     const matrix = [         [1, 1, 1],         [1, 1, 1],         [1, 1, 1]     ];      // Function call     const result = shortestPath(matrix, N);     console.log(result); }  // Call the main function to execute the program main(); 

Output
4 

Time complexity: O(N2) 
Auxiliary Space: O(N2)


Next Article
Shortest path with constraint in Matrix

S

sakshinagare2004
Improve
Article Tags :
  • Matrix
  • Competitive Programming
  • DSA
  • BFS
Practice Tags :
  • BFS
  • Matrix

Similar Reads

    Shortest Path to Get Food in Matrix
    Given a matrix grid[][], where '*' represents your location, '#' represents food cells, 'O' represents free space, 'X' represents obstacles. The task is to find the shortest path from your location to any food cell in a given matrix grid, Return the length of the shortest path to reach any food cell
    10 min read
    Shortest path in grid with obstacles
    Given a grid of n rows and m columns. Currently, you are at point (0, 0) and must reach point (n-1, m-1). If any cell contains 0, it is a free cell, if it contains 1, there is an obstacle and you can't pass through the cell, and if it contains 2, that means it is free and if you step into this cell,
    15 min read
    Find the longest path in a matrix with given constraints
    Given an n*m matrix where all numbers are distinct, the task is to find the maximum length path (starting from any cell) such that all cells along the path are in increasing order with a difference of 1. We can move in 4 directions from a given cell (i, j), i.e., we can move to (i+1, j) or (i, j+1)
    13 min read
    Print all paths in matrix with given target sum
    Given a 2D matrix mat[][] of size N*M and a target sum S, print all paths in matrix with sum = S from the top-left corner with the constraints that from each cell you can either move to right or down only. Examples: Input:S = 12mat[][] = [[1, 2, 3], [4, 5, 6], [7, 8, 9]]Output:1 -> 2 -> 3 -
    7 min read
    Find Matrix With Given Row and Column Sums
    Given two arrays rowSum[] and colSum[] of size n and m respectively, the task is to construct a matrix of dimensions n × m such that the sum of matrix elements in every ith row is rowSum[i] and the sum of matrix elements in every jth column is colSum[j].Note: The resultant matrix can have only non-n
    15 min read
geeksforgeeks-footer-logo
Corporate & Communications Address:
A-143, 7th Floor, Sovereign Corporate Tower, Sector- 136, Noida, Uttar Pradesh (201305)
Registered Address:
K 061, Tower K, Gulshan Vivante Apartment, Sector 137, Noida, Gautam Buddh Nagar, Uttar Pradesh, 201305
GFG App on Play Store GFG App on App Store
Advertise with us
  • Company
  • About Us
  • Legal
  • Privacy Policy
  • In Media
  • Contact Us
  • Advertise with us
  • GFG Corporate Solution
  • Placement Training Program
  • Languages
  • Python
  • Java
  • C++
  • PHP
  • GoLang
  • SQL
  • R Language
  • Android Tutorial
  • Tutorials Archive
  • DSA
  • Data Structures
  • Algorithms
  • DSA for Beginners
  • Basic DSA Problems
  • DSA Roadmap
  • Top 100 DSA Interview Problems
  • DSA Roadmap by Sandeep Jain
  • All Cheat Sheets
  • Data Science & ML
  • Data Science With Python
  • Data Science For Beginner
  • Machine Learning
  • ML Maths
  • Data Visualisation
  • Pandas
  • NumPy
  • NLP
  • Deep Learning
  • Web Technologies
  • HTML
  • CSS
  • JavaScript
  • TypeScript
  • ReactJS
  • NextJS
  • Bootstrap
  • Web Design
  • Python Tutorial
  • Python Programming Examples
  • Python Projects
  • Python Tkinter
  • Python Web Scraping
  • OpenCV Tutorial
  • Python Interview Question
  • Django
  • Computer Science
  • Operating Systems
  • Computer Network
  • Database Management System
  • Software Engineering
  • Digital Logic Design
  • Engineering Maths
  • Software Development
  • Software Testing
  • DevOps
  • Git
  • Linux
  • AWS
  • Docker
  • Kubernetes
  • Azure
  • GCP
  • DevOps Roadmap
  • System Design
  • High Level Design
  • Low Level Design
  • UML Diagrams
  • Interview Guide
  • Design Patterns
  • OOAD
  • System Design Bootcamp
  • Interview Questions
  • Inteview Preparation
  • Competitive Programming
  • Top DS or Algo for CP
  • Company-Wise Recruitment Process
  • Company-Wise Preparation
  • Aptitude Preparation
  • Puzzles
  • School Subjects
  • Mathematics
  • Physics
  • Chemistry
  • Biology
  • Social Science
  • English Grammar
  • Commerce
  • World GK
  • GeeksforGeeks Videos
  • DSA
  • Python
  • Java
  • C++
  • Web Development
  • Data Science
  • CS Subjects
@GeeksforGeeks, Sanchhaya Education Private Limited, All rights reserved
We use cookies to ensure you have the best browsing experience on our website. By using our site, you acknowledge that you have read and understood our Cookie Policy & Privacy Policy
Lightbox
Improvement
Suggest Changes
Help us improve. Share your suggestions to enhance the article. Contribute your expertise and make a difference in the GeeksforGeeks portal.
geeksforgeeks-suggest-icon
Create Improvement
Enhance the article with your expertise. Contribute to the GeeksforGeeks community and help create better learning resources for all.
geeksforgeeks-improvement-icon
Suggest Changes
min 4 words, max Words Limit:1000

Thank You!

Your suggestions are valuable to us.

What kind of Experience do you want to share?

Interview Experiences
Admission Experiences
Career Journeys
Work Experiences
Campus Experiences
Competitive Exam Experiences