forked from shuboc/LeetCode-2
-
Notifications
You must be signed in to change notification settings - Fork 3
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
- Loading branch information
Showing
1 changed file
with
18 additions
and
11 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -1,25 +1,32 @@ | ||
# Time: O(n) | ||
# Space: O(n) | ||
|
||
# Given an array of integers, return indices of the two numbers | ||
# such that they add up to a specific target. | ||
# | ||
# Given an array of integers, find two numbers such that | ||
# they add up to a specific target number. | ||
# The function twoSum should return indices of the two numbers such that | ||
# they add up to the target, | ||
# where index1 must be less than index2. Please note that | ||
# your returned answers (both index1 and index2) are not zero-based. | ||
# You may assume that each input would have exactly one solution. | ||
# | ||
# Input: numbers={2, 7, 11, 15}, target=9 | ||
# Output: index1=1, index2=2 | ||
# Example: | ||
# Given nums = [2, 7, 11, 15], target = 9, | ||
# | ||
# Because nums[0] + nums[1] = 2 + 7 = 9, | ||
# return [0, 1]. | ||
|
||
|
||
class Solution: | ||
class Solution(object): | ||
def twoSum(self, nums, target): | ||
""" | ||
:type nums: List[int] | ||
:type target: int | ||
:rtype: List[int] | ||
""" | ||
lookup = {} | ||
for i, num in enumerate(nums): | ||
if target - num in lookup: | ||
return (lookup[target - num] + 1, i + 1) | ||
return [lookup[target - num], i] | ||
lookup[num] = i | ||
return [] | ||
|
||
|
||
if __name__ == '__main__': | ||
print "index1=%d, index2=%d" % Solution().twoSum((2, 7, 11, 15), 9) | ||
print "index1=%d, index2=%d" % Solution().twoSum((2, 7, 11, 15), 9) |