7-14 電話聊天狂人(25 分)
阿新 • • 發佈:2017-12-29
lld 鏈表 排序。 ins top ans 是個 prime 哈希
給定大量手機用戶通話記錄,找出其中通話次數最多的聊天狂人。
輸入格式:
輸入首先給出正整數N(≤10?5??),為通話記錄條數。隨後N行,每行給出一條通話記錄。簡單起見,這裏只列出撥出方和接收方的11位數字構成的手機號碼,其中以空格分隔。
輸出格式:
在一行中給出聊天狂人的手機號碼及其通話次數,其間以空格分隔。如果這樣的人不唯一,則輸出狂人中最小的號碼及其通話次數,並且附加給出並列狂人的人數。
輸入樣例:
4 13005711862 13588625832 13505711862 13088625832 13588625832 18087925832 15005713862 13588625832
輸出樣例:
13588625832 3
首先想到的是排序。
代碼:
#include <stdio.h> #include <stdlib.h> #include <string.h> char s[200000][12]; int cmp(const void *a,const void *b) { return strcmp((char*)a,(char*)b)>0?1:-1; } int main() { int n; int c = 1,d = 1; int maxi = 0; charans[12] = "00000000000"; scanf("%d",&n); for(int i = 0;i < n;i ++) { scanf("%s%s",s[i*2],s[i*2+1]); } qsort(s,2*n,sizeof(s[0]),cmp); // for(int i = 0;i < n * 2 + 1;i ++) // printf("%s\n",s[i]); for(int i = 1;i < n * 2 + 1;i ++) { if(strcmp(s[i],s[i - 1]) == 0)d ++; else { if(d>maxi) { strcpy(ans,s[i - 1]); maxi = d; c = 1; } else if(d == maxi) { c ++; } d = 1; } } printf("%s %d",ans,maxi); if(c>1)printf(" %d",c); }
然後用哈希的分離鏈接法,就是先建一個一定大小的桶,每個號碼對桶的大小(是個素數)取余,存進去,如果號碼已存在就覆蓋並記錄個數,余數相同的存到同一個位置的一條鏈中,跟鏈表一樣。最後掃描一遍出答案。
代碼:
#include <stdio.h> #include <stdlib.h> typedef struct loca loca; typedef struct hashh hashh; struct loca { long long data; int c; loca *_next; }; struct hashh { int hsize; loca **har; }; hashh *creathash(int n) { hashh *h = (hashh *)malloc(sizeof(hashh)); h -> hsize = n; h -> har = (loca **)malloc(sizeof(loca*) * n); for(int i = 0;i < h -> hsize;i ++) { h -> har[i] = (loca *)malloc(sizeof(loca)); h -> har[i] -> _next = NULL; } return h; } void inserthash(long long n,hashh *h) { int d = n % h -> hsize; loca *pos = h -> har[d]; while(pos -> _next) { if(pos -> _next -> data == n) { pos -> _next -> c ++; return; } pos = pos -> _next; } pos -> _next = (loca *)malloc(sizeof(loca)); pos -> _next -> data = n; pos -> _next -> c = 1; pos -> _next -> _next = NULL; } void findans(hashh *h) { long long d = 0; int maxc = 0,c; for(int i = 0;i < h -> hsize;i ++) { loca *p = h -> har[i] -> _next; while(p) { if(p -> c > maxc)maxc = p -> c,d = p -> data,c = 0; else if(p -> c == maxc) { c ++; if(p -> data < d)d = p -> data; } p = p -> _next; } } printf("%lld %d",d,maxc); if(c)printf(" %d",c + 1); } int isprime(int n) { if(n == 2 || n == 3)return 1; if(n % 6 != 1 && n % 6 != 5)return 0; for(int i = 5;i * i <= n;i += 6) { if(n % i == 0 || n % (i + 2) == 0)return 0; } return 1; } int nextprime(int n) { if(n % 2 == 0)n ++; while(!isprime(n))n += 2; return n; } int main() { int n; long long a,b; scanf("%d",&n); hashh *h = creathash(nextprime(n * 2));///創建哈希表 for(int i = 0;i < n;i ++) { scanf("%lld%lld",&a,&b); inserthash(a,h); inserthash(b,h); } findans(h);///遍歷出答案 }
好像還可以用二叉搜索樹,就不嘗試了。估計跟排序差不多。
7-14 電話聊天狂人(25 分)