86. Partition List 🔗

Difficulty: Medium - Tags: Linked List

LeetCode Problem Link


Problem Statement 📜

Given the head of a linked list and a value x, partition it such that:

  1. All nodes with values less than x come before nodes with values greater than or equal to x.

  2. The relative order of the nodes in each partition should be preserved.


Examples 🌟

🔹 Example 1:

Input:

Output:


🔹 Example 2:

Input:

Output:


Constraints ⚙️

  • The number of nodes in the list is in the range [0, 200].

  • -100 <= Node.val <= 100.

  • -200 <= x <= 200.


Solution 💡

To partition the list:

  1. Use two pointers (less and greater) to track nodes:

    • less collects nodes with values less than x.

    • greater collects nodes with values greater than or equal to x.

  2. Reconnect the two partitions at the end.


Java Solution


Explanation of the Solution

  1. Dummy Nodes:

    • Use dummy nodes to simplify handling the head of each partition.

  2. Partitioning:

    • Traverse the original list, adding nodes with values < x to the less partition and others to the greater partition.

  3. Reconnecting:

    • End the greater partition to prevent cycles.

    • Connect the less partition to the start of the greater partition.


Time Complexity ⏳

  • O(n): Each node is visited once.

Space Complexity 💾

  • O(1): Uses constant extra space.


Follow-up 🧐

This solution maintains the relative order of nodes in both partitions while achieving optimal time and space complexity. It is robust against edge cases like empty lists or when all nodes belong to one partition.

You can find the full solution here.

Last updated

Was this helpful?