leetcode 36 有效的数独

大憨熊 提交于 2020-02-02 14:33:11

 有效的数独

https://leetcode-cn.com/problems/valid-sudoku/

代码

 public static boolean isValidSudoku(char[][] board) {
        List<Set<Integer>> rowList = new ArrayList<>(9);
        List<Set<Integer>> colList = new ArrayList<>(9);
        List<Set<Integer>> blockList = new ArrayList<>(9);
        for (int i = 0; i < 9; i++) {
            rowList.add(new HashSet<>(9));
            colList.add(new HashSet<>(9));
            blockList.add(new HashSet<>(9));
        }

        for (int i = 0; i < board.length; i++) {
            for (int j = 0; j < board[0].length; j++) {
                char num = board[i][j];
                Set<Integer> rowSet = rowList.get(i);
                Set<Integer> colSet = colList.get(j);
                int rowNum = (i / 3) * 3 + j / 3;
                Set<Integer> blockSet = blockList.get(rowNum);


                if (num != '.') {
                    Integer num2 = num - '0';
                    if (!rowSet.contains(num2)) {
                        rowSet.add(num2);
                    } else {
                        return false;
                    }

                    if (!colSet.contains(num2)) {
                        colSet.add(num2);
                    } else {
                        return false;
                    }

                    if (!blockSet.contains(num2)) {
                        blockSet.add(num2);
                    } else {
                        return false;
                    }

                }
            }
        }
        return true;
    }

    public static void main(String[] args) {
//        char[][] board=new char[][] {{'8','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'}};


        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'}};


        boolean validSudoku = isValidSudoku(board);
        System.out.println(validSudoku);
    }

 

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!