Two Sum

Given an array of integers nums and an integer target, return indices of the two numbers such that they add up to target.
You may assume that each input would have exactly one solution, and you may not use the same element twice.
You can return the answer in any order.

Example 1:

Input: nums = [2,7,11,15], target = 9
Output: [0,1]

Approach

Java


import java.util.Arrays;
import java.util.HashMap;

public class TwoSum {
    public static void main(String[] args) {
        int[] nums = { 271115 };
        int target = 9;
        int[] ans = twoSum(nums, target);
        System.out.println(Arrays.toString(ans));
    }

    private static int[] twoSum(int[] numsint target) {

        HashMap<IntegerIntegersorted = new HashMap<>();
        for (int i = 0; i < nums.length; i++) {
            sorted.put(nums[i], i);
        }

        for (int i = 0; i < nums.length; i++) {
            int cmp = target - nums[i];
            if (sorted.containsKey(cmp) && sorted.get(cmp) != i) {
                return new int[] { i, sorted.get(cmp) };
            }
        }

        return null;
    }
}

C++


#include <bits/stdc++.h>
using namespace std;

vector<inttwoSum(vector<int&numsint target)
{
    vector<pair<intint>> v;
    for (int i = 0i < nums.size(); i++)
        v.push_back({nums[i]i});

    //sort the array
    sort(v.begin(), v.end());

    int i = 0j = nums.size() - 1;
    vector<intres;
    while (i < j)
    {
        if ((v[i].first + v[j].first == target))
        {
            res.push_back(v[i].second);
            res.push_back(v[j].second);
            break;
        }
        else if (v[i].first + v[j].first > target)
            j--;
        else
            i++;
    }
    sort(res.begin(), res.end());
    return res;
}
int main()
{
    vector<intnums = {271115};
    int target = 9;
    vector<intans = twoSum(numstarget);
    cout << "[" << ans[0] << "," << ans[1] << "]";
    return 0;
}


No comments:

Post a Comment