-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathlcs.java
76 lines (62 loc) · 2.4 KB
/
lcs.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
// import java.util.Arrays;
// class Solution {
// long[][] memo = new long[100001][100001];
// public long maximumSubsequenceCount(String text, String pattern) {
// for (long[] is : memo) {
// Arrays.fill(is, -1);
// }
// String first = pattern.charAt(0) + text;
// String last = text + pattern.charAt(1);
// return (long) Math.max(count(first, pattern),
// count(last, pattern));
// }
// // public long lcs_Count(String Big, String small, int bl, int sl) {
// // // already calculated
// // if (memo[bl][sl] != -1)
// // return memo[bl][sl];
// // // new calculation
// // if ((bl == 0 && sl == 0) || sl == 0)
// // return memo[bl][sl] = 1;
// // if (bl == 0)
// // return memo[bl][sl] = 0;
// // if (Big.charAt(bl - 1) == small.charAt(sl - 1)) {
// // return memo[bl][sl] = lcs_Count(Big, small, bl - 1, sl - 1) + lcs_Count(Big,
// // small, bl - 1, sl);
// // } else
// // return memo[bl][sl] = lcs_Count(Big, small, bl - 1, sl);
// // }
// public int count(String a, String b) {
// int m = a.length();
// int n = b.length();
// // Create a table to store
// // results of sub-problems
// int lookup[][] = new int[m + 1][n + 1];
// // If first string is empty
// for (int i = 0; i <= n; ++i)
// lookup[0][i] = 0;
// // If second string is empty
// for (int i = 0; i <= m; ++i)
// lookup[i][0] = 1;
// // Fill lookup[][] in
// // bottom up manner
// for (int i = 1; i <= m; i++) {
// for (int j = 1; j <= n; j++) {
// // If last characters are
// // same, we have two options -
// // 1. consider last characters
// // of both strings in solution
// // 2. ignore last character
// // of first string
// if (a.charAt(i - 1) == b.charAt(j - 1))
// lookup[i][j] = lookup[i - 1][j - 1] +
// lookup[i - 1][j];
// else
// // If last character are
// // different, ignore last
// // character of first string
// lookup[i][j] = lookup[i - 1][j];
// }
// }
// return lookup[m][n];
// }
// }