上图转自新浪微博:“阿里代码库有几亿行代码,但其中有很多功能重复的代码,比如单单快排就被重写了几百遍。请设计一个程序,能够将代码库中所有功能重复的代码找出。各位大佬有啥想法,我当时就懵了,然后就挂了。。。”
这里我们把问题简化一下:首先假设两个功能模块如果接受同样的输入,总是给出同样的输出,则它们就是功能重复的;其次我们把每个模块的输出都简化为一个整数(在 int 范围内)。于是我们可以设计一系列输入,检查所有功能模块的对应输出,从而查出功能重复的代码。你的任务就是设计并实现这个简化问题的解决方案。
输入格式:
输入在第一行中给出 2 个正整数,依次为 N(≤104)和 M(≤102),对应功能模块的个数和系列测试输入的个数。
随后 N 行,每行给出一个功能模块的 M 个对应输出,数字间以空格分隔。
输出格式:
首先在第一行输出不同功能的个数 K。随后 K 行,每行给出具有这个功能的模块的个数,以及这个功能的对应输出。数字间以 1 个空格分隔,行首尾不得有多余空格。输出首先按模块个数非递增顺序,如果有并列,则按输出序列的递增序给出。
注:所谓数列 { A1, ..., AM } 比 { B1, ..., BM } 大,是指存在 1≤i<M,使得 A1=B1,...,Ai=Bi 成立,且 Ai+1>Bi+1。
输入样例:
7 3
35 28 74
-1 -1 22
28 74 35
-1 -1 22
11 66 0
35 28 74
35 28 74
输出样例:
4
3 35 28 74
2 -1 -1 22
1 11 66 0
1 28 74 35
题目的意思换句话说是:
有n个物品,每个物品有m个特点(用一个数字代替)。
首先输出有几类物品(特点相同的认为是同一类物品)。其后每行输出每类物品的个数和特征。
输出时首先按物品个数非递增顺序,如果有并列,则按输出特征点的递增序给出。
做法:
1.用map统计每类物品
2.对每类物品按要求输出
代码:
#include <cstdio>
#include <iostream>
#include <algorithm>
#include <cstring>
#include <map>
#include <vector>
using namespace std;
const int N = 10010;
map<vector<int>,int> ha;
struct Node
{
vector<int> trait;
int sum;
bool operator<(const Node& t) const//题目要求的排序
{
if(sum != t.sum) return sum > t.sum;
else return trait < t.trait;
}
}ans[N];
int idx;
int main()
{
int n = 0,m = 0;
scanf("%d%d",&n,&m);
for(int i = 0;i < n;i++)
{
vector<int> tmp;
for(int j = 0;j < m;j++)
{
int t = 0;
scanf("%d",&t);
tmp.push_back(t);
}
ha[tmp]++;//统计共同特征的个数
}
for(auto& x : ha) ans[idx++] = {x.first,x.second};//将统计好的数据取出
sort(ans,ans + idx);//排序
printf("%d\n",idx);
for(int i = 0;i < idx;i++)
{
printf("%d",ans[i].sum);
for(int j = 0;j < m;j++) printf(" %d",ans[i].trait[j]);
puts("");
}
return 0;
}
#include <cstdio>
#include <iostream>
#include <algorithm>
#include <cstring>
#include <map>
#include <vector>
#include <set>
using namespace std;
const int N = 10010;
map<vector<int>,int> ha;
set< pair<int,vector<int>> >ans;
int main()
{
int n = 0,m = 0;
scanf("%d%d",&n,&m);
for(int i = 0;i < n;i++)
{
vector<int> tmp;
for(int j = 0;j < m;j++)
{
int t = 0;
scanf("%d",&t);
tmp.push_back(t);
}
ha[tmp]++;//统计共同特征的个数
}
for(auto& x : ha) ans.insert({-x.second,x.first});//将统计好的数据取出
printf("%d\n",ans.size());
for(auto& x : ans)
{
printf("%d",-x.first);
for(auto t : x.second) printf(" %d",t);
puts("");
}
return 0;
}