LeetCode 92 反转链表II

题目描述:

给你单链表的头指针 head 和两个整数 left 和 right ,其中 left <= right 。请你反转从位置 left 到位置 right 的链表节点,返回 反转后的链表 。

和反转链表I相比,只是从全部反转变成只反转left到right部分。

LeetCode 92 反转链表II_第1张图片

解法:

和反转链表I类似,只是改为中间部分旋转,需要定义好left左侧的指针,然后通过头插法将left右边right-left+1个节点插入即可。

在实现过程中,需要特别注意哑节点的使用,引入哑节点之后对头结点的处理更方便。

比如给的例子left为1,需要从最左边进行反转,如果引入哑节点dummy指向head,直接从哑节点dummy->next后翻转,最后返回dummy->next就行,处理起来很方便。

代码:
class Solution {
public:
    ListNode* reverseBetween(ListNode* head, int left, int right) {
        // 反转位置left到right中间的节点
        ListNode* dummyHead=new ListNode();
        dummyHead->next=head;
        int count=right-left+1;
        ListNode* p=dummyHead;
        while(--left){
            p=p->next;
        }
        p->next=reversePreList(p->next, count);
        return dummyHead->next;
    }

    ListNode* reversePreList(ListNode* head, int count){
        // 给定函数一个头节点和count,反转头结点到count数量的节点
        // 返回头节点
        if(count<=1) return head;
        ListNode* dummyHead=new ListNode();
        dummyHead->next=head;
        // 定义哑节点 方便返回
        for(int i=1; i<count; i++){
            ListNode* tmp=head->next->next;
            head->next->next=dummyHead->next;
            dummyHead->next=head->next;
            head->next=tmp;
        }
        return dummyHead->next;
    }
};

你可能感兴趣的:(Leetcode,leetcode,算法,链表)