您的位置:首页 > 大数据 > 人工智能

【LeetCode】217 & 219 - Contains Duplicate & Contains Duplicate II

2015-08-02 15:00 429 查看
217 - Contains Duplicate

Given an array of integers, find if the array contains any duplicates. Your function should return true if any value appears at least twice in the array, and it should return false if every element is distinct.

Solution 1: sort then compare the adjacent number

class Solution {
public:
bool containsDuplicate(vector<int>& nums) {     //runtime:40ms
if(nums.size()<=1)return false;
sort(nums.begin(),nums.end());
for(int i=1;i<nums.size();i++){
if(nums[i-1]==nums[i])return true;
}
return false;
}
};


Solution 2: map记录已存在的int

class Solution {
public:
bool containsDuplicate(vector<int>& nums) {     //runtime:104ms
if(nums.size()<=1)return false;
map<int,bool> m;
for(int i=0;i<nums.size();i++){
if(m[nums[i]]==true)return true;
m[nums[i]]=true;
}
return false;
}
};


219 - Contains Duplicate II

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

class Solution {
public:
bool containsNearbyDuplicate(vector<int>& nums, int k) {
map<int,int> m;
for(int i=0;i<nums.size();i++){
if(m.find(nums[i])==m.end())
m[nums[i]]=i;
else{
if(i-m[nums[i]]<=k)
return true;
else
m[nums[i]]=i;
}
}
return false;
}
};
内容来自用户分享和网络整理,不保证内容的准确性,如有侵权内容,可联系管理员处理 点击这里给我发消息
标签: