我相当熟悉不涉及宏魔法的标准元编程解决方案(例如,查找类型是否具有成员函数或支持运算符的 C++11 方法? )。但是,我有一个涉及以下便利宏的用例(当然,对 StackOverflow 进行了极大的简化,但想象一下这是用于序列化之类的)......
#define START(type) do { typedef type current; const char typeName[] = #type
#define OUTPUT(fieldname) \
printf("type of %s.%s is %s\n", #type, #fieldname, \
std::is_same<decltype(std::declval<current>().fieldname),int> ? "int" : "string")
#define END() } while (0)
struct Foo { int i; char *j; char *k; };
struct Bar { char *x; int y; };
START(Foo);
OUTPUT(i); // type of Foo.i is int
OUTPUT(j); // type of Foo.j is string
OUTPUT(k); // type of Foo.k is string
END();
START(Bar);
OUTPUT(x); // type of Bar.x is string
OUTPUT(y); // type of Bar.y is int
END();
但是现在假设有人出现并向我们的模式添加了一种新的数据成员:字段对(x, xLength)
。我们想像这样改变我们的便利宏......
#define START(obj) do { const auto& current = (obj)
#define OUTPUT(fieldname) \
printf("type of %s.%s is %s\n", #type, #fieldname, \
std::is_same<decltype(std::declval<current>().fieldname),int> ? "int" :
hasfield(current, fieldname##Length) ? "Pascal string" : "C string")
#define END() } while (0)
struct Baz { char *x, *y, *z; int xLength, zLength; };
START(Baz);
OUTPUT(x); // type of Baz.x is Pascal string
OUTPUT(y); // type of Baz.y is C string
OUTPUT(z); // type of Baz.z is Pascal string
END();
就我自己而言,我设法提出了以下hasfield
适用于 Clang 的实现......
#define hasfield(classtype, fieldname) \
[]() { \
struct X { \
template<class T, int=sizeof(&T::fieldname)> static constexpr bool f(T*){ return true; } \
static constexpr bool f(...) { return false; } \
}; return X::f((classtype*)0); \
}()
...但不幸的是,这似乎是由于Clang 中的错误;根据 C++11 标准,本地类X
不允许有模板成员。实际上,此代码无法使用 GCC 编译。
所以我很难过:是否可以在 C++11 中定义OUTPUT
宏以使其能够满足我的要求?
绝对约束:不改变Baz
. fieldname
无需提前进行硬编码。
Nice-to-haves:hasfield(c,f)
也可以在其他上下文中使用的宏(而不是将代码直接缠绕到OUTPUT
宏中)。没有假设offsetof(c,fLength)==offsetof(c,f)+sizeof(std::declval<c>().f)
。