我正在尝试创建一个名为IntNode *interleave_lists(IntNode *head_1, IntNode *head_2);的链表函数,该函数需要两个链表,将它们组合在一起并返回指向头部的指针。

示例:假设head_1指向包含三个整数的链接列表:1、3、5和head_2
指向包含5个整数的链接列表:10、11、12、13、14。新的链接列表将包含8
整数,依次为:1、10、3、11、5、12、13、14。

我有以下结构可帮助创建链接列表:

struct intnode {
   int value;
   struct intnode *next;
};
typedef struct intnode IntNode;

IntNode *intnode_construct(int value, IntNode *next)
{
   IntNode *p = malloc(sizeof(IntNode));
   assert (p != NULL);
   p->value = value;
   p->next = next;
   return p;
}
void print_linked_list(IntNode *p) //for printing linked list
{
    if (p == NULL) {
        printf("empty list");
        return;
    }

    /* Print every node in the linked list except the last one,
       using the format: value1 -> value2 -> value3 -> ...
     */
    for (; p->next != NULL; p = p->next) {
        printf("%d -> ", p->value);
    }

    /* Print the last node. */
    printf("%d", p->value);
}


现在尝试创建我拥有的功能:

IntNode *interleave_lists(IntNode *head_1, IntNode *head_2)
{
    int count = 1;
    IntNode *p1=head_1, *p2=head_2,*head=NULL;
    for(; (p1->next != NULL) || (p2->next != NULL); p1 = p1->next, p2 = p2->next){
        if(p1 != NULL && count == 1){
            head = intnode_construct(p1->value,head);
            count = 0;
        } else if(p2 != NULL && count == 0){
            head = intnode_construct(p2->value,head);
        }
    }
    return head;
}


但是每次我运行它时,控制台都会显示CRT:未处理的异常(主要)-终止。
我对该功能的测试用例:

int main(void)
{
    IntNode *list1 = NULL,*list2 = NULL; // An empty linked list.
    list1 = intnode_construct(5, list1);
    list1 = intnode_construct(3, list1);
    list1 = intnode_construct(1, list1);

    list2 = intnode_construct(14, list2);
    list2 = intnode_construct(13, list2);
    list2 = intnode_construct(12, list2);
    list2 = intnode_construct(11, list2);
    list2 = intnode_construct(10, list2);


    IntNode *head = NULL;

    head = interleave_lists(list1, list2);
    print_linked_list(head);
}

最佳答案

多个问题


您检查p->next != NULL而不是p != NULL,因此丢失了列表的最后一个元素
您的循环将检查p1 || p2,并在任何一个指针尚未到达末尾时进行循环。因此,如果列表的长度不同,则短列表的指针将结束并崩溃。
您的intnode_construct函数从右到左(从尾到头)构造列表,但是您从头到尾进行迭代,因此在交错列表时会反转它们。


反转列表的意思是您需要从尾部插入,使您的interleave_lists函数更容易递归实现:

IntNode *copy_list(IntNode *head)
{
    if (!head) return head;
    return intnode_construct(head->value, copy_list(head->next));
}

IntNode *interleave_lists(IntNode *head_1, IntNode *head_2)
{
    if (!head_1) return copy_list(head_2);
    return intnode_construct(head_1->value, interleave_lists(head_2, head_1->next));
}


或者,您可以进行“破坏性”插入,重新使用输入列表的节点:

IntNode *interleave_lists(IntNode *head_1, IntNode *head_2)
{
    if (!head_1) return head_2;
    head_1->next = interleave_lists(head_2, head_1->next);
    return head_1;
}

10-08 04:25