-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path4sem_59.cpp
80 lines (63 loc) · 1.85 KB
/
4sem_59.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
#include <iostream>
#include <fstream>
#include <queue>
#include <limits>
using namespace std;
const int MAX_V = 1000;
struct Edge {
int to;
int weight;
Edge(int t, int w) : to(t), weight(w) {}
};
struct Vertex {
int id;
int dist;
bool operator<(const Vertex& other) const {
return dist > other.dist;
}
};
void dijkstra(int source, const vector<vector<Edge>>& graph, vector<int>& dist) {
priority_queue<Vertex> pq;
pq.push({source, 0});
dist[source] = 0;
while (!pq.empty()) {
Vertex u = pq.top();
pq.pop();
if (u.dist > dist[u.id])
continue;
for (const Edge& e : graph[u.id]) {
int v = e.to;
int weight = e.weight;
if (dist[u.id] + weight < dist[v]) {
dist[v] = dist[u.id] + weight;
pq.push({v, dist[v]});
}
}
}
}
int main() {
int n, m;
cout << "Enter number of vertices and edges: ";
cin >> n >> m;
vector<vector<Edge>> graph(MAX_V);
cout << "Enter edges (from to weight):" << endl;
for (int i = 0; i < m; ++i) {
int from, to, weight;
cin >> from >> to >> weight;
graph[from].push_back(Edge(to, weight));
}
int source;
cout << "Enter the source vertex: ";
cin >> source;
vector<int> shortest_paths(MAX_V, numeric_limits<int>::max()); // Initialize distances to infinity
dijkstra(source, graph, shortest_paths);
// Write data to CSV file
ofstream outFile("shortest_paths.csv");
outFile << "Vertex,Distance\n";
for (int i = 0; i < n; ++i) {
outFile << i << "," << shortest_paths[i] << "\n";
}
outFile.close();
cout << "Shortest paths have been written to shortest_paths.csv\n";
return 0;
}