[C/C++] List相关操作

List相关操作

1 链表二分

目标:

(1)对于偶数节点,正好对半分;

(2)对于奇数节点,前 = 后 + 1

(3)断开链表,方便后期合并

cpp 复制代码
// 使用快慢指针完成中点拆分
ListNode *SplitList(ListNode *head) {
    ListNode *slow{head};
    ListNode *fast{head};

    while (fast->next != nullptr && fast->next->next != nullptr) {
        slow = slow->next;
        fast = fast->next->next;
    }

    ListNode *mid = slow->next;
    slow->next = nullptr;
    return mid;
}

2 链表合并

cpp 复制代码
ListNode *MergeList(ListNode *head1, ListNode *head2) {
    ListNode dummy{};
    ListNode *cur = &dummy;

    while (head1 != nullptr && head2 != nullptr) {
        if (head1->val < head2->val) {
            cur->next = head1;
            head1 = head1->next;
        } else {
            cur->next = head2;
            head2 = head2->next;
        }

        cur = cur->next;
    }


    cur->next = (head1 != nullptr) ? head1 : head2;
    return dummy.next;
}

3 链表排序

cpp 复制代码
ListNode* sortList(ListNode* head) {
    // 题目进阶要求 nlgn => 希尔/归并/快速/堆
    if (head == nullptr || head->next == nullptr) {
        return head;
    }

    ListNode *head2 = SplitList(head);

    head = sortList(head);
    head2 = sortList(head2);

    return MergeList(head, head2);
}

4 多链表合并

cpp 复制代码
ListNode* mergeKLists(vector<ListNode*>& lists) {
    auto cmp = [](const ListNode *lhs, const ListNode *rhs) {
        return lhs->val > rhs->val;
    };

	// 通过优先级队列进行排序,并将取出的后续节点继续插入
    priority_queue<ListNode *, vector<ListNode *>, decltype(cmp)> pq{};

    for (auto head : lists) {
        if (head != nullptr) {
            pq.push(head);
        }
    }

    ListNode dummy{};
    ListNode *cur = &dummy;

    while (!pq.empty()) {
        // 取最小
        ListNode *node = pq.top();
        pq.pop();

        if (node->next != nullptr) {
            pq.push(node->next);
        }

        cur->next = node;
        cur = node;
    }

    return dummy.next;
}
相关推荐
YOULANSHENGMENG9 分钟前
linux上使用cmake编译的方法
开发语言·c++
神仙别闹36 分钟前
基于QT(C++)实现的坦克大战
数据库·c++·qt
float_六七42 分钟前
头文件math/cmath
c++·算法·stl
小林熬夜学编程2 小时前
【Linux网络编程】第二十弹---熟练I/O多路转接:深入解析select机制与实战
linux·运维·服务器·c语言·开发语言·网络·c++
arong_xu3 小时前
C++23 格式化输出新特性详解: std::print 和 std::println
开发语言·c++·c++23
玉带湖水位记录员8 小时前
外观模式——C++实现
c++·外观模式
zhonguncle10 小时前
「C++笔记」vector:C++中的新式“数组”
c++
❦丿多像灬笑话、℡11 小时前
leetcode热题100(763. 划分字母区间) c++
c++·算法·leetcode
Tiandaren12 小时前
医学图像分析工具01:FreeSurfer || Recon -all 全流程MRI皮质表面重建
c++·图像处理·python·深度学习·数据挖掘·数据分析·健康医疗
xianwu54314 小时前
cpp编译链接等
linux·开发语言·网络·c++·git