我正在尝试使用JPanel为BFS遍历设置动画。
控制台输出显示算法正在运行...
BFS:
A B C D E F
对于给定的图表:
BFS代码段
public void bfs() {
Queue q = new LinkedList();
q.add(rootNode);
rootNode.visited(true);
rootNode.setColor(Color.cyan);
printNode(rootNode);
while (!q.isEmpty()) {
Nodes n = (Nodes)q.remove();
Nodes child = null;
//put all unvisited children in the queue
while ((child = getUnvisitedChildNode(n)) != null)
{
//
child.visited(true);
//visited color = cyan
child.setColor(Color.cyan);
printNode(child);
q.add(child);
}
}
}
所以,我认为在JPanel上设置动画的最佳方法是添加一个每1秒调用bfs()
的计时器...并将while
循环更改为if
语句...所以当它被调用时,它将每个节点迭代一次并将其标记为已访问。
public void bfs() {
Queue q = new LinkedList();
q.add(rootNode);
rootNode.visited(true);
rootNode.setColor(Color.cyan);
printNode(rootNode);
if (!q.isEmpty()) {
Nodes n = (Nodes)q.remove();
Nodes child = null;
//put all unvisited children in the queue
if ((child = getUnvisitedChildNode(n)) != null)
{
//
child.visited(true);
//visited color = cyan
child.setColor(Color.cyan);
printNode(child);
q.add(child);
}
}
if (q.isEmpty()) {
cancelTimer = true;
}
}
它通过节点A
,B
,C
,D
,但现在不会访问B
的孩子:E
和F
......
我正在使用带有repaint()
的paintComponent来改变访问时的节点颜色...
public void paintComponent(Graphics g) {
g.setColor(Color.BLACK);
g.fillRect(0, 0, width, height);
g.setColor(rootNode.getColor());
g.fillRect(rootNode.getX(), rootNode.getY(), rootNode.getWidth(), rootNode.getHeight());
g.setColor(Color.WHITE);
g.drawString(rootNode.getValue(), rootNode.getX()+9, rootNode.getY()+16);
paintComponent(g, rootNode);
}
public void paintComponent(Graphics g, Nodes parentNode) {
//keep generating new nodePrintList to load with new Children
ArrayList<Nodes> nodePrintList = new ArrayList<Nodes>();
//base case: end of nodeList
if (nodeList.indexOf(parentNode)==nodeList.size()-1) {
System.out.println("\nend");
}
else {
//traverse nodeList recursively
nodePrintList = getChildren(parentNode);
//loop through and print all children of node n
//System.out.println();
int x = parentNode.getX()-50;
for (Nodes child : nodePrintList) {
g.setColor(child.getColor());
child.setX(x);
child.setY(parentNode.getY()+50);
g.fillRect(child.getX(), child.getY(), child.getWidth(), child.getHeight());
g.setColor(Color.WHITE);
g.drawString(child.getValue(), child.getX()+9, child.getY()+16);
x+=50;
//System.out.print("PARENT: " + parentNode.getValue() + " | x,y: " + parentNode.getX() + ", " + parentNode.getY() + "...\n CHILD: " + child.getValue() + " | x,y: " + child.getX() + ", " + child.getY());
paintComponent(g, child);
g.drawLine(parentNode.getX()+10, parentNode.getY()+23, child.getX()+10, child.getY());
}
}repaint();
}
有什么想法吗?
答案 0 :(得分:0)
您需要修改算法。每次调用bfs()
时,您都会在根节点“A”开始搜索。
算法迭代地将'B','C',然后'D'标记为'A'的被访问的孩子,然后......就是这样。 'A'没有未受访的孩子,所以bfs()
不再做任何事了;没有while
循环,可以从中探索'B'的孩子
您需要设置某种形式的持久状态,以便bfs()方法实际上将遍历所有节点,1乘1. Iterative Deepening可能是一个好的起点,因为DFS可以用简单的堆栈迭代。