zoukankan      html  css  js  c++  java
  • 219. Contains Duplicate II

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

    Example 1:

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

    Example 2:

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

    Example 3:

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

    Approach #1: c++.

    class Solution {
    public:
        bool containsNearbyDuplicate(vector<int>& nums, int k) {
            unordered_map<string, int> mp;
            for (int i = 1; i <= nums.size(); ++i) {
                if ((mp[to_string(nums[i-1])] > 0) && i - mp[to_string(nums[i-1])] <= k) return true;
                else mp[to_string(nums[i-1])] = i;
            }
            return false;
        }
    };
    

      

    Approach #2: Java.

    class Solution {
        public boolean containsNearbyDuplicate(int[] nums, int k) {
            Set<Integer> set = new HashSet<Integer>();
            for (int i = 0; i < nums.length; ++i) {
                if (i > k) set.remove(nums[i-k-1]);
                if (!set.add(nums[i])) return true;
            }
            return false;
        }
    }
    

      

    Approach #3: Python.

    class Solution(object):
        def containsNearbyDuplicate(self, nums, k):
            """
            :type nums: List[int]
            :type k: int
            :rtype: bool
            """
            dic = {}
            for i, v in enumerate(nums):
                if v in dic and i - dic[v] <= k:
                    return True
                dic[v] = i
            return False
    

      

    Time SubmittedStatusRuntimeLanguage
    a few seconds ago Accepted 44 ms python
    a minute ago Accepted 7 ms java
    4 minutes ago Accepted 52 ms cpp
    永远渴望,大智若愚(stay hungry, stay foolish)
  • 相关阅读:
    ISTQB测试人员认证 初级(基础级)大纲
    5.2 测试计划和估算
    4. 测试设计技术
    V模型与测试级别
    1.3 Seven Testing Principles
    什么是DNS?
    总结SQL查询慢的50个原因
    CPU分几核几核的是什么意思?
    监控查询慢sql
    关于并发用户数的思考-通过PV量换算并发
  • 原文地址:https://www.cnblogs.com/h-hkai/p/9960888.html
Copyright © 2011-2022 走看看