home *** CD-ROM | disk | FTP | other *** search
/ Power-Programmierung / CD1.mdf / lisp / interpre / xlispplu / lsp / queens2.lsp < prev    next >
Lisp/Scheme  |  1992-01-14  |  2KB  |  71 lines

  1. ;
  2. ; Place n queens on a board (graphical version)
  3. ;  See Winston and Horn Ch. 11
  4. ; Usage:
  5. ;    (queens <n>)
  6. ;          where <n> is an integer -- the size of the board - try (queens 4)
  7.  
  8. ; Do two queens threaten each other ?
  9. (defun threat (i j a b)
  10.   (or (eql i a)            ;Same row
  11.       (eql j b)            ;Same column
  12.       (eql (- i j) (- a b))    ;One diag.
  13.       (eql (+ i j) (+ a b))))    ;the other diagonal
  14.  
  15. ; Is poistion (n,m) on the board safe for a queen ?
  16. (defun conflict (n m board)
  17.   (cond ((null board) nil)
  18.     ((threat n m (caar board) (cadar board)) t)
  19.     (t (conflict n m (cdr board)))))
  20.  
  21.  
  22. ; Place queens on a board of size SIZE
  23. (defun queens (size)
  24.   (prog (n m board soln)
  25.     (setq soln 0)            ;Solution #
  26.     (setq board nil)
  27.     (setq n 1)            ;Try the first row
  28.     loop-n
  29.     (setq m 1)            ;Column 1
  30.     loop-m
  31.     (cond ((conflict n m board) (go un-do-m))) ;Check for conflict
  32.     (setq board (cons (list n m) board))       ; Add queen to board
  33.     (cond ((> (setq n (1+ n)) size)            ; Placed N queens ?
  34.            (print-board (reverse board) (setq soln (1+ soln))))) ; Print it
  35.     (go loop-n)                       ; Next row which column?
  36.     un-do-n
  37.     (cond ((null board) (return 'Done))        ; Tried all possibilities
  38.           (t (setq m (cadar board))           ; No, Undo last queen placed
  39.          (setq n (caar board))
  40.          (setq board (cdr board))))
  41.  
  42.     un-do-m
  43.     (cond ((> (setq m (1+ m)) size)          ; Go try next column
  44.            (go un-do-n))
  45.           (t (go loop-m)))))
  46.  
  47.  
  48. ;Print a board
  49. (defun print-board  (board soln &aux size)
  50.   (setq size (length board))        ;we can find our own size
  51.   (format t "\t\tSolution ~s\n\n\t" soln)
  52.   (print-header size 1)
  53.   (print-board-aux board size)
  54.   (terpri))
  55.  
  56. ; Put Column #'s on top
  57. (defun print-header (size n)
  58.   (dotimes (i size) (format t "~s " i))
  59.   (terpri))
  60.  
  61. (defun print-board-aux (board size &aux (row 0))
  62.   (mapc #'(lambda (x) 
  63.           (format t "~s\t" (setq row (1+ row)))
  64.           (print-board-row (cadr x) size))
  65.     board))
  66.           
  67. (defun print-board-row (column size)
  68.        (dotimes (i size) (princ (if (eql column i) "Q " ". ")))
  69.        (terpri))
  70.