首页 > 代码库 > Two Sum

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


#include<stdio.h>
#include<stdlib.h>

int cmp(void *a,void *b){
    return *(int *)a-*(int *)b;
}

int* twoSum(int numbers[], int n, int target){
    int i,j;
    int tmp,tmp1,tmp2;
    int* res=(int*)malloc(sizeof(int)*2);
    int array[100000];
    for(i=0;i<n;i++) {
        tmp=numbers[i];
        array[tmp]=i;
    }
    /*for(i=0;i<n-1;i++){
        for(j=i+1;j<n;j++){
            if(numbers[i]>numbers[j]){
                tmp=numbers[i];
                numbers[i]=numbers[j];
                numbers[j]=tmp;
            }
        }
    }*/
    qsort(numbers,n,sizeof(numbers[0]),cmp);
    for(i=0,j=n-1;i!=j;){
        if(numbers[i]+numbers[j]==target) {
            tmp1=numbers[i];
            tmp1=array[tmp1]+1;
            tmp2=numbers[j];
            tmp2=array[tmp2]+1;
            res[0]=(tmp1>tmp2)?tmp2:tmp1;
            res[1]=(tmp1>tmp2)?tmp1:tmp2;
            return res;
        }
        else if(numbers[i]+numbers[j]>target){
            j--;
        }
        else i++;
    }
}
void main(){
    int arr[]={3,2,4};
    int* a=(int*)malloc(sizeof(int)*2);
    int array[100000];
    a=twoSum(arr,3,6);
    printf("index1=%d,index2=%d\n",a[0],a[1]);
}


Two Sum