69 - 773. Sliding Puzzle

On a 2x3 board, there are 5 tiles represented by the integers 1 through 5, and an empty square represented by 0.

A move consists of choosing 0 and a 4-directionally adjacent number and swapping it.

The state of the board is solved if and only if the board is [[1,2,3],[4,5,0]].

Given a puzzle board, return the least number of moves required so that the state of the board is solved. If it is impossible for the state of the board to be solved, return -1.

Examples:

Input: board = [[1,2,3],[4,0,5]]
Output: 1
Explanation: Swap the 0 and the 5 in one move.
Input: board = [[1,2,3],[5,4,0]]
Output: -1
Explanation: No number of moves will make the board solved.
Input: board = [[4,1,2],[5,0,3]]
Output: 5
Explanation: 5 is the smallest number of moves that solves the board.
An example path:
After move 0: [[4,1,2],[5,0,3]]
After move 1: [[4,1,2],[0,5,3]]
After move 2: [[0,1,2],[4,5,3]]
After move 3: [[1,0,2],[4,5,3]]
After move 4: [[1,2,0],[4,5,3]]
After move 5: [[1,2,3],[4,5,0]]
Input: board = [[3,2,4],[1,5,0]]
Output: 14

Note:
board will be a 2 x 3 array as described above.
board[i][j] will be a permutation of [0, 1, 2, 3, 4, 5].

Code in C++:

unordered_map> moves{{0,{1,3}},{1,{0,2,4}},{2,{1,5}},{3,{0,4}},{4,{3,5,1}},{5,{4,2}}};
void dfs(string s, unordered_map& m, int cur_zero, int swap_zero, int cur_move, int& min_moves) {
  swap(s[cur_zero], s[swap_zero]);
  if (s == "123450") min_moves = min(min_moves, cur_move);
  if (cur_move < min_moves && (m[s] == 0 || m[s] > cur_move)) {
    m[s] = cur_move;
    for (auto new_zero : moves[swap_zero]) dfs(s, m, swap_zero, new_zero, cur_move + 1, min_moves);
  }
}
int slidingPuzzle(vector>& b, int min_moves = INT_MAX) {
  string s = to_string(b[0][0]) + to_string(b[0][1]) + to_string(b[0][2]) 
    + to_string(b[1][0]) + to_string(b[1][1]) + to_string(b[1][2]);
  
  dfs(s, unordered_map() = {}, s.find('0'), s.find('0'), 0, min_moves);
  return min_moves == INT_MAX ? -1 : min_moves;
}

注解:
1)把二维数组当成一个string,所求的状态是“123450”。
2)用一个unordered_map来保存当“0”在当前索引位置下,可以与哪些索引值的元素交换。每次迭代从中选择一个位置。
3)另外dfs函数输入的unorderd_map用来保存已经出现过的序列,若当前到达此序列的交换次数比保存的值小,则更新。
4)若迭代中途次数就已超过了min_moves保存的最小次数,则直接退出此层迭代。

Discuss地址:
https://discuss.leetcode.com/category/1737/sliding-puzzle

你可能感兴趣的:(69 - 773. Sliding Puzzle)