当前位置: 代码迷 >> 综合 >> 1032 Sharing (25分)
  详细解决方案

1032 Sharing (25分)

热度:29   发布时间:2024-01-25 07:59:16.0

1032 Sharing (25分)
题目传送门

To store English words, one method is to use linked lists and store a word letter by letter. To save some space, we may let the words share the same sublist if they share the same suffix. For example, loading and being are stored as showed in Figure 1.

fig.jpg

Figure 1

You are supposed to find the starting position of the common suffix (e.g. the position of i in Figure 1).

解题思路:
高级思路

大神的真是又短又快,我用的是基本上最傻逼的思路,把两个串的具体内容找出来放在两个数组v1,v2中,然后从后往前比较找到最后一个元素相同的即为所求的位置。
题目中的坑:
正常来说,一般写好后过前三个用例是正常的,我就是。。。然后第四个用例我真的觉得有点坑,题目明明说了两个串的的开始地址为positive int,即正数,但是第四个用例却是直接为-1,所以必须注意,要不然就是越界。
第五,六个用例,printf("%05d\n",res);加上这个输出就好。
第六个用例,主要是:有可能会有相同的字母在不同的地址处,那么此时就不能认为是相同的后缀,所以比较v1,v2中元素时,必须同时判断元素的具体char字符和它的对应地址才可以。
下面是代码和AC结果:在这里插入图片描述

#include<iostream>
#include<vector>
#include<stdio.h>
using namespace std;
const int maxn=1e5+5;
struct node{int next;char ch;node(int _next,char _ch){next=_next;ch=_ch;}
};
struct kuai{int pos;char ch;kuai(int _pos,char _ch){pos=_pos;ch=_ch;}
};
vector<node>N(maxn,node(1,'a'));
vector<kuai>v1,v2;
bool equal(kuai k1,kuai k2){if(k1.ch==k2.ch&&k1.pos==k2.pos)return true;elsereturn false;
}
int main(){freopen("in.txt","r",stdin);//cout<<N.size()<<endl;int start1,start2,n,start;scanf("%d %d %d",&start1,&start2,&n);start=start1;while(n--){int addr,next_add;char c;scanf("%d %c %d",&addr,&c,&next_add);N[addr]=node(next_add,c);}while(start1!=-1){v1.push_back(kuai(start1,N[start1].ch));start1=N[start1].next;}while(start2!=-1){v2.push_back(kuai(start2,N[start2].ch));start2=N[start2].next;}int n1,n2;n1=v1.size()-1;n2=v2.size()-1;if(n1<0||n2<0||equal(v1[n1],v2[n2])==false){printf("-1\n");}else{while(equal(v1[n1],v2[n2])){n1--;n2--;if(n1<0||n2<0)break;}int res=start;for(int i=0;i<=n1;i++){res=N[res].next;}printf("%05d\n",res);}return 0;
}
  相关解决方案