题目:
Given an integer array nums, return true if any value appears at least twice in the array, and return false if every element is distinct.
给定一个整数数组,判断是否存在重复元素。
如果存在一值在数组中出现至少两次,函数返回 true 。如果数组中每个元素都不相同,则返回 false 。
Example 1:
Input: nums = [1,2,3,1] Output: true
示例 1:
输入: [1,2,3,1] 输出: true
Example 2:
Input: nums = [1,2,3,4] Output: false
示例 2:
输入: [1,2,3,4] 输出: false
Example 3:
Input: nums = [1,1,1,3,3,4,3,2,4,2] Output: true
示例 3:
输入: [1,1,1,3,3,4,3,2,4,2] 输出: true
Constraints:
- 1 <= nums.length <=
1
0
5
10^5
105
- -
1
0
9
10^9
109 <= nums[i] <=
1
0
9
10^9
109
提示:
- 1 <= nums.length <=
1
0
5
10^5
105
- -
1
0
9
10^9
109 <= nums[i] <=
1
0
9
10^9
109
解题思路:
方法一:排序
我们将数字从小到大排序,判断相邻两数是否相等如果相等则存在重复元素返回true。
Python代码
class Solution:
def containsDuplicate(self, nums: List[int]) -> bool:
nums.sort()
for i in range(len(nums)-1):
if nums[i] == nums[i+1]:
return true
return false
Java代码
class Solution {
public boolean containsDuplicate(int[] nums) {
Arrays.sort(nums);
int n = nums.length;
for (int i = 0; i < n - 1; i++) {
if (nums[i] == nums[i + 1]) {
return true;
}
}
return false;
}
}
C++代码
class Solution {
public:
bool containsDuplicate(vector<int>& nums) {
sort(nums.begin(), nums.end());
int n = nums.size();
for (int i = 0; i < n - 1; i++) {
if (nums[i] == nums[i + 1]) {
return true;
}
}
return false;
}
};
复杂度分析
- 时间复杂度:O(
n
l
o
g
n
nlog_n
nlogn?),其中 n 为数组的长度。
- 空间复杂度:O(
l
o
g
n
log_n
logn?),其中 n 为数组的长度。注意:栈空间。
方法二:哈希表
我们通过遍历数组数字并将数字插入哈希表当数组的数字与哈希表中的数字重复时返回true。
Python代码
class Solution:
def containsDuplicate(self, nums: List[int]) -> bool:
hash_nums = collections.defaultdict(int)
for i in nums:
hash_nums[i] += 1
if hash_nums[i] > 1:
return True
return False
class Solution:
def containsDuplicate(self, nums: List[int]) -> bool:
return len(list(set(nums))) != len(nums)
Java代码
class Solution {
public boolean containsDuplicate(int[] nums) {
HashSet<Integer> set = new HashSet<Integer>();
for (int x : nums) {
if (!set.add(x)) {
return true;
}
}
return false;
}
}
C++代码
class Solution {
public:
bool containsDuplicate(vector<int>& nums) {
unordered_set<int> s;
for (int x: nums) {
if (s.find(x) != s.end()) {
return true;
}
s.insert(x);
}
return false;
}
};
复杂度分析
- 时间复杂度:O(n),其中 n 为数组的长度。
- 空间复杂度:O(n),其中 n 为数组的长度。
|