题目描述
给定一个整数数组和一个目标值,找出数组中和为目标值的两个数。
你可以假设每个输入只对应一种答案,且同样的元素不能被重复利用。
给定 nums = [2, 7, 11, 15], target = 9
因为 nums[0] + nums[1] = 2 + 7 = 9 所以返回 [0, 1]
2数求和分析
最简单无脑的方式就是一个外循环一个内循环2个值分别相加等于target即可
public static int[] TowSum(int[] nums, int target){ int[] result = null; for (int i = 0; i <= nums.Length - 1; i++) { for (int j = i + 1; j <= nums.Length - 1; j++) { if (nums[i] + nums[j] == target) { return result = new int[] {i, j}; } } } if (result == null) { result = new int[] { }; } return result;}复制代码