两数之和
来源:力扣(LeetCode) 链接:https://leetcode-cn.com/problems/two-sum
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。给定一个整数数组 nums 和一个目标值 target,请你在该数组中找出和为目标值的那 两个 整数,并返回他们的数组下标。
你可以假设每种输入只会对应一个答案。但是,你不能重复利用这个数组中同样的元素。
示例 :
给定 nums = [2, 7, 11, 15], target = 9因为 nums[0] + nums[1] = 2 + 7 = 9 所以返回 [0, 1]
一.暴力法(枚举法)
public class TwoSum {public int[] twoSum(int[] nums, int target) {int i = 0, j, k = 0;for (; i < nums.length; i++) {j = i + 1;for (; j < nums.length; j++) {if ((nums[i] + nums[j]) == target) {return new int[]{i, j};}}}//没有找到就抛出异常throw new IllegalArgumentException("没有满足条件的这两个数!");}public static void main(String[] args) {new TwoSum().twoSum(new int[]{3, 2, 4}, 6);}}
注意事项:
1.此为暴力枚举法,使用for遍历所有元素,但是在访问的时候会出现数组越界情况,但是并不影响程序。
2.throw new exception() 的使用
3.关键代码:nums[i] + nums[j]) == target 是否为true,是的话则返回一个数组,其内容为i,j。
4.可能存在的缺陷? 若考虑不止两个元素满足条件,比如target=8,输入数组为{2,5,3,6},此程序只会返回2,6而不会返回2,6,5,3,不过题目中并没有要求就暂时不考虑了。