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].
这是题目,以前刷过HDU OJ,发现这个题目应该很简单,但是在LeetCode上面和一般的OJ不太一样,没有input和output的例子,有点不太习惯,于是看了下面的代码输入窗口,发现每一种语言都有一个模板,然后看了下提供的模板代码,好像已经给我们提供了要实现的函数代码,不需要实现main函数,你可以假设main函数已经帮我们实现了,不用去管main函数是怎么实现的,只需要完善这个单独的功能函数就可以了,但是要完全按照这个模板来就感觉有点麻烦,比如这题,如果要我实现我完全可以在main函数中用几个简单的变量实现,而不需要用什么指针函数,可能指针有点不太习惯吧。
废话不多说下面来看下提供的模板,我选择的是C语言
/**
* Note: The returned array must be malloced, assume caller calls free().
*/
int* twoSum(int* nums, int numsSize, int target) {
}
然后可以看到用了一个指针函数,形参当中,第一个参数是传递进来的指针数组,第二个参数是数组的长度,第三个参数就是两个数累加起来的那个目标数。
然后来说下思路,第一题我想应该很简单,于是第一个想到的就是穷举了,两个数就两个for循环,遍历所有的结果。然后在循环中进行判断每一种结果就可以了。
后面写完了主要的实现部分,问题来了,C语言怎么返回两个数?题目中的[0,1]要怎么返回?想了下只能返回数组了,于是就随手定义了一个数组int a[2] 然后把符合条件的那对数的索引存入了数组中,然后随手写了个return a; 然后就run code了,结果报错了,发现好像要返回指针数组。。。。。
于是只能默默的重新定义为了指针数组了。最后运行才通过。下面贴上代码
/**
* Note: The returned array must be malloced, assume caller calls free().
*/
int* twoSum(int* nums, int numsSize, int target) {
int i,j;
int *a=nums;
for(i=0;i<numsSize;i++)
{
for(j=i+1;j<numsSize;j++)
{
if((nums[i]+nums[j])==target)
{
*a=i;
*(a+1)=j;
}
}
}
return a;
}
用C++实现
class Solution {
private:
int size;
vector<int> v;
public:
vector<int> twoSum(vector<int>& nums, int target) {
for(int i=0,size=nums.size();i<size;i++)
{
for(int j=i+1;j<size;j++)
{
if((nums[i]+nums[j])==target)
{
v.push_back(i);
v.push_back(j);
}
}
}
return v;
}
};
第一次写LeetCode还真有点不习惯,要在固定的函数模板中实现程序,而不是和一般的OJ一样自己完成所有的代码。虽然勉强解决了这个题目,但是这种方法效率是非常低的,时间复杂度是O(n^2),可以试想下还有什么方法可以解决这个问题。