每日算法——letcode系列
问题 Two Sum
Difficulty:<strong>Medium</strong></br>
Given an array of integers, find two numbers such that they add up to a specific target number.
The function twoSum should return indices of the two numbers such that they add up to the target, where index1 must be less than index2. Please note that your returned answers (both index1 and index2) are not zero-based.
You may assume that each input would have exactly one solution.
Input: numbers={2, 7, 11, 15}, target=9
Output: index1=1, index2=2
// C++
class Solution {
public:
vector<int> twoSum(vector<int>& nums, int target) {
}
};
翻译
两数和
难度系数:中等
给定一个整数数组,找到两数和等于指定的数的这两个数
函数twoSum应返回这两个数的索引,且第一个索引要比第二个索引要小。注意两个索引不是0为基的索引
你可以假定每个输入都有一个答案就好。(也就是有可能有很多数都加起来都等于指定的数,找到其中一种就好)
思路
方案一:暴力穷举
这里有一点技巧,两个循环,外层循环的最后应为size-1, 内层循环的开始搜索值就比外层循环的初始值大1, 因为数组中如果第一个数没有和他加起来等于指定的数,那他不应再被搜索。
方案二: hashmap法
方案一中, 其实内层循环都在搜索加起来是否等于指定数,其时间复杂度为O(n) ,用hash的办法,数组元素为key, 索引为value, 这样可以把内层循环的时间复杂度降为O(1)
代码
方案一:
// C++
class Solution {
public:
vector<int> twoSum(vector<int>& nums, int target) {
int size = static_cast<int>(nums.size());
vector<int> result;
for (int i = 0; i < size - 1; ++i) {
for (int j = i + 1; j < size; ++j){
if (nums[i] + nums[j] == target){
result.push_back(i + 1);
result.push_back(j + 1);
return result;
}
}
}
return resul;
}
};
方案二:
class Solution {
public:
vector<int> twoSum(vector<int>& nums, int target) {
int size = static_cast<int>(nums.size());
vector<int> result;
unordered_map<int, int> temp;
for (int i = 0; i < size; ++i) {
if (temp.find(target - nums[i]) == temp.end()){
temp[nums[i]] = i;
}
else{
result.push_back(temp.at(target - nums[i]) + 1);
result.push_back(i + 1);
break;
}
}
return result;
}
};
前文延伸解决
分析
如果只有一个重复数,可以把所有数相加(注意和越界超出int_max),减去高斯和(1到256f求和),得到的差就为要找的数,但如果数太多,还是得把数读完才能找到,hashmap的办法有可能没读完就能找到,但这个方法很取巧,为解决越界,还可以用位操作。