sudoku.rs 32 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965
  1. // pub mod group;
  2. use crate::group::*;
  3. use crate::bits::*;
  4. // use std::collections::HashSet;
  5. use std::string::String;
  6. const SIZE: u8 = 3;
  7. /// Width of the sudoku board.
  8. const WIDTH: u8 = SIZE*SIZE;
  9. /// Size (width * height) of the board.
  10. const MAX_SIZE: u8 = WIDTH * WIDTH; // 81;
  11. extern crate rand_chacha;
  12. // use rand::prelude::*;
  13. use rand::seq::SliceRandom;
  14. use rand_chacha::rand_core::SeedableRng;
  15. use rand_chacha::ChaCha20Rng;
  16. use rand::distributions::{Distribution, Uniform};
  17. // Used bo calculate_possible to return the solutions.
  18. pub type SudokuBoard = [u8; MAX_SIZE as usize];
  19. /*
  20. pub type Possible = [Bits; MAX_SIZE as usize];
  21. pub type SudokuPossible = [Bits; MAX_SIZE as usize];
  22. */
  23. #[derive(Debug, Clone, Copy)]
  24. pub struct Board([u8; MAX_SIZE as usize]);
  25. impl Board {
  26. pub fn new() -> Self {
  27. let s = Self {
  28. 0: [0; MAX_SIZE as usize],
  29. };
  30. s
  31. }
  32. pub fn clear(&mut self) {
  33. self.0 = [0; MAX_SIZE as usize];
  34. }
  35. pub fn set(&mut self, x:u8, y:u8, value:u8) {
  36. self.0[pos(x,y) as usize] = value;
  37. }
  38. pub fn get(&mut self, x:u8, y:u8) -> u8 {
  39. self.0[pos(x,y) as usize]
  40. }
  41. /// Load puzzle from a string.
  42. /// Note, we load from (top,left) going down, to (bottom,left) by columns.
  43. pub fn load_from_tld(&mut self, start_ch: char, blank: char, s: &str) {
  44. self.clear();
  45. let mut x: u8 = 0;
  46. let mut y: u8 = 0;
  47. for ch in s.chars() {
  48. if ch != blank {
  49. self.set(x,y, (ch as u8 - start_ch as u8)+1);
  50. }
  51. y += 1;
  52. if y >= WIDTH {
  53. y = 0;
  54. x += 1;
  55. }
  56. }
  57. }
  58. /// Save puzzle to a string.
  59. /// Note, we load from (top,left) going down, to (bottom,left) by columns.
  60. pub fn save_to_tld(&mut self, start_ch: char, blank: char) -> String {
  61. let mut result = String::new();
  62. result.reserve(MAX_SIZE as usize);
  63. let start_ch = (start_ch as u8 -1) as char;
  64. let mut x:u8=0;
  65. let mut y:u8=0;
  66. for _i in 0..MAX_SIZE {
  67. if self.0[pos(x,y) as usize] == 0 {
  68. result.push(blank);
  69. } else {
  70. result.push((start_ch as u8 + self.0[pos(x,y) as usize]) as char);
  71. }
  72. y += 1;
  73. if y >= WIDTH {
  74. y = 0;
  75. x += 1;
  76. }
  77. }
  78. result
  79. }
  80. }
  81. // Vec doesn't implement Copy ...
  82. #[derive(Debug, Clone)]
  83. pub struct AnyBoard {
  84. pub size : u8,
  85. pub board : Vec<u8>,
  86. }
  87. impl AnyBoard {
  88. pub fn new(board_size: u8) -> Self {
  89. if (board_size < 3) || (board_size > 5) {
  90. panic!("Board size must be 3-5.");
  91. }
  92. let s = AnyBoard{
  93. size: board_size,
  94. board: vec![0, board_size*board_size*2],
  95. };
  96. s
  97. }
  98. }
  99. /*
  100. I probably should keep board and possible separate from one another.
  101. Possible is only used when solving the puzzles, and only used by the
  102. logic solver. Not needed by brute-force.
  103. Ok, the problem is that the possible doesn't make any sense to be
  104. unlinked in any way from the board. I think they have to be together.
  105. Right now, I have &mut of board, it might be better to just copy it.
  106. Then, I could derive Clone and Copy again for BoardPossible...
  107. (And simplify things immensely, getting rid of lifetimes...)
  108. Still thinking of having Possible as a structure, so I could implement
  109. funcs on just that, rather then having them in BoardPossible (wrong
  110. place for Possible's implementation).
  111. */
  112. /*
  113. #[derive(Debug, Clone, Copy)]
  114. pub struct SudokuPossible {
  115. pub possible: [Possible; MAX_SIZE as usize];
  116. }
  117. // 10 = WIDTH + 1
  118. // This would need to be changed in order to handle 4x4 or 5x5.
  119. // NOTE: We ignore bit 0, we use bits 1-9 (for 3x3).
  120. let mut initial: Bits = Bits(set_bits(10));
  121. initial.set(0, false);
  122. let s = Sudoku {
  123. board: [0; MAX_SIZE as usize],
  124. possible: [initial; MAX_SIZE as usize],
  125. */
  126. #[derive(Debug)]
  127. pub struct BoardPossible<'a> {
  128. board: &'a mut Board,
  129. possible: [Bits; MAX_SIZE as usize],
  130. }
  131. impl <'a>BoardPossible<'a> {
  132. pub fn new(board : &'a mut Board) -> Self {
  133. // 10 = WIDTH + 1
  134. // This would need to be changed in order to handle 4x4 or 5x5.
  135. // NOTE: We ignore bit 0, we use bits 1-9 (for 3x3).
  136. let mut initial: Bits = Bits(set_bits(10));
  137. initial.set(0, false);
  138. let mut s = Self {
  139. board: board,
  140. possible: [initial; MAX_SIZE as usize],
  141. };
  142. s.reset_possible();
  143. s
  144. }
  145. pub fn clear_possible(&mut self) {
  146. let mut initial: Bits = Bits(set_bits(10));
  147. initial.set(0, false);
  148. self.possible = [initial; MAX_SIZE as usize];
  149. }
  150. /// set (x,y) with value.
  151. /// - This updates the board.
  152. /// - this updates all the possible (row,column,cell).
  153. /// - Clears the possible for the (x,y).
  154. pub fn set(&mut self, x:u8, y:u8, value:u8) {
  155. self.board.0[pos(x,y)] = value;
  156. // update the possible
  157. let mut g: &Group = for_row(y);
  158. for g in g.0 {
  159. self.possible[g].set(value, false);
  160. }
  161. g = for_column(x);
  162. for g in g.0 {
  163. self.possible[g].set(value, false);
  164. }
  165. g = for_cell(which_cell(x,y));
  166. for g in g.0 {
  167. self.possible[g].set(value, false);
  168. }
  169. self.possible[pos(x,y)].clear();
  170. }
  171. pub fn reset_possible(&mut self) {
  172. }
  173. /// Display the possibles.
  174. /// This should be in the Possible struct, not here.
  175. pub fn display(&self) {
  176. for y in 0..WIDTH {
  177. for x in 0..WIDTH {
  178. // print!("p={:?}", self.possible[pos(x, y) as usize]);
  179. let mut possible = String::new();
  180. for p in self.possible[pos(x, y) as usize].iter() {
  181. // print!("{},", p);
  182. possible += format!("{},", p).as_str();
  183. }
  184. // for i in 0..SIZE {
  185. // let &pos = self.possible[pos(x, y) as usize];
  186. print!("({},{}):", x, y);
  187. // print!("{:20}", format!("{:?}", self.possible[pos(x, y) as usize]));
  188. print!("{:9}", possible);
  189. /*
  190. if pos == 0 {
  191. print!(" ");
  192. } else {
  193. print!("{}", pos);
  194. }
  195. */
  196. // }
  197. // print!(" ");
  198. }
  199. println!("");
  200. }
  201. }
  202. }
  203. #[derive(Debug, Clone, Copy)]
  204. pub struct Sudoku {
  205. pub board: [u8; MAX_SIZE as usize], // Board
  206. pub possible: [Bits; MAX_SIZE as usize], // BoardPossible
  207. }
  208. /// Translate x,y to position in board.
  209. /// This is used as usize, so return that instead of u8.
  210. pub const fn pos(x: u8, y: u8) -> usize {
  211. x as usize + (y as usize * WIDTH as usize)
  212. }
  213. /// Translate x,y (with starting index of 1) to position in board.
  214. pub const fn pos1(x: u8, y: u8) -> usize {
  215. (x as usize - 1) + ((y as usize - 1) * WIDTH as usize)
  216. }
  217. /// Translate post to x,y in board.
  218. pub const fn xy(pos: usize) -> (u8, u8) {
  219. ((pos % WIDTH as usize) as u8, (pos / WIDTH as usize) as u8)
  220. }
  221. const DEBUG_OUTPUT: bool = false;
  222. /*
  223. (0 .. 10)
  224. .map(|_| HashSet::<usize>::new())
  225. .collect();
  226. let arr: [Vec<u32>; 10] = [(); 10].map(|_| Vec::with_capacity(100));
  227. */
  228. impl Sudoku {
  229. pub fn new() -> Self {
  230. // 10 = WIDTH + 1
  231. // This would need to be changed in order to handle 4x4 or 5x5.
  232. // NOTE: We ignore bit 0, we use bits 1-9 (for 3x3).
  233. let mut initial: Bits = Bits(set_bits(10));
  234. initial.set(0, false);
  235. let s = Sudoku {
  236. board: [0; MAX_SIZE as usize],
  237. possible: [initial; MAX_SIZE as usize],
  238. };
  239. s
  240. }
  241. pub fn clear_possible(&mut self) {
  242. let mut initial = Bits(set_bits(10));
  243. initial.set(0, false);
  244. self.possible = [initial; MAX_SIZE as usize];
  245. }
  246. pub fn clear(&mut self) {
  247. let mut initial = Bits(set_bits(10));
  248. initial.set(0, false);
  249. self.board = [0; MAX_SIZE as usize];
  250. self.possible = [initial; MAX_SIZE as usize];
  251. }
  252. /// Load puzzle from a string.
  253. /// Note, we load from (top,left) going down, to (bottom,left) by columns.
  254. pub fn load_from_tld(&mut self, start_ch: char, blank: char, s: &str) {
  255. self.clear();
  256. let mut x: u8 = 0;
  257. let mut y: u8 = 0;
  258. for ch in s.chars() {
  259. if ch != blank {
  260. self.set(x, y, (ch as u8 - start_ch as u8) + 1);
  261. }
  262. y += 1;
  263. if y >= WIDTH {
  264. y = 0;
  265. x += 1;
  266. }
  267. }
  268. }
  269. /// Load puzzle from a string.
  270. /// This loads from (top,left) going right, to (top,right), by rows.
  271. pub fn load_from_tlr(&mut self, start_ch: char, blank: char, s: &str) {
  272. self.clear();
  273. let mut i: usize = 0;
  274. for ch in s.chars() {
  275. if ch != blank {
  276. self.set(xy(i).0, xy(i).1, (ch as u8 - start_ch as u8) + 1);
  277. }
  278. i += 1;
  279. }
  280. }
  281. pub fn save_to_tld(&self, mut start_ch: char, blank: char) -> String {
  282. let mut result = String::new();
  283. result.reserve(MAX_SIZE as usize);
  284. start_ch = (start_ch as u8 - 1) as char;
  285. let mut x: u8 = 0;
  286. let mut y: u8 = 0;
  287. for _i in 0..MAX_SIZE {
  288. if self.board[pos(x, y) as usize] == 0 {
  289. result.push(blank);
  290. } else {
  291. result.push((start_ch as u8 + self.board[pos(x,y) as usize]) as char);
  292. }
  293. y += 1;
  294. if y >= WIDTH {
  295. y = 0;
  296. x += 1;
  297. }
  298. }
  299. result
  300. }
  301. pub fn save_to_tlr(&self, mut start_ch: char, blank: char) -> String {
  302. let mut result = String::new();
  303. result.reserve(MAX_SIZE as usize);
  304. start_ch = (start_ch as u8 - 1) as char;
  305. for i in 0..MAX_SIZE {
  306. if self.board[i as usize] == 0 {
  307. result.push(blank);
  308. } else {
  309. result.push((start_ch as u8 + self.board[i as usize]) as char);
  310. }
  311. }
  312. result
  313. }
  314. pub fn get(&self, x:u8, y:u8) -> u8 {
  315. self.board[pos(x,y) as usize]
  316. }
  317. /*
  318. This set does more then it needs to.
  319. When setting a location, it also updates the possible.
  320. This needs to be moved into something else. Putting it into Possible?
  321. */
  322. pub fn set(&mut self, x: u8, y: u8, value: u8) {
  323. self.board[pos(x, y) as usize] = value;
  324. // Ok, update the possible
  325. let mut g = for_row(y);
  326. // g.for_row(x, y);
  327. for g in g.0 {
  328. // remove value from these sets.
  329. self.possible[g as usize].set(value, false);
  330. // self.possible[g as usize].take(&value);
  331. }
  332. g = for_column(x);
  333. // g.for_column(x, y);
  334. for g in g.0 {
  335. // remove value from these sets.
  336. self.possible[g as usize].set(value, false);
  337. // self.possible[g as usize].take(&value);
  338. }
  339. g = for_cell(which_cell(x, y));
  340. // g.for_block(x, y);
  341. for g in g.0 {
  342. // remove value from these sets.
  343. self.possible[g as usize].set(value, false);
  344. // self.possible[g as usize].take(&value);
  345. }
  346. self.possible[pos(x, y) as usize].clear();
  347. }
  348. /// Reset the Possible
  349. /// - For when a new puzzle has been loaded.
  350. /// - When something has changed, and the possibles are out of sync.
  351. pub fn reset_possible(&mut self) {
  352. // Reset the possible.
  353. self.clear_possible();
  354. for y in 0..WIDTH {
  355. for x in 0..WIDTH {
  356. let item: u8 = self.board[pos(x as u8, y as u8) as usize];
  357. if item != 0 {
  358. let mut g: &Group = for_row(y);
  359. for g in g.0 {
  360. self.possible[g as usize].set(item, false);
  361. }
  362. g = for_column(x);
  363. for g in g.0 {
  364. self.possible[g as usize].set(item, false);
  365. }
  366. g = for_cell(which_cell(x,y));
  367. for g in g.0 {
  368. self.possible[g as usize].set(item, false);
  369. }
  370. self.possible[pos(x,y) as usize].clear();
  371. }
  372. }
  373. }
  374. }
  375. /// Display the sudoku puzzle.
  376. pub fn display(&self) {
  377. println!("╔═══╦═══╦═══╗");
  378. for y in 0..WIDTH {
  379. print!("║");
  380. for x in 0..WIDTH {
  381. let item = self.board[pos(x as u8, y as u8) as usize];
  382. if item == 0 {
  383. print!(" ");
  384. } else if (item >= 1) && (item <= 9) {
  385. print!("{}", item);
  386. }
  387. if x % 3 == 2 {
  388. print!("║");
  389. }
  390. }
  391. println!("");
  392. if y % 3 == 2 {
  393. if y + 1 == WIDTH {
  394. println!("╚═══╩═══╩═══╝");
  395. } else {
  396. println!("╠═══╬═══╬═══╣");
  397. }
  398. }
  399. }
  400. }
  401. /// Display the possibles.
  402. /// This should be in the Possible struct, not here.
  403. pub fn display_possible(&self) {
  404. for y in 0..WIDTH {
  405. for x in 0..WIDTH {
  406. // print!("p={:?}", self.possible[pos(x, y) as usize]);
  407. let mut possible = String::new();
  408. for p in self.possible[pos(x, y) as usize].iter() {
  409. // print!("{},", p);
  410. possible += format!("{},", p).as_str();
  411. }
  412. // for i in 0..SIZE {
  413. // let &pos = self.possible[pos(x, y) as usize];
  414. print!("({},{}):", x, y);
  415. // print!("{:20}", format!("{:?}", self.possible[pos(x, y) as usize]));
  416. print!("{:9}", possible);
  417. /*
  418. if pos == 0 {
  419. print!(" ");
  420. } else {
  421. print!("{}", pos);
  422. }
  423. */
  424. // }
  425. // print!(" ");
  426. }
  427. println!("");
  428. }
  429. }
  430. /// Is the puzzle complete?
  431. /// Have all of the locations been filled with a value?
  432. /// - This does not validate that it is a correct puzzle,
  433. /// - It doesn't check for duplicate digits (for example).
  434. pub fn puzzle_complete(&self) -> bool {
  435. for i in 0..MAX_SIZE {
  436. if self.board[i as usize] == 0 {
  437. return false;
  438. }
  439. }
  440. true
  441. }
  442. /// Recursive brute-force solver
  443. /// - As possibilities are tried, it recursively calls itself to see
  444. /// if there are any solutions with the given possibility.
  445. fn calculate_possible(&mut self, total_solutions: &mut u16, solutions: &mut Vec<SudokuBoard>) -> bool {
  446. for idx in 0..MAX_SIZE as usize {
  447. if self.board[idx as usize] == 0 {
  448. // Ok, there's a blank here
  449. let (x, y) = xy(idx);
  450. if DEBUG_OUTPUT {
  451. println!("idx={} ({},{})", idx, x, y);
  452. self.display();
  453. }
  454. 'outer: for possible in 1..=9 {
  455. let mut g = for_row(y);
  456. for p in g.0 {
  457. if self.board[p as usize] == possible {
  458. continue 'outer;
  459. }
  460. }
  461. g = for_column(x);
  462. for p in g.0 {
  463. if self.board[p as usize] == possible {
  464. continue 'outer;
  465. }
  466. }
  467. // check cell
  468. let cell = which_cell(x, y);
  469. g = for_cell(cell);
  470. for p in g.0 {
  471. if self.board[p as usize] == possible {
  472. continue 'outer;
  473. }
  474. }
  475. // Ok, it could go here!
  476. if DEBUG_OUTPUT {
  477. println!("({},{})={}", x, y, possible);
  478. }
  479. self.board[idx as usize] = possible;
  480. if self.puzzle_complete() {
  481. if *total_solutions < solutions.capacity() as u16 {
  482. solutions.push(self.board);
  483. }
  484. *total_solutions += 1;
  485. /*
  486. println!("**SOLUTION**");
  487. self.display();
  488. println!("***");
  489. */
  490. break;
  491. } else {
  492. if self.calculate_possible(total_solutions, solutions) {
  493. return true;
  494. }
  495. }
  496. }
  497. self.board[idx as usize] = 0;
  498. return false;
  499. }
  500. }
  501. false
  502. }
  503. /// Brute-force solver
  504. /// - Prints out a (one) solution.
  505. /// - Returns the number of solutions found.
  506. pub fn bruteforce_solver(&self) -> u16 {
  507. let mut workset = Sudoku {
  508. board: self.board,
  509. possible: [Bits(0); MAX_SIZE as usize],
  510. };
  511. let mut total_solutions: u16 = 0;
  512. let mut solutions = Vec::new();
  513. solutions.reserve(1);
  514. workset.calculate_possible(&mut total_solutions, &mut solutions);
  515. // return number of solutions.
  516. if solutions.len() > 0 {
  517. println!("*** A solution:");
  518. workset.board = solutions[0];
  519. workset.display();
  520. println!("***");
  521. }
  522. total_solutions
  523. }
  524. /// Make a sudoku puzzle.
  525. /// This gives us a fully solved puzzle.
  526. pub fn make(&mut self) {
  527. let mut rng = ChaCha20Rng::from_entropy();
  528. self.fill_board(&mut rng);
  529. // Ok, this gives us a random (but fully solved) puzzle.
  530. }
  531. /// Fill puzzle with random
  532. /// - This is like the brute-force solver, it calls itself recursively
  533. /// and backtraces if a solution can't be found.
  534. fn fill_board(&mut self, rng: &mut ChaCha20Rng) -> bool {
  535. let backup = Sudoku {
  536. board: self.board,
  537. possible: self.possible,
  538. };
  539. for idx in 0..MAX_SIZE as usize {
  540. if self.board[idx as usize] == 0 {
  541. let (x, y) = xy(idx);
  542. let mut available: [u8; WIDTH as usize] = [0; WIDTH as usize];
  543. let mut total_available: u8 = 0;
  544. for t in self.possible[idx as usize].iter() {
  545. available[total_available as usize] = t;
  546. total_available += 1;
  547. }
  548. if total_available == 0 {
  549. // No possible moves remain.
  550. /*
  551. self.board = backup.board;
  552. self.possible = backup.possible;
  553. */
  554. return false;
  555. }
  556. // Randomize the possible items.
  557. available[0..total_available as usize].shuffle(rng);
  558. for v_idx in 0..total_available {
  559. let value = available[v_idx as usize];
  560. self.set(x, y, value);
  561. if self.fill_board(rng) {
  562. return true;
  563. }
  564. // failure
  565. self.board = backup.board;
  566. self.possible = backup.possible;
  567. }
  568. // We've run out of possible.
  569. return false;
  570. }
  571. }
  572. // We've visited everything, and it isn't 0.
  573. return true;
  574. }
  575. /// Puzzle generation
  576. /// - Removes a number, tests to see if the puzzle can still be solved by logic.
  577. /// - Returns true when still a valid, solvable puzzle.
  578. /// - Otherwise, restores number and returns false.
  579. pub fn remove(&mut self) -> bool {
  580. // Find a number, remove it. Save position.
  581. let mut rng = ChaCha20Rng::from_entropy();
  582. let puzrange = Uniform::new(0, WIDTH);
  583. let mut x = 0;
  584. let mut y = 0;
  585. let mut value: u8 = 0;
  586. while value == 0 {
  587. x = puzrange.sample(&mut rng);
  588. y = puzrange.sample(&mut rng);
  589. value = self.get(x,y);
  590. }
  591. self.set(x,y,0);
  592. // Clone, and solve by logic.
  593. let mut puzcopy = self.clone();
  594. puzcopy.reset_possible();
  595. /*
  596. puzcopy.display();
  597. puzcopy.display_possible();
  598. */
  599. // If solvable, return true.
  600. while puzcopy.solve(false) {};
  601. /*
  602. puzcopy.display();
  603. puzcopy.display_possible();
  604. */
  605. if puzcopy.puzzle_complete() {
  606. return true;
  607. }
  608. // If not solvable, restore number, return false.
  609. self.set(x,y,value);
  610. return false;
  611. }
  612. /*
  613. fn make_(&mut self) {
  614. self.clear();
  615. let mut rng = ChaCha20Rng::from_entropy();
  616. let pick_one = |this: &Self, rng: &mut ChaCha20Rng, idx: u8| -> Option<u8> {
  617. let mut available: [u8; WIDTH as usize] = [0; WIDTH as usize];
  618. let mut total_available: u8 = 0;
  619. for t in this.possible[idx as usize].iter() {
  620. available[total_available as usize] = t;
  621. total_available += 1;
  622. }
  623. if total_available == 1 {
  624. return Some(available[0]);
  625. }
  626. if total_available == 0 {
  627. return None;
  628. }
  629. Some(available[rng.gen_range(0..total_available as usize)])
  630. };
  631. for i in 0..MAX_SIZE {
  632. let (x, y) = xy(i);
  633. if self.board[i as usize] == 0 {
  634. // Ok, we found a blank space.
  635. let value = pick_one(self, &mut rng, i);
  636. if value.is_some() {
  637. let value = value.unwrap();
  638. if DEBUG_OUTPUT {
  639. println!("Set({},{})={}", x, y, value);
  640. }
  641. self.set(x, y, value);
  642. }
  643. }
  644. }
  645. }
  646. */
  647. /// Solve, using logic alone
  648. /// - Returns true when something was added to the board.
  649. /// - Call solve until it returns false.
  650. pub fn solve(&mut self, debug: bool) -> bool {
  651. // Pass 1: Look for singles in the possible sets.
  652. let mut found_something = false;
  653. for i in 0..MAX_SIZE as usize {
  654. if self.possible[i as usize].count_set() == 1 {
  655. // Get the value
  656. let value = self.possible[i as usize].iter().next().unwrap();
  657. // Found one!
  658. if debug {
  659. println!("Set1 {:?} to {}", xy(i), value);
  660. }
  661. self.set(xy(i).0, xy(i).1, value);
  662. found_something = true;
  663. }
  664. }
  665. let mut g = Group::new();
  666. let mut values = Bits(0); // HashSet<u8> = HashSet::new();
  667. let mut group_process = |this: &mut Self, grp: &Group| {
  668. // Collect all the possible values within the group.
  669. values.clear();
  670. for gidx in 0..WIDTH {
  671. // println!("possible: {:?}", this.possible[grp.items[gidx as usize] as usize]);
  672. for v in this.possible[grp.0[gidx as usize] as usize].iter() {
  673. values.set(v, true);
  674. }
  675. // values.extend(this.possible[grp.0[gidx as usize] as usize]);
  676. // println!("now : {:?}", this.possible[grp.items[gidx as usize] as usize]);
  677. }
  678. // println!("values {:?}", values);
  679. // Now, check for singles.
  680. for v in values.iter() {
  681. let mut count = 0;
  682. let mut pos = 0;
  683. for gidx in 0..WIDTH {
  684. if this.possible[grp.0[gidx as usize] as usize].get(v) {
  685. // if this.possible[grp.0[gidx as usize] as usize].contains(&v) {
  686. count += 1;
  687. pos = grp.0[gidx as usize];
  688. if count > 1 {
  689. break;
  690. }
  691. }
  692. }
  693. if count == 1 {
  694. // don't need this, it was v!
  695. // let value = this.possible[pos as usize].iter().next().cloned().unwrap();
  696. if debug {
  697. println!("Set2 {:?} to {}", xy(pos), v);
  698. }
  699. this.set(xy(pos).0, xy(pos).1, v);
  700. found_something = true;
  701. }
  702. }
  703. };
  704. // Change to 0..WIDTH ... Keep it simple.
  705. for i in 0..WIDTH {
  706. let mut g = for_column(i);
  707. // g.for_column(i, 1);
  708. group_process(self, &g);
  709. g = for_row(i);
  710. // g.for_row(1, i);
  711. group_process(self, &g);
  712. g = for_cell(i);
  713. // g.for_iter(i);
  714. group_process(self, &g);
  715. }
  716. if found_something {
  717. return found_something;
  718. }
  719. if debug {
  720. println!("Looking for pairs...");
  721. }
  722. // PAIR processing.
  723. for i in 0..WIDTH {
  724. g.for_iter(i);
  725. for gidx in 0..WIDTH - 1 {
  726. let gpos = g.0[gidx as usize];
  727. if self.possible[gpos as usize].count_set() == 2 {
  728. // Found a pair
  729. for fidx in gidx + 1..WIDTH {
  730. let fpos = g.0[fidx as usize];
  731. if self.possible[fpos as usize].count_set() == 2 {
  732. // Ok, there's another pair
  733. // if self.possible[gpos as usize].is_subset(&self.possible[fpos as usize])
  734. if self.possible[gpos as usize] == self.possible[fpos as usize] {
  735. // Ok, they have the same values!
  736. // Ok, remove the items in the pair from the cell.
  737. // Don't touch the gpos/fpos records. Keep those!
  738. let mut values: [u8; 2] = [0, 0];
  739. let mut vpos = 0;
  740. for z in self.possible[gpos as usize].iter() {
  741. values[vpos] = z;
  742. vpos += 1;
  743. }
  744. let mut pair_removed = false;
  745. // Check to see if anything was removed.
  746. for remove in 0..WIDTH {
  747. if (gidx == remove) || (fidx == remove) {
  748. continue;
  749. }
  750. // Ok, these aren't the ones to save, so:
  751. let rpos = g.0[remove as usize];
  752. if self.possible[rpos as usize].get(values[0]) {
  753. self.possible[rpos as usize].set(values[0], false);
  754. found_something = true;
  755. pair_removed = true;
  756. }
  757. if self.possible[rpos as usize].get(values[1]) {
  758. self.possible[rpos as usize].set(values[1], false);
  759. found_something = true;
  760. pair_removed = true;
  761. }
  762. }
  763. // Check the x's and y's to see if we can also process a row/column too.
  764. if xy(gpos).0 == xy(fpos).0 {
  765. // Matching X - process column
  766. let column = xy(gpos).0;
  767. vpos = 0;
  768. for z in self.possible[gpos as usize].iter() {
  769. values[vpos] = z;
  770. vpos += 1;
  771. }
  772. for remove in 0..WIDTH {
  773. if (remove == xy(gpos).1) || (remove == xy(fpos).1) {
  774. continue;
  775. }
  776. if self.possible[pos(column, remove) as usize]
  777. .get(values[0])
  778. {
  779. self.possible[pos(column, remove) as usize]
  780. .set(values[0], false);
  781. found_something = true;
  782. pair_removed = true;
  783. }
  784. if self.possible[pos(column, remove) as usize]
  785. .get(values[1])
  786. {
  787. self.possible[pos(column, remove) as usize]
  788. .set(values[1], false);
  789. found_something = true;
  790. pair_removed = true;
  791. }
  792. }
  793. }
  794. if xy(gpos).1 == xy(fpos).1 {
  795. // Matching Y - process row
  796. let row = xy(gpos).1;
  797. vpos = 0;
  798. for z in self.possible[gpos as usize].iter() {
  799. values[vpos] = z;
  800. vpos += 1;
  801. }
  802. for remove in 0..WIDTH {
  803. if (remove == xy(gpos).0) || (remove == xy(fpos).0) {
  804. continue;
  805. }
  806. if self.possible[pos(remove, row) as usize].get(values[0]) {
  807. self.possible[pos(remove, row) as usize]
  808. .set(values[0], false);
  809. found_something = true;
  810. pair_removed = true;
  811. }
  812. if self.possible[pos(remove, row) as usize].get(values[1]) {
  813. self.possible[pos(remove, row) as usize]
  814. .set(values[1], false);
  815. found_something = true;
  816. pair_removed = true;
  817. }
  818. }
  819. }
  820. if pair_removed {
  821. if debug {
  822. println!(
  823. "Pair found! {} {}: {} {:?} and {} {:?} !",
  824. gidx,
  825. fidx,
  826. gpos,
  827. xy(gpos),
  828. fpos,
  829. xy(fpos)
  830. );
  831. }
  832. }
  833. }
  834. }
  835. }
  836. }
  837. }
  838. }
  839. found_something
  840. }
  841. }