LeetCode1-两数之和(简单)

原题

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.
Example:

Given nums = [2, 7, 11, 15], target = 9,

Because nums[0] + nums[1] = 2 + 7 = 9,
return [0, 1].

翻译

给定一个整数数组和一个目标值,找出数组中和为目标值的两个数的数组下标。
你可以假设每个输入只对应一种答案,且同样的元素不能被重复利用。
示例:

给定 nums = [2, 7, 11, 15], target = 9,

因为 nums[0] + nums[1] = 2 + 7 = 9,
所以返回 [0, 1].

答案

public class TwoSum {
    /**
     * 算法思想:
     * 1. 建立一个映射表resultMap用于保存遍历过的元素,key为元素值,value为元素对应的数组下标
     * 2. 对目标数组进行遍历,对于每个数组元素,用目标值减去该元素的值得到一个差值,
     *    看resultMap里面是否已包含这个差值
     * 3. 若resultMap已包含这个差值,则将该差值对应的数组下标和正被遍历的元素下标返回,
     *    同时跳出循环
     * 4. 若不包含这个差值,则继续遍历,直到遍历完为止
     */
    public int[] twoSum(int[] nums, int target) {
        Map<Integer, Integer> resultMap = new HashMap<>();
        int[] index = new int[2];
        for (int i = 0; i < nums.length; i++) {
            int x = nums[i];
            if (resultMap.containsKey(target - x)) {
                index[0] = resultMap.get(target - x);
                index[1] = i;
                break;
            }
            resultMap.put(x, i);
        }
        return index;
    }
}
最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
平台声明:文章内容(如有图片或视频亦包括在内)由作者上传并发布,文章内容仅代表作者本人观点,简书系信息发布平台,仅提供信息存储服务。

推荐阅读更多精彩内容