【50.反转链表 II】

14 阅读1分钟

题目

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

示例 1:

输入: head = [1,2,3,4,5], left = 2, right = 4
输出: [1,4,3,2,5]

题解

方式一:迭代

如果想采用一次性翻转就需要记录区域前一个和后一个共两个节点

public ListNode reverseBetween(ListNode head, int left, int right) {
    ListNode dummy = new ListNode(0, head);
    
    ListNode pre = dummy; // 翻转区域前一个节点
    for (int i = 0; i < left - 1; i++) {
        pre = pre.next;
    }
    
    ListNode cur = pre.next;
    ListNode next = null;
    // 一个一个翻转
    for (int i = 0; i < right - left; i++) {
        next = cur.next;
        cur.next = next.next;
        next.next = pre.next;
        pre.next = next;
    }
    
    return dummy.next;
}

总结

算法:迭代