IT数码 购物 网址 头条 软件 日历 阅读 图书馆
TxT小说阅读器
↓语音阅读,小说下载,古典文学↓
图片批量下载器
↓批量下载图片,美女图库↓
图片自动播放器
↓图片自动播放器↓
一键清除垃圾
↓轻轻一点,清除系统垃圾↓
开发: C++知识库 Java知识库 JavaScript Python PHP知识库 人工智能 区块链 大数据 移动开发 嵌入式 开发工具 数据结构与算法 开发测试 游戏开发 网络协议 系统运维
教程: HTML教程 CSS教程 JavaScript教程 Go语言教程 JQuery教程 VUE教程 VUE3教程 Bootstrap教程 SQL数据库教程 C语言教程 C++教程 Java教程 Python教程 Python3教程 C#教程
数码: 电脑 笔记本 显卡 显示器 固态硬盘 硬盘 耳机 手机 iphone vivo oppo 小米 华为 单反 装机 图拉丁
 
   -> 数据结构与算法 -> LeetCode 1804. Implement Trie II (Prefix Tree) - 前缀树(Trie Tree or Prefix Tree)系列题7 -> 正文阅读

[数据结构与算法]LeetCode 1804. Implement Trie II (Prefix Tree) - 前缀树(Trie Tree or Prefix Tree)系列题7

A?trie?(pronounced as "try") or?prefix tree?is a tree data structure used to efficiently store and retrieve keys in a dataset of strings. There are various applications of this data structure, such as autocomplete and spellchecker.

Implement the Trie class:

  • Trie()?Initializes the trie object.
  • void insert(String word)?Inserts the string?word?into the trie.
  • int countWordsEqualTo(String word)?Returns the number of instances of the string?word?in the trie.
  • int countWordsStartingWith(String prefix)?Returns the number of strings in the trie that have the string?prefix?as a prefix.
  • void erase(String word)?Erases the string?word?from the trie.

Example 1:

Input
["Trie", "insert", "insert", "countWordsEqualTo", "countWordsStartingWith", "erase", "countWordsEqualTo", "countWordsStartingWith", "erase", "countWordsStartingWith"]
[[], ["apple"], ["apple"], ["apple"], ["app"], ["apple"], ["apple"], ["app"], ["apple"], ["app"]]
Output
[null, null, null, 2, 2, null, 1, 1, null, 0]

Explanation
Trie trie = new Trie();
trie.insert("apple");               // Inserts "apple".
trie.insert("apple");               // Inserts another "apple".
trie.countWordsEqualTo("apple");    // There are two instances of "apple" so return 2.
trie.countWordsStartingWith("app"); // "app" is a prefix of "apple" so return 2.
trie.erase("apple");                // Erases one "apple".
trie.countWordsEqualTo("apple");    // Now there is only one instance of "apple" so return 1.
trie.countWordsStartingWith("app"); // return 1
trie.erase("apple");                // Erases "apple". Now the trie is empty.
trie.countWordsStartingWith("app"); // return 0

Constraints:

  • 1 <= word.length, prefix.length <= 2000
  • word?and?prefix?consist only of lowercase English letters.
  • At most?3 * 104?calls?in total?will be made to?insert,?countWordsEqualTo,?countWordsStartingWith, and?erase.
  • It is guaranteed that for any function call to?erase, the string?word?will exist in the trie.

这题还是标准的前缀树(Trie)题,是LeetCode 208. Implement Trie (Prefix Tree)?的拓展。题目要求允许插入重复的单词,查找匹配的单词个数,查找含有指定前缀的单词个数,还有可以从树里擦除一个单词。

1)定义前缀树(Trie)数据结构,为了方便查询单词的个数,每个节点需要定义一个计数变量用于表示单词结束和单词出现次数;为了方便查询含有相同前缀的单词个数,每个节点增加一个计数变量用于统计单词经过该节点的次数即即含有该前缀的单词次数。

2)查找单词个数:标准的前缀树查找函数,从根节点开始按单词字母搜索子节点直到单词结束,返回最后一个节点的单词结束计数变量。

3)查找含有相同前缀的单词个数,由于前面定义了一个前缀计数变量使得该函数变得简单,从根节点开始按前缀字符串的字母挨个搜索子节点直到前缀字符串结束,返回最后一个节点的前缀计数变量。

4)擦除函数,由于题目的限制条件即要擦除的单词一定存在树里,使得擦除函数简单不少。从根节点开始按单词字母搜索子节点直到单词结束,每经过一个节点前缀计数减1,最后一个节点单词结束计数减1。(如果没题目限制,输入的单词可能不存在,那就会破坏树里计数变量)

class TrieNode:
    def __init__(self):
        self.startCnt = 0
        self.endCnt = 0
        self.children = [None] * 26
class Trie:

    def __init__(self):
        self.root = TrieNode()

    def insert(self, word: str) -> None:
        node = self.root
        for c in word:
            idx = ord(c) - ord('a')
            if not node.children[idx]:
                node.children[idx] = TrieNode()
            node = node.children[idx]
            node.startCnt += 1
        node.endCnt += 1

    def countWordsEqualTo(self, word: str) -> int:
        node = self.root
        for c in word:
            idx = ord(c) - ord('a')
            if not node.children[idx]:
                return 0
            node = node.children[idx]
        return node.endCnt

    def countWordsStartingWith(self, prefix: str) -> int:
        node = self.root
        for c in prefix:
            idx = ord(c) - ord('a')
            if not node.children[idx]:
                return 0
            node = node.children[idx]
        
        return node.startCnt

    def erase(self, word: str) -> None:
        node = self.root
        for c in word:
            idx = ord(c) - ord('a')
            if not node.children[idx]:
                return 0
            node = node.children[idx]
            node.startCnt -= 1
        
        node.endCnt -= 1

  数据结构与算法 最新文章
【力扣106】 从中序与后续遍历序列构造二叉
leetcode 322 零钱兑换
哈希的应用:海量数据处理
动态规划|最短Hamilton路径
华为机试_HJ41 称砝码【中等】【menset】【
【C与数据结构】——寒假提高每日练习Day1
基础算法——堆排序
2023王道数据结构线性表--单链表课后习题部
LeetCode 之 反转链表的一部分
【题解】lintcode必刷50题<有效的括号序列
上一篇文章      下一篇文章      查看所有文章
加:2021-12-08 14:04:10  更:2021-12-08 14:05:59 
 
开发: C++知识库 Java知识库 JavaScript Python PHP知识库 人工智能 区块链 大数据 移动开发 嵌入式 开发工具 数据结构与算法 开发测试 游戏开发 网络协议 系统运维
教程: HTML教程 CSS教程 JavaScript教程 Go语言教程 JQuery教程 VUE教程 VUE3教程 Bootstrap教程 SQL数据库教程 C语言教程 C++教程 Java教程 Python教程 Python3教程 C#教程
数码: 电脑 笔记本 显卡 显示器 固态硬盘 硬盘 耳机 手机 iphone vivo oppo 小米 华为 单反 装机 图拉丁

360图书馆 购物 三丰科技 阅读网 日历 万年历 2025年1日历 -2025/1/10 2:42:50-

图片自动播放器
↓图片自动播放器↓
TxT小说阅读器
↓语音阅读,小说下载,古典文学↓
一键清除垃圾
↓轻轻一点,清除系统垃圾↓
图片批量下载器
↓批量下载图片,美女图库↓
  网站联系: qq:121756557 email:121756557@qq.com  IT数码