有一些递归算法可以很快填满堆栈。一种解决方案是使堆栈显式化,从而将算法转变为迭代算法。
但是我注意到拥有显式堆栈会使算法变得相当慢(这可能不应该让我感到惊讶)。是否有任何使显式堆栈更快的通用 C++ 指南?它们是否有可能比原来的递归算法运行得更快?
编辑:我为其编写显式堆栈的函数如下。我还粘贴了迭代代码。出于某种原因,使用std::vector
而不是std::stack
更快,这非常令人惊讶。
// A(m, n) = n + 1 if m = 0
// = A(m - 1, 1) if m > 0 and n = 0
// = A(m - 1, A(m, n - 1)) if m, n > 0
int A(int m, int n, long& iterations,
std::vector<std::pair<int, int> >& stack)
{
stack.push_back(std::make_pair(m, n));
long result = 0;
bool result_available = false;
while (stack.size() > 0)
{
iterations += 1;
if (result_available) {
stack.back().second = result;
result_available = false;
}
m = stack.back().first;
n = stack.back().second;
stack.pop_back();
if (m == 0) {
result = n + 1;
result_available = true;
}
else if (m > 0 && n == 0) {
stack.push_back(std::make_pair(m - 1, 1));
}
else if (m > 0 && n > 0) {
stack.push_back(std::make_pair(m - 1, n));
stack.push_back(std::make_pair(m, n - 1));
}
}
return result;
}