共享内存最初只允许 POD 结构(本质上,它们可能有构造函数/复制/等...)。
Boost.Interprocess
通过在共享内存段的偏移量之上模拟指针语义来提高标准。
但是,虚拟指针不是指向纯数据的指针,而是指向代码段的指针,这就是事情变得复杂的地方,因为代码段不一定映射到从一个进程到另一个进程的相同地址(即使它们是从相同的二进制文件)。
所以...不,虚拟指针-多态对象不能存储在共享内存中。
然而,仅仅因为许多 C++ 实现选择使用虚拟指针机制并不意味着这是具有多态行为的唯一方法。例如,在 LLVM 和 Clang 中,它们建立在封闭的层次结构上,以在没有虚拟指针(和 RTTI)的情况下获得多态性,从而降低内存需求。这些对象可以有效地存储在共享内存中。
那么,如何获得与共享内存兼容的多态性:我们不需要存储指向表/函数的指针,但是我们可以存储索引。
这个想法的例子,但可能会被改进。
/// In header
#include <cassert>
#include <vector>
template <class, size_t> class BaseT;
class Base {
template <class, size_t> friend class BaseT;
public:
int get() const; // -> Implement: 'int getImpl() const' in Derived
void set(int i); // = 0 -> Implement: 'void setImpl(int i)' in Derived
private:
struct VTable {
typedef int (*Getter)(void const*);
typedef void (*Setter)(void*, int);
VTable(): _get(0), _set(0) {}
Getter _get;
Setter _set;
};
static std::vector<VTable>& VT(); // defined in .cpp
explicit Base(size_t v): _v(v) {}
size_t _v;
}; // class Base
template <class Derived, size_t Index>
class BaseT: public Base {
public:
BaseT(): Base(Index) {
static bool const _ = Register();
(void)_;
}
// Provide default implementation of getImpl
int getImpl() const { return 0; }
// No default implementation setImpl
private:
static int Get(void const* b) {
Derived const* d = static_cast<Derived const*>(b);
return d->getImpl();
}
static void Set(void* b, int i) {
Derived* d = static_cast<Derived*>(b);
d->setImpl(i);
}
static bool Register() {
typedef Base::VTable VTable;
std::vector<VTable>& vt = Base::VT();
if (vt.size() <= Index) {
vt.insert(vt.end(), Index - vt.size() + 1, VTable());
} else {
assert(vt[Index]._get == 0 && "Already registered VTable!");
}
vt[Index]._get = &Get;
vt[Index]._set = &Set;
}
}; // class BaseT
/// In source
std::vector<VTable>& Base::VT() {
static std::vector<VTable> V;
return V;
} // Base::VT
int Base::get() const {
return VT()[_v]._get(this);
} // Base::get
void Base::set(int i) {
return VT()[_v]._set(this, i);
} // Base::set
好的...我想现在您欣赏编译器的魔力了...
关于用法,幸运的是要简单得多:
/// Another header
#include <Base.h>
// 4 must be unique within the hierarchy
class Derived: public BaseT<Derived, 4> {
template <class, size_t> friend class BaseT;
public:
Derived(): _i(0) {}
private:
int getImpl() const { return _i; }
void setImpl(int i) { _i = i; }
int _i;
}; // class Derived
在ideone行动。