赞
踩
给定一个未排序的整数数组 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
-106 <= nums[i] <= 106
code
- public class FindNumberOfLIS {
-
- // 673. 最长递增子序列的个数
- public int findNumberOfLIS(int[] nums) {
- int len = nums.length;
- int[] dp = new int[len];
- int[] cnt = new int[len];
- Arrays.fill(dp, 1);
- Arrays.fill(cnt, 1);
- int maxlen = 0, ans = 0;
-
- for (int i = 0; i < len; i++) {
- for (int j = 0; j < i; j++) {
- if (nums[i] > nums[j]) {
- if (dp[j] + 1 > dp[i]) {
- dp[i] = dp[j] + 1;
- cnt[i] = cnt[j];
- } else if (dp[j] + 1 == dp[i]) {
- cnt[i] += cnt[j];
- }
- }
- }
- if (dp[i] > maxlen) {
- maxlen = dp[i];
- ans = cnt[i];
- } else if (dp[i] == maxlen) {
- ans += cnt[i];
- }
- }
- return ans;
- }
-
- public static void main(String[] args) {
- int[] nums = new int[]{1, 3, 5, 4, 7};
- FindNumberOfLIS solution = new FindNumberOfLIS();
- System.out.println(solution.findNumberOfLIS(nums));
- }
- }
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。