题目描述:
给定一个整数数组 nums 和一个整数目标值 target,请你在该数组中找出 和为目标值 target 的那 两个 整数,并返回它们的数组下标。
你可以假设每种输入只会对应一个答案。但是,数组中同一个元素在答案里不能重复出现。
你可以按任意顺序返回答案。
输入:
nums = [2,7,11,15], target = 9
输出:
[0,1]
解释:因为 nums[0] + nums[1] == 9 ,返回 [0, 1] 。
代码实现:
public class Main{public static void main(String[] args) {//测试函数int[] nums = new int[]{2, 7, 11, 15};System.out.println(Arrays.toString(twoSum(nums, 9)));//[0, 1]}public static int[] twoSum(int[] nums, int target) {//最终结果数组int[] res = new int[2];//标记变量:未得到结果为0,得到结果为1int flag = 0;//暴力枚举:每一个数和后面的所有数组合相加for (int i = 0; i < nums.length - 1; i++) {//假定结果的第一个加数res[0] = i;for (int j = i + 1; j < nums.length; j++) {if (nums[i] + nums[j] == target) {//计算得到第二个加数res[1] = j;flag = 1;break;}}//得到目标结果之后,直接跳出if (flag == 1) {break;}}//返回结果数组return res;}
}