c++求連通圖個數,以及最大連通圖節點個數、位元組跳動例題並查集的實現
輸入:第一行輸入兩個數n(表示n行),m(表示m列)
接下來輸入n行m列的矩陣
輸出:連通圖個數 最大連通圖節點數
例子:輸入:
10 10
0 0 0 0 0 0 0 0 0 0
0 0 0 1 1 0 1 0 0 0
0 1 0 0 0 0 0 1 0 1
1 0 0 0 0 0 0 0 1 1
0 0 0 1 1 1 0 0 0 1
0 0 0 0 0 0 1 0 1 1
0 1 1 0 0 0 0 0 0 0
0 0 0 1 0 1 0 0 0 0
0 0 1 0 0 1 0 0 0 0
0 1 0 0 0 0 0 0 0 0
輸出:6 8
c++程式碼:
#include <iostream>
#include <stdio.h>
#include <vector>
#include <stdlib.h>
#include<algorithm>
#include<string>
#include<string.h>
using namespace std;
int num = 0;
int ori[8][2] = { { -1, -1 }, { -1, 0 }, { -1, 1 }, { 0, 1 }, { 0, -1 }, { 1, 0 }, { 1, 1 }, { 1, -1 } };
int dfs(vector<vector<int>> &map,int n,int m)
{
if (m < 0 || n < 0) return 0;
if (n>map.size() || m>map[0].size()) return 0;
if (map[n][m] == 1)
{
map[n][m] = -1;
num++;
}
else return 0;
for (int i = 0; i < 8; i++)
{
dfs(map,n+ori[i][0],m+ori[i][1]);
}
return num;
}
int main()
{
int n, m, tmp;
vector<vector<int>> map;
cin >> n >> m;
for (int i = 0; i < n; i++)
{
vector<int> map_;
for (int j = 0; j < m; j++)
{
cin >> tmp;
map_.push_back(tmp);
}
map.push_back(map_);
}
int maxp = 0,number=0;
tmp = 0;
for (int i = 0; i < n; i++)
{
for (int j = 0; j < m; j++)
{
if (map[i][j] == 1)
{
number++;
dfs(map, i, j);
maxp = max(maxp,num);
}
else
num = 0;
}
}
cout << number << " " << maxp;
return 0;
}
並查集例題:
如果A的名單裡有B,或者B的嗎名單裡有A,則代表A和B是互相認識的。同時,如果A認識B,B認識C,則代表A,C也會很快認識,畢竟是通過B這個小媒婆介紹的,兩人就可以很快互相認識了。
位元組君打算將整個團隊分成M組,每組內人員全都可以通過間接或者直接的方式互相認識,而組間的人員互相都不認識。
請您確定一個方案,確定m的最小值。
輸入描述:
第一行一個整數n,代表這個團隊一共有n個人,從1開始編號。
接下來有n行,第x+1行代表編號為x的人認識的人的編號 k (1<=k<=n),每個人的名單以0代表結束。
輸出描述:
一個整數m,代表可以分割的最小的組的個數。
輸入例項:
10
0
5 3 0
8 4 0
9 0
9 0
3 0
0
7 9 0
0
9 7 0
輸出:
2
c++程式碼:
int fa[10000]; //記錄節點的根節點
int find(int x) //找到節點x的根節點
{
int r = x;
while (r != fa[r])
{
fa[r] = fa[fa[r]]; //路徑壓縮 類似於兩邊之和大於第三邊,用第三條邊來代替另外兩條邊,起到路徑壓縮的作用,同時 又不影響找祖先
r = fa[r];
}
return r;
}
void merge(int x, int y) //將兩個節點合併,並在節點較小的樹上。
{
int fx = find(x);
int fy = find(y);
if (fx > fy)
fa[x] = fy;
else if (fx < fy)
fa[y] = fx;
}
int main()
{
int n, temp;
cin >> n;
for (int i = 1; i <= n; i++)
fa[i] = i;
for (int i = 1; i <= n; i++)
{
while (1)
{
cin >> temp;
if (temp != 0)
{
merge(i, temp);
}
else break;
}
}
int count = 0;
for (int i = 1; i <= n; i++)
{
if (fa[i] == i)
count++;
}
cout << count;
return 0;
}