关于正确性,我找不到以下代码片段没有设计缺陷的证据/反驳。
template <class Item>
class MyDirtyPool {
public:
template<typename ... Args>
std::size_t add(Args &&... args) {
if (!m_deletedComponentsIndexes.empty()) {
//reuse old block
size_t positionIndex = m_deletedComponentsIndexes.back();
m_deletedComponentsIndexes.pop_back();
void *block = static_cast<void *> (&m_memoryBlock[positionIndex]);
new(block) Item(std::forward<Args>(args) ...);
return positionIndex;
} else {
//not found, add new block
m_memoryBlock.emplace_back();
void *block = static_cast<void *> (&m_memoryBlock.back());
new(block) Item(std::forward<Args>(args) ...);
return m_memoryBlock.size() - 1;
}
}
//...all the other methods omitted
private:
struct Chunk {
char mem[sizeof(Item)]; //is this sane?
};
std::vector<Chunk> m_memoryBlock; //and this one too, safe?
std::deque<std::size_t> m_deletedComponentsIndexes;
};
我担心 Chunk 的所有内容,这里本质上用作与提供的类型具有相同大小的内存袋。我不想在 中显式创建 Item 对象m_memoryBlock
,因此我需要某种“具有足够空间的内存块”。
我可以确定 Chunk 的大小与提供的类型相同吗?请提供一些这种假设不起作用的例子。
如果我的假设完全错误,我应该如何处理?