题目描述
给你一个整数数组 nums
(下标 从 0 开始 计数)以及两个整数 target
和 start
,请你找出一个下标 i
,满足 nums[i] == target
且 abs(i - start)
最小化。注意:abs(x)
表示 x
的绝对值。
返回 abs(i - start)
。
题目数据保证 target
存在于 nums
中。
样例
输入:nums = [1,2,3,4,5], target = 5, start = 3
输出:1
解释:nums[4] = 5 是唯一一个等于 target 的值,所以答案是 abs(4 - 3) = 1。
输入:nums = [1], target = 1, start = 0
输出:0
解释:nums[0] = 1 是唯一一个等于 target 的值,所以答案是 abs(0 - 0) = 1。
输入:nums = [1,1,1,1,1,1,1,1,1,1], target = 1, start = 0
输出:0
解释:nums 中的每个值都是 1,但 nums[0] 使 abs(i - start) 的结果得以最小化,
所以答案是 abs(0 - 0) = 0。
限制
1 <= nums.length <= 1000
1 <= nums[i] <= 10^4
0 <= start < nums.length
target
存在于nums
中。
算法
(暴力枚举) $O(n)$
- 枚举每一个位置,判断并更新答案。
时间复杂度
- 遍历数组一次,故时间复杂度为 $O(n)$。
空间复杂度
- 仅需要常数的额外空间。
C++ 代码
class Solution {
public:
int getMinDistance(vector<int>& nums, int target, int start) {
const int n = nums.size();
int ans = INT_MAX;
for (int i = 0; i < n; i++)
if (nums[i] == target)
ans = min(ans, abs(i - start));
return ans;
}
};