C ++模板默认参数

时间:2015-03-07 17:41:04

标签: c++ templates

我知道简单的模板和模板专业化是如何工作的,但我对此感到难过。

该计划第一行的T t = T()是做什么的?这是默认参数吗?如何确定程序的输出?

#include <iostream>

template<class T, T t = T()>
class A
{
private:
    template<bool b>
    class B
    {
    public:
        static const int m_n = b ? 1 : 0;
    };

public:
    static const int m_value = B<(t > T())>::m_n - B<(t < T())>::m_n;
};

int main()
{
    std::cout << A<int, -9>::m_value
              << A<bool, true>::m_value
              << A<char>::m_value << std::endl;

    return 0;
}

这是关于我想要了解的C ++评估测试的问题。

3 个答案:

答案 0 :(得分:3)

是。第二个参数是此模板的默认参数。

如果你知道这一点,输出的确定应该是相当直接的。我会为你做第一个:

A<int, -9>::m_value

intT使用的数据类型,int t的值是-9

这一行:

static const int m_value = B<(t > T())>::m_n - B<(t < T())>::m_n;

按此计算(int()为零):

static const int m_value = B<(-9 > 0)>::m_n - B<(-9 < 0)>::m_n;

评估如下:

static const int m_value = B<false>::m_n - B<true>::m_n;

评估如下:

static const int m_value = 0 - 1;

最终评估为:

static const int m_value = -1;

所以:

std::cout << A<int, -9>::m_value

与:

相同
std::cout << -1

现在尝试自己解决剩下的问题。

答案 1 :(得分:0)

是的,这是类模板的默认参数的示例。您会发现此示例非常有用 https://msdn.microsoft.com/en-us/library/bys786s7.aspx

答案 2 :(得分:0)

简而言之,是的,它确实为第二个模板参数提供了默认值。您在T t = T()行中看到A<char>::m_value的使用。由于第二个模板参数初始化为T()(默认构造函数T),默认情况下t采用您提供的任何类型的默认值作为第一个模板参数。然后,程序将作为第二个模板参数给出的值与作为第一个模板参数给出的类型的默认值进行比较。把它想象成下面这个函数,如果我理解了这个类,那就做同样的事情。

template<class T>
// T t = T() in a function is the same as your T t = T()
// in your template parameters
int f(T t = T())
{
    return (T() == t) ? 0 : ((T() < t) ? 1 : -1);
}

用法:

int main(int argc, char *argv[]) {
    std::cout << f<int(-9)
              << A<bool>(true)
              << A<char>() << std::endl;
}

如果t等于T类型的默认值,则函数返回0;如果t小于类型T的默认值,则返回-1,并且+1如果t大于类型T的默认值。