[LeetCode]题解(python):115-Distinct Subsequences

Posted Ry_Chen

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了[LeetCode]题解(python):115-Distinct Subsequences相关的知识,希望对你有一定的参考价值。

题目来源:

  https://leetcode.com/problems/distinct-subsequences/


 

题意分析:

  给定字符串S和T,判断S中可以组成多少个T,T是S的子串。


 

题目思路:

  这是一个动态规划的问题。设定ans[i][j]为s[:i] 组成t[:j]的个数。那么动态规划方程为,if s[i - 1] == t[j - 1]: ans[i][j] = ans[i - 1][j - 1] + ans[i - 1][j];else: ans[i][j] = ans[i - 1][j]。


 

代码(python):

  

技术分享
class Solution(object):
    def numDistinct(self, s, t):
        """
        :type s: str
        :type t: str
        :rtype: int
        """
        m,n = len(s),len(t)
        ans = [[0 for i in range(n+1)] for i in range(m+1)]
        for i in range(m + 1):
            ans[i][0] = 1
        for i in range(1,m + 1):
            for j in range(1,n + 1):
                if s[i - 1] == t[j - 1]:
                    ans[i][j] = ans[i - 1][j - 1] + ans[i - 1][j]
                else:
                    ans[i][j] = ans[i-1][j]
        return ans[m][n]
View Code

以上是关于[LeetCode]题解(python):115-Distinct Subsequences的主要内容,如果未能解决你的问题,请参考以下文章

LeetCode第115题—不同的子序列—Python实现

《LeetCode之每日一题》:115.字符串解码

AtCoder Beginner Contest 115 题解

[LeetCode]题解(python):100 Same Tree

[LeetCode]题解(python):112 Path Sum

[LeetCode]题解(python):133-Clone Graph