给一个整数数组,找到两个数使得他们的和等于一个给定的数 target。
你需要实现的函数twoSum需要返回这两个数的下标, 并且第一个下标小于第二个下标。注意这里下标的范围是 1 到 n,不是以 0 开头。
注意事项
你可以假设只有一组答案。
public class Solution {
/*
* @param numbers : An array of Integer
* @param target : target = numbers[index1] + numbers[index2]
* @return : [index1 + 1, index2 + 1] (index1 < index2)
*/
public static int[] twoSum(int[] numbers, int target) {
// write your code here
int[] arr = new int[2];
for (int i = 0; i < numbers.length; i++){
for (int j = i + 1; j < numbers.length; j++){
if (numbers[i] + numbers[j] == target){
arr[0] = i + 1;
arr[1] = j + 1;
}
}
}
return arr;
}
}
注意Checkstyl