欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

Is Subsequence-面试题

程序员文章站 2024-02-24 22:30:10
...

题目内容:

  • 给定字符串s和t,检查字符串s是否是t的子序列
  • Given a string s and a string t, check if s is subsequence of t.
  • Example:Input:s = “abc”,t = “ahbgdc” output:true

题目分析

  • 对于字符串s中的每个值在字符串t中从左至右一次查找,t中已经查找过的不重复查找
  • 当t中的所有字符均被遍历过,而s中仍然存在值为查找到,则返回false

java编程

方法1

class Solution {
    public boolean isSubsequence(String s, String t) {
        if(s.length()==0)return true;//当s字符串为空时,一定是子串
        int i = 0;
        for(int j = 0;j<t.length();j++){
            if(s.charAt(i)==t.charAt(j)){
                i++;
                if (i == s.length())
                    return true;//如果s字符串全部遍历完,则返回正确
            }
        }
       return false;//否则的话说明t已经遍历完,而s没有,则返回false
    }
}

方法2

public boolean isSubsequence(String s, String t) {
    for (int i = 0, pos = 0; i < s.length(); i++, pos++) {
        pos = t.indexOf(s.charAt(i), pos);//主要知识点是关于indexOf的用法
        if(pos == -1) return false;
    }
    return true;
}