如何复制堆栈?

时间:2013-02-06 19:22:43

标签: c++

所以我使用动态堆栈,我想编写一个复制构造函数,它必须从同一个类的另一个实例复制堆栈的数据。我正在尝试编写这个函数,但看起来很难。有人可以帮我一把吗?

template<typename T=int>
class LStack
{
public:

    template<typename U=int>
    struct elem
    {
        U con;
        elem<U>* link;
    }

private:

    elem<T>* el;

    void Copystack(Lstack const& stack)    // HERE
    {
        elem<T>* last = el;
        el->con = stack->con;
        while(stack->link != null)
        {
            var temp = new elem<T>;
            temp->con = stack->con;
            temp->link = stack->link;
            stack = stack->link;
        }
    }

};

1 个答案:

答案 0 :(得分:4)

STL容器适配器std::stack的作业operator=允许您完全执行该操作

#include <stack>

int main()
{
   std::stack<int> s1;
   std::stack<int> s2;
   s1 = s2;
}

如果你需要手动完成,你可以使用@ FredOverflow的递归解决方案,或者你可以使用两个循环和一个临时堆栈来执行它,其中recurisve版本保留在堆栈帧上(双关语意图)。

void copy_reverse(Stack& source, Stack& dest)
{
    while(!source.empty())
        dest.push(Element(source.top()));
        source.pop();
    }
}

Stack src, tmp, dst;
copy_reverse(src, tmp);
copy_reverse(tmp, dst);