我有以下树形结构:
struct Node {
int data;
Node* parent = nullptr;
}
每个节点最多有一个父级,但可以有多个子级。我试图找到两个没有子节点的节点(node1和node2)的最低共同祖先。
这是我当前的代码:
std::vector<Node*> ancestors1;
std::vector<Node*> ancestors2;
temp_node = node1->parent;
while(temp_node!=nullptr) {
ancestors1.push_back(temp_node);
temp_node = temp_node->parent;
}
temp_node = node2->parent;
while(temp_node!=nullptr) {
ancestors2.push_back(temp_node);
temp_node = temp_node->parent;
}
Node* common_ancestor = nullptr;
if (ancestors1.size() < ancestors2.size()) {
ptrdiff_t t = ancestors1.end() - ancestors1.begin();
std::vector<Node*>::iterator it1 = ancestors1.begin();
std::vector<Node*>::iterator it2 = ancestors2.end() - t;
while(it1!=ancestors1.end()) {
if (*it1 == *it2) {
common_ancestor = *it1;
}
++it1;
}
} else {
ptrdiff_t t = ancestors2.end() - ancestors2.begin();
std::vector<Node*>::iterator it2 = ancestors2.begin();
std::vector<Node*>::iterator it1 = ancestors1.end() - t;
while(it2!=ancestors2.end()) {
if (*it1 == *it2) {
common_ancestor = *it1;
}
++it2;
}
}
return common_ancestor
此代码并不总是有效,我不确定为什么。
最佳答案
对不起,我无法抗拒。
除了错别字和错误,我相信它看起来甚至更简单:
#include <cassert>
#include <algorithm>
#include <iostream>
#include <vector>
struct Node {
int data;
Node *parent = nullptr;
};
Node* findCommonAncestor(Node *pNode1, Node *pNode2)
{
// find paths of pNode1 and pNode2
std::vector<Node*> path1, path2;
for (; pNode1; pNode1 = pNode1->parent) path1.push_back(pNode1);
for (; pNode2; pNode2 = pNode2->parent) path2.push_back(pNode2);
// revert paths to make indexing simple
std::reverse(path1.begin(), path1.end());
std::reverse(path2.begin(), path2.end());
// compare paths
Node *pNode = nullptr; // ancestor
size_t n = std::min(path1.size(), path2.size());
for (size_t i = 0; i < n; ++i) {
if (path1[i] == path2[i]) pNode = path1[i];
else break;
}
// done
return pNode;
}
int main()
{
// sample tree:
/* 1
* |
* 2
* / \
* 3 4
* |
* 5
*/
Node node1 = { 1, nullptr };
Node node2 = { 2, &node1 };
Node node3 = { 3, &node2 };
Node node4 = { 4, &node2 };
Node node5 = { 5, &node4 };
Node *pNode = findCommonAncestor(&node3, &node5);
if (pNode) {
std::cout << "Lowest common ancestor: " << pNode->data << '\n';
} else {
std::cout << "No common ancestor found!\n";
}
}
输出:
Lowest common ancestor: 2
Live Demo on coliru
注意:
虽然使用
iterator
有助于保持代码的通用性……我认为这是坚持普通的旧数组(又名
std::vector
)索引简化情况的一种情况。关于c++ - 一棵树上两片叶子的最低共同祖先,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/60927649/