作为新手,我想尝试实现二进制数独求解器。(下面的代码是swi-prolog)。二进制数独在这里解释:https://cstheory.stackexchange.com/questions/16982/how-hard-is-binary-sudoku-puzzle

但是,执行以下查询时:

binarySudoku([[1,0],[0,1]]). I get "true."
binarySudoku([[1,_],[_,_]]). I get "false."

现在很明显,它不应该返回false,因为有解决方案...为什么会发生这种情况/我该如何解决?
:-use_module(library(clpfd)).

validRow(Row) :-
    Row ins 0..1,
    length(Row,L),
    sum(Row,#=,L/2).

matrixNth(Matr,X,Y,El) :-
    nth1(Y,Matr,CurRow),
    nth1(X,CurRow,El).

allDifferent([]).
allDifferent([X|Y]) :-
    not(member(X,Y)),
    allDifferent(Y).


invalid(Rows,X,Y) :-
    AboveY is Y-1,
    BelowY is Y+1,
    matrixNth(Rows,X,Y,1),
    matrixNth(Rows,X,AboveY,1),
    matrixNth(Rows,X,BelowY,1).
invalid(Rows,X,Y) :-
    LeftX is X-1,
    RightX is X+1,
    matrixNth(Rows,X,Y,1),
    matrixNth(Rows,LeftX,Y,1),
    matrixNth(Rows,RightX,Y,1).

binarySudoku(Rows) :-
    length(Rows,Height),
    transpose(Rows,Cols),
    length(Cols,Height),
    maplist(validRow,Rows),
    foreach(between(1,Height,X),foreach(between(1,Height,Y),not(invalid(Rows,X,Y)))),
    allDifferent(Rows).

最佳答案

代替(\+)/1(在这种情况下在逻辑上是不合理的),请使用纯约束dif/2:将行not(member(X,Y))更改为:
maplist(dif(X), Y)
查询示例(请注意,我也使用a_more_read_naming_convention代替OfMixingTheCases):

?- binary_sudoku([[1,A],[B,C]]), label([A,B,C]).
A = B, B = 0,
C = 1 ;
false.

使用CLP(FD)的+1,非常适合此任务。

10-05 23:10