我有以下代码来合并两个已排序的链接列表:
struct node* merge(struct node* a, struct node* b)
{
struct node dummy;
struct node* tail = &dummy;
dummy.next = NULL;
while(1)
{
if(a == NULL)
{
tail->next = b;
break;
}
else if (b == NULL)
{
tail->next = a;
break;
}
if (a->data <= b->data)
{
MoveNode(&(tail->next), &a);
}
else
{
MoveNode(&(tail->next), &b);
}
tail = tail->next;
}
return(dummy.next);
}
void MoveNode(struct node** destRef, struct node** sourceRef)
{
struct node* newNode = *sourceRef;
*sourceRef = newNode->next;
newNode->next = *destRef;
*destRef = newNode;
}
它工作正常。我试图将它变成递归方法,这就是我得到的:
struct node* Merge(struct node* a, struct node* b)
{
struct node* result;
if (a == NULL)
return(b);
else if (b==NULL)
return(a);
if (a->data <= b->data)
{
result = Merge(a->next, b);
}
else
{
result = Merge(a, b->next);
}
return(result);
}
但结果中缺少许多节点。有什么问题?
答案 0 :(得分:3)
您的基本条件是正确的。但是你的递归条件存在问题。
将a
的数据与b
的数据进行比较时,您不是将节点a
或节点b
复制到result
。
尝试:
struct node* result;
if (a == NULL)
return(b);
else if (b==NULL)
return(a);
if (a->data <= b->data)
{
// make result point to node a.
result = a;
// recursively merge the remaining nodes in list a & entire list b
// and append the resultant list to result.
result->next = Merge(a->next, b);
}
else
{
result = b;
result->next = Merge(a, b->next);
}
return(result);