华为OD机试-字符串序列判定

题目描述

给定两个字符串 s和 t ,判断 s是否为 t 的子序列。
你可以认为 s 和 t 中仅包含英文小写字母。字符串 t 可能会很长(长度n ~= 500,000),而 s 是个短字符串(长度 <=100)。

字符串的一个子序列是原始字符串删除一些(也可以不删除)字符而不改变剩余字符相对位置形成的新字符串。(例如,"ace"是"abcde"的一个子序列,而"aec"不是)。

进阶:时间复杂度O(n) ,空间复杂度O(n)

输入描述:
共两行,第一行为字符串s,  第二行为字符串t
字符串t的长度 1<=n<=500000
字符串s的长度 1<=m<=100

输出描述:
输出true或者是false,true表示是s是t的子序列,false表示s不是t的子序列

示例1
输入
abc
ahbgdc
输出
true
示例2
输入
axc
ahbgdc
输出
false

代码实现

# coding:utf-8


class Solution:
    def isSubstring(self, l, s):  # l为长字符串,s为短字符串
        ll = len(l)
        sl = len(s)
        if sl > ll:
            return False
        ps, pl = 0, 0
        while ps < sl and pl < ll:
            if s[ps] == l[pl]:
                ps += 1
                pl += 1
            else:
                pl += 1
        return ps == sl


if __name__ == '__main__':
    l = input("LongString:")
    s = input("ShotString:")
    solution = Solution()
    print(solution.isSubstring(l, s))

你可能感兴趣的:(测试小兵,算法,华为od,华为机试,python)