|
|
|
|
|
|
|
|
using System; |
|
|
|
|
|
namespace SlobViewer.Collections.Text |
|
|
{ |
|
|
|
|
|
|
|
|
|
|
|
public class LongestCommonSubstringOfTwoStrings |
|
|
{ |
|
|
private int[][] _lcsArray = new int[0][]; |
|
|
private int _allocatedLengthFirstString; |
|
|
private int _allocatedLengthSecondString; |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
public int LongestCommonSubstring(string firstString, string secondString) |
|
|
{ |
|
|
int firstLength = firstString.Length; |
|
|
int secondLength = secondString.Length; |
|
|
Reallocate(firstLength + 1, secondLength + 1); |
|
|
int result = 0; |
|
|
for (int i = 0; i <= firstLength; i++) |
|
|
{ |
|
|
for (int j = 0; j <= secondLength; j++) |
|
|
{ |
|
|
if (i == 0 || j == 0) |
|
|
{ |
|
|
if (j < secondLength) |
|
|
_lcsArray[i][j] = 0; |
|
|
} |
|
|
else if (firstString[i - 1] == secondString[j - 1]) |
|
|
{ |
|
|
_lcsArray[i][j] = _lcsArray[i - 1][j - 1] + 1; |
|
|
|
|
|
result = Math.Max(result, _lcsArray[i][j]); |
|
|
} |
|
|
else |
|
|
{ |
|
|
_lcsArray[i][j] = 0; |
|
|
} |
|
|
} |
|
|
} |
|
|
return result; |
|
|
} |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
public void Preallocate(int maxLengthOfFirstString, int maxLengthOfSecondString) |
|
|
{ |
|
|
Reallocate(maxLengthOfFirstString + 1, maxLengthOfSecondString + 1); |
|
|
} |
|
|
|
|
|
|
|
|
private void Reallocate(int lengthFirstString, int lengthSecondString) |
|
|
{ |
|
|
if (lengthFirstString > _allocatedLengthFirstString) |
|
|
{ |
|
|
int[][] oldArr = _lcsArray; |
|
|
|
|
|
_allocatedLengthFirstString = lengthFirstString; |
|
|
_lcsArray = new int[_allocatedLengthFirstString][]; |
|
|
Array.Copy(oldArr, _lcsArray, oldArr.Length); |
|
|
if (lengthSecondString <= _allocatedLengthSecondString) |
|
|
{ |
|
|
for (int i = _lcsArray.Length + 1; i < lengthFirstString; ++i) |
|
|
{ |
|
|
_lcsArray[i] = new int[_allocatedLengthSecondString]; |
|
|
} |
|
|
} |
|
|
} |
|
|
|
|
|
if (lengthSecondString > _allocatedLengthSecondString) |
|
|
{ |
|
|
_allocatedLengthSecondString = lengthSecondString; |
|
|
|
|
|
for (int i = 0; i < _lcsArray.Length; ++i) |
|
|
{ |
|
|
_lcsArray[i] = new int[_allocatedLengthSecondString]; |
|
|
} |
|
|
} |
|
|
} |
|
|
} |
|
|
} |
|
|
|