LeetCodeAnimation/notes/LeetCode第167号问题:两数之和II-输入有序数组.md
程序员吴师兄 5dee53d957 更换图片地址
2019-11-14 11:00:28 +08:00

71 lines
2.2 KiB
Java
Raw Blame History

This file contains ambiguous Unicode characters

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

# LeetCode 167 号问题两数之和 II - 输入有序数组
> 本文首发于公众号五分钟学算法[图解 LeetCode ](<https://github.com/MisterBooo/LeetCodeAnimation>)系列文章之一。
>
> 个人网站[https://www.cxyxiaowu.com](https://www.cxyxiaowu.com)
题目来源于 LeetCode 上第 167 号问题两数之和 II - 输入有序数组题目难度为 Easy目前通过率为 48.2%
### 题目描述
给定一个已按照**升序排列** 的有序数组找到两个数使得它们相加之和等于目标数
函数应该返回这两个下标值 index1 index2其中 index1 必须小于 index2**
**说明:**
- 返回的下标值index1 index2不是从零开始的
- 你可以假设每个输入只对应唯一的答案而且你不可以重复使用相同的元素
**示例:**
```
输入: numbers = [2, 7, 11, 15], target = 9
输出: [1,2]
解释: 2 7 之和等于目标数 9 因此 index1 = 1, index2 = 2
```
### 题目解析
初始化左指针 left 指向数组起始初始化右指针 right 指向数组结尾
根据**已排序**这个特性
- 1如果 numbers[left] numbers[right] 的和 tmp 小于 target 说明应该增加 tmp 因此 left 右移指向一个较大的值
- 2如果 tmp大于 target 说明应该减小 tmp 因此 right 左移指向一个较小的值
- 3tmp 等于 target 则找到返回 left + 1 right + 1注意以 1 为起始下标
### 动画描述
![](https://blog-1257126549.cos.ap-guangzhou.myqcloud.com/blog/59rnm.gif)
### 代码实现
```
// 对撞指针
// 时间复杂度: O(n)
// 空间复杂度: O(1)
class Solution {
public:
vector<int> twoSum(vector<int>& numbers, int target) {
int l = 0, r = numbers.size() - 1;
while(l < r){
if(numbers[l] + numbers[r] == target){
int res[2] = {l+1, r+1};
return vector<int>(res, res+2);
}
else if(numbers[l] + numbers[r] < target)
l ++;
else // numbers[l] + numbers[r] > target
r --;
}
}
```
![](https://blog-1257126549.cos.ap-guangzhou.myqcloud.com/blog/9lro6.png)