我有一些通用代码需要对成员函数的结果运行断言。该成员函数可以是constexpr
,也可以不是。
template<typename T>
void foo(T t) {
assert(t.member_function() == 10);
}
因为t.member_function()
可能是一个常量表达式,所以我想知道在这种情况下是否可以将其视为static_assert
,否则默认为正常{ {1}}。这可能吗?
答案 0 :(得分:2)
这是一个有点疯狂的解决方案。
取消注释Const c; foo(c);
行,您将看到它无法编译。这是编译时断言。
它需要variable length arrays,也许还有其他编译器特定的东西。我正在使用g ++ - 4.6。
数组的大小为0或-1,具体取决于成员函数是否返回10.因此,如果这可以在编译时计算,那么编译实现它是一个非可变长度数组,并且它负面大小。负面大小允许它抱怨。否则,它会落入传统的断言。
请注意:在运行时断言失败后,我正在使用Runtime版本获得一些核心转储。也许它不喜欢尝试free
负数大小的数组。更新:我收到任何断言失败的核心转储,甚至是int main() {assert (1==2);}
。这是正常的吗?
#include <iostream>
#include <cassert>
using namespace std;
struct Const {
constexpr int member_function() { return 9; }
};
struct Runtime {
int member_function() { return 9; }
};
template<typename T>
void foo(T t) {
if(0) { // so it doesn't actually run any code to malloc/free the vla
int z[(t.member_function()==10)-1]; // fails at compile-time if necessary
}
assert(t.member_function()==10);
}
int main() {
//Const c; foo(c);
Runtime r; foo(r);
}