我有两个与头部和整数元素(无序)连接的循环双向链表。想要在第一个列表中删除包含第二个列表中的值。如何工作指针?怎么做这个排除?需要在第一个列表中搜索值才能删除第二个列表?我该如何与他们合作?可以解释算法的运算来解决吗?
例:
我有两个带头的圆形双向链表。
L1:40 100 90 20 10 32 66
L2:60 10 46 30 80 90
我想在第一个列表中删除第二个列表中的值。第一个列表将是:
L1:40 100 20 32 66
我想知道如何使用列表的指针来进行此排除。我想要一个伪代码的概念。我用C创建代码,但我不懂算法。我需要先了解如何做。
答案 0 :(得分:1)
首先编写算法的伪代码,然后实现可以独立测试的实际函数。
一般伪代码类似于:
for each node in list1
{
if (list2 contains node)
{
remove node from list1
}
}
假定您的列表和节点定义如下:
struct Node
{
struct Node *next;
struct Node *prev;
int number;
}
struct List
{
struct Node *head;
}
// these should be instantiated somewhere
struct List* list1;
struct List* list2;
因此,该函数的骨架将类似于:
struct Node* node = list1->head;
while (node != null)
{
// prepare the next node early
struct Node* next = node->next;
// check if list2 contains a matching node
if (match(list2, node->number))
{
// remove the node properly,
// updating whatever you need to update
remove(list1, node);
}
// if it's circular, check if this
// is the last node
if (next == list1->head)
break;
node = next;
}
所以,现在你只剩下实现两个功能了:
// returns true if any node in list contains the specified number
bool match(struct List* list, int number);
// removes the node from the list
void remove(struct List* list, struct Node* node);