写一个c++程序:给定一个整数数组 nums 和一个整数目标值 target,请你在该数组中找出 和为目标值 target 的那 两个 整数,并返回它们的数组下标。 你可以假设每种输入只会对应一个答案。但是,数组中同一个元素在答案里不能重复出现。 你可以按任意顺序返回答案。
时间: 2023-08-14 21:18:28 浏览: 102
两数之和:在该数组中找出和为目标值的那两个整数,并返回他们的数组下标
好的,我可以帮你写这个程序。以下是示例代码:
```c++
#include <iostream>
#include <unordered_map>
#include <vector>
using namespace std;
vector<int> twoSum(vector<int>& nums, int target) {
unordered_map<int, int> hash;
vector<int> result;
for (int i = 0; i < nums.size(); i++) {
int numberToFind = target - nums[i];
if (hash.find(numberToFind) != hash.end()) {
result.push_back(hash[numberToFind]);
result.push_back(i);
return result;
}
hash[nums[i]] = i;
}
return result;
}
int main() {
vector<int> nums = {2, 7, 11, 15};
int target = 9;
vector<int> result = twoSum(nums, target);
cout << "[" << result[0] << ", " << result[1] << "]" << endl;
return 0;
}
```
这个程序使用了一个哈希表来记录每个元素的值和它在数组中的下标。遍历数组时,对于每个元素,我们计算出要查找的数,如果哈希表中已经存在这个数,则返回它们的下标即可。如果没有找到,则将当前元素的值和下标存入哈希表中等待后续查找。
阅读全文