在计算子序列数后,如何获得字符串子序列索引?

时间:2017-05-20 09:33:18

标签: algorithm dynamic-programming subsequence

给定以下算法来计算字符串作为另一个子序列出现的次数并给出最终数字,我将如何实现一个例程来给我字符串的索引。例如,如果有4个字符串作为另一个字符串的子序列出现,我如何找到每个字符串的索引? [1] [4] [9]第一个字符串 从我自己尝试解决问题的方法来看,dp查找表上有一个模式,我在视觉上看到但很难在代码中实现,我如何添加一个回溯,它会给出每个字符串子序列的索引。在示例中,我知道字符串将作为子序列出现的次数,但我想知道每个子序列外观的字符串索引,如上所述,当我查看查找表值但很难对其进行编码时,我可以直观地确定它?我知道解决方案在于回溯表格查找容器

int count(string a, string b)
{
    int m = a.length();
    int n = b.length();


    int lookup[m + 1][n + 1] = { { 0 } };

    // 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 
    for (int i = 1; i <= m; i++)
    {
        for (int j = 1; j <= n; j++)
        {
            // we have two options 
            //
            // 1. consider last characters of both strings
            //    in solution
            // 2. ignore last character of first string
            if (a[i - 1] == b[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];
}
int main(void){
string a = "ccaccbbbaccccca";
string b = "abc";

cout << count(a, b);

return 0;

}

1 个答案:

答案 0 :(得分:0)

你可以递归地进行(基本上你只是在另一个方向做同样的事情):

def gen(i, j):
     // If there's no match, we're done
     if lookup[i][j] == 0:
        return []
     // If one of the indices is 0, the answer is an empty list
     // which means an empty sequence
     if i == 0 or j == 0:
         return [[]]
     // Otherwise, we just do all transitions backwards
     // combine the results
     res = []
     if a[i - 1] == b[j - 1]:
         res = gen(i - 1, j - 1)
         for elem in res:
              elem.append(a[i - 1])
     return res + gen(i - 1, j)

我们的想法是完成我们用来计算答案的完全相同的东西,但要返回索引列表而不是方法的数量。

我还没有对上面的代码进行测试,因此它可能包含一些小错误,但我认为这个想法很明确。