当前位置:   article > 正文

leetcode字典树算法(特别记录)_leetcode 树算法

leetcode 树算法

实现前缀树

前缀树 是一种树形数据结构,用于高效地存储和检索字符串数据集中的键。这一数据结构有相当多的应用情景,例如自动补完和拼写检查。

请你实现 Trie 类:

Trie() 初始化前缀树对象。
void insert(String word) 向前缀树中插入字符串 word 。
boolean search(String word) 如果字符串 word 在前缀树中,返回 true(即,在检索之前已经插入);否则,返回 false 。
boolean startsWith(String prefix) 如果之前已经插入的字符串 word 的前缀之一为 prefix ,返回 true ;否则,返回 false 。

  1. class Trie {
  2. private Trie[] children;
  3. private boolean isEnd;
  4. /** Initialize your data structure here. */
  5. public Trie() {
  6. children = new Trie[26];
  7. isEnd = false;
  8. }
  9. /** Inserts a word into the trie. */
  10. public void insert(String word) {
  11. Trie node = this;
  12. for(int i = 0;i < word.length();i++){
  13. char ch = word.charAt(i);
  14. int index = ch - 'a';
  15. if(node.children[index] == null){
  16. node.children[index] = new Trie();
  17. }
  18. node = node.children[index];
  19. }
  20. node.isEnd = true;
  21. }
  22. /** Returns if the word is in the trie. */
  23. public boolean search(String word) {
  24. Trie node = searchPrefix(word);
  25. return node != null && node.isEnd;
  26. }
  27. /** Returns if there is any word in the trie that starts with the given prefix. */
  28. public boolean startsWith(String prefix) {
  29. return searchPrefix(prefix) != null;
  30. }
  31. private Trie searchPrefix(String prefix){
  32. Trie node = this;
  33. for(int i = 0;i < prefix.length();i++){
  34. char ch = prefix.charAt(i);
  35. int index = ch - 'a';
  36. if(node.children[index] == null){
  37. return null;
  38. }
  39. node = node.children[index];
  40. }
  41. return node;
  42. }
  43. }
  44. /**
  45. * Your Trie object will be instantiated and called as such:
  46. * Trie obj = new Trie();
  47. * obj.insert(word);
  48. * boolean param_2 = obj.search(word);
  49. * boolean param_3 = obj.startsWith(prefix);
  50. */

 

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/我家小花儿/article/detail/994689
推荐阅读
相关标签
  

闽ICP备14008679号