题目
给定一个整数数组 nums 和一个目标值 target,请你在该数组中找出和为目标值的那 两个整数,并返回他们的数组下标。
你可以假设每种输入只会对应一个答案。但是,你不能重复利用这个数组中同样的元素。
第一种:暴力匹配算法
public class Solution {
public int[] TwoSum(int[] nums, int target) {
int[] result = new int[2];
for (int i = 0; i < nums.Length; i++)
{
int find = target - nums[i];
for (int j = i + 1; j < nums.Length; j++)
{
if (find == nums[j])
{
result[0] = i;
result[1] = j;
return result;
}
}
}
return result;
}
}
第二种:通过Hash的方式
public class Solution {
public int[] TwoSum(int[] nums, int target) {
int[] result = new int[2];
Dictionary<int, int> dic = new Dictionary<int, int>();
for (int i = 0; i < nums.Length; i++)
{
int find = target - nums[i];
if (dic.ContainsKey(find))
{
result[0] = dic[find];
result[1] = i;
break;
}
if (dic.ContainsKey(nums[i]) == false)
dic.Add(nums[i], i);
}
return result;
}
}
第三种:Python 语言
class Solution:
def twoSum(self, nums: List[int], target: int) -> List[int]:
i = 0
dic = dict()
result = list()
while i < len(nums):
find = target - nums[i]
j = dic.get(find)
if j is not None:
result.append(j)
result.append(i)
break
else:
dic[nums[i]] = i
i += 1
return result