- 论坛徽章:
- 0
|
最近遇到这样一道题,下来做了一下。
我的想法是这样的:这个题目的实质就是找到二叉树中的一个节点,以该节点,假定为root,为根的树同时包含这两个目标节点,并且以root->pLeft 和 root->pRight为根的树都不同时包含这两个节点,root 即为所求,算法复杂度为n+(n-1)+(n-2)+... = O(n^2)。
我想请大家看看有没有更高效,更简洁一些的方法呢,请多指教,多谢了
我再补充点哈,我觉得我现在写这个代码感觉不爽,所以我还想看看就算是上面同样的算法,大家有没有一些稍微漂亮点的代码。
- /*******************/
- * BinTree structer *
- /*******************/
- typedef struct BinTree {
- int key;
- struct BinTree *pLeft;
- struct BinTree *pRight;
- }BinTree;
- /* Find the lowest common ancestor of pNode1,pNode2 in bin-tree by the*/
- / * name of root,return the pointer to the ancestor .*/
- BinTree * FindLCAncestor(BinTree *root,BinTree *pNode1,BinTree *pNode2)
- {
- BOOL bFlag1,bFlag2;
- BinTree *plcAnc,*pTemp;
- pTemp = root;
- while(pTemp) {
- plcAnc = pTemp;
- bFlag1 = bFlag2 = FALSE;
- pTemp = InOrder(root->pLeft,pNode1,pNode2,&bFlag1,&bFlag2);
- if(pTemp) {
- root = root->pLeft;
- continue;
- }else {
- bFlag1 = bFlag2 = FALSE;
- pTemp = InOrder(root->pRight,pNode1,pNode2,&bFlag1,&bFlag2);
- }
- if(pTemp) {
- root = root->pRight;
- continue;
- }
- else
- return plcAnc;
- }
- }
- /* check whether the two nodes --pNode1 and pNode2 are in the tree root,
- * if true ,return the pointer to the root, otherwise return NULL. */
- BinTree *InOrder(BinTree *root,
- BinTree *pNode1,BinTree *pNode,
- BOOL *pFlag1,BOOL *pFlag2)
- {
- if(!root)
- return NULL;
- if(root->pLeft)
- InOrder(root->pLeft,pNode1,pNode2,pFlag1,pFlag2);
- if(root == pNode1)
- *pFlag1 = TRUE;
- if(root == pNode2)
- *pFlag2 = TRUE;
- if(root->pRight)
- InOrder(root->pRight,pNode1,pNode2,pFlag1,pFlag2);
- if((*pFlag1) && (*pFlag2))
- return root;
- else
- return NULL;
-
- }
复制代码
[ 本帖最后由 lisp 于 2005-11-17 15:43 编辑 ] |
|