列表

详情


908. 最小差值 I

给你一个整数数组 nums,和一个整数 k

在一个操作中,您可以选择 0 <= i < nums.length 的任何索引 i 。将 nums[i] 改为 nums[i] + x ,其中 x 是一个范围为 [-k, k] 的整数。对于每个索引 i ,最多 只能 应用 一次 此操作。

nums 的 分数 是 nums 中最大和最小元素的差值。 

在对  nums 中的每个索引最多应用一次上述操作后,返回 nums 的最低 分数

 

示例 1:

输入:nums = [1], k = 0
输出:0
解释:分数是 max(nums) - min(nums) = 1 - 1 = 0。

示例 2:

输入:nums = [0,10], k = 2
输出:6
解释:将 nums 改为 [2,8]。分数是 max(nums) - min(nums) = 8 - 2 = 6。

示例 3:

输入:nums = [1,3,6], k = 3
输出:0
解释:将 nums 改为 [4,4,4]。分数是 max(nums) - min(nums) = 4 - 4 = 0。

 

提示:

原站题解

去查看

上次编辑到这里,代码来自缓存 点击恢复默认模板
class Solution { public: int smallestRangeI(vector<int>& nums, int k) { } };

rust 解法, 执行用时: 0 ms, 内存消耗: 2.3 MB, 提交时间: 2024-10-20 10:05:43

impl Solution {
    pub fn smallest_range_i(nums: Vec<i32>, k: i32) -> i32 {
        let mn = *nums.iter().min().unwrap();
        let mx = *nums.iter().max().unwrap();
        (mx - mn - 2 * k).max(0)
    }
}

javascript 解法, 执行用时: 0 ms, 内存消耗: 51.8 MB, 提交时间: 2024-10-20 10:05:29

/**
 * @param {number[]} nums
 * @param {number} k
 * @return {number}
 */
var smallestRangeI = function(nums, k) {
    const mn = Math.min(...nums);
    const mx = Math.max(...nums);
    return Math.max(mx - mn - 2 * k, 0);
};

cpp 解法, 执行用时: 0 ms, 内存消耗: 17.7 MB, 提交时间: 2024-10-20 10:05:15

class Solution {
public:
    int smallestRangeI(vector<int>& nums, int k) {
        auto [m, M] = ranges::minmax(nums);
        return max(M - m - k * 2, 0);
    }
};

java 解法, 执行用时: 3 ms, 内存消耗: 43.6 MB, 提交时间: 2024-10-20 10:05:01

class Solution {
    public int smallestRangeI(int[] nums, int k) {
        int mn = nums[0];
        int mx = nums[0];
        for (int x : nums) {
            mn = Math.min(mn, x);
            mx = Math.max(mx, x);
        }
        return Math.max(mx - mn - 2 * k, 0);
    }
}

python3 解法, 执行用时: 3 ms, 内存消耗: 17.4 MB, 提交时间: 2024-10-20 10:04:48

class Solution:
    def smallestRangeI(self, nums: List[int], k: int) -> int:
        return max(max(nums) - min(nums) - k * 2, 0)

golang 解法, 执行用时: 0 ms, 内存消耗: 7.3 MB, 提交时间: 2024-10-20 10:04:22

func smallestRangeI(nums []int, k int) int {
    return max(slices.Max(nums)-slices.Min(nums)-k*2, 0)
}

golang 解法, 执行用时: 36 ms, 内存消耗: 6.1 MB, 提交时间: 2021-06-11 11:23:25

func smallestRangeI(nums []int, k int) int {
    n := len(nums)
    sort.Ints(nums)
    if nums[n-1] - nums[0] > k * 2 {
        return nums[n-1] - nums[0] - k * 2
    }
    return 0
}

上一题