我正在尝试修改从这里prim algorithm获取的这个prim算法,不仅能够显示边缘权重的总和,还能显示边缘,并且它不能正常工作。
备注:修改以下代码以显示边缘权重的最大总和。
#include <iostream>
#include <vector>
#include <queue>
#include <functional>
#include <utility>
using namespace std;
const int MAX = 1e4 + 5;
typedef pair<long long, int> PII;
bool marked[MAX];
vector <PII> adj[MAX];
long long prim(int x)
{
priority_queue<PII, vector<PII>, less<PII> > Q; //changed greater by less
int y;
long long maxCost = 0;
PII p;
Q.push(make_pair(0, x));
while(!Q.empty())
{
// Select the edge with max weight
p = Q.top();
Q.pop();
x = p.second;
// Checking for cycle
if(marked[x] == true)
continue;
maxCost += p.first;
marked[x] = true;
for(int i = 0;i < adj[x].size();++i)
{
y = adj[x][i].second;
if(marked[y] == false){
Q.push(adj[x][i]);
cout << x << '-' << y << endl;
}
}
}
return maxCost;
}
int main()
{
int nodes, edges, x, y;
long long weight, maxCost;
cin >> nodes >> edges;
for(int i = 0;i < edges;++i)
{
cin >> x >> y >> weight;
adj[x].push_back(make_pair(weight, y));
adj[y].push_back(make_pair(weight, x));
}
// Selecting 1 as the starting node
maxCost = prim(1);
cout << maxCost << endl;
return 0;
}
输入
4 5
1 2 7
1 4 6
4 2 9
4 3 8
2 3 6
输出
wrong output expected ouput
1-2 1-4
1-4 2-4
2-4 4-3
2-3 24
4-3
24
在这个cas中,我想只显示有关边缘,但我不知道我需要在哪里显示x和y值。
答案 0 :(得分:2)
如果只想打印构成MST的边缘,则需要在从队列中弹出元素后执行此操作。内部for
记录候选人。这些不一定使用。好像你没有在Q
中记录完整的边缘,而只记录它的重量和目标顶点。如果要打印边缘,还需要存储起始顶点(或以某种方式恢复它)。