使用C++写出给定一个整数数组 nums 和一个整数目标值 target,请你在该数组中找出 和为目标值 target 的那 两个 整数,并返回它们的数组下标
时间: 2023-07-15 17:14:43 浏览: 105
以下是使用 C++ 实现的代码:
```cpp
#include <iostream>
#include <unordered_map>
#include <vector>
using namespace std;
vector<int> twoSum(vector<int>& nums, int target) {
unordered_map<int, int> hash_map;
for (int i = 0; i < nums.size(); ++i) {
auto it = hash_map.find(target - nums[i]);
if (it != hash_map.end()) {
return {it->second, i};
}
hash_map[nums[i]] = i;
}
return {};
}
int main() {
vector<int> nums = {2, 7, 11, 15};
int target = 9;
vector<int> result = twoSum(nums, target);
for (int i = 0; i < result.size(); ++i) {
cout << result[i] << " ";
}
cout << endl;
return 0;
}
```
运行结果:
```
0 1
```
解释:在给定的数组 `{2, 7, 11, 15}` 中,下标为 0 和 1 的两个数 2 和 7 的和为 9,因此返回 {0, 1}。
阅读全文