题目
Given an array of integers, return indices of the two numbers such that they add up to a specific target.
You may assume that each input would have exactly one solution, and you may not use the same element twice.
题目大意
在数组中找到 2 个数之和等于给定值的数字,结果返回 2 个数字在数组中的下标。
解题思路
这道题最优的做法时间复杂度是 O(n)。
顺序扫描数组,对每一个元素,在 map 中找能组合给定值的另一半数字,如果找到了,直接返回 2 个数字的下标即可。如果找不到,就把这个数字存入 map 中,等待扫到“另一半”数字的时候,再取出来返回结果。
my answer
func twoSum(nums []int, target int) []int {
if len(nums)==0{
return nil
}
numMap:=make(map[int]int,1)
for k,v := range nums{
if k==0{
numMap[v]=k
continue
}
if value,isOk:=numMap[target-v];isOk{
result:=[]int{value,k}
return result
}
numMap[v]=k
}
return nil
}
answer
package leetcode
func twoSum(nums []int, target int) []int {
package leetcode
func twoSum(nums []int, target int) []int {
m := make(map[int]int)
for i := 0; i < len(nums); i++ {
another := target - nums[i]
if _, ok := m[another]; ok {
return []int{m[another], i}
}
m[nums[i]] = i
}
return nil
}
两个代码分析
第一个代码比较累赘,第二比较简介,,都是使用map
map返回值是value和bool
(第一个代码比第二个快4ms)来自LeetCode
func twoSum(nums []int, target int) []int {
numsMap := map[int]int{}
for key,value:=range nums{
if _,isOk:=numsMap[target-value];isOk{
return []int{numsMap[target-value],key}
}
numsMap[value] = key
}
return nil
}
思路:
1、先初始化map,存储key-value
2、遍历数组,是否存在和现在的value相加等于目标值的值
3、找到就返回,没找到就记录
4、没有返回空切片
网友评论