LeetCode 217. 存在重复元素 Contains Duplicate
两种思路想算法:
1、不使用额外空间,空间复杂度为 O(1) —— 时间换空间
2、使用额外空间达到时间复杂度最小 —— 空间换时间
Table of Contents
中文版:
给定一个整数数组,判断是否存在重复元素。
如果任何值在数组中出现至少两次,函数返回 true。如果数组中每个元素都不相同,则返回 false。
示例 1:
输入: [1,2,3,1]
输出: true
示例 2:
输入: [1,2,3,4]
输出: false
示例 3:
输入: [1,1,1,3,3,4,3,2,4,2]
输出: true
英文版:
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. Example 1: Input: [1,2,3,1] Output: true Example 2: Input: [1,2,3,4] Output: false Example 3: Input: [1,1,1,3,3,4,3,2,4,2] Output: true 来源:力扣(LeetCode) 链接:https://leetcode-cn.com/problems/contains-duplicate 著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
My answer:
class Solution: def containsDuplicate(self, nums: List[int]) -> bool: # version 1: 时间复杂度 O(nlogn) (因为有排序),不使用额外空间,空间复杂度 O(1) # nums.sort() # for i in range(1,len(nums)): # if nums[i] == nums[i - 1]: # return True # return False # version 2: 使用额外空间,空间复杂度 O(n),时间复杂度 O(n) nodup = set() for item in nums: if item in nodup: return True else: nodup.add(item) return False
解题报告:
1、version 1 使用 Python 自带的排序函数 sort(),nums 变为有序数组之后只要相邻两个数一样,则满足题意。
2、version 2 使用 set 集合,是利用了 set 无重复的特性,且 set 比 list 查找快,原因是 set 查找是通过哈希查找,时间复杂度约为 O(1),而 list 是遍历查找,复杂度为 O(n)。