前言
樹型結(jié)構(gòu)是一類重要的非線性數(shù)據(jù)結(jié)構(gòu),其中以樹和二叉樹最為常用,是以分支關(guān)系定義的層次結(jié)構(gòu)。樹結(jié)構(gòu)在客觀世界中廣泛存在,如人類社會的族譜和各種社會組織機(jī)構(gòu);在計算機(jī)領(lǐng)域中也有廣泛應(yīng)用,如在編譯程序中,可用樹來表示源程序的語法結(jié)構(gòu);在數(shù)據(jù)庫系統(tǒng)中,樹型結(jié)構(gòu)也是信息的重要組織形式之一;在機(jī)器學(xué)習(xí)中,決策樹,隨機(jī)森林,GBDT等是常見的樹模型。
樹(Tree)是個結(jié)點(diǎn)的有限集。在任意一棵樹中:(1)有且僅有一個特定的稱為根(Root)的節(jié)點(diǎn);(2)當(dāng)時,其余節(jié)點(diǎn)可分為個互不相交的有限集其中每一個集合本身又是一棵樹,并且稱為根的子樹(SubTree)。
圖1 樹型結(jié)構(gòu)
python創(chuàng)建與遍歷二叉樹
python創(chuàng)建和遍歷二叉樹,可以使用遞歸的方式,源代碼如下:
#!/usr/bin/python
class node():
def __init__(self,k=None,l=None,r=None):
self.key=k;
self.left=l;
self.right=r;
def create(root):
a=raw_input('enter a key:');
if a is '#':
root=None;
else:
root=node(k=a);
root.left=create(root.left);
root.right=create(root.right);
return root;
def preorder(root): #前序遍歷
if root is None:
return ;
else :
print root.key;
preorder(root.left);
preorder(root.right);
def inorder(root): #中序遍歷
if root is None:
return ;
else:
inorder(root.left);
print root.key;
inorder(root.right);
def postorder(root): # 后序遍歷
if root is None:
return ;
else :
postorder(root.left);
postorder(root.right);
print root.key;
root=None; # 測試代碼
root=create(root);
preorder(root);
inorder(root);
postorder(root);
運(yùn)行程序,建立二叉樹如圖:
前序遍歷結(jié)果為: a b c d e f
中序遍歷結(jié)果為:c b d a f e
后序遍歷結(jié)果為:c d b f e a
總結(jié)
到此這篇關(guān)于python創(chuàng)建與遍歷二叉樹的文章就介紹到這了,更多相關(guān)python創(chuàng)建與遍歷二叉樹內(nèi)容請搜索腳本之家以前的文章或繼續(xù)瀏覽下面的相關(guān)文章希望大家以后多多支持腳本之家!
您可能感興趣的文章:- python數(shù)據(jù)結(jié)構(gòu)之二叉樹的遍歷實(shí)例
- Python利用前序和中序遍歷結(jié)果重建二叉樹的方法
- python二叉樹遍歷的實(shí)現(xiàn)方法
- Python實(shí)現(xiàn)二叉樹結(jié)構(gòu)與進(jìn)行二叉樹遍歷的方法詳解
- python實(shí)現(xiàn)的二叉樹定義與遍歷算法實(shí)例
- Python編程實(shí)現(xiàn)二叉樹及七種遍歷方法詳解
- Python實(shí)現(xiàn)輸入二叉樹的先序和中序遍歷,再輸出后序遍歷操作示例
- Python實(shí)現(xiàn)二叉樹的常見遍歷操作總結(jié)【7種方法】
- Python實(shí)現(xiàn)二叉樹前序、中序、后序及層次遍歷示例代碼
- python先序遍歷二叉樹問題