494. Target Sum

来源:互联网 发布:iphone4移动数据开关 编辑:程序博客网 时间:2024/05/22 14:40

You are given a list of non-negative integers, a1, a2, …, an, and a
target, S. Now you have 2 symbols + and -. For each integer, you
should choose one from + and - as its new symbol.

Find out how many ways to assign symbols to make sum of integers equal
to target S.

Example 1: Input: nums is [1, 1, 1, 1, 1], S is 3. Output: 5
Explanation:

-1+1+1+1+1 = 3
+1-1+1+1+1 = 3
+1+1-1+1+1 = 3
+1+1+1-1+1 = 3
+1+1+1+1-1 = 3

There are 5 ways to assign symbols to make the sum of nums be target
3. Note: The length of the given array is positive and will not exceed 20. The sum of elements in the given array will not exceed 1000. Your output answer is guaranteed to be fitted in a 32-bit integer.

int findTargetSumWays(int* nums, int numsSize, int S) {    int buffer[20][2001];    int i,j,k;    if(nums == NULL||numsSize <= 0){        return 0;    }    if(S > 1000 || S < -1000){        return 0;    }    /*initial*/    memset(buffer,0,sizeof(int)*20*2000);    buffer[0][1000+nums[0]] = buffer[0][1000+nums[0]] + 1;    buffer[0][1000-nums[0]] = buffer[0][1000-nums[0]] + 1;    /*calute*/    for(i = 1;i < numsSize; ++i) {        for(j = 0;j <= 2000;++j){            if(buffer[i-1][j] > 0){                             buffer[i][j+nums[i]] = buffer[i][j+nums[i]] + buffer[i-1][j];               buffer[i][j-nums[i]] = buffer[i][j-nums[i]] + buffer[i-1][j];             }                   }    }    return buffer[numsSize-1][S+1000];}
原创粉丝点击