1. 程式人生 > >Leetcode1.Two Sum

Leetcode1.Two Sum

又回來刷題了,小一個月被各種事情耽誤沒有寫程式碼,再寫的時候完全手生。

接下來的時間要全身心準備年後的各種內推,希望3月能去一個好公司實習。

無他,唯手熟爾。

這題還是挺簡單的,我第一反應就是用雙迴圈,不過確實時間效率並不高,看了一下百度上的各種答案,有的用雙指標和map的hash,沒太詳細看,慢慢來,畢竟這種簡單題命中率並不高

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].
class Solution {
public:
    vector<int> twoSum(vector<int>& nums, int target) {
        vector<int> temp;
        for(int i=0;i<nums.size();i++)
        {
            for(int j=i+1;j<nums.size();j++)
            {
                if(nums[i]+nums[j]==target)
                {
                    temp.push_back(i);
                    temp.push_back(j);
                    return temp;
                }
            }
        }
    }
};
慢慢找感覺吧。