有序数组的 Two Sum
167 Two Sum II - Input array is sorted (Easy)
Leetcode / 力扣
Input: numbers={2, 7, 11, 15}, target=9
Output: index1=1, index2=2
Copy to clipboardErrorCopied
题目描述:在有序数组中找出两个数,使它们的和为 target。
使用双指针,一个指向较小的元素,一个指向较大的元素。指向较小元素的指针从左向右遍历,指向较大元素的指针从右向左遍历。
- 如果两个指针指向的元素的和 sum == target,直接返回结果
- 如果两个指针指向的元素的和 sum < target,移动较小元素的指针
- 如果两个指针指向的元素的和 sum > target, 移动较大元素的指针
public int[] twoSum(int[] numbers, int target) { if (numbers == null) return null; int i = 0, j = numbers.length - 1; while (i < j) { int sum = numbers[i] + numbers[j]; if (sum == target) { return new int[]{i + 1, j + 1}; } else if (sum < target) { i++; } else { j--; } } return null; }
```