一、找一个数是否在元素集合中>>哈希表
-
题目:给定一个整数数组 nums 和一个整数目标值 target,请你在该数组中找出 和为目标值 target 的那 两个 整数,并返回它们的数组下标。你可以假设每种输入只会对应一个答案。但是,数组中同一个元素在答案里不能重复出现。
-
类型:无序查找用哈希表
-
思路:01-记录所有数字的索引和值;02-找到num在nums中,target-num也在的情况,同时两者的索引不能相同。
-
经验:(1)for遍历只能针对range或者enumerate对象,不能针对字典;(2)哈希表查找时间复杂度为O(n),如果是两层for循环时间复杂度为O(n^2)。
def twoSum(self, nums: List[int], target: int) -> List[int]:
hashmap={}
for index,value in enumerate(nums):
hashmap[value]=index
for index,value in enumerate(nums): #字典不能用于遍历,要用enumerate函数
if (target-value in hashmap) and (hashmap[target-value]!=index):
return [index,hashmap[target-value]]
二、找两个数,在有序数组中>>首尾指针
-
题目:给定一个已按照 升序排列 的整数数组 numbers ,请你从数组中找出两个数满足相加之和等于目标数 target 。函数应该以长度为 2 的整数数组的形式返回这两个数的下标值。你可以假设每个输入只对应唯一的答案,而且你不可以重复使用相同的元素。
-
类型:有序查找用首尾双指针
-
思路:01-初始化首尾;02-由于left和right分别向中间走,所以用while最方便;03-判断三种情况,只有找到目标才输出结果。
-
经验:(1)首尾双指针法查找每次更新的步数是1步;(2)首尾双指针用while left<right作为循环结束条件。
def twoSum(self, numbers: List[int], target: int) -> List[int]:
left,right=0,len(numbers)-1
while left<right:
sum_=numbers[left]+numbers[right]
if sum_==target:return [left+1,right+1]
elif sum_<target:left+=1
else:right-=1
找三个数>>排序+for+双指针
- 三数之和
找四个数>>排序+双层for+双指针
- 四数之和