LeetCode 167. Two Sum II - Input array is sorted (Easy)

…衆ロ難τιáo~ 提交于 2019-12-29 15:14:23
Description:

Given an array of integers that is already sorted in ascending order, 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.

Note:
  • Your returned answers (both index1 and index2) are not zero-based.
  • You may assume that each input would have exactly one solution and you may not use the same element twice.
Example:
Input: numbers = [2,7,11,15], target = 9
Output: [1,2]
Explanation: The sum of 2 and 7 is 9. Therefore index1 = 1, index2 = 2.

Analysis:

We can utilize two pointers to solve this problem.
We set two indexes to represent two pointers, at the beginning, one index points to the first element of the array and another index points to the last element of the array. Compare the sum of two elements that the two indexes point to. If sum=targetsum = target, then the sum is the exactly unique solution. If sum<targetsum < target, increase the smaller index by 1, and if sum>targetsum > target, decrease the larger index by 1. Repeat the comparison and move until the solution is found.


Code:
class Solution {
    public int[] twoSum(int[] numbers, int target) {
       int start = 0, end = numbers.length-1;
       int rs[] = new int[2];
       while(start < end) {
           int sum = numbers[start] + numbers[end];
           if(sum == target) {
               rs[0] = (start+1);
               rs[1] = (end+1);
               break;
           }else if(sum < target){
               start++;
           }else{
               end--;
           }
       }
        return rs;
    }
}

Complexity:

Time complexity: O(n)O(n)
Space complexity: O(1)O(1)

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!