TA的每日心情data:image/s3,"s3://crabby-images/8e309/8e309f4cf802aae0fde4f861b9c21feba5bf2023" alt="" | 开心 2021-3-12 23:18 |
---|
签到天数: 2 天 [LV.1]初来乍到
|
广度优先搜索法是 A*搜索的原型,先写出广度优先搜索,再在下篇中扩展成A*; 设置两个链表 closedList 存放已经访问过的节点,是(FIFO)表
openList 存放已经即将访的节点,是(FIFO)表 在该算法中,每个节点最多被访问一次.
import java.util.*; public class BreadthFirstSearchTest { public static class Node {
List neighbors;
Node pathParent; //该节点用来保存,路径信息
String name; public Node(String name) {
this.name = name;
neighbors = new LinkedList();
} public String toString() {
return name;
}
} public static void main(String[] args) {
Node nodeA = new Node("A");
Node nodeB = new Node("B");
Node nodeC = new Node("C");
Node nodeD = new Node("D");
Node nodeE = new Node("E");
Node nodeF = new Node("F");
Node nodeG = new Node("G");
Node nodeH = new Node("H"); nodeA.neighbors.add(nodeC);
nodeA.neighbors.add(nodeD);
nodeA.neighbors.add(nodeE); nodeB.neighbors.add(nodeE); nodeC.neighbors.add(nodeA);
nodeC.neighbors.add(nodeD);
nodeC.neighbors.add(nodeF);
nodeC.neighbors.add(nodeH);
nodeD.neighbors.add(nodeA);
nodeD.neighbors.add(nodeC); nodeE.neighbors.add(nodeA);
nodeE.neighbors.add(nodeB);
nodeE.neighbors.add(nodeG); nodeF.neighbors.add(nodeC);
nodeF.neighbors.add(nodeH); nodeG.neighbors.add(nodeE); nodeH.neighbors.add(nodeC);
nodeH.neighbors.add(nodeF); BreadthFirstSearchTest bfs = new BreadthFirstSearchTest();
System.out.println("From A to B: " +
bfs.search(nodeA, nodeB));
System.out.println("From C to B: " +
bfs.search(nodeC, nodeB));
System.out.println("From G to H: " +
bfs.search(nodeG, nodeH));
System.out.println("From A to G: " +
bfs.search(nodeH, nodeG));
System.out.println("From A to unknown: " +
bfs.search(nodeA, new Node("unknown")));
} /**
Construct the path, not including the start node.
当找到终点,依次返回其父节点,就是要搜索的路径
*/
protected List constructPath(Node node) {
LinkedList path = new LinkedList();
while (node.pathParent != null) {
path.addFirst(node);
node = node.pathParent;
}
return path;
} public List search(Node startNode, Node goalNode) {
// list of visited nodes
LinkedList closedList = new LinkedList();//存放已经访问过的节点,是(FIFO)表 // list of nodes to visit (sorted)
LinkedList openList = new LinkedList(); //存放已经即将访的节点
openList.add(startNode);
startNode.pathParent = null; while (!openList.isEmpty()) {
Node node = (Node)openList.removeFirst();
if (node == goalNode) {
// path found!
return constructPath(goalNode);
}
else {
closedList.add(node); Iterator i = node.neighbors.iterator();
while (i.hasNext()) {
Node neighborNode = (Node)i.next();
if (!closedList.contains(neighborNode) &&
!openList.contains(neighborNode))
{
neighborNode.pathParent = node;
openList.add(neighborNode);
}
}
}
} // no path found
return null;
} } out: From A to B: [E, B]
From C to B: [A, E, B]
From G to H: [E, A, C, H]
From A to G: [C, A, E, G]
From A to unknown: null
源码下载:http://file.javaxxz.com/2014/11/7/000338343.zip |
|