Passion and Patience

Work Hard, Play Hard

导航

Leecode 求两数之和

Day1 刷题

  1. 我的解题思路是按照第一个元素往后排,不重复的找相加的组合,判断是否为target值,时间复杂度较高,为\(\mathcal{O}(n^2)\)
class Solution {
    public int[] twoSum(int[] nums, int target) {
        int flag = 1;
        while (flag == 1) {
            for (int i = 0; i < nums.length; i++) {
                for (int j = i+1; j < nums.length; j++) {
                    if (nums[i] + nums[j] == target) {
                        flag = 0;
                        return new int[]{i,j};                        
                    }
                }
            }
        }
        return new int[0];
    }
}
  1. 力扣官方题解的解题思路如下:巧妙利用hash表的找值特点,且先找值再插值的方法避免了找值找到自己!只能说太神了!
class Solution {
    public int[] twoSum(int[] nums, int target) {
        Map<Integer, Integer> hashtable = new HashMap<Integer, Integer>();
        for (int i = 0; i < nums.length; ++i) {
            if (hashtable.containsKey(target - nums[i])) {
                return new int[]{hashtable.get(target - nums[i]), i};
            }
            hashtable.put(nums[i], i);
        }
        return new int[0];
    }
}
  1. 在这里介绍一下上述用到的hashmap的方法:

put(Object key, Object value)将指定的键值对添加到哈希表中;

containsKey()返回布尔变量;

get(Key)返回对应键的指;

Map<Integer, Integer> hashtable = new HashMap<Integer, Integer>()新建一个哈希表

posted on 2024-03-17 14:42  安静的聆  阅读(4)  评论(0编辑  收藏  举报