BFS演算法原理

十二分熱愛發表於2018-08-02

 BFS

 BFS:使用佇列儲存未被檢測的結點。結點按照寬度優先的次序被訪問和進出佇列。

 BFS模板

#include<cstdio>
#include<cstring>
#include<queue>
#include<algorithm>
using namespace std;
const int maxn=100;
bool vst[maxn][maxn]; // 訪問標記
int dir[4][2]={0,1,0,-1,1,0,-1,0}; // 方向向量

struct State // BFS 佇列中的狀態資料結構
{
int x,y; // 座標位置
int Step_Counter; // 搜尋步數統計器
};

State a[maxn];

bool CheckState(State s) // 約束條件檢驗
{
if(!vst[s.x][s.y] && ...) // 滿足條件
return 1;
else // 約束條件衝突
return 0;
}

void bfs(State st)
{
queue <State> q; // BFS 佇列
State now,next; // 定義2 個狀態,當前和下一個
st.Step_Counter=0; // 計數器清零
q.push(st); // 入隊
vst[st.x][st.y]=1; // 訪問標記
while(!q.empty())
{
now=q.front(); // 取隊首元素進行擴充套件
if(now==G) // 出現目標態,此時為Step_Counter 的最小值,可以退出即可
{
...... // 做相關處理
return;
}
for(int i=0;i<4;i++)
{
next.x=now.x+dir[i][0]; // 按照規則生成下一個狀態
next.y=now.y+dir[i][1];
next.Step_Counter=now.Step_Counter+1; // 計數器加1
if(CheckState(next)) // 如果狀態滿足約束條件則入隊
{
q.push(next);
vst[next.x][next.y]=1; //訪問標記
}
}
q.pop(); // 隊首元素出隊
}
 return;
}

int main()
{
......
 return 0;
}

 

相關文章