最长重复子数组
Posted realzhaijiayu
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了最长重复子数组相关的知识,希望对你有一定的参考价值。
718. 最长重复子数组
思路
这道题类似最长公共子序列,可以使用动态规划来解决。
代码
二维的
/**
* 1 <= len(A), len(B) <= 1000
* 0 <= A[i], B[i] < 100
*/
class Solution {
public int findLength(int[] A, int[] B) {
int row = A.length;
int col = B.length;
int[][] dp = new int[row + 1][col + 1];
int res = 0;
for(int i = 1; i <= row; i++){
for(int j = 1; j <= col; j++){
if(A[i - 1] == B[j - 1]){
dp[i][j] = dp[i - 1][j - 1] + 1;
if(res < dp[i][j]){
res = dp[i][j];
}
}
else{
dp[i][j] = 0;
}
}
}
return res;
}
}
一维的
/**
* 1 <= len(A), len(B) <= 1000
* 0 <= A[i], B[i] < 100
*/
class Solution {
public int findLength(int[] A, int[] B) {
int row = A.length;
int col = B.length;
int[] dp = new int[col + 1];
int res = 0;
for(int i = 1; i <= row; i++){
//从后向前遍历,防止dp[j-1]的值被冲掉
for(int j = col; j >= 1; j--){
if(A[i - 1] == B[j - 1]){
dp[j] = dp[j - 1] + 1;
}
else{
dp[j] = 0;
}
res = Math.max(res, dp[j]);
}
}
return res;
}
}
以上是关于最长重复子数组的主要内容,如果未能解决你的问题,请参考以下文章
NC41 最长无重复子数组/NC133链表的奇偶重排/NC116把数字翻译成字符串/NC135 股票交易的最大收益/NC126换钱的最少货币数/NC45实现二叉树先序,中序和后序遍历(递归)(代码片段