任何人都可以给我一个C代码来查找两个节点之间的所有可能路径吗? 例如。 如果图形具有以下边缘 1-2 1-3 2-3 2-4 3-4
1到4之间的所有路径都是:
1-2-3-4
1-2-4
1-3-4
1-3-2-4
答案 0 :(得分:3)
Depth-First Search完成这项工作。
答案 1 :(得分:0)
(我假设您不希望路径中有重复的节点 - 否则可能的路径数量是无限的。)
你可以放松一下:
while (there is a change) {
for (v in nodes(G)) {
for (e in edges(v)) {
paths_to[v] = paths_to[v] union ((paths_to[e.to] not containing v) append v)
}
}
}
结果仍然可以是输入图形大小的指数。获取所有路径可能不是您想要做的。
答案 2 :(得分:0)
这是解决问题的简单算法。它不是最佳算法。
static struct {
int value1;
int value2;
int used;
} data[] = {
{ 1, 2 },
{ 1, 3 },
{ 2, 3 },
{ 2, 4 },
{ 3, 4 },
};
enum { DATA_SIZE = sizeof data / sizeof *data };
static int output[DATA_SIZE];
int traverse(int from, int to, int depth) {
output[depth++] = from;
int i;
if (from == to) {
for (i = 0; i < depth; i++) {
if (i) {
printf("-");
}
printf("%d", output[i]);
}
printf("\n");
} else {
for (i = 0; i < DATA_SIZE; i++) {
if (!data[i].used) {
data[i].used = 1;
if (from == data[i].value1) {
traverse(data[i].value2, to, depth);
} else if (from == data[i].value2) {
traverse(data[i].value1, to, depth);
}
data[i].used = 0;
}
}
}
}
int main() {
traverse(1, 4, 0);
}
答案 3 :(得分:0)
递归方法:
findPaths(path = startNode, goal)
paths = []
if the last node in path is goal:
return path
for each node n connected to the last node in path:
if n is not already on the path:
paths.append(findPaths(path.append(node), goal))
return paths //may still be []
答案 4 :(得分:0)
为时已晚,不是C代码,但可能会帮助其他人。这个算法展示了我如何在java中实现它。
findPath(start)
Childs = getDirectChildsOf(start)
foreach child in Childs
tempRoute;
tempRoute.add(start)
if (child == end)
return tempRoute.add(child)
else
tempRoute.add(findPath(child))
if (tempRoute.last() == end)
return tempRoute;
此处tempRoute
可以是维护节点列表的Route
类。能够将node
和其他route
添加到tempRoute
。
它也找不到所有可能的路径。为此,你必须为每个节点维护一个访问标志。