zoukankan      html  css  js  c++  java
  • leetcode题目1.两数之和(简单)

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

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

    示例:

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

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

    解法一:暴力遍历,时间复杂度o(n^2)

    class Solution {
        
        public int[] twoSum(int[] nums, int target) {
            
            int[] index = new int[2];
            for (int i = 0; i < nums.length - 1; i++) {
                for (int j = i + 1; j < nums.length; j++) {
                    if (nums[i] + nums[j] == target) {
                        index[0] = i;
                        index[1] = j;
                    }
                }
            }
            return index;
        }
    }

    解法2:

    哈希映射
    这道题本身如果通过暴力遍历的话也是很容易解决的,时间复杂度在 O(n2)
    由于哈希查找的时间复杂度为 O(1),所以可以利用哈希容器 map 降低时间复杂度
    遍历数组 nums,i 为当前下标,每个值都判断map中是否存在 target-nums[i] 的 key 值
    如果存在则找到了两个值,如果不存在则将当前的 (nums[i],i) 存入 map 中,继续遍历直到找到为止
    如果最终都没有结果则抛出异常
    时间复杂度:O(n)

    class Solution {
        public int[] twoSum(int[] nums, int target) {
            
            
            Map<Integer, Integer> map = new HashMap<>();
            for (int i = 0; i < nums.length; i++) {
                if (map.containsKey(target - nums[i])) {
                    return new int[]{map.get(target - nums[i]), i};
                }
                map.put(nums[i], i);
            }
            throw new IllegalArgumentException("No such two number");
            
        }
    }
    

      

  • 相关阅读:
    105.输出控制缓存
    修正IE6中FIXED不能用的办法,转载
    Linux C语言 网络编程(二) server模型
    阿里巴巴实习生面试悲慘经历
    初学JDBC,JDBC工具类的简单封装
    初学JDBC,最简单示例
    判断不同浏览器
    POI读写Excel简述之写入
    POI读写Excel简述之读取
    eclipse中新建javaweb项目,查看某些类的源码
  • 原文地址:https://www.cnblogs.com/ysw-go/p/11401282.html
Copyright © 2011-2022 走看看