Problem Statement

Given an integer array, you need to find one continuous subarray that if you only sort this subarray in ascending order, then the whole array will be sorted in ascending order, too.

You need to find the shortest such subarray and output its length. URL

Example 1:

Input: [2, 6, 4, 8, 10, 9, 15]
Output: 5

Explanation:

You need to sort [6, 4, 8, 10, 9] in ascending order to make the whole array sorted in ascending order.

Note:

- Then length of the input array is in range [1, 10,000].
- The input array may contain duplicates, so ascending order here means <=.

Approach 1

Reference))

#collapse-hide
from typing import List

class Solution:
    def findUnsortedSubarray(self, nums: List[int]) -> int:
        sortedArr = sorted(nums)
        startIndex = 0
        endIndex = len(nums)-1
        if nums == sortedArr:
            return 0
        while(nums[endIndex] == sortedArr[endIndex]):
            endIndex -= 1
        while(nums[startIndex] == sortedArr[startIndex]):
            startIndex += 1
            
        return (endIndex-startIndex)+1                
sol = Solution()
sol.findUnsortedSubarray([2, 6, 4, 8, 10, 9, 15])
5
sol.findUnsortedSubarray([])
0
sol.findUnsortedSubarray([1, 2, 3, 4])
0

Worst case performance in Time: $O(nlogn)$