Problem Description
Given an array of positive integers arr (not necessarily distinct), return the lexicographically largest permutation that is smaller than arr, that can be made with exactly one swap. If it cannot be done, then return the same array.
Key Insights
- The goal is to find a permutation that is smaller than the current one through a single swap.
- The largest permutation smaller than a given one can typically be found by identifying the rightmost pair of elements where the left element is greater than the right element.
- To maximize the result after the swap, the larger element should be swapped with the largest possible element on its right that is smaller than it.
- If no such pair exists, the input array is the smallest permutation and should be returned as is.
Space and Time Complexity
Time Complexity: O(n)
Space Complexity: O(1)
Solution
To find the previous permutation with one swap:
- Traverse the array from the end to find the first pair (arr[i], arr[i+1]) where arr[i] > arr[i+1]. This identifies the point where the order can be altered to create a smaller permutation.
- If no such pair is found, return the original array as it is already the smallest permutation.
- If a pair is found, find the largest element to the right of arr[i] that is smaller than arr[i].
- Swap these two elements.
- Return the modified array.
The algorithm primarily utilizes a single pass to identify the swap positions and another pass to find the correct swap candidate, resulting in an overall linear complexity.