9

问题

我正在尝试编写一个 C++ 宏,它将作为输入typetype name作为输入,并type作为输出。

例如:
REMOVE_NAME(int)应该是int
REMOVE_NAME(int aNumber)也应该是int

我设法编写了这样一个宏(如下)并且它可以工作,但我想知道我是否缺少一种更简单的方法来实现这一点。

#include <boost/type_traits.hpp>

template <typename T>
struct RemoveNameVoidHelper
{
    typedef typename T::arg1_type type;
};

template <>
struct RemoveNameVoidHelper<boost::function_traits<void()>>
{
    typedef void type;
};

#define REMOVE_NAME(expr) RemoveNameVoidHelper<boost::function_traits<void(expr)>>::type

有任何想法吗?

动机

我正在使用这个宏来帮助生成代码。我有另一个宏,用于在类定义中声明某些方法:

#define SLOT(name, type)                            \
    void Slot##name(REMOVE_NAME(type) argument)     \
    {                                               \
        /* Something that uses the argument. */     \
    }                                               \
    void name(type)

我希望SLOT宏的用户能够舒适地选择是否要在类内部或外部实现他的插槽,就像使用普通方法一样。这意味着SLOT的类型参数可以是类型,也可以是具有名称的类型。例如:

class SomeClass
{
    SLOT(ImplementedElsewhere, int);
    SLOT(ImplementedHere, int aNumber)
    {
        /* Something that uses aNumber. */
    }
};

如果没有REMOVE_NAME宏,我的自动生成的Slot...方法将无法为其参数指定自己的名称,因此将无法引用它。

当然,这不是该宏的唯一可能用途。

4

1 回答 1

2

我认为你是对的;据我所知,在decl-specifier-seqtype-specifier-seq后面跟着一个可选的声明符的唯一其他生产是一个catch语句,我认为这对类型提取没有多大用处。生产参数声明也用于template-parameter-list,但这也没什么用。

我可能会像这样定义你的宏,消除对 Boost 的依赖:

template<typename T> struct remove_name_helper {};
template<typename T> struct remove_name_helper<void(T)> { typedef T type; };
template<> struct remove_name_helper<void()> { typedef void type; };

#define REMOVE_NAME(expr) typename remove_name_helper<void(expr)>>::type
于 2012-09-03T14:21:41.923 回答