前端必备数据结构:(单向链表)反转链表

题目来源:leetcode 206. 反转链表

题目描述:

给你单链表的头节点 head ,请你反转链表,并返回反转后的链表。
前端必备数据结构:(单向链表)反转链表_第1张图片

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

思路描述:

前端必备数据结构:(单向链表)反转链表_第2张图片
由上图可以看出,反转链表的核心是交换 curcue.next

但是因为是单项链表,所有没有前指针,我们可以自己定义一个,pre = null, 把他初始化为1 的前指针 null。

cur为1 ,cur.next 为 2,交换他们的值就是 cue.next = pre // 前指针 把 2 指向 1,把下一个节点的前指针指向当前cur节点,pre = cur,指针如何移动呢?因为改变了cur.next, 所以不能直接使用cur = cur.next,而是改变之前先把cur.next存起来,然后赋值给 cur进行节点移动。

/**
 * Definition for singly-linked list.
 * function ListNode(val, next) {
 *     this.val = (val===undefined ? 0 : val)
 *     this.next = (next===undefined ? null : next)
 * }
 */
/**
 * @param {ListNode} head
 * @return {ListNode}
 */
var reverseList = function(head) {
    if(!head || !head.next) {
        return head
    }
    let next = null
    let pre = null
    let cur = head
    while(cur) {
        next = cur.next
        cur.next = pre
        pre = cur
        cur = next
    }
    return pre
};

前端必备数据结构:(单向链表)反转链表_第3张图片

你可能感兴趣的:(前端必刷数据结构,链表,算法,前端)