查找两个单词链表共同后缀的起始结点
输入
多组数据,每组数据有三行,第一行为链表str1和str2的长度n和m,第二行为链表str1的n个元素,第三行为链表str2的m个元素(元素之间用空格分隔)。n=0且m=0时输入结束。
输出
对于每组数据输出一行,为共同后缀的起始位置结点对应的字符。
浅谈思路:当输入的两个字符链表不等长时,遍历将长的链表指针指向与短链表等长位置,eg. c1指针指向loading的字母a c2指针指向being的字母b。转换成等长字符串的比较
#include <bits/stdc++.h>
using namespace std;
//结点
typedef struct Lnode {
char data;
struct Lnode *next;
}Lnode,*Linklist;
//尾插建表
void Creatlist(Linklist &L,char &e) {
Lnode *p = new Lnode;
p->data = e;
p->next = NULL;
Lnode *cur = L;
while (cur->next)
{
cur = cur->next;
}
cur->next = p;
p->next = NULL;
}
//初始化
void Initlist(Linklist &L) {
L = new Lnode;
L->next = NULL;
}
//共同后缀de起始字符
void Togetchar(Linklist &L1, Linklist &L2,int n,int m) {
Lnode *c1 = L1->next;
Lnode *c2 = L2->next;
int count = 0;
if (n > m) {
while (n > m&&count < (n - m))
{
c1 = c1->next; //定位
count++;
}
while(c1->data != c2->data)
{
c1 = c1->next;
c2 = c2->next;
}
cout << c1->data << endl;
}
else if (n < m){
while ( n < m &&count < (m - n))
{
c2 = c2->next;//定位
count++;
}
while (c1->data != c2->data)
{
c1 = c1->next;
c2 = c2->next;
}
cout << c1->data << endl;
}
}
//打印
void Print(Linklist &L) {
Lnode *cur = L->next;
while (cur->next)
{
cout << cur->data << " ";
cur = cur->next;
}
cout << cur->data << endl; //处理最后一个空格
}
int main() {
int n,m;
while (scanf("%d %d",&n,&m)!=EOF)
{
if (n == 0&&m==0) break;
Linklist L1;
Initlist(L1);
for (int i = 0; i < n; i++) { //建表
char e; cin >> e;
Creatlist(L1, e);
}
Linklist L2;
Initlist(L2);
for (int i = 0; i < m; i++) { //建表
char e; cin >> e;
Creatlist(L2, e);
}
Togetchar(L1, L2, n, m);
}
}