Предположим, у вас есть
struct Node
{
std::vector<Node *> children;
};
, тогда можно было бы пройти по всему дереву, начиная с корня, сохраняя всю цепочку во время обхода.Если вы найдете, например, node1, то сохраните текущую цепочку, если вы найдете node2, то вы проверяете пересечение ... в коде ( UNTESTED ):
bool findPath(std::vector<Node *>& current_path, // back() is node being visited
Node *n1, Node *n2, // interesting nodes
std::vector<Node *>& match, // if not empty back() is n1/n2
std::vector<Node *>& result) // where to store the result
{
if (current_path.back() == n1 || current_path.back() == n2)
{
// This is an interesting node...
if (match.size())
{
// Now is easy: current_path/match are paths from root to n1/n2
...
return true;
}
else
{
// This is the first interesting node found
match = current_path;
}
}
for (std::vector<Node *>::iterator i=current_path.back().children.begin(),
e=current_path.back().children.end();
i != e; ++i)
{
current_path.push_back(*i);
if (findPath(current_path, n1, n2, match, result))
return true;
current_path.pop_back(); // *i
}
return false;
}