繁体   English   中英

为什么指针在第 27 行不递增

[英]why the pointer is not incrementing at line 27

我正在实现 trie 数据结构,为什么我的指针在第 27 行没有递增。所有字符都只进入 forst 节点。 这是我的代码

class Trienode:
    data:str
    next:list = [None]*26
    isTerminal:bool = False

    def __init__(self,data):
        self.data = data


class Trie:

    def __init__(self):
        self.root  = Trienode('#')

    def insert(self,data):
        
        temp = self.root

        for ch in data:
            index = ord(ch)- ord('a')
            # print(temp.next[index])
            if temp.next[index]==None:
               
                temp.next[index] = Trienode(ch)
                temp = temp.next[index]
            
            else:
                temp = temp.next[index]
        temp.isTerminal = True

    def display(self):
        temp = self.root
        for i in range(26):
            print(temp.next[i])


if  __name__=='__main__':
    root = Trie()
    root.insert("apple")
    root.insert("pineapple")

    root.display()

这是控制台上的 output 我正在打印第一个节点控制台的指针数组 output

我尝试了相同的逻辑来增加 Linkedlist 中的指针,它工作正常。

我已经稍微修改了你的样本。 相关更改以注释突出显示

class Trienode:
    def __init__(self, data):
        self.data: str = data
        self.next: list = [None] * 26
        self.isTerminal: bool = False

    def __str__(self):  # get more info on display
        return f"{self.data} - {''.join(str(n) for n in self.next if n is not None)}"

    def __repr__(self):  # appears nicely in my IDE ;)
        return f'Trienode({self.data})'


class Trie:

    def __init__(self):
        self.root = Trienode('#')

    def insert(self, data):

        temp = self.root

        for ch in data:
            index = ord(ch) - ord('a')
            if temp.next[index] is None:  # error was there I guess
                temp.next[index] = Trienode(ch)
            temp = temp.next[index]  # and here also
        temp.isTerminal = True

    def display(self):
        self._display(self.root)

    def _display(self, node):  # must use a recursion to display all the children
        print(node)
        for child in node.next:
            if child is not None:
                self._display(child)



if __name__ == '__main__':
    root = Trie()
    root.insert("apple")
    root.insert("pineapple")

    root.display

希望这可以帮助

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM