`
hcx2013
  • 浏览: 83003 次
社区版块
存档分类
最新评论

Two Sum

阅读更多

https://leetcode.com/problems/two-sum/

 

Given an array of integers, find two numbers such that they add up to a specific target number.

The function twoSum should return indices of the two numbers such that they add up to the target, where index1 must be less than index2. Please note that your returned answers (both index1 and index2) are not zero-based.

You may assume that each input would have exactly one solution.

Input: numbers={2, 7, 11, 15}, target=9
Output: index1=1, index2=2

 

public class Solution {
	public int[] twoSum(int[] nums, int target) {
		int[] res = null;
		Map<Integer, Integer> map = new HashMap<Integer, Integer>();
		for (int i = 0; i < nums.length; i++) {
			map.put(nums[i], i);
		}
		for (int i = 0; i < nums.length; i++) {
			int a = target - nums[i];
			Integer b = map.get(a);
			if (b != null && b > i) {
				res = new int[] { i + 1, b + 1 };
				break;
			}
		}
		return res;
	}
}


/**
 * @param {number[]} nums
 * @param {number} target
 * @return {number[]}
 */
var twoSum = function(nums, target) {
    var res = [];
    var hash = {};
    for ( var i = 0; i < nums.length; i++) {
    	hash[nums[i]] = i;
	}
    for ( i = 0; i < nums.length-1; i++) {
		var tmp = nums[i];
		var v1 = hash[target-tmp];
		if (v1 !== undefined && v1 !== i) {
			res.push(i+1);
			res.push(v1+1);
			break;
		}
	}
    return res;
};
 

 

分享到:
评论

相关推荐

Global site tag (gtag.js) - Google Analytics