mirror of
https://gitlab.com/mfocko/LeetCode.git
synced 2024-11-09 15:59:06 +01:00
25 lines
550 B
C++
25 lines
550 B
C++
#include <algorithm>
|
|
#include <vector>
|
|
|
|
class Solution {
|
|
public:
|
|
int lengthOfLIS(const std::vector<int> &nums) {
|
|
if (nums.empty()) {
|
|
return 0;
|
|
}
|
|
|
|
std::vector<int> dp(nums.size(), 1);
|
|
int m = 1;
|
|
|
|
for (auto i = 1u; i < nums.size(); ++i) {
|
|
for (auto j = 0u; j < i; ++j) {
|
|
if (nums[i] > nums[j]) {
|
|
dp[i] = std::max(dp[i], 1 + dp[j]);
|
|
m = std::max(m, dp[i]);
|
|
}
|
|
}
|
|
}
|
|
|
|
return m;
|
|
}
|
|
};
|