mirror of
https://github.com/Kiritow/OJ-Problems-Source.git
synced 2024-03-22 13:11:29 +08:00
19 lines
467 B
C++
19 lines
467 B
C++
|
class Solution {
|
||
|
public:
|
||
|
int lengthOfLIS(vector<int>& nums) {
|
||
|
int N = nums.size();
|
||
|
vector<int> dp(N);
|
||
|
for (int i = 0; i < N; i++) {
|
||
|
dp[i] = 1;
|
||
|
}
|
||
|
for (int i = 1; i < N; i++) {
|
||
|
for (int j = 0; j < i; j++) {
|
||
|
if (nums[i] > nums[j]) {
|
||
|
dp[i] = max(dp[i], dp[j] + 1);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
|
||
|
return *max_element(dp.begin(), dp.end());
|
||
|
}
|
||
|
};
|