您的位置:首页 > 其它

动态规划系列【2】最长递增子序列LIS

2017-03-03 21:03 393 查看
Given an unsorted array of integers, find the length of longest increasing subsequence.
For example,
Given [10, 9, 2, 5, 3, 7, 101, 18],
The longest increasing subsequence is [2, 3, 7, 101], therefore the length is 4. Note that there may be more than one LIS combination, it is only necessary for you to return the length.
Your algorithm should run in O(n2) complexity.
Follow up: Could you improve it to O(n log n) time complexity?
Credits:
Special thanks to @pbrother for adding this problem and creating all test cases.

Subscribe to see which companies asked this question.
题意:无需多说。主要是这玩意有基础版O(n^2)和增强版O(nlogn)

public class Solution {
public int lengthOfLIS(int[] nums) {
int length=nums.length;
if(length==0)return 0;
int max=1;
int[] d=new int[length];
for(int i=1;i<length;i++){
d[i]=1;
for(int j=0;j<i;j++){
if(nums[j]<nums[i])
d[i]=Math.min(d[i],d[j]=1);
}
max=Math.max(d[i],max);
}
return max;
}
}
PS:思路参加http://www.hawstein.com/posts/dp-novice-to-advanced.html
public class AscentSequence {
public int findLongest(int[] A, int n) {
// write code here
int[] dp=new int
;
int[] ends=new int
;
ends[0]=A[0];
dp[0]=1;
int max=1;
int r=0,right=0,l=0,m=0;
for(int i=1;i<n;i++){
l=0;
r=right;
while(l<=r){
m=(l+r)/2;
if(A[i]>ends[m]){
l=m+1;
}else{
r=m-1;
}
}
//没明白
right=Math.max(l,right);
ends[l]=A[i];
dp[i]=l+1;
max=Math.max(dp[i],max);
}
return max;
}
}
用二分查找、辅助数组。

最后是打印出来最长递增子序列
public static int[] getLIS(int[] arr,int[] dp){
int maxlen=0;
int index=0;
for(int i=0;i<dp.length;i++){
if(dp[i]>maxlen){
maxlen=dp[i];
index=i;
}
}
System.out.println(index+""+maxlen);
int[] list=new int[maxlen];
list[--maxlen]=arr[index];
for(int j=index;j>=0;j--){
if(arr[j]<arr[index] && dp[j]+1==dp[index]){
list[--maxlen]=arr[j];
index=j;
}
}
return list;
}
PS:首先找到dp中最大值及其索引index。然后去数组arr[index]中从右往左遍历。找到第一个小于arr[index]且dp[]+1==dp[index]的值作为倒数第二个数。一次往后重复此过程。
内容来自用户分享和网络整理,不保证内容的准确性,如有侵权内容,可联系管理员处理 点击这里给我发消息
标签:  动态规划 LIS 最长