给定一个整数数组 nums
和一个目标值 target
,请你在该数组中找出和为目标值的那两个整数,并返回它们的数组下标。
你可以假设每种输入只会对应一个答案。但是,数组中同一个元素不能使用两遍。
示例 1:
输入:nums = [2,7,11,15], target = 9
输出:[0,1]
解释:nums[0] + nums[1] = 2 + 7 = 9,返回 [0, 1]。
示例 2:
输入:nums = [3,2,4], target = 6
输出:[1,2]
示例 3:
输入:nums = [3,3], target = 6
输出:[0,1]
提示:
考虑类比:假设你在一家商店,每件商品都有一个价格,现在你有一个目标金额,需要找到两件商品的价格之和等于目标金额。你可以通过记录每件商品的价格和对应的索引,然后查找是否存在另一件商品的价格与目标金额减去当前商品的价格相等。
public int[] TwoSum(int[] nums, int target) {
// 创建一个字典,用来存储数组中的元素和下标
Dictionary<int, int> numIndexMap = new Dictionary<int, int>();
// 遍历数组
for (int i = 0; i < nums.Length; i++) {
// 计算当前元素和目标值的差值
int complement = target - nums[i];
// 如果字典中包含差值,则返回下标
if (numIndexMap.ContainsKey(complement)) {
return new int[] { numIndexMap[complement], i };
}
// 如果字典中不包含当前元素,则添加到字典中
if (!numIndexMap.ContainsKey(nums[i])) {
numIndexMap.Add(nums[i], i);
}
}
// 没有找到答案
return new int[0];
}
int* TwoSum(int* nums, int numsSize, int target, int* returnSize) {
// 哈希表,用于存储数字及其索引的映射关系
int* numIndexMap = (int*)malloc(sizeof(int) * numsSize * 2);
for (int i = 0; i < numsSize; i++) {
int complement = target - nums[i];
// 在哈希表中查找差值
if (numIndexMap[complement * 2] != 0) {
int* result = (int*)malloc(sizeof(int) * 2);
result[0] = numIndexMap[complement * 2] - 1;
result[1] = i;
*returnSize = 2;
return result;
}
// 如果差值不存在,将当前数字及其索引存入哈希表
numIndexMap[nums[i] * 2] = i + 1;
}
// 没有找到答案
*returnSize = 0;
return NULL;
}
参与点评
读者朋友们,如果您在阅读过程中,对文章的质量、易理解性有任何建议,欢迎在评论区指出,我会认真改进。