std::move对堆栈变量有意义吗
我需要创建一个大小为 1024 的结构列表。所以我试图通过使用移动语义来优化推送操作到列表中。但是移动语义仅对堆分配的内存有意义(据我所知)。有人可以建议我这样做的更好方法。这是我的代码
#include <iostream>
#include <list>
struct St {
int32_t arr[1024];
};
int main() {
std::list<St> struct_list;
for(int32_t i = 0; i < 1024; ++i) {
St st; // stack allocated and memory gets deallocated after each loop
std::cout << &st << std::endl;
struct_list.emplace_back(std::move(st)); // I feel std::move doesn't make any sense here even if I implement move constructor, still data gets copied into the std::list which is allocated in heap, so not efficient.
std::cout << &struct_list.back() << "n" << std::endl;
}
return EXIT_SUCCESS;
}
回答
鉴于您当前的定义St
:
struct St {
int32_t arr[1024];
};
从技术上讲,移动和复制这两个结果对于St
.
但是,从语义上讲,st
在完成移动后标记为移动是有意义的,并且st
无论如何都会被销毁。例如,如果您稍后决定将 的定义更改为St
:
struct St {
std::vector<int32_t> vec;
};
然后,它会有所作为——矢量数据成员将被移动而不是被复制。
简而言之,我的建议是关注移动操作的语义——即,移动对象是否有意义?好吧,如果您无论如何都要处理该对象,那么它很可能会处理。