LeetCode1408.数组中的字符串匹配(Python)

题目

给你一个字符串数组 words ,数组中的每个字符串都可以看作是一个单词。请你按 任意 顺序返回 words 中是其他单词的子字符串的所有单词。
如果你可以删除 words[j] 最左侧和/或最右侧的若干字符得到 words[i] ,那么字符串 words[i] 就是 words[j] 的一个子字符串。
示例 1:
输入:words = [“mass”,“as”,“hero”,“superhero”]
输出:[“as”,“hero”]
解释:“as” 是 “mass” 的子字符串,“hero” 是 “superhero” 的子字符串。
[“hero”,“as”] 也是有效的答案。
示例 2:
输入:words = [“leetcode”,“et”,“code”]
输出:[“et”,“code”]
解释:“et” 和 “code” 都是 “leetcode” 的子字符串。
示例 3:
输入:words = [“blue”,“green”,“bu”]
输出:[]

思路

分两次遍历
第一次遍历每个单词word
第二次遍历的时候,判断word这个单词,是否是所以单词中每一个单词的子串
要注意的是,一个单词可能是多个单词的字串

题解

class Solution:
    def stringMatching(self, words: List[str]) -> List[str]:
    	# 创建一个set集合,来储存
        res = set()
        # 两次遍历
        # 第一次遍历,每个单词
        # 第二次遍历,检查这个单词是不是每个单词的子串,是的话加入到set集合中
        for i in range(len(words)):
            for j in range(len(words)):
                if i != j and words[i] in words[j]:
                    res.add(words[i])
        # 最后将set集合转为列表
        return list(res)

当然也可以列表,只不过需要多加一个条件判断去重

class Solution:
    def stringMatching(self, words: List[str]) -> List[str]:
        res = list()
        for i in range(len(words)):
            for j in range(len(words)):
            	# 这里比set集合多了一个条件
                if i != j and words[i] in words[j] and words[i] not in res:
                    res.append(words[i])
        return res
                    

你可能感兴趣的:(题解,python,算法,数据结构,leetcode)