c# – A *算法System.StackOverflowException
发布时间:2020-12-15 17:25:13 所属栏目:百科 来源:网络整理
导读:public ListLocation2D Path(Location2D start,Location2D goal){ openset = new ListNodeInfo(); // The set of tentative nodes to be evaluated,initially containing the start node. closedset = new ListNodeInfo(); // The set of nodes already eval
public List<Location2D> Path(Location2D start,Location2D goal) { openset = new List<NodeInfo>(); // The set of tentative nodes to be evaluated,initially containing the start node. closedset = new List<NodeInfo>(); // The set of nodes already evaluated. path = new List<Location2D>(); // The path result. came_from = new Dictionary<Location2D,Location2D>(); NodeInfo Start = new NodeInfo(); Start.SetLoction(start.X,start.Y); Start.H = GetHValue(start,goal); openset.Add(Start); while (openset.Count > 0) { // while openset is not empty NodeInfo current = CheckBestNode(); //the node in openset having the lowest f_score[] value if (current.Location.Equals(goal)) { ReconstructPathRecursive(current.Location); return path; } for (int i = 0; i < 8; i++) { // neighbor nodes. NodeInfo neighbor = new NodeInfo(); neighbor.SetLoction((ushort)(current.Location.X + ArrayX[i]),(ushort)(current.Location.Y + ArrayY[i])); bool tentative_is_better = false; if (closedset.Contains(neighbor)) continue; if (!map.Cells[neighbor.Location.X,neighbor.Location.Y].Walkable) { closedset.Add(neighbor); continue; } Double tentative_g_score = current.G + DistanceBetween(current.Location,neighbor.Location); if (!openset.Contains(neighbor)) { openset.Add(neighbor); neighbor.H = GetHValue(neighbor.Location,goal); tentative_is_better = true; } else if (tentative_g_score < neighbor.G) { tentative_is_better = true; } else { tentative_is_better = false; } if (tentative_is_better) { came_from[neighbor.Location] = current.Location; neighbor.G = tentative_g_score; } } } return null; } private void ReconstructPathRecursive(Location2D current_node) { Location2D temp; if (came_from.TryGetValue(current_node,out temp)) { path.Add(temp); ReconstructPathRecursive(temp); } else { path.Add(current_node); } } 所以我实现A *算法,当它找到目标时,它会转到ReconstructPathRecursive 并且该线程仅在调用堆栈上使用外部代码帧停止.外部代码帧通常来自框架代码,但也可以包括在目标进程中加载??的其他优化模块. idk有什么不对! 解决方法
它实际上不必是递归的,因为它是尾递归的.所以你可以像这样重写它:
private void ReconstructPathIterative(Location2D current_node) { Location2D temp; while (came_from.TryGetValue(current_node,out temp)) { path.Add(temp); current_node = temp; } path.Add(current_node); } 这只有在路径太长而无法放入堆栈时才有用,而不是如果它是无限的. (编辑:李大同) 【声明】本站内容均来自网络,其相关言论仅代表作者个人观点,不代表本站立场。若无意侵犯到您的权利,请及时与联系站长删除相关内容! |