21. Merge Two Sorted Lists 🔗
Difficulty: Easy
- Tags: Linked List
, Sorting
Problem Statement 📜
You are given the heads of two sorted linked lists list1
and list2
.
Merge the two lists into one sorted list. The list should be made by splicing together the nodes of the first two lists.
Return the head of the merged linked list.
Examples 🌟
🔹 Example 1:

Input:
list1 = [1,2,4], list2 = [1,3,4]
Output:
[1,1,2,3,4,4]
🔹 Example 2:
Input:
list1 = [], list2 = []
Output:
[]
🔹 Example 3:
Input:
list1 = [], list2 = [0]
Output:
[0]
Constraints ⚙️
The number of nodes in both lists is in the range
[0, 50]
.-100 <= Node.val <= 100
Both
list1
andlist2
are sorted in non-decreasing order.
Solution 💡
To merge the two sorted lists, we can use the following approach:
Create a dummy node to simplify edge cases, and use a pointer to track the current position.
Compare the values of nodes from both lists and attach the smaller node to the merged list.
Move the pointer in the respective list after attaching its node.
When one of the lists is exhausted, attach the remaining nodes from the other list.
Return the merged list starting from the node after the dummy.
Java Solution
class Solution {
public ListNode mergeTwoLists(ListNode list1, ListNode list2) {
// Create a dummy node to serve as the head of the merged list
ListNode dummy = new ListNode(-1);
ListNode current = dummy;
// Compare nodes from both lists and merge them
while (list1 != null && list2 != null) {
if (list1.val <= list2.val) {
current.next = list1;
list1 = list1.next;
} else {
current.next = list2;
list2 = list2.next;
}
current = current.next;
}
// Attach the remaining nodes from list1 or list2
if (list1 != null) {
current.next = list1;
} else {
current.next = list2;
}
return dummy.next;
}
}
Explanation of the Solution
Dummy Node:
A dummy node simplifies handling the head of the merged list by avoiding edge-case checks for the first node.
Comparison:
Compare the current nodes of
list1
andlist2
, and append the smaller node to the merged list.
Exhaustion of Lists:
If one of the lists is completely traversed, attach the remaining nodes of the other list.
Time Complexity ⏳
O(n + m): We iterate through all nodes in both
list1
(of sizen
) andlist2
(of sizem
).
Space Complexity 💾
O(1): The solution is done in place with no additional data structures.
You can find the full solution here.
Last updated
Was this helpful?