题目
数组一个递增排序的数组和一个数字S,在数组中查找两个数字,使得他们的和正好是S.如果有多组数的和等于S。任意输出一组。
例如
输入{1,2,4,7,11,15}和15
可以输出4,11
思路
思路一
选定一个数字,然后遍历数组中其余的数字,判断他们的和是否为s.时间复杂度为O(n^2)
思路二
使用头尾两个指针,计算头尾两个指针指向的数字之和,如果和大于s,尾指针左移,如果和小于S,头指针右移。如果和等于s,则返回这两个数字。
时间复杂度为O(n)
代码
public static List<Integer> findNumbersWithNum(int[] datas,int s){
int length = datas.length;
int left = 0;
int right = length - 1;
List<Integer> result = null;
while(left < right){
int curSum = datas[left] + datas[right];
if(curSum == s){
result = new ArrayList<>();
result.add(datas[left]);
result.add(datas[right]);
break;
}else if(curSum > s){
right--;
}else {
left++;
}
}
return result;
}
总结
本题需要明白为什么指针往中间移动,而不用往两边移动。