每日一题 (LeetCode-1. 两数之和)

题目: 两数之和

给定一个整数数组 nums 和一个目标值 target,请你在该数组中找出和为目标值的那 两个 整数,并返回他们的数组下标。
你可以假设每种输入只会对应一个答案。但是,数组中同一个元素不能使用两遍。

示例:

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

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

时间: 2020.08.13 (简单)

解法:

# 循环遍历nums中元素, 因为要求数组中同一元素不能使用两遍, 所以在循环第二个元素的时候从i+1开始
class Solution:
    def twoSum(self, nums: List[int], target: int) -> List[int]:
        for i in range(len(nums)):
            for j in range (i+1,len(nums)):
                if nums[i] + nums[j] == target:
                    return [i,j]

结果

执行结果:通过
执行用时:5888 ms, 在所有 Python3 提交中击败了18.70% 的用户
内存消耗:14.7 MB, 在所有 Python3 提交中击败了65.37% 的用户

时间: 2020.08.14 (简单)

解法:

# 优化: 减少了一次循环, 利用tag-nums[i] in nums特性完成, 速度快了5s
# 问题: 没有考虑[3,3] taget=6 这种情况
class Solution:
    def twoSum(self, nums: List[int], target: int) -> List[int]:
        for i in range(len(nums)):
            tmp = target - nums[i]
            if tmp in nums[i+1:]:
                return [i,nums.index(tmp,i+1)]

结果

执行结果:通过
执行用时:1072 ms, 在所有 Python3 提交中击败了33.85%的用户
内存消耗:14.7 MB, 在所有 Python3 提交中击败了69.89%的用户

时间: 2020.08.15 (简单)

解法:

# 优化: 利用字典的hash属性, 用值做key, 索引做values, 这样就可以直接通过值找到索引
class Solution:
    def twoSum(self, nums: List[int], target: int) -> List[int]:
        dic={}
        for i in range(len(nums)):
            if target - nums[i] in dic:
                return [dic[target - nums[i]],i]
            else:
                dic[nums[i]]=i

结果

执行结果:通过
执行用时:64 ms, 在所有 Python3 提交中击败了82.78%的用户
内存消耗:15.2 MB, 在所有 Python3 提交中击败了18.44%的用户
posted @ 2020-08-13 13:46  骁珺在努力  阅读(109)  评论(0编辑  收藏  举报