Time: 20190906
Type: Medium
题目描述
给定一个无序的整数数组,找到其中最长上升子序列的长度。
【Leetcode 300.最长上升子序列(求长度)】示例:
输入: [10,9,2,5,3,7,101,18]
输出: 4
解释: 最长的上升子序列是 [2,3,7,101],它的长度是 4。
说明:
可能会有多种最长上升子序列的组合,你只需要输出对应的长度即可。
你算法的时间复杂度应该为 O(n2) 。
进阶: 你能将算法的时间复杂度降低到 O(n log n) 吗?
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/longest-increasing-subsequence
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
思路
状态定义
定义f[i]
表示[0,...,i]
中最长上升子序列的长度,这里注意nums[i]
是必选的。
加粗样式
遍历,当j < i,并且num[j] < nums[i]时,表示LIS长度加1,因此,可以更新为f[i] = max(f[i], f[j] + 1)
以每个元素结尾的长度至少为1.
最后遍历f
数组,取最大的即可。
代码
class Solution:
def lengthOfLIS(self, nums: List[int]) -> int:
# f[i]: [0,..., i]中最长上升子序列的长度
# nums[i]必须选取
n = len(nums)
if n < 2:
return n
f = [1] * n
for i in range(1, n):
for j in range(i):
if nums[i] > nums[j]:
f[i] = max(f[i], f[j] + 1)
return max(f)
END.
推荐阅读
- 数据结构与算法|【算法】力扣第 266场周赛
- leetcode|今天开始记录自己的力扣之路
- Python|Python 每日一练 二分查找 搜索旋转排序数组 详解
- 【LeetCode】28.实现strstr() (KMP超详细讲解,sunday解法等五种方法,java实现)
- LeetCode-35-搜索插入位置-C语言
- leetcode python28.实现strStr()35. 搜索插入位置
- Leetcode Permutation I & II
- python|leetcode Longest Substring with At Most Two Distinct Characters 滑动窗口法
- LeetCode 28 Implement strStr() (C,C++,Java,Python)
- Python|Python Leetcode(665.非递减数列)