在Prolog中,我如何实现图算法以找到所有路径以便在有向图中实现旅行商问题?
示例:
graph
expected input expected output X -----> Y
start X X Y X Z Y -----> T
end Z Y T X Y Z T -----> Z
T Z X Y T Z Y -----> Z
Y Z X -----> Z
X Z
如您所知,在有向图中,可能存在一个循环。但是,不需要两次通过相同的点。
graph expected output
X ----> Y
Y ----> X X Y Z
Y ----> Z
为什么我要消除这种情况是因为;
output :
X Y X Y ... Z
^^^
god knows this length ( when program terminates )
termination is np problem
答案 0 :(得分:2)
保留已访问过的节点列表。在每个步骤中,检查边缘的端点是否存在于列表中。
答案 1 :(得分:2)
我发表了一些评论,解释了代码的作用......
% your directed graph
edge(x, y).
edge(y, t).
edge(t, z).
edge(y, z).
edge(x, z).
% get a path from start to end
path(Start, End, Path) :-
path(Start, End, [Start], Path).
% when target reached, reverse the visited list
path(End, End, RPath, Path) :-
reverse(RPath, Path).
% take non deterministically an edge, check if already visited before use
path(Start, End, Visited, Path) :-
edge(Start, Next),
\+ memberchk(Next, Visited),
path(Next, End, [Next|Visited], Path).
试验:
?- path(x,z,P).
P = [x, y, t, z] ;
P = [x, y, z] ;
P = [x, z] ;
false.