Wypróbuj strukturę danych | Wstaw i wyszukaj

Wypróbuj strukturę danych | Wstaw i wyszukaj

The Wypróbuj strukturę danych to drzewiasta struktura danych używana do przechowywania dynamicznego zestawu ciągów znaków. Jest powszechnie stosowany w celu zapewnienia wydajności wyszukiwanie I składowanie kluczy w dużym zbiorze danych. Struktura wspiera operacje takie jak wprowadzenie , szukaj , I usunięcie kluczy, co czyni go cennym narzędziem w takich dziedzinach jak informatyka i wyszukiwanie informacji. W tym artykule zamierzamy to zbadać wstawianie i wyszukiwanie operacja w Trie Data Structure.

Wypróbuj strukturę danych

Wypróbuj strukturę danych

Spis treści

Poniżej implementacja powyższego podejścia:

C++
#include  using namespace std; struct TrieNode {  // pointer array for child nodes of each node  TrieNode* childNode[26];  // Used for indicating ending of string  bool wordEnd;  TrieNode()  {  // constructor  // initialize the wordEnd variable with false  // initialize every index of childNode array with  // NULL  wordEnd = false;  for (int i = 0; i  < 26; i++) {  childNode[i] = NULL;  }  } }; void insert_key(TrieNode* root, string& key) {  // Initialize the currentNode pointer  // with the root node  TrieNode* currentNode = root;  // Iterate across the length of the string  for (auto c : key) {  // Check if the node exist for the current  // character in the Trie.  if (currentNode->childNode[c - 'a'] == NULL) { // Jeśli węzeł dla bieżącego znaku nie istnieje // utwórz nowy węzeł TrieNode* newNode = new TrieNode();  // Zachowaj referencje dla nowo utworzonego // węzła.  currentNode->childNode[c - 'a'] = newNode;  } // Teraz przenieś bieżący wskaźnik węzła do nowo // utworzonego węzła.  currentNode = currentNode->childNode[c - 'a'];  } // Zwiększ wartość słowaEndCount dla ostatniego wskaźnika currentNode //, co oznacza, że ​​istnieje ciąg kończący się na // currentNode.  currentNode->wordEnd = 1; } bool search_key(TrieNode* root, string& key) { // Zainicjuj wskaźnik currentNode // za pomocą węzła głównego TrieNode* currentNode = root;  // Wykonaj iterację po długości łańcucha for (auto c : key) { // Sprawdź, czy węzeł istnieje dla bieżącego // znaku w Trie.  if (currentNode->childNode[c - 'a'] == NULL) { // Podane słowo nie istnieje w Trie return false;  } // Przesuń wskaźnik currentNode do już // istniejącego węzła dla bieżącego znaku.  currentNode = currentNode->childNode[c - 'a'];  } return (currentNode->wordEnd == true); } // Kod sterownika int main() { // Utwórz węzeł główny dla Trie TrieNode* root = new TrieNode();  // Przechowuje ciągi znaków, które chcemy wstawić do wektora // Trie inputStrings = { 'i', 'mrówka', 'zrób', 'geek', 'tata', 'piłka' };  // liczba operacji wstawiania w Trie int n = inputStrings.size();  for (int i = 0; tj < n; i++) {  insert_key(root, inputStrings[i]);  }  // Stores the strings that we want to search in the Trie  vector searchQueryStrings = { 'zrobić', 'geek', 'bat' };  // liczba operacji wyszukiwania w Trie int searchQueries = searchQueryStrings.size();  for (int i = 0; tj < searchQueries; i++) {  cout  < < 'Query String: '  < < searchQueryStrings[i]   < < '
';  if (search_key(root, searchQueryStrings[i])) {  // the queryString is present in the Trie  cout  < < 'The query string is present in the '  'Trie
';  }  else {  // the queryString is not present in the Trie  cout  < < 'The query string is not present in '  'the Trie
';  }  }  return 0; } 
Jawa
class TrieNode {  TrieNode[] childNode;  boolean wordEnd;  TrieNode()  {  childNode = new TrieNode[26];  wordEnd = false;  } } class Trie {  TrieNode root;  Trie() { root = new TrieNode(); }  // Function to insert a key into the Trie  void insert(String key)  {  TrieNode currentNode = root;  for (int i = 0; i  < key.length(); i++) {  int index = key.charAt(i) - 'a';  if (currentNode.childNode[index] == null) {  currentNode.childNode[index]  = new TrieNode();  }  currentNode = currentNode.childNode[index];  }  currentNode.wordEnd = true;  }  // Function to search for a key in the Trie  boolean search(String key)  {  TrieNode currentNode = root;  for (int i = 0; i  < key.length(); i++) {  int index = key.charAt(i) - 'a';  if (currentNode.childNode[index] == null) {  return false;  }  currentNode = currentNode.childNode[index];  }  return currentNode.wordEnd;  } } public class Main {  public static void main(String[] args)  {  Trie trie = new Trie();  String[] inputStrings  = { 'and', 'ant', 'do', 'geek', 'dad', 'ball' };  // Insert each string into the Trie  for (String str : inputStrings) {  trie.insert(str);  }  String[] searchQueryStrings  = { 'do', 'geek', 'bat' };  // Search for each string and print whether it is  // found in the Trie  for (String query : searchQueryStrings) {  System.out.println('Query String: ' + query);  if (trie.search(query)) {  System.out.println(  'The query string is present in the Trie');  }  else {  System.out.println(  'The query string is not present in the Trie');  }  }  } } 
Pyton
class TrieNode: def __init__(self): self.childNode = [None] * 26 self.wordEnd = False class Trie: def __init__(self): self.root = TrieNode() # Function to insert a key into the Trie def insert(self, key): currentNode = self.root for char in key: index = ord(char) - ord('a') if not currentNode.childNode[index]: currentNode.childNode[index] = TrieNode() currentNode = currentNode.childNode[index] currentNode.wordEnd = True # Function to search for a key in the Trie def search(self, key): currentNode = self.root for char in key: index = ord(char) - ord('a') if not currentNode.childNode[index]: return False currentNode = currentNode.childNode[index] return currentNode.wordEnd if __name__ == '__main__': trie = Trie() inputStrings = ['and', 'ant', 'do', 'geek', 'dad', 'ball'] # Insert each string into the Trie for word in inputStrings: trie.insert(word) searchQueryStrings = ['do', 'geek', 'bat'] # Search for each string and print whether it is found in the Trie for query in searchQueryStrings: print('Query String:', query) if trie.search(query): print('The query string is present in the Trie') else: print('The query string is not present in the Trie') 
JavaScript
class TrieNode {  constructor() {  // Initialize the childNode array with 26 nulls  this.childNode = Array(26).fill(null);  // Initialize wordEnd to the false indicating that no word ends here yet  this.wordEnd = false;  } } class Trie {  constructor() {  // Initialize the root node of the Trie  this.root = new TrieNode();  }  // Function to insert a key into the Trie  insert(key) {  // Start from the root node  let currentNode = this.root;  for (let i = 0; i  < key.length; i++) {  const index = key.charCodeAt(i) - 'a'.charCodeAt(0);  if (currentNode.childNode[index] === null) {  currentNode.childNode[index] = new TrieNode();  }  // Move to the next node in the Trie  currentNode = currentNode.childNode[index];  }  // Mark the end of the word  currentNode.wordEnd = true;  }  // Function to search for a key in the Trie  search(key) {  // Start from the root node  let currentNode = this.root;  // Iterate through each character in the key  for (let i = 0; i  < key.length; i++) {  const index = key.charCodeAt(i) - 'a'.charCodeAt(0);  if (currentNode.childNode[index] === null) {  return false;  }  // Move to the next node in the Trie  currentNode = currentNode.childNode[index];  }  // Return true if the end of the word is marked otherwise false  return currentNode.wordEnd;  } } // Driver code const trie = new Trie(); const inputStrings = ['and', 'ant', 'do', 'geek', 'dad', 'ball']; // Insert each string into the Trie inputStrings.forEach((str) =>trie.insert(str)); const searchQueryStrings = ['do', 'geek', 'bat']; // Wyszukaj każdy ciąg i wypisz, czy został znaleziony w Trie searchQueryStrings.forEach((query) => { console.log(`Query String: ${query}`); if (trie.search(query)) { console.log('Ciąg zapytania występuje w Trie' } else { console.log('Ciąg zapytania nie występuje w Trie' } }); 

Wyjście
Query String: do The query string is present in the Trie Query String: geek The query string is present in the Trie Query String: bat The query string is not present in the Trie 

Spróbuj usunąć
  • Wyświetlanie zawartości Trie
  • Funkcja automatycznego uzupełniania za pomocą Trie
  • Wyszukiwanie wzorców przy użyciu próby wszystkich przyrostków
  • Problemy praktyczne:

    • Minimalne łamanie wyrazów
    • Unikalne wiersze w macierzy binarnej
    • Liczba odrębnych podciągów
    • Słowo Boggle
    • Sortowanie tablicy ciągów (lub słów) za pomocą Trie