Back to all solutions
#206 - Reverse Linked List
Problem Description
Given the head of a singly linked list, reverse the list, and return the reversed list.
Solution
/**
* 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) {
let prev = null;
let tail = head;
while (tail) {
const next = tail.next;
tail.next = prev;
prev = tail;
tail = next;
}
return prev;
};