Open songyy5517 opened 1 year ago
思路:双指针
复杂度分析
class Solution {
public int[] twoSum(int[] nums, int target) {
// 思路:双指针
// 1. 异常处理
if (nums == null || nums.length == 0)
return null;
// 2. 定义双指针
int start = 0;
int end = nums.length - 1;
// 3. 循环搜索,根据两指针的元素之和更新指针
while (start < end){
int sum = nums[start] + nums[end];
if (sum == target){
return new int[]{nums[start], nums[end]};
}
else if (sum > target)
end --;
else
start ++;
}
return new int[0];
}
}
2023/11/24 2024/3/15 2024/3/21
输入一个递增排序的数组和一个数字s,在数组中查找两个数,使得它们的和正好是s。如果有多对数字的和等于s,则输出任意一对即可。
示例 1:
示例 2:
分析 这道题本质上是在数组中找一堆数字满足其和等于s。由题可知,数组递增,因此可以考虑使用双指针。