LeetCode 2016. Maximum Difference Between Increasing Elements
LeetCode 2016. Maximum Difference Between Increasing Elements (增量元素之间的最大差值)
题目
链接
https://leetcode-cn.com/problems/maximum-difference-between-increasing-elements/
问题描述
给你一个下标从 0 开始的整数数组 nums ,该数组的大小为 n ,请你计算 nums[j] - nums[i] 能求得的 最大差值 ,其中 0 <= i < j < n 且 nums[i] < nums[j] 。
返回 最大差值 。如果不存在满足要求的 i 和 j ,返回 -1 。
示例
输入:nums = [7,1,5,4]
输出:4
解释:
最大差值出现在 i = 1 且 j = 2 时,nums[j] - nums[i] = 5 - 1 = 4 。
注意,尽管 i = 1 且 j = 0 时 ,nums[j] - nums[i] = 7 - 1 = 6 > 4 ,但 i > j 不满足题面要求,所以 6 不是有效的答案。
提示
n == nums.length
2 <= n <= 1000
1 <= nums[i] <= 109
思路
需要获得的是增量元素之间的最大差值,初始值应该是-1,之后进行更新,如果是严格递减的数组的话,就是不会更新。
设置ans存储答案,min存储前面部分的最小值,从头开始遍历,如果当前数大于min,就查看是否能更新ans,小于min就更新min。
复杂度分析
时间复杂度 O(n)
空间复杂度 O(1)
代码
Java
public int maximumDifference(int[] nums) {
int len = nums.length;
int ans = -1;
int min = nums[0];
for (int i = 1; i < len; i++) {
if (nums[i] > min) {
ans = Math.min(ans, nums[i] - min);
} else {
min = nums[i];
}
}
return ans;
}