|
| 1 | +## 1. Brute Force |
| 2 | + |
| 3 | +```python |
| 4 | +class Solution: |
| 5 | + def twoSum(self, nums: List[int], target: int) -> List[int]: |
| 6 | + for i in range(len(nums)): |
| 7 | + for j in range(i + 1, len(nums)): |
| 8 | + if nums[i] + nums[j] == target: |
| 9 | + return [i, j] |
| 10 | + return [] |
| 11 | +``` |
| 12 | + |
| 13 | +### Time & Space Complexity |
| 14 | + |
| 15 | +* Time complexity: $O(n^2)$ |
| 16 | +* Space complexity: $O(1)$ |
| 17 | + |
| 18 | +--- |
| 19 | + |
| 20 | +## 2. Hash Map (Two Pass) |
| 21 | + |
| 22 | +```python |
| 23 | +class Solution: |
| 24 | + def twoSum(self, nums: List[int], target: int) -> List[int]: |
| 25 | + indices = {} # val -> index |
| 26 | + |
| 27 | + for i, n in enumerate(nums): |
| 28 | + indices[n] = i |
| 29 | + |
| 30 | + for i, n in enumerate(nums): |
| 31 | + diff = target - n |
| 32 | + if diff in indices and indices[diff] != i: |
| 33 | + return [i, indices[diff]] |
| 34 | +``` |
| 35 | + |
| 36 | +### Time & Space Complexity |
| 37 | + |
| 38 | +* Time complexity: $O(n)$ |
| 39 | +* Space complexity: $O(n)$ |
| 40 | + |
| 41 | +--- |
| 42 | + |
| 43 | +## 3. Hash Map (One Pass) |
| 44 | + |
| 45 | +```python |
| 46 | +class Solution: |
| 47 | + def twoSum(self, nums: List[int], target: int) -> List[int]: |
| 48 | + prevMap = {} # val -> index |
| 49 | + |
| 50 | + for i, n in enumerate(nums): |
| 51 | + diff = target - n |
| 52 | + if diff in prevMap: |
| 53 | + return [prevMap[diff], i] |
| 54 | + prevMap[n] = i |
| 55 | +``` |
| 56 | + |
| 57 | +### Time & Space Complexity |
| 58 | + |
| 59 | +* Time complexity: $O(n)$ |
| 60 | +* Space complexity: $O(n)$ |
0 commit comments