noexcept 和模板可能存在的 g++ 错误

Possible g++ bug with noexcept and templates

当我将模板与 noexcept 说明符结合使用时,我收到有关不匹配的 noexcept 规范的错误。它与我使用过的各种版本的 clang 和所有版本的 gcc 中的 fails 一起编译。

struct Y
{
    void h();
};

template<typename T>
struct X
{
    void f() noexcept(noexcept(std::declval<Y>().h()));
};

template<typename T>
void X<T>::f() noexcept(noexcept(std::declval<Y>().h()))
{
}

int main()
{
}

错误:

g++ -std=c++1y -O2 -Wall -pthread main.cpp && ./a.out

main.cpp:15:56: error: declaration of 'void X<T>::f() noexcept (noexcept (declval<Y>().Y::f()))' has a different exception specifier
void X<T>::f() noexcept(noexcept(std::declval<Y>().f()))
                                                    ^
main.cpp:11:10: error: from previous declaration 'void X<T>::f() noexcept (noexcept (declval<Y>().Y::f()))'
void f() noexcept(noexcept(std::declval<Y>().f()));
     ^

这是一个错误吗?有什么办法可以绕过它吗?

至少在 ideone 目前使用的 gcc-4.9.2 中,使用枚举来存储 noexcept 运算符的结果是一种可怕的做法workaround

#include <iostream>
#include <utility>

struct Y
{
    void h() noexcept;
    void i();
};

enum Y_noexcept_value
{
    h = noexcept(std::declval<Y>().h()),
    i = noexcept(std::declval<Y>().i())
};

template<typename T>
struct X
{
    void f() noexcept(Y_noexcept_value::h);
    void g() noexcept(Y_noexcept_value::i);
};

template<typename T>
void X<T>::f() noexcept(Y_noexcept_value::h)
{
}

template<typename T>
void X<T>::g() noexcept(Y_noexcept_value::i)
{
}

int main()
{
    std::cout << std::boolalpha
              << noexcept(std::declval<X<int>>().f()) << std::endl
              << noexcept(std::declval<X<int>>().g()) << std::endl;
    return 0;
}