正如tittle所说,我正试图找到一个单位移动到neareast控制点的最短路径(就好像它是一个宝藏或其他东西)。我试图使用BFS找到这条路径,但它没有给出最短的路径。例如:
如果我们有类似的东西(其中X是起始位置,K是一个控制点)
· · · · · · · · · · · ·
· · · · · · · · · · · ·
· · · · · · · · · · · ·
· · · X · · · · · · · ·
· · · · · · · · · · · ·
· · · · · · · · · · · ·
· · · · · · · · · · · ·
· · · · · · · · · · · ·
· · · · · K · · · · · ·
· · · · · · · · · · · ·
· · · · · · · · · · · ·
· · · · · · · · · · · ·
我的代码提供了这条路径:
· · · · · · · · · · · ·
· · · · · · · · · · · ·
· · - - - · · · · · · ·
· · | X | · · · · · · ·
· · | | - · · · · · · ·
· · | · · · · · · · · ·
· · | · · · · · · · · ·
· · · | · · · · · · · ·
· · · | - K · · · · · ·
· · · · · · · · · · · ·
· · · · · · · · · · · ·
· · · · · · · · · · · ·
但我不明白为什么它会给我这些额外的动作。有人可以说出我做错了什么?
typedef pair<int,int> Coord;
typedef vector< vector<bool> > VIS;
typedef vector<vector< Coord> > Prev;
const int X[8] = { 1, 1, 0, -1, -1, -1, 0, 1 };
const int Y[8] = { 0, 1, 1, 1, 0, -1, -1, -1 };
list<Coord> BFS2(int x, int y, VIS& visited, Prev& p) {
queue<Coord> Q;
Coord in;
in.first = x; in.second = y;
Q.push(in);
bool found = false;
Coord actual;
while( not Q.empty() and not found){
actual = Q.front();
Q.pop();
int post = who_post(actual.first, actual.second); //It tells if we're in a control point or not(0 == if we are not in the C.point)
if(post != 0){
found = true;
}
else {
visited[actual.first][actual.second]=true;
for( int i = 0; i < 8; i++){
int nx = X[i] + actual.first;
int ny = Y[i] + actual.second;
//The maze is 60x60, but the borders are all mountains, so we can't access there
if(nx>=1 and nx<59 and ny>=1 and ny<59 and not visited[nx][ny]){
Coord next;
next.first = nx; next.second = ny;
Q.push(next);
p[nx][ny] = actual;
}
}
}
}
list<Coord> res;
while(actual != in){
res.push_back(actual);
actual = p[actual.first][actual.second];
}
res.reverse();
return res;
}
答案 0 :(得分:1)
我认为这与你如何计算我们之前的矩阵有关。具体如下代码
if(nx>=1 and nx<59 and ny>=1 and ny<59 and not visited[nx][ny]){
...
p[nx][ny] = actual;
}
每当遇到您正在探索的节点的未被邀请的节点时,都会更新上一个矩阵。但是,请考虑一下你开始时会发生什么。您将每个点的每个点排队,并将每个节点的前一个矩阵标记为起点。现在,您将探索其他一些节点。它的每个邻居都将被排队,除了起点,因为它们都没有被访问过。前一个矩阵中的一些内容将被覆盖。这就是你的路径没有意义的原因。