思考过程
-
首先需要p1和p2指针来指向A和B链表的下一结点,还需要一个固定指针r同样指向A的下一结点。
-
判断p1->data和p2->data是否相等,如果不相等的话就把r指针和p2指针都往后移,p1指针移动到r的位置。如果p1->data等于p2->data的话,如上图所示,把r指针固定到3的位置不动,让p1指针和p2指针往后移。当p1指向3时,p2指向7,表示现在这几个数不是A连续的子序列,匹配失败,我们就再把r指针指向下一位置,p1移动到r的位置,把p2指针重新移回B->next。
-
当p1->data再次等于p2->data时开始匹配,同样让r指针不动,p1和p2往后移,直到p2把B链表遍历完,此时说明这几个数就是A的连续子列表,匹配成功。
-
最后if判断当p2==NULL时表示我们已经匹配成功,B是A的连续子列表,返回true,否则返回false。
完整代码附上
#include "iostream"
struct node
{
int data;
struct node *next;
};
int a[10] = {1,2,3,4,5,6,3,4,5,7};
int n = 10;
int b[4] = {3,4,5,7};
int m = 4;
//以上只是我举的例子
//创建链表A
void CreateA(struct node *A)
{
struct node *s;
struct node *r = A;
for (int i = 0; i < n; i++)
{
s = (struct node *)malloc(sizeof(struct node));
s->data = a[i];
r->next = s;
r = r->next;
}
s->next = NULL;
}
//创建链表B
void CreateB(struct node *B)
{
struct node *s;
struct node *r = B;
for (int i = 0; i < m; i++)
{
s = (struct node *)malloc(sizeof(struct node));
s->data = b[i];
r->next = s;
r = r->next;
}
s->next = NULL;
}
//为了方便观察把A和B打印出来
void display(struct node *L)
{
struct node *s = L->next;
while (s)
{
printf("%d ", s->data);
s = s->next;
}
printf("\n");
}
//开始判断
bool isok(struct node *A, struct node *B)
{
struct node *p1 = A->next;
struct node *p2 = B->next;
struct node *r = A->next;
while (p1 && p2)
{
if (p1->data != p2->data)
{
r = r->next;
p1 = r;
p2 = B->next;
}
else
{
p1 = p1->next;
p2 = p2->next;
}
}
if (p2 == NULL)
{
printf("TRUE");
return true;
}
else
{
printf("FALSE");
return false;
}
}
int main()
{
struct node *A, *B;
CreateA(A);
CreateB(B);
display(A);
display(B);
isok(A, B);
return 0;
}