原文链接: https://leetcode-cn.com/problems/shortest-unsorted-continuous-subarray
英文原文
Given an integer array nums
, 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.
Return the shortest such subarray and output its length.
Example 1:
Input: nums = [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.
Example 2:
Input: nums = [1,2,3,4] Output: 0
Example 3:
Input: nums = [1] Output: 0
Constraints:
1 <= nums.length <= 104
-105 <= nums[i] <= 105
Follow up: Can you solve it in
O(n)
time complexity?中文题目
给你一个整数数组 nums
,你需要找出一个 连续子数组 ,如果对这个子数组进行升序排序,那么整个数组都会变为升序排序。
请你找出符合题意的 最短 子数组,并输出它的长度。
示例 1:
输入:nums = [2,6,4,8,10,9,15] 输出:5 解释:你只需要对 [6, 4, 8, 10, 9] 进行升序排序,那么整个表都会变为升序排序。
示例 2:
输入:nums = [1,2,3,4] 输出:0
示例 3:
输入:nums = [1] 输出:0
提示:
1 <= nums.length <= 104
-105 <= nums[i] <= 105
进阶:你可以设计一个时间复杂度为 O(n)
的解决方案吗?
通过代码
高赞题解
分析
我们可以假设把这个数组分成三段,左段
和右段
是标准的升序数组,中段
数组虽是无序的,但满足最小值大于左段
的最大值,最大值小于右段
的最小值。
那么我们目标就很明确了,找中段的左右边界,我们分别定义为begin
和 end
;
分两头开始遍历:
- 从左到右维护一个最大值
max,
在进入右段之前,那么遍历到的nums[i]
都是小于max
的,我们要求的end
就是遍历中最后一个小于max
元素的位置; - 同理,从右到左维护一个最小值
min
,在进入左段之前,那么遍历到的nums[i]也都是大于min
的,要求的begin
也就是最后一个大于min
元素的位置。
代码
class Solution {
public int findUnsortedSubarray(int[] nums) {
//初始化
int len = nums.length;
int min = nums[len-1];
int max = nums[0];
int begin = 0, end = -1;
//遍历
for(int i = 0; i < len; i++){
if(nums[i] < max){ //从左到右维持最大值,寻找右边界end
end = i;
}else{
max = nums[i];
}
if(nums[len-i-1] > min){ //从右到左维持最小值,寻找左边界begin
begin = len-i-1;
}else{
min = nums[len-i-1];
}
}
return end-begin+1;
}
}
统计信息
通过次数 | 提交次数 | AC比率 |
---|---|---|
104254 | 257105 | 40.5% |
提交历史
提交时间 | 提交结果 | 执行时间 | 内存消耗 | 语言 |
---|