我正在使用维基百科page中的以下伪代码来实现迭代加深深度优先搜索图形
function IDDFS(root)
for depth from 0 to ∞
found ← DLS(root, depth)
if found ≠ null
return found
function DLS(node, depth)
if depth = 0 and node is a goal
return node
if depth > 0
foreach child of node
found ← DLS(child, depth−1)
if found ≠ null
return found
return null
这是我的代码:
bool DLS(GrapheMat* graphe, Node* source, NomSom but, int limit) {
bool found = false;
printf("%s\n", (char*)source->etat);
if (strcmp((char*)source->etat, (char*)but) == 0) {
return true;
}
if (limit > 0) {
List* listSon = nodeSon(graphe, source);
while(!listEpmty(listSon)) {
Node* son = (Node*)popList(listSon);
if (DLS(graphe, son, but, limit-1)) {
return true;
}
}
}
return false;
}
bool IDDLS (GrapheMat* graphe, NomSom goal, int limit) {
bool found = false;
node* source = createNode(graphe, graphe->nomS[0]);
for (int i = 0; i <= limit; i++) {
printf("/nLimit : %d\n", i);
DLS(graphe, source, goal, i);
}
return false;
}
我正在使用以下图表进行测试:
它是根据以下文件构建的:
A B C D E F G H I J ;
A : B (140) C (118) D (75) ;
B : A (140) E (99) F (151) G (80);
C : A (118) ;
D : A (75) F (71) ;
E : B (99) H (211) ;
F : D (71) B (151) ;
G : B (80) I (146) J (97) ;
H : E (211) J (101) ;
I : G (146) J (138) ;
J : G (97) H (101) I (138) ;
调用IDDLS(graphe, "J", 4)
输出以下内容:
/nLimit : 0
A
这就是全部。
调用DLS(graphe, "A", "J", 4)
输出以下内容(删除换行符):
ABABAEFGCADAFEBAEFGHEJ
据我所知,DLS功能实际上应遵循以下路径:
ABEGHCDEFGHIJ
答案 0 :(得分:2)
DLS(graphe, "A", "J", 4)
走的是正确的道路。 ABABAEFGCADAFEBAEFGHEJ
是正确的。
4 3 2 1 0
A A
├─ B B
│ ├─ A A
│ │ ├─ B B
│ │ │ ├─ A A
│ │ │ ├─ E E
│ │ │ ├─ F F
│ │ │ └─ G G
│ │ ├─ C C
│ │ │ └─ A A
│ │ └─ D D
│ │ ├─ A A
│ │ └─ F F
│ ├─ E E
│ │ ├─ B B
│ │ │ ├─ A A
│ │ │ ├─ E E
│ │ │ ├─ F F
│ │ │ └─ G G
│ │ └─ H H
│ │ ├─ E E
│ │ └─ J J
C F
D G
在IDDLS
中,替换
DLS(graphe, source, goal, i);
与
if (DLS(graphe, source, goal, i)) {
return true;
}
一旦找到节点,就没有必要继续深入了解。
IDDLS(graphe, "J", 4)
输出你所说的内容的唯一方法是程序是否被信号(例如来自SIGSEGV
) [1] 杀死。验证这一点(通过检查进程的退出代码)。如果是这种情况,那么函数DLS
调用就会出现问题,或者调用它们时会出现问题。
你有内存泄漏。 <{1}}创建的List
永远不会被释放。
优化删除不必要的字符串比较:
nodeSon
bool DLS(GrapheMat* graphe, Node* source, NomSom but, int limit) {
printf("%s\n", (char*)source->etat);
if (limit) {
List* listSon = nodeSon(graphe, source);
while (!listEpmty(listSon)) {
Node* son = (Node*)popList(listSon);
if (DLS(graphe, son, but, limit-1)) {
return true;
}
}
return false;
} else {
return strcmp((char*)source->etat, (char*)but) == 0;
}
}
bool IDDLS(GrapheMat* graphe, NomSom goal, int limit) {
node* source = createNode(graphe, graphe->nomS[0]);
for (int i = 0; i <= limit; ++i) {
printf("/nLimit : %d\n", i);
if (DLS(graphe, source, goal, i)) {
return true;
}
}
return false;
}
,执行长跳,或做类似奇怪的事情。