Skip to content

Latest commit

 

History

History
53 lines (44 loc) · 2.17 KB

2023-01-24.md

File metadata and controls

53 lines (44 loc) · 2.17 KB

题目

  1. Snakes and Ladders

You are given an n x n integer matrix board where the cells are labeled from 1 to n2 in a Boustrophedon style starting from the bottom left of the board (i.e. board[n - 1][0]) and alternating direction each row.

You start on square 1 of the board. In each move, starting from square curr, do the following:

  • Choose a destination square next with a label in the range [curr + 1, min(curr + 6, n2)]. This choice simulates the result of a standard 6-sided die roll: i.e., there are always at most 6 destinations, regardless of the size of the board.
  • If next has a snake or ladder, you must move to the destination of that snake or ladder. Otherwise, you move to next.
  • The game ends when you reach the square n2.

A board square on row r and column c has a snake or ladder if board[r][c] != -1. The destination of that snake or ladder is board[r][c]. Squares 1 and n2 do not have a snake or ladder.

Note that you only take a snake or ladder at most once per move. If the destination to a snake or ladder is the start of another snake or ladder, you do not follow the subsequent snake or ladder.

  • For example, suppose the board is [[-1,4],[-1,3]], and on the first move, your destination square is 2. You follow the ladder to square 3, but do not follow the subsequent ladder to 4.

Return the least number of moves required to reach the square n2. If it is not possible to reach the square, return -1.

思路

代码

var snakesAndLadders = function(board) {
  const n = board.length
  function getDestination(label) {
    let row = Math.floor((label - 1) / n)
    let col = (label - 1) % n
    if (row % 2 != 0) {
      col = n - 1 - col
    }
    row = n - 1 - row
    const destination = board[row][col]
    return destination == -1 ? label : destination
  }
  const moves = { '1': 0 }
  const queue = [1]
  for (const i of queue) {
    for (let j = i + 1; j <= i + 6 && j <= n * n; j++) {
      const destination = getDestination(j)
      if (destination == n * n) {
        return moves[i] + 1
      }
      if (!(destination in moves)) {
        moves[destination] = moves[i] + 1
        queue.push(destination)
      }
    }
  }
  return -1
}