LeetCode 热题 HOT 100——两数之和

题目描述

题目地址

解题思路

代码描述


题目描述

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

你可以假设每种输入只会对应一个答案。但是,数组中同一个元素在答案里不能重复出现。

你可以按任意顺序返回答案。

题目地址

力扣 (leetcode-cn.com)icon-default.png?t=M1H3https://leetcode-cn.com/problems/two-sum/

解题思路

这种题目是Leetcode中最为简单的一种题。

两数关系 -> 对应关系 -> HashMap ! 

当然也可以使用2个for,这种纯暴力的方法来解,但是这样子时间复杂度肯定更高!

关于HashMap还不太会使用的可以看看这里

Java类集框架-Map_Tensorflow-CSDN博客icon-default.png?t=M1H3https://blog.csdn.net/weixin_43715214/article/details/122824976本题是想要在nums数组中,找到任意两个数之和为target。但是在解题过程中,思路应该要反过来想,即:使用target 减去 其中一个数,得到的结果,查找nums数组中有没有该结果

遍历nums数组,对每一个元素都进行(target - nums[i])和HashMap的键对比,若存在则找到了;反之将(num[i],i)加入Hashmap集合里。

代码描述

class Solution {
    public int[] twoSum(int[] nums, int target) {

        // 代码严谨性
        if(nums == null || nums.length < 2) {
            return new int[] {-1, -1};
        }

        int[] res = new int[] {-1,-1};
        HashMap<Integer,Integer> map = new HashMap<>();

        for(int i = 0;i < nums.length;i++) {
            // 判断 HashMap中有没有值为 * 的键
            if(map.containsKey(target - nums[i])){
                res[0] = i;
                res[1] = map.get(target - nums[i]);
                break;
            }
            //没有,就将该键-值对 put进Hashmap集合中
            map.put(nums[i],i);
        }
        return res;
    }
}

posted @ 2022-02-17 21:42  金鳞踏雨  阅读(17)  评论(0编辑  收藏  举报  来源