抛出可由 C++98 和 C++1x 编译的析构函数。有没有更好的办法?

Throwing destructor compilable by C++98 and C++1x. Is there a better way?

是否有一种干净的方法或解决方法来实现可由 c++98c++1x 编译器编译的跨平台且不产生警告的抛出析构函数?

给定

有一个遗留的 class 表示一个错误代码,如果不处理它就会抛出。为此,它使用了抛出析构函数。

目标

一个跨平台(g++,VC++)实现,它可以编译并与旧的 c++98 编译器(感谢 MS 的 WindowsCE)以及支持 c++1x。理想情况下,它不应产生任何警告。

问题

问题是因为 c++11 默认情况下所有析构函数都是不抛出的(如果抛出异常,将在 运行 时终止)。解决方法是 noexcept(false),但它在 c++98 中不可用。另一方面,c++98 有异常规范,这些规范通常被认为是不好的并且自 c++11 以来已被弃用,例如,参见:Why are exception specifications bad?.

当前的解决方法

class ThrowingErrorCode
{
public:
    ...
// silence the VC exception specification warning
// we need to use exception specification for a throwing destructor, so that it would compile with both c++98 and c++11
#ifdef _MSC_VER
#pragma warning( push )
#pragma warning( disable : 4290 )
#endif

   ~ThrowingErrorCode() throw(ErrorCodeException)
   {
      ...
      throw ErrorCodeException("Must handle error code");
   }

// enable the warning again
#ifdef _MSC_VER
#pragma warning( pop )
#endif   
};

我不太喜欢它,因为它需要抑制警告并使用已弃用的异常规范。你能告诉我是否有 better/cleaner 的方法吗?


这是我的第一个 Whosebug 问题。如果您对改进问题有任何建议,请告诉我:-)

您可以定义一个简单的宏来实现抛出异常规范:

#if __cplusplus >= 201103L
#  define MAY_THROW noexcept(false)
#else
#  define MAY_THROW
#endif

用法:

struct X
{
    ~X() MAY_THROW { /* ... */ }
    //   ^^^^^^^^^
};

不合格的编译器可能无法正确设置 __cplusplus 宏,在这种情况下,您可能需要与其他供应商宏进行比较。例如,某些版本的 MSVC++ 可以使用此代码:

#if __cplusplus >= 201103L
#  define MAY_THROW noexcept(false)
#elif defined(_MSC_VER) && _MSC_VER >= 1800
#  define MAY_THROW noexcept(false)
#else
#  define MAY_THROW
#endif

我最终使用了 中建议的方法。 当 c++03gcc 一起使用时,它仍会产生警告(请参阅 here)。由于我没有使用这个配置,所以它可以。

我使用 boost 的 BOOST_NO_NOEXCEPT 宏来检查 noexcept 支持的跨平台。 it looks:

#include <boost/detail/workaround.hpp>

#if defined BOOST_NO_NOEXCEPT
#  define MAY_THROW
#else
#  define MAY_THROW noexcept(false)
#endif