673. 最長遞增子序列的個數

XiSoil發表於2024-05-31
673. 最長遞增子序列的個數
給定一個未排序的整數陣列 nums , 返回最長遞增子序列的個數 。
注意 這個數列必須是 嚴格 遞增的。

示例 1:
輸入: [1,3,5,4,7]
輸出: 2
解釋: 有兩個最長遞增子序列,分別是 [1, 3, 4, 7] 和[1, 3, 5, 7]。

示例 2:
輸入: [2,2,2,2,2]
輸出: 5
解釋: 最長遞增子序列的長度是1,並且存在5個子序列的長度為1,因此輸出5。

提示:
1 <= nums.length <= 2000
-10^6 <= nums[i] <= 10^6
package priv20240430.solution673;

public class Solution {
    public int findNumberOfLIS(int[] nums) {
        if (nums.length == 0) {
            return 0;
        }
        int[] dp = new int[nums.length];
        int[] count = new int[nums.length];
        int maxLen = 0,ans =0;
        for (int i = 0; i < nums.length; i++) {
            count[i] = 1;
            dp[i] = 1;
            for (int j = 0; j < i; j++) {
                if (nums[j] < nums[i]) {
                    if (dp[j] + 1 > dp[i]) {
                        dp[i] = dp[j] + 1;
                        count[i] = 1;
                    }else if(dp[j]+1 == dp[i]){
                        count[i] += count[j];
                    }
                }
            }
            if (dp[i] > maxLen){
                maxLen = dp[i];
                ans = count[i];
            }else if(dp[i] == maxLen){
                ans += count[i];
            }
        }
        return ans;
    }
}

 

相關文章