两层for 循环列出所有两个数字的组合,判断是否等于?标值。
两层for 循环:
PS :这?有个魔?细节,我们挑选第?个数的时候,可以不从第?个数开始选,因为a 前?的数我们都已经在之前考虑过了;因此,我们可以从a 往后的数开始列举。
注意到本题是升序的数组,因此可以?「对撞指针」优化时间复杂度。
当nums[left] + nums[right] < target 时:
class Solution {
public:
vector<int> twoSum(vector<int>& nums, int target) {
int n = nums.size();
for (int i = 0; i < n; i++)
{ // 第?层循环从前往后列举第?个数
for (int j = i + 1; j < n; j++)
{ // 第?层循环从 i 位置之后列举第?个数
if (nums[i] + nums[j] == target) // 两个数的和等于?标值,说明我们已经找到结果了
return {nums[i], nums[j]};
}
}
return {-1, -1};
}
};
class Solution {
public:
vector<int> twoSum(vector<int>& price, int target) {
int left = 0,right = price.size() - 1;
while(left < right){
int sum = price[left] + price[right];
if(sum < target)++left;
else if(sum > target)--right;
else return {price[left],price[right]};
}
return {-1,-1};
}
};