算法训练营day56

题目1:300. 最长递增子序列 - 力扣(LeetCode)

class Solution {
public:
    int lengthOfLIS(vector<int>& nums) {
        // dp数组含义是第i个数的严格递增子序列的长度
        // 内层的递推公式就是 取 0 到 i - 1之间最大的dp数组 然后 + 1
        vector<int> dp(nums.size(), 1);
        int reslut = 1;
        for(int i = 1;i < nums.size();i++) {
            for(int j = 0;j < i;j++) {
                if(nums[i] > nums[j]) {
                    dp[i] = max(dp[i], dp[j] + 1);
                }
            }
            reslut = max(reslut, dp[i]);
        }
        return reslut;
    }
};

题目2:674. 最长连续递增序列 - 力扣(LeetCode)

暴力解法:

class Solution {
public:
    int findLengthOfLCIS(vector<int>& nums) {
        int reslut = 1;
        for(int i = 0;i < nums.size();i++) {
            int len = 1;
            for(int j = i;j < nums.size() - 1;j++) {
                if(nums[j + 1] > nums[j]) {
                    len++;
                }else break;
            }
            reslut = max(reslut, len);
        }
        return  reslut;
    }
};

动态规划

class Solution {
public:
    int findLengthOfLCIS(vector<int>& nums) {
        vector<int> dp(nums.size(), 1);
        int reslut = 1;
        for(int i = 0;i < nums.size() - 1;i++) {
            if(nums[i + 1] > nums[i]) {
                dp[i + 1] = dp[i] + 1;
            }
            reslut = max(reslut, dp[i + 1]);
        }
        return reslut;
    }
};

题目3:718. 最长重复子数组 - 力扣(LeetCode)

class Solution {
public:
    int findLength(vector<int>& nums1, vector<int>& nums2) {
        vector<vector<int>> dp(nums1.size() + 1, vector<int>(nums2.size() + 1));
        int reslut = 0;
        for(int i = 1;i <= nums1.size();i++) {
            for(int j = 1;j <= nums2.size();j++) {
                if(nums1[i - 1] == nums2[j - 1]) {
                    dp[i][j] = dp[i - 1][j - 1] + 1;
                }
                reslut = max(reslut, dp[i][j]);
            }
        }
        return reslut;
    }
};
相关推荐
SoraLuna3 小时前
「Mac玩转仓颉内测版26」基础篇6 - 字符类型详解
开发语言·算法·macos·cangjie
雨中rain4 小时前
贪心算法(2)
算法·贪心算法
且听风吟ayan5 小时前
leetcode day13 贪心 45+55
leetcode·c#
sjsjs116 小时前
【数据结构-表达式解析】【hard】力扣224. 基本计算器
数据结构·算法·leetcode
C++忠实粉丝6 小时前
计算机网络socket编程(6)_TCP实网络编程现 Command_server
网络·c++·网络协议·tcp/ip·计算机网络·算法
坊钰6 小时前
【Java 数据结构】时间和空间复杂度
java·开发语言·数据结构·学习·算法
武昌库里写JAVA6 小时前
一文读懂Redis6的--bigkeys选项源码以及redis-bigkey-online项目介绍
c语言·开发语言·数据结构·算法·二维数组
禊月初三6 小时前
LeetCode 4.寻找两个中序数组的中位数
c++·算法·leetcode
学习使我飞升6 小时前
spf算法、三类LSA、区间防环路机制/规则、虚连接
服务器·网络·算法·智能路由器
戊子仲秋6 小时前
【LeetCode】每日一题 2024_11_23 矩阵中的蛇(哈希、计数)
leetcode·矩阵·哈希算法