题目链接:https://ac.nowcoder.com/acm/contest/215/B
对于这道题我们要先读懂题意,说的是给了一个仙人掌形状的图...想象一下其实就是二分图,然后我们画个图就很容易找出规律,如果存在奇数的环就需要至少三个颜色,否则就是二分图的着色问题了。所以对于这道题我们只需要判断这个图是不是二分图就好了,如果是最少颜色就是2,否则就是3...
AC代码:
#include <bits/stdc++.h>
#define maxn 100005
using namespace std;
vector<int> G[maxn];
int col[maxn];
int n,m;
bool bfs(){
queue<int> q;
q.push(1);
memset(col,0,sizeof(col));
col[1] = 1;
while(!q.empty()){
int v = q.front();
q.pop();
for(int i=0;i<G[v].size();i++){
int xx = G[v][i];
if(col[xx] == 0){
col[xx] = -col[v];
q.push(xx);
}
else{
if(col[v] == col[xx]){
return false;
}
}
}
}
return true;
}
int main()
{
scanf("%d%d",&n,&m);
for(int i=0;i<m;i++){
int s,t;
scanf("%d%d",&s,&t);
G[s].push_back(t);
G[t].push_back(s);
}
if(bfs()){
puts("2");
}
else{
puts("3");
}
return 0;
}