題目
Given an array of integers, return indices of the two numbers such that they add up to a specific target.
You may assume that each input would have exactly one solution, and you may not use the same element twice.
就是給你一個數(shù)組和一個目標(biāo)數(shù)字,返回加和等于目標(biāo)數(shù)字的兩個元素在數(shù)組中的位置
解法一 暴力循環(huán) O(n^2)
取數(shù)組中的一個元素纱昧,并對后面的所有元素進(jìn)行遍歷刨啸,看是否存在和此元素加和等于目標(biāo)數(shù)字的元素。
public int[] twoSum(int[] nums, int target) {
int[] result = {-1,-1};
boolean finish = false;
for(int i=0;i<nums.length-1;i++){
if(finish){
break;
}
int temp = target - nums[i];
for(int j=i+1;j<nums.length;j++){
if(nums[j]==temp){
finish = true;
result[1] = j;
result[0] = i;
break;
}
}
}
return result;
}
解法二 HashMap
利用hashmap數(shù)據(jù)結(jié)構(gòu)的特點识脆,只需要遍歷一次就可以完成搜索
對數(shù)組進(jìn)行遍歷设联,在建好的hashmap中查找是否滿足加和為目標(biāo)數(shù)的元素,如果沒有灼捂,則將此元素加入hashmap离例。
hashmap中存儲的是key是數(shù)組元素,value是index
public int[] twoSum(int[] numbers, int target) {
int[] result = new int[2];
Map<Integer, Integer> map = new HashMap<Integer, Integer>();
for (int i = 0; i < numbers.length; i++) {
if (map.containsKey(target - numbers[i])) {
result[1] = i + 1;
result[0] = map.get(target - numbers[i]);
return result;
}
map.put(numbers[i], i + 1);
}
return result;
}