608. Two Sum - Input array is sorted

描述

给定一个已经按升序排列的数组,找到两个数使他们加起来的和等于特定数。
函数应该返回这两个数的下标,index1必须小于index2。注意返回的值不是 0-based。

注意事项

你可以假设每个输入刚好只有一个答案

样例

给定数组为 [2,7,11,15] ,target = 9
返回 [1,2]

代码

public class Solution {
    /*
     * @param nums: an array of Integer
     * @param target: target = nums[index1] + nums[index2]
     * @return: [index1 + 1, index2 + 1] (index1 < index2)
     */
    public int[] twoSum(int[] nums, int target) {
        // 异常情况返回什么值是事先约定好的,所以写return new int[2]或null一样
        if (nums == null || nums.length == 0) {
            return null;
        }
        
        int left = 0, right = nums.length - 1;
        while (left < right) {
            if (nums[left] + nums[right] == target) {
                int[] results = new int[] {left + 1, right + 1};
                return results;
            }
            if (nums[left] + nums[right] < target) {
                left++;
            } else {
                right--;
            }
        }
        return null;
    }
}

你可能感兴趣的:(608. Two Sum - Input array is sorted)