我的代码:
#include <iostream> #include <array> using namespace std; array< array<int,1000>,1000 > largeThing; array< array<int,1000 > functionFoo() { return largeThing; } void main(){ functionFoo(); return; }
如果我运行这个我得到一个Stackoverflow错误.我到目前为止,其原因是functionFoo()的返回类型很大,因为返回值实际上是在堆上.
题:
如何使用具有大型返回类型的函数,以便函数将放在堆栈上的所有内存都放在堆上?
编辑:
我只是增加了stacksize,它运行正常.
解决方法
std :: array在堆栈上分配,这取决于您的构建设置可能相对较小(典型大小为1 MiB).
如果你需要更大的东西,你可以在堆上显式分配该数组并返回一个指针.此示例中的std::unique_ptr
是一个智能指针,当指针超出范围时负责解除分配,因此我们不必记住调用delete.
using bigarray = std::array< std::array<int,1000 >; std::unique_ptr< bigarray > functionFoo() { return std::make_unique< bigarray >(); }
另一种方法是使用已经管理堆内存的不同类,例如std::vector
:
std::vector< std::vector<int> > functionFoo() { std::vector< std::vector<int> > largeThing( 1000,std::vector<int>( 1000 ) ); return largeThing; }