220. Contains Duplicate III

问题描述:

Given an array of integers, find out whether there are two distinct indices i and j in the array such that the absolute difference between nums[i] and nums[j] is at most t and the absolute difference between i and j is at most k.

Example 1:

Input: nums = [1,2,3,1], k = 3, t = 0
Output: true

Example 2:

Input: nums = [1,0,1,1], k = 1, t = 2
Output: true

Example 3:

Input: nums = [1,5,9,1,5,9], k = 2, t = 3
Output: false

 

解题思路:

这道题可以用一个类似滑动窗口外加map的特性来解决。

因为 abs(i-j) > k 所以可以做一个[j, i]的移动窗口,长度为k

利用map的树形结构及方法寻找可能存在的值。

 

代码:

class Solution {
public:
    bool containsNearbyAlmostDuplicate(vector<int>& nums, int k, int t) {
        map<long long, int> m;
        int j = 0;
        for(int i = 0; i <nums.size(); i++){
            if(i - j > k)
                m.erase(nums[j++]);
            auto a = m.lower_bound((long long) nums[i] - t);
            if(a != m.end() && abs(nums[i] - a->first) <= t)
                return true;
            m[nums[i]] = i;
        }
        return false;
    }
};

 

posted @ 2018-06-27 05:22  妖域大都督  阅读(95)  评论(0编辑  收藏  举报