LeetCode-387. 字符串中的第一个唯一字符【队列 哈希表 字符串 计数】

发布时间:2023年12月17日

题目描述:

给定一个字符串 s ,找到 它的第一个不重复的字符,并返回它的索引 。如果不存在,则返回 -1 。

示例 1:
输入: s = “leetcode”
输出: 0

示例 2:
输入: s = “loveleetcode”
输出: 2

示例 3:
输入: s = “aabb”
输出: -1

提示:

1 <= s.length <= 105
s 只包含小写字母

解题思路一:用一个哈希表记录所有字符出现的次数,用一个列表unique_chars 记录出现一次的字符,然后从头遍历s,判断当前字符是否位于unique_chars中即可得出答案。

class Solution:
    def firstUniqChar(self, s: str) -> int:
        dic = {}

        # 记录字符出现次数
        for c in s:
            dic[c] = dic[c] + 1 if c in dic else 1

        # 过滤出现次数不为一的字符
        unique_chars = [k for k, v in filter(lambda kvp: kvp[1] == 1, dic.items())]
        # 遍历目标字符串,返回首个出现在unique_chars中的字符的索引
        for i, c in enumerate(s):
            if c in unique_chars:
                return i
        
        return -1

更简洁的写法

class Solution:
    def firstUniqChar(self, s: str) -> int:
        frequency = collections.Counter(s)
        for i, ch in enumerate(s):
            if frequency[ch] == 1:
                return i
        return -1

时间复杂度:O(n)
空间复杂度:O(26)

解题思路二:使用哈希表存储索引,出现多次变为-1,我们只需要找到哈希表中值不为-1的最小地址即可。

class Solution:
    def firstUniqChar(self, s: str) -> int:
        position = {}
        n = len(s)
        for i, ch in enumerate(s):
            if ch in position:
                position[ch] = -1
            else:
                position[ch] = i
        first = n
        for pos in position.values():
            if pos != -1 and pos < first:
                first = pos
        if first == n:
            first = -1
        return first

时间复杂度:O(n)
空间复杂度:O(26)

解题思路三:队列,用哈希表记录元素出现的位置,重复出现则标记为-1。注意这里入队的是字典元素(s[i], i)

class Solution:
    def firstUniqChar(self, s: str) -> int:
        position = dict()
        q = collections.deque()
        n = len(s)
        for i, ch in enumerate(s):
            if ch not in position:
                position[ch] = i
                q.append((s[i], i))
            else:
                position[ch] = -1
                while q and position[q[0][0]] == -1:
                    q.popleft()
        return -1 if not q else q[0][1]

时间复杂度:O(n)
空间复杂度:O(26)

文章来源:https://blog.csdn.net/qq_45934285/article/details/135003079
本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。