Posted on 2009-08-28 10:33
reiks 阅读(528)
评论(0) 编辑 收藏 引用 所属分类:
算法与数据结构
data:image/s3,"s3://crabby-images/d8aef/d8aef1ca72194cc1f263ac1b681faa2e7d2ee4af" alt=""
/**//**
* TOPSORT(简单版) 拓扑排序(Topological Sort)
* 输入:有向图g
* 输出:是否存在拓扑排序,如果存在,获取拓扑排序序列seq
* 结构:图g用邻接矩阵表示
* 算法:广度优先搜索(BFS)
* 复杂度:O(|V|^2)
*/
#include <iostream>
#include <vector>
#include <queue>
#include <iterator>
#include <algorithm>
#include <numeric>
#include <climits>
using namespace std;
data:image/s3,"s3://crabby-images/54783/547830fede928f19a3ce63b212a632c66666c748" alt=""
int n; // n :顶点个数
vector<vector<int> > g; // g :图(graph)(用邻接矩阵(adjacent matrix)表示)
vector<int> seq; // seq :拓扑序列(sequence)
data:image/s3,"s3://crabby-images/54783/547830fede928f19a3ce63b212a632c66666c748" alt=""
bool TopSort()
data:image/s3,"s3://crabby-images/d8aef/d8aef1ca72194cc1f263ac1b681faa2e7d2ee4af" alt=""
data:image/s3,"s3://crabby-images/c9e2b/c9e2bc817d66f0a3894ba04ea7703b8e0b7b6162" alt=""
{
vector<int> inc(n, 0);
for (int i = 0; i < n; ++i)
for (int j = 0; j < n; ++j)
if (g[i][j] < INT_MAX) ++inc[j]; // 计算每个顶点的入度,
queue<int> que;
for (int j = 0; j < n; ++j)
if (inc[j] == 0) que.push(j); // 如果顶点的入度为0,入队。
int seqc = 0;
seq.resize(n);
while (!que.empty()) // 如果队列que非空,
data:image/s3,"s3://crabby-images/788e5/788e5df7a2b54adca27f5032aa9631ef1512545d" alt=""
{
int v = que.front(); que.pop();
seq[seqc++] = v; // 顶点v出队,放入seq中,
for (int w = 0; w < n; ++w) // 遍历所有v指向的顶点w,
if (g[v][w] < INT_MAX)
if (--inc[w] == 0) que.push(w); // 调整w的入度,如果w的入度为0,入队。
}
return seqc == n; // 如果seq已处理顶点数为n,存在拓扑排序,否则存在回路。
}
data:image/s3,"s3://crabby-images/54783/547830fede928f19a3ce63b212a632c66666c748" alt=""
int main()
data:image/s3,"s3://crabby-images/d8aef/d8aef1ca72194cc1f263ac1b681faa2e7d2ee4af" alt=""
data:image/s3,"s3://crabby-images/c9e2b/c9e2bc817d66f0a3894ba04ea7703b8e0b7b6162" alt=""
{
n = 7;
g.assign(n, vector<int>(n, INT_MAX));
g[0][1] = 1, g[0][2] = 1, g[0][3] = 1;
g[1][3] = 1, g[1][4] = 1;
g[2][5] = 1;
g[3][2] = 1, g[3][5] = 1, g[3][6] = 1;
g[4][3] = 1, g[4][6] = 1;
g[6][5] = 1;
data:image/s3,"s3://crabby-images/f74aa/f74aa0daa97912d7a2dcb8fc685747aa4f541b5c" alt=""
if (TopSort())
data:image/s3,"s3://crabby-images/788e5/788e5df7a2b54adca27f5032aa9631ef1512545d" alt=""
{
copy(seq.begin(), seq.end(), ostream_iterator<int>(cout, " "));
cout << endl;
}
else
data:image/s3,"s3://crabby-images/788e5/788e5df7a2b54adca27f5032aa9631ef1512545d" alt=""
{
cout << "circles exist" << endl;
}
system("pause");
return 0;
}
data:image/s3,"s3://crabby-images/54783/547830fede928f19a3ce63b212a632c66666c748" alt=""