N-queens problem: Difference between revisions

m
syntax highlighting fixup automation
(missed some <lang> elements)
m (syntax highlighting fixup automation)
Line 1:
{{taskTask}}
[[File:chess_queen.jpg|400px||right]]
 
Line 26:
{{trans|Nim}}
 
<syntaxhighlight lang="11l">-V BoardSize = 8
 
F underAttack(col, queens)
Line 92:
Translated from the Fortran 77 solution.<br>
For maximum compatibility, this program uses only the basic instruction set (S/360).
<syntaxhighlight lang="360asm">* N-QUEENS PROBLEM 04/09/2015
MACRO
&LAB XDECO &REG,&TARGET
Line 253:
 
=={{header|ABAP}}==
<syntaxhighlight lang=ABAP"abap">
TYPES: BEGIN OF gty_matrix,
1 TYPE c,
Line 542:
 
=={{header|Ada}}==
<syntaxhighlight lang=Ada"ada">with Ada.Text_IO; use Ada.Text_IO;
 
procedure Queens is
Line 610:
This one only counts solutions, though it's easy to do something else with each one (instead of the <code>M := M + 1;</code> line).
 
<syntaxhighlight lang="ada">with Ada.Text_IO;
use Ada.Text_IO;
 
Line 668:
 
{{works with|ELLA ALGOL 68|Any (with appropriate job cards) - tested with release [http://sourceforge.net/projects/algol68/files/algol68toc/algol68toc-1.8.8d/algol68toc-1.8-8d.fc9.i386.rpm/download 1.8.8d.fc9.i386]}}
<syntaxhighlight lang=Algol68"algol68">INT ofs = 1, # Algol68 normally uses array offset of 1 #
dim = 8; # dim X dim chess board #
[ofs:dim+ofs-1]INT b;
Line 723:
{{works with|Dyalog APL}}
More or less copied from the "DFS" lesson on tryapl.org .
<syntaxhighlight lang=APL"apl">
⍝Solution
accm←{⍺,((⍴⍵)=⍴⊃⍺)↑⊂⍵}
Line 769:
 
=={{header|AppleScript}}==
<syntaxhighlight lang="applescript">-- Finds all possible solutions and the unique patterns.
 
property Grid_Size : 8
Line 936:
=={{header|Arc}}==
This program prints out all possible solutions:
<syntaxhighlight lang=Lisp"lisp">(def nqueens (n (o queens))
(if (< len.queens n)
(let row (if queens (+ 1 queens.0.0) 0)
Line 964:
=={{header|Arturo}}==
 
<syntaxhighlight lang="arturo">result: new []
 
queens: function [n, i, a, b, c][
Line 1,029:
=={{header|AWK}}==
Inspired by Raymond Hettinger's Python solution, but builds the vector incrementally.
<syntaxhighlight lang="awk">
#!/usr/bin/gawk -f
# Solve the Eight Queens Puzzle
Line 1,118:
 
=={{header|ATS}}==
<syntaxhighlight lang=ATS"ats">
(* ****** ****** *)
//
Line 1,204:
=== Output to formatted Message box ===
{{trans|C}}
<syntaxhighlight lang=AutoHotkey"autohotkey">;
; Post: http://www.autohotkey.com/forum/viewtopic.php?p=353059#353059
; Timestamp: 05/may/2010
Line 1,289:
The screenshot shows the first solution of 10 possible solutions for N = 5 queens.
 
<syntaxhighlight lang=AutoHotkey"autohotkey">N := 5
Number: ; main entrance for different # of queens
SI := 1
Line 1,387:
[[Image:queens9_bbc.gif|right]]
[[Image:queens10_bbc.gif|right]]
<syntaxhighlight lang="bbcbasic"> Size% = 8
Cell% = 32
VDU 23,22,Size%*Cell%;Size%*Cell%;Cell%,Cell%,16,128+8,5
Line 1,450:
 
=={{header|BCPL}}==
<syntaxhighlight lang=BCPL"bcpl">// This can be run using Cintcode BCPL freely available from www.cl.cam.ac.uk/users/mr10.
 
GET "libhdr.h"
Line 1,486:
It runs about 25 times faster that the version given above.
 
<syntaxhighlight lang=BCPL"bcpl">
GET "libhdr.h"
GET "mc.h"
Line 1,627:
This algorithm works with any board size from 4 upwards.
 
<syntaxhighlight lang="befunge"><+--XX@_v#!:-1,+55,g\1$_:00g2%-0vv:,+55<&,,,,,,"Size: "
"| Q"$$$>:01p:2%!00g0>>^<<!:-1\<1>00p::2%-:40p2/50p2*1+
!77**48*+31p\:1\g,::2\g:,\3\g,,^g>0g++40g%40g\-\40g\`*-
Line 1,655:
 
=={{header|Bracmat}}==
<syntaxhighlight lang="bracmat">( ( printBoard
= board M L x y S R row line
. :?board
Line 1,760:
 
=={{header|C}}==
C99, compiled with <code>gcc -std=c99 -Wall</code>. Take one commandline argument: size of board, or default to 8. Shows the board layout for each solution.<syntaxhighlight lang=C"c">#include <stdio.h>
#include <stdlib.h>
 
Line 1,792:
}</syntaxhighlight>
 
Similiar to above, but using bits to save board configurations and quite a bit faster:<syntaxhighlight lang="c">#include <stdio.h>
#include <stdlib.h>
#include <stdint.h>
Line 1,831:
}</syntaxhighlight>
Take that and unwrap the recursion, plus some heavy optimizations, and we have a very fast and very unreadable solution:
<syntaxhighlight lang="c">#include <stdio.h>
#include <stdlib.h>
 
Line 1,925:
A slightly cleaned up version of the code above where some optimizations were redundant. This version is also further optimized, and runs about 15% faster than the one above on modern compilers:
 
<syntaxhighlight lang="c">#include <stdio.h>
#define MAXN 31
 
Line 2,007:
{{works with|C sharp|C#|7}}
<!-- By Martin Freedman, 13/02/2018 -->
<syntaxhighlight lang="csharp">using System.Collections.Generic;
using static System.Linq.Enumerable;
using static System.Console;
Line 2,057:
===Hettinger Algorithm===
Compare this to the Hettinger solution used in the first Python answer. The logic is similar but the diagonal calculation is different and more expensive computationally (Both suffer from being unable to eliminate permutation prefixes that are invalid e.g. 0 1 ...)
<syntaxhighlight lang="csharp">
using System.Collections.Generic;
using static System.Linq.Enumerable;
Line 2,100:
{{works with|C sharp|C#|7.1}}
<!-- By Martin Freedman, 9/02/2018 -->
<syntaxhighlight lang="csharp">using static System.Linq.Enumerable;
using static System.Console;
 
Line 2,131:
 
=={{header|C++}}==
<syntaxhighlight lang="cpp">// Much shorter than the version below;
// uses C++11 threads to parallelize the computation; also uses backtracking
// Outputs all solutions for any table size
Line 2,248:
3 #
4 # </pre>
<syntaxhighlight lang="cpp">
// A straight-forward brute-force C++ version with formatted output,
// eschewing obfuscation and C-isms, producing ALL solutions, which
Line 2,527:
=== Alternate version ===
Windows-only
<syntaxhighlight lang="cpp">
#include <windows.h>
#include <iostream>
Line 2,657:
 
Version using Heuristics - explained here: [http://en.wikipedia.org/wiki/8_queens_puzzle#Solution_construction Solution_construction]
<syntaxhighlight lang="cpp">
#include <windows.h>
#include <iostream>
Line 2,750:
=={{header|Clojure}}==
This produces all solutions by essentially a backtracking algorithm. The heart is the ''extends?'' function, which takes a partial solution for the first ''k<size'' columns and sees if the solution can be extended by adding a queen at row ''n'' of column ''k+1''. The ''extend'' function takes a list of all partial solutions for ''k'' columns and produces a list of all partial solutions for ''k+1'' columns. The final list ''solutions'' is calculated by starting with the list of 0-column solutions (obviously this is the list ''[ [] ]'', and iterates ''extend'' for ''size'' times.
<syntaxhighlight lang="clojure">(def size 8)
 
(defn extends? [v n]
Line 2,774:
(println (count solutions) "solutions")</syntaxhighlight>
===Short Version===
<syntaxhighlight lang="clojure">(ns queens
(:require [clojure.math.combinatorics :as combo]
 
Line 2,783:
Each state of the board can be represented as a sequence of the row coordinate for a queen, the column being the index in the sequence (coordinates starting at 0). Each state can have 'children' states if it is legal (no conflict) and has less than n queens. A child state is the result of adding a new queen on the next column, there are as many children states as rows as we are trying all of them. A depth first traversal of this virtual tree of states gives us the solutions when we filter out the illegal states and the incomplete states. The sequence of states is lazy so we could read only one result and not have to compute the other states.
 
<syntaxhighlight lang="clojure">
(defn n-queens [n]
(let[children #(map (partial conj %) (range n))
Line 2,797:
=={{header|CLU}}==
{{trans|C}}
<syntaxhighlight lang="clu">n_queens = cluster is solve
rep = null
own hist: array[int] := array[int]$[]
Line 3,870:
 
=={{header|CoffeeScript}}==
<syntaxhighlight lang="coffeescript">
# Unlike traditional N-Queens solutions that use recursion, this
# program attempts to more closely model the "human" algorithm.
Line 3,985:
 
=={{header|Common Lisp}}==
<syntaxhighlight lang="lisp">(defun queens (n &optional (m n))
(if (zerop n)
(list nil)
Line 4,007:
=== Alternate solution ===
Translation of Fortran 77
<syntaxhighlight lang="lisp">(defun queens1 (n)
(let ((a (make-array n))
(s (make-array n))
Line 4,050:
As in Fortran, the iterative function above is equivalent to the recursive function below:
 
<syntaxhighlight lang="lisp">(defun queens2 (n)
(let ((a (make-array n))
(u (make-array (+ n n -1) :initial-element t))
Line 4,074:
=={{header|Curry}}==
Three different ways of attacking the same problem. All copied from [http://web.cecs.pdx.edu/~antoy/flp/patterns/ A Catalog of Design Patterns in FLP]
<syntaxhighlight lang="curry">
-- 8-queens implementation with the Constrained Constructor pattern
-- Sergio Antoy
Line 4,137:
Another approach from the same source.
 
<syntaxhighlight lang="curry">
-- N-queens puzzle implemented with "Distinct Choices" pattern
-- Sergio Antoy
Line 4,176:
Yet another approach, also from the same source.
 
<syntaxhighlight lang="curry">
-- 8-queens implementation with both the Constrained Constructor
-- and the Fused Generate and Test patterns.
Line 4,238:
</syntaxhighlight>
Mainly [http://www-ps.informatik.uni-kiel.de/~pakcs/webpakcs/main.cgi?queens webpakcs], uses constraint-solver.
<syntaxhighlight lang="curry">import CLPFD
import Findall
 
Line 4,261:
===Short Version===
This high-level version uses the second solution of the Permutations task.
<syntaxhighlight lang="d">void main() {
import std.stdio, std.algorithm, std.range, permutations2;
 
Line 4,276:
This version shows all the solutions.
{{trans|C}}
<syntaxhighlight lang="d">enum side = 8;
__gshared int[side] board;
 
Line 4,356:
===Fast Version===
{{trans|C}}
<syntaxhighlight lang="d">ulong nQueens(in uint nn) pure nothrow @nogc @safe
in {
assert(nn > 0 && nn <= 27,
Line 4,454:
 
=={{header|Dart}}==
<syntaxhighlight lang="dart">/**
Return true if queen placement q[n] does not conflict with
other queens q[0] through q[n-1]
Line 4,533:
{{libheader| System.SysUtils}}
{{Trans|Go}}
<syntaxhighlight lang=Delphi"delphi">
program N_queens_problem;
 
Line 4,601:
=={{header|Draco}}==
{{trans|C}}
<syntaxhighlight lang="draco">byte SIZE = 8;
word count;
 
Line 4,728:
 
=={{header|EchoLisp}}==
<syntaxhighlight lang="scheme">
;; square num is i + j*N
(define-syntax-rule (sq i j) (+ i (* j N)))
Line 4,807:
 
=={{header|Eiffel}}==
<syntaxhighlight lang=Eiffel"eiffel">
class
QUEENS
Line 4,912:
=={{header|Elixir}}==
{{trans|Ruby}}
<syntaxhighlight lang="elixir">defmodule RC do
def queen(n, display \\ true) do
solve(n, [], [], [], display)
Line 5,086:
=={{header|Erlang}}==
Instead of spawning a new process to search for each possible solution I backtrack.
<syntaxhighlight lang=Erlang"erlang">
-module( n_queens ).
 
Line 5,191:
 
===Alternative Version===
<syntaxhighlight lang=Erlang"erlang">
%%%For 8X8 chessboard with N queens.
-module(queens).
Line 5,298:
 
=={{header|F Sharp}}==
<syntaxhighlight lang="fsharp">
let rec iterate f value = seq {
yield value
Line 5,371:
=={{header|Factor}}==
{{works with|Factor|0.98}}
<syntaxhighlight lang="factor">USING: kernel sequences math math.combinatorics formatting io locals ;
IN: queens
 
Line 5,400:
 
=={{header|Forth}}==
<syntaxhighlight lang="forth">variable solutions
variable nodes
 
Line 5,434:
 
Using a back tracking method to find one solution
<syntaxhighlight lang="fortran">program Nqueens
implicit none
 
Line 5,658:
 
===Alternate Fortran 77 solution===
<syntaxhighlight lang="fortran">C This one implements depth-first backtracking.
C See the 2nd program for Scheme on the "Permutations" page for the
C main idea.
Line 5,732:
</syntaxhighlight>
 
<syntaxhighlight lang="fortran">!The preceding program implements recursion using arrays, since Fortran 77 does not allow recursive
!functions. The same algorithm is much easier to follow in Fortran 90, using the RECURSIVE keyword.
!Like previously, the program only counts solutions. It's pretty straightforward to adapt it to print
Line 5,797:
With some versions of GCC the function OMP_GET_WTIME is not known, which seems to be a bug. Then it's enough to comment out the two calls, and the program won't display timings.
 
<syntaxhighlight lang="fortran">program queens
use omp_lib
implicit none
Line 5,928:
 
Part of the intent here is to show that Fortran can do quite a few things people would not think it could, if it is given adequate library support.
<syntaxhighlight lang="fortran">program example__n_queens
 
use, intrinsic :: iso_fortran_env, only: output_unit
Line 6,245:
=={{header|FreeBASIC}}==
Get slower for N > 14
<syntaxhighlight lang="freebasic">' version 13-04-2017
' compile with: fbc -s console
Dim Shared As ULong count, c()
Line 6,331:
=== Alternate version : recursive ===
 
<syntaxhighlight lang="freebasic">Sub aux(n As Integer, i As Integer, a() As Integer, _
u() As Integer, v() As Integer, ByRef m As LongInt)
 
Line 6,375:
=== Alternate version : iterative ===
 
<syntaxhighlight lang="freebasic">Dim As Integer n, i, j, k, p, q
Dim m As LongInt = 0
 
Line 6,421:
=={{header|Frink}}==
This example uses Frink's built-in <CODE>array.permute[]</CODE> method to generate possible permutations of the board efficiently.
<syntaxhighlight lang=Frink"frink">solution[board] :=
{
for q = 0 to length[board] - 1
Line 6,446:
Translation of Fortran 77. See also alternate Python implementation. One function to return the number of solutions, another to return the list of permutations.
 
<syntaxhighlight lang="gap">NrQueens := function(n)
local a, up, down, m, sub;
a := [1 .. n];
Line 6,527:
=={{header|Go}}==
===Niklaus Wirth algorithm (Wikipedia)===
<syntaxhighlight lang="go">// A fairly literal translation of the example program on the referenced
// WP page. Well, it happened to be the example program the day I completed
// the task. It seems from the WP history that there has been some churn
Line 6,602:
 
=== Refactored Niklaus Wirth algorithm (clearer/Go friendly solution) ===
<syntaxhighlight lang="go">/*
* N-Queens Problem
*
Line 6,746:
[[N-queens_problem/dlx_go|dlx packge]].
 
<syntaxhighlight lang=Go"go">package main
 
import (
Line 6,915:
===Distinct Solutions===
This solver starts with the N! distinct solutions to the N-Rooks problem and then keeps only the candidates in which all Queens are mutually diagonal-safe.
<syntaxhighlight lang="groovy">def listOrder = { a, b ->
def k = [a.size(), b.size()].min()
def i = (0..<k).find { a[it] != b[it] }
Line 6,942:
===Unique Solutions===
Unique solutions are equivalence classes of distinct solutions, factoring out all reflections and rotations of a given solution. See the [[WP:Eight_queens_puzzle|Wikipedia page]] for more details.
<syntaxhighlight lang="groovy">class Reflect {
public static final diag = { list ->
final n = list.size()
Line 6,996:
===Test and Results===
This script tests both distinct and unique solution lists.
<syntaxhighlight lang="groovy">(1..9).each { n ->
def qds = queensDistinctSolutions(n)
def qus = queensUniqueSolutions(qds)
Line 7,073:
 
=={{header|Haskell}}==
<syntaxhighlight lang="haskell">import Control.Monad
import Data.List
 
Line 7,107:
 
===Alternative version===
<syntaxhighlight lang="haskell">import Control.Monad (foldM)
import Data.List ((\\))
 
Line 7,121:
===Using permutations===
This version uses permutations to generate unique horizontal and vertical position for each queen. Thus, we only need to check diagonals. However, it is less efficient than the previous version because it does not prune out prefixes that are found to be unsuitable.
<syntaxhighlight lang="haskell">import Data.List (nub, permutations)
 
-- checks if queens are on the same diagonal
Line 7,137:
A back-tracking variant using the Prelude's plain '''foldr''':
{{Trans|JavaScript}}
<syntaxhighlight lang="haskell">import Data.List (intercalate, transpose)
 
--------------------- N QUEENS PROBLEM -------------------
Line 7,225:
 
===Breadth-first search and Depth-first search===
<syntaxhighlight lang="haskell">import Control.Monad
import System.Environment
 
Line 7,294:
 
=={{header|Heron}}==
<syntaxhighlight lang="heron">module NQueens {
inherits {
Heron.Windows.Console;
Line 7,392:
=={{header|Icon}} and {{header|Unicon}}==
Here's a solution to the <tt>n = 8</tt> case:
<syntaxhighlight lang="icon">procedure main()
write(q(1), " ", q(2), " ", q(3), " ", q(4), " ", q(5), " ", q(6), " ", q(7), " ", q(8))
end
Line 7,418:
* As the calls to q() are evaluated in main, each one will suspend a possible row, thereby allowing the next q(n) in main to be evaluated. If any of the q() fails to yield a row for the nth queen (or runs out of solutions) the previous, suspended calls to q() are backtracked progressively. If the final q(8) yields a row, the write() will be called with the row positions of each queen. Note that even the final q(8) will be suspended along with the other 7 calls to q(). Unless the write() is driven to produce more solutions (see next point) the suspended procedures will be closed at the "end of statement" ie after the write has "succeeded".
* If you want to derive all possible solutions, main() can be embellished with the '''every''' keyword:
<syntaxhighlight lang="icon">
procedure main()
every write(q(1), " ", q(2), " ", q(3), " ", q(4), " ", q(5), " ", q(6), " ", q(7), " ", q(8))
Line 7,430:
The comment explains how to modify the program to produce <i>all</i>
solutions for a given <tt>N</tt>.
<syntaxhighlight lang="icon">global n, rw, dd, ud
 
procedure main(args)
Line 7,488:
 
=={{header|IS-BASIC}}==
<syntaxhighlight lang=IS"is-BASICbasic">100 PROGRAM "NQueens.bas"
110 TEXT 80
120 DO
Line 7,531:
This is one of several J solutions shown and explained on this [[J:Essays/N%20Queens%20Problem|J wiki page]]
 
<syntaxhighlight lang="j">perm =: ! A.&i. ] NB. all permutations of integers 0 to y
comb2 =: (, #: I.@,@(</)&i.)~ NB. all size 2 combinations of integers 0 to y
mask =: [ */@:~:&(|@-/) {
Line 7,540:
Example use:
 
<syntaxhighlight lang="j"> $queenst 8
92 8</syntaxhighlight>
 
92 distinct solutions for an 8 by 8 board.
 
<syntaxhighlight lang="j"> {.queenst 8
0 4 7 5 2 6 1 3</syntaxhighlight>
 
Line 7,551:
 
=={{header|Java}}==
<syntaxhighlight lang="java">public class NQueens {
 
private static int[] b = new int[8];
Line 7,603:
===ES5===
Algorithm uses recursive Backtracking. Checks for correct position on subfields, whichs saves a lot position checks. Needs 15.720 position checks for a 8x8 field.
<syntaxhighlight lang="javascript">function queenPuzzle(rows, columns) {
if (rows <= 0) {
return [[]];
Line 7,639:
===ES6===
Translating the ES5 version, and adding a function to display columns of solutions.
<syntaxhighlight lang=JavaScript"javascript">(() => {
"use strict";
 
Line 7,806:
This section presents a function for finding a single solution using
the formulae for explicit solutions at [[WP:Eight_queens_puzzle|Eight Queens Puzzle]].
<syntaxhighlight lang="jq">def single_solution_queens(n):
def q: "♛";
def init(k): reduce range(0;k) as $i ([]; . + ["."]);
Line 7,833:
{{out}}
$ jq -M -n -r -f n-queens-single-solution.jq
<syntaxhighlight lang="sh">...♛....
.....♛..
.......♛
Line 7,844:
{{ works with|jq|1.4}}
'''Part 1: Generic functions'''
<syntaxhighlight lang="jq"># permutations of 0 .. (n-1)
def permutations(n):
# Given a single array, generate a stream by inserting n at different positions:
Line 7,858:
def count(g): reduce g as $i (0; .+1);</syntaxhighlight>
'''Part 2: n-queens'''
<syntaxhighlight lang="jq">def queens(n):
def sums:
. as $board
Line 7,876:
</syntaxhighlight>
'''Example''':
<syntaxhighlight lang="jq">queens(8)</syntaxhighlight>
{{out}}
92
Line 7,882:
=={{header|Julia}}==
 
<syntaxhighlight lang="ruby">"""
# EightQueensPuzzle
 
Line 8,022:
=={{header|Kotlin}}==
{{trans|FreeBASIC}}
<syntaxhighlight lang="scala">// version 1.1.3
 
var count = 0
Line 8,112:
=={{header|Liberty BASIC}}==
Program uses permutation generator (stores all permutations) and solves tasks 4x4 to 9x9. It prints all the solutions.
<syntaxhighlight lang="lb">
'N queens
'>10 would not work due to way permutations used
Line 8,204:
Uses the heuristic from the Wikipedia article to get one solution.
 
<syntaxhighlight lang="locobasic">10 mode 1:defint a-z
20 while n<4:input "How many queens (N>=4)";n:wend
30 dim q(n),e(n),o(n)
Line 8,261:
 
=={{header|Logo}}==
<syntaxhighlight lang="logo">to try :files :diag1 :diag2 :tried
if :files = 0 [make "solutions :solutions+1 show :tried stop]
localmake "safe (bitand :files :diag1 :diag2)
Line 8,280:
 
=={{header|Lua}}==
<syntaxhighlight lang=Lua"lua">N = 8
 
-- We'll use nil to indicate no queen is present.
Line 8,318:
=={{header|M2000 Interpreter}}==
{{trans|VBA}}
<syntaxhighlight lang=M2000"m2000 Interpreterinterpreter">
Module N_queens {
Const l = 15 'number of queens
Line 8,383:
It finds one solution of the Eight Queens problem.
 
<syntaxhighlight lang="m4">divert(-1)
 
The following macro find one solution to the eight-queens problem:
Line 8,501:
{{trans|Python}}
 
<syntaxhighlight lang="maple">queens:=proc(n)
local a,u,v,m,aux;
a:=[$1..n];
Line 8,548:
=={{header|Mathematica}}/{{header|Wolfram Language}}==
This code recurses through the possibilities, using the "safe" method to check if the current set is allowed. The recursive method has the advantage that finding all possibilities is about as hard (code-wise, not computation-wise) as finding just one.
<syntaxhighlight lang=Mathematica"mathematica">safe[q_List, n_] :=
With[{l = Length@q},
Length@Union@q == Length@Union[q + Range@l] ==
Line 8,559:
 
This returns a list of valid permutations by giving the queen's column number for each row. It can be displayed in a list of chess-board tables like this:
<syntaxhighlight lang=Mathematica"mathematica">matrixView[n_] :=
Grid[Normal@
SparseArray[MapIndexed[{#, First@#2} -> "Q" &, #], {n, n}, "."],
Line 8,580:
This solution uses Permutations and subsets, also prints out a board representation.
 
<syntaxhighlight lang=Mathematica"mathematica">n=8;cnt=1;per=Permutations[Range[n],{n}];(* All Permutations of length n *)
Do[per[[q]]=Partition[Riffle[Reverse[Range[n]],per[[q]]],2],{q,1,Length[per]}];(* Riffled in the reverse of [range n] partitioned into pairs*)
Do[w=Subsets[per[[t]],{2}];(* This is a full subset of the previous set of pairs taken 2 at a time *)
Line 8,591:
Alternative Solution using Linear Programming:
 
<syntaxhighlight lang=Mathematica"mathematica">
dispSol[sol_] := sol /. {1 -> "Q" , 0 -> "-"} // Grid
 
Line 8,648:
=={{header|MATLAB}}==
This solution is inspired by Raymond Hettinger's permutations based solution which was made in Python: https://code.activestate.com/recipes/576647/
<syntaxhighlight lang=MATLAB"matlab">n=8;
solutions=[[]];
v = 1:n;
Line 8,688:
 
=={{header|Maxima}}==
<syntaxhighlight lang="maxima">/* translation of Fortran 77, return solutions as permutations */
 
queens(n) := block([a, i, j, m, p, q, r, s, u, v, w, y, z],
Line 8,708:
 
=={{header|MiniZinc}}==
<syntaxhighlight lang="minizinc">int: n;
array [1..n] of var 1..n: q; % queen in column i is in row q[i]
 
Line 8,727:
=={{header|Modula-2}}==
{{trans|C}}
<syntaxhighlight lang="modula2">MODULE NQueens;
FROM InOut IMPORT Write, WriteCard, WriteString, WriteLn;
 
Line 9,799:
 
=={{header|MUMPS}}==
<syntaxhighlight lang=MUMPS"mumps">Queens New count,flip,row,sol
Set sol=0
For row(1)=1:1:4 Do try(2) ; Not 8, the other 4 are symmetric...
Line 9,860:
</syntaxhighlight>
<div style="overflow:scroll; height:400px;">
<syntaxhighlight lang=MUMPS"mumps">
+--+--+--+--+--+--+--+--+ +--+--+--+--+--+--+--+--+ +--+--+--+--+--+--+--+--+
8 | |##| Q|##| |##| |##| | |##| Q|##| |##| |##| | |##| | Q| |##| |##|
Line 10,071:
 
=={{header|Nim}}==
<syntaxhighlight lang="nim">const BoardSize = 8
 
proc underAttack(col: int; queens: seq[int]): bool =
Line 10,131:
{{trans|Java}}
 
<syntaxhighlight lang="objeck">bundle Default {
class NQueens {
b : static : Int[];
Line 10,193:
{{libheader|FaCiLe}}
 
<syntaxhighlight lang="ocaml">(* Authors: Nicolas Barnier, Pascal Brisset
Copyright 2004 CENA. All rights reserved.
This code is distributed under the terms of the GNU LGPL *)
Line 10,253:
queens (int_of_string Sys.argv.(1));;</syntaxhighlight>
===A stand-alone OCaml solution===
<syntaxhighlight lang="ocaml">let solutions n =
 
let show board =
Line 10,318:
=={{header|Oz}}==
A pretty naive solution, using constraint programming:
<syntaxhighlight lang="oz">declare
fun {Queens N}
proc {$ Board}
Line 10,390:
 
=={{header|Pascal}}==
<syntaxhighlight lang="pascal">program queens;
 
const l=16;
Line 10,488:
Solution found</pre>
<syntaxhighlight lang="pascal">program NQueens;
{$IFDEF FPC}
{$MODE DELPHI}
Line 10,623:
 
=={{header|PDP-11 Assembly}}==
<syntaxhighlight lang=PDP"pdp-11 Assemblyassembly">
; "eight queens problem" benchmark test
 
Line 10,741:
 
=={{header|Perl}}==
<syntaxhighlight lang="perl">my ($board_size, @occupied, @past, @solutions);
 
sub try_column {
Line 10,785:
 
=={{header|Phix}}==
<!--<syntaxhighlight lang=Phix"phix">(phixonline)-->
<span style="color: #008080;">with</span> <span style="color: #008080;">javascript_semantics</span>
<span style="color: #000080;font-style:italic;">--
Line 10,874:
 
=={{header|PHP}}==
<syntaxhighlight lang=PHP"php">
<html>
<head>
Line 11,056:
<h2>Solution with recursion</h2>
 
<syntaxhighlight lang=PHP"php">
<html>
<body>
Line 11,135:
===0/1 encoding a N x N matrix===
Using constraint modelling using an 0/1 encoding of an N x N matrix. It is the probably the fastest approach when using SAT and MIP solvers.
<syntaxhighlight lang=Picat"picat">import sat.
% import mip.
 
Line 11,161:
===Constraint programming===
This is the "standard" model using constraint programming (in contract to the SAT 0/1 approach). Instead of an NxN matrix, this encoding uses a single list representing the columns. The three <code>all_different/1</code> then ensures that the rows, and the two diagonals are distinct.
<syntaxhighlight lang=Picat"picat">import cp.
 
queens(N, Q) =>
Line 11,173:
==="Naive" approach===
This approach might be called "naive" (in the constraint programming context) since it doesn't use the (general) faster <code>all_different/1</code> constraint.
<syntaxhighlight lang=Picat"picat">queens_naive(N, Q) =>
Q = new_list(N),
Q :: 1..N,
Line 11,222:
=={{header|PicoLisp}}==
===Calling 'permute'===
<syntaxhighlight lang=PicoLisp"picolisp">(load "@lib/simul.l") # for 'permute'
 
(de queens (N)
Line 11,237:
'permute', but creates them recursively. Also, it directly checks for
duplicates, instead of calling 'uniq' and 'length'. This is much faster.
<syntaxhighlight lang=PicoLisp"picolisp">(de queens (N)
(let (R (range 1 N) L (copy R) X L Cnt 0)
(recur (X) # Permute
Line 11,259:
=={{header|PL/I}}==
This code compiles with PL/I compilers ranging from the ancient IBM MVT PL/I F compiler of the 1960s, the IBM PL/I Optimizing compiler, thru the IBM PL/I compiler for MVS and VM, to the z/OS Enterprise PL/I v4.60 compiler;spanning 50 years of PL/I compilers. It only outputs the number of solutions found for a given N instead of printing out each individual chess board solution to avoid filling up spool space for large values of N. It's trivial to add a print-out of the individual solutions.
<syntaxhighlight lang="pli">
NQUEENS: PROC OPTIONS (MAIN);
DCL A(35) BIN FIXED(31) EXTERNAL;
Line 11,342:
=== Recursive version ===
{{trans|Stata}}
<syntaxhighlight lang="powerbasic">#COMPILE EXE
#DIM ALL
 
Line 11,391:
=== Iterative version ===
{{trans|Stata}}
<syntaxhighlight lang="powerbasic">#COMPILE EXE
#DIM ALL
 
Line 11,441:
=={{header|PowerShell}}==
{{works with|PowerShell|2}}
<syntaxhighlight lang=PowerShell"powershell">
function PlaceQueen ( [ref]$Board, $Row, $N )
{
Line 11,502:
}
</syntaxhighlight>
<syntaxhighlight lang=PowerShell"powershell">
Get-NQueensBoard 8
''
Line 11,547:
=={{header|Processing}}==
{{trans|Java}}
<syntaxhighlight lang="java">
int n = 8;
int[] b = new int[n];
Line 11,625:
This solution, originally by Raymond Hettinger for demonstrating the power of the itertools module, generates all solutions.
 
<syntaxhighlight lang="python">from itertools import permutations, product
 
n = 8
Line 11,659:
 
Solution #1:
<syntaxhighlight lang=Prolog"prolog">solution([]).
solution([X/Y|Others]) :-
Line 11,682:
 
Solution #2:
<syntaxhighlight lang=Prolog"prolog">solution(Queens) :-
permutation([1,2,3,4,5,6,7,8], Queens),
safe(Queens).
Line 11,712:
 
Solution #3:
<syntaxhighlight lang=Prolog"prolog">solution(Ylist) :-
sol(Ylist,[1,2,3,4,5,6,7,8],
[1,2,3,4,5,6,7,8],
Line 11,739:
===Alternative version===
Uses non-ISO predicates between/3 and select/3 (available in SWI Prolog and GNU Prolog).
<syntaxhighlight lang="prolog">:- initialization(main).
 
 
Line 11,760:
Uses backtracking- a highly efficient mechanism in Prolog to find all solutions.
{{works with|SWI Prolog|version 6.2.6 by Jan Wielemaker, University of Amsterdam}}
<syntaxhighlight lang="prolog">% 8 queens problem.
% q(Row) represents a queen, allocated one per row. No rows ever clash.
% The columns are chosen iteratively from available columns held in a
Line 11,799:
===Short version===
SWI-Prolog 7.2.3
<syntaxhighlight lang=Prolog"prolog">not_diagonal(X, N) :-
maplist(plus, X, N, Z1), maplist(plus, X, Z2, N), is_set(Z1), is_set(Z2).
 
Line 11,812:
 
===SWISH Prolog version===
<syntaxhighlight lang=Prolog"prolog">
% John Devou: 26-Nov-2021
% Short solution to use on https://swish.swi-prolog.org/.
Line 11,846:
</ul>
<br/>
<syntaxhighlight lang=Prolog"prolog">:- use_module(library(clpfd)).
 
% DOC: http://www.pathwayslms.com/swipltuts/clpfd/clpfd.html
Line 11,946:
From the Pure (programming language) Wikipedia page
 
<syntaxhighlight lang="pure">/*
n-queens.pure
Tectonics:
Line 11,982:
=={{header|PureBasic}}==
A recursive approach is taken. A queen is placed in an unused column for each new row. An array keeps track if a queen has already been placed in a given column so that no duplicate columns result. That handles the Rook attacks. Bishop attacks are handled by checking the diagonal alignments of each new placement against the previously placed queens and if an attack is possible the solution backtracks. The solutions are kept track of in a global variable and the routine <tt>queens(n)</tt> is called with the required number of queens specified.
<syntaxhighlight lang=PureBasic"purebasic">Global solutions
 
Procedure showBoard(Array queenCol(1))
Line 12,184:
This solution, originally by [http://code.activestate.com/recipes/576647/ Raymond Hettinger] for demonstrating the power of the itertools module, generates all solutions. On a regular 8x8 board only 40,320 possible queen positions are examined.
 
<syntaxhighlight lang="python">from itertools import permutations
 
n = 8
Line 12,195:
The output is presented in vector form (each number represents the column position of a queen on consecutive rows).
The vector can be pretty printed by substituting a call to <code>board</code> instead of <code>print</code>, with the same argument, and where board is pre-defined as:
<syntaxhighlight lang="python">def board(vec):
print ("\n".join('.' * i + 'Q' + '.' * (n-i-1) for i in vec) + "\n===\n")</syntaxhighlight>
 
Line 12,211:
On a regular 8x8 board only 15,720 possible queen positions are examined.
{{works with|Python|2.6, 3.x}}
<syntaxhighlight lang="python"># From: http://wiki.python.org/moin/SimplePrograms, with permission from the author, Steve Howell
BOARD_SIZE = 8
 
Line 12,233:
to a generator expression) produces a backtracking solution. On a regular 8x8 board only 15,720 possible queen positions are examined.
{{works with|Python|2.6, 3.x}}
<syntaxhighlight lang="python">BOARD_SIZE = 8
 
def under_attack(col, queens):
Line 12,255:
===Python: Simple Backtracking Solution (Niklaus Wirth Algorithm)===
The following program is a translation of Niklaus Wirth's solution into the Python programming language, but does without the index arithmetic used in the original and uses simple lists instead, which means that the array ''x'' for recording the solution can be omitted. A generator replaces the procedure (see [https://www.inf.ethz.ch/personal/wirth/AD.pdf Algorithms and Data Structures], pages 114 to 118). On a regular 8x8 board only 15,720 possible queen positions are examined.
<syntaxhighlight lang="python">def queens(n, i, a, b, c):
if i < n:
for j in range(n):
Line 12,266:
print(solution)</syntaxhighlight>
The algorithm can be slightly improved by using sets instead of lists (cf. backtracking on permutations). But this makes the algorithm a bit harder to read, since the list x has to be added to record the solution. On a regular 8x8 board only 5,508 possible queen positions are examined. However, since these two solutions are intended for educational purposes, they are neither resource-friendly nor optimized for speed. The next program (backtracking on permutations) shows a much faster solution that also uses less space on the stack.
<syntaxhighlight lang="python">def queens(x, i, a, b, c):
if a: # a is not empty
for j in a:
Line 12,284:
The solutions are returned as a generator, using the "yield from" functionality of Python 3.3, described in [https://www.python.org/dev/peps/pep-0380/ PEP-380].
 
<syntaxhighlight lang="python">def queens(n):
a = list(range(n))
up = [True]*(2*n - 1)
Line 12,312:
However, it may be interesting to look at the first solution in lexicographic order: for growing n, and apart from a +1 offset, it gets closer and closer to the sequence [http://oeis.org/A065188 A065188] at OEIS. The first n for which the first solutions differ is n=26.
 
<syntaxhighlight lang="python">def queens_lex(n):
a = list(range(n))
up = [True]*(2*n - 1)
Line 12,347:
Expressed in terms of nested folds, allowing for graphic display of results, and listing the number of solutions found for boards of various sizes. On a regular 8x8 board only 15,720 possible queen positions are examined.
{{Works with|Python|3.7}}
<syntaxhighlight lang=Python"python">'''N Queens problem'''
 
from functools import reduce
Line 12,518:
{{works with|QBasic}}
{{trans|QB64}}
<syntaxhighlight lang=QBasic"qbasic">DIM SHARED queens AS INTEGER
CLS
COLOR 15
Line 12,566:
 
=={{header|QB64}}==
<syntaxhighlight lang=QB64"qb64">
DIM SHARED QUEENS AS INTEGER
PRINT "# of queens:";: INPUT QUEENS
Line 12,614:
This solution uses recursive backtracking.
 
<syntaxhighlight lang="r">queens <- function(n) {
a <- seq(n)
u <- rep(T, 2 * n - 1)
Line 12,645:
Show the first solution found for size 8 as a permutation matrix.
 
<syntaxhighlight lang=R"r">library(Matrix)
a <- queens(8)
as(a[, 1], "pMatrix")</syntaxhighlight>
Line 12,664:
Count solutions for board size 4 to 12.
 
<syntaxhighlight lang=R"r">sapply(4:12, function(n) ncol(queens(n)))</syntaxhighlight>
 
{{out}}
Line 12,674:
Backtracking algorithm; returns one solution
 
<syntaxhighlight lang="racket">
#lang racket
 
Line 12,708:
 
Show result with "How to Design Programs" GUI.
<syntaxhighlight lang="racket">
(require htdp/show-queen)
 
Line 12,731:
Computes all solutions.
 
<syntaxhighlight lang="racket">
#lang racket
 
Line 12,781:
Taking the first solution does not compute the other solutions:
 
<syntaxhighlight lang="racket">
(car (nqueens 8))
;; => (list (Q 7 3) (Q 6 1) (Q 5 6) (Q 4 2) (Q 3 5) (Q 2 7) (Q 1 4) (Q 0 0))
Line 12,788:
Computing all solutions is also possible:
 
<syntaxhighlight lang="racket">
(define (force-and-print qs)
(define forced (force qs))
Line 12,809:
 
Logic borrowed from the Ruby example
<syntaxhighlight lang="racket">
#lang racket
(define (remove x lst)
Line 12,873:
Neither pretty nor efficient, a simple backtracking solution
 
<syntaxhighlight lang=perl6"raku" line>sub MAIN(\N = 8) {
sub collision(@field, $row) {
for ^$row -> $i {
Line 12,902:
=={{header|Rascal}}==
 
<syntaxhighlight lang=Rascal"rascal">import Prelude;
 
public set[list[int]] Nqueens(int n){
Line 12,920:
 
About half of the REXX code involves presentation (and colorization achieved through dithering) of the chessboard and queens.
<syntaxhighlight lang="rexx">/*REXX program places N queens on an NxN chessboard (the eight queens problem). */
parse arg N . /*obtain optional argument from the CL.*/
if N=='' | N=="," then N= 8 /*Not specified: Then use the default.*/
Line 13,040:
 
=={{header|Ring}}==
<syntaxhighlight lang="ring">
 
// Bert Mariani 2020-07-17
Line 13,112:
 
=={{header|Ring}}==
<syntaxhighlight lang="ring">
load "stdlib.ring"
load "guilib.ring"
Line 13,806:
=={{header|Ruby}}==
This implements the heuristics found on the wikipedia page to return just one solution
<syntaxhighlight lang="ruby"># 1. Divide n by 12. Remember the remainder (n is 8 for the eight queens
# puzzle).
# 2. Write a list of the even numbers from 2 to n in order.
Line 14,016:
===Alternate solution===
If there is not specification, it outputs all solutions.
<syntaxhighlight lang="ruby">class Queen
attr_reader :count
Line 14,057:
 
'''Example:'''
<syntaxhighlight lang="ruby">(1..6).each do |n|
puzzle = Queen.new(n)
puts " #{n} Queen : #{puzzle.count}"
Line 14,201:
 
=={{header|Run BASIC}}==
<syntaxhighlight lang="runbasic">[loop]
input "How many queens (N>=4)";n
if n < 4 then
Line 14,324:
 
=={{header|Rust}}==
<syntaxhighlight lang="rust">const N: usize = 8;
 
fn try(mut board: &mut [[bool; N]; N], row: usize, mut count: &mut i64) {
Line 14,360:
===Using Iterators===
Solution to the puzzle using an iterator that yields the 92 solutions for 8 queens.
<syntaxhighlight lang="rust">use std::collections::LinkedList;
use std::iter::IntoIterator;
 
Line 14,439:
 
=={{header|SAS}}==
<syntaxhighlight lang="sas">/* Store all 92 permutations in a SAS dataset. Translation of Fortran 77 */
data queens;
array a{8} p1-p8;
Line 14,504:
Lazily generates permutations with an <code>Iterator</code>.
 
<syntaxhighlight lang="scala">
object NQueens {
 
Line 14,585:
This is a simple breadth-first technique to retrieve all solutions.
 
<syntaxhighlight lang="scheme">
(import (scheme base)
(scheme write)
Line 14,884:
 
=={{header|Seed7}}==
<syntaxhighlight lang="seed7">$ include "seed7_05.s7i";
 
var array integer: board is 8 times 0;
Line 14,938:
=={{header|Sidef}}==
{{trans|Raku}}
<syntaxhighlight lang="ruby">func N_queens_solution(N = 8) {
 
func collision(field, row) {
Line 14,989:
 
=={{header|SNOBOL4}}==
<syntaxhighlight lang=SNOBOL4"snobol4">
* N queens problem
* Set N to the desired number. The program prints out all solution boards.
Line 15,018:
This is somewhat a transliteration of the "shortened" C++ code above.
 
<syntaxhighlight lang="sparkling">let print_table = function (pos) {
pos.foreach(function (_, i) {
stdout.printf(" %c", 'a' + i);
Line 15,077:
This implementation, which solves the problem for n=8, makes use of Common Table Expressions and has been tested with SQLite (>=3.8.3) and Postgres (please note the related comment in the code). It might be compatible with other SQL dialects as well. A gist with the SQL file and a Python script that runs it using SQLite is available on Github: https://gist.github.com/adewes/5e5397b693eb50e67f07
 
<syntaxhighlight lang=SQL"sql">
WITH RECURSIVE
positions(i) as (
Line 15,113:
{{works with|Db2 LUW}} version 9.7 or higher.
With SQL PL:
<syntaxhighlight lang="sql pl">
-- A column of a matrix.
CREATE TYPE INTEGER_ARRAY AS INTEGER ARRAY[]@
Line 15,431:
=={{header|Standard ML}}==
This implementation uses failure continuations for backtracking.
<syntaxhighlight lang=Standard"standard MLml">
(*
* val threat : (int * int) -> (int * int) -> bool
Line 15,477:
Adapted from the Fortran 77 program, to illustrate the '''[http://www.stata.com/help.cgi?m2_goto goto]''' statement in Stata.
 
<syntaxhighlight lang="stata">mata
real matrix queens(real scalar n) {
real scalar i, j, k, p, q
Line 15,538:
It's also possible to save the solutions to a Stata dataset:
 
<syntaxhighlight lang="stata">clear
mata: a=queens(8)
getmata (a*)=a
Line 15,547:
The recursive solution is adapted from one of the Python programs.
 
<syntaxhighlight lang="stata">mata
real matrix queens_rec(real scalar n) {
real rowvector a, u, v
Line 15,587:
The iterative and the recursive programs are equivalent:
 
<syntaxhighlight lang="stata">queens(8) == queens_rec(8)
1</syntaxhighlight>
 
=={{header|Swift}}==
Port of the optimized C code above
<syntaxhighlight lang=Swift"swift">
let maxn = 31
 
Line 15,654:
=={{header|SystemVerilog}}==
Create a random board configuration, with the 8-queens as a constraint
<syntaxhighlight lang=SystemVerilog"systemverilog">program N_queens;
 
parameter SIZE_LOG2 = 3;
Line 15,695:
=={{header|Tailspin}}==
A functional-ish solution utilising tailspin's data flows
<syntaxhighlight lang="tailspin">
templates queens
def n: $;
Line 15,736:
 
A solution using state to find one solution if any exist
<syntaxhighlight lang="tailspin">
templates queens
def n: $;
Line 15,797:
 
{{works with|Tcl|8.5}}
<syntaxhighlight lang="tcl">package require Tcl 8.5
 
proc unsafe {y} {
Line 15,886:
The total number of solutions for 8 queens is displayed at the end of the run. The code could be adapted to display a selected solution or multiple solutions. This code runs anywhere you can get bash to run.
 
<syntaxhighlight lang="bash">#!/bin/bash
# variable declaration
Line 15,969:
n is a number greater than 3. Multiple solutions may be reported
but reflections and rotations thereof are omitted.
<syntaxhighlight lang=Ursala"ursala">#import std
#import nat
 
Line 16,004:
=={{header|VBA}}==
{{trans|BBC BASIC}}
<syntaxhighlight lang="vb">'N-queens problem - non recursive & structured - vba - 26/02/2017
Sub n_queens()
Const l = 15 'number of queens
Line 16,084:
{{trans|BBC BASIC}}
To have the solutions printed (raw format) uncomment the ad hoc statement.
<syntaxhighlight lang="vb">'N-queens problem - non recursive & structured - vbs - 24/02/2017
const l=15
dim a(),s(),u(): redim a(l),s(l),u(4*l-2)
Line 16,152:
{{works with|Visual Basic|VB6 Standard}}
{{trans|BBC BASIC}}
<syntaxhighlight lang="vb">'N-queens problem - non recursive & structured - vb6 - 25/02/2017
Sub n_queens()
Const l = 15 'number of queens
Line 16,231:
=={{header|Visual Basic .NET}}==
{{trans|BBC BASIC}}
<syntaxhighlight lang="vb">'N-queens problem - non recursive & structured - vb.net - 26/02/2017
Module Mod_n_queens
Sub n_queens()
Line 16,312:
 
=={{header|Wart}}==
<syntaxhighlight lang=Wart"wart">def (nqueens n queens)
prn "step: " queens # show progress
if (len.queens = n)
Line 16,340:
{{trans|Kotlin}}
Very slow for the larger boards.
<syntaxhighlight lang="ecmascript">var count = 0
var c = []
var f = []
Line 16,439:
 
Copied from http://www.cs.bu.edu/~hwxi/Xanadu/Examples/
<syntaxhighlight lang=Xanadu"xanadu">
int abs(i: int) {
if (i >= 0) return i; else return -i;
Line 16,512:
=={{header|XPL0}}==
[[File:NQueensXPL0.GIF|right]]
<syntaxhighlight lang=XPL0"xpl0">def N=8; \board size (NxN)
int R, C; \row and column of board
char B(N,N); \board
Line 16,599:
 
Here is stylesheet 8-queens.xsl.xml which produces the (simple) output by having itself as input: [[http://stamm-wilbrandt.de/en/xsl-list/n-queens/8-queens.xsl.xml]]
<syntaxhighlight lang="xml">
<!-- 8-queens.xsl disguised as XML file for the browsers -->
 
Line 16,729:
 
=={{header|Yabasic}}==
<syntaxhighlight lang=Yabasic"yabasic">DOCU The N Queens Problem:
DOCU Place N Queens on an NxN chess board
DOCU such that they don't threaten each other.
Line 16,797:
=={{header|Zig}}==
Outputs all 92 solutions.
<syntaxhighlight lang=Zig"zig">
const std = @import("std");
const stdout = std.io.getStdOut().outStream();
Line 16,851:
=={{header|zkl}}==
Modified from a Haskell version (if I remember correctly)
<syntaxhighlight lang="zkl">fcn isAttacked(q, x,y) // ( (r,c), x,y ) : is queen at r,c attacked by q@(x,y)?
{ r,c:=q; (r==x or c==y or r+c==x+y or r-c==x-y) }
fcn isSafe(r,c,qs) // queen safe at (r,c)?, qs=( (r,c),(r,c)..) solution so far
Line 16,861:
return(qs.apply(self.fcn.fp(N,row+1)).flatten());
}</syntaxhighlight>
<syntaxhighlight lang="zkl">queens := queensN(4);
println(queens.len()," solution(s):");
queens.apply2(Console.println);</syntaxhighlight>
10,327

edits