「CodeForces」847A Union of Doubly Linked Lists
作者:互联网
小兔的话
欢迎大家在评论区留言哦~
简单题意
给定 \(n(n \leq 100)\) 个数的前驱和后继,但其中有些数没有前驱或者没有后继,其相应的值为 \(0\)
请在原有信息的基础上构造出一个新链表,输出每个数的前驱和后继
新链表应该满足的条件:只有一个数没有前驱,其为起点;只有一个数没有后继,其为终点
解析
根据输入给出的信息,从没有前驱的数开始向后搜索,直到没有后继为止
这样可以求出一些子链表,再把这些子链表连接就可以了
这里用样例举例:
4 7
5 0
0 0
6 1
0 2
0 4
1 0
分析样例,可以得出一下链表:
3
5-2
6-4-1-7
连接之后:
3 - 5-2 - 6-4-1-7
3-5-2-6-4-1-7
最后得出:
4 7
5 6
0 5
6 1
3 2
2 4
1 0
代码(纯数组)
#include <cstdio>
int rint()
{
int x = 0, fx = 1; char c = getchar();
while (c < '0' || c > '9') { fx ^= (c == '-'); c = getchar(); }
while ('0' <= c && c <= '9') { x = (x << 3) + (x << 1) + (c ^ 48); c = getchar(); }
if (!fx) return -x;
return x;
}
const int MAX_n = 100;
int n, now;
int u[MAX_n + 5]; // 前驱
int v[MAX_n + 5]; // 后继
int main()
{
n = rint();
for (int i = 1; i <= n; i++)
u[i] = rint(), v[i] = rint();
for (int i = 1; i <= n; i++)
{
if (u[i] == 0) // 没有前驱的肯定是一条子链表的起点
{
v[now] = i; u[i] = now; now = i;
// 与上一条子链表相连
while (v[now]) now = v[now]; // 向后搜索
// 循环结束, 找到当前子链表的终点
}
}
for (int i = 1; i <= n; i++)
printf("%d %d\n", u[i], v[i]);
return 0;
}
代码(vector)
#include <cstdio>
#include <vector>
using namespace std;
int rint()
{
int x = 0, fx = 1; char c = getchar();
while (c < '0' || c > '9') { fx ^= (c == '-'); c = getchar(); }
while ('0' <= c && c <= '9') { x = (x << 3) + (x << 1) + (c ^ 48); c = getchar(); }
if (!fx) return -x;
return x;
}
const int MAX_n = 100;
int n;
int u[MAX_n + 5]; // 前驱
int v[MAX_n + 5]; // 后继
vector<pair<int, int> > e; // pair 记录每条子链表的头和尾
int DFS(int now)
{
if (v[now] == 0) return now; // 返回终点
return DFS(v[now]); // 向后搜索
}
int main()
{
n = rint();
for (int i = 1; i <= n; i++)
{
u[i] = rint();
v[i] = rint();
}
for (int i = 1; i <= n; i++)
if (u[i] == 0) e.push_back(make_pair(i, DFS(i))); // 插入当前子链表 (简化版, 只留头和尾, 中间的没有影响)
int siz = e.size();
for (int i = 1; i < siz; i++)
{
v[e[i - 1].second] = e[i].first;
u[e[i].first] = e[i - 1].second;
// 每条子链表与前一个子链表相连
}
for (int i = 1; i <= n; i++)
printf("%d %d\n", u[i], v[i]);
return 0;
}
标签:Union,847A,CodeForces,后继,链表,int,while,前驱,now 来源: https://www.cnblogs.com/DONGJIE-06/p/14988003.html