杭电OJ 1116(C++)
程序员文章站
2022-07-13 17:38:00
...
本题运用并查集和欧拉回路/通路。
#include <iostream>
#include <string>
#include <cstring>
using namespace std;
//每个字母的入度,出度,访问情况,所属集合的代表元素(所在树的根结点)
int in[30], out[30], vis[30], father[30];
//查找字母x所属集合的代表元素(所在树的根结点)
int find(int x)
{
while (x != father[x])
x = father[x];
return x;
}
//将字母x和y所属的集合合并(合并两棵树)
void Union(int x, int y)
{
int fx = find(x), fy = find(y);
if (fx != fy)
father[fx] = fy;
}
int main()
{
int T;
cin >> T;
while (T--)
{
memset(in, 0, sizeof(in));
memset(out, 0, sizeof(out));
memset(vis, 0, sizeof(vis));
int N;
cin >> N;
//建立26个字母的并查集
for (int i = 0; i < 26; i++)
{
father[i] = i;
}
string s; //输入的单词
int start, end; //输入单词的首字母、尾字母
for (int i = 0; i < N; i++)
{
cin >> s;
start = s[0] - 'a';
end = s[s.length() - 1] - 'a';
in[start]++; //首字母入度加1
out[end]++; //尾字母出度加1
Union(start, end); //合并首尾字母所在集合
vis[start] = vis[end] = 1;
}
int cnt = 0; //26个字母所在集合的数量
for (int i = 0; i < 26; i++)
{
if (vis[i] == 1 && father[i] == i)
++cnt;
}
if (cnt > 1) //森林中树的个数大于1,图不连通
{
cout << "The door cannot be opened." << endl;
continue;
}
int ans = 0; //所有字母中入度和出度不相等的数量
int x = 0, y = 0; //入度大于出度的数量,出度大于入度的数量
for (int i = 0; i < 26; i++)
{
if (vis[i] == 1 && in[i] != out[i])
{
++ans;
if (in[i] == out[i] + 1)
++x;
else if (out[i] == in[i] + 1)
++y;
}
}
if (ans == 0) //所有字母入度等于出度,构成欧拉回路
cout << "Ordering is possible." << endl;
else if (ans == 2 && x == 1 && y == 1) //只有首尾入度不等于出度,构成欧拉通路
cout << "Ordering is possible." << endl;
else
cout << "The door cannot be opened." << endl;
}
return 0;
}
上一篇: 杭电OJ 1117(C++)
下一篇: 杭电OJ 1130(C++)