leetcode300. 最长上升子序列

解法一:动态规划

class Solution {
    public int lengthOfLIS(int[] nums) {
        int len = nums.length;
        if (len == 0)
            return 0;

        // memo[i]表示以nums[i]为结尾的最长上升子序列的长度
        int[] memo = new int[len];
        for (int i = 0; i < len; i++) {
            memo[i] = 1;	// 初始化为1,即nums[i]本身的长度
        }

        for (int i = 1; i < len; i++) {
            for (int j = 0; j < i; j++) {
                // 如果nums[j]比nums[i]小,说明nums[i]可以跟在nums[j]后构成最长上升子序列
                if (nums[j] < nums[i]) {
                    // 更新memo[i]的值
                    memo[i] = Math.max(memo[i], 1 + memo[j]);
                }
            }
        }

        int res = memo[0];
        for (int i = 0; i < len; i++) {
            res = Math.max(res, memo[i]);
        }

        return res;
    }

    public static void main(String[] args) {
        int[] nums = {10,9,2,5,3,7,101,18};
        System.out.println(new Solution().lengthOfLIS(nums));
    }
}

解法二:

class Solution {
    public int lengthOfLIS(int[] nums) {
        /**
         * 很具小巧思。新建数组 tails,用于保存最长上升子序列。
         * 对原序列进行遍历,将每位元素二分插入 tails 中。
         * 如果 tails 中元素都比它小,将它插到最后
         * 否则,用它覆盖掉比它大的元素中最小的那个。
         * 总之,思想就是让 tails 中存储比较小的元素。这样,tails 未必是真实的最长上升子序列,但长度是对的。
         */
        int[] tails = new int[nums.length];
        int res = 0;
        for(int num : nums) {
            int left = 0, right = res;
            while(left < right) {
                int mid = (left + right) / 2;
                if(tails[mid] < num) {
                    left = mid + 1;
                }
                else {
                    right = mid;
                }
            }
            tails[left] = num;
            if(res == right) {
                res ++;
            }
        }
        return res;
    }

    public static void main(String[] args) {
        int[] nums = {10,9,2,5,3,7,101,18};
        System.out.println(new Solution().lengthOfLIS(nums));
    }
}

你可能感兴趣的:(LeetCode)