黄色电影一区二区,韩国少妇自慰A片免费看,精品人妻少妇一级毛片免费蜜桃AV按摩师 ,超碰 香蕉

Python 搜索樹(shù)

python 搜索樹(shù)

二叉搜索樹(shù)(bst)是一棵樹(shù),其中所有節(jié)點(diǎn)都遵循下述屬性 - 節(jié)點(diǎn)的左子樹(shù)具有小于或等于其父節(jié)點(diǎn)密鑰的密鑰。節(jié)點(diǎn)的右子樹(shù)具有大于其父節(jié)點(diǎn)密鑰的密鑰。因此,bst將其所有子樹(shù)分成兩部分; 左邊的子樹(shù)和右邊的子樹(shù),可以定義為 -

left_subtree (keys)  ≤  node (key)  ≤  right_subtree (keys)

在b-tree中搜索一個(gè)值

在樹(shù)中搜索值涉及比較輸入值與退出節(jié)點(diǎn)的值。在這里,我們也從左到右遍歷節(jié)點(diǎn),最后是父節(jié)點(diǎn)。如果搜索到的值與任何exitign值都不匹配,則返回未找到的消息,否則返回找到的消息。

class node:

    def __init__(self, data):

        self.left = none
        self.right = none
        self.data = data

# insert method to create nodes
    def insert(self, data):

        if self.data:
            if data < self.data:
                if self.left is none:
                    self.left = node(data)
                else:
                    self.left.insert(data)
            elif data > self.data:
                if self.right is none:
                    self.right = node(data)
                else:
                    self.right.insert(data)
        else:
            self.data = data
# findval method to compare the value with nodes
    def findval(self, lkpval):
        if lkpval < self.data:
            if self.left is none:
                return str(lkpval)+" not found"
            return self.left.findval(lkpval)
        elif lkpval > self.data:
            if self.right is none:
                return str(lkpval)+" not found"
            return self.right.findval(lkpval)
        else:
            print(str(self.data) + ' is found')
# print the tree
    def printtree(self):
        if self.left:
            self.left.printtree()
        print( self.data),
        if self.right:
            self.right.printtree()

root = node(12)
root.insert(6)
root.insert(14)
root.insert(3)
print(root.findval(7))
print(root.findval(14))

當(dāng)上面的代碼被執(zhí)行時(shí),它會(huì)產(chǎn)生以下結(jié)果 -

7 not found
14 is found

下一節(jié):python 堆

python 數(shù)據(jù)結(jié)構(gòu)

相關(guān)文章