hello-algo/codes/python/chapter_computational_complexity/leetcode_two_sum.py

43 lines
1.1 KiB
Python
Raw Normal View History

"""
File: leetcode_two_sum.py
Created Time: 2022-11-25
Author: Krahets (krahets@163.com)
"""
2023-04-09 05:05:35 +08:00
def two_sum_brute_force(nums: list[int], target: int) -> list[int]:
2023-04-09 05:05:35 +08:00
"""方法一:暴力枚举"""
2023-02-08 19:45:06 +08:00
# 两层循环,时间复杂度 O(n^2)
for i in range(len(nums) - 1):
for j in range(i + 1, len(nums)):
if nums[i] + nums[j] == target:
return [i, j]
2023-02-08 19:45:06 +08:00
return []
2023-04-09 05:05:35 +08:00
def two_sum_hash_table(nums: list[int], target: int) -> list[int]:
2023-04-09 05:05:35 +08:00
"""方法二:辅助哈希表"""
2023-02-08 19:45:06 +08:00
# 辅助哈希表,空间复杂度 O(n)
dic = {}
# 单层循环,时间复杂度 O(n)
for i in range(len(nums)):
if target - nums[i] in dic:
return [dic[target - nums[i]], i]
2023-02-08 19:45:06 +08:00
dic[nums[i]] = i
return []
""" Driver Code """
2023-04-09 05:05:35 +08:00
if __name__ == "__main__":
# ======= Test Case =======
2023-04-09 05:05:35 +08:00
nums = [2, 7, 11, 15]
2023-02-06 04:34:01 +08:00
target = 9
2023-04-09 05:05:35 +08:00
# ====== Driver Code ======
# 方法一
res: list[int] = two_sum_brute_force(nums, target)
print("方法一 res =", res)
# 方法二
res: list[int] = two_sum_hash_table(nums, target)
print("方法二 res =", res)