Computer >> คอมพิวเตอร์ >  >> การเขียนโปรแกรม >> C++

แปลงกราฟที่ไม่ระบุทิศทางเป็นกราฟกำกับโดยที่ไม่มีเส้นทางที่มีความยาวมากกว่า 1 ใน C++


ในบทช่วยสอนนี้ เราจะพูดถึงโปรแกรมที่จะแปลงกราฟแบบไม่ระบุทิศทางให้เป็นกราฟแบบกำหนดทิศทาง โดยจะไม่มีเส้นทางที่มีความยาวมากกว่า 1

สำหรับสิ่งนี้ เราจะได้รับกราฟที่ไม่มีทิศทาง งานของเราคือการแปลงกราฟนั้นเป็นกราฟแบบตรง โดยไม่มีเส้นทางใดที่มีความยาวมากกว่า 1

ตัวอย่าง

#include <bits/stdc++.h>
using namespace std;
#define N 100005
//storing the graph
vector<int> gr[N];
//storing colour of each vertex
int colour[N];
vector<pair<int, int> > edges;
bool bip;
//adding edges to the graph
void add_edge(int x, int y){
   gr[x].push_back(y);
   gr[y].push_back(x);
   edges.push_back(make_pair(x, y));
}
//checking if the given graph
//is bipartite
void dfs(int x, int col){
   colour[x] = col;
   //moving to the child vertices
   for (auto i : gr[x]) {
      if (colour[i] == -1)
         dfs(i, col ^ 1);
      //if child and parent having
      //same branch
      else if (colour[i] == col)
         bip = false;
   }
}
//converting into direct graph
void convert_directed(int n, int m){
   memset(colour, -1, sizeof colour);
   bip = true;
   //calling bipartite function
   dfs(1, 1);
   if (!bip) {
      cout << -1;
      return;
   }
   //if bipartite is possible
   for (int i = 0; i < m; i++) {
      if (colour[edges[i].first] == 0)
         swap(edges[i].first, edges[i].second);
      cout << edges[i].first << " " << edges[i].second << endl;
   }
}
int main(){
   int n = 4, m = 3;
   add_edge(1, 2);
   add_edge(1, 3);
   add_edge(1, 4);
   convert_directed(n, m);
   return 0;
}

ผลลัพธ์

1 2
1 3
1 4