描述eng
給定一棵二叉樹,找到兩個節點的最近公共父節點(lca)。
最近公共祖先是兩個節點的公共的祖先節點且具有最大深度。
假設給出的兩個節點都在樹中存在
樣例樣例 1:
輸入:,1,1
輸出:1
解釋:二叉樹如下(只有乙個節點):
1lca(1,1) = 1
樣例 2:
輸入:,3,5
輸出:4
解釋:二叉樹如下:
4/ \
3 7
/ \5 6
lca(3, 5) = 4
思路:從根節點開始遍歷,如果p和q中的任乙個和root匹配,那麼root就是最低公共祖先。 如果都不匹配,則分別遞迴左、右子樹,如果有乙個 節點出現在左子樹,並且另乙個節點出現在右子樹,則root就是最低公共祖先. 如果兩個節點都出現在左子樹,則說明最低公共祖先在左子樹中,否則在右子樹。
#include
#include
/*** * definition for a binary tree node.
*/struct btree ;
struct btree *lowest_common_ancestor(struct btree *root, struct btree *p, struct btree *q)
if (root->val == p->val || root->val == q->val)
left = lowest_common_ancestor(root->left, p, q);
right = lowest_common_ancestor(root->right, p, q);
if (left != null && right != null)
if (left == null)
return left;
}//preorder create binary tree
struct btree *create_btree(int **data)
else
}//preorder parse binary tree
void parse_btree(struct btree *tree)
else
}void find_node(struct btree *tree, int val, struct btree **result)
else
find_node(tree->left, val, result);
find_node(tree->right, val, result);}}
int main()
;int *p = data;
int i;
struct btree *t1 = null, *t2 = null, *result = null;
for (i=0; i<13; i++)
printf("\n");
tree = create_btree(&p);
printf("\n");
parse_btree(tree);
printf("\n");
find_node(tree, -15, &t1);
if (t1)
printf("%d, t1:%p\n", t1->val, t1);
find_node(tree, 19, &t2);
if (t2)
printf("%d, t2:%p\n", t2->val, t2);
result = lowest_common_ancestor(tree, t1, t2);
if (result)
printf("%d, result:%p\n", result->val, result);
}
最近公共祖先 python 最近公共祖先
lca演算法樸素演算法 也就是我們所說的暴力演算法,大致的思路是從樹根開始,往下迭代,如果當前結點比兩個結點都小,那麼說明要從樹的右子樹中找 相反則從左子樹中查詢 直到找到乙個結點在當前結點的左邊,乙個在右邊,說明當前結點為最近公共祖先,如果乙個結點是另外乙個結點的祖先,那麼返回前面結點的父親結點即...
最近公共祖先 LCA 最近公共祖先
直接暴力搜尋參考 普通搜尋每次查詢都需要 樸素演算法是一層一層往上找,倍增的話直接預處理出乙個 具體做法是 維護乙個 的關係來線性求出這個陣列 int anc n 31 int dep n 記錄節點深度 void dfs int u,int parent for int i 0 i g u size...
最近公共祖先 最近公共祖先(LCA)
如題,給定一棵有根多叉樹,請求出指定兩個點直接最近的公共祖先。輸入格式 第一行包含三個正整數n m s,分別表示樹的結點個數 詢問的個數和樹根結點的序號。接下來n 1行每行包含兩個正整數x y,表示x結點和y結點之間有一條直接連線的邊 資料保證可以構成樹 接下來m行每行包含兩個正整數a b,表示詢問...