我正在阅读一篇关于 C++ 如何没有字段访问器作为语言的一部分的文章。
在文章的最后,作者给出了一个基于宏的解决方案,可以模拟类的字段访问器:
// a little trick to fool compiler we are not accessing NULL pointer here
#define property_offset(type, name) \
(((char*)&((type*)(0xffff))->name) - (char*)(0xffff))
#define property_parent(type, name) \
((type*)((char*)(this) - property_offset(type, name)))
// macro defining property
#define property(type, name, parent) \
struct name##_property { \
operator type() { return property_parent(parent, name)->get_##name(); } \
void operator=(type v) { property_parent(parent, name)->set_##name(v); } \
\
private: \
char zero[0]; \
} name
// our main class
class Node {
/* visitCount will act as a field accessor */
property(int, visitCount, Node);
};
当我通过预处理器运行它时,我得到:
class Node {
struct visitCount_property {
operator int() { return ((Node*)((char*)(this) - (((char*)&((Node*)(0xffff))->visitCount) - (char*)(0xffff))))->get_visitCount(); }
void operator=(int v) { ((Node*)((char*)(this) - (((char*)&((Node*)(0xffff))->visitCount) - (char*)(0xffff))))->set_visitCount(v); }
private: char zero[0];
} visitCount;
};
我的想法是我也会添加我自己的实现:
int get_visitCount();
void set_visitCount(int v);
它看起来好像visitCount
被直接访问了。
但是,这些函数实际上会在幕后调用:
Node n;
n.visitCount = 1; //actually calls set method
cout << n.VisitCount; //actually calls get method
我想更多地了解这个访问封闭类的技巧:
((Node*)((char*)(this) - (((char*)&((Node*)(0xffff))
的相关性是0xffff
什么?
十进制即: 65535
.
这如何欺骗编译器访问包含 visitCount 类的类?
我还看到这在 MSVC 上不起作用,所以我想知道是否有标准的方法来完成这个黑客正在做的事情。