欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

[洛谷]P4305 [JLOI2011]不重复数字 (#STL+排序)

程序员文章站 2024-03-16 22:34:52
...

题目描述

给出N个数,要求把其中重复的去掉,只保留第一次出现的数。

例如,给出的数为1 2 18 3 3 19 2 3 6 5 4,其中2和3有重复,去除后的结果为1 2 18 3 19 6 5 4。

输入格式

输入第一行为正整数T,表示有T组数据。

接下来每组数据包括两行,第一行为正整数N,表示有N个数。第二行为要去重的N个正整数。

输出格式

对于每组数据,输出一行,为去重后剩下的数字,数字之间用一个空格隔开。

输入输出样例

输入 #1复制

2
11
1 2 18 3 3 19 2 3 6 5 4
6
1 2 3 4 5 6

输出 #1复制

1 2 18 3 19 6 5 4
1 2 3 4 5 6

说明/提示

对于30%的数据,1 <= N <= 100,给出的数不大于100,均为非负整数;
对于50%的数据,1 <= N <= 10000,给出的数不大于10000,均为非负整数;
对于100%的数据,1 <= N <= 50000,给出的数在32位有符号整数范围内。T \le 50T≤50


思路

哈希和map的确是个好方法,这里蒟蒻用的unique+排序。

光unique是不行的,这个序列带了权。

#include <stdio.h>
#include <iostream>
#include <algorithm>
#include <memory.h>
using namespace std;
int t,n;
struct node
{
	int id,v;
	bool operator < (node a)const 
	{
		if(v==a.v)//第12行到第14行是要写的,如果权一样要按下标排序。如果实在不想写这个的话,第40行可以写stable_sort(归并排序)。 
		{
			return id<a.id;//保证去重后留下排名小的 
		}
		return v<a.v;
	}
	bool operator == (node a)const{return v==a.v;}//写这个是为了搞unique 
}a[50001];
inline bool cmp(node a,node b)//按下标排序 
{
	return a.id<b.id;
}
signed main()
{
	ios::sync_with_stdio(false);
	cin.tie(0);
	cout.tie(0);
	register int i,j,k;
	cin>>t;
	while(t--)
	{
		cin>>n;
		memset(a,0,sizeof(a));
		for(i=1;i<=n;i++)
		{
			cin>>a[i].v;
			a[i].id=i;
		}
		sort(a+1,a+n+1);//按边权排序 
		int cnt=unique(a+1,a+n+1)-a-1;//去重,去重时必须是个有序序列 
		sort(a+1,a+cnt+1,cmp);//再按下标排序 
		for(i=1;i<=cnt;i++)
		{
			cout<<a[i].v<<' ';
		}cout<<endl;
	}
	return 0;
}