題目描述:請你判斷一個 9x9 的數獨是否有效。只須要 根據如下規則 ,驗證已經填入的數字是否有效便可。java
數字 1-9 在每一行只能出現一次。
數字 1-9 在每一列只能出現一次。
數字 1-9 在每個以粗實線分隔的 3x3 宮內只能出現一次。(請參考示例圖)
數獨部分空格內已填入了數字,空白格用 '.' 表示。segmentfault注意:數組
- 一個有效的數獨(部分已被填充)不必定是可解的。
- 只須要根據以上規則,驗證已經填入的數字是否有效便可。
示例說明請見LeetCode官網。網絡
來源:力扣(LeetCode)
連接:https://leetcode-cn.com/probl...
著做權歸領釦網絡全部。商業轉載請聯繫官方受權,非商業轉載請註明出處。url
分爲3種狀況判斷,分別是行判斷、列判斷、3*3宮內判斷,判斷邏輯是利用Set判重,若是在同一行(或同一列、同一宮內)有重複的數字,則返回false;若是都符合,最後返回true。
import javafx.util.Pair; import java.util.ArrayList; import java.util.HashSet; import java.util.List; import java.util.Set; public class LeetCode_036 { public static List<Pair<Integer, Integer>> all = new ArrayList<>(); static { all.add(new Pair<>(0, 0)); all.add(new Pair<>(0, 3)); all.add(new Pair<>(0, 6)); all.add(new Pair<>(3, 0)); all.add(new Pair<>(3, 3)); all.add(new Pair<>(3, 6)); all.add(new Pair<>(6, 0)); all.add(new Pair<>(6, 3)); all.add(new Pair<>(6, 6)); } public static boolean isValidSudoku(char[][] board) { // 行判斷 for (int i = 0; i < board.length; i++) { Set<Character> nums = new HashSet<>(); for (int j = 0; j < board[i].length; j++) { if (board[i][j] != '.' && !nums.add(board[i][j])) { return false; } } } // 列判斷 for (int i = 0; i < board.length; i++) { Set<Character> nums = new HashSet<>(); for (int j = 0; j < board.length; j++) { if (board[j][i] != '.' && !nums.add(board[j][i])) { return false; } } } // 宮內判斷 for (Pair<Integer, Integer> integerIntegerPair : all) { Set<Character> nums = new HashSet<>(); for (int x = integerIntegerPair.getKey(); x < integerIntegerPair.getKey() + 3; x++) { for (int y = integerIntegerPair.getValue(); y < integerIntegerPair.getValue() + 3; y++) { if (board[x][y] != '.' && !nums.add(board[x][y])) { return false; } } } } return true; } public static void main(String[] args) { char[][] board = new char[][]{{'5', '3', '.', '.', '7', '.', '.', '.', '.'} , {'6', '.', '.', '1', '9', '5', '.', '.', '.'} , {'.', '9', '8', '.', '.', '.', '.', '6', '.'} , {'8', '.', '.', '.', '6', '.', '.', '.', '3'} , {'4', '.', '.', '8', '.', '3', '.', '.', '1'} , {'7', '.', '.', '.', '2', '.', '.', '.', '6'} , {'.', '6', '.', '.', '.', '.', '2', '8', '.'} , {'.', '.', '.', '4', '1', '9', '.', '.', '5'} , {'.', '.', '.', '.', '8', '.', '.', '7', '9'}}; System.out.println(isValidSudoku(board)); } }
【每日寄語】 但願生活給予你風浪的同時,也給你陽光做爲回報,讓你感覺到這個世界的溫柔。