1 #include<list> 2 #include<vector> 3 #include<stdlib.h> 4 #include<iostream> 5 #include<algorithm> 6 7 using namespace std; 8 9 struct BinaryTreeNode//二叉樹結點類型 10 { 11 char value; 12 BinaryTreeNode* left; 13 BinaryTreeNode* right; 14 }; 15 16 void CreatBinaryTree(BinaryTreeNode** pRoot)//建立二叉樹 17 { 18 char data; 19 cin>>data; 20 if(data!='.') 21 { 22 *pRoot=new BinaryTreeNode; 23 (*pRoot)->value=data; 24 CreatBinaryTree(&((*pRoot)->left));//建立左子樹 25 CreatBinaryTree(&((*pRoot)->right));//建立右子樹 26 } 27 else *pRoot=NULL; 28 } 29 30 31 32 bool GetNodePath(BinaryTreeNode* pRoot,char pNode,list<BinaryTreeNode*> &path)//得到結點路徑 33 { 34 bool found=false; 35 path.push_back(pRoot); 36 if(pRoot->value==pNode) return true; 37 if(!found&&pRoot->left!=NULL) 38 { 39 found=GetNodePath(pRoot->left,pNode,path); 40 } 41 if(!found&&pRoot->right!=NULL) 42 { 43 found=GetNodePath(pRoot->right,pNode,path); 44 } 45 if(!found) 46 path.pop_back(); 47 return found; 48 } 49 char GetLastCommonNode(list<BinaryTreeNode*> &path1,list<BinaryTreeNode*> &path2)//得到最近相同根結點的值 50 { 51 list<BinaryTreeNode*>::iterator ite1=path1.begin(); 52 list<BinaryTreeNode*>::iterator ite2=path2.begin(); 53 BinaryTreeNode* pLast; 54 while(ite1!=path1.end()&&ite2!=path2.end()) 55 { 56 if(*ite1==*ite2) 57 pLast=*ite1; 58 ite1++; 59 ite2++; 60 } 61 return pLast->value; 62 } 63 64 void print(list<BinaryTreeNode*> &path)//打印路徑 65 { 66 list<BinaryTreeNode*>::iterator ite; 67 for(ite=path.begin();ite!=path.end();++ite) 68 {cout<<(*ite)->value<<' ';} 69 cout<<endl; 70 } 71 72 73 void main() 74 { 75 BinaryTreeNode* pRoot; 76 CreatBinaryTree(&pRoot); 77 list<BinaryTreeNode*> path1,path2,path3; 78 cout<<"請輸入結點字符:"<<endl; 79 char s1,s2; 80 cin>>s1>>s2; 81 GetNodePath( pRoot,s1,path1); 82 GetNodePath( pRoot,s2,path2); 83 char common=GetLastCommonNode(path1,path2); 84 GetNodePath( pRoot,common,path3); 85 print(path1); 86 print(path2); 87 print(path3); 88 int distance=path1.size()+path2.size()-2*path3.size(); 89 cout<<s1<<" with "<<s2<<" distance is: "<<distance<<endl; 90 }