#yyds干货盘点# 面试必刷TOP101:最长公共子串
Posted
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了#yyds干货盘点# 面试必刷TOP101:最长公共子串相关的知识,希望对你有一定的参考价值。
1.简述:
给定两个字符串str1和str2,输出两个字符串的最长公共子串
题目保证str1和str2的最长公共子串存在且唯一。
数据范围: 要求: 空间复杂度 ,时间复杂度
输入:
"1AB2345CD","12345EF"
返回值:
"2345"
2.代码实现:
import java.util.*;
public class Solution
public String LCS (String str1, String str2)
//dp[i][j]表示到str1第i个个到str2第j个为止的公共子串长度
int[][] dp = new int[str1.length() + 1][str2.length() + 1];
int max = 0;
int pos = 0;
for(int i = 1; i <= str1.length(); i++)
for(int j = 1; j <= str2.length(); j++)
//如果该两位相同
if(str1.charAt(i - 1) == str2.charAt(j - 1))
//则增加长度
dp[i][j] = dp[i - 1][j - 1] + 1;
else
//该位置为0
dp[i][j] = 0;
//更新最大长度
if(dp[i][j] > max)
max = dp[i][j];
pos = i - 1;
return str1.substring(pos - max + 1, pos + 1);
以上是关于#yyds干货盘点# 面试必刷TOP101:最长公共子串的主要内容,如果未能解决你的问题,请参考以下文章