Write a Python function to find the minimum element in a rotated sorted list.
Posted by FrankMl
Last Updated: August 12, 2024
Finding the Minimum Element in a Rotated Sorted List
A rotated sorted list is an array that has been sorted and then rotated at some pivot point. For instance, an array [0, 1, 2, 4, 5, 6, 7] can be rotated to form [4, 5, 6, 7, 0, 1, 2]. The goal is to devise a Python function that can efficiently identify the smallest element in such a list.
Approach
The problem can be tackled using a binary search technique which provides a time complexity of O(log n), making it suitable for large lists. The main idea is to leverage the properties of the rotated sorted array to narrow down the search space.
Implementation
Below is a Python function that implements this approach:
def find_min_rotated(nums):
    if not nums:
        raise ValueError("The list is empty")

    left, right = 0, len(nums) - 1
    
    while left < right:
        mid = left + (right - left) // 2
        
        # If mid element is greater than the rightmost element,
        # it means the smallest value is on the right side.
        if nums[mid] > nums[right]:
            left = mid + 1
        else: 
            # Otherwise, the smallest value is on the left side (including mid).
            right = mid
    
    return nums[left]

# Example usage:
rotated_list = [4, 5, 6, 7, 0, 1, 2]
min_element = find_min_rotated(rotated_list)
print(f"The minimum element in the rotated sorted list is: {min_element}")
Explanation of the Code
1. Initial Checks: The function first checks if the input list is empty. If it is, a ValueError is raised. 2. Binary Search Loop: - left and right pointers are initialized to the start and end of the list. - The loop continues until left equals right. - The midpoint mid is calculated. - If the element at mid is greater than the element at right, the minimum must be in the right half, so left is updated to mid + 1. - If it is not greater, the minimum element could be at mid or on the left side, so right is updated to mid. 3. Result: When the loop exits, left points to the minimum element, which is returned.
Conclusion
This function provides a robust and efficient solution to finding the minimum value in a rotated sorted list. By utilizing a binary search approach, the algorithm effectively narrows down the search space, ensuring optimal performance even for larger datasets.