我正在寻找一种获取成员变量的偏移量的方法,以将该偏移量静态传递给成员变量。基本上我想做到这一点:
template <std::intptr_t OFFSET>
struct A
{
std::intptr_t self()
{
return reinterpret_cast<std::intptr_t>(this) - OFFSET;
}
};
struct B
{
int some_variables[256];
A<???> a;
};
int main()
{
B b;
assert(reinterpret_cast<std::intptr_t>(&b) == b.a.self()); // shall pass
return 0;
}
有没有办法做到这一点?
答案 0 :(得分:5)
首先,根据要求,您无法实现目标,因为a
的类型会影响a
中B
的价格:
struct B
{
int some_variables[256];
A</* offset of a inside B */> a;
};
这是alignment。
您可以使用标准宏offsetof
。这意味着两件事:
offsetof(type, member)
仅针对standard-layout type
个进行了定义,因此封闭类型必须为标准布局,offsetof
只能在完整类型上被“调用”,因此它的静态计算结果只能动态地设置给子对象;它不能是模板非类型参数,但可以是构造函数参数。#include <cassert>
#include <cstdint>
#include <cstddef>
struct Location
{
Location(std::size_t offset) : offset_(offset) {}
std::size_t offset_;
operator std::intptr_t () const { return reinterpret_cast<std::intptr_t>(this) - offset_; }
};
struct SomeType
{
int some_variables[256];
Location location = offsetof(SomeType, location);
};
int main()
{
SomeType obj;
assert(reinterpret_cast<std::intptr_t>(&obj) == obj.location); // does pass
}
但是正如您所评论的那样,这是没有用的,因为Location
可以简单地定义为
template<class T>
struct Location
{
Location(T* location) : location_(location) {}
T* location_;
operator T* () const { return location; }
};
并用Location location = this;
初始化。
答案 1 :(得分:0)
我有个主意,最终找到了一种静态获取成员地址的方法:
template <class T, class R, R T::* MEMBER>
struct B
{
std::intptr_t self()
{
// got this reinterpret_cast from https://stackoverflow.com/a/5617632/4043866
std::intptr_t offset = reinterpret_cast<std::intptr_t>(&(reinterpret_cast<T const volatile*>(NULL)->*MEMBER));
std::intptr_t _this = reinterpret_cast<std::intptr_t>(this);
return _this - offset - sizeof(R);
}
};
template <class T, class... BASES>
constexpr std::size_t acc_sizes()
{
return sizeof(T) + acc_sizes<BASES...>();
}
template <class... BASES>
struct B_START
{
std::intptr_t self()
{
return reinterpret_cast<std::intptr_t>(this) - acc_sizes<BASES...>();
}
};
struct Z
{
int a;
};
#pragma pack(1)
struct A
: Z
{
B_START<Z> a;
B<A, B_START<Z>, &A::a> b;
B<A, B<A, B_START<Z>, &A::a>, &A::b> c;
};
现在我可以写:
A a;
a.b.self();
解决正确的功能,而不会损失任何存储空间。