当前位置:  开发笔记 > 编程语言 > 正文

C++ - 专门化类模板的成员函数

如何解决《C++-专门化类模板的成员函数》经验,为你挑选了1个好方法。

我正在寻找模板的帮助.我需要在模板中创建对特定类型有不同反应的函数.

它可能看起来像这样:

template 
class SMTH
{
    void add() {...} // this will be used if specific function isn't implemented
    void add {...} // and here is specific code for int
};

我也尝试在单个函数中使用typeidswich通过类型,但对我不起作用.



1> LogicStuff..:

你真的不想在运行时进行这种分支typeid.

我们想要这个代码:

int main()
{
    SMTH().add();
    SMTH().add();

    return 0;
}

要输出:

int
not int

很多方法可以实现这一点(所有这些都在编译时,其中一半需要C++ 11):

    专攻整个班级(如果它只有这个add功能):

    template 
    struct SMTH
    {
        void add() { std::cout << "not int" << std::endl; }
    };
    
    template <>
    struct SMTH
    {
        void add() { std::cout << "int" << std::endl; };
    };
    

    仅专注于add成员函数(由@Angelus推荐):

    template 
    struct SMTH
    {
        void add() { std::cout << "not int" << std::endl; }
    };
    
    template <> // must be an explicit (full) specialization though
    void SMTH::add() { std::cout << "int" << std::endl; }
    

请注意,如果SMTH使用cv-qualified进行实例化int,您将获得not int上述方法的输出.

    使用SFINAE成语.它的变体很少(默认模板参数,默认函数参数,函数返回类型),最后一个适合这里:

    template 
    struct SMTH
    {
        template 
        typename std::enable_if::value>::type // return type
        add() { std::cout << "not int" << std::endl; }
    
        template 
        typename std::enable_if::value>::type
        add() { std::cout << "int" << std::endl; }
    };
    

    主要的好处是你可以使启用条件复杂化,例如使用std::remove_cv选择相同的过载而不管cv限定符.

    标签分派 - add_impl根据实例化标签是否继承A或选择过载B,在这种情况下std::false_typestd::true_type.您仍然使用模板特化或SFINAE,但这次是在标记类上完成的:

    template 
    struct is_int : std::false_type {};
    
    // template specialization again, you can use SFINAE, too!
    template <>
    struct is_int : std::true_type {};
    
    template 
    struct SMTH
    {
        void add() { add_impl(is_int()); }
    
    private:
        void add_impl(std::false_type)  { std::cout << "not int" << std::endl; }
    
        void add_impl(std::true_type)   { std::cout << "int" << std::endl; }
    };
    

    这当然可以在不定义自定义标记类的情况下完成,代码add将如下所示:

    add_impl(std::is_same());
    


我不知道我是否全部提到它们,我也不知道为什么我会这样做.您现在要做的就是选择最适合使用的那个.

现在,我明白了,你也想检查一个函数是否存在.这已经很久了,现在有一个关于这个问题的质量保证.

推荐阅读
个性2402852463
这个屌丝很懒,什么也没留下!
DevBox开发工具箱 | 专业的在线开发工具网站    京公网安备 11010802040832号  |  京ICP备19059560号-6
Copyright © 1998 - 2020 DevBox.CN. All Rights Reserved devBox.cn 开发工具箱 版权所有