zoukankan      html  css  js  c++  java
  • Leetcode: Combination Sum IV && Summary: The Key to Solve DP

    Given an integer array with all positive numbers and no duplicates, find the number of possible combinations that add up to a positive integer target.
    
    Example:
    
    nums = [1, 2, 3]
    target = 4
    
    The possible combination ways are:
    (1, 1, 1, 1)
    (1, 1, 2)
    (1, 2, 1)
    (1, 3)
    (2, 1, 1)
    (2, 2)
    (3, 1)
    
    Note that different sequences are counted as different combinations.
    
    Therefore the output is 7.
    Follow up:
    What if negative numbers are allowed in the given array?
    How does it change the problem?
    What limitation we need to add to the question to allow negative numbers?

    DP 解法: the key to solve DP problem is to think about how to create overlap, how to re-solve subproblems(怎么制造复用)

    Bottom up dp:

     1 public class Solution {
     2     public int combinationSum4(int[] nums, int target) {
     3         if (nums==null || nums.length==0) return 0;
     4         Arrays.sort(nums);
     5         int[] dp = new int[target+1];
     6         dp[0] = 1;
     7         for (int i=1; i<=target; i++) {
     8             for (int j=0; j<nums.length && nums[j]<=i; j++) {
     9                 dp[i] += dp[i-nums[j]];
    10             }
    11         }
    12         return dp[target];
    13     }
    14 }

    Better Solution(Bottom-up)不sort也成:

     1 public int combinationSum4(int[] nums, int target) {
     2     int[] comb = new int[target + 1];
     3     comb[0] = 1;
     4     for (int i = 1; i < comb.length; i++) {
     5         for (int j = 0; j < nums.length; j++) {
     6             if (i - nums[j] >= 0) {
     7                 comb[i] += comb[i - nums[j]];
     8             }
     9         }
    10     }
    11     return comb[target];
    12 }

    Follow up:

    I think if there are negative numbers in the array, we must add a requirement that each number is only used one time, or either positive number or negative number should be used only one time, otherwise there would be infinite possible combinations.
    For example, we are given:
    {1, -1}, target = 1,
    it's obvious to see as long as we choose n 1s and (n-1) -1s, it always sums up to 1, n can be any value >= 1.

  • 相关阅读:
    HDU 5363 Key Set(快速幂取模)
    HDU 5339 Untitled(暴搜)
    POJ 2406 Power Strings
    Dedecms备份还原网站有效方法
    DEDECMS文章列表每隔8行文章添加分隔虚线
    DEDECMS突破TAG和关键字长度的限制
    为织梦dedecms制作全文RSS订阅源
    DedeCms中Channel用typeid无效
    织梦CMS/Dedecms添加自定义函数
    sql批量换dedecms文章来源和作者
  • 原文地址:https://www.cnblogs.com/EdwardLiu/p/6108838.html
Copyright © 2011-2022 走看看