c ++ 11递归类模板到复杂错误

时间:2015-01-14 03:37:46

标签: c++ templates c++11 recursion

为什么在将#if 0更改为#if 1时出现“错误C1202:递归类型或函数依赖关系上下文过于复杂”错误?错误的版本更简单,我宁愿使用类似的东西。

我正在尝试编写一个哈希函数来消除编译时常量长度的循环。真正的哈希函数更复杂,这只是一个简单的例子。

typedef unsigned __int8 U1;
typedef unsigned __int16 U2;
typedef unsigned __int32 U4;
#define  AS1(a_)        (*(U1*)(a_))
#define  AS2(a_)        (*(U2*)(a_))
#define  AS3(a_)        ((U4(((U1*)(a_))[2])<<16) | AS2(a_))
#define  AS4(a_)        (*(U4*)(a_))

#if 0
template<U4 CB> U4 Hash(const char* sz, int n = 0) {
    if (CB >= 4) return Hash<CB - 4>(sz + 4, n ^ AS4(sz));
    if (CB == 3) return n ^ AS3(sz);
    if (CB == 2) return n ^ AS2(sz);
    if (CB == 1) return n ^ AS1(sz);
}
#else
template<U4 CB> U4 Hash(const char* sz) {
    return Hash<CB - 4>(sz + 4, Hash<4>(sz));
}
template<U4 CB> U4 Hash(const char* sz, int n) {
    return Hash<CB - 4>(sz + 4, Hash<4>(sz, n));
}
template<> U4 Hash<1>(const char* sz, int n)        { return n ^ AS1(sz); }
template<> U4 Hash<2>(const char* sz, int n)        { return n ^ AS2(sz); }
template<> U4 Hash<3>(const char* sz, int n)        { return n ^ AS3(sz); }
template<> U4 Hash<4>(const char* sz, int n)        { return n ^ AS4(sz); }
template<> U4 Hash<1>(const char* sz)           { return AS1(sz); }
template<> U4 Hash<2>(const char* sz)           { return AS2(sz); }
template<> U4 Hash<3>(const char* sz)           { return AS3(sz); }
template<> U4 Hash<4>(const char* sz)           { return AS4(sz); }
#endif

int main(int argc, char* argv[])
{
    char* sz = "123456789";
    int n = Hash<9>(sz);
    n += Hash<3>(sz);
    return n;
}

1 个答案:

答案 0 :(得分:3)

问题是这个函数在编译时是无限递归的:

template<U4 CB> U4 Hash(const char* sz, int n = 0) {
    if (CB >= 4) return Hash<CB - 4>(sz + 4, n ^ AS4(sz));
    if (CB == 3) return n ^ AS3(sz);
    if (CB == 2) return n ^ AS2(sz);
    if (CB == 1) return n ^ AS1(sz);
}

当然,您有if个语句,因此如果您致电Hash<3>,您真的不希望它实例化Hash<-1> ...但是在模板中,必须实例化整个函数体。分支机构以后才会被修剪。因此,无论CB的值如何,Hash的任何实例化都会继续实例化CB的越来越多的值(例如Hash<9>需要Hash<5>需要Hash<1>要求Hash<-3>需要Hash<-7> ...),直到它达到编译器模板递归限制或编译器内存不足

另一方面,如果您明确专门化所有案例:

template<U4 CB> U4 Hash(const char* sz, int n = 0) {
    return Hash<CB - 4>(sz + 4, n ^ AS4(sz));
}

template <> U4 Hash<3>(const char* sz, int n = 0) {
    return n ^ AS3(sz);
}

// etc.

然后,例如Hash<9>的实例化将导致Hash<5>的实例化,然后Hash<1>只是一个显式的特化,并且过程在那里停止。

这就是为什么在模板元编程时,你应该将专业化视为你的分支和你的基本递归案例。不要想到实际的运行时间早午餐。