题目描述:
给定一个整数数组和一个目标值,找出数组中和为目标值的两个数。
你可以假设每个输入只对应一种答案,且同样的元素不能被重复利用。
示例:给定 nums = [2, 7, 11, 15], target = 9
返回 [0, 1]
思路:
第一层for循环从索引0到倒数第二个索引拿到每个数组元素,第二个for循环遍历上一层for循环拿到的元素的后面的所有元素。
具体代码:
1 public class Solution { 2 public int[] twoSum(int[] nums, int target) { 3 // 定义返回值:back[]; 4 int[] back = new int[2]; 5 // 双层for循环遍历原数组,每次拿到两个数并判断条件满足与否 6 int i; 7 int j; 8 for (i = 0; i < nums.length - 1; i++) { 9 for (j = i + 1; j < nums.length; j++) { 10 if (target == nums[i] + nums[j]) { 11 back[0] = nums[i]; 12 back[1] = nums[j]; 13 return back; 14 } 15 16 } 17 18 } 19 return null; 20 21 } 22 23 }
原文地址:https://www.cnblogs.com/zclun/p/9961163.html
时间: 2024-10-13 21:36:27