zoukankan      html  css  js  c++  java
  • [leetcode] Distinct Subsequences

    题目(DP)

    Given a string S and a string T, count the number of distinct subsequences of T in S.

    A subsequence of a string is a new string which is formed from the original string by deleting some (can be none) of the characters without disturbing the relative positions of the remaining characters. (ie, "ACE" is a subsequence of "ABCDE" while "AEC" is not).

    Here is an example:
    S = "rabbbit"T = "rabbit"

    Return 3.

    题解

    题目的意思首先就得搞明白:给定两个字符串S和T,求S有多少个不同的子串与T相同。S的子串定义为在S中任意去掉0个或者多个字符形成的串。

     然后这类题有一个中心思想:

     “When you see string problem that is about subsequence or matching, dynamic programming method should come to your mind naturally. ”

    引用http://www.cnblogs.com/springfor/p/3896152.html

     首先设置动态规划数组dp[i][j],表示S串中从开始位置到第i位置与T串从开始位置到底j位置匹配的子序列的个数。

     如果S串为空,那么dp[0][j]都是0;

     如果T串为空,那么dp[i][j]都是1,因为空串为是任何字符串的字串。

     可以发现规律,dp[i][j] 至少等于 dp[i][j-1]。

     当i=2,j=1时,S 为 ra,T为r,T肯定是S的子串,所以dp[2][1]=1,这时i=2,j=2时,S为ra,T为rs,T现在不是S的子串 dp[2][2] =dp[1][2]=0

    然后a又不等于s所以dp[2][2]=0;

     同时,如果字符串S[i-1]和T[j-1](dp是从1开始计数,字符串是从0开始计数)匹配的话,dp[i][j]还要加上dp[i-1][j-1]

     例如对于例子: S = "rabbbit"T = "rabbit"

     当i=2,j=1时,S 为 ra,T为r,T肯定是S的子串;当i=2,j=2时,S仍为ra,T为ra,这时T也是S的子串,所以子串数在dp[2][1]基础上加dp[1][1]。

      public int numDistinct(String S, String T) {
     2         int[][] dp = new int[S.length() + 1][T.length() + 1];
     3         dp[0][0] = 1;//initial
     4         
     5         for(int j = 1; j <= T.length(); j++)//S is empty
     6             dp[0][j] = 0;
     7             
     8         for (int i = 1; i <= S.length(); i++)//T is empty
     9             dp[i][0] = 1;
    10            
    11         for (int i = 1; i <= S.length(); i++) {
    12             for (int j = 1; j <= T.length(); j++) {
    13                 dp[i][j] = dp[i - 1][j];
    14                 if (S.charAt(i - 1) == T.charAt(j - 1)) 
    15                     dp[i][j] += dp[i - 1][j - 1];
    16             }
    17         }
    18      
    19         return dp[S.length()][T.length()];
    20     }
  • 相关阅读:
    【SQL跟踪工具】SQL Profiler 跟踪器
    使用Fiddler调试手机端页面请求/抓包
    SQL 常用判断语句
    VS中常用快捷键
    博客园博客自动生成目录/目录索引
    BZOJ 1135 P3488 LYZ-Ice Skates 线段树+Hall
    BZOJ 4823 老C的方块
    POJ
    BZOJ 1299 [LLH邀请赛]巧克力棒
    BZOJ 2437 [Noi2011]兔兔与蛋蛋
  • 原文地址:https://www.cnblogs.com/fengmangZoo/p/4198167.html
Copyright © 2011-2022 走看看