Turn-Aware Pathfinding

Grid Algorithm Shortest Path

You are given a 2D grid represented as an m x n matrix where each cell contains either a 0 (open space) or a 1 (obstacle). In addition, you are provided with:

  • A start coordinate (sx, sy)
  • A goal coordinate (gx, gy)
  • An integer penalty P for turning

You can move in the four cardinal directions: up, down, left, or right. Each move to an adjacent cell costs 1 unit. However, when you change direction compared to your previous move, a penalty of P is added to that move. The very first move does not incur any penalty regardless of its direction.

Rules:

  1. You cannot move into cells that are obstacles (cells with value 1) or outside the grid boundaries.
  2. The cost of a move consists of the base cost (1) plus an additional cost of P if the move direction is different from the preceding move.

Task:

Write a function or method that takes the following inputs:

  • grid (a 2D list of integers)
  • start coordinate (sx, sy)
  • goal coordinate (gx, gy)
  • the penalty integer P

and returns the minimum total cost required to travel from the start to the goal following the above rules. If the goal is unreachable, your function should return -1.

Constraints:

  • 1 ≤ m, n ≤ 100 (grid dimensions)
  • P is a positive integer
  • The start and goal positions are always open (i.e., grid[sx][sy] == grid[gx][gy] == 0)

Example:

Consider the grid:

[[0, 0, 0],
 [1, 1, 0],
 [0, 0, 0]]

Start: (0, 0)

Goal: (2, 2)

Penalty P: 2

One possible path is:

(0,0) → (0,1) → (0,2) → (1,2) → (2,2)

  • Move from (0,0) to (0,1): right (cost 1, no penalty for the first move)
  • Move from (0,1) to (0,2): right (cost 1)
  • Move from (0,2) to (1,2): down (change of direction, cost 1+2 for penalty)
  • Move from (1,2) to (2,2): down (cost 1)

Total cost = 1 + 1 + (1+2) + 1 = 6

Your goal is to design an algorithm that finds the minimum cost path from the start to the goal according to these rules.