# 两数之和

leetCode地址 (opens new window)

# 题目描述

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

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

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

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

# 解题

# 一、暴力循环

  • 使用两层循环。

时间复杂度:O(n^2)。

const twoSum = function (nums, target) {
    const length = nums.length;
    for (let i = 0; i < length; i++) {
        // j = i + 1 的目的是减少重复计算和避免两个元素下标相同
        for (let j = i + 1; j < length; j++) {
            if (nums[j] + nums[i] === target) return [i, j];
        }
    }
};
1
2
3
4
5
6
7
8
9

心得体会

心得体会:j = i + 1 减少重复计算,提升性能。

# 二、利用数组减少查询时间

  • 在暴力法中,内层循环查找差值很浪费时间,那么如何减少查询时间呢?利用数组就可以减少查询时间。
  • 利用temp数组暂时存下来已经被循环过的元素,然后在进行匹配 。

时间复杂度:O(n)。

const twoSum = function (nums, target) {
    let temp = [];
    for (let i = 0; i < nums.length; i++) {
        const diff = target - nums[i];
        if (temp[diff] !== undefined) {
            return [temp[diff], i];
        }
        temp[nums[i]] = i;
    }
};
1
2
3
4
5
6
7
8
9
10

心得体会

temp临时存储已经循环过的元素,避免二次循环。

最近更新: 9/22/2022, 5:59:36 AM