Having a background in Prolog, I'm struggling to convert this DLV
(which has builtin predicates to handle lists similarly to Prolog) program into CLINGO
.
path(X,Y,[X|[Y]]) :- rel(X,Y).
path(X,Y,[X|T]) :- rel(X,Z), path(Z,Y,T), not #member(X,T).
rel(X,Y) :- edge(X,Y).
rel(X,Y) :- edge(Y,X).
edge(a,b).
edge(a,c).
edge(b,a).
edge(b,c).
edge(e,c).
So far I managed to achieve this:
path(X,Y,cons(X,cons(Y,empty))) :- edge(X,Y).
path(X,Y,cons(X,L)) :- edge(X,Z), path(Z,Y,L), not member(X,path(Z,Y,L)).
member(X,path(X,T,cons(X,Y))) :- path(X,T,cons(X,Y)).
member(X,path(S,X,cons(S,L))) :- path(S,X,cons(S,L)).
member(X,path(S,T,cons(S,cons(Z,L)))) :- member(X,path(Z,T,cons(Z,L))).
% same edges
but I get the error unsafe variables in in file - at line 7 and column 1-72
and I don't fully understand why. I was wondering if anyone could help.
You never defined what S could be.
Add
edge(S,Z)
to the rule body on line 7 to get rid of that error. Or if you want to define a vertex predicate you could usevertex(S)
as well.So I fixed your code with the cons-lists. This approach is unusual because lists are not a key feature in asp like they are in prolog. Ok, here is my solution (works for directed graphs):
At first you need to know all the of vertices to calculate their number. Also I introduced the predicate
step
to validate a depth for the path.path
also has a depth-counter now as third argument. All possible paths are stored withinpath/4
, cycles are allowed. Themember/2
predicate is generated to show all the member vertices within apath/4
. In a last step all path's are forwarded to the predicatetrack/4
if and only if the number of distinct member vertices equals the path length. Since duplicates will not be counted this condition makes sure that only paths without cycles are forwarded. Please note that all of the above steps are forced. There is exactly one answer set for every graph.So let's have a look at a more ASP like solution. Normally you would ask a specific question ('path from a to b with length n') instead of a generic one ('all possible paths from all nodes to all nodes with every possible length'). The following code needs to have a start node (
start/1
) and an end node (end/1
). The program forces a (random) order by assigning exactly one index number to each vertex within the predicateorder/2
. Theorder
predicate is copied to the path predicate as long as the index is not larger than the index of the end node (path(S,N):- order(S,N), maxZ(Z), S<=Z.
). The only constrains is that within the order of path every 2 neighboring vertices are connected with an edge. The constraint line is read as It can not ne the case that there is a node S1 on position N within a path and a node S2 on position N+1 within a path and there is no edge from S1 to S2.