leetcode之两数之和

题目描述

给定一个整数数组 nums 和一个目标值 target,请你在该数组中找出和为目标值的那 两个 整数,并返回他们的数组下标。

你可以假设每种输入只会对应一个答案。但是,你不能重复利用这个数组中同样的元素。

示例:

给定 nums = [2, 7, 11, 15], target = 9

因为 nums[0] + nums[1] = 2 + 7 = 9
所以返回 [0, 1]

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/two-sum

题解

class Solution {
    public int[] twoSum(int[] nums, int target) {
        Map<Integer, Integer> numsMap = new HashMap();
        
        for(int i = 0; i < nums.length; i++){
            numsMap.put(nums[i], i);
        }
        
        for(int i = 0; i < nums.length; i++){
            
            Integer anotherIndex = numsMap.get(target - nums[i]);
            
            if(anotherIndex != null && anotherIndex != i){
                return new int[]{i,anotherIndex.intValue()};
            }
        }
        
        return new int[2];
    
    
    }
}

代码如上

思路

总的来说是搜索的题目,因为无论如何都要遍历一遍nums数组,所以时间复杂度为O(n)。这种题目为了减少时间复杂度,遇事不决用Hash。

总结

开始在leetcode上写题目了~没有代码提示果然会写错好多,而且方法也会忘记怎么写,只能靠记忆了。不过倒是锻炼自己手写代码的能力了,只能靠自己感觉对知识的掌握会很稳固啊。