This chapter will cover linked lists. A linked list is a data structure in which each node points to another node. Unlike arrays, which have a fixed size, a linked list is a dynamic data structure that can allocate and deallocate memory at runtime. By the end of this chapter, you will understand how to implement and work with linked lists.
There are two types of linked lists discussed in this chapter: singly and doubly linked lists. Let’s examine the singly linked list first.
Singly Linked Lists

Singly linked list
The start of the linked list is referred to as the head . This property defaults to null before inserting any element into the linked list.
Insertion
Time Complexity: O(1)
This is a constant time operation; no loops or traversal is required.
Deletion by Value

Interior node removal from a singly linked list
Time Complexity: O(n)
In the worst case, the entire linked list must be traversed.
Deletion at the Head
Search
Time Complexity: O(n)
Like with the deletion operation, in the worst case, the entire linked list must be traversed.
Doubly Linked Lists

Doubly linked list example with five nodes
Insertion at the Head
Time Complexity: O(1)
Insertion at the Tail
Time Complexity: O(1)
Deletion at the Head
Time Complexity: O(1)
Deletion at the Tail
Time Complexity: O(1)
Search
Time Complexity: O(n)
Time Complexity: O(n)
Although the time complexity for search is the same as the singly linked list’s search, only the doubly linked list can search bidirectionally (using prev or next). This means that if given a reference to a doubly linked list node, doubly linked lists can perform a full search, but a singly linked list is limited to only its next pointers .
Summary
The linked list data structure works by each node having a next pointer (and previous, or prev, pointer if doubly linked) to a different node. Insertion for both singly and doubly linked lists has a constant time complexity of O(1). The time complexity of deleting from the head of the singly and doubly linked lists is O(1) as well. However, searching for an item in both singly and doubly linked list takes O(n) time. Doubly linked lists should be used over singly linked lists when bidirectional traversal/search is required. Furthermore, doubly linked lists allow you to pop from either the tail or the head of the linked list for a flexible and fast O(1) operation.
Exercises
You can find all the code for the exercises on GitHub.2
REVERSE A SINGLY LINKED LIST
Time Complexity: O(n)
Space Complexity: O(1)
To fully reverse a linked list, the entire N elements of the linked list must be traversed.
DELETE DUPLICATES IN A LINKED LIST
Time Complexity: O(n2)
Space Complexity: O(n)
Time Complexity: O(n)
Space Complexity: O(n)
Use of the JavaScript Object as a hash table to store and check for seen elements cuts it down to O(n) but O(n) in space as extra memory is required for the hash table.