動規之最長上升子序列
阿新 • • 發佈:2019-01-30
Problem Description
一個數的序列bi,當b1 < b2 < ... < bS的時候,我們稱這個序列是上升的。對於給定的一個序列(a1, a2, ..., aN),我們可以得到一些上升的子序列(ai1, ai2, ..., aiK),這裡1<= i1 < i2 < ... < iK <= N。比如,對於序列(1, 7, 3, 5, 9, 4, 8),有它的一些上升子序列,如(1, 7), (3, 4, 8)等等。這些子序列中最長的長度是4,比如子序列(1, 3, 5, 8)。你的任務,就是對於給定的序列,求出最長上升子序列的長度。
Input
Output
最長上升子序列的長度。Example Input
7 1 7 3 5 9 4 8
Example Output
4
程式碼:
#include <stdio.h> #include <stdlib.h> #include <string.h> int main() { int n, i, a[1001], len[1001], j; while(scanf("%d", &n) != EOF) { for(i = 0; i < n; i++) { scanf("%d", &a[i]); } len[0] = 1; for(i = 1; i < n; i++) { int m = 0; for(j = 0; j < i; j++) { if(a[i] > a[j] && m < len[j]) { m = len[j]; } } len[i] = m+1; } int max = 0; for(i = 0; i < n; i++) { if(max < len[i]) { max = len[i]; } } printf("%d\n", max); } return 0; }