题目:
Given an array of integers, return indices of the two numbers such that they add up to a specific target.
You may assume that each input would have exactly one solution, and you may not use the same element twice.
Example:
Given nums = [2, 7, 11, 15], target = 9, Because nums[0] + nums[1] = 2 + 7 = 9, return [0, 1].
思路:
这题很简单,只要找到数组中和目标数字相等的两个数字之和,然后返回它们的下标即可。
代码:
class Solution:
def twoSum(self, nums, target):
sum = []
for i in range(len(nums)):
for j in range(i + 1, len(nums)):
if nums[i] + nums[j] == target:
sum.append(i)
sum.append(j)
return sum
else:
continue
return sum
本文介绍了一个简单而实用的算法题目——两数之和问题。该问题要求从给定的整数数组中找出两个数,使得这两个数的和等于特定的目标值,并返回这两个数的索引。通过一个具体的例子展示了如何实现这一算法。
333

被折叠的 条评论
为什么被折叠?



