Advertisement
Not a member of Pastebin yet?
Sign Up,
it unlocks many cool features!
- <!DOCTYPE html>
- <html lang="en">
- <head>
- <meta charset="UTF-8">
- <title>Advanced Sudoku Solver</title>
- <style>
- .container {
- display: flex;
- gap: 20px;
- padding: 20px;
- justify-content: center;
- }
- .grid {
- display: grid;
- grid-template-columns: repeat(9, 50px);
- gap: 1px;
- border: 2px solid #333;
- background: #fff;
- }
- .cell {
- width: 50px;
- height: 50px;
- border: 1px solid #ccc;
- display: flex;
- align-items: center;
- justify-content: center;
- font-size: 24px;
- text-align: center;
- font-family: Arial, sans-serif;
- }
- .cell:nth-child(3n) {
- border-right: 2px solid #333;
- }
- .cell:nth-child(n+19):nth-child(-n+27),
- .cell:nth-child(n+46):nth-child(-n+54) {
- border-bottom: 2px solid #333;
- }
- .upload-section {
- margin: 20px;
- text-align: center;
- }
- .original {
- background-color: #f8f8f8;
- }
- button {
- padding: 12px 25px;
- background: #2196F3;
- color: white;
- border: none;
- border-radius: 4px;
- cursor: pointer;
- font-size: 16px;
- transition: background 0.3s;
- }
- button:hover {
- background: #1976D2;
- }
- input[type="file"] {
- margin: 15px 0;
- }
- input[type="number"] {
- -moz-appearance: textfield;
- border: none;
- outline: none;
- background: transparent;
- }
- input[type="number"]::-webkit-outer-spin-button,
- input[type="number"]::-webkit-inner-spin-button {
- -webkit-appearance: none;
- margin: 0;
- }
- .error { background-color: #ffebee; }
- </style>
- </head>
- <body>
- <div class="upload-section">
- <input type="file" id="imageInput" accept="image/*">
- <button onclick="solveSudoku()">Solve Sudoku</button>
- </div>
- <div class="container">
- <div id="originalGrid" class="grid"></div>
- <div id="solvedGrid" class="grid"></div>
- </div>
- <script src="https://unpkg.com/[email protected]/dist/tesseract.min.js"></script>
- <script>
- let sudokuArray = Array(9).fill().map(() => Array(9).fill(0));
- const worker = Tesseract.createWorker({
- logger: m => console.log(m),
- errorHandler: err => console.error(err)
- });
- (async function initialize() {
- await worker.load();
- await worker.loadLanguage('eng');
- await worker.initialize('eng');
- await worker.setParameters({
- tessedit_char_whitelist: '0123456789',
- tessedit_pageseg_mode: 10
- });
- })();
- document.getElementById('imageInput').addEventListener('change', async (e) => {
- const file = e.target.files[0];
- if (!file) return;
- try {
- const img = await loadImage(file);
- const cells = await splitSudokuCells(img);
- await processCells(cells);
- displayGrid(sudokuArray, 'originalGrid', true);
- } catch (err) {
- alert('Error processing image: ' + err.message);
- }
- });
- async function loadImage(file) {
- return new Promise((resolve, reject) => {
- const img = new Image();
- img.src = URL.createObjectURL(file);
- img.onload = () => resolve(img);
- img.onerror = reject;
- });
- }
- async function splitSudokuCells(img) {
- const canvas = document.createElement('canvas');
- const ctx = canvas.getContext('2d');
- // Настройки кадрирования с учетом первых столбцов
- const padding = {
- x: (col) => col < 2 ? 0.02 : 0.05,
- y: 0.05
- };
- canvas.width = img.width;
- canvas.height = img.height;
- ctx.drawImage(img, 0, 0);
- const cellWidth = img.width / 9;
- const cellHeight = img.height / 9;
- const cells = [];
- for(let row = 0; row < 9; row++) {
- cells[row] = [];
- for(let col = 0; col < 9; col++) {
- const px = padding.x(col);
- const py = padding.y;
- const cellCanvas = document.createElement('canvas');
- cellCanvas.width = cellWidth * (1 - 2*px);
- cellCanvas.height = cellHeight * (1 - 2*py);
- const cellCtx = cellCanvas.getContext('2d');
- cellCtx.drawImage(
- canvas,
- col * cellWidth + cellWidth * px,
- row * cellHeight + cellHeight * py,
- cellWidth * (1 - 2*px),
- cellHeight * (1 - 2*py),
- 0,
- 0,
- cellCanvas.width,
- cellCanvas.height
- );
- // Улучшенная обработка изображения
- const imageData = cellCtx.getImageData(0, 0, cellCanvas.width, cellCanvas.height);
- const data = imageData.data;
- for(let i = 0; i < data.length; i += 4) {
- const avg = (data[i] + data[i+1] + data[i+2]) / 3;
- const threshold = avg < 180 ? 0 : 255;
- data[i] = data[i+1] = data[i+2] = threshold;
- data[i+3] = 255;
- }
- cellCtx.putImageData(imageData, 0, 0);
- cells[row][col] = cellCanvas;
- }
- }
- return cells;
- }
- async function processCells(cells) {
- for(let i = 0; i < 9; i++) {
- for(let j = 0; j < 9; j++) {
- const num = await recognizeCell(cells[i][j]);
- sudokuArray[i][j] = num;
- }
- }
- }
- async function recognizeCell(cellCanvas) {
- try {
- const { data: { text } } = await worker.recognize(cellCanvas);
- return text.trim() ? parseInt(text) : 0;
- } catch {
- return 0;
- }
- }
- function displayGrid(grid, containerId, isOriginal = false) {
- const container = document.getElementById(containerId);
- container.innerHTML = '';
- for (let i = 0; i < 9; i++) {
- for (let j = 0; j < 9; j++) {
- const cell = document.createElement('input');
- cell.className = `cell ${isOriginal ? 'original' : ''}`;
- cell.type = 'number';
- cell.min = 0;
- cell.max = 9;
- cell.value = grid[i][j] || '';
- cell.dataset.row = i;
- cell.dataset.col = j;
- cell.addEventListener('input', (e) => {
- const value = Math.min(9, Math.max(0, parseInt(e.target.value) || 0));
- e.target.value = value !== 0 ? value : '';
- sudokuArray[i][j] = value;
- });
- container.appendChild(cell);
- }
- }
- }
- function solveSudoku() {
- if (!validateInput()) {
- alert('Invalid numbers detected! Check red cells');
- return;
- }
- if (solve(sudokuArray)) {
- displayGrid(sudokuArray, 'solvedGrid');
- } else {
- alert('No solution exists for this Sudoku');
- }
- }
- function validateInput() {
- let valid = true;
- document.querySelectorAll('#originalGrid .cell').forEach(cell => {
- const value = parseInt(cell.value) || 0;
- if (value < 0 || value > 9) {
- cell.classList.add('error');
- valid = false;
- }
- });
- return valid;
- }
- function solve(board) {
- for (let i = 0; i < 9; i++) {
- for (let j = 0; j < 9; j++) {
- if (board[i][j] === 0) {
- for (let num = 1; num <= 9; num++) {
- if (isValid(board, i, j, num)) {
- board[i][j] = num;
- if (solve(board)) return true;
- board[i][j] = 0;
- }
- }
- return false;
- }
- }
- }
- return true;
- }
- function isValid(board, row, col, num) {
- // Проверка строки
- for (let x = 0; x < 9; x++)
- if (board[row][x] === num) return false;
- // Проверка столбца
- for (let x = 0; x < 9; x++)
- if (board[x][col] === num) return false;
- // Проверка блока 3x3
- const startRow = row - row % 3;
- const startCol = col - col % 3;
- for (let i = 0; i < 3; i++)
- for (let j = 0; j < 3; j++)
- if (board[i + startRow][j + startCol] === num) return false;
- return true;
- }
- </script>
- </body>
- </html>
Advertisement
Add Comment
Please, Sign In to add comment
Advertisement